-
Notifications
You must be signed in to change notification settings - Fork 5
/
Copy pathencoding.rs
212 lines (190 loc) · 5.81 KB
/
encoding.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
// Copyright 2018-2025 the Deno authors. MIT license.
pub const BOM_CHAR: char = '\u{FEFF}';
/// Strips the byte order mark if it exists from the provided text.
pub fn strip_bom_mut(text: &mut String) {
if text.starts_with(BOM_CHAR) {
text.drain(..BOM_CHAR.len_utf8());
}
}
/// Attempts to detect the character encoding of the provided bytes.
///
/// Supports UTF-8, UTF-16 Little Endian and UTF-16 Big Endian.
#[cfg(feature = "url")]
pub fn detect_charset(specifier: &url::Url, bytes: &'_ [u8]) -> &'static str {
if specifier.scheme() == "file" {
detect_charset_local_file(bytes)
} else {
"utf-8"
}
}
/// Attempts to detect the character encoding of the provided bytes
/// from a local file. This should NOT be used for remote bytes. Use
/// `detect_charset` for that.
///
/// Supports UTF-8, UTF-16 Little Endian and UTF-16 Big Endian.
pub fn detect_charset_local_file(bytes: &'_ [u8]) -> &'static str {
const UTF16_LE_BOM: &[u8] = b"\xFF\xFE";
const UTF16_BE_BOM: &[u8] = b"\xFE\xFF";
if bytes.starts_with(UTF16_LE_BOM) {
"utf-16le"
} else if bytes.starts_with(UTF16_BE_BOM) {
"utf-16be"
} else {
// Assume everything else is utf-8
"utf-8"
}
}
#[cfg(feature = "decoding")]
pub fn decode_owned_source(
charset: &str,
bytes: Vec<u8>,
) -> Result<String, std::io::Error> {
match convert_to_utf8(&bytes, charset)? {
std::borrow::Cow::Borrowed(text) => {
if text.starts_with(BOM_CHAR) {
Ok(text[BOM_CHAR.len_utf8()..].to_string())
} else {
Ok(
// SAFETY: we know it's a valid utf-8 string at this point
unsafe { String::from_utf8_unchecked(bytes) },
)
}
}
std::borrow::Cow::Owned(mut text) => {
strip_bom_mut(&mut text);
Ok(text)
}
}
}
/// Decodes the source bytes into a string handling any encoding rules
/// for local vs remote files and dealing with the charset.
#[cfg(feature = "decoding")]
pub fn decode_arc_source(
charset: &str,
bytes: std::sync::Arc<[u8]>,
) -> Result<std::sync::Arc<str>, std::io::Error> {
use std::sync::Arc;
let text = match convert_to_utf8(bytes.as_ref(), charset)? {
std::borrow::Cow::Borrowed(text) => {
if text.starts_with(BOM_CHAR) {
text[BOM_CHAR.len_utf8()..].to_string()
} else {
return Ok(
// SAFETY: we know it's a valid utf-8 string at this point
unsafe {
let raw_ptr = Arc::into_raw(bytes);
Arc::from_raw(std::mem::transmute::<*const [u8], *const str>(
raw_ptr,
))
},
);
}
}
std::borrow::Cow::Owned(mut text) => {
strip_bom_mut(&mut text);
text
}
};
let text: Arc<str> = Arc::from(text);
Ok(text)
}
/// Attempts to convert the provided bytes to a UTF-8 string.
///
/// Supports all encodings supported by the encoding_rs crate, which includes
/// all encodings specified in the WHATWG Encoding Standard, and only those
/// encodings (see: <https://encoding.spec.whatwg.org/>).
#[cfg(feature = "decoding")]
pub fn convert_to_utf8<'a>(
bytes: &'a [u8],
charset: &'_ str,
) -> Result<std::borrow::Cow<'a, str>, std::io::Error> {
match encoding_rs::Encoding::for_label(charset.as_bytes()) {
Some(encoding) => Ok(encoding.decode_without_bom_handling(bytes).0),
None => Err(std::io::Error::new(
std::io::ErrorKind::InvalidInput,
format!("Unsupported charset: {charset}"),
)),
}
}
#[cfg(test)]
mod test {
use super::*;
#[cfg(feature = "url")]
mod detection_tests {
use super::*;
fn run_detection_test(test_data: &[u8], expected_charset: &str) {
let detected_charset = detect_charset(
&url::Url::parse("file:///file.txt").unwrap(),
test_data,
);
assert_eq!(
expected_charset.to_lowercase(),
detected_charset.to_lowercase()
);
}
#[test]
fn run_detection_test_utf8_no_bom() {
let test_data = "Hello UTF-8 it is \u{23F0} for Deno!"
.to_owned()
.into_bytes();
run_detection_test(&test_data, "utf-8");
}
#[test]
fn run_detection_test_utf16_little_endian() {
let test_data = b"\xFF\xFEHello UTF-16LE".to_owned().to_vec();
run_detection_test(&test_data, "utf-16le");
}
#[test]
fn run_detection_test_utf16_big_endian() {
let test_data = b"\xFE\xFFHello UTF-16BE".to_owned().to_vec();
run_detection_test(&test_data, "utf-16be");
}
}
#[test]
fn strip_bom_mut_with_bom() {
let mut text = format!("{BOM_CHAR}text");
strip_bom_mut(&mut text);
assert_eq!(text, "text");
}
#[test]
fn strip_bom_mut_without_bom() {
let mut text = "text".to_string();
strip_bom_mut(&mut text);
assert_eq!(text, "text");
}
#[cfg(feature = "decoding")]
#[test]
fn test_decoding_unsupported_charset() {
let test_data = Vec::new();
let result = convert_to_utf8(&test_data, "utf-32le");
assert!(result.is_err());
let err = result.expect_err("Err expected");
assert!(err.kind() == std::io::ErrorKind::InvalidInput);
}
#[cfg(feature = "decoding")]
#[test]
fn test_decoding_invalid_utf8() {
let test_data = b"\xFE\xFE\xFF\xFF".to_vec();
let result = convert_to_utf8(&test_data, "utf-8");
assert!(result.is_ok());
}
#[cfg(feature = "decoding")]
#[test]
fn test_decode_owned_with_bom() {
let bytes = format!("{}{}", BOM_CHAR, "Hello").into_bytes();
let text = decode_owned_source(
detect_charset(&url::Url::parse("file:///file.txt").unwrap(), &bytes),
bytes,
)
.unwrap();
assert_eq!(text, "Hello");
}
#[cfg(feature = "decoding")]
#[test]
fn test_decode_with_charset_with_bom() {
let bytes = format!("{}{}", BOM_CHAR, "Hello").into_bytes();
let charset = "utf-8";
let text = decode_arc_source(charset, std::sync::Arc::from(bytes)).unwrap();
assert_eq!(text.as_ref(), "Hello");
}
}