-
-
Notifications
You must be signed in to change notification settings - Fork 8
Commit
This commit does not belong to any branch on this repository, and may belong to a fork outside of the repository.
- Loading branch information
0 parents
commit 8067469
Showing
5 changed files
with
353 additions
and
0 deletions.
There are no files selected for viewing
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,4 @@ | ||
|
||
/target/ | ||
**/*.rs.bk | ||
Cargo.lock |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,9 @@ | ||
[package] | ||
name = "ringtail" | ||
version = "0.1.0" | ||
description = "Efficient ring buffer for byte buffers, FIFO queues, and SPSC channels" | ||
authors = ["Stephen M. Coakley <[email protected]>"] | ||
license = "MIT" | ||
keywords = ["buffer", "fifo", "queue"] | ||
categories = ["data-structures", "concurrency"] | ||
repository = "https://github.com/sagebind/ringtail" |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,21 @@ | ||
MIT License | ||
|
||
Copyright (c) 2017 Stephen M. Coakley | ||
|
||
Permission is hereby granted, free of charge, to any person obtaining a copy | ||
of this software and associated documentation files (the "Software"), to deal | ||
in the Software without restriction, including without limitation the rights | ||
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell | ||
copies of the Software, and to permit persons to whom the Software is | ||
furnished to do so, subject to the following conditions: | ||
|
||
The above copyright notice and this permission notice shall be included in all | ||
copies or substantial portions of the Software. | ||
|
||
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR | ||
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, | ||
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE | ||
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER | ||
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, | ||
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE | ||
SOFTWARE. |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,7 @@ | ||
# Ringtail | ||
Efficient ring buffer for byte buffers, FIFO queues, and SPSC channels. | ||
|
||
![License](https://img.shields.io/badge/license-MIT-blue.svg) | ||
|
||
## License | ||
This library is licensed under the MIT license. See the [LICENSE](LICENSE) file for details. |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,312 @@ | ||
use std::io::{self, Read, Write}; | ||
use std::mem; | ||
use std::slice; | ||
|
||
|
||
/// Macro for making memory copies more readable. | ||
macro_rules! copy { | ||
($src:expr, $src_start:expr, $dest:expr, $dest_start:expr, $len:expr) => { | ||
(&mut $dest[$dest_start..$dest_start+$len]).copy_from_slice(&$src[$src_start..$src_start+$len]) | ||
}; | ||
} | ||
|
||
|
||
/// Growable byte buffer implemented as a ring buffer. | ||
/// | ||
/// Optimized for repeated appending of bytes to the end and removing bytes from the front of the buffer. | ||
#[derive(Clone, Debug)] | ||
pub struct Buffer { | ||
array: Box<[u8]>, | ||
head: usize, | ||
len: usize, | ||
} | ||
|
||
impl Default for Buffer { | ||
fn default() -> Buffer { | ||
Buffer::new() | ||
} | ||
} | ||
|
||
impl Buffer { | ||
pub const DEFAULT_CAPACITY: usize = 4096; | ||
|
||
/// Create a new buffer with the default capacity. | ||
pub fn new() -> Self { | ||
Self::with_capacity(Self::DEFAULT_CAPACITY) | ||
} | ||
|
||
/// Create a new buffer with a given minimum capacity pre-allocated. | ||
pub fn with_capacity(capacity: usize) -> Self { | ||
Self { | ||
array: unsafe { | ||
Buffer::allocate(capacity.next_power_of_two()) | ||
}, | ||
head: 0, | ||
len: 0, | ||
} | ||
} | ||
|
||
/// Create a new buffer containing the given bytes. | ||
pub fn from<B: Into<Vec<u8>>>(bytes: B) -> Self { | ||
let bytes = bytes.into(); | ||
let len = bytes.len(); | ||
|
||
Self { | ||
array: bytes.into_boxed_slice(), | ||
head: 0, | ||
len: len, | ||
} | ||
} | ||
|
||
/// Returns `true` if the buffer is empty. | ||
#[inline] | ||
pub fn is_empty(&self) -> bool { | ||
self.len == 0 | ||
} | ||
|
||
#[inline] | ||
pub fn len(&self) -> usize { | ||
self.len | ||
} | ||
|
||
#[inline] | ||
pub fn capacity(&self) -> usize { | ||
self.array.len() | ||
} | ||
|
||
/// Copy bytes from the front of the buffer into the given slice. | ||
/// | ||
/// Returns the number of bytes copied. If there are less bytes in the buffer than the length of `dest`, then only | ||
/// part of `dest` will be written to. | ||
pub fn copy_to(&self, dest: &mut [u8]) -> usize { | ||
// Determine the number of bytes to copy. | ||
let count = dest.len().min(self.len); | ||
|
||
// Nothing to do. | ||
if count == 0 { | ||
return 0; | ||
} | ||
|
||
// Current buffer is wrapped; copy head segment and tail segment separately. | ||
let tail = self.offset(count); | ||
if tail <= self.head { | ||
let head_len = self.capacity() - self.head; | ||
copy!(self.array, self.head, dest, 0, head_len); | ||
copy!(self.array, 0, dest, head_len, tail); | ||
} | ||
|
||
// Buffer is contiguous; copy in one step. | ||
else { | ||
copy!(self.array, self.head, dest, 0, count); | ||
} | ||
|
||
count | ||
} | ||
|
||
/// Consume up to `count` bytes from the front of the buffer and discard them. | ||
/// | ||
/// Returns the number of bytes consumed, which may be less than `count` if `count` was greater than the number of | ||
/// bytes in the buffer. | ||
/// | ||
/// This operation has a runtime cost of `O(1)`. | ||
pub fn consume(&mut self, count: usize) -> usize { | ||
let count = count.min(self.len); | ||
|
||
self.head = self.offset(count); | ||
self.len -= count; | ||
|
||
count | ||
} | ||
|
||
/// Copy the given bytes and insert them into the back of the buffer. | ||
pub fn push(&mut self, src: &[u8]) { | ||
let new_len = self.len + src.len(); | ||
|
||
// If the number of bytes to add would exceed the capacity, grow the internal array first. | ||
if new_len > self.capacity() { | ||
let new_capacity = new_len.next_power_of_two(); | ||
let mut new_array = unsafe { | ||
Self::allocate(new_capacity) | ||
}; | ||
|
||
self.copy_to(&mut new_array); | ||
self.array = new_array; | ||
self.head = 0; | ||
} | ||
|
||
// Calculate how much of `src` should be copied to which regions. | ||
let head_available = self.capacity().checked_sub(self.head + self.len).unwrap_or(0); | ||
let copy_to_head = src.len().min(head_available); | ||
let copy_to_tail = src.len() - copy_to_head; | ||
|
||
if copy_to_head > 0 { | ||
let tail = self.offset(self.len); | ||
copy!(src, 0, self.array, tail, copy_to_head); | ||
} | ||
|
||
if copy_to_tail > 0 { | ||
copy!(src, copy_to_head, self.array, 0, copy_to_tail); | ||
} | ||
|
||
self.len = new_len; | ||
} | ||
|
||
/// Pull bytes from the front of the buffer into the given location, up to the length of the destination buffer. | ||
/// | ||
/// Returns the number of bytes pulled. | ||
pub fn pull(&mut self, dest: &mut [u8]) -> usize { | ||
let count = self.copy_to(dest); | ||
self.consume(count) | ||
} | ||
|
||
/// Remove all bytes from the buffer. | ||
pub fn clear(&mut self) { | ||
self.head = 0; | ||
self.len = 0; | ||
} | ||
|
||
/// Calculate the internal offset of the given byte position. | ||
fn offset(&self, index: usize) -> usize { | ||
let mut offset = self.head + index; | ||
|
||
if offset >= self.capacity() { | ||
offset -= self.capacity(); | ||
} | ||
|
||
offset | ||
} | ||
|
||
/// Allocate an array of memory on the heap. | ||
/// | ||
/// Note that the contents of the array are not initialized and the values are undefined. | ||
unsafe fn allocate(size: usize) -> Box<[u8]> { | ||
let mut vec = Vec::<u8>::with_capacity(size); | ||
let slice = slice::from_raw_parts_mut(vec.as_mut_ptr(), vec.capacity()); | ||
mem::forget(vec); | ||
Box::from_raw(slice) | ||
} | ||
} | ||
|
||
impl From<Buffer> for Vec<u8> { | ||
fn from(buffer: Buffer) -> Vec<u8> { | ||
let mut slice = unsafe { | ||
Buffer::allocate(buffer.len) | ||
}; | ||
let len = buffer.copy_to(&mut slice); | ||
|
||
unsafe { | ||
let vec = Vec::from_raw_parts(slice.as_mut_ptr(), len, slice.len()); | ||
mem::forget(slice); | ||
vec | ||
} | ||
} | ||
} | ||
|
||
impl Read for Buffer { | ||
fn read(&mut self, buf: &mut [u8]) -> io::Result<usize> { | ||
Ok(self.pull(buf)) | ||
} | ||
} | ||
|
||
impl Write for Buffer { | ||
fn write(&mut self, buf: &[u8]) -> io::Result<usize> { | ||
self.push(buf); | ||
Ok(buf.len()) | ||
} | ||
|
||
fn flush(&mut self) -> io::Result<()> { | ||
Ok(()) | ||
} | ||
} | ||
|
||
|
||
#[cfg(test)] | ||
mod tests { | ||
use super::Buffer; | ||
|
||
#[test] | ||
fn test_capacity() { | ||
let buffer = Buffer::with_capacity(16); | ||
assert!(buffer.capacity() == 16); | ||
} | ||
|
||
#[test] | ||
fn test_push() { | ||
let mut buffer = Buffer::new(); | ||
|
||
assert!(buffer.is_empty()); | ||
|
||
let bytes = b"hello world"; | ||
buffer.push(bytes); | ||
|
||
assert!(!buffer.is_empty()); | ||
assert!(buffer.len() == bytes.len()); | ||
} | ||
|
||
#[test] | ||
fn test_push_and_consume() { | ||
let mut buffer = Buffer::with_capacity(12); | ||
|
||
buffer.push(b"hello world"); | ||
|
||
assert!(buffer.consume(6) == 6); | ||
assert!(buffer.len() == 5); | ||
|
||
buffer.push(b" hello"); | ||
|
||
assert!(buffer.len() == 11); | ||
} | ||
|
||
#[test] | ||
fn test_pull_more_than_buffer() { | ||
let mut buffer = Buffer::new(); | ||
let bytes = b"hello world"; | ||
buffer.push(bytes); | ||
|
||
let mut dst = [0; 1024]; | ||
assert!(buffer.pull(&mut dst) == bytes.len()); | ||
assert!(&dst[0..bytes.len()] == bytes); | ||
assert!(buffer.is_empty()); | ||
} | ||
|
||
#[test] | ||
fn test_pull_less_than_buffer() { | ||
let mut buffer = Buffer::new(); | ||
let bytes = b"hello world"; | ||
buffer.push(bytes); | ||
|
||
let mut dst = [0; 4]; | ||
assert!(buffer.pull(&mut dst) == dst.len()); | ||
assert!(&dst == &bytes[0..4]); | ||
assert!(!buffer.is_empty()); | ||
assert!(buffer.len() == bytes.len() - dst.len()); | ||
} | ||
|
||
#[test] | ||
fn test_force_resize() { | ||
let mut buffer = Buffer::with_capacity(8); | ||
|
||
buffer.push(b"hello"); | ||
assert!(buffer.capacity() == 8); | ||
|
||
buffer.push(b" world"); | ||
assert!(buffer.capacity() > 8); | ||
|
||
let mut out = [0; 11]; | ||
buffer.copy_to(&mut out); | ||
assert!(&out == b"hello world"); | ||
} | ||
|
||
#[test] | ||
fn vec_from_buffer() { | ||
let mut buffer = Buffer::new(); | ||
let bytes = b"hello world"; | ||
buffer.push(bytes); | ||
|
||
assert!(buffer.len() == bytes.len()); | ||
|
||
let vec = Vec::from(buffer); | ||
|
||
assert!(&vec == bytes); | ||
} | ||
} |