3

我正在学习 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;
}
4

2 回答 2

9

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

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

I. 持有对它的 const 引用,如

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

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

二、只需按值返回:

vector<double> retVal = print();

三、返回对您知道将具有足够生命周期的对象的引用,例如类成员:

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;
}

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

于 2013-07-28T05:06:01.857 回答
3

您的返回类型print不是参考,因此,您返回a3. 它是临时的,您不能将其绑定到引用。

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

vector<double>& print(vector<double>& a3){
//            ^
// note the ampersand here
于 2013-07-28T05:00:00.133 回答