ostream的和放;运营商LT;<重载代码无法正常工作

时间:2011-11-22 20:50:53

标签: c++ templates operator-overloading

#include <string>
#include <iostream>

template <typename T>
T max(T a, T b) {
    return a > b ? a : b;
}

class Dummy {
  private:
    std::string name;
    int age;
  public:
    Dummy(int an_age) {age = an_age;}
    bool operator> (Dummy &a) {return age > a.age;}
    std::string toString() const {return "The age is " + age;}
};

std::ostream& operator<<(std::ostream& out, const Dummy& d) {return out<< d.toString();}

int main()
{

  std::cout << max(3, 7) << std::endl;

  std::cout << max(3.0, 7.0) << std::endl;

  std::cout << max<int>(3, 7.0) << std::endl;

  std::cout << max("hello", "hi") << std::endl;

  Dummy d1(10);
  Dummy d2(20);
  std::cout << max(&d1, &d2) << std::endl;

  return 0;
}

我对C ++很陌生,但对编程并不陌生。我编写了代码来使用C ++中的模板和运算符重载。

使编译和部分工作花了很长时间。

  1. ostream运算符&lt;&lt;无法正常工作,只返回对象的地址。我无法弄清楚原因。

  2. 我设法通过盲目的试错来编译,所以我怀疑代码可能会在某种程度上被破坏。我可能不知道会有什么改进。

3 个答案:

答案 0 :(得分:6)

您的max(&d1,&d2)表达式为您提供地址,并打印出来。你的运营商超载很好。

答案 1 :(得分:3)

我认为你所谈论的那条线是

std::cout << max(&d1, &d2) << std::endl;

问题是您传递的是Dummy *而不是Dummy。这使得max返回Dummy *,并且由于您的重载operator<<占用(基本上)Dummy,因此不会调用它。如果你试图通过引用传递,你不需要在调用者方面做任何特殊的事情,只需让函数接受引用,编译器就会想出来。

答案 2 :(得分:2)

  1. 不要自己编写max,而是使用标准版本:

    #include <algorithm>
    void f() { int a = std::max(8, 4); }
    

    唯一的区别是标准max默认使用operator <,就像标准库中的其他内容一样。

  2. 您的toString函数与您的想法有所不同。它改为从字符编号"The age is "开始返回age的子字符串。例如,如果age为3,toString将返回" age is "。要将整数转换为字符串,您必须使用ostringstream

    std::string toString() const { 
        std::ostringstream s;
        s << "The age is " << age; 
        return s.str();
    }