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
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
use std::{
os::{
fd::{FromRawFd, OwnedFd},
unix::io::RawFd,
},
pin::Pin,
task::{ready, Poll},
};
use pin_project_lite::pin_project;
use runa_io_traits::OwnedFds;
use crate::traits::{buf::AsyncBufReadWithFd, AsyncReadWithFd};
pin_project! {
#[derive(Debug)]
pub struct BufReaderWithFd<T> {
#[pin]
inner: T,
buf: Vec<u8>,
cap_data: usize,
filled_data: usize,
pos_data: usize,
fd_buf: Vec<RawFd>,
}
}
impl<T> BufReaderWithFd<T> {
#[inline]
pub fn new(inner: T) -> Self {
Self::with_capacity(inner, 4 * 1024, 32)
}
#[inline]
pub fn shrink(self: Pin<&mut Self>) {
if self.pos_data > 0 || self.buf.len() > std::cmp::max(self.filled_data, self.cap_data) {
let this = self.project();
let data_len = *this.filled_data - *this.pos_data;
unsafe {
std::ptr::copy(
this.buf[*this.pos_data..].as_ptr(),
this.buf.as_mut_ptr(),
data_len,
)
};
this.buf.truncate(std::cmp::max(data_len, *this.cap_data));
this.buf.shrink_to_fit();
*this.pos_data = 0;
*this.filled_data = data_len;
}
}
#[inline]
pub fn with_capacity(inner: T, cap_data: usize, cap_fd: usize) -> Self {
Self {
inner,
buf: vec![0; cap_data],
filled_data: 0,
pos_data: 0,
cap_data,
fd_buf: Vec::with_capacity(cap_fd),
}
}
#[inline]
fn buffer(&self) -> &[u8] {
let range = self.pos_data..self.filled_data;
unsafe { self.buf.get_unchecked(range) }
}
}
unsafe impl<T: AsyncReadWithFd> AsyncBufReadWithFd for BufReaderWithFd<T> {
fn poll_fill_buf_until(
mut self: Pin<&mut Self>,
cx: &mut std::task::Context<'_>,
len: usize,
) -> Poll<std::io::Result<()>> {
if self.pos_data + len > self.buf.len() || self.filled_data == self.pos_data {
self.as_mut().shrink();
}
while self.filled_data - self.pos_data < len {
let this = self.as_mut().project();
if this.filled_data == this.pos_data {
*this.filled_data = 0;
*this.pos_data = 0;
}
if *this.pos_data + len > this.buf.len() {
this.buf.resize(len + *this.pos_data, 0);
}
let buf = unsafe { &mut this.buf.get_unchecked_mut(*this.filled_data..) };
let fd_buf = unsafe {
std::mem::transmute::<&mut Vec<RawFd>, &mut Vec<OwnedFd>>(&mut *this.fd_buf)
};
let nfds = fd_buf.len();
let bytes = ready!(this.inner.poll_read_with_fds(cx, buf, fd_buf))?;
if bytes == 0 && (fd_buf.len() == nfds) {
tracing::debug!(
"EOF while the buffer is not filled, filled {}",
this.filled_data
);
return Poll::Ready(Err(std::io::ErrorKind::UnexpectedEof.into()))
}
*this.filled_data += bytes;
}
Poll::Ready(Ok(()))
}
#[inline]
fn fds(&self) -> &[RawFd] {
&self.fd_buf[..]
}
#[inline]
fn buffer(&self) -> &[u8] {
self.buffer()
}
fn consume(self: Pin<&mut Self>, amt: usize, amt_fd: usize) {
let this = self.project();
*this.pos_data = std::cmp::min(*this.pos_data + amt, *this.filled_data);
this.fd_buf.drain(..amt_fd);
}
}
impl<T: AsyncReadWithFd> AsyncReadWithFd for BufReaderWithFd<T> {
fn poll_read_with_fds<Fds: OwnedFds>(
mut self: Pin<&mut Self>,
cx: &mut std::task::Context<'_>,
mut buf: &mut [u8],
fds: &mut Fds,
) -> Poll<std::io::Result<usize>> {
ready!(self.as_mut().poll_fill_buf_until(cx, 1))?;
let our_buf = self.as_ref().get_ref().buffer();
let read_len = std::cmp::min(our_buf.len(), buf.len());
buf[..read_len].copy_from_slice(&our_buf[..read_len]);
buf = &mut buf[read_len..];
let this = self.as_mut().project();
fds.extend(
this.fd_buf
.drain(..)
.map(|fd| unsafe { OwnedFd::from_raw_fd(fd) }),
);
self.as_mut().consume(read_len, 0);
let mut read = read_len;
if !buf.is_empty() {
let this = self.project();
match this.inner.poll_read_with_fds(cx, buf, fds)? {
Poll::Ready(bytes) => {
read += bytes;
},
Poll::Pending => {}, }
}
Poll::Ready(Ok(read))
}
}
#[cfg(test)]
mod test {
use std::{os::fd::AsRawFd, pin::Pin};
use anyhow::Result;
use arbitrary::Arbitrary;
use smol::Task;
use tracing::debug;
use crate::{traits::buf::AsyncBufReadWithFd, BufReaderWithFd};
async fn buf_roundtrip_seeded(raw: &[u8], executor: &smol::LocalExecutor<'_>) {
let mut source = arbitrary::Unstructured::new(raw);
let (rx, tx) = std::os::unix::net::UnixStream::pair().unwrap();
let (_, tx) = crate::split_unixstream(tx).unwrap();
let (rx, _) = crate::split_unixstream(rx).unwrap();
let mut rx = BufReaderWithFd::new(rx);
let task: Task<Result<_>> = executor.spawn(async move {
debug!("start");
use futures_lite::AsyncBufRead;
let mut bytes = Vec::new();
let mut fds = Vec::new();
loop {
let buf = if let Err(e) = rx.fill_buf_until(4).await {
if e.kind() == std::io::ErrorKind::UnexpectedEof {
break
} else {
return Err(e.into())
}
} else {
rx.buffer()
};
assert!(buf.len() >= 4);
let len: [u8; 4] = buf[..4].try_into().unwrap();
let len = u32::from_le_bytes(len) as usize;
debug!("len: {:?}", len);
rx.fill_buf_until(len).await?;
bytes.extend_from_slice(&rx.buffer()[4..len]);
fds.extend_from_slice(rx.fds());
debug!("fds: {:?}", rx.fds());
let nfds = rx.fds().len();
Pin::new(&mut rx).consume(len, nfds);
}
Ok((bytes, fds))
});
let mut sent_bytes = Vec::new();
let mut sent_fds = Vec::new();
while let Ok(packet) = <&[u8]>::arbitrary(&mut source) {
if packet.is_empty() {
break
}
let has_fd = bool::arbitrary(&mut source).unwrap();
let fds = if has_fd {
let fd: std::os::unix::io::OwnedFd =
std::fs::File::open("/dev/null").unwrap().into();
sent_fds.push(fd.as_raw_fd());
Some(fd)
} else {
None
};
let len = (packet.len() as u32 + 4).to_ne_bytes();
tx.reserve(packet.len() + 4, if fds.is_some() { 1 } else { 0 })
.await
.unwrap();
Pin::new(&mut tx).write(&len);
Pin::new(&mut tx).write(packet);
debug!("send len: {:?}", packet.len() + 4);
sent_bytes.extend_from_slice(packet);
Pin::new(&mut tx).push_fds(&mut fds.into_iter());
}
tx.flush().await.unwrap();
drop(tx);
let (bytes, fds) = task.await.unwrap();
assert_eq!(bytes, sent_bytes);
assert_eq!(fds.len(), sent_fds.len());
}
#[test]
fn buf_roundtrip() {
use rand::{Rng, SeedableRng};
tracing_subscriber::fmt::init();
let mut rng = rand::rngs::SmallRng::seed_from_u64(0x1238_aefb_d129_3a12);
let mut raw: Vec<u8> = Vec::with_capacity(1024 * 1024);
let executor = smol::LocalExecutor::new();
raw.resize(1024 * 1024, 0);
rng.fill(raw.as_mut_slice());
futures_executor::block_on(executor.run(buf_roundtrip_seeded(&raw, &executor)));
}
}