CPlusPlusThings/learn_class/modern_C++_30/reference/lifetime.cpp
Light-City 1dca8dee82 update
2020-03-03 11:13:16 +08:00

108 lines
1.7 KiB
C++
Raw Blame History

This file contains ambiguous Unicode characters

This file contains Unicode characters that might be confused with other characters. If you think that this is intentional, you can safely ignore this warning. Use the Escape button to reveal them.

//
// Created by light on 19-12-15.
//
#include <iostream>
using namespace std;
class shape {
public:
shape() { cout << "shape" << endl; }
~shape() {
cout << "~shape" << endl;
}
};
class circle : public shape {
public:
circle() { cout << "circle" << endl; }
~circle() {
cout << "~circle" << endl;
}
};
class triangle : public shape {
public:
triangle() { cout << "triangle" << endl; }
~triangle() {
cout << "~triangle" << endl;
}
};
class rectangle : public shape {
public:
rectangle() { cout << "rectangle" << endl; }
~rectangle() {
cout << "~rectangle" << endl;
}
};
class result {
public:
result() { puts("result()"); }
~result() { puts("~result()"); }
};
result process_shape(const shape &shape1, const shape &shape2) {
puts("process_shape()");
return result();
}
class Base {
public:
Base() {
cout << "Base()" << endl;
}
~Base() {
cout << "~Base()" << endl;
}
};
class Derived : public Base {
public:
Derived() {
cout << "Derived()" << endl;
}
~Derived() {
cout << "~Derived()" << endl;
}
};
string f() { return "abc"; }
void g() {
const string &s = f(); // still legal?
cout << s << endl;
}
Derived factory() {
return Derived();
}
int main() {
process_shape(circle(), triangle());
cout << endl;
// 临时对象延迟
// result &&r = process_shape(circle(), triangle());
// 临时对象延迟只对rvalue有用而对xvalue无用
// result &&r = std::move(process_shape(circle(), triangle()));
// const Base &b1 = factory();
Base *b1 = new Derived;
delete b1;
cout<<endl;
Derived d;
Base &b2 =d;
}