blob: b489b655dc2b8012428e14625f444df31282e70d (
plain)
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
|
use std::fmt::Debug;
use std::io;
use console::Term;
/// A trait for minimal terminal-like behavior.
///
/// Anything that implements this trait can be used a draw target via [`ProgressDrawTarget::term_like`].
///
/// [`ProgressDrawTarget::term_like`]: crate::ProgressDrawTarget::term_like
pub trait TermLike: Debug + Send + Sync {
/// Return the terminal width
fn width(&self) -> u16;
/// Return the terminal height
fn height(&self) -> u16 {
// FIXME: remove this default impl in the next major version bump
20 // sensible default
}
/// Move the cursor up by `n` lines
fn move_cursor_up(&self, n: usize) -> io::Result<()>;
/// Move the cursor down by `n` lines
fn move_cursor_down(&self, n: usize) -> io::Result<()>;
/// Move the cursor right by `n` chars
fn move_cursor_right(&self, n: usize) -> io::Result<()>;
/// Move the cursor left by `n` chars
fn move_cursor_left(&self, n: usize) -> io::Result<()>;
/// Write a string and add a newline.
fn write_line(&self, s: &str) -> io::Result<()>;
/// Write a string
fn write_str(&self, s: &str) -> io::Result<()>;
/// Clear the current line and reset the cursor to beginning of the line
fn clear_line(&self) -> io::Result<()>;
fn flush(&self) -> io::Result<()>;
}
impl TermLike for Term {
fn width(&self) -> u16 {
self.size().1
}
fn height(&self) -> u16 {
self.size().0
}
fn move_cursor_up(&self, n: usize) -> io::Result<()> {
self.move_cursor_up(n)
}
fn move_cursor_down(&self, n: usize) -> io::Result<()> {
self.move_cursor_down(n)
}
fn move_cursor_right(&self, n: usize) -> io::Result<()> {
self.move_cursor_right(n)
}
fn move_cursor_left(&self, n: usize) -> io::Result<()> {
self.move_cursor_left(n)
}
fn write_line(&self, s: &str) -> io::Result<()> {
self.write_line(s)
}
fn write_str(&self, s: &str) -> io::Result<()> {
self.write_str(s)
}
fn clear_line(&self) -> io::Result<()> {
self.clear_line()
}
fn flush(&self) -> io::Result<()> {
self.flush()
}
}
|