diff --git a/README.md b/README.md index 415b4f50..4f29be15 100644 --- a/README.md +++ b/README.md @@ -13,7 +13,7 @@ ## ✨ Features - Easy to use - Windows and Linux support (WASAPI, ALSA, Jack) -- Plays FLAC, MP3, OGG, M4A and WAV +- Plays FLAC, MP3 and OGG - Fuzzy search - Vim-style key bindings - Mouse support diff --git a/gonk-database/Cargo.toml b/gonk-database/Cargo.toml index 78fe16a8..48589c00 100644 --- a/gonk-database/Cargo.toml +++ b/gonk-database/Cargo.toml @@ -1,6 +1,6 @@ [package] name = "gonk-database" -version = "0.1.2" +version = "0.2.0" edition = "2021" authors = ["Bay"] description = "Database for gonk" @@ -12,4 +12,5 @@ license = "CC0-1.0" memmap2 = "0.5.5" rayon = "1.5.3" walkdir = "2.3.2" -symphonia = { version = "0.5.1", features = ["mp3", "isomp4", "alac", "aac"] } \ No newline at end of file +arrayvec = "0.7.2" +symphonia = {version = "0.5.1", default-features = false, features = ["flac", "mp3", "ogg", "vorbis"]} \ No newline at end of file diff --git a/gonk-database/src/lib.rs b/gonk-database/src/lib.rs index 6811ff49..329f0b23 100644 --- a/gonk-database/src/lib.rs +++ b/gonk-database/src/lib.rs @@ -1,3 +1,4 @@ +use arrayvec::ArrayVec; use memmap2::Mmap; use rayon::iter::{IntoParallelIterator, ParallelIterator}; use std::{ @@ -24,7 +25,8 @@ use symphonia::{ }; use walkdir::{DirEntry, WalkDir}; -pub const SONG_LEN: usize = TEXT_LEN + 2 + 4; +//522 + 1 + 1 + 4 +pub const SONG_LEN: usize = TEXT_LEN + size_of::() + size_of::() + size_of::(); pub const TEXT_LEN: usize = 522; pub const NUMBER_POS: usize = SONG_LEN - 1 - 4 - 2; @@ -173,6 +175,7 @@ impl Settings { queue: Vec::new(), } } + //TODO: Can I return a slice instead? pub fn into_bytes(&self) -> Vec { let mut bytes = Vec::new(); bytes.push(self.volume); @@ -218,6 +221,7 @@ impl Settings { } } +//TODO: Profile this. Probably need to save a file handle. pub fn save_settings() { //Delete the contents of the file and overwrite with new settings. let file = File::create(settings_path()).unwrap(); @@ -234,13 +238,23 @@ pub fn update_volume(new_volume: u8) { } } +//You know it's bad you need to spawn a new thread. +//What if just the index was updated? Why do you need to write everything again. pub fn update_queue(queue: &[Song], index: u16, elapsed: f32) { - unsafe { - SETTINGS.queue = queue.iter().map(RawSong::from).collect(); + unsafe { SETTINGS.queue = queue.iter().map(RawSong::from).collect() }; + std::thread::spawn(move || unsafe { SETTINGS.index = index; SETTINGS.elapsed = elapsed; save_settings(); - } + }); +} + +pub fn update_queue_state(index: u16, elapsed: f32) { + std::thread::spawn(move || unsafe { + SETTINGS.elapsed = elapsed; + SETTINGS.index = index; + save_settings(); + }); } pub fn update_output_device(device: &str) { @@ -437,7 +451,7 @@ impl Song { } pub struct RawSong { - pub text: [u8; TEXT_LEN], + pub text: ArrayVec, pub number: u8, pub disc: u8, pub gain: f32, @@ -477,22 +491,16 @@ impl RawSong { i += 1; } - let artist = [&(artist.len() as u16).to_le_bytes(), artist.as_bytes()].concat(); - let album = [&(album.len() as u16).to_le_bytes(), album.as_bytes()].concat(); - let title = [&(title.len() as u16).to_le_bytes(), title.as_bytes()].concat(); - let path = [&(path.len() as u16).to_le_bytes(), path.as_bytes()].concat(); - - let mut text = [0u8; TEXT_LEN]; + let mut text = ArrayVec::::new(); - let artist_pos = artist.len(); - let album_pos = artist_pos + album.len(); - let title_pos = album_pos + title.len(); - let path_pos = title_pos + path.len(); - - text[..artist_pos].copy_from_slice(&artist); - text[artist_pos..album_pos].copy_from_slice(&album); - text[album_pos..title_pos].copy_from_slice(&title); - text[title_pos..path_pos].copy_from_slice(&path); + text.extend((artist.len() as u16).to_le_bytes()); + let _ = text.try_extend_from_slice(artist.as_bytes()); + text.extend((album.len() as u16).to_le_bytes()); + let _ = text.try_extend_from_slice(album.as_bytes()); + text.extend((title.len() as u16).to_le_bytes()); + let _ = text.try_extend_from_slice(title.as_bytes()); + text.extend((path.len() as u16).to_le_bytes()); + let _ = text.try_extend_from_slice(path.as_bytes()); Self { text, @@ -503,7 +511,9 @@ impl RawSong { } pub fn into_bytes(&self) -> [u8; SONG_LEN] { let mut song = [0u8; SONG_LEN]; - song[..TEXT_LEN].copy_from_slice(&self.text); + debug_assert!(self.text.len() <= SONG_LEN); + + song[..self.text.len()].copy_from_slice(&self.text); song[NUMBER_POS] = self.number; song[DISC_POS] = self.disc; song[GAIN_POS].copy_from_slice(&self.gain.to_le_bytes()); diff --git a/gonk-player/Cargo.toml b/gonk-player/Cargo.toml index b92da14e..be195b93 100644 --- a/gonk-player/Cargo.toml +++ b/gonk-player/Cargo.toml @@ -1,24 +1,9 @@ [package] name = "gonk-player" -version = "0.1.2" +version = "0.2.0" edition = "2021" -authors = ["Bay"] -description = "Music playback library for gonk" -repository = "https://github.com/zX3no/gonk" -readme = "README.md" -license = "CC0-1.0" [dependencies] -symphonia = {version = "0.5.1", features = ["mp3", "isomp4", "alac", "aac"] } -gonk-database = {version = "0.1.1", path = "../gonk-database"} - -[target.'cfg(unix)'.dependencies] -gag = "1.0.0" -alsa = "0.6" -nix = "0.24.1" -libc = "0.2.65" -jack = "0.10.0" - -[target.'cfg(target_os = "windows")'.dependencies] -winapi = { version = "0.3", features = ["audioclient", "combaseapi", "devpkey", "errhandlingapi", "handleapi", "ksmedia", "mmdeviceapi", "synchapi", "winbase"] } -once_cell = "1.12" \ No newline at end of file +symphonia = {version = "0.5.1", default-features = false, features = ["flac", "mp3", "ogg", "vorbis"]} +winapi = { version = "0.3.9", features = ["mmdeviceapi", "combaseapi", "devpkey", "audioclient", "synchapi"] } +gonk-database = {version = "0.2.0", path = "../gonk-database"} \ No newline at end of file diff --git a/gonk-player/README.md b/gonk-player/README.md deleted file mode 100644 index e69de29b..00000000 diff --git a/gonk-player/src/cpal/error.rs b/gonk-player/src/cpal/error.rs deleted file mode 100644 index 0b10a2f7..00000000 --- a/gonk-player/src/cpal/error.rs +++ /dev/null @@ -1,252 +0,0 @@ -use std::{error::Error, fmt}; - -#[derive(Clone, Debug)] -pub struct HostUnavailable; - -impl fmt::Display for HostUnavailable { - fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { - write!(f, "the requested host is unavailable") - } -} - -impl Error for HostUnavailable { - fn source(&self) -> Option<&(dyn Error + 'static)> { - Some(self) - } -} - -#[derive(Clone, Debug)] -pub struct BackendSpecificError { - pub description: String, -} - -impl fmt::Display for BackendSpecificError { - fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { - write!( - f, - "A backend-specific error has occurred: {}", - self.description - ) - } -} - -impl Error for BackendSpecificError { - fn source(&self) -> Option<&(dyn Error + 'static)> { - Some(self) - } -} - -#[derive(Debug)] -pub enum DevicesError { - BackendSpecific { err: BackendSpecificError }, -} - -impl fmt::Display for DevicesError { - fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { - match self { - DevicesError::BackendSpecific { err } => write!(f, "{}", err), - } - } -} - -impl Error for DevicesError { - fn source(&self) -> Option<&(dyn Error + 'static)> { - Some(self) - } -} - -#[derive(Debug)] -pub enum DeviceNameError { - BackendSpecific { err: BackendSpecificError }, -} - -impl fmt::Display for DeviceNameError { - fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { - match self { - DeviceNameError::BackendSpecific { err } => write!(f, "{}", err), - } - } -} - -impl Error for DeviceNameError { - fn source(&self) -> Option<&(dyn Error + 'static)> { - Some(self) - } -} - -#[derive(Debug)] -pub enum SupportedStreamConfigsError { - DeviceNotAvailable, - - InvalidArgument, - - BackendSpecific { err: BackendSpecificError }, -} - -impl fmt::Display for SupportedStreamConfigsError { - fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { - let err = match self { - SupportedStreamConfigsError::DeviceNotAvailable => { - "The requested device is no longer available. For example, it has been unplugged." - } - SupportedStreamConfigsError::InvalidArgument => "Invalid argument passed to the backend. For example, this happens when trying to read capture capabilities when the device does not support it.", - SupportedStreamConfigsError::BackendSpecific { err } => err.description.as_str(), - }; - write!(f, "{err}") - } -} - -impl Error for SupportedStreamConfigsError { - fn source(&self) -> Option<&(dyn Error + 'static)> { - Some(self) - } -} - -#[derive(Debug)] -pub enum DefaultStreamConfigError { - DeviceNotAvailable, - - StreamTypeNotSupported, - - BackendSpecific { err: BackendSpecificError }, -} - -impl fmt::Display for DefaultStreamConfigError { - fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { - let err = match self { - DefaultStreamConfigError::DeviceNotAvailable => { - "The requested device is no longer available. For example, it has been unplugged." - } - DefaultStreamConfigError::StreamTypeNotSupported => { - "The requested stream type is not supported by the device." - } - DefaultStreamConfigError::BackendSpecific { err } => err.description.as_str(), - }; - write!(f, "{err}") - } -} - -impl Error for DefaultStreamConfigError { - fn source(&self) -> Option<&(dyn Error + 'static)> { - Some(self) - } -} - -#[derive(Debug)] -pub enum BuildStreamError { - DeviceNotAvailable, - - StreamConfigNotSupported, - - InvalidArgument, - - StreamIdOverflow, - - BackendSpecific { err: BackendSpecificError }, -} - -impl fmt::Display for BuildStreamError { - fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { - let err = match self { - BuildStreamError::DeviceNotAvailable => { - "The requested device is no longer available. For example, it has been unplugged." - } - BuildStreamError::StreamConfigNotSupported => { - "The requested stream configuration is not supported by the device." - } - BuildStreamError::InvalidArgument => { - "The requested device does not support this capability (invalid argument)" - } - BuildStreamError::StreamIdOverflow => "Adding a new stream ID would cause an overflow", - BuildStreamError::BackendSpecific { err } => err.description.as_str(), - }; - write!(f, "{err}") - } -} - -impl Error for BuildStreamError { - fn source(&self) -> Option<&(dyn Error + 'static)> { - Some(self) - } -} - -#[derive(Debug)] -pub enum PlayStreamError { - DeviceNotAvailable, - - BackendSpecific { err: BackendSpecificError }, -} - -impl fmt::Display for PlayStreamError { - fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { - let err = match self { - PlayStreamError::DeviceNotAvailable => { - "the device associated with the stream is no longer available" - } - PlayStreamError::BackendSpecific { err } => err.description.as_str(), - }; - write!(f, "{err}") - } -} - -impl Error for PlayStreamError { - fn source(&self) -> Option<&(dyn Error + 'static)> { - Some(self) - } -} - -#[derive(Debug)] -pub enum PauseStreamError { - DeviceNotAvailable, - - BackendSpecific { err: BackendSpecificError }, -} - -impl fmt::Display for PauseStreamError { - fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { - let err = match self { - PauseStreamError::DeviceNotAvailable => { - "the device associated with the stream is no longer available" - } - PauseStreamError::BackendSpecific { err } => err.description.as_str(), - }; - write!(f, "{err}") - } -} - -impl Error for PauseStreamError { - fn source(&self) -> Option<&(dyn Error + 'static)> { - Some(self) - } -} - -#[derive(Debug)] -pub enum StreamError { - DeviceNotAvailable, - - BackendSpecific { err: BackendSpecificError }, -} - -impl fmt::Display for StreamError { - fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { - let err = match self { - StreamError::DeviceNotAvailable => { - "The requested device is no longer available. For example, it has been unplugged." - } - StreamError::BackendSpecific { err } => err.description.as_str(), - }; - write!(f, "{err}") - } -} - -impl Error for StreamError { - fn source(&self) -> Option<&(dyn Error + 'static)> { - Some(self) - } -} - -impl From for StreamError { - fn from(err: BackendSpecificError) -> Self { - Self::BackendSpecific { err } - } -} diff --git a/gonk-player/src/cpal/host/alsa/enumerate.rs b/gonk-player/src/cpal/host/alsa/enumerate.rs deleted file mode 100644 index 75813744..00000000 --- a/gonk-player/src/cpal/host/alsa/enumerate.rs +++ /dev/null @@ -1,70 +0,0 @@ -use std::sync::Mutex; - -use super::alsa; -use super::{Device, DeviceHandles}; -use crate::cpal::{BackendSpecificError, DevicesError}; - -pub struct Devices { - hint_iter: alsa::device_name::HintIter, -} - -impl Devices { - pub fn new() -> Result { - Ok(Devices { - hint_iter: alsa::device_name::HintIter::new_str(None, "pcm")?, - }) - } -} - -unsafe impl Send for Devices {} -unsafe impl Sync for Devices {} - -impl Iterator for Devices { - type Item = Device; - - fn next(&mut self) -> Option { - loop { - match self.hint_iter.next() { - None => return None, - Some(hint) => { - let name = match hint.name { - None => continue, - // Ignoring the `null` device. - Some(name) if name == "null" => continue, - Some(name) => name, - }; - - if let Ok(handles) = DeviceHandles::open(&name) { - return Some(Device { - name, - handles: Mutex::new(handles), - }); - } - } - } - } - } -} - -#[inline] -pub fn default_input_device() -> Option { - Some(Device { - name: "default".to_owned(), - handles: Mutex::new(Default::default()), - }) -} - -#[inline] -pub fn default_output_device() -> Option { - Some(Device { - name: "default".to_owned(), - handles: Mutex::new(Default::default()), - }) -} - -impl From for DevicesError { - fn from(err: alsa::Error) -> Self { - let err: BackendSpecificError = err.into(); - DevicesError::BackendSpecific { err } - } -} diff --git a/gonk-player/src/cpal/host/alsa/mod.rs b/gonk-player/src/cpal/host/alsa/mod.rs deleted file mode 100644 index 99af6bb7..00000000 --- a/gonk-player/src/cpal/host/alsa/mod.rs +++ /dev/null @@ -1,1076 +0,0 @@ -extern crate alsa; -extern crate libc; - -use self::alsa::poll::Descriptors; -use crate::cpal::traits::{DeviceTrait, HostTrait, StreamTrait}; -use crate::cpal::{ - BackendSpecificError, BufferSize, BuildStreamError, ChannelCount, Data, - DefaultStreamConfigError, DeviceNameError, DevicesError, InputCallbackInfo, OutputCallbackInfo, - PauseStreamError, PlayStreamError, SampleFormat, SampleRate, StreamConfig, StreamError, - SupportedBufferSize, SupportedStreamConfig, SupportedStreamConfigRange, - SupportedStreamConfigsError, -}; -use std::cmp; -use std::convert::TryInto; -use std::sync::Arc; -use std::sync::Mutex; -use std::thread::{self, JoinHandle}; -use std::vec::IntoIter as VecIntoIter; - -pub use self::enumerate::{default_input_device, default_output_device, Devices}; - -pub type SupportedInputConfigs = VecIntoIter; -pub type SupportedOutputConfigs = VecIntoIter; - -mod enumerate; - -#[derive(Debug)] -pub struct Host; - -impl Host { - pub fn new() -> Result { - Ok(Host) - } -} - -impl HostTrait for Host { - type Devices = Devices; - type Device = Device; - - fn is_available() -> bool { - // Assume ALSA is always available on linux/dragonfly/freebsd. - true - } - - fn devices(&self) -> Result { - Devices::new() - } - - fn default_input_device(&self) -> Option { - default_input_device() - } - - fn default_output_device(&self) -> Option { - default_output_device() - } -} - -impl DeviceTrait for Device { - type SupportedInputConfigs = SupportedInputConfigs; - type SupportedOutputConfigs = SupportedOutputConfigs; - type Stream = Stream; - - fn name(&self) -> Result { - Device::name(self) - } - - fn supported_input_configs( - &self, - ) -> Result { - Device::supported_input_configs(self) - } - - fn supported_output_configs( - &self, - ) -> Result { - Device::supported_output_configs(self) - } - - fn default_input_config(&self) -> Result { - Device::default_input_config(self) - } - - fn default_output_config(&self) -> Result { - Device::default_output_config(self) - } - - fn build_input_stream_raw( - &self, - conf: &StreamConfig, - sample_format: SampleFormat, - data_callback: D, - error_callback: E, - ) -> Result - where - D: FnMut(&Data, &InputCallbackInfo) + Send + 'static, - E: FnMut(StreamError) + Send + 'static, - { - let stream_inner = - self.build_stream_inner(conf, sample_format, alsa::Direction::Capture)?; - let stream = Stream::new_input(Arc::new(stream_inner), data_callback, error_callback); - Ok(stream) - } - - fn build_output_stream_raw( - &self, - conf: &StreamConfig, - sample_format: SampleFormat, - data_callback: D, - error_callback: E, - ) -> Result - where - D: FnMut(&mut Data, &OutputCallbackInfo) + Send + 'static, - E: FnMut(StreamError) + Send + 'static, - { - let stream_inner = - self.build_stream_inner(conf, sample_format, alsa::Direction::Playback)?; - let stream = Stream::new_output(Arc::new(stream_inner), data_callback, error_callback); - Ok(stream) - } -} - -struct TriggerSender(libc::c_int); - -struct TriggerReceiver(libc::c_int); - -impl TriggerSender { - fn wakeup(&self) { - let buf = 1u64; - let ret = unsafe { libc::write(self.0, &buf as *const u64 as *const _, 8) }; - assert_eq!(ret, 8); - } -} - -impl TriggerReceiver { - fn clear_pipe(&self) { - let mut out = 0u64; - let ret = unsafe { libc::read(self.0, &mut out as *mut u64 as *mut _, 8) }; - assert_eq!(ret, 8); - } -} - -fn trigger() -> (TriggerSender, TriggerReceiver) { - let mut fds = [0, 0]; - match unsafe { libc::pipe(fds.as_mut_ptr()) } { - 0 => (TriggerSender(fds[1]), TriggerReceiver(fds[0])), - _ => panic!("Could not create pipe"), - } -} - -impl Drop for TriggerSender { - fn drop(&mut self) { - unsafe { - libc::close(self.0); - } - } -} - -impl Drop for TriggerReceiver { - fn drop(&mut self) { - unsafe { - libc::close(self.0); - } - } -} - -#[derive(Default)] -struct DeviceHandles { - playback: Option, - capture: Option, -} - -impl DeviceHandles { - fn open(name: &str) -> Result { - let mut handles = Self::default(); - let playback_err = handles.try_open(name, alsa::Direction::Playback).err(); - let capture_err = handles.try_open(name, alsa::Direction::Capture).err(); - if let Some(err) = capture_err.and(playback_err) { - Err(err) - } else { - Ok(handles) - } - } - - fn try_open( - &mut self, - name: &str, - stream_type: alsa::Direction, - ) -> Result<&mut Option, alsa::Error> { - let handle = match stream_type { - alsa::Direction::Playback => &mut self.playback, - alsa::Direction::Capture => &mut self.capture, - }; - - if handle.is_none() { - *handle = Some(alsa::pcm::PCM::new(name, stream_type, true)?); - } - - Ok(handle) - } - - fn get_mut( - &mut self, - name: &str, - stream_type: alsa::Direction, - ) -> Result<&mut alsa::PCM, alsa::Error> { - Ok(self.try_open(name, stream_type)?.as_mut().unwrap()) - } - - fn take(&mut self, name: &str, stream_type: alsa::Direction) -> Result { - Ok(self.try_open(name, stream_type)?.take().unwrap()) - } -} - -pub struct Device { - name: String, - handles: Mutex, -} - -impl Device { - fn build_stream_inner( - &self, - conf: &StreamConfig, - sample_format: SampleFormat, - stream_type: alsa::Direction, - ) -> Result { - let handle_result = self - .handles - .lock() - .unwrap() - .take(&self.name, stream_type) - .map_err(|e| (e, e.errno())); - - let handle = match handle_result { - Err((_, alsa::nix::errno::Errno::EBUSY)) => { - return Err(BuildStreamError::DeviceNotAvailable) - } - Err((_, alsa::nix::errno::Errno::EINVAL)) => { - return Err(BuildStreamError::InvalidArgument) - } - Err((e, _)) => return Err(e.into()), - Ok(handle) => handle, - }; - - let can_pause = match set_hw_params_from_format(&handle, conf, sample_format) { - Ok(can_pause) => can_pause, - Err(err) => return Err(BuildStreamError::BackendSpecific { err }), - }; - - let period_len = match set_sw_params_from_format(&handle, conf, stream_type) { - Ok(period_len) => period_len, - Err(err) => return Err(BuildStreamError::BackendSpecific { err }), - }; - - handle.prepare()?; - - let num_descriptors = handle.count(); - if num_descriptors == 0 { - let description = "poll descriptor count for stream was 0".to_string(); - let err = BackendSpecificError { description }; - return Err(BuildStreamError::BackendSpecific { err }); - } - - // Check to see if we can retrieve valid timestamps from the device. - // Related: https://bugs.freedesktop.org/show_bug.cgi?id=88503 - let ts = handle.status()?.get_htstamp(); - let creation_instant = match (ts.tv_sec, ts.tv_nsec) { - (0, 0) => Some(std::time::Instant::now()), - _ => None, - }; - - if let alsa::Direction::Capture = stream_type { - handle.start()?; - } - - let stream_inner = StreamInner { - channel: handle, - sample_format, - num_descriptors, - conf: conf.clone(), - period_len, - can_pause, - creation_instant, - }; - - Ok(stream_inner) - } - - #[inline] - fn name(&self) -> Result { - Ok(self.name.clone()) - } - - fn supported_configs( - &self, - stream_t: alsa::Direction, - ) -> Result, SupportedStreamConfigsError> { - let mut guard = self.handles.lock().unwrap(); - let handle_result = guard - .get_mut(&self.name, stream_t) - .map_err(|e| (e, e.errno())); - - let handle = match handle_result { - Err((_, alsa::nix::errno::Errno::ENOENT)) - | Err((_, alsa::nix::errno::Errno::EBUSY)) => { - return Err(SupportedStreamConfigsError::DeviceNotAvailable) - } - Err((_, alsa::nix::errno::Errno::EINVAL)) => { - return Err(SupportedStreamConfigsError::InvalidArgument) - } - Err((e, _)) => return Err(e.into()), - Ok(handle) => handle, - }; - - let hw_params = alsa::pcm::HwParams::any(handle)?; - - // TODO: check endianness - const FORMATS: [(SampleFormat, alsa::pcm::Format); 3] = [ - //SND_PCM_FORMAT_S8, - //SND_PCM_FORMAT_U8, - (SampleFormat::I16, alsa::pcm::Format::S16LE), - //SND_PCM_FORMAT_S16_BE, - (SampleFormat::U16, alsa::pcm::Format::U16LE), - //SND_PCM_FORMAT_U16_BE, - //SND_PCM_FORMAT_S24_LE, - //SND_PCM_FORMAT_S24_BE, - //SND_PCM_FORMAT_U24_LE, - //SND_PCM_FORMAT_U24_BE, - //SND_PCM_FORMAT_S32_LE, - //SND_PCM_FORMAT_S32_BE, - //SND_PCM_FORMAT_U32_LE, - //SND_PCM_FORMAT_U32_BE, - (SampleFormat::F32, alsa::pcm::Format::FloatLE), - //SND_PCM_FORMAT_FLOAT_BE, - //SND_PCM_FORMAT_FLOAT64_LE, - //SND_PCM_FORMAT_FLOAT64_BE, - //SND_PCM_FORMAT_IEC958_SUBFRAME_LE, - //SND_PCM_FORMAT_IEC958_SUBFRAME_BE, - //SND_PCM_FORMAT_MU_LAW, - //SND_PCM_FORMAT_A_LAW, - //SND_PCM_FORMAT_IMA_ADPCM, - //SND_PCM_FORMAT_MPEG, - //SND_PCM_FORMAT_GSM, - //SND_PCM_FORMAT_SPECIAL, - //SND_PCM_FORMAT_S24_3LE, - //SND_PCM_FORMAT_S24_3BE, - //SND_PCM_FORMAT_U24_3LE, - //SND_PCM_FORMAT_U24_3BE, - //SND_PCM_FORMAT_S20_3LE, - //SND_PCM_FORMAT_S20_3BE, - //SND_PCM_FORMAT_U20_3LE, - //SND_PCM_FORMAT_U20_3BE, - //SND_PCM_FORMAT_S18_3LE, - //SND_PCM_FORMAT_S18_3BE, - //SND_PCM_FORMAT_U18_3LE, - //SND_PCM_FORMAT_U18_3BE, - ]; - - let mut supported_formats = Vec::new(); - for &(sample_format, alsa_format) in FORMATS.iter() { - if hw_params.test_format(alsa_format).is_ok() { - supported_formats.push(sample_format); - } - } - - let min_rate = hw_params.get_rate_min()?; - let max_rate = hw_params.get_rate_max()?; - - let sample_rates = if min_rate == max_rate || hw_params.test_rate(min_rate + 1).is_ok() { - vec![(min_rate, max_rate)] - } else { - const RATES: [libc::c_uint; 13] = [ - 5512, 8000, 11025, 16000, 22050, 32000, 44100, 48000, 64000, 88200, 96000, 176400, - 192000, - ]; - - let mut rates = Vec::new(); - for &rate in RATES.iter() { - if hw_params.test_rate(rate).is_ok() { - rates.push((rate, rate)); - } - } - - if rates.is_empty() { - vec![(min_rate, max_rate)] - } else { - rates - } - }; - - let min_channels = hw_params.get_channels_min()?; - let max_channels = hw_params.get_channels_max()?; - - let max_channels = cmp::min(max_channels, 32); // TODO: limiting to 32 channels or too much stuff is returned - let supported_channels = (min_channels..max_channels + 1) - .filter_map(|num| { - if hw_params.test_channels(num).is_ok() { - Some(num as ChannelCount) - } else { - None - } - }) - .collect::>(); - - let min_buffer_size = hw_params.get_buffer_size_min()?; - let max_buffer_size = hw_params.get_buffer_size_max()?; - - let buffer_size_range = SupportedBufferSize::Range { - min: min_buffer_size as u32, - max: max_buffer_size as u32, - }; - - let mut output = Vec::with_capacity( - supported_formats.len() * supported_channels.len() * sample_rates.len(), - ); - for &sample_format in supported_formats.iter() { - for &channels in supported_channels.iter() { - for &(min_rate, max_rate) in sample_rates.iter() { - output.push(SupportedStreamConfigRange { - channels, - min_sample_rate: SampleRate(min_rate as u32), - max_sample_rate: SampleRate(max_rate as u32), - buffer_size: buffer_size_range.clone(), - sample_format, - }); - } - } - } - - Ok(output.into_iter()) - } - - fn supported_input_configs( - &self, - ) -> Result { - self.supported_configs(alsa::Direction::Capture) - } - - fn supported_output_configs( - &self, - ) -> Result { - self.supported_configs(alsa::Direction::Playback) - } - - // ALSA does not offer default stream formats, so instead we compare all supported formats by - // the `SupportedStreamConfigRange::cmp_default_heuristics` order and select the greatest. - fn default_config( - &self, - stream_t: alsa::Direction, - ) -> Result { - let mut formats: Vec<_> = { - match self.supported_configs(stream_t) { - Err(SupportedStreamConfigsError::DeviceNotAvailable) => { - return Err(DefaultStreamConfigError::DeviceNotAvailable); - } - Err(SupportedStreamConfigsError::InvalidArgument) => { - // this happens sometimes when querying for input and output capabilities, but - // the device supports only one - return Err(DefaultStreamConfigError::StreamTypeNotSupported); - } - Err(SupportedStreamConfigsError::BackendSpecific { err }) => { - return Err(DefaultStreamConfigError::BackendSpecific { err }); - } - Ok(fmts) => fmts.collect(), - } - }; - - formats.sort_by(|a, b| a.cmp_default_heuristics(b)); - - match formats.into_iter().last() { - Some(f) => { - let min_r = f.min_sample_rate; - let max_r = f.max_sample_rate; - let mut format = f.with_max_sample_rate(); - const HZ_44100: SampleRate = SampleRate(44_100); - if min_r <= HZ_44100 && HZ_44100 <= max_r { - format.sample_rate = HZ_44100; - } - Ok(format) - } - None => Err(DefaultStreamConfigError::StreamTypeNotSupported), - } - } - - fn default_input_config(&self) -> Result { - self.default_config(alsa::Direction::Capture) - } - - fn default_output_config(&self) -> Result { - self.default_config(alsa::Direction::Playback) - } -} - -struct StreamInner { - // The ALSA channel. - channel: alsa::pcm::PCM, - - // When converting between file descriptors and `snd_pcm_t`, this is the number of - // file descriptors that this `snd_pcm_t` uses. - num_descriptors: usize, - - // Format of the samples. - sample_format: SampleFormat, - - // The configuration used to open this stream. - conf: StreamConfig, - - // Minimum number of samples to put in the buffer. - period_len: usize, - - #[allow(dead_code)] - // Whether or not the hardware supports pausing the stream. - // TODO: We need an API to expose this. See #197, #284. - can_pause: bool, - - // In the case that the device does not return valid timestamps via `get_htstamp`, this field - // will be `Some` and will contain an `Instant` representing the moment the stream was created. - // - // If this field is `Some`, then the stream will use the duration since this instant as a - // source for timestamps. - // - // If this field is `None` then the elapsed duration between `get_trigger_htstamp` and - // `get_htstamp` is used. - creation_instant: Option, -} - -// Assume that the ALSA library is built with thread safe option. -unsafe impl Sync for StreamInner {} - -#[derive(Debug, Eq, PartialEq)] -enum StreamType { - Input, - Output, -} - -pub struct Stream { - thread: Option>, - - inner: Arc, - - trigger: TriggerSender, -} - -#[derive(Default)] -struct StreamWorkerContext { - descriptors: Vec, - buffer: Vec, -} - -fn input_stream_worker( - rx: TriggerReceiver, - stream: &StreamInner, - data_callback: &mut (dyn FnMut(&Data, &InputCallbackInfo) + Send + 'static), - error_callback: &mut (dyn FnMut(StreamError) + Send + 'static), -) { - let mut ctxt = StreamWorkerContext::default(); - loop { - let flow = - poll_descriptors_and_prepare_buffer(&rx, stream, &mut ctxt).unwrap_or_else(|err| { - error_callback(err.into()); - PollDescriptorsFlow::Continue - }); - - match flow { - PollDescriptorsFlow::Continue => { - continue; - } - PollDescriptorsFlow::XRun => { - if let Err(err) = stream.channel.prepare() { - error_callback(err.into()); - } - continue; - } - PollDescriptorsFlow::Return => return, - PollDescriptorsFlow::Ready { - status, - avail_frames: _, - delay_frames, - stream_type, - } => { - assert_eq!( - stream_type, - StreamType::Input, - "expected input stream, but polling descriptors indicated output", - ); - if let Err(err) = process_input( - stream, - &mut ctxt.buffer, - status, - delay_frames, - data_callback, - ) { - error_callback(err.into()); - } - } - } - } -} - -fn output_stream_worker( - rx: TriggerReceiver, - stream: &StreamInner, - data_callback: &mut (dyn FnMut(&mut Data, &OutputCallbackInfo) + Send + 'static), - error_callback: &mut (dyn FnMut(StreamError) + Send + 'static), -) { - let mut ctxt = StreamWorkerContext::default(); - loop { - let flow = - poll_descriptors_and_prepare_buffer(&rx, stream, &mut ctxt).unwrap_or_else(|err| { - error_callback(err.into()); - PollDescriptorsFlow::Continue - }); - - match flow { - PollDescriptorsFlow::Continue => continue, - PollDescriptorsFlow::XRun => { - if let Err(err) = stream.channel.prepare() { - error_callback(err.into()); - } - continue; - } - PollDescriptorsFlow::Return => return, - PollDescriptorsFlow::Ready { - status, - avail_frames, - delay_frames, - stream_type, - } => { - assert_eq!( - stream_type, - StreamType::Output, - "expected output stream, but polling descriptors indicated input", - ); - if let Err(err) = process_output( - stream, - &mut ctxt.buffer, - status, - avail_frames, - delay_frames, - data_callback, - error_callback, - ) { - error_callback(err.into()); - } - } - } - } -} - -enum PollDescriptorsFlow { - Continue, - Return, - Ready { - stream_type: StreamType, - status: alsa::pcm::Status, - avail_frames: usize, - delay_frames: usize, - }, - XRun, -} - -// This block is shared between both input and output stream worker functions. -fn poll_descriptors_and_prepare_buffer( - rx: &TriggerReceiver, - stream: &StreamInner, - ctxt: &mut StreamWorkerContext, -) -> Result { - let StreamWorkerContext { - ref mut descriptors, - ref mut buffer, - } = *ctxt; - - descriptors.clear(); - - // Add the self-pipe for signaling termination. - descriptors.push(libc::pollfd { - fd: rx.0, - events: libc::POLLIN, - revents: 0, - }); - - // Add ALSA polling fds. - let len = descriptors.len(); - descriptors.resize( - stream.num_descriptors + len, - libc::pollfd { - fd: 0, - events: 0, - revents: 0, - }, - ); - let filled = stream.channel.fill(&mut descriptors[len..])?; - debug_assert_eq!(filled, stream.num_descriptors); - - // Don't timeout, wait forever. - let res = alsa::poll::poll(descriptors, -1)?; - if res == 0 { - let description = String::from("`alsa::poll()` spuriously returned"); - return Err(BackendSpecificError { description }); - } - - if descriptors[0].revents != 0 { - // The stream has been requested to be destroyed. - rx.clear_pipe(); - return Ok(PollDescriptorsFlow::Return); - } - - let stream_type = match stream.channel.revents(&descriptors[1..])? { - alsa::poll::Flags::OUT => StreamType::Output, - alsa::poll::Flags::IN => StreamType::Input, - _ => { - // Nothing to process, poll again - return Ok(PollDescriptorsFlow::Continue); - } - }; - - let status = stream.channel.status()?; - let avail_frames = match stream.channel.avail() { - Err(err) if err.errno() == alsa::nix::errno::Errno::EPIPE => { - return Ok(PollDescriptorsFlow::XRun) - } - res => res, - }? as usize; - let delay_frames = match status.get_delay() { - // Buffer underrun. TODO: Notify the user. - d if d < 0 => 0, - d => d as usize, - }; - let available_samples = avail_frames * stream.conf.channels as usize; - - // Only go on if there is at least `stream.period_len` samples. - if available_samples < stream.period_len { - return Ok(PollDescriptorsFlow::Continue); - } - - // Prepare the data buffer. - let buffer_size = stream.sample_format.sample_size() * available_samples; - buffer.resize(buffer_size, 0u8); - - Ok(PollDescriptorsFlow::Ready { - stream_type, - status, - avail_frames, - delay_frames, - }) -} - -// Read input data from ALSA and deliver it to the user. -fn process_input( - stream: &StreamInner, - buffer: &mut [u8], - status: alsa::pcm::Status, - delay_frames: usize, - data_callback: &mut (dyn FnMut(&Data, &InputCallbackInfo) + Send + 'static), -) -> Result<(), BackendSpecificError> { - stream.channel.io_bytes().readi(buffer)?; - let sample_format = stream.sample_format; - let data = buffer.as_mut_ptr() as *mut (); - let len = buffer.len() / sample_format.sample_size(); - let data = unsafe { Data::from_parts(data, len, sample_format) }; - let callback = stream_timestamp(&status, stream.creation_instant)?; - let delay_duration = frames_to_duration(delay_frames, stream.conf.sample_rate); - let capture = callback - .sub(delay_duration) - .expect("`capture` is earlier than representation supported by `StreamInstant`"); - let timestamp = crate::cpal::InputStreamTimestamp { callback, capture }; - let info = crate::cpal::InputCallbackInfo { timestamp }; - data_callback(&data, &info); - - Ok(()) -} - -// Request data from the user's function and write it via ALSA. -// -// Returns `true` -fn process_output( - stream: &StreamInner, - buffer: &mut [u8], - status: alsa::pcm::Status, - available_frames: usize, - delay_frames: usize, - data_callback: &mut (dyn FnMut(&mut Data, &OutputCallbackInfo) + Send + 'static), - error_callback: &mut dyn FnMut(StreamError), -) -> Result<(), BackendSpecificError> { - { - // We're now sure that we're ready to write data. - let sample_format = stream.sample_format; - let data = buffer.as_mut_ptr() as *mut (); - let len = buffer.len() / sample_format.sample_size(); - let mut data = unsafe { Data::from_parts(data, len, sample_format) }; - let callback = stream_timestamp(&status, stream.creation_instant)?; - let delay_duration = frames_to_duration(delay_frames, stream.conf.sample_rate); - let playback = callback - .add(delay_duration) - .expect("`playback` occurs beyond representation supported by `StreamInstant`"); - let timestamp = crate::cpal::OutputStreamTimestamp { callback, playback }; - let info = crate::cpal::OutputCallbackInfo { timestamp }; - data_callback(&mut data, &info); - } - loop { - match stream.channel.io_bytes().writei(buffer) { - Err(err) if err.errno() == alsa::nix::errno::Errno::EPIPE => { - // buffer underrun - // TODO: Notify the user of this. - let _ = stream.channel.try_recover(err, true); - } - Err(err) => { - error_callback(err.into()); - continue; - } - Ok(result) if result != available_frames => { - let description = format!( - "unexpected number of frames written: expected {}, \ - result {} (this should never happen)", - available_frames, result, - ); - error_callback(BackendSpecificError { description }.into()); - continue; - } - _ => { - break; - } - } - } - Ok(()) -} - -// Use the elapsed duration since the start of the stream. -// -// This ensures positive values that are compatible with our `StreamInstant` representation. -fn stream_timestamp( - status: &alsa::pcm::Status, - creation_instant: Option, -) -> Result { - match creation_instant { - None => { - let trigger_ts = status.get_trigger_htstamp(); - let ts = status.get_htstamp(); - let nanos = timespec_diff_nanos(ts, trigger_ts); - if nanos < 0 { - panic!( - "get_htstamp `{:?}` was earlier than get_trigger_htstamp `{:?}`", - ts, trigger_ts - ); - } - Ok(crate::cpal::StreamInstant::from_nanos(nanos)) - } - Some(creation) => { - let now = std::time::Instant::now(); - let duration = now.duration_since(creation); - let instant = crate::cpal::StreamInstant::from_nanos_i128(duration.as_nanos() as i128) - .expect("stream duration has exceeded `StreamInstant` representation"); - Ok(instant) - } - } -} - -// Adapted from `timestamp2ns` here: -// https://fossies.org/linux/alsa-lib/test/audio_time.c -fn timespec_to_nanos(ts: libc::timespec) -> i64 { - ts.tv_sec as i64 * 1_000_000_000 + ts.tv_nsec as i64 -} - -// Adapted from `timediff` here: -// https://fossies.org/linux/alsa-lib/test/audio_time.c -fn timespec_diff_nanos(a: libc::timespec, b: libc::timespec) -> i64 { - timespec_to_nanos(a) - timespec_to_nanos(b) -} - -// Convert the given duration in frames at the given sample rate to a `std::time::Duration`. -fn frames_to_duration(frames: usize, rate: crate::cpal::SampleRate) -> std::time::Duration { - let secsf = frames as f64 / rate.0 as f64; - let secs = secsf as u64; - let nanos = ((secsf - secs as f64) * 1_000_000_000.0) as u32; - std::time::Duration::new(secs, nanos) -} - -impl Stream { - fn new_input( - inner: Arc, - mut data_callback: D, - mut error_callback: E, - ) -> Stream - where - D: FnMut(&Data, &InputCallbackInfo) + Send + 'static, - E: FnMut(StreamError) + Send + 'static, - { - let (tx, rx) = trigger(); - // Clone the handle for passing into worker thread. - let stream = inner.clone(); - let thread = thread::Builder::new() - .name("cpal_alsa_in".to_owned()) - .spawn(move || { - input_stream_worker(rx, &*stream, &mut data_callback, &mut error_callback); - }) - .unwrap(); - Stream { - thread: Some(thread), - inner, - trigger: tx, - } - } - - fn new_output( - inner: Arc, - mut data_callback: D, - mut error_callback: E, - ) -> Stream - where - D: FnMut(&mut Data, &OutputCallbackInfo) + Send + 'static, - E: FnMut(StreamError) + Send + 'static, - { - let (tx, rx) = trigger(); - // Clone the handle for passing into worker thread. - let stream = inner.clone(); - let thread = thread::Builder::new() - .name("cpal_alsa_out".to_owned()) - .spawn(move || { - output_stream_worker(rx, &*stream, &mut data_callback, &mut error_callback); - }) - .unwrap(); - Stream { - thread: Some(thread), - inner, - trigger: tx, - } - } -} - -impl Drop for Stream { - fn drop(&mut self) { - self.trigger.wakeup(); - self.thread.take().unwrap().join().unwrap(); - } -} - -impl StreamTrait for Stream { - fn play(&self) -> Result<(), PlayStreamError> { - self.inner.channel.pause(false).ok(); - Ok(()) - } - fn pause(&self) -> Result<(), PauseStreamError> { - self.inner.channel.pause(true).ok(); - Ok(()) - } -} - -fn set_hw_params_from_format( - pcm_handle: &alsa::pcm::PCM, - config: &StreamConfig, - sample_format: SampleFormat, -) -> Result { - let hw_params = alsa::pcm::HwParams::any(pcm_handle)?; - hw_params.set_access(alsa::pcm::Access::RWInterleaved)?; - - let sample_format = if cfg!(target_endian = "big") { - match sample_format { - SampleFormat::I16 => alsa::pcm::Format::S16BE, - SampleFormat::U16 => alsa::pcm::Format::U16BE, - SampleFormat::F32 => alsa::pcm::Format::FloatBE, - } - } else { - match sample_format { - SampleFormat::I16 => alsa::pcm::Format::S16LE, - SampleFormat::U16 => alsa::pcm::Format::U16LE, - SampleFormat::F32 => alsa::pcm::Format::FloatLE, - } - }; - - hw_params.set_format(sample_format)?; - hw_params.set_rate(config.sample_rate.0, alsa::ValueOr::Nearest)?; - hw_params.set_channels(config.channels as u32)?; - - match config.buffer_size { - BufferSize::Fixed(v) => { - hw_params.set_period_size_near((v / 4) as alsa::pcm::Frames, alsa::ValueOr::Nearest)?; - hw_params.set_buffer_size(v as alsa::pcm::Frames)?; - } - BufferSize::Default => { - // These values together represent a moderate latency and wakeup interval. - // Without them, we are at the mercy of the device - hw_params.set_period_time_near(25_000, alsa::ValueOr::Nearest)?; - hw_params.set_buffer_time_near(100_000, alsa::ValueOr::Nearest)?; - } - } - - pcm_handle.hw_params(&hw_params)?; - - Ok(hw_params.can_pause()) -} - -fn set_sw_params_from_format( - pcm_handle: &alsa::pcm::PCM, - config: &StreamConfig, - stream_type: alsa::Direction, -) -> Result { - let sw_params = pcm_handle.sw_params_current()?; - - let period_len = { - let (buffer, period) = pcm_handle.get_params()?; - if buffer == 0 { - return Err(BackendSpecificError { - description: "initialization resulted in a null buffer".to_string(), - }); - } - sw_params.set_avail_min(period as alsa::pcm::Frames)?; - - let start_threshold = match stream_type { - alsa::Direction::Playback => buffer - period, - - // For capture streams, the start threshold is irrelevant and ignored, - // because build_stream_inner() starts the stream before process_input() - // reads from it. Set it anyway I guess, since it's better than leaving - // it at an unspecified default value. - alsa::Direction::Capture => 1, - }; - sw_params.set_start_threshold(start_threshold.try_into().unwrap())?; - - period as usize * config.channels as usize - }; - - sw_params.set_tstamp_mode(true)?; - sw_params.set_tstamp_type(alsa::pcm::TstampType::MonotonicRaw)?; - - // tstamp_type param cannot be changed after the device is opened. - // The default tstamp_type value on most Linux systems is "monotonic", - // let's try to use it if setting the tstamp_type fails. - if pcm_handle.sw_params(&sw_params).is_err() { - sw_params.set_tstamp_type(alsa::pcm::TstampType::Monotonic)?; - pcm_handle.sw_params(&sw_params)?; - } - - Ok(period_len) -} - -impl From for BackendSpecificError { - fn from(err: alsa::Error) -> Self { - BackendSpecificError { - description: err.to_string(), - } - } -} - -impl From for BuildStreamError { - fn from(err: alsa::Error) -> Self { - let err: BackendSpecificError = err.into(); - BuildStreamError::BackendSpecific { err } - } -} - -impl From for SupportedStreamConfigsError { - fn from(err: alsa::Error) -> Self { - let err: BackendSpecificError = err.into(); - SupportedStreamConfigsError::BackendSpecific { err } - } -} - -impl From for PlayStreamError { - fn from(err: alsa::Error) -> Self { - let err: BackendSpecificError = err.into(); - PlayStreamError::BackendSpecific { err } - } -} - -impl From for PauseStreamError { - fn from(err: alsa::Error) -> Self { - let err: BackendSpecificError = err.into(); - PauseStreamError::BackendSpecific { err } - } -} - -impl From for StreamError { - fn from(err: alsa::Error) -> Self { - let err: BackendSpecificError = err.into(); - err.into() - } -} diff --git a/gonk-player/src/cpal/host/jack/device.rs b/gonk-player/src/cpal/host/jack/device.rs deleted file mode 100644 index 46fdd77a..00000000 --- a/gonk-player/src/cpal/host/jack/device.rs +++ /dev/null @@ -1,257 +0,0 @@ -use crate::cpal::traits::DeviceTrait; -use crate::cpal::{ - BackendSpecificError, BuildStreamError, Data, DefaultStreamConfigError, DeviceNameError, - InputCallbackInfo, OutputCallbackInfo, SampleFormat, SampleRate, StreamConfig, StreamError, - SupportedBufferSize, SupportedStreamConfig, SupportedStreamConfigRange, - SupportedStreamConfigsError, -}; -use std::hash::{Hash, Hasher}; - -use super::stream::Stream; -use super::JACK_SAMPLE_FORMAT; - -pub type SupportedInputConfigs = std::vec::IntoIter; -pub type SupportedOutputConfigs = std::vec::IntoIter; - -const DEFAULT_NUM_CHANNELS: u16 = 2; -const DEFAULT_SUPPORTED_CHANNELS: [u16; 10] = [1, 2, 4, 6, 8, 16, 24, 32, 48, 64]; - -#[derive(Clone, Debug)] -pub enum DeviceType { - InputDevice, - OutputDevice, -} -#[derive(Clone, Debug)] -pub struct Device { - name: String, - sample_rate: SampleRate, - buffer_size: SupportedBufferSize, - device_type: DeviceType, - start_server_automatically: bool, - connect_ports_automatically: bool, -} - -impl Device { - fn new_device( - name: String, - connect_ports_automatically: bool, - start_server_automatically: bool, - device_type: DeviceType, - ) -> Result { - // ClientOptions are bit flags that you can set with the constants provided - let client_options = super::get_client_options(start_server_automatically); - - // Create a dummy client to find out the sample rate of the server to be able to provide it as a possible config. - // This client will be dropped, and a new one will be created when making the stream. - // This is a hack due to the fact that the Client must be moved to create the AsyncClient. - match super::get_client(&name, client_options) { - Ok(client) => Ok(Device { - // The name given to the client by JACK, could potentially be different from the name supplied e.g.if there is a name collision - name: client.name().to_string(), - sample_rate: SampleRate(client.sample_rate() as u32), - buffer_size: SupportedBufferSize::Range { - min: client.buffer_size(), - max: client.buffer_size(), - }, - device_type, - start_server_automatically, - connect_ports_automatically, - }), - Err(e) => Err(e), - } - } - - pub fn default_output_device( - name: &str, - connect_ports_automatically: bool, - start_server_automatically: bool, - ) -> Result { - let output_client_name = format!("{}_out", name); - Device::new_device( - output_client_name, - connect_ports_automatically, - start_server_automatically, - DeviceType::OutputDevice, - ) - } - - pub fn default_input_device( - name: &str, - connect_ports_automatically: bool, - start_server_automatically: bool, - ) -> Result { - let input_client_name = format!("{}_in", name); - Device::new_device( - input_client_name, - connect_ports_automatically, - start_server_automatically, - DeviceType::InputDevice, - ) - } - - pub fn default_config(&self) -> Result { - let channels = DEFAULT_NUM_CHANNELS; - let sample_rate = self.sample_rate; - let buffer_size = self.buffer_size.clone(); - // The sample format for JACK audio ports is always "32-bit float mono audio" in the current implementation. - // Custom formats are allowed within JACK, but this is of niche interest. - // The format can be found programmatically by calling jack::PortSpec::port_type() on a created port. - let sample_format = JACK_SAMPLE_FORMAT; - Ok(SupportedStreamConfig { - channels, - sample_rate, - buffer_size, - sample_format, - }) - } - - pub fn supported_configs(&self) -> Vec { - let f = match self.default_config() { - Err(_) => return vec![], - Ok(f) => f, - }; - - let mut supported_configs = vec![]; - - for &channels in DEFAULT_SUPPORTED_CHANNELS.iter() { - supported_configs.push(SupportedStreamConfigRange { - channels, - min_sample_rate: f.sample_rate, - max_sample_rate: f.sample_rate, - buffer_size: f.buffer_size.clone(), - sample_format: f.sample_format, - }); - } - supported_configs - } - - pub fn is_input(&self) -> bool { - matches!(self.device_type, DeviceType::InputDevice) - } - - pub fn is_output(&self) -> bool { - matches!(self.device_type, DeviceType::OutputDevice) - } -} - -impl DeviceTrait for Device { - type SupportedInputConfigs = SupportedInputConfigs; - type SupportedOutputConfigs = SupportedOutputConfigs; - type Stream = Stream; - - fn name(&self) -> Result { - Ok(self.name.clone()) - } - - fn supported_input_configs( - &self, - ) -> Result { - Ok(self.supported_configs().into_iter()) - } - - fn supported_output_configs( - &self, - ) -> Result { - Ok(self.supported_configs().into_iter()) - } - - fn default_input_config(&self) -> Result { - self.default_config() - } - - fn default_output_config(&self) -> Result { - self.default_config() - } - - fn build_input_stream_raw( - &self, - conf: &StreamConfig, - sample_format: SampleFormat, - data_callback: D, - error_callback: E, - ) -> Result - where - D: FnMut(&Data, &InputCallbackInfo) + Send + 'static, - E: FnMut(StreamError) + Send + 'static, - { - if let DeviceType::OutputDevice = &self.device_type { - // Trying to create an input stream from an output device - return Err(BuildStreamError::StreamConfigNotSupported); - } - if conf.sample_rate != self.sample_rate || sample_format != JACK_SAMPLE_FORMAT { - return Err(BuildStreamError::StreamConfigNotSupported); - } - // The settings should be fine, create a Client - let client_options = super::get_client_options(self.start_server_automatically); - let client; - match super::get_client(&self.name, client_options) { - Ok(c) => client = c, - Err(e) => { - return Err(BuildStreamError::BackendSpecific { - err: BackendSpecificError { description: e }, - }) - } - }; - let mut stream = Stream::new_input(client, conf.channels, data_callback, error_callback); - - if self.connect_ports_automatically { - stream.connect_to_system_inputs(); - } - - Ok(stream) - } - - fn build_output_stream_raw( - &self, - conf: &StreamConfig, - sample_format: SampleFormat, - data_callback: D, - error_callback: E, - ) -> Result - where - D: FnMut(&mut Data, &OutputCallbackInfo) + Send + 'static, - E: FnMut(StreamError) + Send + 'static, - { - if let DeviceType::InputDevice = &self.device_type { - // Trying to create an output stream from an input device - return Err(BuildStreamError::StreamConfigNotSupported); - } - if conf.sample_rate != self.sample_rate || sample_format != JACK_SAMPLE_FORMAT { - return Err(BuildStreamError::StreamConfigNotSupported); - } - - // The settings should be fine, create a Client - let client_options = super::get_client_options(self.start_server_automatically); - let client; - match super::get_client(&self.name, client_options) { - Ok(c) => client = c, - Err(e) => { - return Err(BuildStreamError::BackendSpecific { - err: BackendSpecificError { description: e }, - }) - } - }; - let mut stream = Stream::new_output(client, conf.channels, data_callback, error_callback); - - if self.connect_ports_automatically { - stream.connect_to_system_outputs(); - } - - Ok(stream) - } -} - -impl PartialEq for Device { - fn eq(&self, other: &Self) -> bool { - // Device::name() can never fail in this implementation - self.name().unwrap() == other.name().unwrap() - } -} - -impl Eq for Device {} - -impl Hash for Device { - fn hash(&self, state: &mut H) { - self.name().unwrap().hash(state); - } -} diff --git a/gonk-player/src/cpal/host/jack/mod.rs b/gonk-player/src/cpal/host/jack/mod.rs deleted file mode 100644 index aa626b0c..00000000 --- a/gonk-player/src/cpal/host/jack/mod.rs +++ /dev/null @@ -1,165 +0,0 @@ -#![allow(dead_code)] -extern crate jack; - -use crate::cpal::traits::HostTrait; -use crate::cpal::{DevicesError, SampleFormat, SupportedStreamConfigRange}; - -mod device; -pub use self::device::Device; -pub use self::stream::Stream; -mod stream; - -const JACK_SAMPLE_FORMAT: SampleFormat = SampleFormat::F32; - -pub type SupportedInputConfigs = std::vec::IntoIter; -pub type SupportedOutputConfigs = std::vec::IntoIter; -pub type Devices = std::vec::IntoIter; - -#[derive(Debug)] -pub struct Host { - name: String, - - connect_ports_automatically: bool, - - start_server_automatically: bool, - - devices_created: Vec, -} - -impl Host { - pub fn new() -> Result { - let mut host = Host { - name: "cpal_client".to_owned(), - connect_ports_automatically: true, - start_server_automatically: false, - devices_created: vec![], - }; - // Devices don't exist for JACK, they have to be created - host.initialize_default_devices(); - Ok(host) - } - - pub fn set_connect_automatically(&mut self, do_connect: bool) { - self.connect_ports_automatically = do_connect; - } - - pub fn set_start_server_automatically(&mut self, do_start_server: bool) { - self.start_server_automatically = do_start_server; - } - - pub fn input_device_with_name(&mut self, name: &str) -> Option { - self.name = name.to_owned(); - self.default_input_device() - } - - pub fn output_device_with_name(&mut self, name: &str) -> Option { - self.name = name.to_owned(); - self.default_output_device() - } - - fn initialize_default_devices(&mut self) { - let in_device_res = Device::default_input_device( - &self.name, - self.connect_ports_automatically, - self.start_server_automatically, - ); - - match in_device_res { - Ok(device) => self.devices_created.push(device), - Err(err) => { - println!("{}", err); - } - } - - let out_device_res = Device::default_output_device( - &self.name, - self.connect_ports_automatically, - self.start_server_automatically, - ); - match out_device_res { - Ok(device) => self.devices_created.push(device), - Err(err) => { - println!("{}", err); - } - } - } -} - -impl HostTrait for Host { - type Devices = Devices; - type Device = Device; - - fn is_available() -> bool { - true - } - - fn devices(&self) -> Result { - Ok(self.devices_created.clone().into_iter()) - } - - fn default_input_device(&self) -> Option { - for device in &self.devices_created { - if device.is_input() { - return Some(device.clone()); - } - } - None - } - - fn default_output_device(&self) -> Option { - for device in &self.devices_created { - if device.is_output() { - return Some(device.clone()); - } - } - None - } -} - -fn get_client_options(start_server_automatically: bool) -> jack::ClientOptions { - let mut client_options = jack::ClientOptions::empty(); - client_options.set( - jack::ClientOptions::NO_START_SERVER, - !start_server_automatically, - ); - client_options -} - -fn get_client(name: &str, client_options: jack::ClientOptions) -> Result { - let c_res = jack::Client::new(name, client_options); - match c_res { - Ok((client, status)) => { - // The ClientStatus can tell us many things - if status.intersects(jack::ClientStatus::SERVER_ERROR) { - return Err(String::from( - "There was an error communicating with the JACK server!", - )); - } else if status.intersects(jack::ClientStatus::SERVER_FAILED) { - return Err(String::from("Could not connect to the JACK server!")); - } else if status.intersects(jack::ClientStatus::VERSION_ERROR) { - return Err(String::from( - "Error connecting to JACK server: Client's protocol version does not match!", - )); - } else if status.intersects(jack::ClientStatus::INIT_FAILURE) { - return Err(String::from( - "Error connecting to JACK server: Unable to initialize client!", - )); - } else if status.intersects(jack::ClientStatus::SHM_FAILURE) { - return Err(String::from( - "Error connecting to JACK server: Unable to access shared memory!", - )); - } else if status.intersects(jack::ClientStatus::NO_SUCH_CLIENT) { - return Err(String::from( - "Error connecting to JACK server: Requested client does not exist!", - )); - } else if status.intersects(jack::ClientStatus::INVALID_OPTION) { - return Err(String::from("Error connecting to JACK server: The operation contained an invalid or unsupported option!")); - } - - return Ok(client); - } - Err(e) => { - return Err(format!("Failed to open client because of error: {:?}", e)); - } - } -} diff --git a/gonk-player/src/cpal/host/jack/stream.rs b/gonk-player/src/cpal/host/jack/stream.rs deleted file mode 100644 index e7ff566e..00000000 --- a/gonk-player/src/cpal/host/jack/stream.rs +++ /dev/null @@ -1,456 +0,0 @@ -use crate::cpal::traits::StreamTrait; -use crate::cpal::ChannelCount; -use std::sync::atomic::{AtomicBool, Ordering}; -use std::sync::{Arc, Mutex}; - -use crate::cpal::{ - BackendSpecificError, Data, InputCallbackInfo, OutputCallbackInfo, PauseStreamError, - PlayStreamError, SampleRate, StreamError, -}; - -use super::JACK_SAMPLE_FORMAT; - -type ErrorCallbackPtr = Arc>; - -pub struct Stream { - // TODO: It might be faster to send a message when playing/pausing than to check this every iteration - playing: Arc, - async_client: jack::AsyncClient, - // Port names are stored in order to connect them to other ports in jack automatically - input_port_names: Vec, - output_port_names: Vec, -} - -impl Stream { - // TODO: Return error messages - pub fn new_input( - client: jack::Client, - channels: ChannelCount, - data_callback: D, - mut error_callback: E, - ) -> Stream - where - D: FnMut(&Data, &InputCallbackInfo) + Send + 'static, - E: FnMut(StreamError) + Send + 'static, - { - let mut ports = vec![]; - let mut port_names: Vec = vec![]; - // Create ports - for i in 0..channels { - let port_try = client.register_port(&format!("in_{}", i), jack::AudioIn::default()); - match port_try { - Ok(port) => { - // Get the port name in order to later connect it automatically - if let Ok(port_name) = port.name() { - port_names.push(port_name); - } - // Store the port into a Vec to move to the ProcessHandler - ports.push(port); - } - Err(e) => { - // If port creation failed, send the error back via the error_callback - error_callback( - BackendSpecificError { - description: e.to_string(), - } - .into(), - ); - } - } - } - - let playing = Arc::new(AtomicBool::new(true)); - - let error_callback_ptr = Arc::new(Mutex::new(error_callback)) as ErrorCallbackPtr; - - let input_process_handler = LocalProcessHandler::new( - vec![], - ports, - SampleRate(client.sample_rate() as u32), - client.buffer_size() as usize, - Some(Box::new(data_callback)), - None, - playing.clone(), - Arc::clone(&error_callback_ptr), - ); - - let notification_handler = JackNotificationHandler::new(error_callback_ptr); - - let async_client = client - .activate_async(notification_handler, input_process_handler) - .unwrap(); - - Stream { - playing, - async_client, - input_port_names: port_names, - output_port_names: vec![], - } - } - - pub fn new_output( - client: jack::Client, - channels: ChannelCount, - data_callback: D, - mut error_callback: E, - ) -> Stream - where - D: FnMut(&mut Data, &OutputCallbackInfo) + Send + 'static, - E: FnMut(StreamError) + Send + 'static, - { - let mut ports = vec![]; - let mut port_names: Vec = vec![]; - // Create ports - for i in 0..channels { - let port_try = client.register_port(&format!("out_{}", i), jack::AudioOut::default()); - match port_try { - Ok(port) => { - // Get the port name in order to later connect it automatically - if let Ok(port_name) = port.name() { - port_names.push(port_name); - } - // Store the port into a Vec to move to the ProcessHandler - ports.push(port); - } - Err(e) => { - // If port creation failed, send the error back via the error_callback - error_callback( - BackendSpecificError { - description: e.to_string(), - } - .into(), - ); - } - } - } - - let playing = Arc::new(AtomicBool::new(true)); - - let error_callback_ptr = Arc::new(Mutex::new(error_callback)) as ErrorCallbackPtr; - - let output_process_handler = LocalProcessHandler::new( - ports, - vec![], - SampleRate(client.sample_rate() as u32), - client.buffer_size() as usize, - None, - Some(Box::new(data_callback)), - playing.clone(), - Arc::clone(&error_callback_ptr), - ); - - let notification_handler = JackNotificationHandler::new(error_callback_ptr); - - let async_client = client - .activate_async(notification_handler, output_process_handler) - .unwrap(); - - Stream { - playing, - async_client, - input_port_names: vec![], - output_port_names: port_names, - } - } - - pub fn connect_to_system_outputs(&mut self) { - // Get the system ports - let system_ports = self.async_client.as_client().ports( - Some("system:playback_.*"), - None, - jack::PortFlags::empty(), - ); - - // Connect outputs from this client to the system playback inputs - for i in 0..self.output_port_names.len() { - if i >= system_ports.len() { - break; - } - match self - .async_client - .as_client() - .connect_ports_by_name(&self.output_port_names[i], &system_ports[i]) - { - Ok(_) => (), - Err(e) => println!("Unable to connect to port with error {}", e), - } - } - } - - pub fn connect_to_system_inputs(&mut self) { - // Get the system ports - let system_ports = self.async_client.as_client().ports( - Some("system:capture_.*"), - None, - jack::PortFlags::empty(), - ); - - // Connect outputs from this client to the system playback inputs - for i in 0..self.input_port_names.len() { - if i >= system_ports.len() { - break; - } - match self - .async_client - .as_client() - .connect_ports_by_name(&system_ports[i], &self.input_port_names[i]) - { - Ok(_) => (), - Err(e) => println!("Unable to connect to port with error {}", e), - } - } - } -} - -impl StreamTrait for Stream { - fn play(&self) -> Result<(), PlayStreamError> { - self.playing.store(true, Ordering::SeqCst); - Ok(()) - } - - fn pause(&self) -> Result<(), PauseStreamError> { - self.playing.store(false, Ordering::SeqCst); - Ok(()) - } -} - -struct LocalProcessHandler { - out_ports: Vec>, - in_ports: Vec>, - - sample_rate: SampleRate, - buffer_size: usize, - input_data_callback: Option>, - output_data_callback: Option>, - - // JACK audio samples are 32-bit float (unless you do some custom dark magic) - temp_input_buffer: Vec, - temp_output_buffer: Vec, - playing: Arc, - creation_timestamp: std::time::Instant, - - error_callback_ptr: ErrorCallbackPtr, -} - -impl LocalProcessHandler { - fn new( - out_ports: Vec>, - in_ports: Vec>, - sample_rate: SampleRate, - buffer_size: usize, - input_data_callback: Option>, - output_data_callback: Option< - Box, - >, - playing: Arc, - error_callback_ptr: ErrorCallbackPtr, - ) -> Self { - // These may be reallocated in the `buffer_size` callback. - let temp_input_buffer = vec![0.0; in_ports.len() * buffer_size]; - let temp_output_buffer = vec![0.0; out_ports.len() * buffer_size]; - - LocalProcessHandler { - out_ports, - in_ports, - sample_rate, - buffer_size, - input_data_callback, - output_data_callback, - temp_input_buffer, - temp_output_buffer, - playing, - creation_timestamp: std::time::Instant::now(), - error_callback_ptr, - } - } -} - -fn temp_buffer_to_data(temp_input_buffer: &mut Vec, total_buffer_size: usize) -> Data { - let slice = &temp_input_buffer[0..total_buffer_size]; - let data = slice.as_ptr() as *mut (); - let len = total_buffer_size; - let data = unsafe { Data::from_parts(data, len, JACK_SAMPLE_FORMAT) }; - data -} - -impl jack::ProcessHandler for LocalProcessHandler { - fn process(&mut self, _: &jack::Client, process_scope: &jack::ProcessScope) -> jack::Control { - if !self.playing.load(Ordering::SeqCst) { - return jack::Control::Continue; - } - - // This should be equal to self.buffer_size, but the implementation will - // work even if it is less. Will panic in `temp_buffer_to_data` if greater. - let current_frame_count = process_scope.n_frames() as usize; - - // Get timestamp data - let cycle_times = process_scope.cycle_times(); - let current_start_usecs = match cycle_times { - Ok(times) => times.current_usecs, - Err(_) => { - // jack was unable to get the current time information - // Fall back to using Instants - let now = std::time::Instant::now(); - let duration = now.duration_since(self.creation_timestamp); - duration.as_micros() as u64 - } - }; - let start_cycle_instant = micros_to_stream_instant(current_start_usecs); - let start_callback_instant = start_cycle_instant - .add(frames_to_duration( - process_scope.frames_since_cycle_start() as usize, - self.sample_rate, - )) - .expect("`playback` occurs beyond representation supported by `StreamInstant`"); - - if let Some(input_callback) = &mut self.input_data_callback { - // Let's get the data from the input ports and run the callback - - let num_in_channels = self.in_ports.len(); - - // Read the data from the input ports into the temporary buffer - // Go through every channel and store its data in the temporary input buffer - for ch_ix in 0..num_in_channels { - let input_channel = &self.in_ports[ch_ix].as_slice(process_scope); - for i in 0..current_frame_count { - self.temp_input_buffer[ch_ix + i * num_in_channels] = input_channel[i]; - } - } - // Create a slice of exactly current_frame_count frames - let data = temp_buffer_to_data( - &mut self.temp_input_buffer, - current_frame_count * num_in_channels, - ); - // Create timestamp - let frames_since_cycle_start = process_scope.frames_since_cycle_start() as usize; - let duration_since_cycle_start = - frames_to_duration(frames_since_cycle_start, self.sample_rate); - let callback = start_callback_instant - .add(duration_since_cycle_start) - .expect("`playback` occurs beyond representation supported by `StreamInstant`"); - let capture = start_callback_instant; - let timestamp = crate::cpal::InputStreamTimestamp { callback, capture }; - let info = crate::cpal::InputCallbackInfo { timestamp }; - input_callback(&data, &info); - } - - if let Some(output_callback) = &mut self.output_data_callback { - let num_out_channels = self.out_ports.len(); - - // Create a slice of exactly current_frame_count frames - let mut data = temp_buffer_to_data( - &mut self.temp_output_buffer, - current_frame_count * num_out_channels, - ); - // Create timestamp - let frames_since_cycle_start = process_scope.frames_since_cycle_start() as usize; - let duration_since_cycle_start = - frames_to_duration(frames_since_cycle_start, self.sample_rate); - let callback = start_callback_instant - .add(duration_since_cycle_start) - .expect("`playback` occurs beyond representation supported by `StreamInstant`"); - let buffer_duration = frames_to_duration(current_frame_count, self.sample_rate); - let playback = start_cycle_instant - .add(buffer_duration) - .expect("`playback` occurs beyond representation supported by `StreamInstant`"); - let timestamp = crate::cpal::OutputStreamTimestamp { callback, playback }; - let info = crate::cpal::OutputCallbackInfo { timestamp }; - output_callback(&mut data, &info); - - // Deinterlace - for ch_ix in 0..num_out_channels { - let output_channel = &mut self.out_ports[ch_ix].as_mut_slice(process_scope); - for i in 0..current_frame_count { - output_channel[i] = self.temp_output_buffer[ch_ix + i * num_out_channels]; - } - } - } - - // Continue as normal - jack::Control::Continue - } - - fn buffer_size(&mut self, _: &jack::Client, size: jack::Frames) -> jack::Control { - // The `buffer_size` callback is actually called on the process thread, but - // it does not need to be suitable for real-time use. Thus we can simply allocate - // new buffers here. It is also fine to call the error callback. - // Details: https://github.com/RustAudio/rust-jack/issues/137 - let new_size = size as usize; - if new_size != self.buffer_size { - self.buffer_size = new_size; - self.temp_input_buffer = vec![0.0; self.in_ports.len() * new_size]; - self.temp_output_buffer = vec![0.0; self.out_ports.len() * new_size]; - let description = format!("buffer size changed to: {}", new_size); - if let Ok(mut mutex_guard) = self.error_callback_ptr.lock() { - let err = &mut *mutex_guard; - err(BackendSpecificError { description }.into()); - } - } - - jack::Control::Continue - } -} - -fn micros_to_stream_instant(micros: u64) -> crate::cpal::StreamInstant { - let nanos = micros * 1000; - let secs = micros / 1_000_000; - let subsec_nanos = nanos - secs * 1_000_000_000; - crate::cpal::StreamInstant::new(secs as i64, subsec_nanos as u32) -} - -// Convert the given duration in frames at the given sample rate to a `std::time::Duration`. -fn frames_to_duration(frames: usize, rate: crate::cpal::SampleRate) -> std::time::Duration { - let secsf = frames as f64 / rate.0 as f64; - let secs = secsf as u64; - let nanos = ((secsf - secs as f64) * 1_000_000_000.0) as u32; - std::time::Duration::new(secs, nanos) -} - -struct JackNotificationHandler { - error_callback_ptr: ErrorCallbackPtr, - init_sample_rate_flag: Arc, -} - -impl JackNotificationHandler { - pub fn new(error_callback_ptr: ErrorCallbackPtr) -> Self { - JackNotificationHandler { - error_callback_ptr, - init_sample_rate_flag: Arc::new(AtomicBool::new(false)), - } - } - - fn send_error(&mut self, description: String) { - // This thread isn't the audio thread, it's fine to block - if let Ok(mut mutex_guard) = self.error_callback_ptr.lock() { - let err = &mut *mutex_guard; - err(BackendSpecificError { description }.into()); - } - } -} - -impl jack::NotificationHandler for JackNotificationHandler { - fn shutdown(&mut self, _status: jack::ClientStatus, reason: &str) { - self.send_error(format!("JACK was shut down for reason: {}", reason)); - } - - fn sample_rate(&mut self, _: &jack::Client, srate: jack::Frames) -> jack::Control { - match self.init_sample_rate_flag.load(Ordering::SeqCst) { - false => { - // One of these notifications is sent every time a client is started. - self.init_sample_rate_flag.store(true, Ordering::SeqCst); - jack::Control::Continue - } - true => { - self.send_error(format!("sample rate changed to: {}", srate)); - // Since CPAL currently has no way of signaling a sample rate change in order to make - // all necessary changes that would bring we choose to quit. - jack::Control::Quit - } - } - } - - fn xrun(&mut self, _: &jack::Client) -> jack::Control { - self.send_error(String::from("xrun (buffer over or under run)")); - jack::Control::Continue - } -} diff --git a/gonk-player/src/cpal/host/mod.rs b/gonk-player/src/cpal/host/mod.rs deleted file mode 100644 index 25833050..00000000 --- a/gonk-player/src/cpal/host/mod.rs +++ /dev/null @@ -1,8 +0,0 @@ -#[cfg(any(target_os = "linux", target_os = "dragonfly", target_os = "freebsd"))] -pub(crate) mod alsa; - -#[cfg(any(target_os = "linux", target_os = "dragonfly", target_os = "freebsd"))] -pub(crate) mod jack; - -#[cfg(windows)] -pub(crate) mod wasapi; diff --git a/gonk-player/src/cpal/host/wasapi/com.rs b/gonk-player/src/cpal/host/wasapi/com.rs deleted file mode 100644 index 5a6b54dd..00000000 --- a/gonk-player/src/cpal/host/wasapi/com.rs +++ /dev/null @@ -1,52 +0,0 @@ -use super::IoError; -use std::marker::PhantomData; -use std::ptr; - -use super::winapi::shared::winerror::{HRESULT, RPC_E_CHANGED_MODE, SUCCEEDED}; -use super::winapi::um::combaseapi::{CoInitializeEx, CoUninitialize}; - -const COINIT_APARTMENTTHREADED: u32 = 2; - -thread_local!(static COM_INITIALIZED: ComInitialized = { - unsafe { - // Try to initialize COM with STA by default to avoid compatibility issues with the ASIO - // backend (where CoInitialize() is called by the ASIO SDK) or winit (where drag and drop - // requires STA). - // This call can fail with RPC_E_CHANGED_MODE if another library initialized COM with MTA. - // That's OK though since COM ensures thread-safety/compatibility through marshalling when - // necessary. - let result = CoInitializeEx(ptr::null_mut(), COINIT_APARTMENTTHREADED); - if SUCCEEDED(result) || result == RPC_E_CHANGED_MODE { - ComInitialized { - result, - _ptr: PhantomData, - } - } else { - // COM initialization failed in another way, something is really wrong. - panic!("Failed to initialize COM: {}", IoError::from_raw_os_error(result)); - } - } -}); - -// We store a raw pointer because it's the only way at the moment to remove `Send`/`Sync` from the -// object. -struct ComInitialized { - result: HRESULT, - _ptr: PhantomData<*mut ()>, -} - -impl Drop for ComInitialized { - #[inline] - fn drop(&mut self) { - // Need to avoid calling CoUninitialize() if CoInitializeEx failed since it may have - // returned RPC_E_MODE_CHANGED - which is OK, see above. - if SUCCEEDED(self.result) { - unsafe { CoUninitialize() }; - } - } -} - -#[inline] -pub fn com_initialized() { - COM_INITIALIZED.with(|_| {}); -} diff --git a/gonk-player/src/cpal/host/wasapi/device.rs b/gonk-player/src/cpal/host/wasapi/device.rs deleted file mode 100644 index 993466b7..00000000 --- a/gonk-player/src/cpal/host/wasapi/device.rs +++ /dev/null @@ -1,1266 +0,0 @@ -use crate::cpal::{ - BackendSpecificError, BufferSize, Data, DefaultStreamConfigError, DeviceNameError, - InputCallbackInfo, OutputCallbackInfo, SampleFormat, SampleRate, StreamConfig, - SupportedBufferSize, SupportedStreamConfig, SupportedStreamConfigRange, - SupportedStreamConfigsError, COMMON_SAMPLE_RATES, -}; -use once_cell::sync::Lazy; -use std::ffi::OsString; -use std::fmt; -use std::io::Error as IoError; -use std::mem; -use std::ops::{Deref, DerefMut}; -use std::os::windows::ffi::OsStringExt; -use std::ptr; -use std::slice; -use std::sync::{Arc, Mutex, MutexGuard}; - -use super::check_result; -use super::check_result_backend_specific; -use super::com; -use super::winapi::ctypes::c_void; -use super::winapi::shared::devpkey; -use super::winapi::shared::guiddef::GUID; -use super::winapi::shared::ksmedia; -use super::winapi::shared::minwindef::{DWORD, WORD}; -use super::winapi::shared::mmreg; -use super::winapi::shared::winerror; -use super::winapi::shared::wtypes; -use super::winapi::Interface; - -// https://msdn.microsoft.com/en-us/library/cc230355.aspx -use super::winapi::um::audioclient::{ - self, IAudioClient, IID_IAudioClient, AUDCLNT_E_DEVICE_INVALIDATED, -}; -use super::winapi::um::combaseapi::{ - CoCreateInstance, CoTaskMemFree, PropVariantClear, CLSCTX_ALL, -}; -use super::winapi::um::mmdeviceapi::{ - eAll, eCapture, eConsole, eRender, CLSID_MMDeviceEnumerator, EDataFlow, IMMDevice, - IMMDeviceCollection, IMMDeviceEnumerator, IMMEndpoint, DEVICE_STATE_ACTIVE, -}; -use super::winapi::um::winnt::{LPWSTR, WCHAR}; - -use super::{ - stream::{AudioClientFlow, Stream, StreamInner}, - winapi::um::synchapi, -}; -use crate::cpal::{traits::DeviceTrait, BuildStreamError, StreamError}; - -pub type SupportedInputConfigs = std::vec::IntoIter; -pub type SupportedOutputConfigs = std::vec::IntoIter; - -const STGM_READ: u32 = 0; - -const AUDCLNT_SHAREMODE_SHARED: u32 = 0; -const AUDCLNT_STREAMFLAGS_EVENTCALLBACK: u32 = 0x00040000; -const AUDCLNT_STREAMFLAGS_LOOPBACK: u32 = 0x00020000; - -#[derive(Copy, Clone)] -struct IAudioClientWrapper(*mut IAudioClient); -unsafe impl Send for IAudioClientWrapper {} -unsafe impl Sync for IAudioClientWrapper {} - -pub struct Device { - device: *mut IMMDevice, - - future_audio_client: Arc>>, // TODO: add NonZero around the ptr -} - -impl DeviceTrait for Device { - type SupportedInputConfigs = SupportedInputConfigs; - type SupportedOutputConfigs = SupportedOutputConfigs; - type Stream = Stream; - - fn name(&self) -> Result { - Device::name(self) - } - - fn supported_input_configs( - &self, - ) -> Result { - Device::supported_input_configs(self) - } - - fn supported_output_configs( - &self, - ) -> Result { - Device::supported_output_configs(self) - } - - fn default_input_config(&self) -> Result { - Device::default_input_config(self) - } - - fn default_output_config(&self) -> Result { - Device::default_output_config(self) - } - - fn build_input_stream_raw( - &self, - config: &StreamConfig, - sample_format: SampleFormat, - data_callback: D, - error_callback: E, - ) -> Result - where - D: FnMut(&Data, &InputCallbackInfo) + Send + 'static, - E: FnMut(StreamError) + Send + 'static, - { - let stream_inner = self.build_input_stream_raw_inner(config, sample_format)?; - Ok(Stream::new_input( - stream_inner, - data_callback, - error_callback, - )) - } - - fn build_output_stream_raw( - &self, - config: &StreamConfig, - sample_format: SampleFormat, - data_callback: D, - error_callback: E, - ) -> Result - where - D: FnMut(&mut Data, &OutputCallbackInfo) + Send + 'static, - E: FnMut(StreamError) + Send + 'static, - { - let stream_inner = self.build_output_stream_raw_inner(config, sample_format)?; - Ok(Stream::new_output( - stream_inner, - data_callback, - error_callback, - )) - } -} - -struct Endpoint { - endpoint: *mut IMMEndpoint, -} - -enum WaveFormat { - Ex(mmreg::WAVEFORMATEX), - Extensible(mmreg::WAVEFORMATEXTENSIBLE), -} - -// Use RAII to make sure CoTaskMemFree is called when we are responsible for freeing. -struct WaveFormatExPtr(*mut mmreg::WAVEFORMATEX); - -impl Drop for WaveFormatExPtr { - fn drop(&mut self) { - unsafe { - CoTaskMemFree(self.0 as *mut _); - } - } -} - -impl WaveFormat { - // Given a pointer to some format, returns a valid copy of the format. - pub fn copy_from_waveformatex_ptr(ptr: *const mmreg::WAVEFORMATEX) -> Option { - unsafe { - match (*ptr).wFormatTag { - mmreg::WAVE_FORMAT_PCM | mmreg::WAVE_FORMAT_IEEE_FLOAT => { - Some(WaveFormat::Ex(*ptr)) - } - mmreg::WAVE_FORMAT_EXTENSIBLE => { - let extensible_ptr = ptr as *const mmreg::WAVEFORMATEXTENSIBLE; - Some(WaveFormat::Extensible(*extensible_ptr)) - } - _ => None, - } - } - } - - // Get the pointer to the WAVEFORMATEX struct. - pub fn as_ptr(&self) -> *const mmreg::WAVEFORMATEX { - self.deref() as *const _ - } -} - -impl Deref for WaveFormat { - type Target = mmreg::WAVEFORMATEX; - fn deref(&self) -> &Self::Target { - match *self { - WaveFormat::Ex(ref f) => f, - WaveFormat::Extensible(ref f) => &f.Format, - } - } -} - -impl DerefMut for WaveFormat { - fn deref_mut(&mut self) -> &mut Self::Target { - match *self { - WaveFormat::Ex(ref mut f) => f, - WaveFormat::Extensible(ref mut f) => &mut f.Format, - } - } -} - -unsafe fn immendpoint_from_immdevice(device: *const IMMDevice) -> *mut IMMEndpoint { - let mut endpoint: *mut IMMEndpoint = ptr::null_mut(); - check_result( - (*device).QueryInterface(&IMMEndpoint::uuidof(), &mut endpoint as *mut _ as *mut _), - ) - .expect("could not query IMMDevice interface for IMMEndpoint"); - endpoint -} - -unsafe fn data_flow_from_immendpoint(endpoint: *const IMMEndpoint) -> EDataFlow { - let mut data_flow = std::mem::MaybeUninit::::uninit(); - check_result((*endpoint).GetDataFlow(data_flow.as_mut_ptr())) - .expect("could not get endpoint data_flow"); - data_flow.assume_init() -} - -// Given the audio client and format, returns whether or not the format is supported. -pub unsafe fn is_format_supported( - client: *const IAudioClient, - waveformatex_ptr: *const mmreg::WAVEFORMATEX, -) -> Result { - /* - // `IsFormatSupported` checks whether the format is supported and fills - // a `WAVEFORMATEX` - let mut dummy_fmt_ptr: *mut mmreg::WAVEFORMATEX = mem::uninitialized(); - let hresult = - (*audio_client) - .IsFormatSupported(share_mode, &format_attempt.Format, &mut dummy_fmt_ptr); - // we free that `WAVEFORMATEX` immediately after because we don't need it - if !dummy_fmt_ptr.is_null() { - CoTaskMemFree(dummy_fmt_ptr as *mut _); - } - - // `IsFormatSupported` can return `S_FALSE` (which means that a compatible format - // has been found), but we also treat this as an error - match (hresult, check_result(hresult)) { - (_, Err(ref e)) - if e.raw_os_error() == Some(AUDCLNT_E_DEVICE_INVALIDATED) => { - (*audio_client).Release(); - return Err(BuildStreamError::DeviceNotAvailable); - }, - (_, Err(e)) => { - (*audio_client).Release(); - panic!("{:?}", e); - }, - (winerror::S_FALSE, _) => { - (*audio_client).Release(); - return Err(BuildStreamError::StreamConfigNotSupported); - }, - (_, Ok(())) => (), - }; - */ - - // Check if the given format is supported. - let is_supported = |waveformatex_ptr, mut closest_waveformatex_ptr| { - let result = (*client).IsFormatSupported( - AUDCLNT_SHAREMODE_SHARED, - waveformatex_ptr, - &mut closest_waveformatex_ptr, - ); - // `IsFormatSupported` can return `S_FALSE` (which means that a compatible format - // has been found, but not an exact match) so we also treat this as unsupported. - match (result, check_result(result)) { - (_, Err(ref e)) if e.raw_os_error() == Some(AUDCLNT_E_DEVICE_INVALIDATED) => { - Err(SupportedStreamConfigsError::DeviceNotAvailable) - } - (_, Err(_)) => Ok(false), - (winerror::S_FALSE, _) => Ok(false), - (_, Ok(())) => Ok(true), - } - }; - - // First we want to retrieve a pointer to the `WAVEFORMATEX`. - // Although `GetMixFormat` writes the format to a given `WAVEFORMATEX` pointer, - // the pointer itself may actually point to a `WAVEFORMATEXTENSIBLE` structure. - // We check the wFormatTag to determine this and get a pointer to the correct type. - match (*waveformatex_ptr).wFormatTag { - mmreg::WAVE_FORMAT_PCM | mmreg::WAVE_FORMAT_IEEE_FLOAT => { - let mut closest_waveformatex = *waveformatex_ptr; - let closest_waveformatex_ptr = &mut closest_waveformatex as *mut _; - is_supported(waveformatex_ptr, closest_waveformatex_ptr) - } - mmreg::WAVE_FORMAT_EXTENSIBLE => { - let waveformatextensible_ptr = waveformatex_ptr as *const mmreg::WAVEFORMATEXTENSIBLE; - let mut closest_waveformatextensible = *waveformatextensible_ptr; - let closest_waveformatextensible_ptr = &mut closest_waveformatextensible as *mut _; - let closest_waveformatex_ptr = - closest_waveformatextensible_ptr as *mut mmreg::WAVEFORMATEX; - is_supported(waveformatex_ptr, closest_waveformatex_ptr) - } - _ => Ok(false), - } -} - -// Get a cpal Format from a WAVEFORMATEX. -unsafe fn format_from_waveformatex_ptr( - waveformatex_ptr: *const mmreg::WAVEFORMATEX, -) -> Option { - fn cmp_guid(a: &GUID, b: &GUID) -> bool { - a.Data1 == b.Data1 && a.Data2 == b.Data2 && a.Data3 == b.Data3 && a.Data4 == b.Data4 - } - let sample_format = match ( - (*waveformatex_ptr).wBitsPerSample, - (*waveformatex_ptr).wFormatTag, - ) { - (16, mmreg::WAVE_FORMAT_PCM) => SampleFormat::I16, - (32, mmreg::WAVE_FORMAT_IEEE_FLOAT) => SampleFormat::F32, - (n_bits, mmreg::WAVE_FORMAT_EXTENSIBLE) => { - let waveformatextensible_ptr = waveformatex_ptr as *const mmreg::WAVEFORMATEXTENSIBLE; - let sub = (*waveformatextensible_ptr).SubFormat; - if n_bits == 16 && cmp_guid(&sub, &ksmedia::KSDATAFORMAT_SUBTYPE_PCM) { - SampleFormat::I16 - } else if n_bits == 32 && cmp_guid(&sub, &ksmedia::KSDATAFORMAT_SUBTYPE_IEEE_FLOAT) { - SampleFormat::F32 - } else { - return None; - } - } - // Unknown data format returned by GetMixFormat. - _ => return None, - }; - - let format = SupportedStreamConfig { - channels: (*waveformatex_ptr).nChannels as _, - sample_rate: SampleRate((*waveformatex_ptr).nSamplesPerSec), - buffer_size: SupportedBufferSize::Unknown, - sample_format, - }; - Some(format) -} - -unsafe impl Send for Device {} -unsafe impl Sync for Device {} - -impl Device { - pub fn name(&self) -> Result { - unsafe { - // Open the device's property store. - let mut property_store = ptr::null_mut(); - (*self.device).OpenPropertyStore(STGM_READ, &mut property_store); - - // Get the endpoint's friendly-name property. - let mut property_value = mem::zeroed(); - if let Err(err) = check_result((*property_store).GetValue( - &devpkey::DEVPKEY_Device_FriendlyName as *const _ as *const _, - &mut property_value, - )) { - let description = format!("failed to retrieve name from property store: {}", err); - let err = BackendSpecificError { description }; - return Err(DeviceNameError::BackendSpecific { err }); - } - - // Read the friendly-name from the union data field, expecting a *const u16. - if property_value.vt != wtypes::VT_LPWSTR as _ { - let description = format!( - "property store produced invalid data: {:?}", - property_value.vt - ); - let err = BackendSpecificError { description }; - return Err(DeviceNameError::BackendSpecific { err }); - } - let ptr_utf16 = *(&property_value.data as *const _ as *const *const u16); - - // Find the length of the friendly name. - let mut len = 0; - while *ptr_utf16.offset(len) != 0 { - len += 1; - } - - // Create the utf16 slice and convert it into a string. - let name_slice = slice::from_raw_parts(ptr_utf16, len as usize); - let name_os_string: OsString = OsStringExt::from_wide(name_slice); - let name_string = match name_os_string.into_string() { - Ok(string) => string, - Err(os_string) => os_string.to_string_lossy().into(), - }; - - // Clean up the property. - PropVariantClear(&mut property_value); - - Ok(name_string) - } - } - - #[inline] - fn from_immdevice(device: *mut IMMDevice) -> Self { - Device { - device, - future_audio_client: Arc::new(Mutex::new(None)), - } - } - - fn ensure_future_audio_client( - &self, - ) -> Result>, IoError> { - let mut lock = self.future_audio_client.lock().unwrap(); - if lock.is_some() { - return Ok(lock); - } - - let audio_client: *mut IAudioClient = unsafe { - let mut audio_client = ptr::null_mut(); - let hresult = (*self.device).Activate( - &IID_IAudioClient, - CLSCTX_ALL, - ptr::null_mut(), - &mut audio_client, - ); - - // can fail if the device has been disconnected since we enumerated it, or if - // the device doesn't support playback for some reason - check_result(hresult)?; - assert!(!audio_client.is_null()); - audio_client as *mut _ - }; - - *lock = Some(IAudioClientWrapper(audio_client)); - Ok(lock) - } - - #[inline] - pub(crate) fn build_audioclient(&self) -> Result<*mut IAudioClient, IoError> { - let mut lock = self.ensure_future_audio_client()?; - let client = lock.unwrap().0; - *lock = None; - Ok(client) - } - - // There is no way to query the list of all formats that are supported by the - // audio processor, so instead we just trial some commonly supported formats. - // - // Common formats are trialed by first getting the default format (returned via - // `GetMixFormat`) and then mutating that format with common sample rates and - // querying them via `IsFormatSupported`. - // - // When calling `IsFormatSupported` with the shared-mode audio engine, only the default - // number of channels seems to be supported. Any, more or less returns an invalid - // parameter error. Thus, we just assume that the default number of channels is the only - // number supported. - fn supported_formats(&self) -> Result { - // initializing COM because we call `CoTaskMemFree` to release the format. - com::com_initialized(); - - // Retrieve the `IAudioClient`. - let lock = match self.ensure_future_audio_client() { - Ok(lock) => lock, - Err(ref e) if e.raw_os_error() == Some(AUDCLNT_E_DEVICE_INVALIDATED) => { - return Err(SupportedStreamConfigsError::DeviceNotAvailable) - } - Err(e) => { - let description = format!("{}", e); - let err = BackendSpecificError { description }; - - return Err(SupportedStreamConfigsError::BackendSpecific { err }); - } - }; - let client = lock.unwrap().0; - - unsafe { - // Retrieve the pointer to the default WAVEFORMATEX. - let mut default_waveformatex_ptr = WaveFormatExPtr(ptr::null_mut()); - match check_result((*client).GetMixFormat(&mut default_waveformatex_ptr.0)) { - Ok(()) => (), - Err(ref e) if e.raw_os_error() == Some(AUDCLNT_E_DEVICE_INVALIDATED) => { - return Err(SupportedStreamConfigsError::DeviceNotAvailable); - } - Err(e) => { - let description = format!("{}", e); - let err = BackendSpecificError { description }; - return Err(SupportedStreamConfigsError::BackendSpecific { err }); - } - }; - - // If the default format can't succeed we have no hope of finding other formats. - assert!(is_format_supported(client, default_waveformatex_ptr.0)?); - - // Copy the format to use as a test format (as to avoid mutating the original format). - let mut test_format = { - match WaveFormat::copy_from_waveformatex_ptr(default_waveformatex_ptr.0) { - Some(f) => f, - // If the format is neither EX nor EXTENSIBLE we don't know how to work with it. - None => return Ok(vec![].into_iter()), - } - }; - - // Begin testing common sample rates. - // - // NOTE: We should really be testing for whole ranges here, but it is infeasible to - // test every sample rate up to the overflow limit as the `IsFormatSupported` method is - // quite slow. - let mut supported_sample_rates: Vec = Vec::new(); - for &rate in COMMON_SAMPLE_RATES { - let rate = rate.0 as DWORD; - test_format.nSamplesPerSec = rate; - test_format.nAvgBytesPerSec = - rate * u32::from((*default_waveformatex_ptr.0).nBlockAlign); - if is_format_supported(client, test_format.as_ptr())? { - supported_sample_rates.push(rate); - } - } - - // If the common rates don't include the default one, add the default. - let default_sr = (*default_waveformatex_ptr.0).nSamplesPerSec as _; - if !supported_sample_rates.iter().any(|&r| r == default_sr) { - supported_sample_rates.push(default_sr); - } - - // Reset the sample rate on the test format now that we're done. - test_format.nSamplesPerSec = (*default_waveformatex_ptr.0).nSamplesPerSec; - test_format.nAvgBytesPerSec = (*default_waveformatex_ptr.0).nAvgBytesPerSec; - - // TODO: Test the different sample formats? - - // Create the supported formats. - let format = match format_from_waveformatex_ptr(default_waveformatex_ptr.0) { - Some(fmt) => fmt, - None => { - let description = - "could not create a `cpal::SupportedStreamConfig` from a `WAVEFORMATEX`" - .to_string(); - let err = BackendSpecificError { description }; - return Err(SupportedStreamConfigsError::BackendSpecific { err }); - } - }; - let mut supported_formats = Vec::with_capacity(supported_sample_rates.len()); - for rate in supported_sample_rates { - supported_formats.push(SupportedStreamConfigRange { - channels: format.channels, - min_sample_rate: SampleRate(rate as _), - max_sample_rate: SampleRate(rate as _), - buffer_size: format.buffer_size.clone(), - sample_format: format.sample_format, - }) - } - Ok(supported_formats.into_iter()) - } - } - - pub fn supported_input_configs( - &self, - ) -> Result { - if self.data_flow() == eCapture { - self.supported_formats() - // If it's an output device, assume no input formats. - } else { - Ok(vec![].into_iter()) - } - } - - pub fn supported_output_configs( - &self, - ) -> Result { - if self.data_flow() == eRender { - self.supported_formats() - // If it's an input device, assume no output formats. - } else { - Ok(vec![].into_iter()) - } - } - - // We always create voices in shared mode, therefore all samples go through an audio - // processor to mix them together. - // - // One format is guaranteed to be supported, the one returned by `GetMixFormat`. - fn default_format(&self) -> Result { - // initializing COM because we call `CoTaskMemFree` - com::com_initialized(); - - let lock = match self.ensure_future_audio_client() { - Ok(lock) => lock, - Err(ref e) if e.raw_os_error() == Some(AUDCLNT_E_DEVICE_INVALIDATED) => { - return Err(DefaultStreamConfigError::DeviceNotAvailable) - } - Err(e) => { - let description = format!("{}", e); - let err = BackendSpecificError { description }; - return Err(DefaultStreamConfigError::BackendSpecific { err }); - } - }; - let client = lock.unwrap().0; - - unsafe { - let mut format_ptr = WaveFormatExPtr(ptr::null_mut()); - match check_result((*client).GetMixFormat(&mut format_ptr.0)) { - Err(ref e) if e.raw_os_error() == Some(AUDCLNT_E_DEVICE_INVALIDATED) => { - return Err(DefaultStreamConfigError::DeviceNotAvailable); - } - Err(e) => { - let description = format!("{}", e); - let err = BackendSpecificError { description }; - return Err(DefaultStreamConfigError::BackendSpecific { err }); - } - Ok(()) => (), - }; - - format_from_waveformatex_ptr(format_ptr.0) - .ok_or(DefaultStreamConfigError::StreamTypeNotSupported) - } - } - - pub(crate) fn data_flow(&self) -> EDataFlow { - let endpoint = Endpoint::from(self.device as *const _); - endpoint.data_flow() - } - - pub fn default_input_config(&self) -> Result { - if self.data_flow() == eCapture { - self.default_format() - } else { - Err(DefaultStreamConfigError::StreamTypeNotSupported) - } - } - - pub fn default_output_config(&self) -> Result { - let data_flow = self.data_flow(); - if data_flow == eRender { - self.default_format() - } else { - Err(DefaultStreamConfigError::StreamTypeNotSupported) - } - } - - pub(crate) fn build_input_stream_raw_inner( - &self, - config: &StreamConfig, - sample_format: SampleFormat, - ) -> Result { - unsafe { - // Making sure that COM is initialized. - // It's not actually sure that this is required, but when in doubt do it. - com::com_initialized(); - - // Obtaining a `IAudioClient`. - let audio_client = match self.build_audioclient() { - Ok(client) => client, - Err(ref e) if e.raw_os_error() == Some(AUDCLNT_E_DEVICE_INVALIDATED) => { - return Err(BuildStreamError::DeviceNotAvailable) - } - Err(e) => { - let description = format!("{}", e); - let err = BackendSpecificError { description }; - return Err(BuildStreamError::BackendSpecific { err }); - } - }; - - match config.buffer_size { - BufferSize::Fixed(_) => { - // TO DO: We need IAudioClient3 to get buffersize ranges first - // Otherwise the supported ranges are unknown. In the meantime - // the smallest buffersize is selected and used. - return Err(BuildStreamError::StreamConfigNotSupported); - } - BufferSize::Default => (), - }; - - let mut stream_flags: DWORD = AUDCLNT_STREAMFLAGS_EVENTCALLBACK; - - if self.data_flow() == eRender { - stream_flags |= AUDCLNT_STREAMFLAGS_LOOPBACK; - } - - // Computing the format and initializing the device. - let waveformatex = { - let format_attempt = config_to_waveformatextensible(config, sample_format) - .ok_or(BuildStreamError::StreamConfigNotSupported)?; - let share_mode = AUDCLNT_SHAREMODE_SHARED; - - // Ensure the format is supported. - match super::device::is_format_supported(audio_client, &format_attempt.Format) { - Ok(false) => return Err(BuildStreamError::StreamConfigNotSupported), - Err(_) => return Err(BuildStreamError::DeviceNotAvailable), - _ => (), - } - - // Finally, initializing the audio client - let hresult = (*audio_client).Initialize( - share_mode, - stream_flags, - 0, - 0, - &format_attempt.Format, - ptr::null(), - ); - match check_result(hresult) { - Err(ref e) if e.raw_os_error() == Some(AUDCLNT_E_DEVICE_INVALIDATED) => { - (*audio_client).Release(); - return Err(BuildStreamError::DeviceNotAvailable); - } - Err(e) => { - (*audio_client).Release(); - let description = format!("{}", e); - let err = BackendSpecificError { description }; - return Err(BuildStreamError::BackendSpecific { err }); - } - Ok(()) => (), - }; - - format_attempt.Format - }; - - // obtaining the size of the samples buffer in number of frames - let max_frames_in_buffer = { - let mut max_frames_in_buffer = 0u32; - let hresult = (*audio_client).GetBufferSize(&mut max_frames_in_buffer); - - match check_result(hresult) { - Err(ref e) if e.raw_os_error() == Some(AUDCLNT_E_DEVICE_INVALIDATED) => { - (*audio_client).Release(); - return Err(BuildStreamError::DeviceNotAvailable); - } - Err(e) => { - (*audio_client).Release(); - let description = format!("{}", e); - let err = BackendSpecificError { description }; - return Err(BuildStreamError::BackendSpecific { err }); - } - Ok(()) => (), - }; - - max_frames_in_buffer - }; - - // Creating the event that will be signalled whenever we need to submit some samples. - let event = { - let event = synchapi::CreateEventA(ptr::null_mut(), 0, 0, ptr::null()); - if event.is_null() { - (*audio_client).Release(); - let description = "failed to create event".to_string(); - let err = BackendSpecificError { description }; - return Err(BuildStreamError::BackendSpecific { err }); - } - - if let Err(e) = check_result((*audio_client).SetEventHandle(event)) { - (*audio_client).Release(); - let description = format!("failed to call SetEventHandle: {}", e); - let err = BackendSpecificError { description }; - return Err(BuildStreamError::BackendSpecific { err }); - } - - event - }; - - // Building a `IAudioCaptureClient` that will be used to read captured samples. - let capture_client = { - let mut capture_client: *mut audioclient::IAudioCaptureClient = ptr::null_mut(); - let hresult = (*audio_client).GetService( - &audioclient::IID_IAudioCaptureClient, - &mut capture_client as *mut *mut audioclient::IAudioCaptureClient as *mut _, - ); - - match check_result(hresult) { - Err(ref e) if e.raw_os_error() == Some(AUDCLNT_E_DEVICE_INVALIDATED) => { - (*audio_client).Release(); - return Err(BuildStreamError::DeviceNotAvailable); - } - Err(e) => { - (*audio_client).Release(); - let description = format!("failed to build capture client: {}", e); - let err = BackendSpecificError { description }; - return Err(BuildStreamError::BackendSpecific { err }); - } - Ok(()) => (), - }; - - &mut *capture_client - }; - - // Once we built the `StreamInner`, we add a command that will be picked up by the - // `run()` method and added to the `RunContext`. - let client_flow = AudioClientFlow::Capture { capture_client }; - - let audio_clock = get_audio_clock(audio_client).map_err(|err| { - (*audio_client).Release(); - err - })?; - - Ok(StreamInner { - audio_client, - audio_clock, - client_flow, - event, - playing: false, - max_frames_in_buffer, - bytes_per_frame: waveformatex.nBlockAlign, - config: config.clone(), - sample_format, - }) - } - } - - pub(crate) fn build_output_stream_raw_inner( - &self, - config: &StreamConfig, - sample_format: SampleFormat, - ) -> Result { - unsafe { - // Making sure that COM is initialized. - // It's not actually sure that this is required, but when in doubt do it. - com::com_initialized(); - - // Obtaining a `IAudioClient`. - let audio_client = match self.build_audioclient() { - Ok(client) => client, - Err(ref e) if e.raw_os_error() == Some(AUDCLNT_E_DEVICE_INVALIDATED) => { - return Err(BuildStreamError::DeviceNotAvailable) - } - Err(e) => { - let description = format!("{}", e); - let err = BackendSpecificError { description }; - return Err(BuildStreamError::BackendSpecific { err }); - } - }; - - match config.buffer_size { - BufferSize::Fixed(_) => { - // TO DO: We need IAudioClient3 to get buffersize ranges first - // Otherwise the supported ranges are unknown. In the meantime - // the smallest buffersize is selected and used. - return Err(BuildStreamError::StreamConfigNotSupported); - } - BufferSize::Default => (), - }; - - // Computing the format and initializing the device. - let waveformatex = { - let format_attempt = config_to_waveformatextensible(config, sample_format) - .ok_or(BuildStreamError::StreamConfigNotSupported)?; - let share_mode = AUDCLNT_SHAREMODE_SHARED; - - // Ensure the format is supported. - match super::device::is_format_supported(audio_client, &format_attempt.Format) { - Ok(false) => return Err(BuildStreamError::StreamConfigNotSupported), - Err(_) => return Err(BuildStreamError::DeviceNotAvailable), - _ => (), - } - - // Finally, initializing the audio client - let hresult = (*audio_client).Initialize( - share_mode, - AUDCLNT_STREAMFLAGS_EVENTCALLBACK, - 0, - 0, - &format_attempt.Format, - ptr::null(), - ); - - match check_result(hresult) { - Err(ref e) if e.raw_os_error() == Some(AUDCLNT_E_DEVICE_INVALIDATED) => { - (*audio_client).Release(); - return Err(BuildStreamError::DeviceNotAvailable); - } - Err(e) => { - (*audio_client).Release(); - let description = format!("{}", e); - let err = BackendSpecificError { description }; - return Err(BuildStreamError::BackendSpecific { err }); - } - Ok(()) => (), - }; - - format_attempt.Format - }; - - // Creating the event that will be signalled whenever we need to submit some samples. - let event = { - let event = synchapi::CreateEventA(ptr::null_mut(), 0, 0, ptr::null()); - if event.is_null() { - (*audio_client).Release(); - let description = "failed to create event".to_string(); - let err = BackendSpecificError { description }; - return Err(BuildStreamError::BackendSpecific { err }); - } - - if let Err(e) = check_result((*audio_client).SetEventHandle(event)) { - (*audio_client).Release(); - let description = format!("failed to call SetEventHandle: {}", e); - let err = BackendSpecificError { description }; - return Err(BuildStreamError::BackendSpecific { err }); - }; - - event - }; - - // obtaining the size of the samples buffer in number of frames - let max_frames_in_buffer = { - let mut max_frames_in_buffer = 0u32; - let hresult = (*audio_client).GetBufferSize(&mut max_frames_in_buffer); - - match check_result(hresult) { - Err(ref e) if e.raw_os_error() == Some(AUDCLNT_E_DEVICE_INVALIDATED) => { - (*audio_client).Release(); - return Err(BuildStreamError::DeviceNotAvailable); - } - Err(e) => { - (*audio_client).Release(); - let description = format!("failed to obtain buffer size: {}", e); - let err = BackendSpecificError { description }; - return Err(BuildStreamError::BackendSpecific { err }); - } - Ok(()) => (), - }; - - max_frames_in_buffer - }; - - // Building a `IAudioRenderClient` that will be used to fill the samples buffer. - let render_client = { - let mut render_client: *mut audioclient::IAudioRenderClient = ptr::null_mut(); - let hresult = (*audio_client).GetService( - &audioclient::IID_IAudioRenderClient, - &mut render_client as *mut *mut audioclient::IAudioRenderClient as *mut _, - ); - - match check_result(hresult) { - Err(ref e) if e.raw_os_error() == Some(AUDCLNT_E_DEVICE_INVALIDATED) => { - (*audio_client).Release(); - return Err(BuildStreamError::DeviceNotAvailable); - } - Err(e) => { - (*audio_client).Release(); - let description = format!("failed to build render client: {}", e); - let err = BackendSpecificError { description }; - return Err(BuildStreamError::BackendSpecific { err }); - } - Ok(()) => (), - }; - - &mut *render_client - }; - - // Once we built the `StreamInner`, we add a command that will be picked up by the - // `run()` method and added to the `RunContext`. - let client_flow = AudioClientFlow::Render { render_client }; - - let audio_clock = get_audio_clock(audio_client).map_err(|err| { - (*audio_client).Release(); - err - })?; - - Ok(StreamInner { - audio_client, - audio_clock, - client_flow, - event, - playing: false, - max_frames_in_buffer, - bytes_per_frame: waveformatex.nBlockAlign, - config: config.clone(), - sample_format, - }) - } - } -} - -impl PartialEq for Device { - #[inline] - fn eq(&self, other: &Device) -> bool { - // Use case: In order to check whether the default device has changed - // the client code might need to compare the previous default device with the current one. - // The pointer comparison (`self.device == other.device`) don't work there, - // because the pointers are different even when the default device stays the same. - // - // In this code section we're trying to use the GetId method for the device comparison, cf. - // https://docs.microsoft.com/en-us/windows/desktop/api/mmdeviceapi/nf-mmdeviceapi-immdevice-getid - unsafe { - struct IdRAII(LPWSTR); - - impl Drop for IdRAII { - fn drop(&mut self) { - unsafe { CoTaskMemFree(self.0 as *mut c_void) } - } - } - let mut id1: LPWSTR = ptr::null_mut(); - let rc1 = (*self.device).GetId(&mut id1); - // GetId only fails with E_OUTOFMEMORY and if it does, we're probably dead already. - // Plus it won't do to change the device comparison logic unexpectedly. - if rc1 != winerror::S_OK { - panic!("cpal: GetId failure: {}", rc1) - } - let id1 = IdRAII(id1); - let mut id2: LPWSTR = ptr::null_mut(); - let rc2 = (*other.device).GetId(&mut id2); - if rc2 != winerror::S_OK { - panic!("cpal: GetId failure: {}", rc1) - } - let id2 = IdRAII(id2); - // 16-bit null-terminated comparison. - let mut offset = 0; - loop { - let w1: WCHAR = *id1.0.offset(offset); - let w2: WCHAR = *id2.0.offset(offset); - if w1 == 0 && w2 == 0 { - return true; - } - if w1 != w2 { - return false; - } - offset += 1; - } - } - } -} - -impl Eq for Device {} - -impl Clone for Device { - #[inline] - fn clone(&self) -> Device { - unsafe { - (*self.device).AddRef(); - } - - Device { - device: self.device, - future_audio_client: self.future_audio_client.clone(), - } - } -} - -impl fmt::Debug for Device { - fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result { - f.debug_struct("Device") - .field("device", &self.device) - .field("name", &self.name()) - .finish() - } -} - -impl Drop for Device { - #[inline] - fn drop(&mut self) { - unsafe { - (*self.device).Release(); - } - - if let Some(client) = self.future_audio_client.lock().unwrap().take() { - unsafe { - (*client.0).Release(); - } - } - } -} - -impl Drop for Endpoint { - fn drop(&mut self) { - unsafe { - (*self.endpoint).Release(); - } - } -} - -impl From<*const IMMDevice> for Endpoint { - fn from(device: *const IMMDevice) -> Self { - unsafe { - let endpoint = immendpoint_from_immdevice(device); - Endpoint { endpoint } - } - } -} - -impl Endpoint { - fn data_flow(&self) -> EDataFlow { - unsafe { data_flow_from_immendpoint(self.endpoint) } - } -} - -static ENUMERATOR: Lazy = Lazy::new(|| { - // COM initialization is thread local, but we only need to have COM initialized in the - // thread we create the objects in - com::com_initialized(); - - // building the devices enumerator object - unsafe { - let mut enumerator: *mut IMMDeviceEnumerator = ptr::null_mut(); - - let hresult = CoCreateInstance( - &CLSID_MMDeviceEnumerator, - ptr::null_mut(), - CLSCTX_ALL, - &IMMDeviceEnumerator::uuidof(), - &mut enumerator as *mut *mut IMMDeviceEnumerator as *mut _, - ); - - check_result(hresult).unwrap(); - Enumerator(enumerator) - } -}); - -struct Enumerator(*mut IMMDeviceEnumerator); - -unsafe impl Send for Enumerator {} -unsafe impl Sync for Enumerator {} - -impl Drop for Enumerator { - #[inline] - fn drop(&mut self) { - unsafe { - (*self.0).Release(); - } - } -} - -pub struct Devices { - collection: *mut IMMDeviceCollection, - total_count: u32, - next_item: u32, -} - -impl Devices { - pub fn new() -> Result { - unsafe { - let mut collection: *mut IMMDeviceCollection = ptr::null_mut(); - // can fail because of wrong parameters (should never happen) or out of memory - check_result_backend_specific((*ENUMERATOR.0).EnumAudioEndpoints( - eAll, - DEVICE_STATE_ACTIVE, - &mut collection, - ))?; - - let count = 0u32; - // can fail if the parameter is null, which should never happen - check_result_backend_specific((*collection).GetCount(&count))?; - - Ok(Devices { - collection, - total_count: count, - next_item: 0, - }) - } - } -} - -unsafe impl Send for Devices {} -unsafe impl Sync for Devices {} - -impl Drop for Devices { - #[inline] - fn drop(&mut self) { - unsafe { - (*self.collection).Release(); - } - } -} - -impl Iterator for Devices { - type Item = Device; - - fn next(&mut self) -> Option { - if self.next_item >= self.total_count { - return None; - } - - unsafe { - let mut device = ptr::null_mut(); - // can fail if out of range, which we just checked above - check_result((*self.collection).Item(self.next_item, &mut device)).unwrap(); - - self.next_item += 1; - Some(Device::from_immdevice(device)) - } - } - - #[inline] - fn size_hint(&self) -> (usize, Option) { - let num = self.total_count - self.next_item; - let num = num as usize; - (num, Some(num)) - } -} - -fn default_device(data_flow: EDataFlow) -> Option { - unsafe { - let mut device = ptr::null_mut(); - let hres = (*ENUMERATOR.0).GetDefaultAudioEndpoint(data_flow, eConsole, &mut device); - if let Err(_err) = check_result(hres) { - return None; // TODO: check specifically for `E_NOTFOUND`, and panic otherwise - } - Some(Device::from_immdevice(device)) - } -} - -pub fn default_input_device() -> Option { - default_device(eCapture) -} - -pub fn default_output_device() -> Option { - default_device(eRender) -} - -unsafe fn get_audio_clock( - audio_client: *mut audioclient::IAudioClient, -) -> Result<*mut audioclient::IAudioClock, BuildStreamError> { - let mut audio_clock: *mut audioclient::IAudioClock = ptr::null_mut(); - let hresult = (*audio_client).GetService( - &audioclient::IID_IAudioClock, - &mut audio_clock as *mut *mut audioclient::IAudioClock as *mut _, - ); - match check_result(hresult) { - Err(ref e) if e.raw_os_error() == Some(AUDCLNT_E_DEVICE_INVALIDATED) => { - return Err(BuildStreamError::DeviceNotAvailable); - } - Err(e) => { - let description = format!("failed to build audio clock: {}", e); - let err = BackendSpecificError { description }; - return Err(BuildStreamError::BackendSpecific { err }); - } - Ok(()) => (), - }; - Ok(audio_clock) -} - -// Turns a `Format` into a `WAVEFORMATEXTENSIBLE`. -// -// Returns `None` if the WAVEFORMATEXTENSIBLE does not support the given format. -fn config_to_waveformatextensible( - config: &StreamConfig, - sample_format: SampleFormat, -) -> Option { - let format_tag = match sample_format { - SampleFormat::I16 => mmreg::WAVE_FORMAT_PCM, - SampleFormat::F32 => mmreg::WAVE_FORMAT_EXTENSIBLE, - SampleFormat::U16 => return None, - }; - let channels = config.channels as WORD; - let sample_rate = config.sample_rate.0 as DWORD; - let sample_bytes = sample_format.sample_size() as WORD; - let avg_bytes_per_sec = u32::from(channels) * sample_rate * u32::from(sample_bytes); - let block_align = channels * sample_bytes; - let bits_per_sample = 8 * sample_bytes; - let cb_size = match sample_format { - SampleFormat::I16 => 0, - SampleFormat::F32 => { - let extensible_size = mem::size_of::(); - let ex_size = mem::size_of::(); - (extensible_size - ex_size) as WORD - } - SampleFormat::U16 => return None, - }; - let waveformatex = mmreg::WAVEFORMATEX { - wFormatTag: format_tag, - nChannels: channels, - nSamplesPerSec: sample_rate, - nAvgBytesPerSec: avg_bytes_per_sec, - nBlockAlign: block_align, - wBitsPerSample: bits_per_sample, - cbSize: cb_size, - }; - - // CPAL does not care about speaker positions, so pass audio straight through. - // TODO: This constant should be defined in winapi but is missing. - const KSAUDIO_SPEAKER_DIRECTOUT: DWORD = 0; - let channel_mask = KSAUDIO_SPEAKER_DIRECTOUT; - - let sub_format = match sample_format { - SampleFormat::I16 => ksmedia::KSDATAFORMAT_SUBTYPE_PCM, - SampleFormat::F32 => ksmedia::KSDATAFORMAT_SUBTYPE_IEEE_FLOAT, - SampleFormat::U16 => return None, - }; - let waveformatextensible = mmreg::WAVEFORMATEXTENSIBLE { - Format: waveformatex, - Samples: bits_per_sample as WORD, - dwChannelMask: channel_mask, - SubFormat: sub_format, - }; - - Some(waveformatextensible) -} diff --git a/gonk-player/src/cpal/host/wasapi/mod.rs b/gonk-player/src/cpal/host/wasapi/mod.rs deleted file mode 100644 index e3e06a2d..00000000 --- a/gonk-player/src/cpal/host/wasapi/mod.rs +++ /dev/null @@ -1,68 +0,0 @@ -extern crate winapi; - -pub use self::device::{ - default_input_device, default_output_device, Device, Devices, SupportedInputConfigs, - SupportedOutputConfigs, -}; -pub use self::stream::Stream; -use self::winapi::um::winnt::HRESULT; -use crate::cpal::traits::HostTrait; -use crate::cpal::BackendSpecificError; -use crate::cpal::DevicesError; -use std::io::Error as IoError; - -mod com; -mod device; -mod stream; - -#[derive(Debug)] -pub struct Host; - -impl Host { - pub fn new() -> Result { - Ok(Host) - } -} - -impl HostTrait for Host { - type Devices = Devices; - type Device = Device; - - fn is_available() -> bool { - // Assume WASAPI is always available on Windows. - true - } - - fn devices(&self) -> Result { - match Devices::new() { - Ok(devices) => Ok(devices), - Err(err) => Err(DevicesError::BackendSpecific { err }), - } - } - - fn default_input_device(&self) -> Option { - default_input_device() - } - - fn default_output_device(&self) -> Option { - default_output_device() - } -} - -#[inline] -fn check_result(result: HRESULT) -> Result<(), IoError> { - if result < 0 { - Err(IoError::from_raw_os_error(result)) - } else { - Ok(()) - } -} - -fn check_result_backend_specific(result: HRESULT) -> Result<(), BackendSpecificError> { - match check_result(result) { - Ok(()) => Ok(()), - Err(err) => Err(BackendSpecificError { - description: format!("{}", err), - }), - } -} diff --git a/gonk-player/src/cpal/host/wasapi/stream.rs b/gonk-player/src/cpal/host/wasapi/stream.rs deleted file mode 100644 index c0f9db1d..00000000 --- a/gonk-player/src/cpal/host/wasapi/stream.rs +++ /dev/null @@ -1,530 +0,0 @@ -use super::check_result; -use super::winapi::shared::basetsd::{UINT32, UINT64}; -use super::winapi::shared::minwindef::{BYTE, FALSE, WORD}; -use super::winapi::um::audioclient::{self, AUDCLNT_E_DEVICE_INVALIDATED, AUDCLNT_S_BUFFER_EMPTY}; -use super::winapi::um::handleapi; -use super::winapi::um::synchapi; -use super::winapi::um::winbase; -use super::winapi::um::winnt; -use crate::cpal::traits::StreamTrait; -use crate::cpal::{ - BackendSpecificError, Data, InputCallbackInfo, OutputCallbackInfo, PauseStreamError, - PlayStreamError, SampleFormat, StreamError, -}; -use std::mem; -use std::ptr; -use std::sync::mpsc::{channel, Receiver, Sender}; -use std::thread::{self, JoinHandle}; - -pub struct Stream { - thread: Option>, - - // Commands processed by the `run()` method that is currently running. - // `pending_scheduled_event` must be signalled whenever a command is added here, so that it - // will get picked up. - commands: Sender, - - // This event is signalled after a new entry is added to `commands`, so that the `run()` - // method can be notified. - pending_scheduled_event: winnt::HANDLE, -} - -struct RunContext { - // Streams that have been created in this event loop. - stream: StreamInner, - - // Handles corresponding to the `event` field of each element of `voices`. Must always be in - // sync with `voices`, except that the first element is always `pending_scheduled_event`. - handles: Vec, - - commands: Receiver, -} - -// Once we start running the eventloop, the RunContext will not be moved. -unsafe impl Send for RunContext {} - -pub enum Command { - PlayStream, - PauseStream, - Terminate, -} - -pub enum AudioClientFlow { - Render { - render_client: *mut audioclient::IAudioRenderClient, - }, - Capture { - capture_client: *mut audioclient::IAudioCaptureClient, - }, -} - -pub struct StreamInner { - pub audio_client: *mut audioclient::IAudioClient, - pub audio_clock: *mut audioclient::IAudioClock, - pub client_flow: AudioClientFlow, - // Event that is signalled by WASAPI whenever audio data must be written. - pub event: winnt::HANDLE, - // True if the stream is currently playing. False if paused. - pub playing: bool, - // Number of frames of audio data in the underlying buffer allocated by WASAPI. - pub max_frames_in_buffer: UINT32, - // Number of bytes that each frame occupies. - pub bytes_per_frame: WORD, - // The configuration with which the stream was created. - pub config: crate::cpal::StreamConfig, - // The sample format with which the stream was created. - pub sample_format: SampleFormat, -} - -impl Stream { - pub(crate) fn new_input( - stream_inner: StreamInner, - mut data_callback: D, - mut error_callback: E, - ) -> Stream - where - D: FnMut(&Data, &InputCallbackInfo) + Send + 'static, - E: FnMut(StreamError) + Send + 'static, - { - let pending_scheduled_event = - unsafe { synchapi::CreateEventA(ptr::null_mut(), 0, 0, ptr::null()) }; - let (tx, rx) = channel(); - - let run_context = RunContext { - handles: vec![pending_scheduled_event, stream_inner.event], - stream: stream_inner, - commands: rx, - }; - - let thread = thread::Builder::new() - .name("cpal_wasapi_in".to_owned()) - .spawn(move || run_input(run_context, &mut data_callback, &mut error_callback)) - .unwrap(); - - Stream { - thread: Some(thread), - commands: tx, - pending_scheduled_event, - } - } - - pub(crate) fn new_output( - stream_inner: StreamInner, - mut data_callback: D, - mut error_callback: E, - ) -> Stream - where - D: FnMut(&mut Data, &OutputCallbackInfo) + Send + 'static, - E: FnMut(StreamError) + Send + 'static, - { - let pending_scheduled_event = - unsafe { synchapi::CreateEventA(ptr::null_mut(), 0, 0, ptr::null()) }; - let (tx, rx) = channel(); - - let run_context = RunContext { - handles: vec![pending_scheduled_event, stream_inner.event], - stream: stream_inner, - commands: rx, - }; - - let thread = thread::Builder::new() - .name("cpal_wasapi_out".to_owned()) - .spawn(move || run_output(run_context, &mut data_callback, &mut error_callback)) - .unwrap(); - - Stream { - thread: Some(thread), - commands: tx, - pending_scheduled_event, - } - } - - #[inline] - fn push_command(&self, command: Command) { - // Sender generally outlives receiver, unless the device gets unplugged. - let _ = self.commands.send(command); - unsafe { - let result = synchapi::SetEvent(self.pending_scheduled_event); - assert_ne!(result, 0); - } - } -} - -impl Drop for Stream { - #[inline] - fn drop(&mut self) { - self.push_command(Command::Terminate); - self.thread.take().unwrap().join().unwrap(); - unsafe { - handleapi::CloseHandle(self.pending_scheduled_event); - } - } -} - -impl StreamTrait for Stream { - fn play(&self) -> Result<(), PlayStreamError> { - self.push_command(Command::PlayStream); - Ok(()) - } - fn pause(&self) -> Result<(), PauseStreamError> { - self.push_command(Command::PauseStream); - Ok(()) - } -} - -impl Drop for AudioClientFlow { - fn drop(&mut self) { - unsafe { - match *self { - AudioClientFlow::Capture { capture_client } => (*capture_client).Release(), - AudioClientFlow::Render { render_client } => (*render_client).Release(), - }; - } - } -} - -impl Drop for StreamInner { - #[inline] - fn drop(&mut self) { - unsafe { - (*self.audio_client).Release(); - (*self.audio_clock).Release(); - handleapi::CloseHandle(self.event); - } - } -} - -// Process any pending commands that are queued within the `RunContext`. -// Returns `true` if the loop should continue running, `false` if it should terminate. -fn process_commands(run_context: &mut RunContext) -> Result { - // Process the pending commands. - for command in run_context.commands.try_iter() { - match command { - Command::PlayStream => { - if !run_context.stream.playing { - let hresult = unsafe { (*run_context.stream.audio_client).Start() }; - stream_error_from_hresult(hresult)?; - run_context.stream.playing = true; - } - } - Command::PauseStream => { - if run_context.stream.playing { - let hresult = unsafe { (*run_context.stream.audio_client).Stop() }; - stream_error_from_hresult(hresult)?; - run_context.stream.playing = false; - } - } - Command::Terminate => { - return Ok(false); - } - } - } - - Ok(true) -} -// Wait for any of the given handles to be signalled. -// -// Returns the index of the `handle` that was signalled, or an `Err` if -// `WaitForMultipleObjectsEx` fails. -// -// This is called when the `run` thread is ready to wait for the next event. The -// next event might be some command submitted by the user (the first handle) or -// might indicate that one of the streams is ready to deliver or receive audio. -fn wait_for_handle_signal(handles: &[winnt::HANDLE]) -> Result { - debug_assert!(handles.len() <= winnt::MAXIMUM_WAIT_OBJECTS as usize); - let result = unsafe { - synchapi::WaitForMultipleObjectsEx( - handles.len() as u32, - handles.as_ptr(), - FALSE, // Don't wait for all, just wait for the first - winbase::INFINITE, // TODO: allow setting a timeout - FALSE, // irrelevant parameter here - ) - }; - if result == winbase::WAIT_FAILED { - let err = unsafe { winapi::um::errhandlingapi::GetLastError() }; - let description = format!("`WaitForMultipleObjectsEx failed: {}", err); - let err = BackendSpecificError { description }; - return Err(err); - } - // Notifying the corresponding task handler. - let handle_idx = (result - winbase::WAIT_OBJECT_0) as usize; - Ok(handle_idx) -} - -// Get the number of available frames that are available for writing/reading. -fn get_available_frames(stream: &StreamInner) -> Result { - unsafe { - let mut padding = 0u32; - let hresult = (*stream.audio_client).GetCurrentPadding(&mut padding); - stream_error_from_hresult(hresult)?; - Ok(stream.max_frames_in_buffer - padding) - } -} - -// Convert the given `HRESULT` into a `StreamError` if it does indicate an error. -fn stream_error_from_hresult(hresult: winnt::HRESULT) -> Result<(), StreamError> { - if hresult == AUDCLNT_E_DEVICE_INVALIDATED { - return Err(StreamError::DeviceNotAvailable); - } - if let Err(err) = check_result(hresult) { - let description = format!("{}", err); - let err = BackendSpecificError { description }; - return Err(StreamError::BackendSpecific { err }); - } - Ok(()) -} - -fn run_input( - mut run_ctxt: RunContext, - data_callback: &mut dyn FnMut(&Data, &InputCallbackInfo), - error_callback: &mut dyn FnMut(StreamError), -) { - loop { - match process_commands_and_await_signal(&mut run_ctxt, error_callback) { - Some(ControlFlow::Break) => break, - Some(ControlFlow::Continue) => continue, - None => (), - } - let capture_client = match run_ctxt.stream.client_flow { - AudioClientFlow::Capture { capture_client } => capture_client, - _ => unreachable!(), - }; - match process_input( - &run_ctxt.stream, - capture_client, - data_callback, - error_callback, - ) { - ControlFlow::Break => break, - ControlFlow::Continue => continue, - } - } -} - -fn run_output( - mut run_ctxt: RunContext, - data_callback: &mut dyn FnMut(&mut Data, &OutputCallbackInfo), - error_callback: &mut dyn FnMut(StreamError), -) { - loop { - match process_commands_and_await_signal(&mut run_ctxt, error_callback) { - Some(ControlFlow::Break) => break, - Some(ControlFlow::Continue) => continue, - None => (), - } - let render_client = match run_ctxt.stream.client_flow { - AudioClientFlow::Render { render_client } => render_client, - _ => unreachable!(), - }; - match process_output( - &run_ctxt.stream, - render_client, - data_callback, - error_callback, - ) { - ControlFlow::Break => break, - ControlFlow::Continue => continue, - } - } -} - -enum ControlFlow { - Break, - Continue, -} - -fn process_commands_and_await_signal( - run_context: &mut RunContext, - error_callback: &mut dyn FnMut(StreamError), -) -> Option { - // Process queued commands. - match process_commands(run_context) { - Ok(true) => (), - Ok(false) => return Some(ControlFlow::Break), - Err(err) => { - error_callback(err); - return Some(ControlFlow::Break); - } - }; - - // Wait for any of the handles to be signalled. - let handle_idx = match wait_for_handle_signal(&run_context.handles) { - Ok(idx) => idx, - Err(err) => { - error_callback(err.into()); - return Some(ControlFlow::Break); - } - }; - - // If `handle_idx` is 0, then it's `pending_scheduled_event` that was signalled in - // order for us to pick up the pending commands. Otherwise, a stream needs data. - if handle_idx == 0 { - return Some(ControlFlow::Continue); - } - - None -} - -// The loop for processing pending input data. -fn process_input( - stream: &StreamInner, - capture_client: *mut audioclient::IAudioCaptureClient, - data_callback: &mut dyn FnMut(&Data, &InputCallbackInfo), - error_callback: &mut dyn FnMut(StreamError), -) -> ControlFlow { - let mut frames_available = 0; - unsafe { - // Get the available data in the shared buffer. - let mut buffer: *mut BYTE = ptr::null_mut(); - let mut flags = mem::MaybeUninit::uninit(); - loop { - let hresult = (*capture_client).GetNextPacketSize(&mut frames_available); - if let Err(err) = stream_error_from_hresult(hresult) { - error_callback(err); - return ControlFlow::Break; - } - if frames_available == 0 { - return ControlFlow::Continue; - } - let mut qpc_position: UINT64 = 0; - let hresult = (*capture_client).GetBuffer( - &mut buffer, - &mut frames_available, - flags.as_mut_ptr(), - ptr::null_mut(), - &mut qpc_position, - ); - - // TODO: Can this happen? - if hresult == AUDCLNT_S_BUFFER_EMPTY { - continue; - } else if let Err(err) = stream_error_from_hresult(hresult) { - error_callback(err); - return ControlFlow::Break; - } - - debug_assert!(!buffer.is_null()); - - let data = buffer as *mut (); - let len = frames_available as usize * stream.bytes_per_frame as usize - / stream.sample_format.sample_size(); - let data = Data::from_parts(data, len, stream.sample_format); - - // The `qpc_position` is in 100 nanosecond units. Convert it to nanoseconds. - let timestamp = match input_timestamp(stream, qpc_position) { - Ok(ts) => ts, - Err(err) => { - error_callback(err); - return ControlFlow::Break; - } - }; - let info = InputCallbackInfo { timestamp }; - data_callback(&data, &info); - - // Release the buffer. - let hresult = (*capture_client).ReleaseBuffer(frames_available); - if let Err(err) = stream_error_from_hresult(hresult) { - error_callback(err); - return ControlFlow::Break; - } - } - } -} - -// The loop for writing output data. -fn process_output( - stream: &StreamInner, - render_client: *mut audioclient::IAudioRenderClient, - data_callback: &mut dyn FnMut(&mut Data, &OutputCallbackInfo), - error_callback: &mut dyn FnMut(StreamError), -) -> ControlFlow { - // The number of frames available for writing. - let frames_available = match get_available_frames(stream) { - Ok(0) => return ControlFlow::Continue, // TODO: Can this happen? - Ok(n) => n, - Err(err) => { - error_callback(err); - return ControlFlow::Break; - } - }; - - unsafe { - let mut buffer: *mut BYTE = ptr::null_mut(); - let hresult = (*render_client).GetBuffer(frames_available, &mut buffer as *mut *mut _); - - if let Err(err) = stream_error_from_hresult(hresult) { - error_callback(err); - return ControlFlow::Break; - } - - debug_assert!(!buffer.is_null()); - - let data = buffer as *mut (); - let len = frames_available as usize * stream.bytes_per_frame as usize - / stream.sample_format.sample_size(); - let mut data = Data::from_parts(data, len, stream.sample_format); - let sample_rate = stream.config.sample_rate; - let timestamp = match output_timestamp(stream, frames_available, sample_rate) { - Ok(ts) => ts, - Err(err) => { - error_callback(err); - return ControlFlow::Break; - } - }; - let info = OutputCallbackInfo { timestamp }; - data_callback(&mut data, &info); - - let hresult = (*render_client).ReleaseBuffer(frames_available as u32, 0); - if let Err(err) = stream_error_from_hresult(hresult) { - error_callback(err); - return ControlFlow::Break; - } - } - - ControlFlow::Continue -} - -fn frames_to_duration(frames: u32, rate: crate::cpal::SampleRate) -> std::time::Duration { - let secsf = frames as f64 / rate.0 as f64; - let secs = secsf as u64; - let nanos = ((secsf - secs as f64) * 1_000_000_000.0) as u32; - std::time::Duration::new(secs, nanos) -} - -fn stream_instant(stream: &StreamInner) -> Result { - let mut position: UINT64 = 0; - let mut qpc_position: UINT64 = 0; - let res = unsafe { (*stream.audio_clock).GetPosition(&mut position, &mut qpc_position) }; - stream_error_from_hresult(res)?; - // The `qpc_position` is in 100 nanosecond units. Convert it to nanoseconds. - let qpc_nanos = qpc_position as i128 * 100; - let instant = crate::cpal::StreamInstant::from_nanos_i128(qpc_nanos) - .expect("performance counter out of range of `StreamInstant` representation"); - Ok(instant) -} - -fn input_timestamp( - stream: &StreamInner, - buffer_qpc_position: UINT64, -) -> Result { - // The `qpc_position` is in 100 nanosecond units. Convert it to nanoseconds. - let qpc_nanos = buffer_qpc_position as i128 * 100; - let capture = crate::cpal::StreamInstant::from_nanos_i128(qpc_nanos) - .expect("performance counter out of range of `StreamInstant` representation"); - let callback = stream_instant(stream)?; - Ok(crate::cpal::InputStreamTimestamp { capture, callback }) -} - -fn output_timestamp( - stream: &StreamInner, - frames_available: u32, - sample_rate: crate::cpal::SampleRate, -) -> Result { - let callback = stream_instant(stream)?; - let buffer_duration = frames_to_duration(frames_available, sample_rate); - let playback = callback - .add(buffer_duration) - .expect("`playback` occurs beyond representation supported by `StreamInstant`"); - Ok(crate::cpal::OutputStreamTimestamp { callback, playback }) -} diff --git a/gonk-player/src/cpal/mod.rs b/gonk-player/src/cpal/mod.rs deleted file mode 100644 index cce123a2..00000000 --- a/gonk-player/src/cpal/mod.rs +++ /dev/null @@ -1,450 +0,0 @@ -#![allow(unused)] - -// Extern crate declarations with `#[macro_use]` must unfortunately be at crate root. -#[cfg(target_os = "emscripten")] -#[macro_use] -extern crate stdweb; - -pub use error::*; -pub use platform::{ - available_hosts, default_host, host_from_id, Device, Devices, Host, HostId, Stream, - SupportedInputConfigs, SupportedOutputConfigs, ALL_HOSTS, -}; -pub use samples_formats::{Sample, SampleFormat}; -use std::convert::TryInto; -use std::ops::{Div, Mul}; -use std::time::Duration; - -mod error; -mod host; -pub mod platform; -mod samples_formats; -pub mod traits; - -pub type InputDevices = std::iter::Filter::Item) -> bool>; - -pub type OutputDevices = std::iter::Filter::Item) -> bool>; - -pub type ChannelCount = u16; - -#[derive(Debug, Clone, Copy, PartialEq, Eq, PartialOrd, Ord)] -pub struct SampleRate(pub u32); - -impl Mul for SampleRate -where - u32: Mul, -{ - type Output = Self; - fn mul(self, rhs: T) -> Self { - SampleRate(self.0 * rhs) - } -} - -impl Div for SampleRate -where - u32: Div, -{ - type Output = Self; - fn div(self, rhs: T) -> Self { - SampleRate(self.0 / rhs) - } -} - -pub type FrameCount = u32; - -#[derive(Clone, Debug, Eq, PartialEq)] -pub enum BufferSize { - Default, - Fixed(FrameCount), -} - -#[derive(Clone, Debug, Eq, PartialEq)] -pub struct StreamConfig { - pub channels: ChannelCount, - pub sample_rate: SampleRate, - pub buffer_size: BufferSize, -} - -#[derive(Clone, Debug, Eq, PartialEq)] -pub enum SupportedBufferSize { - Range { min: FrameCount, max: FrameCount }, - - Unknown, -} - -#[derive(Debug, Clone, PartialEq, Eq)] -pub struct SupportedStreamConfigRange { - pub(crate) channels: ChannelCount, - - pub(crate) min_sample_rate: SampleRate, - - pub(crate) max_sample_rate: SampleRate, - - pub(crate) buffer_size: SupportedBufferSize, - - pub(crate) sample_format: SampleFormat, -} - -#[derive(Debug, Clone, PartialEq, Eq)] -pub struct SupportedStreamConfig { - channels: ChannelCount, - sample_rate: SampleRate, - buffer_size: SupportedBufferSize, - sample_format: SampleFormat, -} - -#[derive(Debug)] -pub struct Data { - data: *mut (), - len: usize, - sample_format: SampleFormat, -} - -#[derive(Copy, Clone, Debug, Eq, Hash, PartialEq, PartialOrd, Ord)] -pub struct StreamInstant { - secs: i64, - nanos: u32, -} - -#[derive(Copy, Clone, Debug, Eq, Hash, PartialEq)] -pub struct InputStreamTimestamp { - pub callback: StreamInstant, - - pub capture: StreamInstant, -} - -#[derive(Copy, Clone, Debug, Eq, Hash, PartialEq)] -pub struct OutputStreamTimestamp { - pub callback: StreamInstant, - - pub playback: StreamInstant, -} - -#[derive(Debug, Clone, PartialEq, Eq)] -pub struct InputCallbackInfo { - timestamp: InputStreamTimestamp, -} - -#[derive(Debug, Clone, PartialEq, Eq)] -pub struct OutputCallbackInfo { - timestamp: OutputStreamTimestamp, -} - -impl SupportedStreamConfig { - pub fn new( - channels: ChannelCount, - sample_rate: SampleRate, - buffer_size: SupportedBufferSize, - sample_format: SampleFormat, - ) -> Self { - Self { - channels, - sample_rate, - buffer_size, - sample_format, - } - } - - pub fn channels(&self) -> ChannelCount { - self.channels - } - - pub fn sample_rate(&self) -> SampleRate { - self.sample_rate - } - - pub fn buffer_size(&self) -> &SupportedBufferSize { - &self.buffer_size - } - - pub fn sample_format(&self) -> SampleFormat { - self.sample_format - } - - pub fn config(&self) -> StreamConfig { - StreamConfig { - channels: self.channels, - sample_rate: self.sample_rate, - buffer_size: BufferSize::Default, - } - } -} - -impl StreamInstant { - pub fn duration_since(&self, earlier: &Self) -> Option { - if self < earlier { - None - } else { - (self.as_nanos() - earlier.as_nanos()) - .try_into() - .ok() - .map(Duration::from_nanos) - } - } - - pub fn add(&self, duration: Duration) -> Option { - self.as_nanos() - .checked_add(duration.as_nanos() as i128) - .and_then(Self::from_nanos_i128) - } - - pub fn sub(&self, duration: Duration) -> Option { - self.as_nanos() - .checked_sub(duration.as_nanos() as i128) - .and_then(Self::from_nanos_i128) - } - - fn as_nanos(&self) -> i128 { - (self.secs as i128 * 1_000_000_000) + self.nanos as i128 - } - - #[allow(dead_code)] - fn from_nanos(nanos: i64) -> Self { - let secs = nanos / 1_000_000_000; - let subsec_nanos = nanos - secs * 1_000_000_000; - Self::new(secs as i64, subsec_nanos as u32) - } - - #[allow(dead_code)] - fn from_nanos_i128(nanos: i128) -> Option { - let secs = nanos / 1_000_000_000; - if secs > i64::MAX as i128 || secs < i64::MIN as i128 { - None - } else { - let subsec_nanos = nanos - secs * 1_000_000_000; - debug_assert!(subsec_nanos < u32::MAX as i128); - Some(Self::new(secs as i64, subsec_nanos as u32)) - } - } - - #[allow(dead_code)] - fn from_secs_f64(secs: f64) -> crate::cpal::StreamInstant { - let s = secs.floor() as i64; - let ns = ((secs - s as f64) * 1_000_000_000.0) as u32; - Self::new(s, ns) - } - - fn new(secs: i64, nanos: u32) -> Self { - StreamInstant { secs, nanos } - } -} - -impl InputCallbackInfo { - pub fn timestamp(&self) -> InputStreamTimestamp { - self.timestamp - } -} - -impl OutputCallbackInfo { - pub fn timestamp(&self) -> OutputStreamTimestamp { - self.timestamp - } -} - -#[allow(clippy::len_without_is_empty)] -impl Data { - // Internal constructor for host implementations to use. - // - // The following requirements must be met in order for the safety of `Data`'s public API. - // - // - The `data` pointer must point to the first sample in the slice containing all samples. - // - The `len` must describe the length of the buffer as a number of samples in the expected - // format specified via the `sample_format` argument. - // - The `sample_format` must correctly represent the underlying sample data delivered/expected - // by the stream. - pub(crate) unsafe fn from_parts( - data: *mut (), - len: usize, - sample_format: SampleFormat, - ) -> Self { - Data { - data, - len, - sample_format, - } - } - - pub fn sample_format(&self) -> SampleFormat { - self.sample_format - } - - pub fn len(&self) -> usize { - self.len - } - - pub fn bytes(&self) -> &[u8] { - let len = self.len * self.sample_format.sample_size(); - // The safety of this block relies on correct construction of the `Data` instance. See - // the unsafe `from_parts` constructor for these requirements. - unsafe { std::slice::from_raw_parts(self.data as *const u8, len) } - } - - pub fn bytes_mut(&mut self) -> &mut [u8] { - let len = self.len * self.sample_format.sample_size(); - // The safety of this block relies on correct construction of the `Data` instance. See - // the unsafe `from_parts` constructor for these requirements. - unsafe { std::slice::from_raw_parts_mut(self.data as *mut u8, len) } - } - - pub fn as_slice(&self) -> Option<&[T]> - where - T: Sample, - { - if T::FORMAT == self.sample_format { - // The safety of this block relies on correct construction of the `Data` instance. See - // the unsafe `from_parts` constructor for these requirements. - unsafe { Some(std::slice::from_raw_parts(self.data as *const T, self.len)) } - } else { - None - } - } - - pub fn as_slice_mut(&mut self) -> Option<&mut [T]> - where - T: Sample, - { - if T::FORMAT == self.sample_format { - // The safety of this block relies on correct construction of the `Data` instance. See - // the unsafe `from_parts` constructor for these requirements. - unsafe { - Some(std::slice::from_raw_parts_mut( - self.data as *mut T, - self.len, - )) - } - } else { - None - } - } -} - -impl SupportedStreamConfigRange { - pub fn new( - channels: ChannelCount, - min_sample_rate: SampleRate, - max_sample_rate: SampleRate, - buffer_size: SupportedBufferSize, - sample_format: SampleFormat, - ) -> Self { - Self { - channels, - min_sample_rate, - max_sample_rate, - buffer_size, - sample_format, - } - } - - pub fn channels(&self) -> ChannelCount { - self.channels - } - - pub fn min_sample_rate(&self) -> SampleRate { - self.min_sample_rate - } - - pub fn max_sample_rate(&self) -> SampleRate { - self.max_sample_rate - } - - pub fn buffer_size(&self) -> &SupportedBufferSize { - &self.buffer_size - } - - pub fn sample_format(&self) -> SampleFormat { - self.sample_format - } - - pub fn with_sample_rate(self, sample_rate: SampleRate) -> SupportedStreamConfig { - assert!(self.min_sample_rate <= sample_rate && sample_rate <= self.max_sample_rate); - SupportedStreamConfig { - channels: self.channels, - sample_rate, - sample_format: self.sample_format, - buffer_size: self.buffer_size, - } - } - - #[inline] - pub fn with_max_sample_rate(self) -> SupportedStreamConfig { - SupportedStreamConfig { - channels: self.channels, - sample_rate: self.max_sample_rate, - sample_format: self.sample_format, - buffer_size: self.buffer_size, - } - } - - pub fn cmp_default_heuristics(&self, other: &Self) -> std::cmp::Ordering { - use std::cmp::Ordering::Equal; - use SampleFormat::{F32, I16, U16}; - - let cmp_stereo = (self.channels == 2).cmp(&(other.channels == 2)); - if cmp_stereo != Equal { - return cmp_stereo; - } - - let cmp_mono = (self.channels == 1).cmp(&(other.channels == 1)); - if cmp_mono != Equal { - return cmp_mono; - } - - let cmp_channels = self.channels.cmp(&other.channels); - if cmp_channels != Equal { - return cmp_channels; - } - - let cmp_f32 = (self.sample_format == F32).cmp(&(other.sample_format == F32)); - if cmp_f32 != Equal { - return cmp_f32; - } - - let cmp_i16 = (self.sample_format == I16).cmp(&(other.sample_format == I16)); - if cmp_i16 != Equal { - return cmp_i16; - } - - let cmp_u16 = (self.sample_format == U16).cmp(&(other.sample_format == U16)); - if cmp_u16 != Equal { - return cmp_u16; - } - - const HZ_44100: SampleRate = SampleRate(44_100); - let r44100_in_self = self.min_sample_rate <= HZ_44100 && HZ_44100 <= self.max_sample_rate; - let r44100_in_other = - other.min_sample_rate <= HZ_44100 && HZ_44100 <= other.max_sample_rate; - let cmp_r44100 = r44100_in_self.cmp(&r44100_in_other); - if cmp_r44100 != Equal { - return cmp_r44100; - } - - self.max_sample_rate.cmp(&other.max_sample_rate) - } -} - -impl From for StreamConfig { - fn from(conf: SupportedStreamConfig) -> Self { - conf.config() - } -} - -// If a backend does not provide an API for retrieving supported formats, we query it with a bunch -// of commonly used rates. This is always the case for wasapi and is sometimes the case for alsa. -// -// If a rate you desire is missing from this list, feel free to add it! -#[cfg(target_os = "windows")] -const COMMON_SAMPLE_RATES: &[SampleRate] = &[ - SampleRate(5512), - SampleRate(8000), - SampleRate(11025), - SampleRate(16000), - SampleRate(22050), - SampleRate(32000), - SampleRate(44100), - SampleRate(48000), - SampleRate(64000), - SampleRate(88200), - SampleRate(96000), - SampleRate(176400), - SampleRate(192000), -]; diff --git a/gonk-player/src/cpal/platform/mod.rs b/gonk-player/src/cpal/platform/mod.rs deleted file mode 100644 index 423118f0..00000000 --- a/gonk-player/src/cpal/platform/mod.rs +++ /dev/null @@ -1,674 +0,0 @@ -#[doc(inline)] -pub use self::platform_impl::*; - -macro_rules! impl_platform_host { - ($($(#[cfg($feat: meta)])? $HostVariant:ident $host_mod:ident $host_name:literal),*) => { - - pub const ALL_HOSTS: &'static [HostId] = &[ - $( - $(#[cfg($feat)])? - HostId::$HostVariant, - )* - ]; - - pub struct Host(HostInner); - pub struct Device(DeviceInner); - pub struct Devices(DevicesInner); - - // Streams cannot be `Send` or `Sync` if we plan to support Android's AAudio API. This is - // because the stream API is not thread-safe, and the API prohibits calling certain - // functions within the callback. - // - // TODO: Confirm this and add more specific detail and references. - pub struct Stream(StreamInner, crate::cpal::platform::NotSendSyncAcrossAllPlatforms); - - - - pub struct SupportedInputConfigs(SupportedInputConfigsInner); - - - - pub struct SupportedOutputConfigs(SupportedOutputConfigsInner); - - - #[derive(Copy, Clone, Debug, Eq, Hash, PartialEq)] - pub enum HostId { - $( - $(#[cfg($feat)])? - $HostVariant, - )* - } - - - pub enum DeviceInner { - $( - $(#[cfg($feat)])? - $HostVariant(crate::cpal::host::$host_mod::Device), - )* - } - - - pub enum DevicesInner { - $( - $(#[cfg($feat)])? - $HostVariant(crate::cpal::host::$host_mod::Devices), - )* - } - - - pub enum HostInner { - $( - $(#[cfg($feat)])? - $HostVariant(crate::cpal::host::$host_mod::Host), - )* - } - - - pub enum StreamInner { - $( - $(#[cfg($feat)])? - $HostVariant(crate::cpal::host::$host_mod::Stream), - )* - } - - enum SupportedInputConfigsInner { - $( - $(#[cfg($feat)])? - $HostVariant(crate::cpal::host::$host_mod::SupportedInputConfigs), - )* - } - - enum SupportedOutputConfigsInner { - $( - $(#[cfg($feat)])? - $HostVariant(crate::cpal::host::$host_mod::SupportedOutputConfigs), - )* - } - - impl HostId { - pub fn name(&self) -> &'static str { - match self { - $( - $(#[cfg($feat)])? - HostId::$HostVariant => $host_name, - )* - } - } - } - - impl Devices { - - - pub fn as_inner(&self) -> &DevicesInner { - &self.0 - } - - - - pub fn as_inner_mut(&mut self) -> &mut DevicesInner { - &mut self.0 - } - - - pub fn into_inner(self) -> DevicesInner { - self.0 - } - } - - impl Device { - - - pub fn as_inner(&self) -> &DeviceInner { - &self.0 - } - - - - pub fn as_inner_mut(&mut self) -> &mut DeviceInner { - &mut self.0 - } - - - pub fn into_inner(self) -> DeviceInner { - self.0 - } - } - - impl Host { - - pub fn id(&self) -> HostId { - match self.0 { - $( - $(#[cfg($feat)])? - HostInner::$HostVariant(_) => HostId::$HostVariant, - )* - } - } - - - - pub fn as_inner(&self) -> &HostInner { - &self.0 - } - - - - pub fn as_inner_mut(&mut self) -> &mut HostInner { - &mut self.0 - } - - - pub fn into_inner(self) -> HostInner { - self.0 - } - } - - impl Stream { - - - pub fn as_inner(&self) -> &StreamInner { - &self.0 - } - - - - pub fn as_inner_mut(&mut self) -> &mut StreamInner { - &mut self.0 - } - - - pub fn into_inner(self) -> StreamInner { - self.0 - } - } - - impl Iterator for Devices { - type Item = Device; - - fn next(&mut self) -> Option { - match self.0 { - $( - $(#[cfg($feat)])? - DevicesInner::$HostVariant(ref mut d) => { - d.next().map(DeviceInner::$HostVariant).map(Device::from) - } - )* - } - } - - fn size_hint(&self) -> (usize, Option) { - match self.0 { - $( - $(#[cfg($feat)])? - DevicesInner::$HostVariant(ref d) => d.size_hint(), - )* - } - } - } - - impl Iterator for SupportedInputConfigs { - type Item = crate::cpal::SupportedStreamConfigRange; - - fn next(&mut self) -> Option { - match self.0 { - $( - $(#[cfg($feat)])? - SupportedInputConfigsInner::$HostVariant(ref mut s) => s.next(), - )* - } - } - - fn size_hint(&self) -> (usize, Option) { - match self.0 { - $( - $(#[cfg($feat)])? - SupportedInputConfigsInner::$HostVariant(ref d) => d.size_hint(), - )* - } - } - } - - impl Iterator for SupportedOutputConfigs { - type Item = crate::cpal::SupportedStreamConfigRange; - - fn next(&mut self) -> Option { - match self.0 { - $( - $(#[cfg($feat)])? - SupportedOutputConfigsInner::$HostVariant(ref mut s) => s.next(), - )* - } - } - - fn size_hint(&self) -> (usize, Option) { - match self.0 { - $( - $(#[cfg($feat)])? - SupportedOutputConfigsInner::$HostVariant(ref d) => d.size_hint(), - )* - } - } - } - - impl crate::cpal::traits::DeviceTrait for Device { - type SupportedInputConfigs = SupportedInputConfigs; - type SupportedOutputConfigs = SupportedOutputConfigs; - type Stream = Stream; - - fn name(&self) -> Result { - match self.0 { - $( - $(#[cfg($feat)])? - DeviceInner::$HostVariant(ref d) => d.name(), - )* - } - } - - fn supported_input_configs(&self) -> Result { - match self.0 { - $( - $(#[cfg($feat)])? - DeviceInner::$HostVariant(ref d) => { - d.supported_input_configs() - .map(SupportedInputConfigsInner::$HostVariant) - .map(SupportedInputConfigs) - } - )* - } - } - - fn supported_output_configs(&self) -> Result { - match self.0 { - $( - $(#[cfg($feat)])? - DeviceInner::$HostVariant(ref d) => { - d.supported_output_configs() - .map(SupportedOutputConfigsInner::$HostVariant) - .map(SupportedOutputConfigs) - } - )* - } - } - - fn default_input_config(&self) -> Result { - match self.0 { - $( - $(#[cfg($feat)])? - DeviceInner::$HostVariant(ref d) => d.default_input_config(), - )* - } - } - - fn default_output_config(&self) -> Result { - match self.0 { - $( - $(#[cfg($feat)])? - DeviceInner::$HostVariant(ref d) => d.default_output_config(), - )* - } - } - - fn build_input_stream_raw( - &self, - config: &crate::cpal::StreamConfig, - sample_format: crate::cpal::SampleFormat, - data_callback: D, - error_callback: E, - ) -> Result - where - D: FnMut(&crate::cpal::Data, &crate::cpal::InputCallbackInfo) + Send + 'static, - E: FnMut(crate::cpal::StreamError) + Send + 'static, - { - match self.0 { - $( - $(#[cfg($feat)])? - DeviceInner::$HostVariant(ref d) => d - .build_input_stream_raw( - config, - sample_format, - data_callback, - error_callback, - ) - .map(StreamInner::$HostVariant) - .map(Stream::from), - )* - } - } - - fn build_output_stream_raw( - &self, - config: &crate::cpal::StreamConfig, - sample_format: crate::cpal::SampleFormat, - data_callback: D, - error_callback: E, - ) -> Result - where - D: FnMut(&mut crate::cpal::Data, &crate::cpal::OutputCallbackInfo) + Send + 'static, - E: FnMut(crate::cpal::StreamError) + Send + 'static, - { - match self.0 { - $( - $(#[cfg($feat)])? - DeviceInner::$HostVariant(ref d) => d - .build_output_stream_raw( - config, - sample_format, - data_callback, - error_callback, - ) - .map(StreamInner::$HostVariant) - .map(Stream::from), - )* - } - } - } - - impl crate::cpal::traits::HostTrait for Host { - type Devices = Devices; - type Device = Device; - - fn is_available() -> bool { - $( - $(#[cfg($feat)])? - if crate::cpal::host::$host_mod::Host::is_available() { return true; } - )* - false - } - - fn devices(&self) -> Result { - match self.0 { - $( - $(#[cfg($feat)])? - HostInner::$HostVariant(ref h) => { - h.devices().map(DevicesInner::$HostVariant).map(Devices::from) - } - )* - } - } - - fn default_input_device(&self) -> Option { - match self.0 { - $( - $(#[cfg($feat)])? - HostInner::$HostVariant(ref h) => { - h.default_input_device().map(DeviceInner::$HostVariant).map(Device::from) - } - )* - } - } - - fn default_output_device(&self) -> Option { - match self.0 { - $( - $(#[cfg($feat)])? - HostInner::$HostVariant(ref h) => { - h.default_output_device().map(DeviceInner::$HostVariant).map(Device::from) - } - )* - } - } - } - - impl crate::cpal::traits::StreamTrait for Stream { - fn play(&self) -> Result<(), crate::cpal::PlayStreamError> { - match self.0 { - $( - $(#[cfg($feat)])? - StreamInner::$HostVariant(ref s) => { - s.play() - } - )* - } - } - - fn pause(&self) -> Result<(), crate::cpal::PauseStreamError> { - match self.0 { - $( - $(#[cfg($feat)])? - StreamInner::$HostVariant(ref s) => { - s.pause() - } - )* - } - } - } - - impl From for Device { - fn from(d: DeviceInner) -> Self { - Device(d) - } - } - - impl From for Devices { - fn from(d: DevicesInner) -> Self { - Devices(d) - } - } - - impl From for Host { - fn from(h: HostInner) -> Self { - Host(h) - } - } - - impl From for Stream { - fn from(s: StreamInner) -> Self { - Stream(s, Default::default()) - } - } - - $( - $(#[cfg($feat)])? - impl From for Device { - fn from(h: crate::cpal::host::$host_mod::Device) -> Self { - DeviceInner::$HostVariant(h).into() - } - } - - $(#[cfg($feat)])? - impl From for Devices { - fn from(h: crate::cpal::host::$host_mod::Devices) -> Self { - DevicesInner::$HostVariant(h).into() - } - } - - $(#[cfg($feat)])? - impl From for Host { - fn from(h: crate::cpal::host::$host_mod::Host) -> Self { - HostInner::$HostVariant(h).into() - } - } - - $(#[cfg($feat)])? - impl From for Stream { - fn from(h: crate::cpal::host::$host_mod::Stream) -> Self { - StreamInner::$HostVariant(h).into() - } - } - )* - - - pub fn available_hosts() -> Vec { - let mut host_ids = vec![]; - $( - $(#[cfg($feat)])? - if ::is_available() { - host_ids.push(HostId::$HostVariant); - } - )* - host_ids - } - - - pub fn host_from_id(id: HostId) -> Result { - match id { - $( - $(#[cfg($feat)])? - HostId::$HostVariant => { - crate::cpal::host::$host_mod::Host::new() - .map(HostInner::$HostVariant) - .map(Host::from) - } - )* - } - } - }; -} - -// TODO: Add pulseaudio and jack here eventually. -#[cfg(any(target_os = "linux", target_os = "dragonfly", target_os = "freebsd"))] -mod platform_impl { - pub use crate::cpal::host::alsa::{ - Device as AlsaDevice, Devices as AlsaDevices, Host as AlsaHost, Stream as AlsaStream, - SupportedInputConfigs as AlsaSupportedInputConfigs, - SupportedOutputConfigs as AlsaSupportedOutputConfigs, - }; - #[cfg(feature = "jack")] - pub use crate::cpal::host::jack::{ - Device as JackDevice, Devices as JackDevices, Host as JackHost, Stream as JackStream, - SupportedInputConfigs as JackSupportedInputConfigs, - SupportedOutputConfigs as JackSupportedOutputConfigs, - }; - - impl_platform_host!(#[cfg(feature = "jack")] Jack jack "JACK", Alsa alsa "ALSA"); - - pub fn default_host() -> Host { - AlsaHost::new() - .expect("the default host should always be available") - .into() - } -} - -#[cfg(any(target_os = "macos", target_os = "ios"))] -mod platform_impl { - pub use crate::cpal::host::coreaudio::{ - Device as CoreAudioDevice, Devices as CoreAudioDevices, Host as CoreAudioHost, - Stream as CoreAudioStream, SupportedInputConfigs as CoreAudioSupportedInputConfigs, - SupportedOutputConfigs as CoreAudioSupportedOutputConfigs, - }; - - impl_platform_host!(CoreAudio coreaudio "CoreAudio"); - - pub fn default_host() -> Host { - CoreAudioHost::new() - .expect("the default host should always be available") - .into() - } -} - -#[cfg(target_os = "emscripten")] -mod platform_impl { - pub use crate::cpal::host::emscripten::{ - Device as EmscriptenDevice, Devices as EmscriptenDevices, Host as EmscriptenHost, - Stream as EmscriptenStream, SupportedInputConfigs as EmscriptenSupportedInputConfigs, - SupportedOutputConfigs as EmscriptenSupportedOutputConfigs, - }; - - impl_platform_host!(Emscripten emscripten "Emscripten"); - - pub fn default_host() -> Host { - EmscriptenHost::new() - .expect("the default host should always be available") - .into() - } -} - -#[cfg(all(target_arch = "wasm32", feature = "wasm-bindgen"))] -mod platform_impl { - pub use crate::cpal::host::webaudio::{ - Device as WebAudioDevice, Devices as WebAudioDevices, Host as WebAudioHost, - Stream as WebAudioStream, SupportedInputConfigs as WebAudioSupportedInputConfigs, - SupportedOutputConfigs as WebAudioSupportedOutputConfigs, - }; - - impl_platform_host!(WebAudio webaudio "WebAudio"); - - pub fn default_host() -> Host { - WebAudioHost::new() - .expect("the default host should always be available") - .into() - } -} - -#[cfg(windows)] -mod platform_impl { - #[cfg(feature = "asio")] - pub use crate::cpal::host::asio::{ - Device as AsioDevice, Devices as AsioDevices, Host as AsioHost, Stream as AsioStream, - SupportedInputConfigs as AsioSupportedInputConfigs, - SupportedOutputConfigs as AsioSupportedOutputConfigs, - }; - pub use crate::cpal::host::wasapi::{ - Device as WasapiDevice, Devices as WasapiDevices, Host as WasapiHost, - Stream as WasapiStream, SupportedInputConfigs as WasapiSupportedInputConfigs, - SupportedOutputConfigs as WasapiSupportedOutputConfigs, - }; - - impl_platform_host!(#[cfg(feature = "asio")] Asio asio "ASIO", Wasapi wasapi "WASAPI"); - - pub fn default_host() -> Host { - WasapiHost::new() - .expect("the default host should always be available") - .into() - } -} - -#[cfg(target_os = "android")] -mod platform_impl { - pub use crate::cpal::host::oboe::{ - Device as OboeDevice, Devices as OboeDevices, Host as OboeHost, Stream as OboeStream, - SupportedInputConfigs as OboeSupportedInputConfigs, - SupportedOutputConfigs as OboeSupportedOutputConfigs, - }; - - impl_platform_host!(Oboe oboe "Oboe"); - - pub fn default_host() -> Host { - OboeHost::new() - .expect("the default host should always be available") - .into() - } -} - -#[cfg(not(any( - windows, - target_os = "linux", - target_os = "dragonfly", - target_os = "freebsd", - target_os = "macos", - target_os = "ios", - target_os = "emscripten", - target_os = "android", - all(target_arch = "wasm32", feature = "wasm-bindgen"), -)))] -mod platform_impl { - pub use crate::cpal::host::null::{ - Device as NullDevice, Devices as NullDevices, Host as NullHost, - SupportedInputConfigs as NullSupportedInputConfigs, - SupportedOutputConfigs as NullSupportedOutputConfigs, - }; - - impl_platform_host!(Null null "Null"); - - pub fn default_host() -> Host { - NullHost::new() - .expect("the default host should always be available") - .into() - } -} - -// The following zero-sized types are for applying Send/Sync restrictions to ensure -// consistent behaviour across different platforms. These verbosely named types are used -// (rather than using the markers directly) in the hope of making the compile errors -// slightly more helpful. -// -// TODO: Remove these in favour of using negative trait bounds if they stabilise. - -// A marker used to remove the `Send` and `Sync` traits. -struct NotSendSyncAcrossAllPlatforms(std::marker::PhantomData<*mut ()>); - -impl Default for NotSendSyncAcrossAllPlatforms { - fn default() -> Self { - NotSendSyncAcrossAllPlatforms(std::marker::PhantomData) - } -} diff --git a/gonk-player/src/cpal/samples_formats.rs b/gonk-player/src/cpal/samples_formats.rs deleted file mode 100644 index 97354b16..00000000 --- a/gonk-player/src/cpal/samples_formats.rs +++ /dev/null @@ -1,127 +0,0 @@ -use std::mem; - -#[derive(Clone, Copy, Debug, PartialEq, Eq)] -pub enum SampleFormat { - I16, - - U16, - - F32, -} - -impl SampleFormat { - #[inline] - pub fn sample_size(&self) -> usize { - match *self { - SampleFormat::I16 => mem::size_of::(), - SampleFormat::U16 => mem::size_of::(), - SampleFormat::F32 => mem::size_of::(), - } - } -} - -#[allow(clippy::missing_safety_doc)] - -pub unsafe trait Sample: Copy + Clone { - const FORMAT: SampleFormat; - - fn to_f32(&self) -> f32; - - fn to_i16(&self) -> i16; - - fn to_u16(&self) -> u16; - - fn from(s: &S) -> Self - where - S: Sample; -} - -unsafe impl Sample for u16 { - const FORMAT: SampleFormat = SampleFormat::U16; - - #[inline] - fn to_f32(&self) -> f32 { - self.to_i16().to_f32() - } - - #[inline] - fn to_i16(&self) -> i16 { - (*self as i16).wrapping_add(i16::MIN) - } - - #[inline] - fn to_u16(&self) -> u16 { - *self - } - - #[inline] - fn from(sample: &S) -> Self - where - S: Sample, - { - sample.to_u16() - } -} - -unsafe impl Sample for i16 { - const FORMAT: SampleFormat = SampleFormat::I16; - - #[inline] - fn to_f32(&self) -> f32 { - if *self < 0 { - *self as f32 / -(i16::MIN as f32) - } else { - *self as f32 / i16::MAX as f32 - } - } - - #[inline] - fn to_i16(&self) -> i16 { - *self - } - - #[inline] - fn to_u16(&self) -> u16 { - self.wrapping_add(i16::MIN) as u16 - } - - #[inline] - fn from(sample: &S) -> Self - where - S: Sample, - { - sample.to_i16() - } -} -const F32_TO_16BIT_INT_MULTIPLIER: f32 = u16::MAX as f32 * 0.5; -unsafe impl Sample for f32 { - const FORMAT: SampleFormat = SampleFormat::F32; - - #[inline] - fn to_f32(&self) -> f32 { - *self - } - - #[inline] - fn to_i16(&self) -> i16 { - if *self >= 0.0 { - (*self * i16::MAX as f32) as i16 - } else { - (-*self * i16::MIN as f32) as i16 - } - } - - #[inline] - fn to_u16(&self) -> u16 { - self.mul_add(F32_TO_16BIT_INT_MULTIPLIER, F32_TO_16BIT_INT_MULTIPLIER) - .round() as u16 - } - - #[inline] - fn from(sample: &S) -> Self - where - S: Sample, - { - sample.to_f32() - } -} diff --git a/gonk-player/src/cpal/traits.rs b/gonk-player/src/cpal/traits.rs deleted file mode 100644 index 2a485bde..00000000 --- a/gonk-player/src/cpal/traits.rs +++ /dev/null @@ -1,140 +0,0 @@ -use crate::cpal::{ - BuildStreamError, Data, DefaultStreamConfigError, DeviceNameError, DevicesError, - InputCallbackInfo, InputDevices, OutputCallbackInfo, OutputDevices, PauseStreamError, - PlayStreamError, Sample, SampleFormat, StreamConfig, StreamError, SupportedStreamConfig, - SupportedStreamConfigRange, SupportedStreamConfigsError, -}; - -pub trait HostTrait { - type Devices: Iterator; - - type Device: DeviceTrait; - - fn is_available() -> bool; - - fn devices(&self) -> Result; - - fn default_input_device(&self) -> Option; - - fn default_output_device(&self) -> Option; - - fn input_devices(&self) -> Result, DevicesError> { - fn supports_input(device: &D) -> bool { - device - .supported_input_configs() - .map(|mut iter| iter.next().is_some()) - .unwrap_or(false) - } - Ok(self.devices()?.filter(supports_input::)) - } - - fn output_devices(&self) -> Result, DevicesError> { - fn supports_output(device: &D) -> bool { - device - .supported_output_configs() - .map(|mut iter| iter.next().is_some()) - .unwrap_or(false) - } - Ok(self.devices()?.filter(supports_output::)) - } -} - -pub trait DeviceTrait { - type SupportedInputConfigs: Iterator; - - type SupportedOutputConfigs: Iterator; - - type Stream: StreamTrait; - - fn name(&self) -> Result; - - fn supported_input_configs( - &self, - ) -> Result; - - fn supported_output_configs( - &self, - ) -> Result; - - fn default_input_config(&self) -> Result; - - fn default_output_config(&self) -> Result; - - fn build_input_stream( - &self, - config: &StreamConfig, - mut data_callback: D, - error_callback: E, - ) -> Result - where - T: Sample, - D: FnMut(&[T], &InputCallbackInfo) + Send + 'static, - E: FnMut(StreamError) + Send + 'static, - { - self.build_input_stream_raw( - config, - T::FORMAT, - move |data, info| { - data_callback( - data.as_slice() - .expect("host supplied incorrect sample type"), - info, - ) - }, - error_callback, - ) - } - - fn build_output_stream( - &self, - config: &StreamConfig, - mut data_callback: D, - error_callback: E, - ) -> Result - where - T: Sample, - D: FnMut(&mut [T], &OutputCallbackInfo) + Send + 'static, - E: FnMut(StreamError) + Send + 'static, - { - self.build_output_stream_raw( - config, - T::FORMAT, - move |data, info| { - data_callback( - data.as_slice_mut() - .expect("host supplied incorrect sample type"), - info, - ) - }, - error_callback, - ) - } - - fn build_input_stream_raw( - &self, - config: &StreamConfig, - sample_format: SampleFormat, - data_callback: D, - error_callback: E, - ) -> Result - where - D: FnMut(&Data, &InputCallbackInfo) + Send + 'static, - E: FnMut(StreamError) + Send + 'static; - - fn build_output_stream_raw( - &self, - config: &StreamConfig, - sample_format: SampleFormat, - data_callback: D, - error_callback: E, - ) -> Result - where - D: FnMut(&mut Data, &OutputCallbackInfo) + Send + 'static, - E: FnMut(StreamError) + Send + 'static; -} - -pub trait StreamTrait { - fn play(&self) -> Result<(), PlayStreamError>; - - fn pause(&self) -> Result<(), PauseStreamError>; -} diff --git a/gonk-player/src/lib.rs b/gonk-player/src/lib.rs index 46725920..666a72d2 100644 --- a/gonk-player/src/lib.rs +++ b/gonk-player/src/lib.rs @@ -1,489 +1,274 @@ -#![recursion_limit = "2048"] -#![allow(clippy::should_implement_trait, clippy::unnecessary_to_owned)] -use cpal::{ - traits::{HostTrait, StreamTrait}, - BuildStreamError, Stream, StreamConfig, -}; +#![allow( + clippy::not_unsafe_ptr_arg_deref, + clippy::missing_safety_doc, + non_upper_case_globals, + non_snake_case +)] use gonk_database::{Index, Song}; +use std::fs::File; +use std::path::Path; +use std::sync::mpsc::{self, Sender}; use std::{ - fs::File, - io::ErrorKind, - sync::{Arc, RwLock}, + collections::VecDeque, + sync::{Arc, Condvar, Mutex}, + thread, time::Duration, - vec::IntoIter, }; +use symphonia::core::errors::Error; +use symphonia::core::formats::{FormatReader, Track}; use symphonia::{ core::{ audio::SampleBuffer, codecs::{Decoder, DecoderOptions}, - errors::{Error, SeekErrorKind}, formats::{FormatOptions, SeekMode, SeekTo}, io::MediaSourceStream, meta::MetadataOptions, - probe::{Hint, ProbeResult}, - units::{Time, TimeBase}, + probe::Hint, + units::Time, }, default::get_probe, }; -pub use cpal::{traits::DeviceTrait, Device}; - -mod cpal; +mod wasapi; +pub use wasapi::*; -#[inline] -const fn gcd(a: usize, b: usize) -> usize { - if b == 0 { - a - } else { - gcd(b, a % b) - } +#[macro_export] +macro_rules! unwrap_or_return { + ( $e:expr ) => { + unsafe { + match &mut $e { + Some(x) => x, + None => return, + } + } + }; } +#[allow(unused)] #[inline] -fn lerp(a: f32, b: f32, t: f32) -> f32 { - a + t * (b - a) +fn sleep(millis: u64) { + thread::sleep(Duration::from_millis(millis)); } -const VOLUME_STEP: u8 = 5; -const VOLUME_REDUCTION: f32 = 500.0; -const MAX_DECODE_ERRORS: usize = 3; - -pub struct Resampler { - probed: ProbeResult, - decoder: Box, - - input_real: usize, - input: usize, - output: usize, - - buffer: IntoIter, - - current_frame: Vec, - current_frame_pos: usize, - - next_frame: Vec, - next_frame_pos: usize, - - output_buffer: Option, - - time_base: TimeBase, - - gain: f32, - - pub volume: f32, - pub duration: Duration, - pub finished: bool, - pub elapsed: Duration, +#[derive(Default)] +pub struct Queue { + q: Arc>>, + cv: Arc, + capacity: usize, } -impl Resampler { - pub fn new(output: usize, file: File, volume: u8, gain: f32) -> Self { - let mss = MediaSourceStream::new(Box::new(file), Default::default()); - - let mut probed = get_probe() - .format( - &Hint::default(), - mss, - &FormatOptions { - prebuild_seek_index: true, - seek_index_fill_rate: 1, - enable_gapless: false, - }, - &MetadataOptions::default(), - ) - .unwrap(); - - let track = probed.format.default_track().unwrap(); - let input = track.codec_params.sample_rate.unwrap() as usize; - let time_base = track.codec_params.time_base.unwrap(); - - let n_frames = track.codec_params.n_frames.unwrap(); - let time = track.codec_params.time_base.unwrap().calc_time(n_frames); - let duration = Duration::from_secs(time.seconds) + Duration::from_secs_f64(time.frac); - - let mut decoder = symphonia::default::get_codecs() - .make(&track.codec_params, &DecoderOptions::default()) - .unwrap(); - - let next_packet = probed.format.next_packet().unwrap(); - let decoded = decoder.decode(&next_packet).unwrap(); - let mut buffer = SampleBuffer::::new(decoded.capacity() as u64, *decoded.spec()); - buffer.copy_interleaved_ref(decoded); - let mut buffer = buffer.samples().to_vec().into_iter(); - - let ts = next_packet.ts(); - let t = time_base.calc_time(ts); - let elapsed = Duration::from_secs(t.seconds) + Duration::from_secs_f64(t.frac); - - let gcd = gcd(input, output); - - let (current_frame, next_frame) = if input == output { - (Vec::new(), Vec::new()) - } else { - ( - vec![buffer.next().unwrap(), buffer.next().unwrap()], - vec![buffer.next().unwrap(), buffer.next().unwrap()], - ) - }; - +impl Queue { + pub fn new(capacity: usize) -> Self { Self { - probed, - decoder, - buffer, - input_real: input, - input: input / gcd, - output: output / gcd, - current_frame_pos: 0, - next_frame_pos: 0, - current_frame, - next_frame, - output_buffer: None, - volume: volume as f32 / VOLUME_REDUCTION, - duration, - elapsed, - time_base, - finished: false, - gain, + q: Default::default(), + cv: Default::default(), + capacity, } } - - pub fn update_sample_rate(&mut self, output: usize) { - let gcd = gcd(self.input_real, output); - self.input = self.input_real / gcd; - self.output = output / gcd; - - //TODO: There might be more buffers that should be cleared - //when changing the sample rate. It's hard to test. - self.output_buffer = None; - } - - pub fn next(&mut self) -> f32 { - if self.finished { - 0.0 - } else if let Some(smp) = self.next_sample() { - if self.gain == 0.0 { - //Reduce the volume a little to match - //songs with replay gain information. - smp * self.volume * 0.75 - } else { - smp * self.volume * self.gain - } - } else { - let mut decode_errors: usize = 0; - loop { - if self.finished { - return 0.0; - } - - match self.probed.format.next_packet() { - Ok(next_packet) => { - let decoded = self.decoder.decode(&next_packet).unwrap(); - let mut buffer = - SampleBuffer::::new(decoded.capacity() as u64, *decoded.spec()); - buffer.copy_interleaved_ref(decoded); - self.buffer = buffer.samples().to_vec().into_iter(); - - let ts = next_packet.ts(); - let t = self.time_base.calc_time(ts); - self.elapsed = - Duration::from_secs(t.seconds) + Duration::from_secs_f64(t.frac); - - if self.input == self.output { - self.current_frame = Vec::new(); - self.next_frame = Vec::new(); - } else { - self.current_frame = - vec![self.buffer.next().unwrap(), self.buffer.next().unwrap()]; - self.next_frame = - vec![self.buffer.next().unwrap(), self.buffer.next().unwrap()]; - } - - self.current_frame_pos = 0; - self.next_frame_pos = 0; - - debug_assert!(self.output_buffer.is_none()); - - return self.next(); - } - Err(err) => match err { - Error::IoError(err) => match err.kind() { - ErrorKind::UnexpectedEof => { - self.finished = true; - return 0.0; - } - _ => continue, - }, - Error::DecodeError(_) => { - decode_errors += 1; - if decode_errors > MAX_DECODE_ERRORS { - panic!("{:?}", err); - } - continue; - } - _ => panic!("{}", err), - }, - } - } + pub fn push(&self, t: T) { + let mut lq = self.q.lock().unwrap(); + while lq.len() > self.capacity { + lq = self.cv.wait(lq).unwrap(); } + lq.push_back(t); + self.cv.notify_one(); } - - fn next_input_frame(&mut self) { - self.current_frame = std::mem::take(&mut self.next_frame); - - if let Some(sample) = self.buffer.next() { - self.next_frame.push(sample); - } - - if let Some(sample) = self.buffer.next() { - self.next_frame.push(sample); + pub fn pop(&self) -> T { + let mut lq = self.q.lock().unwrap(); + while lq.len() == 0 { + lq = self.cv.wait(lq).unwrap(); } - - self.current_frame_pos += 1; + self.cv.notify_one(); + lq.pop_front().unwrap() } - - fn next_sample(&mut self) -> Option { - if self.input == self.output { - return self.buffer.next(); - } else if let Some(sample) = self.output_buffer.take() { - return Some(sample); - } - - if self.next_frame_pos == self.output { - self.next_frame_pos = 0; - - self.next_input_frame(); - while self.current_frame_pos != self.input { - self.next_input_frame(); - } - self.current_frame_pos = 0; - } else { - let req_left_sample = (self.input * self.next_frame_pos / self.output) % self.input; - - while self.current_frame_pos != req_left_sample { - self.next_input_frame(); - debug_assert!(self.current_frame_pos < self.input); - } - } - - let numerator = (self.input * self.next_frame_pos) % self.output; - - self.next_frame_pos += 1; - - if self.current_frame.is_empty() && self.next_frame.is_empty() { - return None; - } - - if self.next_frame.is_empty() { - let r = self.current_frame.remove(0); - self.output_buffer = self.current_frame.first().cloned(); - self.current_frame.clear(); - Some(r) - } else { - let ratio = numerator as f32 / self.output as f32; - self.output_buffer = Some(lerp(self.current_frame[1], self.next_frame[1], ratio)); - Some(lerp(self.current_frame[0], self.next_frame[0], ratio)) - } + pub fn len(&self) -> usize { + self.q.lock().unwrap().len() } - - pub fn set_volume(&mut self, volume: u8) { - self.volume = volume as f32 / VOLUME_REDUCTION; + pub fn is_empty(&self) -> bool { + self.q.lock().unwrap().is_empty() } - pub fn seek(&mut self, time: Duration) -> Result<(), String> { - match self.probed.format.seek( - SeekMode::Coarse, - SeekTo::Time { - time: Time::new(time.as_secs(), time.subsec_nanos() as f64 / 1_000_000_000.0), - track_id: None, - }, - ) { - Ok(_) => Ok(()), - Err(e) => match e { - Error::SeekError(e) => match e { - SeekErrorKind::OutOfRange => Err(String::from("Seek out of range!")), - _ => panic!("{:?}", e), - }, - _ => panic!("{}", e), - }, + //TODO: Might be unneeded. + pub fn clear(&mut self) { + self.q.lock().unwrap().clear(); + } +} + +impl Clone for Queue { + fn clone(&self) -> Self { + Self { + q: self.q.clone(), + cv: self.cv.clone(), + capacity: self.capacity, } } } -#[derive(Debug, PartialEq, Eq)] -pub enum State { - Playing, - Paused, - Stopped, +#[derive(Debug)] +pub enum Event { + Volume(u8), + Play(String), + OutputDevice(String), } -pub struct Player { - pub stream: Stream, - pub resampler: Arc>>, - pub sample_rate: usize, - pub state: State, - pub songs: Index, - pub volume: u8, +#[inline] +pub fn calc_volume(volume: u8) -> f32 { + volume as f32 / 1500.0 } -impl Player { - pub fn new(wanted_device: &str, volume: u8, songs: Index, elapsed: f32) -> Self { - #[cfg(unix)] - let _gag = gag::Gag::stderr().unwrap(); +pub struct State { + pub playing: bool, + pub finished: bool, + pub elapsed: Duration, + pub duration: Duration, +} - let mut device = None; +static mut STATE: State = State { + playing: false, + finished: false, //This triggers the next song + elapsed: Duration::from_secs(0), + duration: Duration::from_secs(0), +}; - for d in audio_devices() { - if d.name().unwrap() == wanted_device { - device = Some(d); - } - } +pub struct Player { + pub s: Sender, + pub volume: u8, + pub songs: Index, +} - let device = if let Some(device) = device { - device +impl Player { + pub fn new(device: &str, volume: u8, songs: Index, elapsed: f32) -> Self { + let devices = unsafe { devices() }; + let d = devices.iter().find(|d| d.name == device); + let mut device = if let Some(d) = d { + d.clone() } else { - default_device() + unsafe { default_device() } }; - let config = device.default_output_config().unwrap().config(); - if config.channels != 2 { - panic!("TODO: Support downmixing multiple channels") - } - - let resampler = Arc::new(RwLock::new(None)); - let stream = create_output_stream(&device, &config, resampler.clone()).unwrap(); + let (s, r) = mpsc::channel(); - let mut state = State::Stopped; - let sample_rate = config.sample_rate.0 as usize; + let mut sample_rate = 44100; + let mut handle = unsafe { create_stream(&device, sample_rate) }; + let mut vol = calc_volume(volume); - //Force update the playback position when restoring the queue. if let Some(song) = songs.selected() { - let file = match File::open(&song.path) { - Ok(file) => file, - Err(_) => { - return Self { - stream, - resampler, - sample_rate, - state, - songs, - volume, - } - } + //This is slow >100ms in a debug build. + let mut d = Symphonia::new(&song.path); + let pos = Duration::from_secs_f32(elapsed); + d.seek(pos); + + let sr = d.sample_rate(); + if sr != sample_rate { + sample_rate = sr; + handle = unsafe { create_stream(&device, sample_rate) }; + } + unsafe { + STATE.elapsed = pos; + STATE.duration = d.duration(); + STATE.playing = false; + STATE.finished = false; + SYMPHONIA = Some(d); }; - let elapsed = Duration::from_secs_f32(elapsed); - let mut r = Resampler::new(sample_rate, file, volume, song.gain as f32); - //Elapsed will not update while paused so force update it. - r.elapsed = elapsed; - r.seek(elapsed).unwrap(); - state = State::Paused; - *resampler.write().unwrap() = Some(r); - }; - - Self { - resampler, - sample_rate: config.sample_rate.0 as usize, - stream, - volume, - state, - songs, } - } - pub fn set_output_device(&mut self, device: &Device) -> Result<(), String> { - //TODO: Pausing the stream and hanging the thread for 500ms - //gives the device enough time to release it's lock. - //My interface has two outputs on the same device and - //is unable to grab handles for each other while - //in use. - - match device.default_output_config() { - Ok(supported_stream) => { - match create_output_stream( - device, - &supported_stream.config(), - self.resampler.clone(), - ) { - Ok(stream) => { - self.stream = stream; - self.sample_rate = supported_stream.sample_rate().0 as usize; - - if let Some(resampler) = self.resampler.write().unwrap().as_mut() { - resampler.update_sample_rate(self.sample_rate); + //TODO: Cleanly drop the stream handle + thread::spawn(move || loop { + if let Ok(event) = r.try_recv() { + match event { + Event::Volume(v) => { + let v = v.clamp(0, 100); + vol = calc_volume(v); + } + Event::Play(path) => { + let d = Symphonia::new(&path); + let sr = d.sample_rate(); + if sr != sample_rate { + sample_rate = sr; + handle = unsafe { create_stream(&device, sample_rate) }; + } + unsafe { + STATE.duration = d.duration(); + STATE.playing = true; + STATE.finished = false; + SYMPHONIA = Some(d); + }; + } + Event::OutputDevice(name) => { + let d = devices.iter().find(|device| device.name == name); + if let Some(d) = d { + device = d.clone(); + handle = unsafe { create_stream(&device, sample_rate) }; } - - self.stream.play().unwrap(); - Ok(()) } - Err(e) => match e { - BuildStreamError::BackendSpecific { err } => Err(err.description), - _ => Err(format!("{}", e)), - }, } } - Err(e) => Err(format!("{}", e)), - } - } - pub fn update(&mut self) -> Result<(), String> { - let mut next = false; - if let Some(resampler) = self.resampler.read().unwrap().as_ref() { - if resampler.finished { - next = true; + unsafe { + if let Some(d) = &mut SYMPHONIA { + if STATE.playing && !STATE.finished { + if let Some(next) = d.next_packet() { + for smp in next.samples() { + handle.queue.push(smp * vol) + } + } else { + STATE.finished = true; + } + } + } } - } + }); - if next { - self.next()?; - } - - Ok(()) + Self { s, volume, songs } } - - pub fn add_songs(&mut self, songs: &[Song]) -> Result<(), String> { - self.songs.data.extend(songs.to_vec()); - if self.songs.selected().is_none() { - self.songs.select(Some(0)); - self.play_selected() - } else { - Ok(()) - } + pub fn volume_up(&mut self) { + self.volume = (self.volume + 5).clamp(0, 100); + self.s.send(Event::Volume(self.volume)).unwrap(); } - - pub fn previous(&mut self) -> Result<(), String> { - self.songs.up(); - self.play_selected() + pub fn volume_down(&mut self) { + self.volume = (self.volume as i8 - 5).clamp(0, 100) as u8; + self.s.send(Event::Volume(self.volume)).unwrap(); } - - pub fn next(&mut self) -> Result<(), String> { - self.songs.down(); - self.play_selected() + pub fn toggle_playback(&self) { + unsafe { STATE.playing = !STATE.playing } } - - fn play_selected(&mut self) -> Result<(), String> { + pub fn play(&self, path: &str) { + self.s.send(Event::Play(path.to_string())).unwrap(); + } + pub fn seek_foward(&mut self) { + let pos = (self.elapsed().as_secs_f64() + 10.0).clamp(0.0, f64::MAX); + let pos = Duration::from_secs_f64(pos); + self.seek(pos); + } + pub fn seek_backward(&mut self) { + let pos = (self.elapsed().as_secs_f64() - 10.0).clamp(0.0, f64::MAX); + let pos = Duration::from_secs_f64(pos); + self.seek(pos); + } + pub fn seek(&mut self, pos: Duration) { + let sym = unwrap_or_return!(SYMPHONIA); + sym.seek(pos); + } + pub fn elapsed(&self) -> Duration { + unsafe { STATE.elapsed } + } + pub fn duration(&self) -> Duration { + unsafe { STATE.duration } + } + pub fn is_playing(&self) -> bool { + unsafe { STATE.playing } + } + pub fn next(&mut self) { + self.songs.down(); if let Some(song) = self.songs.selected() { - let file = match File::open(&song.path) { - Ok(file) => file, - //TODO: Error might be too vague. - Err(_) => return Err(format!("Could not open file: {:?}", song.path)), - }; - if let Some(resampler) = self.resampler.write().unwrap().as_mut() { - resampler.finished = true; - } - *self.resampler.write().unwrap() = Some(Resampler::new( - self.sample_rate, - file, - self.volume, - song.gain as f32, - )); - self.play(); + self.play(&song.path) } - Ok(()) } - - pub fn play_index(&mut self, i: usize) -> Result<(), String> { - self.songs.select(Some(i)); - self.play_selected() + pub fn prev(&mut self) { + self.songs.up(); + if let Some(song) = self.songs.selected() { + self.play(&song.path) + } } - pub fn delete_index(&mut self, i: usize) -> Result<(), String> { if self.songs.is_empty() { return Ok(()); @@ -499,7 +284,7 @@ impl Player { if i == 0 { self.songs.select(Some(0)); } - return self.play_selected(); + return self.play_index(self.songs.index().unwrap()); } else if i == playing && i == len { self.songs.select(Some(len - 1)); } else if i < playing { @@ -508,151 +293,158 @@ impl Player { }; Ok(()) } - pub fn clear(&mut self) { + unsafe { + STATE.playing = false; + STATE.finished = false; + SYMPHONIA = None; + }; self.songs = Index::default(); - self.state = State::Stopped; - *self.resampler.write().unwrap() = None; } - pub fn clear_except_playing(&mut self) { if let Some(index) = self.songs.index() { let playing = self.songs.data.remove(index); self.songs = Index::new(vec![playing], Some(0)); } } - - pub fn volume_up(&mut self) { - self.volume += VOLUME_STEP; - if self.volume > 100 { - self.volume = 100; - } - - if let Some(resampler) = self.resampler.write().unwrap().as_mut() { - resampler.set_volume(self.volume); + pub fn add(&mut self, songs: &[Song]) -> Result<(), String> { + self.songs.data.extend(songs.to_vec()); + if self.songs.selected().is_none() { + self.songs.select(Some(0)); + self.play_index(0)?; } + Ok(()) } - - pub fn volume_down(&mut self) { - if self.volume != 0 { - self.volume -= VOLUME_STEP; - } - - if let Some(resampler) = self.resampler.write().unwrap().as_mut() { - resampler.set_volume(self.volume); + pub fn play_index(&mut self, i: usize) -> Result<(), String> { + self.songs.select(Some(i)); + if let Some(song) = self.songs.selected() { + if Path::new(&song.path).exists() { + self.play(&song.path); + } else { + return Err(format!("Path does not exist: {:?}", song.path)); + } } + Ok(()) } - - pub fn duration(&self) -> Duration { - if let Some(resampler) = self.resampler.read().unwrap().as_ref() { - resampler.duration - } else { - Duration::default() + pub fn update(&mut self) -> bool { + unsafe { + if STATE.finished { + STATE.finished = false; + self.next(); + true + } else { + false + } } } - - pub fn elapsed(&self) -> Duration { - if let Some(resampler) = self.resampler.read().unwrap().as_ref() { - resampler.elapsed - } else { - Duration::default() - } + pub fn set_output_device(&self, device: &str) { + self.s + .send(Event::OutputDevice(device.to_string())) + .unwrap(); } +} - pub fn toggle_playback(&mut self) -> Result<(), String> { - if self.resampler.read().unwrap().is_none() { - self.play_selected() - } else { - match self.state { - State::Playing => self.pause(), - State::Paused => self.play(), - State::Stopped => (), - }; - Ok(()) - } - } +static mut SYMPHONIA: Option = None; - pub fn play(&mut self) { - self.stream.play().unwrap(); - self.state = State::Playing; - } +pub struct Symphonia { + format_reader: Box, + decoder: Box, + track: Track, + elapsed: u64, + duration: u64, - pub fn pause(&mut self) { - self.stream.pause().unwrap(); - self.state = State::Paused; - } + error_count: u8, +} - pub fn seek_by(&mut self, time: f32) -> Result<(), String> { - let time = if let Some(resampler) = self.resampler.read().unwrap().as_ref() { - resampler.elapsed.as_secs_f32() + time - } else { - return Ok(()); - }; +impl Symphonia { + pub fn new(path: &str) -> Self { + let file = File::open(path).unwrap(); + let mss = MediaSourceStream::new(Box::new(file), Default::default()); - if time > self.duration().as_secs_f32() { - self.next()?; - } else { - self.seek_to(time)?; - self.play(); - } + let probed = get_probe() + .format( + &Hint::default(), + mss, + &FormatOptions { + prebuild_seek_index: true, + seek_index_fill_rate: 1, + enable_gapless: false, + }, + &MetadataOptions::default(), + ) + .unwrap(); - Ok(()) - } + let track = probed.format.default_track().unwrap().to_owned(); - pub fn seek_to(&mut self, time: f32) -> Result<(), String> { - //Seeking at under 0.5 seconds causes an unexpected EOF. - //Could be because of the coarse seek. - let time = Duration::from_secs_f32(time.clamp(0.5, f32::MAX)); - if time > self.duration() { - self.next()?; - } else { - if let Some(resampler) = self.resampler.write().unwrap().as_mut() { - resampler.seek(time)?; - } - self.play(); + let decoder = symphonia::default::get_codecs() + .make(&track.codec_params, &DecoderOptions::default()) + .unwrap(); + + let n_frames = track.codec_params.n_frames.unwrap(); + let duration = track.codec_params.start_ts + n_frames; + + Self { + format_reader: probed.format, + decoder, + track, + duration, + elapsed: 0, + error_count: 0, } - Ok(()) } - - pub fn is_playing(&self) -> bool { - State::Playing == self.state + pub fn elapsed(&self) -> Duration { + let tb = self.track.codec_params.time_base.unwrap(); + let time = tb.calc_time(self.elapsed); + Duration::from_secs(time.seconds) + Duration::from_secs_f64(time.frac) } -} - -unsafe impl Send for Player {} - -fn create_output_stream( - device: &Device, - config: &StreamConfig, - resampler: Arc>>, -) -> Result { - device.build_output_stream( - config, - move |data: &mut [f32], _: &cpal::OutputCallbackInfo| { - for frame in data.chunks_mut(2) { - for sample in frame.iter_mut() { - let smp = if let Some(resampler) = resampler.write().unwrap().as_mut() { - resampler.next() - } else { - 0.0 - }; - *sample = smp; + pub fn duration(&self) -> Duration { + let tb = self.track.codec_params.time_base.unwrap(); + let time = tb.calc_time(self.duration); + Duration::from_secs(time.seconds) + Duration::from_secs_f64(time.frac) + } + pub fn sample_rate(&self) -> u32 { + self.track.codec_params.sample_rate.unwrap() + } + pub fn seek(&mut self, pos: Duration) { + match self.format_reader.seek( + SeekMode::Coarse, + SeekTo::Time { + time: Time::new(pos.as_secs(), pos.subsec_nanos() as f64 / 1_000_000_000.0), + track_id: None, + }, + ) { + Ok(_) => (), + Err(_) => unsafe { + STATE.finished = true; + }, + } + } + pub fn next_packet(&mut self) -> Option> { + let next_packet = match self.format_reader.next_packet() { + Ok(next_packet) => next_packet, + Err(err) => match err { + Error::IoError(err) => match err.kind() { + std::io::ErrorKind::UnexpectedEof => return None, + _ => panic!("{}", err), + }, + Error::SeekError(_) | Error::DecodeError(_) => { + self.error_count += 1; + if self.error_count > 2 { + return None; + } + return self.next_packet(); } - } - }, - |err| panic!("{}", err), - ) -} + _ => panic!("{}", err), + }, + }; -pub fn audio_devices() -> Vec { - let host_id = cpal::default_host().id(); - let host = cpal::host_from_id(host_id).unwrap(); + self.elapsed = next_packet.ts(); - //FIXME: Getting just the output devies was too slow(150ms). - //Collecting every device is still slow but it's not as bad. - host.devices().unwrap().collect() -} + unsafe { STATE.elapsed = self.elapsed() }; -pub fn default_device() -> Device { - cpal::default_host().default_output_device().unwrap() + let decoded = self.decoder.decode(&next_packet).unwrap(); + let mut buffer = SampleBuffer::::new(decoded.capacity() as u64, *decoded.spec()); + buffer.copy_interleaved_ref(decoded); + Some(buffer) + } } diff --git a/gonk-player/src/wasapi.rs b/gonk-player/src/wasapi.rs new file mode 100644 index 00000000..be8d9d04 --- /dev/null +++ b/gonk-player/src/wasapi.rs @@ -0,0 +1,522 @@ +use crate::Queue; +use core::slice; +use std::ffi::OsString; +use std::mem::{transmute, zeroed}; +use std::os::windows::prelude::OsStringExt; +use std::ptr::{null, null_mut}; +use std::sync::Once; +use std::sync::{ + atomic::{AtomicBool, Ordering}, + Arc, +}; +use std::thread; +use winapi::shared::devpkey::DEVPKEY_Device_FriendlyName; +use winapi::shared::guiddef::GUID; +use winapi::shared::mmreg::{ + WAVEFORMATEX, WAVEFORMATEXTENSIBLE, WAVE_FORMAT_EXTENSIBLE, WAVE_FORMAT_IEEE_FLOAT, +}; +use winapi::shared::ntdef::HANDLE; +use winapi::um::audioclient::{IAudioClient, IAudioRenderClient, IID_IAudioClient}; +use winapi::um::audiosessiontypes::{ + AUDCLNT_SHAREMODE_SHARED, AUDCLNT_STREAMFLAGS_EVENTCALLBACK, AUDCLNT_STREAMFLAGS_RATEADJUST, +}; +use winapi::um::combaseapi::{CoCreateInstance, CoInitializeEx, PropVariantClear, CLSCTX_ALL}; +use winapi::um::mmdeviceapi::{ + eConsole, eRender, CLSID_MMDeviceEnumerator, IMMDevice, IMMDeviceEnumerator, + DEVICE_STATE_ACTIVE, +}; +use winapi::um::synchapi::{CreateEventA, WaitForSingleObject}; +use winapi::um::unknwnbase::{IUnknown, IUnknownVtbl}; +use winapi::um::winnt::HRESULT; +use winapi::{Interface, RIDL}; + +const PREALLOC_FRAMES: usize = 48_000; +const MAX_BUFFER_SIZE: u32 = 1024; +const WAIT_OBJECT_0: u32 = 0x00000000; +const STGM_READ: u32 = 0; +const COINIT_MULTITHREADED: u32 = 0; +const AUDCLNT_STREAMFLAGS_AUTOCONVERTPCM: u32 = 0x80000000; +const AUDCLNT_STREAMFLAGS_SRC_DEFAULT_QUALITY: u32 = 0x08000000; + +const KSDATAFORMAT_SUBTYPE_IEEE_FLOAT: GUID = GUID { + Data1: 0x00000003, + Data2: 0x0000, + Data3: 0x0010, + Data4: [0x80, 0x00, 0x00, 0xAA, 0x00, 0x38, 0x9B, 0x71], +}; + +const COMMON_SAMPLE_RATES: [u32; 13] = [ + 5512, 8000, 11025, 16000, 22050, 32000, 44100, 48000, 64000, 88200, 96000, 176400, 192000, +]; + +static INIT: Once = Once::new(); + +RIDL! {#[uuid(4142186656, 18137, 20408, 190, 33, 87, 163, 239, 43, 98, 108)] +interface IAudioClockAdjustment(IAudioClockAdjustmentVtbl): IUnknown(IUnknownVtbl) { + fn SetSampleRate( + flSampleRate: f32, + ) -> HRESULT, +}} + +#[derive(PartialEq, Eq, Debug, Clone)] +pub struct Device { + pub inner: *mut IMMDevice, + pub name: String, + pub id: String, +} + +unsafe impl Send for Device {} + +#[inline] +pub fn check(result: i32) -> Result<(), String> { + if result != 0 { + //https://docs.microsoft.com/en-us/windows/win32/seccrypto/common-hresult-values + match result { + //0x80070057 + -2147024809 => Err("Invalid argument.".to_string()), + // 0x80004003 + -2147467261 => Err("Pointer is not valid".to_string()), + _ => Err(format!("{result}")), + } + } else { + Ok(()) + } +} + +pub fn check_init() { + // Initialize this only once. + INIT.call_once(|| unsafe { + CoInitializeEx(null_mut(), COINIT_MULTITHREADED); + }); +} + +pub fn utf16_string(ptr_utf16: *const u16) -> String { + // Find the length of the friendly name. + let mut len = 0; + + unsafe { + while *ptr_utf16.offset(len) != 0 { + len += 1; + } + } + + // Create the utf16 slice and convert it into a string. + let name_slice = unsafe { slice::from_raw_parts(ptr_utf16, len as usize) }; + let name_os_string: OsString = OsStringExt::from_wide(name_slice); + name_os_string.to_string_lossy().to_string() +} + +pub unsafe fn devices() -> Vec { + check_init(); + + let mut enumerator: *mut IMMDeviceEnumerator = null_mut(); + let result = CoCreateInstance( + &CLSID_MMDeviceEnumerator, + null_mut(), + CLSCTX_ALL, + &IMMDeviceEnumerator::uuidof(), + &mut enumerator as *mut *mut IMMDeviceEnumerator as *mut _, + ); + check(result).unwrap(); + + let mut collection = null_mut(); + let result = (*enumerator).EnumAudioEndpoints(eRender, DEVICE_STATE_ACTIVE, &mut collection); + check(result).unwrap(); + let collection = &*collection; + + let mut count: u32 = zeroed(); + let result = collection.GetCount(&mut count as *mut u32 as *const u32); + check(result).unwrap(); + + let mut devices = Vec::new(); + + for i in 0..count { + //Get IMMDevice. + let mut device = null_mut(); + let result = collection.Item(i, &mut device); + check(result).unwrap(); + + //Get name. + let mut store = null_mut(); + let result = (*device).OpenPropertyStore(STGM_READ, &mut store); + check(result).unwrap(); + let mut prop = zeroed(); + let result = (*store).GetValue( + &DEVPKEY_Device_FriendlyName as *const _ as *const _, + &mut prop, + ); + check(result).unwrap(); + let ptr_utf16 = *(&prop.data as *const _ as *const *const u16); + let name = utf16_string(ptr_utf16); + PropVariantClear(&mut prop); + + //Get id. + let mut str_ptr = zeroed(); + let result = (*device).GetId(&mut str_ptr); + check(result).unwrap(); + let id = utf16_string(str_ptr); + + //Get device state. + let mut state = zeroed(); + let result = (*device).GetState(&mut state); + check(result).unwrap(); + if state != DEVICE_STATE_ACTIVE { + panic!("Device is disabled?"); + } + + let device = Device { + inner: device, + name, + id, + }; + devices.push(device); + } + devices +} + +pub fn new_wavefmtex( + storebits: usize, + validbits: usize, + samplerate: usize, + channels: usize, +) -> WAVEFORMATEXTENSIBLE { + let blockalign = channels * storebits / 8; + let byterate = samplerate * blockalign; + + let wave_format = WAVEFORMATEX { + cbSize: 22, + nAvgBytesPerSec: byterate as u32, + nBlockAlign: blockalign as u16, + nChannels: channels as u16, + nSamplesPerSec: samplerate as u32, + wBitsPerSample: storebits as u16, + wFormatTag: WAVE_FORMAT_EXTENSIBLE as u16, + }; + let sample = validbits as u16; + let subformat = KSDATAFORMAT_SUBTYPE_IEEE_FLOAT; + let mut mask = 0; + for n in 0..channels { + mask += 1 << n; + } + WAVEFORMATEXTENSIBLE { + Format: wave_format, + Samples: sample, + SubFormat: subformat, + dwChannelMask: mask, + } +} + +pub unsafe fn default_device() -> Device { + check_init(); + let mut enumerator: *mut IMMDeviceEnumerator = null_mut(); + let result = CoCreateInstance( + &CLSID_MMDeviceEnumerator, + null_mut(), + CLSCTX_ALL, + &IMMDeviceEnumerator::uuidof(), + &mut enumerator as *mut *mut IMMDeviceEnumerator as *mut _, + ); + check(result).unwrap(); + + let mut device: *mut IMMDevice = null_mut(); + let result = (*enumerator).GetDefaultAudioEndpoint( + eRender, + eConsole, + &mut device as *mut *mut IMMDevice, + ); + check(result).unwrap(); + + //Get name. + let mut store = null_mut(); + let result = (*device).OpenPropertyStore(STGM_READ, &mut store); + check(result).unwrap(); + let mut prop = zeroed(); + let result = (*store).GetValue( + &DEVPKEY_Device_FriendlyName as *const _ as *const _, + &mut prop, + ); + check(result).unwrap(); + let ptr_utf16 = *(&prop.data as *const _ as *const *const u16); + let name = utf16_string(ptr_utf16); + PropVariantClear(&mut prop); + + //Get id. + let mut str_ptr = zeroed(); + let result = (*device).GetId(&mut str_ptr); + check(result).unwrap(); + let id = utf16_string(str_ptr); + + Device { + inner: device, + name, + id, + } +} + +pub unsafe fn get_mix_format(audio_client: *mut IAudioClient) -> WAVEFORMATEXTENSIBLE { + let mut format = null_mut(); + (*audio_client).GetMixFormat(&mut format); + let format = &*format; + + if format.wFormatTag == WAVE_FORMAT_EXTENSIBLE && format.cbSize == 22 { + //TODO: Check that the sample type is float + (format as *const _ as *const WAVEFORMATEXTENSIBLE).read() + } else { + let validbits = format.wBitsPerSample as usize; + let blockalign = format.nBlockAlign as usize; + let samplerate = format.nSamplesPerSec as usize; + let formattag = format.wFormatTag; + let channels = format.nChannels as usize; + if formattag != WAVE_FORMAT_IEEE_FLOAT { + panic!("Unsupported format!"); + } + let storebits = 8 * blockalign / channels; + new_wavefmtex(storebits, validbits, samplerate, channels) + } +} + +pub unsafe fn is_format_supported( + format: WAVEFORMATEXTENSIBLE, + audio_client: *mut IAudioClient, +) -> *mut WAVEFORMATEX { + let mut new_format = null_mut(); + let result = (*audio_client).IsFormatSupported( + AUDCLNT_SHAREMODE_SHARED, + &format as *const _ as *const WAVEFORMATEX, + &mut new_format, + ); + if result != 1 { + check(result).unwrap(); + } + new_format +} + +pub unsafe fn create_stream(device: &Device, sample_rate: u32) -> StreamHandle { + check_init(); + + if !COMMON_SAMPLE_RATES.contains(&sample_rate) { + panic!("Invalid sample rate."); + } + + let audio_client: *mut IAudioClient = { + let mut audio_client = null_mut(); + let result = + (*device.inner).Activate(&IID_IAudioClient, CLSCTX_ALL, null_mut(), &mut audio_client); + check(result).unwrap(); + assert!(!audio_client.is_null()); + audio_client as *mut _ + }; + + let format = get_mix_format(audio_client); + + let mut deafult_period = zeroed(); + (*audio_client).GetDevicePeriod(&mut deafult_period, null_mut()); + + if format.Format.nChannels < 2 { + let channels = format.Format.nChannels; + panic!("Device only has {} channels", channels); + } + + let desired_format = new_wavefmtex( + format.Format.wBitsPerSample as usize, + format.Samples as usize, + sample_rate as usize, + format.Format.nChannels as usize, + ); + + if desired_format.Samples != 32 { + panic!("64-bit buffers are not supported!"); + } + + let block_align = desired_format.Format.nBlockAlign as u32; + + let result = (*audio_client).Initialize( + AUDCLNT_SHAREMODE_SHARED, + AUDCLNT_STREAMFLAGS_EVENTCALLBACK + | AUDCLNT_STREAMFLAGS_AUTOCONVERTPCM + | AUDCLNT_STREAMFLAGS_SRC_DEFAULT_QUALITY + | AUDCLNT_STREAMFLAGS_RATEADJUST, + deafult_period, + deafult_period, + &desired_format as *const _ as *const WAVEFORMATEX, + null(), + ); + check(result).unwrap(); + + // let mut audioclock_ptr = null_mut(); + // let result = (*audio_client).GetService(&IAudioClockAdjustment::uuidof(), &mut audioclock_ptr); + // check(result).unwrap(); + // let audio_clock: *mut IAudioClockAdjustment = transmute(audioclock_ptr); + // let result = (*audio_clock).SetSampleRate(88_200.0); + // check(result).unwrap(); + + let h_event = CreateEventA(null_mut(), 0, 0, null()); + (*audio_client).SetEventHandle(h_event); + + let mut renderclient_ptr = null_mut(); + let result = (*audio_client).GetService(&IAudioRenderClient::uuidof(), &mut renderclient_ptr); + check(result).unwrap(); + let render_client: *mut IAudioRenderClient = transmute(renderclient_ptr); + + (*audio_client).Start(); + + let stream_dropped = Arc::new(AtomicBool::new(false)); + let queue = Queue::new(MAX_BUFFER_SIZE as usize); + + let audio_thread = AudioThread { + queue: queue.clone(), + stream_dropped: Arc::clone(&stream_dropped), + audio_client, + h_event, + render_client, + block_align: block_align as usize, + channels: desired_format.Format.nChannels as usize, + max_frames: MAX_BUFFER_SIZE as usize, + }; + + thread::spawn(move || { + audio_thread.run(); + }); + + StreamHandle { + queue, + device: device.clone(), + sample_rate: desired_format.Format.nSamplesPerSec, + buffer_size: MAX_BUFFER_SIZE, + num_out_channels: desired_format.Format.nChannels as u32, + stream_dropped, + } +} + +pub struct StreamHandle { + pub queue: Queue, + pub device: Device, + pub sample_rate: u32, + pub buffer_size: u32, + pub num_out_channels: u32, + pub stream_dropped: Arc, +} + +impl Drop for StreamHandle { + fn drop(&mut self) { + self.stream_dropped.store(true, Ordering::Relaxed); + } +} + +pub struct AudioThread { + pub queue: Queue, + pub stream_dropped: Arc, + pub audio_client: *mut IAudioClient, + pub h_event: HANDLE, + pub render_client: *mut IAudioRenderClient, + pub block_align: usize, + pub channels: usize, + pub max_frames: usize, +} + +impl AudioThread { + pub unsafe fn run(self) { + let AudioThread { + queue, + stream_dropped, + audio_client, + h_event, + render_client, + block_align, + channels, + max_frames, + } = self; + + // The buffer that is sent to WASAPI. Pre-allocate a reasonably large size. + let mut device_buffer = vec![0u8; PREALLOC_FRAMES * block_align]; + let mut device_buffer_capacity_frames = PREALLOC_FRAMES; + + // The owned buffers whose slices get sent to the process method in chunks. + let mut proc_owned_buffers: Vec> = (0..channels) + .map(|_| vec![0.0; max_frames as usize]) + .collect(); + + let channel_align = block_align / channels; + + while !stream_dropped.load(Ordering::Relaxed) { + let mut padding_count = zeroed(); + let result = (*audio_client).GetCurrentPadding(&mut padding_count); + check(result).unwrap(); + + let mut buffer_frame_count = zeroed(); + let result = (*audio_client).GetBufferSize(&mut buffer_frame_count); + check(result).unwrap(); + + let buffer_frame_count = (buffer_frame_count - padding_count) as usize; + + // Make sure that the device's buffer is large enough. In theory if we pre-allocated + // enough frames this shouldn't ever actually trigger any allocation. + if buffer_frame_count > device_buffer_capacity_frames { + device_buffer_capacity_frames = buffer_frame_count; + device_buffer.resize(buffer_frame_count as usize * block_align, 0); + } + + let mut frames_written = 0; + while frames_written < buffer_frame_count { + let frames = (buffer_frame_count - frames_written).min(max_frames); + //We don't clear old frames because they are always filled with new information. + + let audio_outputs = proc_owned_buffers.as_mut_slice(); + + let frames = frames + .min(audio_outputs[0].len()) + .min(audio_outputs[1].len()); + + for i in 0..frames { + audio_outputs[0][i] = queue.pop(); + audio_outputs[1][i] = queue.pop(); + } + + let device_buffer_part = &mut device_buffer + [frames_written * block_align..(frames_written + frames) * block_align]; + + // Fill each slice into the device's output buffer + for (frame_i, out_frame) in + device_buffer_part.chunks_exact_mut(block_align).enumerate() + { + for (ch_i, out_smp_bytes) in + out_frame.chunks_exact_mut(channel_align).enumerate() + { + let smp_bytes = proc_owned_buffers[ch_i][frame_i].to_le_bytes(); + + out_smp_bytes[0..smp_bytes.len()].copy_from_slice(&smp_bytes); + } + } + + frames_written += frames; + } + + // Write the now filled output buffer to the device. + let nbr_frames = buffer_frame_count; + let byte_per_frame = block_align; + let data = &device_buffer[0..buffer_frame_count * block_align]; + + let nbr_bytes = nbr_frames * byte_per_frame; + debug_assert_eq!(nbr_bytes, data.len()); + + let mut bufferptr = null_mut(); + let result = (*render_client).GetBuffer(nbr_frames as u32, &mut bufferptr); + check(result).unwrap(); + + let bufferslice = slice::from_raw_parts_mut(bufferptr, nbr_bytes); + bufferslice.copy_from_slice(data); + let flags = 0; + (*render_client).ReleaseBuffer(nbr_frames as u32, flags); + check(result).unwrap(); + + if WaitForSingleObject(h_event, 1000) != WAIT_OBJECT_0 { + panic!("Fatal WASAPI stream error while waiting for event"); + } + } + + let result = (*audio_client).Stop(); + check(result).unwrap(); + } +} + +unsafe impl Send for AudioThread {} diff --git a/gonk/Cargo.toml b/gonk/Cargo.toml index bce2eeda..f4541783 100644 --- a/gonk/Cargo.toml +++ b/gonk/Cargo.toml @@ -1,6 +1,6 @@ [package] name = "gonk" -version = "0.1.2" +version = "0.2.0" edition = "2021" authors = ["Bay"] description = "A terminal music player" @@ -15,5 +15,5 @@ tui = "0.18.0" crossterm = "0.23.2" unicode-width = "0.1.9" rayon = "1.5.3" -gonk-player = {version = "0.1.2", path = "../gonk-player"} -gonk-database = {version = "0.1.2", path = "../gonk-database"} +gonk-player = {version = "0.2.0", path = "../gonk-player"} +gonk-database = {version = "0.2.0", path = "../gonk-database"} diff --git a/gonk/src/main.rs b/gonk/src/main.rs index 0e75deb1..5ea4978d 100644 --- a/gonk/src/main.rs +++ b/gonk/src/main.rs @@ -19,7 +19,6 @@ use settings::Settings; use std::{ io::{stdout, Stdout}, path::Path, - thread, time::{Duration, Instant}, }; use tui::{backend::CrosstermBackend, layout::*, style::Color, Terminal}; @@ -74,6 +73,13 @@ fn save_queue(player: &Player) { ); } +fn save_queue_state(player: &Player) { + gonk_database::update_queue_state( + player.songs.index().unwrap_or(0) as u16, + player.elapsed().as_secs_f32(), + ); +} + fn draw_log(f: &mut Frame) -> Rect { if log::message().is_some() { let area = Layout::default() @@ -153,7 +159,7 @@ fn main() { let songs = Index::new(songs, index); let volume = gonk_database::volume(); let device = gonk_database::get_output_device(); - let player_thread = thread::spawn(move || Player::new(device, volume, songs, elapsed)); + let mut player = Player::new(device, volume, songs, elapsed); let mut browser = Browser::new(); let mut queue = Queue::new(); @@ -167,8 +173,6 @@ fn main() { let mut dots: usize = 1; let mut scan_timer: Option = None; - let mut player = player_thread.join().unwrap(); - //If there are songs in the queue and the database isn't scanning, display the queue. if !player.songs.is_empty() && scan_handle.is_none() { mode = Mode::Queue; @@ -217,10 +221,9 @@ fn main() { queue.len = player.songs.len(); - match player.update() { - Ok(_) => (), - Err(e) => log!("{}", e), - }; + if player.update() { + save_queue_state(&player); + } terminal .draw(|f| { @@ -282,10 +285,7 @@ fn main() { playlist.search_query.push(c); } } - KeyCode::Char(' ') => match player.toggle_playback() { - Ok(_) => (), - Err(e) => log!("{}", e), - }, + KeyCode::Char(' ') => player.toggle_playback(), KeyCode::Char('C') if shift => { player.clear_except_playing(); queue.ui.select(Some(0)); @@ -309,22 +309,16 @@ fn main() { scan_handle = Some(gonk_database::scan(folder)); playlist.playlists = Index::from(gonk_database::playlists()); } - KeyCode::Char('q') => match player.seek_by(-10.0) { - Ok(_) => (), - Err(e) => log!("{}", e), - }, - KeyCode::Char('e') => match player.seek_by(10.0) { - Ok(_) => (), - Err(e) => log!("{}", e), - }, - KeyCode::Char('a') => match player.previous() { - Ok(_) => (), - Err(e) => log!("{}", e), - }, - KeyCode::Char('d') => match player.next() { - Ok(_) => (), - Err(e) => log!("{}", e), - }, + KeyCode::Char('q') => player.seek_backward(), + KeyCode::Char('e') => player.seek_foward(), + KeyCode::Char('a') => { + player.prev(); + save_queue_state(&player); + } + KeyCode::Char('d') => { + player.next(); + save_queue_state(&player); + } KeyCode::Char('w') => { player.volume_up(); gonk_database::update_volume(player.volume); @@ -379,7 +373,7 @@ fn main() { KeyCode::Enter => match mode { Mode::Browser => { let songs = browser::get_selected(&browser); - match player.add_songs(&songs) { + match player.add(&songs) { Ok(_) => (), Err(e) => log!("{}", e), } @@ -396,7 +390,7 @@ fn main() { } Mode::Search => { if let Some(songs) = search::on_enter(&mut search) { - match player.add_songs(&songs) { + match player.add(&songs) { Ok(_) => (), Err(e) => log!("{}", e), } diff --git a/gonk/src/playlist.rs b/gonk/src/playlist.rs index 58b39d1d..1e7b9332 100644 --- a/gonk/src/playlist.rs +++ b/gonk/src/playlist.rs @@ -119,7 +119,7 @@ pub fn on_enter(playlist: &mut Playlist, player: &mut Player) { .map(|song| Song::from(&song.into_bytes(), 0)) .collect(); - match player.add_songs(&songs) { + match player.add(&songs) { Ok(_) => (), Err(e) => log!("{}", e), } @@ -129,7 +129,7 @@ pub fn on_enter(playlist: &mut Playlist, player: &mut Player) { Mode::Song => { if let Some(selected) = playlist.playlists.selected() { if let Some(song) = selected.songs.selected() { - match player.add_songs(&[Song::from(&song.into_bytes(), 0)]) { + match player.add(&[Song::from(&song.into_bytes(), 0)]) { Ok(_) => (), Err(e) => log!("{}", e), } diff --git a/gonk/src/queue.rs b/gonk/src/queue.rs index ab6abcee..57e1a7cb 100644 --- a/gonk/src/queue.rs +++ b/gonk/src/queue.rs @@ -104,12 +104,9 @@ pub fn draw(queue: &mut Queue, player: &mut Player, f: &mut Frame, event: Option if (size.height - 3 == y || size.height - 2 == y || size.height - 1 == y) && size.height > 15 { - let ratio = x as f32 / size.width as f32; - let duration = player.duration().as_secs_f32(); - match player.seek_to(duration * ratio) { - Ok(_) => (), - Err(e) => log!("{}", e), - }; + let ratio = x as f64 / size.width as f64; + let duration = player.duration().as_secs_f64(); + player.seek(Duration::from_secs_f64(duration * ratio)); } //Mouse support for the queue. diff --git a/gonk/src/settings.rs b/gonk/src/settings.rs index f50045a0..82dec1d3 100644 --- a/gonk/src/settings.rs +++ b/gonk/src/settings.rs @@ -1,6 +1,6 @@ -use crate::{log, widgets::*, Frame, Input}; +use crate::{widgets::*, Frame, Input}; use gonk_database::Index; -use gonk_player::{Device, DeviceTrait, Player}; +use gonk_player::Player; use tui::{ layout::Rect, style::{Color, Modifier, Style}, @@ -8,31 +8,30 @@ use tui::{ }; pub struct Settings { - pub devices: Index, + pub devices: Index, pub current_device: String, } impl Settings { pub fn new() -> Self { - let default_device = gonk_player::default_device(); let wanted_device = gonk_database::get_output_device(); - let devices = gonk_player::audio_devices(); + let devices: Vec = unsafe { + gonk_player::devices() + .into_iter() + .map(|device| device.name) + .collect() + }; - let current_device = if devices - .iter() - .flat_map(DeviceTrait::name) - .any(|x| x == wanted_device) - { + let current_device = if devices.iter().any(|name| name == wanted_device) { wanted_device.to_string() } else { - let name = default_device.name().unwrap(); - gonk_database::update_output_device(&name); - name + let device = unsafe { gonk_player::default_device() }; + device.name }; Self { - devices: Index::new(devices, Some(0)), + devices: Index::from(devices), current_device, } } @@ -54,10 +53,8 @@ impl Input for Settings { pub fn on_enter(settings: &mut Settings, player: &mut Player) { if let Some(device) = settings.devices.selected() { - match player.set_output_device(device) { - Ok(_) => settings.current_device = device.name().unwrap(), - Err(e) => log!("{}", e), - } + player.set_output_device(device); + settings.current_device = device.clone(); } } @@ -66,12 +63,11 @@ pub fn draw(settings: &mut Settings, area: Rect, f: &mut Frame) { .devices .data .iter() - .map(|device| { - let name = device.name().unwrap(); - if name == settings.current_device { - ListItem::new(name) + .map(|name| { + if name == &settings.current_device { + ListItem::new(name.as_str()) } else { - ListItem::new(name).style(Style::default().add_modifier(Modifier::DIM)) + ListItem::new(name.as_str()).style(Style::default().add_modifier(Modifier::DIM)) } }) .collect();