使用{fmt}库进行打印

时间:2019-10-28 18:43:00

标签: c++ fmt

我可以使用fmt库打印C ++类的对象吗?

fmt::print("The object is {}.", obj);

2 个答案:

答案 0 :(得分:2)

是的,有可能。如评论中所建议,fmt直接支持自定义类型:Formatting user defined types

我通常更喜欢使用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

答案 1 :(得分:2)

是的。您可以按照Formatting User-defined Types中所述为您的类型提供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函数。