1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
|
/*----------------------------------------------------------------------
Test program for fmt external.
----------------------------------------------------------------------*/
#include <fmt/format.h>
#include <cppunit/extensions/HelperMacros.h>
class test_fmt_external : public CppUnit::TestFixture {
CPPUNIT_TEST_SUITE(test_fmt_external);
CPPUNIT_TEST(test_fmt);
CPPUNIT_TEST_SUITE_END();
public:
void setUp() {}
void tearDown() {}
void test_fmt();
};
///registration of the test so that the runner can find it
CPPUNIT_TEST_SUITE_REGISTRATION(test_fmt_external);
//using std::cerr;
//using std::endl;
struct date {
int year, month, day;
};
template <>
struct fmt::formatter<date> {
constexpr auto parse(format_parse_context& ctx) { return ctx.begin(); }
template <typename FormatContext>
auto format(const date& d, FormatContext& ctx) {
return format_to(ctx.out(), "{}-{}-{}", d.year, d.month, d.day);
}
};
template <typename... Args>
auto capture(const Args&... args) {
return std::make_tuple(args...);
}
auto vprint_message = [](auto&& format, auto&&... args) {
fmt::vprint(format, fmt::make_format_args(std::forward<decltype(args)>(args)...));
};
void test_fmt_external::test_fmt()
{
std::string s = fmt::format("The date is {}", date{2012, 12, 9});
std::string s_check = "The date is 2012-12-9";
CPPUNIT_ASSERT(s_check == s);
auto args = capture("{} {}", 42, "foo");
std::apply(vprint_message, args);
auto buf = fmt::memory_buffer();
format_to(std::back_inserter(buf), "{}", 42); // replaces itoa(42, buffer, 10)
fmt::vprint(to_string(buf), fmt::make_format_args());
format_to(std::back_inserter(buf), "{:x}", 42); // replaces itoa(42, buffer, 16)
fmt::vprint(to_string(buf), fmt::make_format_args());
}
#include <Utilities/Testing/interface/CppUnit_testdriver.icpp>
|