从类返回可移动成员变量


class foo{
public:
    bar steal_the_moveable_object();
private:
    bar moveable_object;
};
main(){
    foo f;
    auto moved_object= f.steal_the_moveable_object();
}

如何实施steal_the_movebale_object以将moveable_object移入moved_object

您可以直接在 return 语句中移动成员:

class foo
{
public:
    bar steal_the_moveable_object()
    {
        return std::move(moveable_object);
    }
private:
    bar moveable_object;
};

请注意,这可能不是一个好主意。请考虑改用以下内容,以便该方法只能调用 R 值:

class foo
{
public:
    bar steal_the_moveable_object() && // add '&&' here
    {
        return std::move(moveable_object);
    }
private:
    bar moveable_object;
};
int main()
{
    foo f;
    //auto x = f.steal_the_moveable_object(); // Compiler error
    auto y = std::move(f).steal_the_moveable_object();
    return 0;
}

最新更新