运营商LT;<使用w / temp变量,但不直接使用函数调用

时间:2016-01-16 03:28:50

标签: c++ c++11

我正在尝试为一个班级写一个std::ostream operator<<。我有一个函数(利用ROV)返回该类的实例。

当我将该函数调用的结果赋给局部变量时,我的运算符工作,然后将本地传递给operator <<,但是当我直接传递结果时,不是。这是怎么回事?

简化的独立示例(test.cpp):

#include <iostream>

template <class T>
class AnObject{
public: 
  AnObject(T value) : m_value(value) {}
  T getValue(){ return m_value; }
protected:
  T m_value;
};

template <class T>
std::ostream & operator<<(std::ostream& os, AnObject<T> & obj )
{
  os << obj.getValue();
  return os;
}

AnObject<int> getObject()
{
  return AnObject<int>(5);
}

int main(int argc, char**argv)
{
  // This doesn't compile
  std::cout << getObject() << std::endl;

  // This does....
  //auto obj = getObject();
  //std::cout << obj << std::endl;
}

编译器命令(Ubuntu上的g ++版本4.8.4):

g ++ -std = c ++ 11 test.cpp

错误:

test.cpp:26:26: error: cannot bind ‘std::ostream {aka std::basic_ostream<char>}’ lvalue to ‘std::basic_ostream<char>&&’

1 个答案:

答案 0 :(得分:-1)

AnObject<int> getObject()
{
  return AnObject<int>(5);
}

以上此功能是您的错误。为什么?因为它被用作右值表达式的一部分,而不是左值。

在C ++中,lvalues有点代表&#34;容器&#34;持有实际价值。 rvalues指的是这些&#34;实际&#34;值。一个很好的例子:

int i = 5; // i is the lvalue, 5 is the rvalue.
// 5 by itself is not a variable, but i has the rvalue of 5 but the lvalue of i.

<<运算符需要一个实际的对象而不是它的值 - 换句话说,它应该有一个&#34; home&#34;并存放在某处。

所以要么做另一个需要&&的重载,这意味着它可以采取可能不会生存的值#34;任何地方(例如表达式)或要求进入左值的值(对真实对象的引用)。一个好的选择是使用const T&,可以投射右值。