8

代码如下:

#include <vector>

int main()
{
    vector<int> v1(5,1);
    v1.swap(vector<int> ());  //try to swap v1 with a temporary vector object
}

上面的代码无法编译,错误:

error: no matching function for call to ‘std::vector<int, std::allocator<int> >::swap(std::vector<int, std::allocator<int> >)’

但是,如果我将代码更改为这样的代码,它可以编译:

int main()
{
    vector<int> v1(5,1);
    vector<int> ().swap(v1);
}

为什么?

4

2 回答 2

12

因为vector<int>()右值(粗略地说是临时的),并且您不能将非const引用绑定到右值。因此,在这种情况下,您不能将其传递给采用非const引用的函数。

但是,在临时对象上调用成员函数非常好,这就是您的第二个示例编译的原因。

于 2012-01-15T03:22:48.420 回答
7

该调用v1.swap(std::vector<int>())尝试将临时(即std::vector<int>())绑定到非常量引用。这是非法的并且失败了。另一方面, usingstd::vector<int>().swap(v1)在允许的 [non-const] 临时上调用非常量函数。

在 C++2011 中,我原以为声明会更改为std::vector<T>::swap(T&&),因此可以swap()与临时对象一起使用(但显然,仍然不能与const对象一起使用)。正如 GMan 指出的那样,情况并非如此。

于 2012-01-15T03:25:12.567 回答