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
use std::io;
pub struct BufCfg<D: Into<Vec<u8>>> {
initial_data: D,
min_capacity: usize,
}
impl BufCfg<[u8; 0]> {
pub fn with_capacity(capacity: usize) -> Self {
Self {
initial_data: [],
min_capacity: capacity,
}
}
}
impl<D: Into<Vec<u8>>> BufCfg<D> {
pub fn with_data(initial_data: D, min_capacity: usize) -> Self {
Self {
initial_data,
min_capacity,
}
}
}
pub struct Buffer {
buf: Box<[u8]>,
start: usize,
end: usize,
}
impl Buffer {
pub fn build_from<D: Into<Vec<u8>>>(cfg: BufCfg<D>) -> Self {
let mut buf: Vec<u8> = cfg.initial_data.into();
let end = buf.len();
if buf.len() < cfg.min_capacity {
buf.resize(cfg.min_capacity, 0u8);
}
assert_ne!(buf.len(), 0);
let buf = buf.into_boxed_slice();
Self { buf, start: 0, end }
}
pub fn read_from(&mut self, reader: &mut impl io::Read) -> io::Result<usize> {
let bytes_read = reader.read(&mut self.buf[self.end..])?;
self.end += bytes_read;
Ok(bytes_read)
}
pub fn write_to(&mut self, writer: &mut impl io::Write) -> io::Result<usize> {
let bytes_written = writer.write(&self.buf[self.start..self.end])?;
self.start += bytes_written;
self.check_start();
Ok(bytes_written)
}
pub fn is_empty(&self) -> bool {
self.end == 0
}
pub fn is_full(&self) -> bool {
self.end == self.buf.len()
}
fn check_start(&mut self) {
if self.start == self.end {
self.start = 0;
self.end = 0;
}
}
}
impl io::Read for Buffer {
fn read(&mut self, buf: &mut [u8]) -> io::Result<usize> {
let src = &self.buf[self.start..self.end];
let len = std::cmp::min(src.len(), buf.len());
buf[..len].copy_from_slice(&src[..len]);
self.start += len;
self.check_start();
Ok(len)
}
}
impl io::Write for Buffer {
fn write(&mut self, buf: &[u8]) -> io::Result<usize> {
let dst = &mut self.buf[self.end..];
let len = std::cmp::min(dst.len(), buf.len());
dst[..len].copy_from_slice(&buf[..len]);
self.end += len;
Ok(len)
}
fn flush(&mut self) -> io::Result<()> {
Err(io::ErrorKind::InvalidInput.into())
}
}