5

正如预期的那样,以下代码不会编译

#include <iostream>

class A
{

  public:

    A() = default;
    ~A() = default;

    A(const A&) = delete;
    A(A&&) = delete;

    A& operator=(const A&) = delete;
    A& operator=(A&&) = delete;

    A& operator<<(const int i)
    {
      std::cout << "operator<< called" << std::endl;
      return *this;
    }

};

void foo(A&& a)
{
  std::cout << "foo called" << std::endl;
}

int main()
{
  A a; a << 14;
  foo(std::move(a)); // works fine

  foo(A() << 14);    // does not compile

  return 0;
}

将 A 类更改为

class A
{

  public:

    A() = default;
    ~A() = default;

    A(const A&) = delete;
    A(A&&) = delete;

    A& operator=(const A&) = delete;
    A& operator=(A&&) = delete;

    A& operator<<(const int i) &
    {
      std::cout << "operator<< called on lvalue" << std::endl;
      return *this;
    }

    A&& operator<<(const int i) &&
    {
      std::cout << "operator<< called on rvalue" << std::endl;
      return std::move(*this);
    }


};

使程序编译。但是,使用 std::move 返回右值通常不是一个好主意,因为它会返回悬空引用或阻止编译器进行某些优化。

所描述的案例是经验法则“不按右值返回”的少数例外之一,还是应该以不同的方式解决问题?

太谢谢了!

4

1 回答 1

0

此代码完全有效且安全。因为你的对象已经是一个右值

A&& operator<<(const int i) &&

再次将其转换为右值(使用移动)不会改变代码的安全性。在这种情况下不会进行 NRVO 优化,因此代码的速度不太可能受到影响。

因此,当您制定它时,我会说“是的,这是规则的例外”

此外,这条规则也不是通用的:如果你了解发生了什么(这就是你问这个问题的原因),你可以依靠你的直觉而不是它。

于 2015-05-22T16:54:18.973 回答