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
use std::fs::File;
use std::io;
use std::io::{BufRead, BufReader, Read, StdinLock};
use crate::result::{decoding_error, IonError, IonResult};
/// Optimized read operations for parsing Ion.
///
/// The [binary Ion spec](https://amazon-ion.github.io/ion-docs/docs/binary.html) calls for a number of reading
/// patterns, including:
///
/// * Type descriptor octets (value headers) require that a single byte be read from input.
/// * Variable length integers (both signed and unsigned) require that a single byte at a time be
/// read from the data source until some condition is met.
/// * Fixed length values require that `n` bytes be read from the data source and interpreted as a
/// single value.
/// * Skipping over values, partial or whole, requires that the next `n` bytes of the data source be
/// ignored altogether.
///
/// The IonDataSource trait extends functionality offered by the [BufRead] trait by providing
/// methods that are tailored to these use cases. They have been optimized to prefer operating
/// on data that's already in the input buffer in-place rather than copying it out to another
/// byte array.
pub trait IonDataSource: BufRead {
/// Ignore the next `number_of_bytes` bytes in the data source.
fn skip_bytes(&mut self, number_of_bytes: usize) -> IonResult<()> {
let mut bytes_skipped = 0;
while bytes_skipped < number_of_bytes {
let buffer = self.fill_buf()?;
if buffer.is_empty() {
// TODO: IonResult should have a distinct `IncompleteData` error case
// https://github.com/amazon-ion/ion-rust/issues/299
return decoding_error("Unexpected end of stream.");
}
let bytes_in_buffer = buffer.len();
let bytes_to_skip = (number_of_bytes - bytes_skipped).min(bytes_in_buffer);
self.consume(bytes_to_skip);
bytes_skipped += bytes_to_skip;
}
Ok(())
}
/// Returns the next byte in the data source if available.
fn next_byte(&mut self) -> IonResult<Option<u8>> {
match self.fill_buf()?.first() {
Some(&byte) => {
self.consume(1);
Ok(Some(byte))
}
None => Ok(None),
}
}
/// Calls `byte_processor` on each byte in the data source until it returns false.
/// Returns the number of bytes that were read and processed.
fn read_next_byte_while<F>(&mut self, byte_processor: &mut F) -> IonResult<usize>
where
F: FnMut(u8) -> bool,
{
// The number of bytes that have been processed by the provided closure
let mut number_of_bytes_processed: usize = 0;
// The number of bytes currently available in the data source's input buffer
let mut number_of_buffered_bytes: usize;
// The number of bytes that have been flushed from the input buffer after processing them
let mut number_of_bytes_consumed: usize = 0;
loop {
// Get a reference to the data source's input buffer, refilling it if it's empty.
let buffer = self.fill_buf()?;
number_of_buffered_bytes = buffer.len();
if number_of_buffered_bytes == 0 {
// TODO: IonResult should have a distinct `IncompleteData` error case
// https://github.com/amazon-ion/ion-rust/issues/299
return decoding_error("Unexpected end of stream.");
}
// Iterate over the bytes already in the buffer, calling the provided lambda on each
// one.
for byte in buffer {
number_of_bytes_processed += 1;
if !byte_processor(*byte) {
// If the lambda is finished reading, notify the data source of how many bytes
// we've read from the buffer so they can be removed.
self.consume(number_of_bytes_processed - number_of_bytes_consumed);
return Ok(number_of_bytes_processed);
}
}
// If we read all of the available data in the buffer but the lambda isn't finished yet,
// empty the buffer so the next loop iteration will refill it.
self.consume(number_of_buffered_bytes);
number_of_bytes_consumed += number_of_buffered_bytes;
}
}
/// Calls `slice_processor` on a slice containing the next `length` bytes from the
/// data source. If the required bytes are already in the input buffer, a reference to that
/// slice of the input buffer will be used. If they are not, the required bytes will be read
/// into `fallback_buffer` and that will be used instead. If `fallback_buffer` does not have
/// enough capacity to store the requested data, it will be resized. It will never be shrunk,
/// however--it is the caller's responsibility to manage this memory.
fn read_slice<T, F>(
&mut self,
length: usize,
fallback_buffer: &mut Vec<u8>,
slice_processor: F,
) -> IonResult<T>
where
F: FnOnce(&[u8]) -> IonResult<T>,
{
// Get a reference to the data source's input buffer, refilling it if it's empty.
let buffer = self.fill_buf()?;
// If the buffer is still empty, we've run out of data.
if buffer.is_empty() && length > 0 {
// TODO: IonResult should have a distinct `IncompleteData` error case
// https://github.com/amazon-ion/ion-rust/issues/299
return decoding_error("Unexpected end of stream.");
}
// If the requested value is already in our input buffer, there's no need to copy it out
// into a separate buffer. We can return a slice of the input buffer and consume() that
// number of bytes.
if buffer.len() >= length {
let result = slice_processor(&buffer[..length]);
self.consume(length);
return result;
}
// Grow the Vec to accommodate the requested data if needed
let buffer: &mut [u8] = if fallback_buffer.len() < length {
fallback_buffer.resize(length, 0);
// Get a mutable reference to the underlying byte array
fallback_buffer.as_mut()
} else {
// Otherwise, split the Vec's underlying storage to get a &mut [u8] slice of the
// required size
let (required_buffer, _) = fallback_buffer.split_at_mut(length);
required_buffer
};
// Fill the fallback buffer with bytes from the data source
match self.read_exact(buffer) {
Ok(()) => slice_processor(buffer),
Err(ref e) if e.kind() == std::io::ErrorKind::UnexpectedEof =>
// TODO: IonResult should have a distinct `IncompleteData` error case
// https://github.com/amazon-ion/ion-rust/issues/299
{
decoding_error("Unexpected end of stream.")
}
Err(io_error) => Err(IonError::IoError { source: io_error }),
}
}
}
impl<T> IonDataSource for T where T: BufRead {}
#[cfg(test)]
mod tests {
use super::IonDataSource;
use crate::result::IonError;
use std::io::BufReader;
fn test_data(buffer_size: usize, data: &'static [u8]) -> impl IonDataSource {
BufReader::with_capacity(buffer_size, data)
}
#[test]
fn test_next_byte() {
let mut data_source = test_data(2, &[1, 2, 3, 4, 5]);
assert_eq!(Some(1), data_source.next_byte().unwrap());
assert_eq!(Some(2), data_source.next_byte().unwrap());
assert_eq!(Some(3), data_source.next_byte().unwrap());
assert_eq!(Some(4), data_source.next_byte().unwrap());
assert_eq!(Some(5), data_source.next_byte().unwrap());
}
#[test]
fn test_skip_bytes() {
let mut data_source = test_data(2, &[1, 2, 3, 4, 5]);
data_source.skip_bytes(3).unwrap();
assert_eq!(Some(4), data_source.next_byte().unwrap());
data_source.skip_bytes(1).unwrap();
assert_eq!(None, data_source.next_byte().unwrap());
}
#[test]
fn test_read_next_byte_while() {
let mut data_source = test_data(2, &[1, 2, 3, 4, 5]);
let mut sum: u64 = 0;
let processor = &mut |byte: u8| {
sum += byte as u64;
byte < 4
};
let number_of_bytes_processed = data_source.read_next_byte_while(processor).unwrap();
assert_eq!(number_of_bytes_processed, 4);
assert_eq!(sum, 10);
}
#[test]
fn test_read_slice() {
let mut data_source = test_data(2, &[1, 2, 3, 4, 5]);
let processor = &mut |data: &[u8]| Ok(data.iter().map(|byte| *byte as i32).sum());
let sum = data_source
.read_slice(4, &mut Vec::new(), processor)
.unwrap();
assert_eq!(10, sum);
}
#[test]
fn test_eof_during_skip_bytes() {
let mut data_source = test_data(2, &[1, 2, 3, 4, 5]);
// We expect to encounter an end-of-file error because we're skipping more bytes than
// we have in input.
let result = data_source.skip_bytes(42);
// TODO: IonResult should have a distinct `IncompleteData` error case
// https://github.com/amazon-ion/ion-rust/issues/299
assert!(matches!(result, Err(IonError::DecodingError { .. })));
}
#[test]
fn test_eof_during_read_next_byte_while() {
let mut data_source = test_data(2, &[1, 2, 3, 4, 5]);
let mut sum: u64 = 0;
// This processor reads until it finds a 6, which our data does not contain.
let processor = &mut |byte: u8| {
sum += byte as u64;
byte != 6
};
// We expect to encounter an end-of-file error because the data ends before the processor
// is satisfied.
let result = data_source.read_next_byte_while(processor);
// TODO: IonResult should have a distinct `IncompleteData` error case
// https://github.com/amazon-ion/ion-rust/issues/299
assert!(matches!(result, Err(IonError::DecodingError { .. })));
}
#[test]
fn test_eof_during_read_slice() {
let mut data_source = test_data(2, &[1, 2, 3, 4, 5]);
let mut fallback_buffer = vec![];
// This trivial processor will report the length of the slice it's passed.
// It will not be used because we expect to encounter an error before then.
let processor = &mut |bytes: &[u8]| Ok(bytes.len());
// We expect to encounter an end-of-file error because the input buffer doesn't have
// enough data.
let result = data_source.read_slice(
42, // Number of bytes requested from input
&mut fallback_buffer,
processor,
);
// TODO: IonResult should have a distinct `IncompleteData` error case
// https://github.com/amazon-ion/ion-rust/issues/299
assert!(matches!(result, Err(IonError::DecodingError { .. })));
}
}
/// Types that implement this trait can be converted into an implementation of [io::BufRead],
/// allowing users to build a [Reader](crate::reader::Reader) from a variety of types that might not
/// define I/O operations on their own.
pub trait ToIonDataSource {
type DataSource: IonDataSource;
fn to_ion_data_source(self) -> Self::DataSource;
}
impl ToIonDataSource for String {
type DataSource = io::Cursor<Self>;
fn to_ion_data_source(self) -> Self::DataSource {
io::Cursor::new(self)
}
}
impl<'a> ToIonDataSource for &'a str {
type DataSource = io::Cursor<Self>;
fn to_ion_data_source(self) -> Self::DataSource {
io::Cursor::new(self)
}
}
impl<'a> ToIonDataSource for &'a [u8] {
type DataSource = io::Cursor<Self>;
fn to_ion_data_source(self) -> Self::DataSource {
io::Cursor::new(self)
}
}
impl<'a, const N: usize> ToIonDataSource for &'a [u8; N] {
type DataSource = io::Cursor<Self>;
fn to_ion_data_source(self) -> Self::DataSource {
io::Cursor::new(self)
}
}
impl ToIonDataSource for Vec<u8> {
type DataSource = io::Cursor<Self>;
fn to_ion_data_source(self) -> Self::DataSource {
io::Cursor::new(self)
}
}
impl<T: BufRead, U: BufRead> ToIonDataSource for io::Chain<T, U> {
type DataSource = Self;
fn to_ion_data_source(self) -> Self::DataSource {
self
}
}
impl<T> ToIonDataSource for io::Cursor<T>
where
T: AsRef<[u8]>,
{
type DataSource = Self;
fn to_ion_data_source(self) -> Self::DataSource {
self
}
}
impl<T: Read> ToIonDataSource for BufReader<T> {
type DataSource = Self;
fn to_ion_data_source(self) -> Self::DataSource {
self
}
}
impl ToIonDataSource for File {
type DataSource = BufReader<Self>;
fn to_ion_data_source(self) -> Self::DataSource {
BufReader::new(self)
}
}
// Allows Readers to consume Ion directly from STDIN
impl<'a> ToIonDataSource for StdinLock<'a> {
type DataSource = Self;
fn to_ion_data_source(self) -> Self::DataSource {
self
}
}