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
|
#pragma once
#include "binary-reader.hpp"
#include "compat/exception.hpp"
namespace floormat::Serialize {
template<string_input_iterator It>
template<char_sequence Seq>
constexpr binary_reader<It>::binary_reader(const Seq& seq) noexcept
: it{std::cbegin(seq)}, end{std::cend(seq)}
{}
template<string_input_iterator It>
constexpr binary_reader<It>::binary_reader(It begin, It end) noexcept :
it{std::move(begin)}, end{std::move(end)}
{}
template<string_input_iterator It>
template<serializable T>
constexpr T binary_reader<It>::read() noexcept(false)
{
constexpr size_t N = sizeof(T);
fm_soft_assert((ptrdiff_t)N <= std::distance(it, end));
num_bytes_read += N;
char buf[N];
for (auto i = 0uz; i < N; i++)
buf[i] = *it++;
return maybe_byteswap(std::bit_cast<T, decltype(buf)>(buf));
}
template<string_input_iterator It>
template<size_t N>
constexpr std::array<char, N> binary_reader<It>::read() noexcept(false)
{
std::array<char, N> array;
if (std::is_constant_evaluated())
array = {};
fm_soft_assert(N <= (size_t)std::distance(it, end));
num_bytes_read += N;
for (auto i = 0uz; i < N; i++)
array[i] = *it++;
return array;
}
template<string_input_iterator It>
constexpr void binary_reader<It>::assert_end() noexcept(false)
{
fm_soft_assert(it == end);
}
template<string_input_iterator It, serializable T>
constexpr void operator>>(binary_reader<It>& reader, T& x) noexcept(false)
{
x = reader.template read<T>();
}
template<string_input_iterator It, serializable T>
constexpr void operator<<(T& x, binary_reader<It>& reader) noexcept(false)
{
x = reader.template read<T>();
}
template<string_input_iterator It>
template<size_t MAX>
constexpr auto binary_reader<It>::read_asciiz_string() noexcept(false)
{
static_assert(MAX > 0);
struct fixed_string final {
char buf[MAX];
size_t len;
constexpr operator StringView() const noexcept { return { buf, len, StringViewFlag::NullTerminated }; }
};
fixed_string ret;
for (auto i = 0uz; i < MAX && it != end; i++)
{
const char c = *it++;
ret.buf[i] = c;
if (c == '\0')
{
ret.len = i;
num_bytes_read += i+1;
return ret;
}
}
fm_throw("can't find string terminator"_cf);
}
template<string_input_iterator It>
constexpr char binary_reader<It>::peek() const
{
fm_soft_assert(it != end);
return *it;
}
} // namespace floormat::Serialize
|