pub struct AsyncFixedBuf<const SIZE: usize>(/* private fields */);
Expand description
A newtype that wraps
FixedBuf
and implements
tokio::io::AsyncRead
and
tokio::io::AsyncWrite
.
It also has async versions of FixedBuf’s io functions.
Implementations§
Source§impl<const SIZE: usize> AsyncFixedBuf<SIZE>
impl<const SIZE: usize> AsyncFixedBuf<SIZE>
Sourcepub const fn new() -> Self
pub const fn new() -> Self
Creates a new FixedBuf and wraps it in an AsyncFixedBuf.
See
FixedBuf::new
for details.
Sourcepub fn into_inner(self) -> FixedBuf<SIZE> ⓘ
pub fn into_inner(self) -> FixedBuf<SIZE> ⓘ
Drops the struct and returns its internal
FixedBuf
.
Sourcepub fn empty(mem: [u8; SIZE]) -> Self
pub fn empty(mem: [u8; SIZE]) -> Self
Makes a new empty buffer.
Consumes mem
and uses it as the internal memory array.
Sourcepub fn filled(mem: [u8; SIZE]) -> Self
pub fn filled(mem: [u8; SIZE]) -> Self
Makes a new full buffer containing the bytes in mem
.
Reading the buffer will return the bytes in mem
.
Consumes mem
and uses it as the internal memory array.
Methods from Deref<Target = FixedBuf<SIZE>>§
Sourcepub fn len(&self) -> usize
pub fn len(&self) -> usize
Returns the number of unread bytes in the buffer.
Example:
let mut buf: FixedBuf<16> = FixedBuf::new();
assert_eq!(0, buf.len());
buf.write_str("abc");
assert_eq!(3, buf.len());
buf.read_bytes(2);
assert_eq!(1, buf.len());
buf.shift();
assert_eq!(1, buf.len());
buf.read_all();
assert_eq!(0, buf.len());
Sourcepub fn is_empty(&self) -> bool
pub fn is_empty(&self) -> bool
Returns true if there are unread bytes in the buffer.
Example:
let mut buf: FixedBuf<16> = FixedBuf::new();
assert!(buf.is_empty());
buf.write_str("abc").unwrap();
assert!(!buf.is_empty());
buf.read_all();
assert!(buf.is_empty());
Sourcepub fn escape_ascii(&self) -> String
pub fn escape_ascii(&self) -> String
Copies all readable bytes to a string. Includes printable ASCII characters as-is. Converts non-printable characters to strings like “\n” and “\x19”.
Uses
core::ascii::escape_default
(https://doc.rust-lang.org/core/ascii/fn.escape_default.html
internally to escape each byte.
This function is useful for printing byte slices to logs and comparing byte slices in tests.
Example test:
use fixed_buffer::FixedBuf;
let mut buf: FixedBuf<8> = FixedBuf::new();
buf.write_str("abc");
buf.write_str("€");
assert_eq!("abc\\xe2\\x82\\xac", buf.escape_ascii());
Sourcepub fn mem(&self) -> &[u8] ⓘ
pub fn mem(&self) -> &[u8] ⓘ
Borrows the entire internal memory buffer. This is a low-level function.
Sourcepub fn readable(&self) -> &[u8] ⓘ
pub fn readable(&self) -> &[u8] ⓘ
Returns the slice of readable bytes in the buffer.
After processing some bytes from the front of the slice,
call read
to consume the bytes.
This is a low-level method.
You probably want to use
std::io::Read::read
or
tokio::io::AsyncReadExt::read
, implemented for FixedBuffer in
fixed_buffer_tokio::AsyncReadExt
.
Sourcepub fn read_byte(&mut self) -> u8
pub fn read_byte(&mut self) -> u8
Reads a single byte from the buffer.
Panics if the buffer is empty.
Sourcepub fn try_read_byte(&mut self) -> Option<u8>
pub fn try_read_byte(&mut self) -> Option<u8>
Reads a single byte from the buffer.
Returns None
if the buffer is empty.
Sourcepub fn read_bytes(&mut self, num_bytes: usize) -> &[u8] ⓘ
pub fn read_bytes(&mut self, num_bytes: usize) -> &[u8] ⓘ
Reads bytes from the buffer.
Panics if the buffer does not contain enough bytes.
Sourcepub fn try_read_bytes(&mut self, num_bytes: usize) -> Option<&[u8]>
pub fn try_read_bytes(&mut self, num_bytes: usize) -> Option<&[u8]>
Reads bytes from the buffer.
Returns None
if the buffer does not contain num_bytes
bytes.
Sourcepub fn read_all(&mut self) -> &[u8] ⓘ
pub fn read_all(&mut self) -> &[u8] ⓘ
Reads all the bytes from the buffer.
The buffer becomes empty and subsequent writes can fill the whole buffer.
Sourcepub fn read_and_copy_bytes(&mut self, dest: &mut [u8]) -> usize
pub fn read_and_copy_bytes(&mut self, dest: &mut [u8]) -> usize
Reads bytes from the buffer and copies them into dest
.
Returns the number of bytes copied.
Returns 0
when the buffer is empty or dest
is zero-length.
Sourcepub fn try_read_exact(&mut self, dest: &mut [u8]) -> Option<()>
pub fn try_read_exact(&mut self, dest: &mut [u8]) -> Option<()>
Reads byte from the buffer and copies them into dest
, filling it,
and returns ()
.
Returns None
if the buffer does not contain enough bytes tp fill dest
.
Returns ()
if dest
is zero-length.
Sourcepub fn try_parse<R, F>(&mut self, f: F) -> Option<R>
pub fn try_parse<R, F>(&mut self, f: F) -> Option<R>
Try to parse the buffer contents with f
.
f
must return None
to indicate that the buffer
contains an incomplete data record.
When try_parse
returns None, the caller should add more data to the
buffer and call try_parse
again.
Undoes any reads that f
made to the buffer if it returns None
.
f
should not write to the buffer.
If f
writes to the buffer and then returns None
,
the buffer’s contents will become corrupted.
§Example
#[derive(Debug)]
enum ReadError {
BufferFull,
EOF,
TooLong,
NotUtf8,
}
fn parse_record<const SIZE: usize>(buf: &mut FixedBuf<SIZE>)
-> Option<Result<String, ReadError>>
{
let len = buf.try_read_byte()? as usize;
if len > SIZE - 1 {
return Some(Err(ReadError::TooLong));
}
let bytes = buf.try_read_bytes(len)?.to_vec();
Some(String::from_utf8(bytes)
.map_err(|_| ReadError::NotUtf8))
}
let mut buf: FixedBuf<16> = FixedBuf::new();
loop {
// Try reading bytes into the buffer.
match read_input(&mut buf) {
Err(ReadError::EOF) if buf.is_empty() => break,
other => other?,
}
// Try parsing bytes into records.
loop {
if let Some(result) = buf.try_parse(parse_record) {
let record = result?;
process_record(record)?;
} else {
// Stop parsing and try reading more bytes.
break;
}
}
}
Sourcepub fn copy_once_from<R>(&mut self, reader: &mut R) -> Result<usize, Error>where
R: Read,
pub fn copy_once_from<R>(&mut self, reader: &mut R) -> Result<usize, Error>where
R: Read,
Reads from reader
once and writes the data into the buffer.
Returns InvalidData
if there is no empty space in the buffer.
See shift
.
Sourcepub fn write_str(&mut self, s: &str) -> Result<(), NotEnoughSpaceError>
pub fn write_str(&mut self, s: &str) -> Result<(), NotEnoughSpaceError>
Writes s
into the buffer, after any unread bytes.
Returns Err
if the buffer doesn’t have enough free space at the end
for the whole string.
See shift
.
Example:
let mut buf: FixedBuf<8> = FixedBuf::new();
buf.write_str("123").unwrap();
buf.write_str("456").unwrap();
assert_eq!("123456", buf.escape_ascii());
buf.write_str("78").unwrap();
buf.write_str("9").unwrap_err(); // End of buffer is full.
Sourcepub fn write_bytes(&mut self, data: &[u8]) -> Result<usize, NotEnoughSpaceError>
pub fn write_bytes(&mut self, data: &[u8]) -> Result<usize, NotEnoughSpaceError>
Tries to write data
into the buffer, after any unread bytes.
Returns Ok(data.len())
if it wrote all of the bytes.
Returns NotEnoughSpaceError
if the buffer doesn’t have enough free space at the end for all of the bytes.
See shift
.
Example:
let mut buf: FixedBuf<8> = FixedBuf::new();
assert_eq!(3, buf.write_bytes("123".as_bytes()).unwrap());
assert_eq!(3, buf.write_bytes("456".as_bytes()).unwrap());
assert_eq!("123456", buf.escape_ascii());
assert_eq!(2, buf.write_bytes("78".as_bytes()).unwrap()); // Fills buffer.
buf.write_bytes("9".as_bytes()).unwrap_err(); // Error, buffer is full.
Sourcepub fn writable(&mut self) -> &mut [u8] ⓘ
pub fn writable(&mut self) -> &mut [u8] ⓘ
Returns the writable part of the buffer.
To use this, first modify bytes at the beginning of the slice.
Then call wrote(usize)
to commit those bytes into the buffer and make them available for reading.
Returns an empty slice when the end of the buffer is full.
See shift
.
This is a low-level method.
You probably want to use
std::io::Write::write
or
tokio::io::AsyncWriteExt::write
,
implemented for FixedBuffer in
fixed_buffer_tokio::AsyncWriteExt
.
Example:
let mut buf: FixedBuf<8> = FixedBuf::new();
buf.writable()[0] = 'a' as u8;
buf.writable()[1] = 'b' as u8;
buf.writable()[2] = 'c' as u8;
buf.wrote(3);
assert_eq!("abc", buf.escape_ascii());
Sourcepub fn wrote(&mut self, num_bytes: usize)
pub fn wrote(&mut self, num_bytes: usize)
Commits bytes into the buffer.
Call this after writing to the front of the
writable
slice.
This is a low-level method.
Panics when there is not num_bytes
free at the end of the buffer.
See writable()
.
Sourcepub fn shift(&mut self)
pub fn shift(&mut self)
Recovers buffer space.
The buffer is not circular. After you read bytes, the space at the beginning of the buffer is unused. Call this method to move unread data to the beginning of the buffer and recover the space. This makes the free space available for writes, which go at the end of the buffer.
Sourcepub fn deframe<F>(
&mut self,
deframer_fn: F,
) -> Result<Option<Range<usize>>, Error>
pub fn deframe<F>( &mut self, deframer_fn: F, ) -> Result<Option<Range<usize>>, Error>
This is a low-level function.
Use read_frame
instead.
Calls deframer_fn
to check if the buffer contains a complete frame.
Consumes the frame bytes from the buffer
and returns the range of the frame’s contents in the internal memory.
Use mem
to immutably borrow the internal memory and
construct the slice with &buf.mem()[range]
.
This is necessary because deframe
borrows self
mutably but
read_frame
needs to borrow it immutably and return a slice.
Returns None
if the buffer is empty or contains an incomplete frame.
Returns InvalidData
when deframer_fn
returns an error.
Sourcepub fn read_frame<R, F>(
&mut self,
reader: &mut R,
deframer_fn: F,
) -> Result<Option<&[u8]>, Error>
pub fn read_frame<R, F>( &mut self, reader: &mut R, deframer_fn: F, ) -> Result<Option<&[u8]>, Error>
Reads from reader
into the buffer.
After each read, calls deframer_fn
to check if the buffer now contains a complete frame.
Consumes the frame bytes from the buffer
and returns a slice with the frame contents.
Returns None
when reader
reaches EOF and the buffer is empty.
Returns UnexpectedEof
when reader
reaches EOF and the buffer contains an incomplete frame.
Returns InvalidData
when deframer_fn
returns an error or the buffer fills up.
Calls shift
before reading.
Provided deframer functions:
§Example
let mut buf: FixedBuf<32> = FixedBuf::new();
let mut input = std::io::Cursor::new(b"aaa\r\nbbb\n\nccc\n");
loop {
if let Some(line) =
buf.read_frame(&mut input, deframe_line).unwrap() {
println!("{}", escape_ascii(line));
} else {
// EOF.
break;
}
}
// Prints:
// aaa
// bbb
//
// ccc
§Deframer Function deframe_fn
Checks if data
contains an entire frame.
Never panics.
Returns Err(MalformedInputError)
if data
contains a malformed frame.
Returns Ok(None)
if data
contains an incomplete frame.
The caller will read more data and call deframe
again.
Returns Ok((range, len))
when data
contains a complete well-formed
frame of length len
and contents &data[range]
.
A frame is a sequence of bytes containing a payload and metadata prefix or suffix bytes. The metadata define where the payload starts and ends. Popular frame protocols include line-delimiting (CSV), hexadecimal length prefix (HTTP chunked transfer encoding), and binary length prefix (TLS).
If the caller removes len
bytes from the front of data
, then
data
should start with the next frame, ready to call deframe
again.
A line-delimited deframer returns range
so that &data[range]
contains the entire line without the
final b'\n'
or b"\r\n"
.
It returns len
that counts the bytes of
the entire line and the final b'\n'
or b"\r\n"
.
§Example
A CRLF-terminated line deframer:
assert_eq!(Ok(None), deframe_crlf(b""));
assert_eq!(Ok(None), deframe_crlf(b"abc"));
assert_eq!(Ok(None), deframe_crlf(b"abc\r"));
assert_eq!(Ok(None), deframe_crlf(b"abc\n"));
assert_eq!(Ok(Some((0..3, 5))), deframe_crlf(b"abc\r\n"));
assert_eq!(Ok(Some((0..3, 5))), deframe_crlf(b"abc\r\nX"));
Trait Implementations§
Source§impl<const SIZE: usize> AsyncRead for AsyncFixedBuf<SIZE>
impl<const SIZE: usize> AsyncRead for AsyncFixedBuf<SIZE>
Source§impl<const SIZE: usize> AsyncWrite for AsyncFixedBuf<SIZE>
impl<const SIZE: usize> AsyncWrite for AsyncFixedBuf<SIZE>
Source§fn poll_write(
self: Pin<&mut Self>,
_cx: &mut Context<'_>,
buf: &[u8],
) -> Poll<Result<usize, Error>>
fn poll_write( self: Pin<&mut Self>, _cx: &mut Context<'_>, buf: &[u8], ) -> Poll<Result<usize, Error>>
buf
into the object. Read moreSource§fn poll_flush(
self: Pin<&mut Self>,
_cx: &mut Context<'_>,
) -> Poll<Result<(), Error>>
fn poll_flush( self: Pin<&mut Self>, _cx: &mut Context<'_>, ) -> Poll<Result<(), Error>>
Source§fn poll_shutdown(
self: Pin<&mut Self>,
_cx: &mut Context<'_>,
) -> Poll<Result<(), Error>>
fn poll_shutdown( self: Pin<&mut Self>, _cx: &mut Context<'_>, ) -> Poll<Result<(), Error>>
Source§fn poll_write_vectored(
self: Pin<&mut Self>,
cx: &mut Context<'_>,
bufs: &[IoSlice<'_>],
) -> Poll<Result<usize, Error>>
fn poll_write_vectored( self: Pin<&mut Self>, cx: &mut Context<'_>, bufs: &[IoSlice<'_>], ) -> Poll<Result<usize, Error>>
poll_write
, except that it writes from a slice of buffers. Read moreSource§fn is_write_vectored(&self) -> bool
fn is_write_vectored(&self) -> bool
poll_write_vectored
implementation. Read moreSource§impl<const SIZE: usize> Deref for AsyncFixedBuf<SIZE>
impl<const SIZE: usize> Deref for AsyncFixedBuf<SIZE>
Source§impl<const SIZE: usize> DerefMut for AsyncFixedBuf<SIZE>
impl<const SIZE: usize> DerefMut for AsyncFixedBuf<SIZE>
impl<const SIZE: usize> Unpin for AsyncFixedBuf<SIZE>
Auto Trait Implementations§
impl<const SIZE: usize> Freeze for AsyncFixedBuf<SIZE>
impl<const SIZE: usize> RefUnwindSafe for AsyncFixedBuf<SIZE>
impl<const SIZE: usize> Send for AsyncFixedBuf<SIZE>
impl<const SIZE: usize> Sync for AsyncFixedBuf<SIZE>
impl<const SIZE: usize> UnwindSafe for AsyncFixedBuf<SIZE>
Blanket Implementations§
Source§impl<R> AsyncReadExt for R
impl<R> AsyncReadExt for R
Source§fn read<'a>(&'a mut self, buf: &'a mut [u8]) -> Read<'a, Self>where
Self: Unpin,
fn read<'a>(&'a mut self, buf: &'a mut [u8]) -> Read<'a, Self>where
Self: Unpin,
Source§fn read_buf<'a, B>(&'a mut self, buf: &'a mut B) -> ReadBuf<'a, Self, B>
fn read_buf<'a, B>(&'a mut self, buf: &'a mut B) -> ReadBuf<'a, Self, B>
Source§fn read_exact<'a>(&'a mut self, buf: &'a mut [u8]) -> ReadExact<'a, Self>where
Self: Unpin,
fn read_exact<'a>(&'a mut self, buf: &'a mut [u8]) -> ReadExact<'a, Self>where
Self: Unpin,
buf
. Read moreSource§fn read_u8(&mut self) -> ReadU8<&mut Self>where
Self: Unpin,
fn read_u8(&mut self) -> ReadU8<&mut Self>where
Self: Unpin,
Source§fn read_i8(&mut self) -> ReadI8<&mut Self>where
Self: Unpin,
fn read_i8(&mut self) -> ReadI8<&mut Self>where
Self: Unpin,
Source§fn read_u16(&mut self) -> ReadU16<&mut Self>where
Self: Unpin,
fn read_u16(&mut self) -> ReadU16<&mut Self>where
Self: Unpin,
Source§fn read_i16(&mut self) -> ReadI16<&mut Self>where
Self: Unpin,
fn read_i16(&mut self) -> ReadI16<&mut Self>where
Self: Unpin,
Source§fn read_u32(&mut self) -> ReadU32<&mut Self>where
Self: Unpin,
fn read_u32(&mut self) -> ReadU32<&mut Self>where
Self: Unpin,
Source§fn read_i32(&mut self) -> ReadI32<&mut Self>where
Self: Unpin,
fn read_i32(&mut self) -> ReadI32<&mut Self>where
Self: Unpin,
Source§fn read_u64(&mut self) -> ReadU64<&mut Self>where
Self: Unpin,
fn read_u64(&mut self) -> ReadU64<&mut Self>where
Self: Unpin,
Source§fn read_i64(&mut self) -> ReadI64<&mut Self>where
Self: Unpin,
fn read_i64(&mut self) -> ReadI64<&mut Self>where
Self: Unpin,
Source§fn read_u128(&mut self) -> ReadU128<&mut Self>where
Self: Unpin,
fn read_u128(&mut self) -> ReadU128<&mut Self>where
Self: Unpin,
Source§fn read_i128(&mut self) -> ReadI128<&mut Self>where
Self: Unpin,
fn read_i128(&mut self) -> ReadI128<&mut Self>where
Self: Unpin,
Source§fn read_f32(&mut self) -> ReadF32<&mut Self>where
Self: Unpin,
fn read_f32(&mut self) -> ReadF32<&mut Self>where
Self: Unpin,
Source§fn read_f64(&mut self) -> ReadF64<&mut Self>where
Self: Unpin,
fn read_f64(&mut self) -> ReadF64<&mut Self>where
Self: Unpin,
Source§fn read_u16_le(&mut self) -> ReadU16Le<&mut Self>where
Self: Unpin,
fn read_u16_le(&mut self) -> ReadU16Le<&mut Self>where
Self: Unpin,
Source§fn read_i16_le(&mut self) -> ReadI16Le<&mut Self>where
Self: Unpin,
fn read_i16_le(&mut self) -> ReadI16Le<&mut Self>where
Self: Unpin,
Source§fn read_u32_le(&mut self) -> ReadU32Le<&mut Self>where
Self: Unpin,
fn read_u32_le(&mut self) -> ReadU32Le<&mut Self>where
Self: Unpin,
Source§fn read_i32_le(&mut self) -> ReadI32Le<&mut Self>where
Self: Unpin,
fn read_i32_le(&mut self) -> ReadI32Le<&mut Self>where
Self: Unpin,
Source§fn read_u64_le(&mut self) -> ReadU64Le<&mut Self>where
Self: Unpin,
fn read_u64_le(&mut self) -> ReadU64Le<&mut Self>where
Self: Unpin,
Source§fn read_i64_le(&mut self) -> ReadI64Le<&mut Self>where
Self: Unpin,
fn read_i64_le(&mut self) -> ReadI64Le<&mut Self>where
Self: Unpin,
Source§fn read_u128_le(&mut self) -> ReadU128Le<&mut Self>where
Self: Unpin,
fn read_u128_le(&mut self) -> ReadU128Le<&mut Self>where
Self: Unpin,
Source§fn read_i128_le(&mut self) -> ReadI128Le<&mut Self>where
Self: Unpin,
fn read_i128_le(&mut self) -> ReadI128Le<&mut Self>where
Self: Unpin,
Source§fn read_f32_le(&mut self) -> ReadF32Le<&mut Self>where
Self: Unpin,
fn read_f32_le(&mut self) -> ReadF32Le<&mut Self>where
Self: Unpin,
Source§fn read_f64_le(&mut self) -> ReadF64Le<&mut Self>where
Self: Unpin,
fn read_f64_le(&mut self) -> ReadF64Le<&mut Self>where
Self: Unpin,
Source§fn read_to_end<'a>(&'a mut self, buf: &'a mut Vec<u8>) -> ReadToEnd<'a, Self>where
Self: Unpin,
fn read_to_end<'a>(&'a mut self, buf: &'a mut Vec<u8>) -> ReadToEnd<'a, Self>where
Self: Unpin,
buf
. Read more