我有一种只能移动的类型,禁止复制。我想在某个系统中传递它,但我不确定将哪种签名用于在参数中采用该类型的函数。这种类型的对象必须移动到系统中,不应该进行任何复制。
例子:
#include <vector>
class Foo
{
public:
Foo( std::string name ) : m_name( std::move( name ) ){}
Foo( Foo&& other ) : m_name( std::move( other.m_name ) ){}
Foo& operator=( Foo&& other ){ m_name = std::move( other.m_name ); }
const std::string& name() const { return m_name; }
// ...
private:
Foo( const Foo& ) ;//= delete;
Foo& operator=( const Foo& ) ;//= delete;
// ...
std::string m_name;
};
class Bar
{
public:
void add( Foo foo ) // (1)
// or...
void add( Foo&& foo ) // (2)
{
m_foos.emplace_back( std::move(foo) ); // if add was template I should use std::forward?
}
private:
std::vector<Foo> m_foos;
};
void test()
{
Bar bar;
bar.add( Foo("hello") );
Foo foo("world");
bar.add( std::move(foo) );
}
(假设我正在移动对象,两个签名都在 VS2012 中编译)
应该首选 1 和 2 之间的哪个签名?
看起来两者都有效,但我认为必须有区别......