howudoin/consumers/
term_line.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
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
use crate::*;
use indicatif::*;
use report::*;

/// A terminal line consumer.
///
/// Backended by [`indicatif`], this consumer will create a progress bars for each available report.
/// It provides a simple line interface.
///
/// ![Screenshot from 2023-01-10 15-36-43](https://user-images.githubusercontent.com/13831379/211470141-2879f70a-42b5-49ad-894a-3a0bb9c57bac.png)
///
/// To see an example using `TermLine`, `cargo run --all-features --example term-line` can be run
/// in the repository.
///
/// [`indicatif`]: https://github.com/console-rs/indicatif
pub struct TermLine {
    debounce: Duration,
    bars: flat_tree::FlatTree<Id, ProgressBar>,
    mp: MultiProgress,
}

impl Consume for TermLine {
    fn debounce(&self) -> Duration {
        self.debounce
    }

    fn rpt(&mut self, rpt: &report::Report, id: Id, parent: Option<Id>, _: &Controller) {
        match self.bars.get(&id) {
            Some(x) => update_bar(x, rpt),
            None => update_bar(&self.add_bar(id, parent), rpt),
        };
    }

    fn closed(&mut self, id: Id) {
        if let Some(bar) = self.bars.remove(&id) {
            bar.finish_and_clear();
            self.mp.remove(&bar);
        }
    }
}

impl TermLine {
    /// Create a new, default, `TermLine`.
    pub fn new() -> Self {
        Self {
            debounce: Duration::from_millis(50),
            mp: MultiProgress::new(),
            bars: Default::default(),
        }
    }

    /// Create a new `TermLine` with the debounce duration.
    pub fn with_debounce(debounce: Duration) -> Self {
        Self {
            debounce,
            ..Self::new()
        }
    }

    fn add_bar(&mut self, id: Id, parent: Option<Id>) -> ProgressBar {
        match parent.and_then(|x| self.bars.get(&x)).cloned() {
            None => {
                let bar = self.mp.add(pb());
                self.bars.insert_root(id, bar.clone());
                bar
            }
            Some(parent) => {
                let bar = self.mp.insert_after(&parent, pb());
                self.bars.insert(id, bar.clone());
                bar
            }
        }
    }
}

impl Default for TermLine {
    fn default() -> Self {
        Self::new()
    }
}

fn update_bar(pb: &ProgressBar, rpt: &Report) {
    let Report {
        label,
        desc,
        state,
        accums,
    } = rpt;

    pb.set_prefix(label.clone());
    pb.set_message(desc.clone());

    match state {
        State::InProgress {
            len,
            pos,
            bytes,
            remaining: _,
        } => {
            pb.set_length(len.unwrap_or(!0));
            pb.set_position(*pos);
            match len.is_some() {
                true => pb.set_style(bar_style(*bytes)),
                false => pb.set_style(spinner_style(*bytes)),
            }
        }

        State::Completed { duration } => {
            pb.finish_with_message(format!(
                "finished in {}",
                HumanDuration(Duration::try_from_secs_f32(*duration).unwrap_or_default())
            ));
        }

        State::Cancelled => {
            pb.abandon_with_message("cancelled");
        }
    }

    for Message { severity, msg } in accums {
        pb.println(format!("{severity}: {msg}"));
    }
}

fn pb() -> ProgressBar {
    let pb = ProgressBar::hidden().with_style(spinner_style(false));
    pb.enable_steady_tick(std::time::Duration::from_millis(250));
    pb
}

fn spinner_style(fmt_bytes: bool) -> ProgressStyle {
    let tmp = if fmt_bytes {
        format!(
            " {} {}: {} {} {}",
            SPINNER, PREFIX, BYTES, BYTES_PER_SEC, MSG
        )
    } else {
        format!(" {} {}: {} {}", SPINNER, PREFIX, POS, MSG)
    };
    ProgressStyle::default_bar()
        .template(&tmp)
        .expect("template should be fine")
        .progress_chars("=> ")
        .tick_chars(r#"|/-\|"#)
}

fn bar_style(fmt_bytes: bool) -> ProgressStyle {
    let tmp = if fmt_bytes {
        format!(
            " {} {} {} {}
 {} {} ({}/{}) {}",
            SPINNER, PREFIX, BYTES_PER_SEC, ETA, BAR, PCT, BYTES, BYTES_TOTAL, MSG
        )
    } else {
        format!(
            " {} {} {}
 {} {} ({}/{}) {}",
            SPINNER, PREFIX, ETA, BAR, PCT, POS, LEN, MSG
        )
    };

    ProgressStyle::default_bar()
        .template(&tmp)
        .expect("template should be fine")
        .progress_chars("=> ")
        .tick_chars(r#"|/-\|"#)
}

const SPINNER: &str = "{spinner:.red.bold}";
const PREFIX: &str = "{prefix:.cyan.bold}";
const BYTES: &str = "{bytes}";
const BYTES_TOTAL: &str = "{total_bytes}";
const BYTES_PER_SEC: &str = "<{binary_bytes_per_sec:.yellow.bold}>";
const POS: &str = "{pos}";
const LEN: &str = "{len}";
const ETA: &str = "({eta:.green.bold.italic})";
const BAR: &str = "[{bar:30}]";
const PCT: &str = "{percent:>03}%";
const MSG: &str = "{wide_msg:.cyan}";