forked from allyourcode/StandardCplusplus
-
Notifications
You must be signed in to change notification settings - Fork 3
/
Copy patharray
111 lines (96 loc) · 1.84 KB
/
array
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
#pragma once
#include <stdexcept>
namespace std {
/**
*/
template <typename T, ::size_t N>
class array {
private:
T mElements[N];
public: // Member types
using value_type = T;
using size_type = ::size_t;
using reference = T&;
using const_reference = T const&;
using pointer = T*;
using const_pointer = T const*;
public:
auto operator[](size_t idx) -> T& {
return mElements[idx];
}
auto operator[](size_t idx) const -> T const& {
return mElements[idx];
}
auto at(size_t idx) -> T& {
#ifdef __XCLIBCXX_EXCEPTION_SUPPORT__
if (! (idx < N)) {
throw std::out_of_range();
}
#endif
return mElements[idx];
}
auto at(size_t idx) const -> T const& {
#ifdef __XCLIBCXX_EXCEPTION_SUPPORT__
if (! (idx < N)) {
throw std::out_of_range();
}
#endif
return mElements[idx];
}
auto first() -> T& {
return mElements[0];
}
auto first() const -> T const& {
return mElements[0];
}
auto back() -> T& {
return mElements[N-1];
}
auto back() const -> T const& {
return mElements[N-1];
}
auto data() const -> T const* {
return mElements;
}
auto data() -> T* {
return mElements;
}
auto begin() const -> T const* {
return &(mElements[0]);
}
auto end() const -> T const* {
return &(mElements[N]);
}
auto begin() -> T* {
return &(mElements[0]);
}
auto end() -> T* {
return &(mElements[N]);
}
auto cbegin() const -> T const* {
return &(mElements[0]);
}
auto cend() const -> T const* {
return &(mElements[N]);
}
constexpr auto empty() -> bool {
return size() == 0;
}
constexpr auto size() -> size_t {
return N;
}
constexpr auto max_size() -> size_t {
return N;
}
void fill(T const& t) {
for (auto& e : mElements) {
e = t;
}
}
void swap(array& t) {
for (size_t i(0); i<N; ++i) {
std::swap(mElements[i], t[i]);
}
}
};
}