-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathUnrelatedFreeFunctionOperatorFunction.cpp
113 lines (95 loc) · 1.85 KB
/
UnrelatedFreeFunctionOperatorFunction.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
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
/**
* Play around with free function, and member overloaded operator functions.
*
* Notice
* - declaration of friend overloaed operator function (doesn't accept default template argument, and need template declaration.
* - certain types of operators cannot be non-member
*/
#include <cassert>
struct WidgetA
{
int val;
WidgetA(int v):
val(v)
{}
};
struct WidgetB
{
int val;
WidgetB(int v):
val(v)
{}
};
template <typename T>
struct WidgetATemplated
{
T val;
WidgetATemplated(T v):
val(v)
{}
};
template <typename T>
class WidgetBTemplated
{
public:
WidgetBTemplated(T v):
val(v)
{}
T GetVal() const
{ return val; }
// NOTE: operator= cannot be non-member. Check at https://en.cppreference.com/w/cpp/language/operators.
WidgetBTemplated<T>& operator=(int setTo)
{
val = setTo;
return *this;
}
// NOTE: This is how to declare friend template function
template <typename U>
friend WidgetBTemplated<U>& operator+(WidgetBTemplated<U>& wb, int add);
private:
T val;
};
inline WidgetA& operator+(WidgetA& wa, int add)
{
wa.val += add;
return wa;
}
inline WidgetA& operator+(WidgetA& wa, WidgetB& wb)
{
wa.val += wb.val;
return wa;
}
template <typename T>
inline WidgetATemplated<T>& operator+(WidgetATemplated<T>& wa, int add)
{
wa.val += add;
return wa;
}
template <typename T>
inline WidgetBTemplated<T>& operator+(WidgetBTemplated<T>& wb, int add)
{
wb.val += add;
return wb;
}
int main()
{
WidgetA wa(0);
auto retWa = wa + 10;
assert(wa.val == 10);
assert(retWa.val == 10);
WidgetB wb(5);
auto retWa2 = wa + wb;
assert(wa.val == 15);
assert(retWa2.val == 15);
WidgetATemplated wat(2);
auto retWat = wat + 10;
assert(wat.val == 12);
assert(retWat.val == 12);
WidgetBTemplated wbt(1);
auto retWbt = wbt + 5;
assert(wbt.GetVal() == 6);
assert(retWbt.GetVal() == 6);
wbt = 9;
assert(wbt.GetVal() == 9);
return 0;
}