在C 11之前,一直都是复制赋值运算符应该总是通过const引用的情况,如下所示:
template <typename T> ArrayStack<T>& operator= (const ArrayStack& other);
但是,随着移动赋值运算符和构造函数的引入,似乎有些人主张使用pass by value进行复制赋值.还需要添加移动赋值运算符:
template <typename T> ArrayStack<T>& operator= (ArrayStack other); ArrayStack<T>& operator= (ArrayStack&& other);
上面的2个运算符实现如下所示:
template <typename T> ArrayStack<T>& ArrayStack<T>::operator =(ArrayStack other) { ArrayStack tmp(other); swap(*this,tmp); return *this; } template <typename T> ArrayStack<T>& ArrayStack<T>::operator =(ArrayStack&& other) { swap(*this,other); return *this; }
在为C 11开始创建复制赋值运算符时,使用pass by值是一个好主意吗?我应该在什么情况下这样做?
解决方法
Prior to C++11,it has always been the case that copy assignment operator should always pass by const reference
事实并非如此.最好的方法一直是使用the copy-and-swap idiom,这就是你在这里看到的(虽然身体中的实现是次优的).
如果有的话,这在C 11中没用,因为你也有一个移动赋值运算符.