以“测试模式”打印信息但不在“正常执行”中打印信息

时间:2009-01-18 21:18:01

标签: c++ testing printing

我在c ++中使用一个使用特殊dprintf函数打印信息的应用程序,这是一个例子:

dprintf(verbose, "The value is: %d", i);

正在做的是当我为测试目的定义详细信息然后我打印信息时,当我正常执行时,我没有定义它,我没有在屏幕上看到无用的信息。我的问题是我该如何实现这个功能或实现相同的想法?。

3 个答案:

答案 0 :(得分:15)

我尽量避免使用var-arg c-style函数,原因有两个:

  • 它们不是类型安全的,不能使用运算符<<
  • 他们无法识别何时提供的论点太少或很多

我已经找到了一种使用boost::fusion的方法,它以类型安全的方式给出了参数。它迭代这些参数,在遇到%时打印出来。如果给出的参数太少或太多,则抛出异常。

仍然存在一个问题:Variadic宏在C ++中尚未成为标准。所以,我已经制作了两个版本。适用于当前C ++的一个。你必须使用

调用它
dprintf("name: %, value: %\n", ("foo", 42));

然后。使用可变参数宏的另一个版本可以通过定义预处理器符号来使用,这使您可以编写

dprintf("name: %, value: %\n", "foo", 42);

这是代码。 boost.fusion为此提供了更多详细信息:

#include <boost/fusion/include/sequence.hpp>
#include <boost/fusion/include/make_vector.hpp>
#include <boost/fusion/include/next.hpp>
#include <stdexcept>
#include <iostream>

template<typename IterS, typename IterSeqE>
void print_vec(IterS b, IterS e, IterSeqE, IterSeqE) {
    while(b != e) {
        if(*b == '%') {
            if(++b != e && *b == '%') {
                std::cout << '%';
            } else {
                throw std::invalid_argument("too many '%'");
            }
        } else {
            std::cout << *b;
        }
        ++b;
    }
}

template<typename IterS, typename IterSeqB, typename IterSeqE>
void print_vec(IterS b, IterS e, IterSeqB seqb, IterSeqE seqe) {
    while(b != e) {
        if(*b == '%') {
            if(++b != e && *b == '%') {
                std::cout << '%';
            } else {
                std::cout << *seqb;
                return print_vec(b, e, next(seqb), seqe);
            }
        } else {
            std::cout << *b;
        }
        ++b;
    }
    throw std::invalid_argument("too few '%'");
}

template<typename Seq>
void print_vec(std::string const& msg, Seq const& seq) {
    print_vec(msg.begin(), msg.end(), begin(seq), end(seq));
}

#ifdef USE_VARIADIC_MACRO
#  ifdef DEBUG
#    define dprintf(format, ...) \
         print_vec(format, boost::fusion::make_vector(__VA_ARGS__))
#  else 
#    define dprintf(format, ...)
#  endif
#else
#  ifdef DEBUG
#    define dprintf(format, args) \
         print_vec(format, boost::fusion::make_vector args)
#  else 
#    define dprintf(format, args)
#  endif
#endif

// test, using the compatible version. 
int main() {
    dprintf("hello %, i'm % years old\n", ("litb", 22));
}

答案 1 :(得分:9)

#ifdef DEBUG
#define dprintf(format, ...) real_dprintf(format, __VA_ARGS__)
#else
#define dprintf
#endif

这里real_dprintf()是被调用的“真实”函数,而dprintf()只是一个包裹调用的宏。

答案 2 :(得分:4)

预处理器解决方案可以工作,但是必须重建才能从一个改变到另一个解决方案。我经常会在运行时做出决定。我先声明:

static void do_nothing(const char *fmt, ...) { (void)fmt; }
extern void real_dprintf(const char *fmt, ...);
void (*dprintf)(const char *fmt, ...) = do_nothing;

然后在初始化代码中我有

if (getenv("APPLICATION") && strstr(getenv("APPLICATION"), "dprintf"))
    dprintf = real_dprintf;

这样我就可以通过改变环境变量的值来快速改变模式。