use rodio::Source; use rtrb::{Consumer, Producer, PushError, RingBuffer}; pub(crate) const SAMPLE_RATE: u32 = 48000; // Hz const CHANNEL_COUNT: usize = 2; const BUFFER_CAPACITY: usize = 2048 * CHANNEL_COUNT; // # of samples * the # of channels pub struct AudioSPSC { inner: RingBuffer, } impl Default for AudioSPSC { fn default() -> Self { Self { inner: RingBuffer::new(BUFFER_CAPACITY), } } } impl AudioSPSC { pub fn new(capacity: usize) -> Self { Self { inner: RingBuffer::new(capacity), } } pub fn init(self) -> (SampleProducer, SampleConsumer) { let (prod, cons) = self.inner.split(); ( SampleProducer { inner: prod }, SampleConsumer { inner: cons }, ) } } pub struct SampleProducer { inner: Producer, } impl SampleProducer { pub(crate) fn push(&mut self, value: T) -> Result<(), PushError> { self.inner.push(value) } #[allow(dead_code)] pub(crate) fn available(&self) -> bool { self.inner.slots() > 2 } pub(crate) fn available_blocking(&self) -> bool { loop { if self.inner.slots() > 2 { break true; } } } } impl std::fmt::Debug for SampleProducer { fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result { f.debug_struct(&format!("SampleProducer<{}>", std::any::type_name::())) .finish_non_exhaustive() } } pub struct SampleConsumer { inner: Consumer, } impl Iterator for SampleConsumer { type Item = f32; fn next(&mut self) -> Option { // As of 2021-07-28, PopError can only be Empty Some(self.inner.pop().unwrap_or_default()) } } impl Source for SampleConsumer { fn current_frame_len(&self) -> Option { // A frame changes when the samples rate or // number of channels change. This will never happen, so // we return None } fn channels(&self) -> u16 { // The Gameboy supports two channels CHANNEL_COUNT as u16 } fn sample_rate(&self) -> u32 { SAMPLE_RATE } fn total_duration(&self) -> Option { // The duration of this source is infinite None } }