我已经阅读了许多有关临时对象生存期的文章,似乎在某些情况下扩展了临时对象的生存期,而在其他情况下,它是一个悬空的对象。
就我而言,临时对象是从函数返回的,我想了解对临时对象的const引用是否仍然有效。
代码如下:
class MyClass
{
public:
std::vector<int> vec{ 1, 2 };
MyClass()
{
cout << "Ctor" << endl;
}
MyClass(const MyClass ©)
{
vec = copy.vec;
cout << "Copy Ctor" << endl;
}
~MyClass()
{
cout << "Dtor" << endl;
}
};
MyClass access()
{
MyClass obj;
obj.vec[0] = 10;
return obj;
}
int main()
{
{
const auto &ret = access(); // calls the copy-ctor and assigns the temporary to reference 'ret'
auto val = ret.vec[0];
cout << "By Ref = " << val << endl; // works fine
}
cout << "_____________________________________" << endl;
{
const auto *ret = &access(); // temporary is lost
auto val = ret->vec[0]; // program crash
cout << "By Pointer = " << val << endl;
}
return 0;
}
答案 0 :(得分:1)
仅绑定到const引用的临时对象的生存期会延长,但绑定到函数返回的const引用除外,例如
const int& f(){int x{42}; return x;}
int main()
{
const int& bad = f(); // you'll end up with a dangling reference
}
或
const int& f(const int& x)
{
return x;
}
int main(){
{
const int& bad = f(42); // you'll end up (again) with a dangling reference
}
在第二种情况下,您有一个指针,因此右侧临时对象的寿命不会延长。