15

生成详细输出的好习惯是什么?目前,我有一个功能

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;

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

4

5 回答 5

15

最简单的方法是按如下方式创建小类(这里是 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变量在运行时更改详细级别。

于 2009-08-10T16:35:24.517 回答
10
int threshold = 3;
class mystreambuf: public std::streambuf
{
};
mystreambuf nostreambuf;
std::ostream nocout(&nostreambuf);
#define log(x) ((x >= threshold)? std::cout : nocout)

int main()
{
    log(1) << "No hello?" << std::endl;     // Not printed on console, too low log level.
    log(5) << "Hello world!" << std::endl;  // Will print.
    return 0;
}
于 2009-08-10T15:44:39.110 回答
3

你可以使用log4cpp

于 2009-08-10T15:35:08.770 回答
3

您可以将功能包装在支持 << 运算符的类中,该运算符允许您执行类似的操作

class Trace {
   public:
      enum { Enable, Disable } state;
   // ...
   operator<<(...)
};

然后你可以做类似的事情

trace << Trace::Enable;
trace << "deleting interp"
于 2009-08-10T15:36:39.783 回答
3

1.如果您使用 g++,您可以使用 -D 标志,这允许编译器定义您选择的宏。

定义

例如 :

#ifdef DEBUG_FLAG
 printf("My error message");
#endif

2.我同意这也不优雅,所以让它更好一点:

void verbose(const char * fmt, ... )
{
va_list args;  /* Used as a pointer to the next variable argument. */
va_start( args, fmt );  /* Initialize the pointer to arguments. */

#ifdef DEBUG_FLAG
printf(fmt, &args);  
#endif
/*This isn't tested, the point is to be able to pass args to 
printf*/
}

你可以像 printf 一样使用:

verbose("Error number %d\n",errorno);

3.第三种更简单、更类似于 C++ 和 Unix 的解决方案是将参数传递给您的程序,该参数将被用作前面的宏 - 以初始化特定变量(可能是全局常量)。

示例:$ ./myprogram -v

if(optarg('v')) static const verbose = 1;
于 2012-01-20T12:33:30.477 回答