c – 复制赋值运算符是否应该通过const引用或值传递?

前端之家收集整理的这篇文章主要介绍了c – 复制赋值运算符是否应该通过const引用或值传递?前端之家小编觉得挺不错的,现在分享给大家,也给大家做个参考。
在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中没用,因为你也有一个移动赋值运算符.

原文链接:https://www.f2er.com/c/118817.html

猜你在找的C&C++相关文章