产生详细输出的良好做法是什么?目前,我有一个功能

bool verbose;
int setVerbose(bool v)
{
    errormsg = "";
    verbose = v;
    if (verbose == v)
        return 0;
    else
        return -1;
}

每当我想生成输出时,我都会做类似的事情
if (debug)
     std::cout << "deleting interp" << std::endl;

但是,我认为那不是很优雅。所以我想知道实现这种冗长切换的好方法是什么?

最佳答案

最简单的方法是按如下方式创建小类(这是Unicode版本,但是您可以轻松地将其更改为单字节版本):

#include <sstream>
#include <boost/format.hpp>
#include <iostream>
using namespace std;

enum log_level_t {
    LOG_NOTHING,
    LOG_CRITICAL,
    LOG_ERROR,
    LOG_WARNING,
    LOG_INFO,
    LOG_DEBUG
};

namespace log_impl {
class formatted_log_t {
public:
    formatted_log_t( log_level_t level, const wchar_t* msg ) : fmt(msg), level(level) {}
    ~formatted_log_t() {
        // GLOBAL_LEVEL is a global variable and could be changed at runtime
        // Any customization could be here
        if ( level <= GLOBAL_LEVEL ) wcout << level << L" " << fmt << endl;
    }
    template <typename T>
    formatted_log_t& operator %(T value) {
        fmt % value;
        return *this;
    }
protected:
    log_level_t     level;
    boost::wformat      fmt;
};
}//namespace log_impl
// Helper function. Class formatted_log_t will not be used directly.
template <log_level_t level>
log_impl::formatted_log_t log(const wchar_t* msg) {
    return log_impl::formatted_log_t( level, msg );
}

辅助函数log已制成模板,以获取不错的调用语法。然后可以按以下方式使用它:
int main ()
{
    // Log level is clearly separated from the log message
    log<LOG_DEBUG>(L"TEST %3% %2% %1%") % 5 % 10 % L"privet";
    return 0;
}

您可以通过更改全局GLOBAL_LEVEL变量在运行时更改详细程度。

关于c++ - 产生详细输出的良好做法是什么?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/1255576/

10-09 05:37