ringbuffer-spsc

A fast single-producer single-consumer ring buffer. For performance reasons, the capacity of the buffer is determined at compile time via a const generic and it is required to be a power of two for a more efficient index handling.

Example

```Rust use ringbuffer_spsc::RingBuffer; use std::sync::atomic::{AtomicUsize, Ordering};

fn main() { const N: usize = 1000000; let (mut tx, mut rx) = RingBuffer::::new();

let p = std::thread::spawn(move || {
    let mut current: usize = 0;
    while current < N {
        if tx.push(current).is_none() {
            current = current.wrapping_add(1);
        } else {
            std::thread::yield_now();
        }
    }
});

let c = std::thread::spawn(move || {
    let mut current: usize = 0;
    while current < N {
        if let Some(c) = rx.pull() {
            assert_eq!(c, current);
            current = current.wrapping_add(1);
        } else {
            std::thread::yield_now();
        }
    }
});

p.join().unwrap();
c.join().unwrap();

} ```