如何正确地重载“<<<< C ++中的运算符?

时间:2016-04-12 04:51:58

标签: c++ operator-overloading

我想做出像std::cout这样的行为:

int a = 10, b = 15, c = 7;
MyBaseClass << "a = " << a << ", b = " << b << std::endl;

我尝试实现一些我刚读过的东西,但它对我不起作用。我想在一个叫operator的课程中实现MyBaseClass。我试过这个:

class MyBaseClass {
    private:
        std::ostream someOut;
    public:
        // My first try:
        std::ostream &operator<< ( std::ostream &out, const std::string &message ) {
        }

        // The second try:
        std::ostream &operator<< ( const std::string &message ) {
            someOut << message << std::endl;
            return someOut;
        }

        void writeMyOut() { 
            std::cout << someOut.str() 
        };
};

当我编译它时,我得到:“调用'MyBaseClass'的implicity-deleted默认构造函数” - 我需要做些什么来修复它?

OS X,Xcode,clang编译器,都是最新的。

1 个答案:

答案 0 :(得分:3)

您尝试将各种值类型输出到MyBaseClass对象中,因此需要支持相同的集合。我还将someOut更改为std::ostringstream,它能够累积输出。您可能同样希望它是传递给构造函数的调用方提供的流的std::ostream& ....

class MyBaseClass {
    private:
        std::ostringstream someOut;
    public:
        ...other functions...
        // The second try:
        template <typename T>
        MyBaseClass& operator<< ( const T& x ) {
            someOut << x;
            return *this;
        }

        void writeMyOut() const { 
            std::cout << someOut.str() 
        };
};