-
Notifications
You must be signed in to change notification settings - Fork 6
/
Copy pathsingleton.h
56 lines (50 loc) · 1.45 KB
/
singleton.h
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
#ifndef SINGLETON_H
#define SINGLETON_H
template <typename T>
// T is Semiregualr or Regular or TotallyOrdered
struct singleton
{
typedef T value_type;
T value;
// Conversions from T and to T:
explicit singleton(const T& x) : value(x) {}
explicit operator T() const { return value; }
template <typename U>
singleton(const singleton<U>& x) : value(x.value) {}
// Write conversions from T to singleton<T> and singleton<T> to T.
// Semiregular:
singleton(const singleton& x) : value(x.value) {} // could be implicitly declared
singleton() {} // could be implicitly declared sometimes
~singleton() {} // could be implicitly declared
singleton& operator=(const singleton& x) { // could be implicitly declared
value = x.value;
return *this;
}
// Regular
friend
bool operator==(const singleton& x, const singleton& y) {
return x.value == y.value;
}
friend
bool operator!=(const singleton& x, const singleton& y) {
return !(x == y);
}
// TotallyOrdered
friend
bool operator<(const singleton& x, const singleton& y) {
return x.value < y.value;
}
friend
bool operator>(const singleton& x, const singleton& y) {
return y < x;
}
friend
bool operator<=(const singleton& x, const singleton& y) {
return !(y < x);
}
friend
bool operator>=(const singleton& x, const singleton& y) {
return !(x < y);
}
};
#endif