Печать с использованием библиотеки {fmt}
Могу ли я распечатать объект класса C++ с помощью библиотеки fmt?
fmt::print("The object is {}.", obj);
2 ответа
Да, это возможно. Как было предложено в комментариях,fmt
обеспечивает поддержку пользовательских типов напрямую: Форматирование пользовательских типов.
Обычно я предпочитаю альтернативный подход, используя std::ostream
. Когда вы реализуетеoperator<<
за std::ostream
и ваш собственный тип fmt
сможет отформатировать ваш пользовательский тип при условии, что вы включите <fmt/ostream.h>
также. Например:
#include <fmt/format.h>
#include <fmt/ostream.h>
struct A {};
std::ostream& operator<<(std::ostream& os, const A& a)
{
return os << "A!";
}
int main()
{
fmt::print("{}\n", A{});
return 0;
}
Имейте в виду, что этот подход, вероятно, будет намного медленнее, чем первоначальное предложение пройти через fmt
прямо.
Обновление: чтобы поддержать утверждение, что использование<fmt/ostream.h>
медленнее, чем проходит fmt
напрямую, вы можете использовать следующий тест (используя Google Benchmark):
#include <fmt/format.h>
#include <fmt/ostream.h>
#include <benchmark/benchmark.h>
struct A {};
std::ostream& operator<<(std::ostream& os, const A& a)
{
return os << "A!";
}
struct B {};
template<>
struct fmt::formatter<B>
{
template<typename ParseContext>
constexpr auto parse(ParseContext& ctx)
{
return ctx.begin();
}
template<typename FormatContext>
auto format(const B& b, FormatContext& ctx)
{
return format_to(ctx.out(), "B!");
}
};
static void BM_fmt_ostream(benchmark::State& state)
{
for (auto _ : state)
{
benchmark::DoNotOptimize(fmt::format("{}", A{}));
}
}
static void BM_fmt_direct(benchmark::State& state)
{
for (auto _ : state)
{
benchmark::DoNotOptimize(fmt::format("{}", B{}));
}
}
BENCHMARK(BM_fmt_direct);
BENCHMARK(BM_fmt_ostream);
int main(int argc, char** argv)
{
benchmark::Initialize(&argc, argv);
benchmark::RunSpecifiedBenchmarks();
return 0;
}
Вывод на моей машине:
2019-10-29 12:15:57
Running ./fmt
Run on (4 X 3200 MHz CPU s)
CPU Caches:
L1 Data 32K (x2)
L1 Instruction 32K (x2)
L2 Unified 256K (x2)
L3 Unified 4096K (x1)
Load Average: 0.53, 0.50, 0.60
***WARNING*** CPU scaling is enabled, the benchmark real time measurements may be noisy and will incur extra overhead.
------------------------------------------------------
Benchmark Time CPU Iterations
------------------------------------------------------
BM_fmt_direct 42 ns 42 ns 16756571
BM_fmt_ostream 213 ns 213 ns 3327194
Да. Вы можете сделать это, предоставивformatter
специализация для вашего типа, как описано в разделе Форматирование определяемых пользователем типов:
#include <fmt/format.h>
struct point { double x, y; };
template <> struct fmt::formatter<point> {
template <typename ParseContext>
constexpr auto parse(ParseContext &ctx) { return ctx.begin(); }
template <typename FormatContext>
auto format(const point &p, FormatContext &ctx) {
return format_to(ctx.out(), "({:.1f}, {:.1f})", p.x, p.y);
}
};
Вы также можете повторно использовать существующие средства форматирования через композицию или наследование, и в этом случае вам может потребоваться только реализовать format
функция.