-
-
Notifications
You must be signed in to change notification settings - Fork 80
/
Copy pathexample-builders.cpp
94 lines (82 loc) · 2.56 KB
/
example-builders.cpp
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
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
/**
* ***README***
* This example shows how to use refl-cpp proxies to build builder-style factories
* for reflectable types. Those are types that have setter methods with names similar to
* those of the type being built, and a build() method which returns the resulting value.
* The are used to construct object with many properties, some of which might not be required.
*
* Normally, those builder types have to be manually written-out, but with proxies, that can
* be automated.
*/
#include "refl.hpp"
#include <cassert>
// refl-cpp proxies intecept calls to T's members
// and statically determine the member descriptor and
// type of the user-provided handler.
// An example of a generic user-defined builder-style factory
template <typename T>
class builder : public refl::runtime::proxy<builder<T>, T> {
public:
template <typename... Args>
builder(Args&&... args)
: value_(std::forward<Args>(args)...)
{
}
// Intercepts calls to T's members with
// a mutable *this and a single argument
template <typename Member, typename Value>
static builder& invoke_impl(builder& self, Value&& value)
{
// Create instance of statically-determined member
// descriptor to use helpers with ADL-lookup
constexpr Member member;
// Statically verify that the target member is writable
static_assert(is_writable(member));
// Set the value of the target field
member(self.value_) = std::forward<Value>(value);
// Return reference to builder
return self;
}
T build()
{
return std::move(value_);
}
private:
T value_; // Backing object
};
struct User
{
const long id;
std::string email;
std::string first_name;
std::string last_name;
User(long id)
: id{id}
, email{}
, first_name{}
, last_name{}
{
}
};
REFL_AUTO
(
type(User),
field(id),
field(email),
field(first_name),
field(last_name)
)
// Metadata available at compile-time (erased at runtime)
// -> zero-cost introspection in C++17 🔥
static_assert(refl::reflect<User>().members.size == 4);
int main()
{
// User-defined builder-style factories for any reflectable type! 🔥
const User user = builder<User>(10)
// .id(42) <- Fails at compile-time (is_writable == false)
.email("jdoe@example.com")
.first_name("John")
.last_name("Doe")
.build();
assert(user.email == "jdoe@example.com");
}