text
stringlengths 0
4.1M
|
---|
use std::io::{self, BufRead, Read};
use crate::stream::raw::{InBuffer, Operation, OutBuffer};
// [ reader -> zstd ] -> output
/// Implements the [`Read`] API around an [`Operation`].
///
/// This can be used to wrap a raw in-memory operation in a read-focused API.
///
/// It can wrap either a compression or decompression operation, and pulls
/// input data from a wrapped `Read`.
pub struct Reader<R, D> {
reader: R,
operation: D,
state: State,
single_frame: bool,
finished_frame: bool,
}
enum State {
// Still actively reading from the inner `Read`
Reading,
// We reached EOF from the inner `Read`, now flushing.
PastEof,
// We are fully done, nothing can be read.
Finished,
}
impl<R, D> Reader<R, D> {
/// Creates a new `Reader`.
///
/// `reader` will be used to pull input data for the given operation.
pub fn new(reader: R, operation: D) -> Self {
Reader {
reader,
operation,
state: State::Reading,
single_frame: false,
finished_frame: false,
}
}
/// Sets `self` to stop after the first decoded frame.
pub fn set_single_frame(&mut self) {
self.single_frame = true;
}
/// Returns a mutable reference to the underlying operation.
pub fn operation_mut(&mut self) -> &mut D {
&mut self.operation
}
/// Returns a mutable reference to the underlying reader.
pub fn reader_mut(&mut self) -> &mut R {
&mut self.reader
}
/// Returns a reference to the underlying reader.
pub fn reader(&self) -> &R {
&self.reader
}
/// Returns the inner reader.
pub fn into_inner(self) -> R {
self.reader
}
/// Flush any internal buffer.
///
/// For encoders, this ensures all input consumed so far is compressed.
pub fn flush(&mut self, output: &mut [u8]) -> io::Result<usize>
where
D: Operation,
{
self.operation.flush(&mut OutBuffer::around(output))
}
}
// Read and retry on Interrupted errors.
fn fill_buf<R>(reader: &mut R) -> io::Result<&[u8]>
where
R: BufRead,
{
// This doesn't work right now because of the borrow-checker.
// When it can be made to compile, it would allow Reader to automatically
// retry on `Interrupted` error.
/*
loop {
match reader.fill_buf() {
Err(ref e) if e.kind() == io::ErrorKind::Interrupted => {}
otherwise => return otherwise,
}
}
*/
// Workaround for now
let res = reader.fill_buf()?;
// eprintln!("Filled buffer: {:?}", res);
Ok(res)
}
impl<R, D> Read for Reader<R, D>
where
R: BufRead,
D: Operation,
{
fn read(&mut self, buf: &mut [u8]) -> io::Result<usize> {
// Keep trying until _something_ has been written.
let mut first = true;
loop {
match self.state {
State::Reading => {
let (bytes_read, bytes_written) = {
// Start with a fresh pool of un-processed data.
// This is the only line that can return an interruption error.
let input = if first {
// eprintln!("First run, no input coming.");
b""
} else {
fill_buf(&mut self.reader)?
};
// eprintln!("Input = {:?}", input);
// It's possible we don't have any new data to read.
// (In this case we may still have zstd's own buffer to clear.)
if !first && input.is_empty() {
self.state = State::PastEof;
continue;
}
first = false;
let mut src = InBuffer::around(input);
let mut dst = OutBuffer::around(buf);
// We don't want empty input (from first=true) to cause a frame
// re-initialization.
if self.finished_frame && !input.is_empty() {
// eprintln!("!! Reigniting !!");
self.operation.reinit()?;
self.finished_frame = false;
}
// Phase 1: feed input to the operation
let hint = self.operation.run(&mut src, &mut dst)?;
// eprintln!(
// "Hint={} Just run our operation:\n In={:?}\n Out={:?}",
// hint, src, dst
// );
if hint == 0 {
// In practice this only happens when decoding, when we just finished
// reading a frame.
self.finished_frame = true;
if self.single_frame {
self.state = State::Finished;
}
}
// eprintln!("Output: {:?}", dst);
(src.pos(), dst.pos())
};
self.reader.consume(bytes_read);
if bytes_written > 0 {
return Ok(bytes_written);
}
// We need more data! Try again!
}
State::PastEof => {
let mut dst = OutBuffer::around(buf);
// We already sent all the input we could get to zstd. Time to flush out the
// buffer and be done with it.
// Phase 2: flush out the operation's buffer
// Keep calling `finish()` until the buffer is empty.
let hint = self
.operation
.finish(&mut dst, self.finished_frame)?;
// eprintln!("Hint: {} ; Output: {:?}", hint, dst);
if hint == 0 {
// This indicates that the footer is complete.
// This is the only way to terminate the stream cleanly.
self.state = State::Finished;
}
return Ok(dst.pos());
}
State::Finished => {
return Ok(0);
}
}
}
}
}
#[cfg(test)]
mod tests {
use super::Reader;
use std::io::{Cursor, Read};
#[test]
fn test_noop() {
use crate::stream::raw::NoOp;
let input = b"AbcdefghAbcdefgh.";
// Test reader
let mut output = Vec::new();
{
let mut reader = Reader::new(Cursor::new(input), NoOp);
reader.read_to_end(&mut output).unwrap();
}
assert_eq!(&output, input);
}
#[test]
fn test_compress() {
use crate::stream::raw::Encoder;
let input = b"AbcdefghAbcdefgh.";
// Test reader
let mut output = Vec::new();
{
let mut reader =
Reader::new(Cursor::new(input), Encoder::new(1).unwrap());
reader.read_to_end(&mut output).unwrap();
}
// eprintln!("{:?}", output);
let decoded = crate::decode_all(&output[..]).unwrap();
assert_eq!(&decoded, input);
}
}
|
use std::io::{self, Write};
use crate::stream::raw::{InBuffer, Operation, OutBuffer};
// input -> [ zstd -> buffer -> writer ]
/// Implements the [`Write`] API around an [`Operation`].
///
/// This can be used to wrap a raw in-memory operation in a write-focused API.
///
/// It can be used with either compression or decompression, and forwards the
/// output to a wrapped `Write`.
pub struct Writer<W, D> {
/// Either an encoder or a decoder.
operation: D,
/// Where we send the output of the operation.
writer: W,
/// Offset into the buffer
///
/// Only things after this matter. Things before have already been sent to the writer.
offset: usize,
/// Output buffer
///
/// Where the operation writes, before it gets flushed to the writer
buffer: Vec<u8>,
// When `true`, indicates that nothing should be added to the buffer.
// All that's left if to empty the buffer.
finished: bool,
/// When `true`, the operation just finished a frame.
///
/// Only happens when decompressing.
/// The context needs to be re-initialized to process the next frame.
finished_frame: bool,
}
impl<W, D> Writer<W, D>
where
W: Write,
D: Operation,
{
/// Creates a new `Writer` with a fixed buffer capacity of 32KB
///
/// All output from the given operation will be forwarded to `writer`.
pub fn new(writer: W, operation: D) -> Self {
// 32KB buffer? That's what flate2 uses
Self::new_with_capacity(writer, operation, 32 * 1024)
}
/// Creates a new `Writer` with user defined capacity.
///
/// All output from the given operation will be forwarded to `writer`.
pub fn new_with_capacity(
writer: W,
operation: D,
capacity: usize,
) -> Self {
Self::with_output_buffer(
Vec::with_capacity(capacity),
writer,
operation,
)
}
/// Creates a new `Writer` using the given output buffer.
///
/// The output buffer _must_ have pre-allocated capacity (its capacity will not be changed after).
///
/// Usually you would use `Vec::with_capacity(desired_buffer_size)`.
pub fn with_output_buffer(
output_buffer: Vec<u8>,
writer: W,
operation: D,
) -> Self {
Writer {
writer,
operation,
offset: 0,
// 32KB buffer? That's what flate2 uses
buffer: output_buffer,
finished: false,
finished_frame: false,
}
}
/// Ends the stream.
///
/// This *must* be called after all data has been written to finish the
/// stream.
///
/// If you forget to call this and just drop the `Writer`, you *will* have
/// an incomplete output.
///
/// Keep calling it until it returns `Ok(())`, then don't call it again.
pub fn finish(&mut self) -> io::Result<()> {
loop {
// Keep trying until we're really done.
self.write_from_offset()?;
// At this point the buffer has been fully written out.
if self.finished {
return Ok(());
}
// Let's fill this buffer again!
let finished_frame = self.finished_frame;
let hint =
self.with_buffer(|dst, op| op.finish(dst, finished_frame));
self.offset = 0;
// println!("Hint: {:?}\nOut:{:?}", hint, &self.buffer);
// We return here if zstd had a problem.
// Could happen with invalid data, ...
let hint = hint?;
if hint != 0 && self.buffer.is_empty() {
// This happens if we are decoding an incomplete frame.
return Err(io::Error::new(
io::ErrorKind::UnexpectedEof,
"incomplete frame",
));
}
// println!("Finishing {}, {}", bytes_written, hint);
self.finished = hint == 0;
}
}
/// Run the given closure on `self.buffer`.
///
/// The buffer will be cleared, and made available wrapped in an `OutBuffer`.
fn with_buffer<F, T>(&mut self, f: F) -> T
where
F: FnOnce(&mut OutBuffer<'_, Vec<u8>>, &mut D) -> T,
{
self.buffer.clear();
let mut output = OutBuffer::around(&mut self.buffer);
// eprintln!("Output: {:?}", output);
f(&mut output, &mut self.operation)
}
/// Attempt to write `self.buffer` to the wrapped writer.
///
/// Returns `Ok(())` once all the buffer has been written.
fn write_from_offset(&mut self) -> io::Result<()> {
// The code looks a lot like `write_all`, but keeps track of what has
// been written in case we're interrupted.
while self.offset < self.buffer.len() {
match self.writer.write(&self.buffer[self.offset..]) {
Ok(0) => {
return Err(io::Error::new(
io::ErrorKind::WriteZero,
"writer will not accept any more data",
))
}
Ok(n) => self.offset += n,
Err(ref e) if e.kind() == io::ErrorKind::Interrupted => (),
Err(e) => return Err(e),
}
}
Ok(())
}
/// Return the wrapped `Writer` and `Operation`.
///
/// Careful: if you call this before calling [`Writer::finish()`], the
/// output may be incomplete.
pub fn into_inner(self) -> (W, D) {
(self.writer, self.operation)
}
/// Gives a reference to the inner writer.
pub fn writer(&self) -> &W {
&self.writer
}
/// Gives a mutable reference to the inner writer.
pub fn writer_mut(&mut self) -> &mut W {
&mut self.writer
}
/// Gives a reference to the inner operation.
pub fn operation(&self) -> &D {
&self.operation
}
/// Gives a mutable reference to the inner operation.
pub fn operation_mut(&mut self) -> &mut D {
&mut self.operation
}
/// Returns the offset in the current buffer. Only useful for debugging.
#[cfg(test)]
pub fn offset(&self) -> usize {
self.offset
}
/// Returns the current buffer. Only useful for debugging.
#[cfg(test)]
pub fn buffer(&self) -> &[u8] {
&self.buffer
}
}
impl<W, D> Write for Writer<W, D>
where
W: Write,
D: Operation,
{
fn write(&mut self, buf: &[u8]) -> io::Result<usize> {
if self.finished {
return Err(io::Error::new(
io::ErrorKind::Other,
"encoder is finished",
));
}
// Keep trying until _something_ has been consumed.
// As soon as some input has been taken, we cannot afford
// to take any chance: if an error occurs, the user couldn't know
// that some data _was_ successfully written.
loop {
// First, write any pending data from `self.buffer`.
self.write_from_offset()?;
// At this point `self.buffer` can safely be discarded.
// Support writing concatenated frames by re-initializing the
// context.
if self.finished_frame {
self.operation.reinit()?;
self.finished_frame = false;
}
let mut src = InBuffer::around(buf);
let hint = self.with_buffer(|dst, op| op.run(&mut src, dst));
let bytes_read = src.pos;
// eprintln!(
// "Write Hint: {:?}\n src: {:?}\n dst: {:?}",
// hint, src, self.buffer
// );
self.offset = 0;
let hint = hint?;
if hint == 0 {
self.finished_frame = true;
}
// As we said, as soon as we've consumed something, return.
if bytes_read > 0 || buf.is_empty() {
// println!("Returning {}", bytes_read);
return Ok(bytes_read);
}
}
}
fn flush(&mut self) -> io::Result<()> {
let mut finished = self.finished;
loop {
// If the output is blocked or has an error, return now.
self.write_from_offset()?;
if finished {
break;
}
let hint = self.with_buffer(|dst, op| op.flush(dst));
self.offset = 0;
let hint = hint?;
finished = hint == 0;
}
self.writer.flush()
}
}
#[cfg(test)]
mod tests {
use super::Writer;
use std::io::Write;
#[test]
fn test_noop() {
use crate::stream::raw::NoOp;
let input = b"AbcdefghAbcdefgh.";
// Test writer
let mut output = Vec::new();
{
let mut writer = Writer::new(&mut output, NoOp);
writer.write_all(input).unwrap();
writer.finish().unwrap();
}
assert_eq!(&output, input);
}
#[test]
fn test_compress() {
use crate::stream::raw::Encoder;
let input = b"AbcdefghAbcdefgh.";
// Test writer
let mut output = Vec::new();
{
let mut writer =
Writer::new(&mut output, Encoder::new(1).unwrap());
writer.write_all(input).unwrap();
writer.finish().unwrap();
}
// println!("Output: {:?}", output);
let decoded = crate::decode_all(&output[..]).unwrap();
assert_eq!(&decoded, input);
}
#[test]
fn test_compress_with_capacity() {
use crate::stream::raw::Encoder;
let input = b"AbcdefghAbcdefgh.";
// Test writer
let mut output = Vec::new();
{
let mut writer = Writer::new_with_capacity(
&mut output,
Encoder::new(1).unwrap(),
64,
);
assert_eq!(writer.buffer.capacity(), 64);
writer.write_all(input).unwrap();
writer.finish().unwrap();
}
let decoded = crate::decode_all(&output[..]).unwrap();
assert_eq!(&decoded, input);
}
#[test]
fn test_decompress() {
use crate::stream::raw::Decoder;
let input = b"AbcdefghAbcdefgh.";
let compressed = crate::encode_all(&input[..], 1).unwrap();
// Test writer
let mut output = Vec::new();
{
let mut writer = Writer::new(&mut output, Decoder::new().unwrap());
writer.write_all(&compressed).unwrap();
writer.finish().unwrap();
}
// println!("Output: {:?}", output);
assert_eq!(&output, input);
}
#[test]
fn test_decompress_with_capacity() {
use crate::stream::raw::Decoder;
let input = b"AbcdefghAbcdefgh.";
let compressed = crate::encode_all(&input[..], 1).unwrap();
// Test writer
let mut output = Vec::new();
{
let mut writer = Writer::new_with_capacity(
&mut output,
Decoder::new().unwrap(),
64,
);
assert_eq!(writer.buffer.capacity(), 64);
writer.write_all(&compressed).unwrap();
writer.finish().unwrap();
}
assert_eq!(&output, input);
}
}
|
const TEXT: &[u8] = include_bytes!("../assets/example.txt");
#[test]
#[should_panic]
fn test_issue_182() {
use std::io::BufRead;
let compressed = zstd::encode_all(TEXT, 3).unwrap();
let truncated = &compressed[..compressed.len() / 2];
let rdr = zstd::Decoder::new(truncated).unwrap();
let rdr = std::io::BufReader::new(rdr);
for line in rdr.lines() {
line.unwrap();
}
}
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.