分清楚什么是左值和右值,一个比较简易的方法就是能否取地址,能取地址的则为左值。
为什么引入右值机制?主要是为了效率。
右值一般为临时变量,字面常量也属于右值,因为临时变量往往在后面不可使用或者说不再使用,因此,我们可以steal窃取他们的资源。
在C++11中,标准库在
std::move函数可以以非常简单的方式将左值引用转换为右值引用。
通过std::move,可以避免不必要的拷贝操作。
std::move是为性能而生。
std::move是将对象的状态或者所有权从一个对象转移到另一个对象,只是转移,没有内存的搬迁或者内存拷贝。
下面是从其他文章中copy的测试代码,详细内容介绍可以参考对应的reference:
std::vector v = {2, 3, 3};
v = std::move(v); // undefined behavior
std::move 的函数原型.
/**
* @brief Convert a value to an rvalue.
* @param __t A thing of arbitrary type.
* @return The parameter cast to an rvalue-reference to allow moving it.
*/
template
constexpr typename std::remove_reference<_Tp>::type&&
move(_Tp&& __t) noexcept
{ return static_cast::type&&>(__t); }
结构体 remove_reference 的原型,就是重载了多个结构体模板来获取原类型 type.
/// remove_reference
template
struct remove_reference
{ typedef _Tp type; };
template
struct remove_reference<_Tp&>
{ typedef _Tp type; };
template
struct remove_reference<_Tp&&>
{ typedef _Tp type; };
void TestSTLObject()
{
std::string str = "Hello";
std::vector v;
// uses the push_back(const T&) overload, which means
// we'll incur the cost of copying str
v.push_back(str);
std::cout << "After copy, str is \"" << str << "\"\n";
// uses the rvalue reference push_back(T&&) overload,
// which means no strings will be copied; instead, the contents
// of str will be moved into the vector. This is less
// expensive, but also means str might now be empty.
v.push_back(std::move(str));
std::cout << "After move, str is \"" << str << "\"\n";
std::cout << "The contents of the vector are \"" << v[0]
<< "\", \"" << v[1] << "\"\n";
}
输出:
After copy, str is "Hello"
After move, str is ""
The contents of the vector are "Hello", "Hello"
int test_move()
{
std::string str1{ "abc" }, str2;
fprintf(stdout, "str1: %s\n", str1.c_str()); // abc
std::move(str1);
fprintf(stdout, "str1: %s\n", str1.c_str()); // abc
str2 = std::move(str1);
fprintf(stdout, "str1: %s\n", str1.c_str()); //
fprintf(stdout, "str2: %s\n", str2.c_str()); // abc
return 0;
}