copy-and-swap语义

std::swap 是 C++ 标准库中的一个函数模板,位于 <algorithm> 头文件中(C++11 之前在 <utility> 中)。它的主要作用是交换两个对象的值。下面为你详细介绍它的用法、实现原理和示例。

copy-and-Swap 可以解决拷贝赋值函数中自赋值以及申请新内存可能导致异常的问题:

  1. 利用拷贝构造函数:
    1. 通过值传递参数(比如String s),调用拷贝构造函数创建一个临时对象。
    2. 如果拷贝构造函数抛出异常,不会影响当前对象的状态。
  1. 交换资源:
    1. 使用 swap 函数将临时对象的资源与当前对象的资源交换。
    2. swap 操作是 noexcept 的,不会抛出异常。
  1. 自动释放旧资源:
    1. 临时对象的析构函数会自动释放旧资源。

那什么是copy-and-swap?直接看代码:

arduino 复制代码
class String {
char *str;
public:
String &operator=(String s) // the pass-by-value parameter servrs as a temporary
{
    s.swap(*this); // Non-throwing swap
    return *this;
}
void swap(String &s) noexcept {
    std::swap(this->str, s.str);
}
};

当然也可以:

arduino 复制代码
class String {
char *str;
public:
String &operator=(const String &s) {
    if (this != &s)
    {
        String(s).swap(*this); // Copy-constructor and non-throeing swap
    }

    // Old resources are released with the destruction of the temporrary abore
    return *this;
}
void swap(String *s) noexcept
{
    std::swap(this->str, s.str);
}
};

更优雅的写法是:

arduino 复制代码
String &operator=(String s) {
    s.swap(*this);
    return *this;
}
void swap(String *s) noexcept
{
    std::swap(this->str, s.str);
}

这种方式不仅方便,而且也做了进一步优化:

  • 如果参数原来是个左值,会直接做拷贝,而其实这次拷贝无论在哪都无法避免
  • 如果参数原来是右值或者临时对象,就节省了一次拷贝和析构,这也叫copy elision,这种operator也就统一赋值运算符

In C++11, such an assignment operator is known as a unifying assignment operator because it eliminates the need to write two different assignment operators: copy-assignment and move-assignment. As long as a class has a move-constructor, a C++11 compiler will always use it to optimize creation of a copy from another temporary (rvalue). Copy-elision is a comparable optimization in non-C++11 compilers to achieve the same effect.

优点

  • 异常安全:如果拷贝构造函数抛出异常,当前对象的状态不会被破坏。
  • 代码简洁:不需要手动检查自赋值,也不需要显式释放资源。
  • 支持移动语义(C++11 及以上):如果传递的是右值(临时对象),编译器会自动优化,调用移动构造函数而不是拷贝构造函数。
  • 统一赋值运算符:一个赋值运算符同时支持拷贝赋值和移动赋值,减少了代码重复。

总结

  1. copy-and-Swap 的核心:通过值传递参数调用拷贝构造函数,利用 swap 函数交换资源,确保异常安全。
  2. 适用场景:适用于需要动态管理资源的类(如字符串、容器等)。
  3. 优点:异常安全、代码简洁、支持移动语义。
  4. 注意事项 :确保 swap 函数是 noexcept 的,也要确保拷贝构造函数和析构函数正确实现。
相关推荐
止观止21 小时前
实战演练:用现代 C++ 重构一个“老项目”
c++·实战·raii·代码重构·现代c++
草莓熊Lotso1 天前
unordered_map/unordered_set 使用指南:差异、性能与场景选择
java·开发语言·c++·人工智能·经验分享·python·网络协议
咔咔咔的1 天前
1930. 长度为 3 的不同回文子序列
c++
Cinema KI1 天前
吃透C++继承:不止是代码复用,更是面向对象设计的底层思维
c++
Dream it possible!1 天前
LeetCode 面试经典 150_二叉搜索树_二叉搜索树中第 K 小的元素(86_230_C++_中等)
c++·leetcode·面试
Bona Sun1 天前
单片机手搓掌上游戏机(十四)—pico运行fc模拟器之电路连接
c语言·c++·单片机·游戏机
oioihoii1 天前
性能提升11.4%!C++ Vector的reserve()方法让我大吃一惊
开发语言·c++
小狗爱吃黄桃罐头1 天前
《C++ Primer Plus》模板类 Template 课本实验
c++
码力码力我爱你2 天前
Harmony OS C++实战
开发语言·c++
Vect__2 天前
别再只懂 C++98!C++11 这7个核心特性,直接拉开你与普通开发者的差距
c++