在 C++ 中,右值引用允许您直接绑定到临时对象(即右值),从而能够对其进行移动操作,而不是复制。以下是如何使用右值引用的示例:
#include <iostream> #include <string> class MyString { public: // 默认构造函数 MyString() : data_(nullptr), size_(0) {} // 移动构造函数 MyString(MyString&& other) noexcept : data_(other.data_), size_(other.size_) { other.data_ = nullptr; other.size_ = 0; } // 拷贝构造函数 MyString(const MyString& other) : data_(new char[other.size_]), size_(other.size_) { std::copy(other.data_, other.data_ + other.size_, data_); } // 析构函数 ~MyString() { delete[] data_; } // 赋值运算符 MyString& operator=(MyString&& other) noexcept { if (this != &other) { delete[] data_; data_ = other.data_; size_ = other.size_; other.data_ = nullptr; other.size_ = 0; } return *this; } // 打印字符串 void print() const { std::cout << data_ << std::endl; } private: char* data_; size_t size_; }; int main() { MyString s1("Hello, World!"); MyString s2 = std::move(s1); // 调用移动构造函数,将 s1 的资源移动到 s2 s1.print(); // 输出空字符串,因为 s1 的资源已被移动到 s2 s2.print(); // 输出 "Hello, World!",因为 s2 现在拥有 s1 原来的资源 return 0; } 在这个例子中,我们定义了一个 MyString 类,它具有移动构造函数、移动赋值运算符等资源管理功能。当我们使用 std::move(s1) 将 s1 转换为右值引用并传递给 MyString 的移动构造函数时,s1 的资源被移动到 s2,而不是被复制。这样可以提高性能,特别是在处理大型对象时。