mirror of
https://codeberg.org/unspeaker/tek.git
synced 2025-12-07 12:16:42 +01:00
wip: tying it together...
This commit is contained in:
parent
bbafb72e9b
commit
ad2f75bee6
7 changed files with 76 additions and 115 deletions
|
|
@ -1,6 +1,5 @@
|
||||||
use crate::*;
|
use crate::*;
|
||||||
use std::iter::Iterator;
|
use std::iter::Iterator;
|
||||||
|
|
||||||
/// Any numeric type that represents time
|
/// Any numeric type that represents time
|
||||||
pub trait TimeUnit: Copy + Display + PartialOrd + PartialEq
|
pub trait TimeUnit: Copy + Display + PartialOrd + PartialEq
|
||||||
+ Add<Self, Output=Self> + Mul<Self, Output=Self>
|
+ Add<Self, Output=Self> + Mul<Self, Output=Self>
|
||||||
|
|
@ -8,15 +7,35 @@ pub trait TimeUnit: Copy + Display + PartialOrd + PartialEq
|
||||||
impl<T> TimeUnit for T where T: Copy + Display + PartialOrd + PartialEq
|
impl<T> TimeUnit for T where T: Copy + Display + PartialOrd + PartialEq
|
||||||
+ Add<Self, Output=Self> + Mul<Self, Output=Self>
|
+ Add<Self, Output=Self> + Mul<Self, Output=Self>
|
||||||
+ Div<Self, Output=Self> + Rem<Self, Output=Self> {}
|
+ Div<Self, Output=Self> + Rem<Self, Output=Self> {}
|
||||||
|
|
||||||
/// Integer time unit, such as samples, pulses, or microseconds
|
/// Integer time unit, such as samples, pulses, or microseconds
|
||||||
pub trait TimeInteger: TimeUnit + From<usize> + Into<usize> + Copy {}
|
pub trait TimeInteger: TimeUnit + From<usize> + Into<usize> + Copy {}
|
||||||
impl<T> TimeInteger for T where T: TimeUnit + From<usize> + Into<usize> + Copy {}
|
impl<T> TimeInteger for T where T: TimeUnit + From<usize> + Into<usize> + Copy {}
|
||||||
|
|
||||||
/// Floating time unit, such as beats or seconds
|
/// Floating time unit, such as beats or seconds
|
||||||
pub trait TimeFloat: TimeUnit + From<f64> + Into<f64> + Copy {}
|
pub trait TimeFloat: TimeUnit + From<f64> + Into<f64> + Copy {}
|
||||||
impl<T> TimeFloat for T where T: TimeUnit + From<f64> + Into<f64> + Copy {}
|
impl<T> TimeFloat for T where T: TimeUnit + From<f64> + Into<f64> + Copy {}
|
||||||
|
/// Defines global temporal resolutions.
|
||||||
|
#[derive(Debug)] pub struct Timebase {
|
||||||
|
/// Audio samples per second
|
||||||
|
sr: AtomicF64,
|
||||||
|
/// MIDI beats per minute
|
||||||
|
bpm: AtomicF64,
|
||||||
|
/// MIDI ticks per beat
|
||||||
|
ppq: AtomicF64,
|
||||||
|
}
|
||||||
|
/// Represents a point in time in all scales
|
||||||
|
#[derive(Debug, Default)] pub struct Instant {
|
||||||
|
pub timebase: Arc<Timebase>,
|
||||||
|
/// Current time in microseconds
|
||||||
|
usec: AtomicUsize,
|
||||||
|
/// Current time in audio samples
|
||||||
|
sample: AtomicUsize,
|
||||||
|
/// Current time in MIDI pulses
|
||||||
|
pulse: AtomicF64,
|
||||||
|
}
|
||||||
|
/// Defines samples per tick.
|
||||||
|
pub struct Ticks(pub f64);
|
||||||
|
/// Iterator that emits subsequent ticks within a range.
|
||||||
|
pub struct TicksIterator(f64, usize, usize, usize);
|
||||||
/// Trait for struct that defines a sample rate in hertz (samples per second)
|
/// Trait for struct that defines a sample rate in hertz (samples per second)
|
||||||
pub trait SampleRate<U: TimeUnit> {
|
pub trait SampleRate<U: TimeUnit> {
|
||||||
/// Get the sample rate
|
/// Get the sample rate
|
||||||
|
|
@ -40,7 +59,6 @@ pub trait SampleRate<U: TimeUnit> {
|
||||||
usecs * self.sample_per_usec()
|
usecs * self.sample_per_usec()
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
/// Trait for struct that defines a tempo in beats per minute
|
/// Trait for struct that defines a tempo in beats per minute
|
||||||
pub trait BeatsPerMinute<U: TimeFloat> {
|
pub trait BeatsPerMinute<U: TimeFloat> {
|
||||||
/// Get the tempo
|
/// Get the tempo
|
||||||
|
|
@ -79,7 +97,6 @@ pub trait BeatsPerMinute<U: TimeFloat> {
|
||||||
events.map(|(time, event)|(self.quantize(step, time).0, event)).collect()
|
events.map(|(time, event)|(self.quantize(step, time).0, event)).collect()
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
/// Trait for struct that defines a MIDI resolution in pulses per quaver (beat)
|
/// Trait for struct that defines a MIDI resolution in pulses per quaver (beat)
|
||||||
pub trait PulsesPerQuaver<U: TimeUnit> {
|
pub trait PulsesPerQuaver<U: TimeUnit> {
|
||||||
const DEFAULT_PPQ: U;
|
const DEFAULT_PPQ: U;
|
||||||
|
|
@ -141,7 +158,6 @@ pub trait PulsesPerQuaver<U: TimeUnit> {
|
||||||
{
|
{
|
||||||
self.sr() / self.pulses_per_second()
|
self.sr() / self.pulses_per_second()
|
||||||
}
|
}
|
||||||
|
|
||||||
#[inline] fn format_beats (&self, pulse: U) -> String where U: TimeInteger {
|
#[inline] fn format_beats (&self, pulse: U) -> String where U: TimeInteger {
|
||||||
let ppq = self.ppq();
|
let ppq = self.ppq();
|
||||||
let (beats, pulses) = if ppq > U::from(0) {
|
let (beats, pulses) = if ppq > U::from(0) {
|
||||||
|
|
@ -154,22 +170,19 @@ pub trait PulsesPerQuaver<U: TimeUnit> {
|
||||||
format!("{bars}.{beats}.{pulses:02}")
|
format!("{bars}.{beats}.{pulses:02}")
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
pub trait SamplePosition<U: TimeUnit> {
|
pub trait SamplePosition<U: TimeUnit> {
|
||||||
fn sample (&self) -> U;
|
fn sample (&self) -> U;
|
||||||
fn set_sample (&self, sample: U);
|
fn set_sample (&self, sample: U);
|
||||||
}
|
}
|
||||||
|
|
||||||
pub trait PulsePosition<U: TimeUnit> {
|
pub trait PulsePosition<U: TimeUnit> {
|
||||||
fn pulse (&self) -> U;
|
fn pulse (&self) -> U;
|
||||||
fn set_pulse (&self, pulse: U);
|
fn set_pulse (&self, pulse: U);
|
||||||
#[inline] fn format_current_pulse (&self) -> String
|
#[inline] fn format_beat (&self) -> String
|
||||||
where Self: PulsesPerQuaver<U>, U: TimeInteger
|
where Self: PulsesPerQuaver<U>, U: TimeInteger
|
||||||
{
|
{
|
||||||
self.format_beats(self.pulse())
|
self.format_beats(self.pulse())
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
pub trait UsecPosition<U: TimeUnit> {
|
pub trait UsecPosition<U: TimeUnit> {
|
||||||
fn usec (&self) -> U;
|
fn usec (&self) -> U;
|
||||||
fn set_usec (&self, usec: U);
|
fn set_usec (&self, usec: U);
|
||||||
|
|
@ -180,7 +193,6 @@ pub trait UsecPosition<U: TimeUnit> {
|
||||||
format!("{minutes}:{seconds:02}:{msecs:03}")
|
format!("{minutes}:{seconds:02}:{msecs:03}")
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
pub trait LaunchSync<U: TimeUnit> {
|
pub trait LaunchSync<U: TimeUnit> {
|
||||||
fn sync (&self) -> U;
|
fn sync (&self) -> U;
|
||||||
fn set_sync (&self, sync: U);
|
fn set_sync (&self, sync: U);
|
||||||
|
|
@ -194,27 +206,19 @@ pub trait LaunchSync<U: TimeUnit> {
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
pub trait Quantize<T> {
|
pub trait Quantize<T> {
|
||||||
fn quant (&self) -> T;
|
fn quant (&self) -> T;
|
||||||
fn set_quant (&self, quant: T);
|
fn set_quant (&self, quant: T);
|
||||||
}
|
}
|
||||||
|
|
||||||
#[derive(Debug)]
|
|
||||||
/// Defines global temporal resolutions.
|
|
||||||
pub struct Timebase {
|
|
||||||
/// Audio samples per second
|
|
||||||
pub sr: AtomicF64,
|
|
||||||
/// MIDI beats per minute
|
|
||||||
pub bpm: AtomicF64,
|
|
||||||
/// MIDI ticks per beat
|
|
||||||
pub ppq: AtomicF64,
|
|
||||||
}
|
|
||||||
impl Default for Timebase { fn default () -> Self { Self::new(48000f64, 150f64, 96f64) } }
|
impl Default for Timebase { fn default () -> Self { Self::new(48000f64, 150f64, 96f64) } }
|
||||||
impl Timebase {
|
impl Timebase {
|
||||||
pub fn new (s: impl Into<AtomicF64>, b: impl Into<AtomicF64>, p: impl Into<AtomicF64>) -> Self {
|
pub fn new (s: impl Into<AtomicF64>, b: impl Into<AtomicF64>, p: impl Into<AtomicF64>) -> Self {
|
||||||
Self { sr: s.into(), bpm: b.into(), ppq: p.into() }
|
Self { sr: s.into(), bpm: b.into(), ppq: p.into() }
|
||||||
}
|
}
|
||||||
|
/// Iterate over ticks between start and end.
|
||||||
|
pub fn pulses_between_samples (&self, start: usize, end: usize) -> TicksIterator {
|
||||||
|
TicksIterator(self.samples_per_pulse(), start, start, end)
|
||||||
|
}
|
||||||
}
|
}
|
||||||
impl SampleRate<f64> for Timebase {
|
impl SampleRate<f64> for Timebase {
|
||||||
#[inline] fn sr (&self) -> f64 { self.sr.load(Ordering::Relaxed) }
|
#[inline] fn sr (&self) -> f64 { self.sr.load(Ordering::Relaxed) }
|
||||||
|
|
@ -229,18 +233,6 @@ impl PulsesPerQuaver<f64> for Timebase {
|
||||||
#[inline] fn ppq (&self) -> f64 { self.ppq.load(Ordering::Relaxed) }
|
#[inline] fn ppq (&self) -> f64 { self.ppq.load(Ordering::Relaxed) }
|
||||||
#[inline] fn set_ppq (&self, ppq: f64) { self.ppq.store(ppq, Ordering::Relaxed); }
|
#[inline] fn set_ppq (&self, ppq: f64) { self.ppq.store(ppq, Ordering::Relaxed); }
|
||||||
}
|
}
|
||||||
|
|
||||||
#[derive(Debug, Default)]
|
|
||||||
/// Represents a point in time in all scales
|
|
||||||
pub struct Instant {
|
|
||||||
timebase: Arc<Timebase>,
|
|
||||||
/// Current time in microseconds
|
|
||||||
usec: AtomicUsize,
|
|
||||||
/// Current time in audio samples
|
|
||||||
sample: AtomicUsize,
|
|
||||||
/// Current time in MIDI pulses
|
|
||||||
pulse: AtomicF64,
|
|
||||||
}
|
|
||||||
impl SampleRate<f64> for Instant {
|
impl SampleRate<f64> for Instant {
|
||||||
#[inline] fn sr (&self) -> f64 { self.timebase.sr() }
|
#[inline] fn sr (&self) -> f64 { self.timebase.sr() }
|
||||||
#[inline] fn set_sr (&self, sr: f64) { self.timebase.set_sr(sr); }
|
#[inline] fn set_sr (&self, sr: f64) { self.timebase.set_sr(sr); }
|
||||||
|
|
@ -311,7 +303,6 @@ impl Instant {
|
||||||
self.set_sample(self.timebase.pulses_to_sample(pulse) as usize);
|
self.set_sample(self.timebase.pulses_to_sample(pulse) as usize);
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
/// (pulses, name), assuming 96 PPQ
|
/// (pulses, name), assuming 96 PPQ
|
||||||
pub const NOTE_DURATIONS: [(usize, &str);26] = [
|
pub const NOTE_DURATIONS: [(usize, &str);26] = [
|
||||||
(1, "1/384"),
|
(1, "1/384"),
|
||||||
|
|
@ -341,7 +332,6 @@ pub const NOTE_DURATIONS: [(usize, &str);26] = [
|
||||||
(3456, "9/1"),
|
(3456, "9/1"),
|
||||||
(6144, "16/1"),
|
(6144, "16/1"),
|
||||||
];
|
];
|
||||||
|
|
||||||
/// Returns the next shorter length
|
/// Returns the next shorter length
|
||||||
pub fn prev_note_length (pulses: usize) -> usize {
|
pub fn prev_note_length (pulses: usize) -> usize {
|
||||||
for i in 1..=16 {
|
for i in 1..=16 {
|
||||||
|
|
@ -350,38 +340,20 @@ pub fn prev_note_length (pulses: usize) -> usize {
|
||||||
}
|
}
|
||||||
pulses
|
pulses
|
||||||
}
|
}
|
||||||
|
|
||||||
/// Returns the next longer length
|
/// Returns the next longer length
|
||||||
pub fn next_note_length (pulses: usize) -> usize {
|
pub fn next_note_length (pulses: usize) -> usize {
|
||||||
for (length, _) in &NOTE_DURATIONS { if *length > pulses { return *length } }
|
for (length, _) in &NOTE_DURATIONS { if *length > pulses { return *length } }
|
||||||
pulses
|
pulses
|
||||||
}
|
}
|
||||||
|
|
||||||
pub fn pulses_to_name (pulses: usize) -> &'static str {
|
pub fn pulses_to_name (pulses: usize) -> &'static str {
|
||||||
for (length, name) in &NOTE_DURATIONS { if *length == pulses { return name } }
|
for (length, name) in &NOTE_DURATIONS { if *length == pulses { return name } }
|
||||||
""
|
""
|
||||||
}
|
}
|
||||||
|
|
||||||
/// Defines samples per tick.
|
|
||||||
pub struct Ticks(pub f64);
|
|
||||||
|
|
||||||
impl Ticks {
|
|
||||||
/// Iterate over ticks between start and end.
|
|
||||||
pub fn between_samples (&self, start: usize, end: usize) -> TicksIterator {
|
|
||||||
TicksIterator(self.0, start, start, end)
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
/// Iterator that emits subsequent ticks within a range.
|
|
||||||
pub struct TicksIterator(f64, usize, usize, usize);
|
|
||||||
|
|
||||||
impl Iterator for TicksIterator {
|
impl Iterator for TicksIterator {
|
||||||
type Item = (usize, usize);
|
type Item = (usize, usize);
|
||||||
fn next (&mut self) -> Option<Self::Item> {
|
fn next (&mut self) -> Option<Self::Item> {
|
||||||
loop {
|
loop {
|
||||||
if self.1 > self.3 {
|
if self.1 > self.3 { return None }
|
||||||
return None
|
|
||||||
}
|
|
||||||
let fpt = self.0;
|
let fpt = self.0;
|
||||||
let sample = self.1 as f64;
|
let sample = self.1 as f64;
|
||||||
let start = self.2;
|
let start = self.2;
|
||||||
|
|
@ -398,15 +370,12 @@ impl Iterator for TicksIterator {
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
#[cfg(test)]
|
#[cfg(test)]
|
||||||
mod test {
|
mod test {
|
||||||
use super::*;
|
use super::*;
|
||||||
|
|
||||||
#[test]
|
#[test]
|
||||||
fn test_samples_to_ticks () {
|
fn test_samples_to_ticks () {
|
||||||
let ticks = Ticks(12.3).between_samples(0, 100).collect::<Vec<_>>();
|
let ticks = Ticks(12.3).between_samples(0, 100).collect::<Vec<_>>();
|
||||||
println!("{ticks:?}");
|
println!("{ticks:?}");
|
||||||
}
|
}
|
||||||
|
|
||||||
}
|
}
|
||||||
|
|
|
||||||
|
|
@ -73,16 +73,12 @@ pub struct Arrangement<E: Engine> {
|
||||||
pub struct ArrangementTrack {
|
pub struct ArrangementTrack {
|
||||||
/// Name of track
|
/// Name of track
|
||||||
pub name: Arc<RwLock<String>>,
|
pub name: Arc<RwLock<String>>,
|
||||||
/// Inputs
|
|
||||||
pub inputs: Vec<Port<MidiIn>>,
|
|
||||||
/// MIDI player/recorder
|
|
||||||
pub player: PhrasePlayer,
|
|
||||||
/// Outputs
|
|
||||||
pub outputs: Vec<Port<MidiIn>>,
|
|
||||||
/// Preferred width of track column
|
/// Preferred width of track column
|
||||||
pub width: usize,
|
pub width: usize,
|
||||||
/// Identifying color of track
|
/// Identifying color of track
|
||||||
pub color: Color,
|
pub color: Color,
|
||||||
|
/// MIDI player/recorder
|
||||||
|
pub player: PhrasePlayer,
|
||||||
}
|
}
|
||||||
#[derive(Default, Debug)]
|
#[derive(Default, Debug)]
|
||||||
pub struct Scene {
|
pub struct Scene {
|
||||||
|
|
@ -515,11 +511,9 @@ impl ArrangementTrack {
|
||||||
pub fn new (clock: &Arc<TransportTime>, name: &str, color: Option<Color>) -> Self {
|
pub fn new (clock: &Arc<TransportTime>, name: &str, color: Option<Color>) -> Self {
|
||||||
Self {
|
Self {
|
||||||
name: Arc::new(RwLock::new(name.into())),
|
name: Arc::new(RwLock::new(name.into())),
|
||||||
inputs: vec![],
|
|
||||||
player: PhrasePlayer::new(clock),
|
|
||||||
outputs: vec![],
|
|
||||||
width: name.len() + 2,
|
width: name.len() + 2,
|
||||||
color: color.unwrap_or_else(random_color)
|
color: color.unwrap_or_else(random_color),
|
||||||
|
player: PhrasePlayer::new(clock),
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
pub fn longest_name (tracks: &[Self]) -> usize {
|
pub fn longest_name (tracks: &[Self]) -> usize {
|
||||||
|
|
|
||||||
|
|
@ -171,11 +171,11 @@ impl<'a> Content for VerticalArranger<'a, Tui> {
|
||||||
}))?;
|
}))?;
|
||||||
// track titles
|
// track titles
|
||||||
let header = row!((track, w) in tracks.iter().zip(cols.iter().map(|col|col.0))=>{
|
let header = row!((track, w) in tracks.iter().zip(cols.iter().map(|col|col.0))=>{
|
||||||
let name = track.name.read().unwrap();
|
let name = track.name.read().unwrap();
|
||||||
let max_w = w.saturating_sub(1).min(name.len()).max(2);
|
let max_w = w.saturating_sub(1).min(name.len()).max(2);
|
||||||
let name = format!("▎{}", &name[0..max_w]);
|
let name = format!("▎{}", &name[0..max_w]);
|
||||||
let name = TuiStyle::bold(name, true);
|
let name = TuiStyle::bold(name, true);
|
||||||
let input_name = track.inputs.get(0)
|
let input_name = track.player.midi_inputs.get(0)
|
||||||
.map(|port|port.short_name())
|
.map(|port|port.short_name())
|
||||||
.transpose()?
|
.transpose()?
|
||||||
.unwrap_or("(none)".into());
|
.unwrap_or("(none)".into());
|
||||||
|
|
@ -190,14 +190,14 @@ impl<'a> Content for VerticalArranger<'a, Tui> {
|
||||||
let player = &track.player;
|
let player = &track.player;
|
||||||
let clock = &player.clock;
|
let clock = &player.clock;
|
||||||
let elapsed = player.phrase.as_ref()
|
let elapsed = player.phrase.as_ref()
|
||||||
.map(|_|player.frames_since_start())
|
.map(|_|player.samples_since_start())
|
||||||
.flatten()
|
.flatten()
|
||||||
.map(|t|format!("▎{t:>}"))
|
.map(|t|format!("▎{t:>}"))
|
||||||
.unwrap_or(String::from("▎"));
|
.unwrap_or(String::from("▎"));
|
||||||
let until_next = player.next_phrase.as_ref()
|
let until_next = player.next_phrase.as_ref()
|
||||||
.map(|(t, _)|format!("▎-{:>}", clock.format_beats(t.load(Ordering::Relaxed))))
|
.map(|(t, _)|format!("▎-{:>}", t.format_beat()))
|
||||||
.unwrap_or(String::from("▎"));
|
.unwrap_or(String::from("▎"));
|
||||||
let output_name = track.outputs.get(0)
|
let output_name = track.player.midi_outputs.get(0)
|
||||||
.map(|port|port.short_name())
|
.map(|port|port.short_name())
|
||||||
.transpose()?
|
.transpose()?
|
||||||
.unwrap_or("(none)".into());
|
.unwrap_or("(none)".into());
|
||||||
|
|
@ -279,11 +279,11 @@ impl<'a> Content for VerticalArranger<'a, Tui> {
|
||||||
},
|
},
|
||||||
};
|
};
|
||||||
if let Some([x, y, width, height]) = track_area {
|
if let Some([x, y, width, height]) = track_area {
|
||||||
to.fill_fg([x, y, 1, height], Color::Rgb(70, 80, 50));
|
to.fill_fg([x, y, 1, height], Color::Rgb(70, 80, 50));
|
||||||
to.fill_fg([x + width, y, 1, height], Color::Rgb(70, 80, 50));
|
to.fill_fg([x + width, y, 1, height], Color::Rgb(70, 80, 50));
|
||||||
}
|
}
|
||||||
if let Some([_, y, _, height]) = scene_area {
|
if let Some([_, y, _, height]) = scene_area {
|
||||||
to.fill_ul([area.x(), y - 1, area.w(), 1], Color::Rgb(70, 80, 50));
|
to.fill_ul([area.x(), y - 1, area.w(), 1], Color::Rgb(70, 80, 50));
|
||||||
to.fill_ul([area.x(), y + height - 1, area.w(), 1], Color::Rgb(70, 80, 50));
|
to.fill_ul([area.x(), y + height - 1, area.w(), 1], Color::Rgb(70, 80, 50));
|
||||||
}
|
}
|
||||||
Ok(if focused {
|
Ok(if focused {
|
||||||
|
|
@ -295,7 +295,7 @@ impl<'a> Content for VerticalArranger<'a, Tui> {
|
||||||
}))
|
}))
|
||||||
}).bg(bg).grow_y(1).border(border);
|
}).bg(bg).grow_y(1).border(border);
|
||||||
let color = if self.0.focused {Color::Rgb(150, 160, 90)} else {Color::Rgb(120, 130, 100)};
|
let color = if self.0.focused {Color::Rgb(150, 160, 90)} else {Color::Rgb(120, 130, 100)};
|
||||||
let size = format!("{}x{}", self.0.size.w(), self.0.size.h());
|
let size = format!("{}x{}", self.0.size.w(), self.0.size.h());
|
||||||
let lower_right = TuiStyle::fg(size, color).pull_x(1).align_se().fill_xy();
|
let lower_right = TuiStyle::fg(size, color).pull_x(1).align_se().fill_xy();
|
||||||
lay!(arrangement, lower_right)
|
lay!(arrangement, lower_right)
|
||||||
}
|
}
|
||||||
|
|
|
||||||
|
|
@ -117,31 +117,29 @@ pub struct PhraseEditor<E: Engine> {
|
||||||
/// Phrase player.
|
/// Phrase player.
|
||||||
pub struct PhrasePlayer {
|
pub struct PhrasePlayer {
|
||||||
/// Global timebase
|
/// Global timebase
|
||||||
pub clock: Arc<TransportTime>,
|
pub clock: Arc<TransportTime>,
|
||||||
/// Start time and phrase being played
|
/// Start time and phrase being played
|
||||||
pub phrase: Option<(AtomicUsize, Option<Arc<RwLock<Phrase>>>)>,
|
pub phrase: Option<(Instant, Option<Arc<RwLock<Phrase>>>)>,
|
||||||
/// Start time (FIXME move into phrase, using Instant)
|
|
||||||
pub started: Option<(usize, usize)>,
|
|
||||||
/// Start time and next phrase
|
/// Start time and next phrase
|
||||||
pub next_phrase: Option<(AtomicUsize, Option<Arc<RwLock<Phrase>>>)>,
|
pub next_phrase: Option<(Instant, Option<Arc<RwLock<Phrase>>>)>,
|
||||||
/// Play input through output.
|
/// Play input through output.
|
||||||
pub monitoring: bool,
|
pub monitoring: bool,
|
||||||
/// Write input to sequence.
|
/// Write input to sequence.
|
||||||
pub recording: bool,
|
pub recording: bool,
|
||||||
/// Overdub input to sequence.
|
/// Overdub input to sequence.
|
||||||
pub overdub: bool,
|
pub overdub: bool,
|
||||||
/// Send all notes off
|
/// Send all notes off
|
||||||
pub reset: bool, // TODO?: after Some(nframes)
|
pub reset: bool, // TODO?: after Some(nframes)
|
||||||
/// Record from MIDI ports to current sequence.
|
/// Record from MIDI ports to current sequence.
|
||||||
pub midi_inputs: Vec<Port<MidiIn>>,
|
pub midi_inputs: Vec<Port<MidiIn>>,
|
||||||
/// Play from current sequence to MIDI ports
|
/// Play from current sequence to MIDI ports
|
||||||
pub midi_outputs: Vec<Port<MidiOut>>,
|
pub midi_outputs: Vec<Port<MidiOut>>,
|
||||||
/// MIDI output buffer
|
/// MIDI output buffer
|
||||||
pub midi_out_buf: Vec<Vec<Vec<u8>>>,
|
pub midi_out_buf: Vec<Vec<Vec<u8>>>,
|
||||||
/// Notes currently held at input
|
/// Notes currently held at input
|
||||||
pub notes_in: Arc<RwLock<[bool; 128]>>,
|
pub notes_in: Arc<RwLock<[bool; 128]>>,
|
||||||
/// Notes currently held at output
|
/// Notes currently held at output
|
||||||
pub notes_out: Arc<RwLock<[bool; 128]>>,
|
pub notes_out: Arc<RwLock<[bool; 128]>>,
|
||||||
}
|
}
|
||||||
/// Focus layout of sequencer app
|
/// Focus layout of sequencer app
|
||||||
impl<E: Engine> FocusGrid<SequencerFocus> for Sequencer<E> {
|
impl<E: Engine> FocusGrid<SequencerFocus> for Sequencer<E> {
|
||||||
|
|
@ -377,7 +375,6 @@ impl PhrasePlayer {
|
||||||
Self {
|
Self {
|
||||||
clock: clock.clone(),
|
clock: clock.clone(),
|
||||||
phrase: None,
|
phrase: None,
|
||||||
started: None,
|
|
||||||
next_phrase: None,
|
next_phrase: None,
|
||||||
notes_in: Arc::new(RwLock::new([false;128])),
|
notes_in: Arc::new(RwLock::new([false;128])),
|
||||||
notes_out: Arc::new(RwLock::new([false;128])),
|
notes_out: Arc::new(RwLock::new([false;128])),
|
||||||
|
|
@ -395,21 +392,22 @@ impl PhrasePlayer {
|
||||||
pub fn toggle_overdub (&mut self) { self.overdub = !self.overdub; }
|
pub fn toggle_overdub (&mut self) { self.overdub = !self.overdub; }
|
||||||
pub fn enqueue_next (&mut self, phrase: Option<&Arc<RwLock<Phrase>>>) {
|
pub fn enqueue_next (&mut self, phrase: Option<&Arc<RwLock<Phrase>>>) {
|
||||||
let start = self.clock.next_launch_pulse();
|
let start = self.clock.next_launch_pulse();
|
||||||
self.next_phrase = Some((start.into(), phrase.map(|p|p.clone())));
|
self.next_phrase = Some((
|
||||||
|
Instant::from_pulse(&self.clock.timebase, start as f64),
|
||||||
|
phrase.map(|p|p.clone())
|
||||||
|
));
|
||||||
self.reset = true;
|
self.reset = true;
|
||||||
}
|
}
|
||||||
pub fn frames_since_start (&self) -> Option<usize> {
|
pub fn samples_since_start (&self) -> Option<usize> {
|
||||||
self.phrase.as_ref()
|
self.phrase.as_ref()
|
||||||
.map(|(started,_)|started.load(Ordering::Relaxed))
|
.map(|(started,_)|started.sample())
|
||||||
.map(|started|started - self.clock.sample())
|
.map(|started|started - self.clock.sample())
|
||||||
}
|
}
|
||||||
pub fn playing_phrase (&self) -> Option<(usize, Arc<RwLock<Phrase>>)> {
|
pub fn playing_phrase (&self) -> Option<(usize, Arc<RwLock<Phrase>>)> {
|
||||||
if let (
|
if let (
|
||||||
Some(TransportState::Rolling),
|
Some(TransportState::Rolling), Some((started, Some(ref phrase)))
|
||||||
Some((start_frame, _)),
|
) = (*self.clock.playing.read().unwrap(), &self.phrase) {
|
||||||
Some((_started, Some(ref phrase)))
|
Some((started.sample(), phrase.clone()))
|
||||||
) = (*self.clock.playing.read().unwrap(), self.started, &self.phrase) {
|
|
||||||
Some((start_frame, phrase.clone()))
|
|
||||||
} else {
|
} else {
|
||||||
None
|
None
|
||||||
}
|
}
|
||||||
|
|
|
||||||
|
|
@ -26,16 +26,17 @@ impl Audio for PhrasePlayer {
|
||||||
let output = &mut self.midi_out_buf;
|
let output = &mut self.midi_out_buf;
|
||||||
let notes_on = &mut self.notes_out.write().unwrap();
|
let notes_on = &mut self.notes_out.write().unwrap();
|
||||||
let frame0 = frame0.saturating_sub(start_frame);
|
let frame0 = frame0.saturating_sub(start_frame);
|
||||||
|
let frameN = frame0 + frames;
|
||||||
|
let ticks = self.clock.timebase.pulses_between_samples(frame0, frameN);
|
||||||
let mut buf = Vec::with_capacity(8);
|
let mut buf = Vec::with_capacity(8);
|
||||||
let ticks = Ticks(self.clock.timebase.pulses_per_sample());
|
for (sample, tick) in ticks {
|
||||||
for (time, tick) in ticks.between_samples(frame0, frame0 + frames) {
|
|
||||||
let tick = tick % phrase.length;
|
let tick = tick % phrase.length;
|
||||||
for message in phrase.notes[tick].iter() {
|
for message in phrase.notes[tick].iter() {
|
||||||
buf.clear();
|
buf.clear();
|
||||||
let channel = 0.into();
|
let channel = 0.into();
|
||||||
let message = *message;
|
let message = *message;
|
||||||
LiveEvent::Midi { channel, message }.write(&mut buf).unwrap();
|
LiveEvent::Midi { channel, message }.write(&mut buf).unwrap();
|
||||||
output[time as usize].push(buf.clone());
|
output[sample].push(buf.clone());
|
||||||
update_keys(notes_on, &message);
|
update_keys(notes_on, &message);
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
|
||||||
|
|
@ -2,7 +2,7 @@ use crate::*;
|
||||||
#[derive(Debug, Default)]
|
#[derive(Debug, Default)]
|
||||||
pub struct TransportTime {
|
pub struct TransportTime {
|
||||||
/// Current sample sr, tempo, and PPQ.
|
/// Current sample sr, tempo, and PPQ.
|
||||||
pub timebase: Timebase,
|
pub timebase: Arc<Timebase>,
|
||||||
/// Current moment in time
|
/// Current moment in time
|
||||||
pub instant: Instant,
|
pub instant: Instant,
|
||||||
/// Playback state
|
/// Playback state
|
||||||
|
|
@ -71,7 +71,6 @@ pub struct TransportToolbar<E: Engine> {
|
||||||
/// Which item of the transport toolbar is focused
|
/// Which item of the transport toolbar is focused
|
||||||
#[derive(Clone, Copy, PartialEq)]
|
#[derive(Clone, Copy, PartialEq)]
|
||||||
pub enum TransportToolbarFocus { Bpm, Sync, PlayPause, Clock, Quant, }
|
pub enum TransportToolbarFocus { Bpm, Sync, PlayPause, Clock, Quant, }
|
||||||
|
|
||||||
impl<E: Engine> TransportToolbar<E> {
|
impl<E: Engine> TransportToolbar<E> {
|
||||||
pub fn new (
|
pub fn new (
|
||||||
clock: Option<&Arc<TransportTime>>,
|
clock: Option<&Arc<TransportTime>>,
|
||||||
|
|
@ -90,11 +89,11 @@ impl<E: Engine> TransportToolbar<E> {
|
||||||
None => {
|
None => {
|
||||||
let timebase = Timebase::default();
|
let timebase = Timebase::default();
|
||||||
Arc::new(TransportTime {
|
Arc::new(TransportTime {
|
||||||
playing: Some(TransportState::Stopped).into(),
|
playing: Some(TransportState::Stopped).into(),
|
||||||
quant: 24.into(),
|
quant: 24.into(),
|
||||||
sync: (timebase.ppq() as usize * 4).into(),
|
sync: (timebase.ppq() as usize * 4).into(),
|
||||||
instant: Instant::default(),
|
instant: Instant::default(),
|
||||||
timebase,
|
timebase: timebase.into(),
|
||||||
})
|
})
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
|
||||||
|
|
@ -34,7 +34,7 @@ impl Content for TransportToolbar<Tui> {
|
||||||
).align_w().fill_x(),
|
).align_w().fill_x(),
|
||||||
|
|
||||||
self.focus.wrap(self.focused, TransportToolbarFocus::Clock, &{
|
self.focus.wrap(self.focused, TransportToolbarFocus::Clock, &{
|
||||||
let time1 = self.clock.format_current_pulse();
|
let time1 = self.clock.format_beat();
|
||||||
let time2 = self.clock.format_current_usec();
|
let time2 = self.clock.format_current_usec();
|
||||||
row!("B" ,time1.as_str(), " T", time2.as_str()).outset_x(1)
|
row!("B" ,time1.as_str(), " T", time2.as_str()).outset_x(1)
|
||||||
}).align_e().fill_x(),
|
}).align_e().fill_x(),
|
||||||
|
|
|
||||||
Loading…
Add table
Add a link
Reference in a new issue