encoding/types.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 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513
// This is a part of rust-encoding.
// Copyright (c) 2013-2015, Kang Seonghoon.
// See README.md and LICENSE.txt for details.
/*!
* Interface to the character encoding.
*
* # Raw incremental interface
*
* Methods which name starts with `raw_` constitute the raw incremental interface,
* the lowest-available API for encoders and decoders.
* This interface divides the entire input to four parts:
*
* - **Processed** bytes do not affect the future result.
* - **Unprocessed** bytes may affect the future result
* and can be a part of problematic sequence according to the future input.
* - **Problematic** byte is the first byte that causes an error condition.
* - **Remaining** bytes are not yet processed nor read,
* so the caller should feed any remaining bytes again.
*
* The following figure illustrates an example of successive `raw_feed` calls:
*
* ````notrust
* 1st raw_feed :2nd raw_feed :3rd raw_feed
* ----------+----:---------------:--+--+---------
* | : : | |
* ----------+----:---------------:--+--+---------
* processed unprocessed | remaining
* problematic
* ````
*
* Since these parts can span the multiple input sequences to `raw_feed`,
* `raw_feed` returns two offsets (one optional)
* with that the caller can track the problematic sequence.
* The first offset (the first `usize` in the tuple) points to the first unprocessed bytes,
* or is zero when unprocessed bytes have started before the current call.
* (The first unprocessed byte can also be at offset 0,
* which doesn't make a difference for the caller.)
* The second offset (`upto` field in the `CodecError` struct), if any,
* points to the first remaining bytes.
*
* If the caller needs to recover the error via the problematic sequence,
* then the caller starts to save the unprocessed bytes when the first offset < the input length,
* appends any new unprocessed bytes while the first offset is zero,
* and discards unprocessed bytes when first offset becomes non-zero
* while saving new unprocessed bytes when the first offset < the input length.
* Then the caller checks for the error condition
* and can use the saved unprocessed bytes for error recovery.
* Alternatively, if the caller only wants to replace the problematic sequence
* with a fixed string (like U+FFFD),
* then it can just discard the first sequence and can emit the fixed string on an error.
* It still has to feed the input bytes starting at the second offset again.
*/
use std::borrow::Cow;
/// Error information from either encoder or decoder.
pub struct CodecError {
/// The byte position of the first remaining byte, with respect to the *current* input.
/// For the `finish` call, this should be no more than zero (since there is no input).
/// It can be negative if the remaining byte is in the prior inputs,
/// as long as the remaining byte is not yet processed.
/// The caller should feed the bytes starting from this point again
/// in order to continue encoding or decoding after an error.
pub upto: isize,
/// A human-readable cause of the error.
pub cause: Cow<'static, str>,
}
/// Byte writer used by encoders. In most cases this will be an owned vector of `u8`.
pub trait ByteWriter {
/// Hints an expected lower bound on the length (in bytes) of the output
/// until the next call to `writer_hint`,
/// so that the writer can reserve the memory for writing.
/// `RawEncoder`s are recommended but not required to call this method
/// with an appropriate estimate.
/// By default this method does nothing.
fn writer_hint(&mut self, _expectedlen: usize) {}
/// Writes a single byte.
fn write_byte(&mut self, b: u8);
/// Writes a number of bytes.
fn write_bytes(&mut self, v: &[u8]);
}
impl ByteWriter for Vec<u8> {
fn writer_hint(&mut self, expectedlen: usize) {
self.reserve(expectedlen);
}
fn write_byte(&mut self, b: u8) {
self.push(b);
}
fn write_bytes(&mut self, v: &[u8]) {
self.extend(v.iter().cloned());
}
}
/// String writer used by decoders. In most cases this will be an owned string.
pub trait StringWriter {
/// Hints an expected lower bound on the length (in bytes) of the output
/// until the next call to `writer_hint`,
/// so that the writer can reserve the memory for writing.
/// `RawDecoder`s are recommended but not required to call this method
/// with an appropriate estimate.
/// By default this method does nothing.
fn writer_hint(&mut self, _expectedlen: usize) {}
/// Writes a single character.
fn write_char(&mut self, c: char);
/// Writes a string.
fn write_str(&mut self, s: &str);
}
impl StringWriter for String {
fn writer_hint(&mut self, expectedlen: usize) {
let newlen = self.len() + expectedlen;
self.reserve(newlen);
}
fn write_char(&mut self, c: char) {
self.push(c);
}
fn write_str(&mut self, s: &str) {
self.push_str(s);
}
}
/// Encoder converting a Unicode string into a byte sequence.
/// This is a lower level interface, and normally `Encoding::encode` should be used instead.
pub trait RawEncoder: 'static {
/// Creates a fresh `RawEncoder` instance which parameters are same as `self`.
fn from_self(&self) -> Box<RawEncoder>;
/// Returns true if this encoding is compatible to ASCII,
/// i.e. U+0000 through U+007F always map to bytes 00 through 7F and nothing else.
fn is_ascii_compatible(&self) -> bool { false }
/// Feeds given portion of string to the encoder,
/// pushes the an encoded byte sequence at the end of the given output,
/// and returns a byte offset to the first unprocessed character
/// (that can be zero when the first such character appeared in the prior calls to `raw_feed`)
/// and optional error information (None means success).
fn raw_feed(&mut self, input: &str, output: &mut ByteWriter) -> (usize, Option<CodecError>);
/// Finishes the encoder,
/// pushes the an encoded byte sequence at the end of the given output,
/// and returns optional error information (None means success).
/// `remaining` value of the error information, if any, is always an empty string.
fn raw_finish(&mut self, output: &mut ByteWriter) -> Option<CodecError>;
}
/// Decoder converting a byte sequence into a Unicode string.
/// This is a lower level interface, and normally `Encoding::decode` should be used instead.
pub trait RawDecoder: 'static {
/// Creates a fresh `RawDecoder` instance which parameters are same as `self`.
fn from_self(&self) -> Box<RawDecoder>;
/// Returns true if this encoding is compatible to ASCII,
/// i.e. bytes 00 through 7F always map to U+0000 through U+007F and nothing else.
fn is_ascii_compatible(&self) -> bool { false }
/// Feeds given portion of byte sequence to the encoder,
/// pushes the a decoded string at the end of the given output,
/// and returns an offset to the first unprocessed byte
/// (that can be zero when the first such byte appeared in the prior calls to `raw_feed`)
/// and optional error information (None means success).
fn raw_feed(&mut self, input: &[u8], output: &mut StringWriter) -> (usize, Option<CodecError>);
/// Finishes the decoder,
/// pushes the a decoded string at the end of the given output,
/// and returns optional error information (None means success).
fn raw_finish(&mut self, output: &mut StringWriter) -> Option<CodecError>;
}
/// A trait object using dynamic dispatch which is a sendable reference to the encoding,
/// for code where the encoding is not known at compile-time.
pub type EncodingRef = &'static (Encoding + Send + Sync);
/// Character encoding.
pub trait Encoding {
/// Returns the canonical name of given encoding.
/// This name is guaranteed to be unique across built-in encodings,
/// but it is not normative and would be at most arbitrary.
fn name(&self) -> &'static str;
/// Returns a name of given encoding defined in the WHATWG Encoding standard, if any.
/// This name often differs from `name` due to the compatibility reason.
fn whatwg_name(&self) -> Option<&'static str> { None }
/// Creates a new encoder.
fn raw_encoder(&self) -> Box<RawEncoder>;
/// Creates a new decoder.
fn raw_decoder(&self) -> Box<RawDecoder>;
/// An easy-to-use interface to `RawEncoder`.
/// On the encoder error `trap` is called,
/// which may return a replacement sequence to continue processing,
/// or a failure to return the error.
fn encode(&self, input: &str, trap: EncoderTrap) -> Result<Vec<u8>, Cow<'static, str>> {
let mut ret = Vec::new();
self.encode_to(input, trap, &mut ret).map(|_| ret)
}
/// Encode into a `ByteWriter`.
fn encode_to(&self, input: &str, trap: EncoderTrap, ret: &mut ByteWriter)
-> Result<(), Cow<'static, str>>
{
// we don't need to keep `unprocessed` here;
// `raw_feed` should process as much input as possible.
let mut encoder = self.raw_encoder();
let mut remaining = 0;
loop {
let (offset, err) = encoder.raw_feed(&input[remaining..], ret);
let unprocessed = remaining + offset;
match err {
Some(err) => {
remaining = (remaining as isize + err.upto) as usize;
if !trap.trap(&mut *encoder, &input[unprocessed..remaining], ret) {
return Err(err.cause);
}
}
None => {
remaining = input.len();
match encoder.raw_finish(ret) {
Some(err) => {
remaining = (remaining as isize + err.upto) as usize;
if !trap.trap(&mut *encoder, &input[unprocessed..remaining], ret) {
return Err(err.cause);
}
}
None => {}
}
if remaining >= input.len() { return Ok(()); }
}
}
}
}
/// An easy-to-use interface to `RawDecoder`.
/// On the decoder error `trap` is called,
/// which may return a replacement string to continue processing,
/// or a failure to return the error.
fn decode(&self, input: &[u8], trap: DecoderTrap) -> Result<String, Cow<'static, str>> {
let mut ret = String::new();
self.decode_to(input, trap, &mut ret).map(|_| ret)
}
/// Decode into a `StringWriter`.
///
/// This does *not* handle partial characters at the beginning or end of `input`!
/// Use `RawDecoder` for incremental decoding.
fn decode_to(&self, input: &[u8], trap: DecoderTrap, ret: &mut StringWriter)
-> Result<(), Cow<'static, str>>
{
// we don't need to keep `unprocessed` here;
// `raw_feed` should process as much input as possible.
let mut decoder = self.raw_decoder();
let mut remaining = 0;
loop {
let (offset, err) = decoder.raw_feed(&input[remaining..], ret);
let unprocessed = remaining + offset;
match err {
Some(err) => {
remaining = (remaining as isize + err.upto) as usize;
if !trap.trap(&mut *decoder, &input[unprocessed..remaining], ret) {
return Err(err.cause);
}
}
None => {
remaining = input.len();
match decoder.raw_finish(ret) {
Some(err) => {
remaining = (remaining as isize + err.upto) as usize;
if !trap.trap(&mut *decoder, &input[unprocessed..remaining], ret) {
return Err(err.cause);
}
}
None => {}
}
if remaining >= input.len() { return Ok(()); }
}
}
}
}
}
/// A type of the bare function in `EncoderTrap` values.
pub type EncoderTrapFunc =
extern "Rust" fn(encoder: &mut RawEncoder, input: &str, output: &mut ByteWriter) -> bool;
/// A type of the bare function in `DecoderTrap` values.
pub type DecoderTrapFunc =
extern "Rust" fn(decoder: &mut RawDecoder, input: &[u8], output: &mut StringWriter) -> bool;
/// Trap, which handles decoder errors.
#[derive(Copy)]
pub enum DecoderTrap {
/// Immediately fails on errors.
/// Corresponds to WHATWG "fatal" error algorithm.
Strict,
/// Replaces an error with a U+FFFD (decoder).
/// Corresponds to WHATWG "replacement" error algorithm.
Replace,
/// Silently ignores an error, effectively replacing it with an empty sequence.
Ignore,
/// Calls given function to handle decoder errors.
/// The function is given the current decoder, input and output writer,
/// and should return true only when it is fine to keep going.
Call(DecoderTrapFunc),
}
impl DecoderTrap {
/// Handles a decoder error. May write to the output writer.
/// Returns true only when it is fine to keep going.
pub fn trap(&self, decoder: &mut RawDecoder, input: &[u8], output: &mut StringWriter) -> bool {
match *self {
DecoderTrap::Strict => false,
DecoderTrap::Replace => { output.write_char('\u{fffd}'); true },
DecoderTrap::Ignore => true,
DecoderTrap::Call(func) => func(decoder, input, output),
}
}
}
impl Clone for DecoderTrap {
fn clone(&self) -> DecoderTrap {
match *self {
DecoderTrap::Strict => DecoderTrap::Strict,
DecoderTrap::Replace => DecoderTrap::Replace,
DecoderTrap::Ignore => DecoderTrap::Ignore,
DecoderTrap::Call(f) => DecoderTrap::Call(f),
}
}
}
#[derive(Copy)]
pub enum EncoderTrap {
/// Immediately fails on errors.
/// Corresponds to WHATWG "fatal" error algorithm.
Strict,
/// Replaces an error with `?` in given encoding.
/// Note that this fails when `?` cannot be represented in given encoding.
/// Corresponds to WHATWG "URL" error algorithms.
Replace,
/// Silently ignores an error, effectively replacing it with an empty sequence.
Ignore,
/// Replaces an error with XML numeric character references (e.g. `Ӓ`).
/// The encoder trap fails when NCRs cannot be represented in given encoding.
/// Corresponds to WHATWG "<form>" error algorithms.
NcrEscape,
/// Calls given function to handle encoder errors.
/// The function is given the current encoder, input and output writer,
/// and should return true only when it is fine to keep going.
Call(EncoderTrapFunc),
}
impl EncoderTrap {
/// Handles an encoder error. May write to the output writer.
/// Returns true only when it is fine to keep going.
pub fn trap(&self, encoder: &mut RawEncoder, input: &str, output: &mut ByteWriter) -> bool {
fn reencode(encoder: &mut RawEncoder, input: &str, output: &mut ByteWriter,
trapname: &str) -> bool {
if encoder.is_ascii_compatible() { // optimization!
output.write_bytes(input.as_bytes());
} else {
let (_, err) = encoder.raw_feed(input, output);
if err.is_some() {
panic!("{} cannot reencode a replacement string", trapname);
}
}
true
}
match *self {
EncoderTrap::Strict => false,
EncoderTrap::Replace => reencode(encoder, "?", output, "Replace"),
EncoderTrap::Ignore => true,
EncoderTrap::NcrEscape => {
let mut escapes = String::new();
for ch in input.chars() {
escapes.push_str(&format!("&#{};", ch as isize));
}
reencode(encoder, &escapes, output, "NcrEscape")
},
EncoderTrap::Call(func) => func(encoder, input, output),
}
}
}
impl Clone for EncoderTrap {
fn clone(&self) -> EncoderTrap {
match *self {
EncoderTrap::Strict => EncoderTrap::Strict,
EncoderTrap::Replace => EncoderTrap::Replace,
EncoderTrap::Ignore => EncoderTrap::Ignore,
EncoderTrap::NcrEscape => EncoderTrap::NcrEscape,
EncoderTrap::Call(f) => EncoderTrap::Call(f),
}
}
}
/// Determine the encoding by looking for a Byte Order Mark (BOM)
/// and decoded a single string in memory.
/// Return the result and the used encoding.
pub fn decode(input: &[u8], trap: DecoderTrap, fallback_encoding: EncodingRef)
-> (Result<String, Cow<'static, str>>, EncodingRef) {
use all::{UTF_8, UTF_16LE, UTF_16BE};
if input.starts_with(&[0xEF, 0xBB, 0xBF]) {
(UTF_8.decode(&input[3..], trap), UTF_8 as EncodingRef)
} else if input.starts_with(&[0xFE, 0xFF]) {
(UTF_16BE.decode(&input[2..], trap), UTF_16BE as EncodingRef)
} else if input.starts_with(&[0xFF, 0xFE]) {
(UTF_16LE.decode(&input[2..], trap), UTF_16LE as EncodingRef)
} else {
(fallback_encoding.decode(input, trap), fallback_encoding)
}
}
#[cfg(test)]
mod tests {
use super::*;
use super::EncoderTrap::NcrEscape;
use util::StrCharIndex;
use std::convert::Into;
// a contrived encoding example: same as ASCII, but inserts `prepend` between each character
// within two "e"s (so that `widespread` becomes `wide*s*p*r*ead` and `eeeeasel` becomes
// `e*ee*ease*l` where `*` is substituted by `prepend`) and prohibits `prohibit` character.
struct MyEncoder { flag: bool, prohibit: char, prepend: &'static str, toggle: bool }
impl RawEncoder for MyEncoder {
fn from_self(&self) -> Box<RawEncoder> {
Box::new(MyEncoder { flag: self.flag,
prohibit: self.prohibit,
prepend: self.prepend,
toggle: false })
}
fn is_ascii_compatible(&self) -> bool { self.flag }
fn raw_feed(&mut self, input: &str,
output: &mut ByteWriter) -> (usize, Option<CodecError>) {
for ((i,j), ch) in input.index_iter() {
if ch <= '\u{7f}' && ch != self.prohibit {
if self.toggle && !self.prepend.is_empty() {
output.write_bytes(self.prepend.as_bytes());
}
output.write_byte(ch as u8);
if ch == 'e' {
self.toggle = !self.toggle;
}
} else {
return (i, Some(CodecError { upto: j as isize,
cause: "!!!".into() }));
}
}
(input.len(), None)
}
fn raw_finish(&mut self, _output: &mut ByteWriter) -> Option<CodecError> { None }
}
struct MyEncoding { flag: bool, prohibit: char, prepend: &'static str }
impl Encoding for MyEncoding {
fn name(&self) -> &'static str { "my encoding" }
fn raw_encoder(&self) -> Box<RawEncoder> {
Box::new(MyEncoder { flag: self.flag,
prohibit: self.prohibit,
prepend: self.prepend,
toggle: false })
}
fn raw_decoder(&self) -> Box<RawDecoder> { panic!("not supported") }
}
#[test]
fn test_reencoding_trap_with_ascii_compatible_encoding() {
static COMPAT: &'static MyEncoding =
&MyEncoding { flag: true, prohibit: '\u{80}', prepend: "" };
static INCOMPAT: &'static MyEncoding =
&MyEncoding { flag: false, prohibit: '\u{80}', prepend: "" };
assert_eq!(COMPAT.encode("Hello\u{203d} I'm fine.", NcrEscape),
Ok(b"Hello‽ I'm fine.".to_vec()));
assert_eq!(INCOMPAT.encode("Hello\u{203d} I'm fine.", NcrEscape),
Ok(b"Hello‽ I'm fine.".to_vec()));
}
#[test]
fn test_reencoding_trap_with_ascii_incompatible_encoding() {
static COMPAT: &'static MyEncoding =
&MyEncoding { flag: true, prohibit: '\u{80}', prepend: "*" };
static INCOMPAT: &'static MyEncoding =
&MyEncoding { flag: false, prohibit: '\u{80}', prepend: "*" };
// this should behave incorrectly as the encoding broke the assumption.
assert_eq!(COMPAT.encode("Hello\u{203d} I'm fine.", NcrEscape),
Ok(b"He*l*l*o‽* *I*'*m* *f*i*n*e.".to_vec()));
assert_eq!(INCOMPAT.encode("Hello\u{203d} I'm fine.", NcrEscape),
Ok(b"He*l*l*o*&*#*8*2*5*3*;* *I*'*m* *f*i*n*e.".to_vec()));
}
#[test]
#[should_panic]
fn test_reencoding_trap_can_fail() {
static FAIL: &'static MyEncoding = &MyEncoding { flag: false, prohibit: '&', prepend: "" };
// this should fail as this contrived encoding does not support `&` at all
let _ = FAIL.encode("Hello\u{203d} I'm fine.", NcrEscape);
}
}