提问人:Dávid Tóth 提问时间:11/4/2019 更新时间:11/4/2019 访问量:197
错误:使用复制和交换习语的交换函数中“operator=”的不明确重载
error: ambiguous overload for 'operator=' in swap function using the copy-and-swap idiom
问:
在具有常量引用作为成员的类中使用 copy-and-swap 习语时, 出现上述错误。
示例代码:
#include <iostream>
#include <functional>
using std::reference_wrapper;
class I_hold_reference;
void swap(I_hold_reference& first, I_hold_reference& second);
class I_hold_reference{
inline I_hold_reference(const int& number_reference) : my_reference(number_reference){}
friend void swap(I_hold_reference& first, I_hold_reference& second);
inline I_hold_reference& operator=(I_hold_reference other){
swap(*this, other);
return *this;
}
inline I_hold_reference& operator=(I_hold_reference&& other){
swap(*this, other);
return *this;
}
private:
reference_wrapper<const int> my_reference;
};
void swap(I_hold_reference& first, I_hold_reference& second){
first = I_hold_reference(second.my_reference); //error: use of overloaded operator '=' is ambiguous (with operand types 'I_hold_reference' and 'I_hold_reference')
}
当 Copy 赋值运算符更改为按引用而不是按值获取其参数时,错误将得到修复。
inline I_hold_reference& operator=(I_hold_reference& other){ ... }
为什么这样可以修复错误? 一种可能的含义是,链接问题中引用的重要优化可能性丢失。对于参考资料来说,这是真的吗? 此更改还会产生哪些其他影响?
有一个依赖于此运算符的代码库,不存在其他成员,只有提到的引用。是否需要以某种方式使代码库适应此更改,或者它是安全的?
答:
如果你仔细遵循你链接的描述,你会看到你必须只有一个重载,并且这个重载需要按值获取它的参数。因此,只需删除重载即可使您的代码可编译。operator=
operator=(I_hold_reference&&)
然而,这并不是唯一的问题。你不交换!相反,它会分配 to 的副本,并保持不变。swap
second
first
second
这是你想要的:
class I_hold_reference
{
I_hold_reference(const int& number_reference)
: my_reference(number_reference){}
friend void swap(I_hold_reference& first, I_hold_reference& second)
{
using std::swap;
swap(first.my_reference, second.my_reference);
}
I_hold_reference& operator=(I_hold_reference other)
{
swap(*this, other);
return *this;
}
private:
reference_wrapper<const int> my_reference;
};
注意:我删除了不必要的 s,因为成员函数是隐式内联的。此外,我在你的类中声明了该函数。您可以在共享的链接中找到对此的解释。inline
swap
此外,在这个特定示例中,首先不需要使用复制和交换习语。 不是手动维护的资源,这意味着它内置了适当的复制和移动语义。因此,在这个特定示例中,编译器生成的复制和移动运算符将具有与此处手动创建的运算符完全相同的行为。所以,你应该使用它们,而不是以任何方式写你自己的。另一方面,如果这只是一个玩具示例,并且真实类中确实有更多资源需要手动管理,那么这就是要走的路。std::reference_wrapper
评论
std::swap
swap
reference_wrapper
new
delete
使用转发引用将绑定到任何右值(临时/转发引用)。这些类别也可以作为值传递,然后不明确。也就是说,例如,临时值是模棱两可的,因为左值不会是(使用值重载)。&&
其中,非常量引用永远不能绑定到临时引用或转发引用。常量引用可以,但不是模棱两可的。
评论
operator=(A const&)
operator=(A&&)
评论
swap
operator=
operator=
std::swap(first.my_reference, second.my_reference)
inline
void f(int); void f(int&&); int main{ f(1);}