firewheel_core/silence_mask.rs
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52
/// An optional optimization hint on which channels contain all
/// zeros (silence). The first bit (`0x1`) is the first channel,
/// the second bit is the second channel, and so on.
#[derive(Default, Debug, Clone, Copy, PartialEq, Eq)]
pub struct SilenceMask(pub u64);
impl SilenceMask {
/// A mask with no channels marked as silent
pub const NONE_SILENT: Self = Self(0);
/// A mask with only the first channel marked as silent
pub const MONO_SILENT: Self = Self(0b1);
/// A mask with only the first two channels marked as silent
pub const STEREO_SILENT: Self = Self(0b11);
/// Returns `true` if the channel is marked as silent, `false`
/// otherwise.
///
/// `i` must be less than `64`.
pub const fn is_channel_silent(&self, i: usize) -> bool {
self.0 & (0b1 << i) != 0
}
/// Returns `true` if any channel is marked as silent, `false`
/// otherwise.
///
/// `num_channels` must be less than `64`.
pub const fn any_channel_silent(&self, num_channels: usize) -> bool {
self.0 & ((0b1 << num_channels) - 1) != 0
}
/// Returns `true` if all channels are marked as silent, `false`
/// otherwise.
///
/// `num_channels` must be less than `64`.
pub const fn all_channels_silent(&self, num_channels: usize) -> bool {
let mask = (0b1 << num_channels) - 1;
self.0 & mask == mask
}
/// Mark/un-mark the given channel as silent.
///
/// `num_channels` must be less than `64`.
pub fn set_channel(&mut self, i: usize, silent: bool) {
if silent {
self.0 |= 0b1 << i;
} else {
self.0 &= !(0b1 << i);
}
}
}