aboutsummaryrefslogtreecommitdiffstats
path: root/util/generic/overloaded.h
blob: eb9b58cad46fa8f2f25e76ed7571fff27e1d00ae (plain) (blame)
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
#pragma once

/** 
 * Construct an ad-hoc object with an overloaded `operator()`.
 * 
 * Typically used with lambdas to construct type-matching visitors for e.g. std::variant:
 * ``` 
 * std::variant<int, void*, TString> var;
 * Visit(TOverloaded{ 
 *     [](int val) { Cerr << "int: " << val; }, 
 *     [](void* val) { Cerr << "ptr: " << val; }, 
 *     [](const TString& val) { Cerr << "str: " << val; }, 
 * }, var); 
 * ``` 
 * 
 * *** IMPORTANT NOTE (IMPLICIT ARGUMENT CONVERSIONS) *** 
 * 
 * Since the resulting objects use regular overloaded method resolution rules, 
 * methods may be called by inexact matches (causing implicit casts), hence this 
 * implementation does not guarantee exhaustiveness of cases. 
 * 
 * For example, the following code will compile and run by casting all values to 
 * double: 
 * ``` 
 * std::variant<int, double, char> var;
 * Visit(TOverloaded{ 
 *     [](double val) { Cerr << "dbl: " << val; }, 
 * }, var); 
 * ``` 
 * 
 * If cases may be ambigous or specific type-matching logic is required, 
 * a verbose `if constexpr`-based version would be preferred: 
 * ``` 
 * std::variant<int, double, char> var;
 * Visit([](auto&& val) { 
 *     using T = std::decay_t<decltype(val)>; 
 *     if constexpr (std::is_same_v<T, int>) { 
 *         Cerr << "int: " << val; 
 *     } else if constexpr (std::is_same_v<T, double>) { 
 *         Cerr << "dbl: " << val; 
 *     } else if constexpr (std::is_same_v<T, char>) { 
 *         Cerr << "chr: " << val; 
 *     } else { 
 *         static_assert(TDependentFalse<T>, "unexpected type"); 
 *     } 
 * }, var); 
 * ``` 
 */ 
 
template <class... Fs>
struct TOverloaded: Fs... {
    using Fs::operator()...;
};

template <class... Fs>
TOverloaded(Fs...) -> TOverloaded<Fs...>;