1use crate::{BufRead, ErrorType, Read};
23impl ErrorType for &[u8] {
4type Error = core::convert::Infallible;
5}
67/// Read is implemented for `&[u8]` by copying from the slice.
8///
9/// Note that reading updates the slice to point to the yet unread part.
10/// The slice will be empty when EOF is reached.
11impl Read for &[u8] {
12#[inline]
13fn read(&mut self, buf: &mut [u8]) -> Result<usize, Self::Error> {
14let amt = core::cmp::min(buf.len(), self.len());
15let (a, b) = self.split_at(amt);
1617// First check if the amount of bytes we want to read is small:
18 // `copy_from_slice` will generally expand to a call to `memcpy`, and
19 // for a single byte the overhead is significant.
20if amt == 1 {
21 buf[0] = a[0];
22 } else {
23 buf[..amt].copy_from_slice(a);
24 }
2526*self = b;
27Ok(amt)
28 }
29}
3031impl BufRead for &[u8] {
32#[inline]
33fn fill_buf(&mut self) -> Result<&[u8], Self::Error> {
34Ok(*self)
35 }
3637#[inline]
38fn consume(&mut self, amt: usize) {
39*self = &self[amt..];
40 }
41}