如何像std C ++流一样使用我的日志类?

时间:2009-02-04 15:13:59

标签: c++ logging stream

我有一个工作的记录器类,它将一些文本输出到richtextbox(Win32,C ++)。 问题是,我总是这样使用它:

stringstream ss;  
ss << someInt << someString;  
debugLogger.log(ss.str());

相反,使用它像流程一样方便得多:

debugLogger << someInt << someString;

有没有比将内容转发到内部字符串流实例更好的方法?如果这样做,我什么时候需要冲洗?

5 个答案:

答案 0 :(得分:32)

您需要为您的班级适当地实施operator <<。一般模式如下:

template <typename T>
logger& operator <<(logger& log, T const& value) {
    log.your_stringstream << value;
    return log;
}

请注意,这会处理(非const)引用,因为操作会修改您的记录器。另请注意,您需要返回log参数才能使链接起作用:

log << 1 << 2 << endl;
// is the same as:
((log << 1) << 2) << endl;

如果最里面的操作没有返回当前的log实例,则所有其他操作将在编译时失败(方法签名错误)或在运行时被吞下。

答案 1 :(得分:14)

重载插入运算符&lt;&lt;不是要走的路。您必须为所有endl或任何其他用户定义的函数添加重载。

要做的就是定义自己的streambuf,并将其绑定到流中。然后,您只需使用流。

以下是一些简单的例子:

答案 2 :(得分:1)

作为Luc Hermitte noted,有"Logging In C++"文章描述了解决这个问题的非常巧妙的方法。简而言之,鉴于您具有以下功能:

void LogFunction(const std::string& str) {
    // write to socket, file, console, e.t.c
    std::cout << str << std::endl;
}

可以编写一个包装器,以便像std :: cout一样使用它:

#include <sstream>
#include <functional>

#define LOG(loggingFuntion) \
    Log(loggingFuntion).GetStream()

class Log {
    using LogFunctionType = std::function<void(const std::string&)>;

public:
    explicit Log(LogFunctionType logFunction) : m_logFunction(std::move(logFunction)) { }
    std::ostringstream& GetStream() { return m_stringStream; }
    ~Log() { m_logFunction(m_stringStream.str()); }

private:
    std::ostringstream m_stringStream;
    LogFunctionType m_logFunction;
};

int main() {
    LOG(LogFunction) << "some string " << 5 << " smth";
}

online demo

此外,斯图尔特提供了非常好的solution

答案 3 :(得分:1)

解决冲洗问题的优雅解决方案如下:

#include <string>
#include <memory>
#include <sstream>
#include <iostream>

class Logger
{
    using Stream = std::ostringstream;
    using Buffer_p = std::unique_ptr<Stream, std::function<void(Stream*)>>;

public:
    void log(const std::string& cmd) {
        std::cout << "INFO: " << cmd << std::endl;
    }

    Buffer_p log() {
        return Buffer_p(new Stream, [&](Stream* st) {
            log(st->str());
        });
    }
};

#define LOG(instance) *(instance.log())

int main()
{
    Logger logger;
    LOG(logger) << "e.g. Log a number: " << 3;
    return 0;
}

答案 4 :(得分:0)

在Logger类中,覆盖&lt;&lt;操作

点击Here了解如何实施&lt;&lt;操作

您还可以避免代码中的日志记录语句 使用面向方面编程。