3

N3290 C++ 草案中的一点,第 12.2 节,第 5 点,第 10 行。

第二个上下文是引用绑定到临时的。引用绑定到的临时对象或作为引用绑定到的子对象的完整对象的临时对象在引用的生命周期内持续存在,但以下情况除外:

临时绑定到 new-initializer (5.3.4) 中的引用将持续到包含 new-initializer 的完整表达式完成为止。[ 例子:

struct S { int mi; const std::pair<int,int>& mp; };
S a { 1, {2,3} };
S* p = new S{ 1, {2,3} };// Creates dangling reference

—结束示例] [注意:这可能会引入悬空引用,鼓励实现在这种情况下发出警告。——尾注]

这是与 C++03 相比的附加点。但是这个例子对我来说是无法理解的。你能用任何其他例子解释这一点吗?

我知道什么是悬空引用和临时对象,它们std::pair包含两个可能不同数据类型的值。

4

1 回答 1

7

临时性通常只持续到创建它们的表达式的结尾:

#include <complex>


void func()
{
    std::complex<int>   a; // Real variable last until the end of scope.

    a = std::complex<int>(1,2) + std::complex<int>(3,4);
     // ^^^^^^^^^^^^^^^^^^^^^^  Creates a temporary object
     //                         This is destroyed at the end of the expression.
     // Also note the result of the addition creates a new temporary object
     // Then uses the assignment operator to change the variable 'a'
     // Both the above temporaries and the temporary returned by '+'
     // are destroyed at ';'

如果您创建一个临时对象并将其绑定到一个引用。您也可以将其生命周期延长到与它绑定的引用的相同生命周期。

    std::complex<int> const& b  = std::complex<int>(5,6);
                      //           ^^^^^^^^^^^^^^^^ Temporary object
                      // ^^^^                       Bound to a reference.
                      //                            Will live as long as b lives 
                      //                            (until end of scope)

此规则的例外情况是临时绑定到新初始化程序中的引用。

    S* p1 = new S{ 1, {2,3} };
    // This is the new C++11 syntax that does the `equivalent off`:

    S* p2 = new S {1, std::pair<int,int>(2,3) };
                 //   ^^^^^^^^^^^^^^^^^^^^^^^    Temporary object.
                 //                              This lives until the end of the 
                 //                              expression that belongs to the new.
                 //                              ie the temporary will be destroyed
                 //                              when we get to the ';'

但是在这里我们将新的临时对象绑定到成员

const std::pair<int,int>& mp;

这是一个常量引用。但是它所绑定的临时对象将在';'处被销毁 在上面的表达式中,当您尝试在后续表达式中使用它时,mp 将是对不再存在的对象的引用。

}
于 2011-09-12T11:02:38.247 回答