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
|
use std::env;
use std::ffi::OsStr;
use std::io::BufRead;
use std::io;
use std::path::Path;
use syntect::easy::HighlightLines;
use syntect::dumps::from_binary;
use syntect::highlighting::ThemeSet;
use syntect::parsing::{SyntaxSet, SyntaxReference};
use syntect::html::{
append_highlighted_html_for_styled_line,
start_highlighted_html_snippet,
IncludeBackground,
};
fn syntax_from_args(syntaxes: &SyntaxSet) -> Option<&SyntaxReference> {
// The name of the file to be formatted is usually passed in as
// the first argument and can be used to determine a syntax set.
let args = env::args().collect::<Vec<String>>();
if args.len() != 2 {
return None
}
Path::new(&args[1])
.extension()
.and_then(OsStr::to_str)
.and_then(|ext| syntaxes.find_syntax_by_extension(ext))
}
fn should_continue(res: &io::Result<usize>) -> bool {
match *res {
Ok(n) => n > 0,
Err(_) => false,
}
}
fn main() {
let syntaxes = from_binary(include_bytes!(env!("BAT_SYNTAXES")));
let stdin = io::stdin();
let mut stdin = stdin.lock();
let mut linebuf = String::new();
// Get the first line, we might need it for syntax identification.
let mut read_result = stdin.read_line(&mut linebuf);
// Set up the highlighter
let ts = ThemeSet::load_defaults();
let theme = &ts.themes["InspiredGitHub"];
let syntax = syntax_from_args(&syntaxes)
.or_else(|| syntaxes.find_syntax_by_first_line(&linebuf))
.unwrap_or_else(|| syntaxes.find_syntax_plain_text());
let mut hl = HighlightLines::new(syntax, theme);
let (mut outbuf, bg) = start_highlighted_html_snippet(theme);
// Rather than using the `lines` iterator, read each line manually
// and maintain buffer state.
//
// This is done because the syntax highlighter requires trailing
// newlines to be efficient, and those are stripped in the lines
// iterator.
while should_continue(&read_result) {
let regions = hl.highlight(&linebuf, &syntaxes);
append_highlighted_html_for_styled_line(
®ions[..],
IncludeBackground::IfDifferent(bg),
&mut outbuf,
);
// immediately output the current state to avoid keeping
// things in memory
print!("{}", outbuf);
// merry go round again
linebuf.clear();
outbuf.clear();
read_result = stdin.read_line(&mut linebuf);
}
println!("</pre>");
}
|