C++11变分模板

C++11 Variadic Template

本文关键字:C++11      更新时间:2023-10-16

我从这里得到了一些制作c++可变模板的示例代码:

http://en.wikipedia.org/wiki/Variadic_template

我的代码如下。

#ifdef DEBUG
    #define logDebug(x, ...) streamPrintf( x, ##__VA_ARGS__ );
#else
    #define logDebug(x, ...)
#endif
void streamPrintf(const char *s);
template<typename T, typename... Args>
void streamPrintf(const char *s, T value, Args... args)
{
while (*s) {
    if (*s == '%') {
        if (*(s + 1) == '%') {
            ++s;
        }
        else {
            std::cout << value;
            streamPrintf(s + 1, args...); 
            return;
        }
    }
    std::cout << *s++;
}
throw std::logic_error("extra arguments provided to printf");
}
void streamPrintf(const char *s)
{
while (*s) {
    if (*s == '%') {
        if (*(s + 1) == '%') {
            ++s;
        }
        else {
            throw std::runtime_error("invalid format string: missing arguments");
        }
    }
    std::cout << *s++;
    }
}

但它只打印垃圾。使用这个的主要原因是我可以打印出std::string。如何打印出正确的值?

我这样调用函数:

logDebug("Event is, event=%", value);

Peter T通过聊天发现了这个问题。它不能正确打印uint8_t,因为它将其视为ASCII。它需要类型转换为例如uint16_t。当我有解决方案时,我会把它张贴在这里。

在printf中使用可变模板的一个好例子可以在这里找到:

http://msdn.microsoft.com/en-us/library/dn439779.aspx

void print() {
    cout << endl;
}
template <typename T> void print(const T& t) {
    cout << t << endl;
}
template <typename First, typename... Rest> void print(const First& first, const Rest&... rest) {
    cout << first << ", ";
    print(rest...); // recursive call using pack expansion syntax
}
int main()
{
    print(); // calls first overload, outputting only a newline
    print(1); // calls second overload
    // these call the third overload, the variadic template, 
    // which uses recursion as needed.
    print(10, 20);
    print(100, 200, 300);
    print("first", 2, "third", 3.14159);
}