这是移动语义的正确用法吗?

时间:2013-07-22 01:19:06

标签: c++11 move-semantics rvalue-reference

我有一个函数调用

class MyClass {
    static std::string getName(void) {
        return getMyName(void); // Returning by value as well
    }
};

现在,如果我在类的构造函数中使用此函数

class AnotherClass {
public:
    AnotherClass(void) :
        m_name(std::move(MyClass::getName())) {} // 1. std::move used

    const std::string& name(void) const {   // 2. Should I use std::string&& (without consts)
                                            //    .... but I also need to make sure value cannot be changed (e.g, name() = "blah";)
                                            //    if std::string&& will be used should I use it simply by calling name() to call function using move or should I leave it as is?
        return m_name;
    }
private:
    std::string m_name;
}

这是移动语义的正确用法吗?如何确保函数使用移动语义?

我试图通过移动语义学习如何实现效率,如果它的愚蠢问题那么道歉。

我已经检查了

What are move semantics?

http://www.cprogramming.com/c++11/rvalue-references-and-move-semantics-in-c++11.html

Is this correct usage of C++ 'move' semantics?

一个很好的解释,但需要确认函数是否正在使用移动语义。

1 个答案:

答案 0 :(得分:2)

此处无需使用std::move

   m_name(std::move(MyClass::getName())) {} // no need to use std::move

getName()返回一个副本,该副本已经是右值。

就像你通常那样做:

   m_name(MyClass::getName()) {}

如果需要,将自动使用移动构造函数。 (编译器可以完全省略副本并将MyClass::getName()的返回值直接构造到m_name,这样会更好。)

至于此:

const std::string& name() const { return m_name; }

这里也没有必要做任何特别的事情。您不希望更改m_name,因此您不应使用std::move,而应使用常规的限制值参考。

您需要std::move的最常见情况是您创建自己的移动构造函数时:

class AnotherClass {
public:
    AnotherClass(AnotherClass &&that) :
        m_name(std::move(that.m_name))
    {
    }
};

这是因为即使that被声明为右值引用,在构造函数中,that的行为类似于常规左值引用。