Объединение пакета параметров функции и аргументов по умолчанию

У меня есть функция с пакетом параметров:

template<typename... Targs>
void tprintf(const char* format, Targs... args) {}

(реализация не имеет значения, только подпись). Я хочу добавить исходную позицию в качестве аргумента по умолчанию, используя встроенные функции GCC/Clang. Что-то типа

template<typename... Targs>
void tprintf(const char* format, Targs... args,
             const char* file = __builtin_FILE(),
             unsigned line = __builtin_LINE()) {}

Это компилируется, но его вызовы не передают параметры в argsкак я и надеялся; например

tprintf("%d%s", 0, "a");

дает (на Clang 10)

<source>:7:5: error: no matching function for call to 'tprintf'
    tprintf("%d%s", 0, "a");    
    ^~~~~~~
<source>:2:6: note: candidate function template not viable: no known conversion from 'const char [2]' to 'unsigned int' for 3rd argument
void tprintf(const char* format, Targs... args,    
     ^

что, кажется, указывает args пусто, 0 является file, а также "a" является line.

Собственно, при написании вопроса я обнаружил, что явно передавая Targs работает:

tprintf<int, char*>("%d%s", 0, "a");

Можно ли этого избежать?

2 ответа

Решение

Решение было бы для нас C++20 std::source_location:

#include <iostream>
#include <source_location>

template<typename... Targs, auto location = source_location::current()>
auto tprintf(char const* format, Targs const&... args) -> void {
    std::cout
        << std::format("{}:{}: ", location.file_name(), location.line())
        << std::format(format, args...);
}

auto main() -> int {
    tprintf("hello {}", "world"); // prints "example.cpp:12: hello world"
}

Если C++20 не подходит (особенно в настоящее время компиляторы не поддерживают расположение исходного кода), то есть способ сделать это без макросов. Вы можете просто сделать небольшое косвенное обращение к встроенным программам компилятора.

Вы не можете поместить аргументы по умолчанию после вариативных аргументов, но вы можете поместить их в конструктор первого параметра, чтобы иметь тот же эффект:

#include <cstdio>

struct location_and_format {
    constexpr location_and_format(
        char const* _format,
        char const* _file_name = __builtin_FILE(),
        unsigned _line = __builtin_LINE()
    ) noexcept : format{_format}, file_name{_file_name}, line{_line} {}

    char const* format;
    char const* file_name;
    unsigned line;
};

template<typename... Targs>
void tprintf(location_and_format format, Targs... args) {
    printf("%s:%u: ", format.file_name, format.line);
    printf(format.format, args...);
}

int main() {
    tprintf("hello %s", "world"); // prints example.cpp:22: hello world
}

Живой пример

Как насчет использования макросов с переменным числом аргументов?

template<typename... Targs>
void tprintfhelper(const char* f, int l, const char* format, Targs... ) 
{
    std::cout << format << " " << l << " " << f << std::endl;
}

#define tprintf(...) tprintfhelper(__builtin_FILE(), __builtin_LINE() __VA_OPT__(,) ##__VA_ARGS__)

int main()
{
    tprintf("%d", 1, 2, 3, 4, 5, "dog");
}
Другие вопросы по тегам