-
Notifications
You must be signed in to change notification settings - Fork 48
/
Copy pathkitty.rs
252 lines (214 loc) · 7.46 KB
/
kitty.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
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
use crate::error::{ViuError, ViuResult};
use crate::printer::{adjust_offset, find_best_fit, Printer};
use crate::Config;
use base64::{engine::general_purpose, Engine};
use console::{Key, Term};
use lazy_static::lazy_static;
use std::io::Write;
use std::io::{Error, ErrorKind};
use tempfile::NamedTempFile;
pub struct KittyPrinter;
const TEMP_FILE_PREFIX: &str = ".tty-graphics-protocol.viuer.";
lazy_static! {
static ref KITTY_SUPPORT: KittySupport = check_kitty_support();
}
/// Returns the terminal's support for the Kitty graphics protocol.
pub fn get_kitty_support() -> KittySupport {
*KITTY_SUPPORT
}
impl Printer for KittyPrinter {
fn print(
&self,
stdout: &mut impl Write,
img: &image::DynamicImage,
config: &Config,
) -> ViuResult<(u32, u32)> {
match get_kitty_support() {
KittySupport::None => Err(ViuError::KittyNotSupported),
KittySupport::Local => {
// print from file
print_local(stdout, img, config)
}
KittySupport::Remote => {
// print through escape codes
print_remote(stdout, img, config)
}
}
}
// TODO: guess_format() here in order to treat PNGs specially (f=100).
// Also, maybe get channel count and use f=24 or f=32 accordingly.
// fn print_from_file(&self, filename: &str, config: &Config) -> ViuResult<(u32, u32)> {}
}
#[derive(PartialEq, Eq, Copy, Clone)]
/// The extend to which the Kitty graphics protocol can be used.
pub enum KittySupport {
/// The Kitty graphics protocol is not supported.
None,
/// Kitty is running locally, data can be shared through a file.
Local,
/// Kitty is not running locally, data has to be sent through escape codes.
Remote,
}
// Check if Kitty protocol can be used
fn check_kitty_support() -> KittySupport {
if let Ok(term) = std::env::var("TERM") {
if term.contains("kitty") || term.contains("ghostty") {
if has_local_support().is_ok() {
return KittySupport::Local;
}
return KittySupport::Remote;
}
}
KittySupport::None
}
// Query the terminal whether it can display an image from a file
fn has_local_support() -> ViuResult {
// create a temp file that will hold a 1x1 image
let x = image::RgbaImage::new(1, 1);
let raw_img = x.as_raw();
let temp_file = store_in_tmp_file(raw_img)?;
// send the query
print!(
// t=t tells Kitty it's reading from a temp file and will attempt to delete if afterwards
"\x1b_Gi=31,s=1,v=1,a=q,t=t;{}\x1b\\",
general_purpose::STANDARD.encode(temp_file.path().to_str().ok_or_else(|| ViuError::Io(
Error::new(ErrorKind::Other, "Could not convert path to &str")
))?)
);
std::io::stdout().flush()?;
// collect Kitty's response after the query
let term = Term::stdout();
let mut response = Vec::new();
while let Ok(key) = term.read_key() {
// The response will end with Esc('x1b'), followed by Backslash('\').
// Also, break if the Unknown key is found, which is returned when we're not in a tty
let should_break = key == Key::UnknownEscSeq(vec!['\\']) || key == Key::Unknown;
response.push(key);
if should_break {
break;
}
}
// Explicitly clean up when finished with the file because destructor, OS and Kitty are not deterministic.
temp_file.close()?;
// Kitty response should end with these 3 Keys if it was successful
let expected = [
Key::Char('O'),
Key::Char('K'),
Key::UnknownEscSeq(vec!['\\']),
];
if response.len() >= expected.len() && response[response.len() - 3..] == expected {
return Ok(());
}
Err(ViuError::KittyResponse(response))
}
// Print with kitty graphics protocol through a temp file
// TODO: try with kitty's supported compression
fn print_local(
stdout: &mut impl Write,
img: &image::DynamicImage,
config: &Config,
) -> ViuResult<(u32, u32)> {
let rgba = img.to_rgba8();
let raw_img = rgba.as_raw();
let temp_file = store_in_tmp_file(raw_img)?;
adjust_offset(stdout, config)?;
// get the desired width and height
let (w, h) = find_best_fit(img, config.width, config.height);
write!(
stdout,
"\x1b_Gf=32,s={},v={},c={},r={},a=T,t=t;{}\x1b\\",
img.width(),
img.height(),
w,
h,
general_purpose::STANDARD.encode(temp_file.path().to_str().ok_or_else(|| ViuError::Io(
Error::new(ErrorKind::Other, "Could not convert path to &str")
))?)
)?;
writeln!(stdout)?;
stdout.flush()?;
// Explicitly clean up when finished with the file because destructor, OS and Kitty are not deterministic.
temp_file.close()?;
Ok((w, h))
}
// Print with escape codes
// TODO: try compression
fn print_remote(
stdout: &mut impl Write,
img: &image::DynamicImage,
config: &Config,
) -> ViuResult<(u32, u32)> {
let rgba = img.to_rgba8();
let raw = rgba.as_raw();
let encoded = general_purpose::STANDARD.encode(raw);
let mut iter = encoded.chars().peekable();
adjust_offset(stdout, config)?;
let (w, h) = find_best_fit(img, config.width, config.height);
let first_chunk: String = iter.by_ref().take(4096).collect();
// write the first chunk, which describes the image
write!(
stdout,
"\x1b_Gf=32,a=T,t=d,s={},v={},c={},r={},m=1;{}\x1b\\",
img.width(),
img.height(),
w,
h,
first_chunk
)?;
// write all the chunks, each containing 4096 bytes of data
while iter.peek().is_some() {
let chunk: String = iter.by_ref().take(4096).collect();
let m = if iter.peek().is_some() { 1 } else { 0 };
write!(stdout, "\x1b_Gm={};{}\x1b\\", m, chunk)?;
}
writeln!(stdout)?;
stdout.flush()?;
Ok((w, h))
}
// Create a file in temporary dir and write the byte slice to it.
// The NamedTempFile will be deleted once it goes out of scope.
fn store_in_tmp_file(buf: &[u8]) -> std::result::Result<NamedTempFile, ViuError> {
let mut tmpfile = tempfile::Builder::new()
.prefix(TEMP_FILE_PREFIX)
.rand_bytes(1)
.tempfile()?;
tmpfile.write_all(buf)?;
tmpfile.flush()?;
Ok(tmpfile)
}
#[cfg(test)]
mod tests {
use super::*;
use image::{DynamicImage, GenericImage};
#[test]
fn test_print_local() {
let img = DynamicImage::ImageRgba8(image::RgbaImage::new(40, 25));
let config = Config {
x: 4,
y: 3,
..Default::default()
};
let mut vec = Vec::new();
assert_eq!(print_local(&mut vec, &img, &config).unwrap(), (40, 13));
let result = std::str::from_utf8(&vec).unwrap();
assert!(result.starts_with("\x1b[4;5H\x1b_Gf=32,s=40,v=25,c=40,r=13,a=T,t=t;"));
assert!(result.ends_with("\x1b\\\n"));
}
#[test]
fn test_print_remote() {
let mut img = DynamicImage::ImageRgba8(image::RgbaImage::new(1, 2));
img.put_pixel(0, 1, image::Rgba([2, 4, 6, 8]));
let config = Config {
x: 2,
y: 5,
..Default::default()
};
let mut vec = Vec::new();
assert_eq!(print_remote(&mut vec, &img, &config).unwrap(), (1, 1));
let result = std::str::from_utf8(&vec).unwrap();
assert_eq!(
result,
"\x1b[6;3H\x1b_Gf=32,a=T,t=d,s=1,v=2,c=1,r=1,m=1;AAAAAAIEBgg=\x1b\\\n"
);
}
}