从类型为</double>的右值初始化'std :: vector <double>&amp;'类型的非const引用

时间:2013-07-28 04:54:44

标签: c++

我正在学习c ++并尝试一些东西。编译器没有在注释2行引发错误。

int main(){
   vector<double> a1;
   a1.push_back(3);
   a1.push_back(7);
   a1.push_back(2);
   vector<double>& a2 = a1;          //COMMENT 1: This line has no error
   vector<double>& a4 = print(a2);   //COMMENT 2: Why this line has error? R value is an object then it should be referenced by a4? 
   return 0;
}

vector<double> print(vector<double>& a3){
   cout<<"In print function the size of vector is :";
   cout<<a3.size()<<endl;
   return a3;
}

2 个答案:

答案 0 :(得分:9)

Blehh,所以......是的,返回值是暂时的。因此,持有对它的引用是没有意义的(想象一下:当临时被破坏时引用什么都没有引用)。因此,这是不允许的。

您可以通过多种方式解决此问题:

予。保持对它的const引用,如

const vector<double> &retVal = print();

const引用将绑定临时的生命周期延长到引用的生命周期。

II。只需按值返回:

vector<double> retVal = print();

III。返回对知道具有足够生命周期的对象的引用,例如: G。班级成员:

class Foo {
    vector<double> vec;
    public:
    vector<double> &print() {
        return vec;
    }
};

Foo f;
vector<double> &retVal = f.print();

不要, 但是,从函数中返回对临时的引用,如下所示:

// this is wrong:
vector<double> &print()
{
    vector<double> v;
    return v;
}

因为它调用了未定义的行为。(注意这与你的例子不同,因为你返回的函数的参数当然是活的,但值得注意的是这种情况,因为它是一个常见的错误的。)

答案 1 :(得分:3)

您的归档类型print不是参考,因此,您会返回a3的副本。它是临时的,您无法将其绑定到引用。

您可以通过以下方式解决此问题:

vector<double>& print(vector<double>& a3){
//            ^
// note the ampersand here