写。建议的重复“在 C++11 中传递值是合理的默认值吗?” - 那里的问题和答案都没有提到“通用参考”构造函数版本,所以我真的看不到重复。考虑重新开放。
我正在熟悉移动语义,并尝试使用它。请看一下这段(可编译的)代码:
#include <iostream>
#include <string>
struct my_str {
std::string s;
my_str(const std::string & str): s(str) { std::cout << " my_str parameter ctor" << std::endl; }
my_str(const my_str & o): s(o.s) { std::cout << " my_str copy ctor" << std::endl; }
my_str(my_str && o): s(std::move(o.s)) { std::cout << " my_str move ctor" << std::endl; }
};
template <typename T>
my_str build_ur(T && s) {
return my_str(std::forward<T>(s));
}
my_str build_val(my_str s) {
return my_str(std::move(s));
}
int main() {
my_str s1("hello");
my_str s2("world");
std::cout << "Building from universal reference (copy):" << std::endl;
build_ur(s1);
std::cout << "Building from universal reference (move):" << std::endl;
build_ur(std::move(s1));
std::cout << "Building from value (copy):" << std::endl;
build_val(s2);
std::cout << "Building from value (move):" << std::endl;
build_val(std::move(s2));
std::cout << std::endl;
return 0;
}
输出:
g++-4.8 -std=c++11 -O2 -Wall -pedantic -pthread main.cpp && ./a.out
my_str parameter ctor
my_str parameter ctor
Building from universal reference (copy):
my_str copy ctor
Building from universal reference (move):
my_str move ctor
Building from value (copy):
my_str copy ctor
my_str move ctor
Building from value (move):
my_str move ctor
my_str move ctor
http://coliru.stacked-crooked.com/a/3be77626b7ca6f2c
在这两种情况下,这两个功能都可以完成正确的工作。按值函数再次调用移动构造函数,但这应该很便宜。您能否评论一下哪种模式应该优先于另一种模式的情况?