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
use std::io;
use std::fmt;
use encode::{self, Color, Style};
#[derive(Debug)]
pub struct AnsiWriter<W>(pub W);
impl<W: io::Write> io::Write for AnsiWriter<W> {
fn write(&mut self, buf: &[u8]) -> io::Result<usize> {
self.0.write(buf)
}
fn flush(&mut self) -> io::Result<()> {
self.0.flush()
}
fn write_all(&mut self, buf: &[u8]) -> io::Result<()> {
self.0.write_all(buf)
}
fn write_fmt(&mut self, fmt: fmt::Arguments) -> io::Result<()> {
self.0.write_fmt(fmt)
}
}
impl<W: io::Write> encode::Write for AnsiWriter<W> {
fn set_style(&mut self, style: &Style) -> io::Result<()> {
let mut buf = [0; 12];
buf[0] = b'\x1b';
buf[1] = b'[';
buf[2] = b'0';
let mut idx = 3;
if let Some(text) = style.text {
buf[idx] = b';';
buf[idx + 1] = b'3';
buf[idx + 2] = color_byte(text);
idx += 3;
}
if let Some(background) = style.background {
buf[idx] = b';';
buf[idx + 1] = b'4';
buf[idx + 2] = color_byte(background);
idx += 3;
}
if let Some(intense) = style.intense {
buf[idx] = b';';
if intense {
buf[idx + 1] = b'1';
idx += 2;
} else {
buf[idx + 1] = b'2';
buf[idx + 2] = b'2';
idx += 3;
}
}
buf[idx] = b'm';
self.0.write_all(&buf[..idx + 1])
}
}
fn color_byte(c: Color) -> u8 {
match c {
Color::Black => b'0',
Color::Red => b'1',
Color::Green => b'2',
Color::Yellow => b'3',
Color::Blue => b'4',
Color::Magenta => b'5',
Color::Cyan => b'6',
Color::White => b'7',
}
}
#[cfg(test)]
mod test {
use std::io::{self, Write};
use encode::{Color, Style};
use encode::Write as EncodeWrite;
use super::*;
#[test]
fn basic() {
let stdout = io::stdout();
let mut w = AnsiWriter(stdout.lock());
w.write_all(b"normal ").unwrap();
w.set_style(
Style::new()
.text(Color::Red)
.background(Color::Blue)
.intense(true),
).unwrap();
w.write_all(b"styled").unwrap();
w.set_style(Style::new().text(Color::Green)).unwrap();
w.write_all(b" styled2").unwrap();
w.set_style(&Style::new()).unwrap();
w.write_all(b" normal\n").unwrap();
w.flush().unwrap();
}
}