代码如下:
#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);
}
为什么?
答案 0 :(得分:9)
因为vector<int>()
是rvalue(粗略地说是临时的),并且您无法将非const
引用绑定到右值。因此,在这种情况下,您无法将其传递给采用非const
引用的函数。
但是,在temporaries上调用成员函数是完全没问题的,这就是你的第二个例子编译的原因。
答案 1 :(得分:6)
调用v1.swap(std::vector<int>())
尝试将临时(即std::vector<int>()
)绑定到非const引用。这是非法的并且失败了。另一方面,使用std::vector<int>().swap(v1)
在允许的[non-const]临时函数上调用非const函数。
在C ++ 2011中,我认为声明会更改为std::vector<T>::swap(T&&)
,因此可以将swap()
与临时表一起使用(但很明显,仍然没有{{1}对象)。正如GMan所指出的那样并非如此。