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
pub fn repr(b: &[u8]) -> String {
repr_with(b, &[], "")
}
pub fn repr_with(b: &[u8], prefixes: &[&str], suffix: &str) -> String {
use std::fmt::Write;
let mut out_len = 0usize;
let mut squote = 0;
let mut dquote = 0;
for &ch in b {
let incr = match ch {
b'\'' => {
squote += 1;
1
}
b'"' => {
dquote += 1;
1
}
b'\\' | b'\t' | b'\r' | b'\n' => 2,
0x20..=0x7e => 1,
_ => 4, };
out_len = out_len.checked_add(incr).unwrap();
}
let (quote, num_escaped_quotes) = crate::str::choose_quotes_for_repr(squote, dquote);
out_len += num_escaped_quotes;
out_len += 3 + prefixes.iter().map(|s| s.len()).sum::<usize>() + suffix.len();
let mut res = String::with_capacity(out_len);
res.extend(prefixes.iter().copied());
res.push('b');
res.push(quote);
for &ch in b {
match ch {
b'\t' => res.push_str("\\t"),
b'\n' => res.push_str("\\n"),
b'\r' => res.push_str("\\r"),
0x20..=0x7e => {
let ch = ch as char;
if ch == quote || ch == '\\' {
res.push('\\');
}
res.push(ch);
}
_ => write!(res, "\\x{ch:02x}").unwrap(),
}
}
res.push(quote);
res.push_str(suffix);
res
}