bytes2chars 0.1.1

lazy utf-8 decoder iterator with rich errors
Documentation
<!-- cargo-rdme start -->

# bytes2chars

lazily decodes utf-8 [`char`][char]s from bytes

provides lazy, fallible analogs to [`str::Chars`][str-chars] ([`Utf8Chars`][utf8-chars]) and [`str::CharIndices`][str-char-indices] ([`Utf8CharIndices`][utf8-char-indices]), as well as a lower-level push-based [`Utf8Decoder`][utf8-decoder]

[char]: https://doc.rust-lang.org/stable/std/primitive.char.html
[str-chars]: https://doc.rust-lang.org/stable/std/str/struct.Chars.html
[str-char-indices]: https://doc.rust-lang.org/stable/std/str/struct.CharIndices.html
[utf8-chars]: https://docs.rs/bytes2chars/latest/bytes2chars/struct.Utf8Chars.html
[utf8-char-indices]: https://docs.rs/bytes2chars/latest/bytes2chars/struct.Utf8CharIndices.html
[utf8-decoder]: https://docs.rs/bytes2chars/latest/bytes2chars/struct.Utf8Decoder.html

## design goals

- rich errors—what went wrong and where
- lazy
- `no-std`
- performance

## quick start

prefer iterators like [`Utf8CharIndices`][utf8-char-indices] or [`Utf8Chars`][utf8-chars] if you have access to a byte iterator. [`Utf8Chars`][utf8-chars] still tracks bytes for error context, so it's purely a convenience wrapper

if you receive bytes in chunks, use the push-based [`Utf8Decoder`][utf8-decoder]

## examples

### iterator api

```rust
let input = b"\xF0\x9F\xA6\x80 rust".iter().copied();

// decode into an iterator of chars and their positions
let indexed = Utf8CharIndices::from(input.clone()).collect::<Result<Vec<_>>>()?;
let expected = vec![(0, '🦀'), (4, ' '), (5, 'r'), (6, 'u'), (7, 's'), (8, 't')];
assert_eq!(indexed, expected);

// convenience wrapper to decode into an iterator of chars
let chars = Utf8Chars::from(input).collect::<Result<String>>()?;
assert_eq!(chars, "🦀 rust");
```

### error handling

```rust
let err = Utf8Chars::from(b"hello \x80 world".iter().copied())
    .collect::<Result<String>>()
    .unwrap_err();

assert_eq!(
    err,
    Error {
        range: 6..7,
        kind: ErrorKind::InvalidLead(0x80)
    }
);
assert_eq!(
    err.to_string(),
    "invalid utf-8 at bytes 6..7: byte 0x80 cannot start a UTF-8 sequence"
);
```

### push based decoder

```rust
let mut decoder = Utf8Decoder::new(0);
assert_eq!(decoder.push(0xF0), None); // accumulating
assert_eq!(decoder.push(0x9F), None);
assert_eq!(decoder.push(0xA6), None);
assert_eq!(decoder.push(0x80), Some(Ok((0, '🦀')))); // complete
decoder.finish()?; // check for truncated sequence

```

## alternatives

### [`std::str::from_utf8`]https://doc.rust-lang.org/std/str/fn.from_utf8.html

eager and error context provides a range but not a particular cause

### [`utf8-decode`]https://docs.rs/utf8-decode/latest/utf8_decode/index.html

also lazy. error provides a range but not a particular cause. does not provide a push based decoder

<!-- cargo-rdme end -->