Вариант C++11

Я получил пример кода для создания вариабельного шаблона 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);

Питер Т нашел проблему через чат. Он не печатает uint8_t правильно, так как обрабатывает его как ASCII. Он должен быть приведен к типу, например, uint16_t. Когда у меня будет решение, я опубликую его здесь.

1 ответ

Хороший пример использования шаблонов переменных с 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);
}
Другие вопросы по тегам