我想做出类似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'的默认构造函数”-我需要做些什么来修复它?

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

最佳答案

您试图将各种值类型输出到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()
        };
};

10-04 12:29