Skip to content

Commit

Permalink
dd: buffer partial blocks in the output writer
Browse files Browse the repository at this point in the history
Add buffering of partial blocks in the output block writer until they
are completed.
  • Loading branch information
jfinkels committed Jul 4, 2023
1 parent a11f123 commit 4c7a2b6
Show file tree
Hide file tree
Showing 3 changed files with 173 additions and 31 deletions.
33 changes: 19 additions & 14 deletions src/uu/dd/src/bufferedoutput.rs
Original file line number Diff line number Diff line change
Expand Up @@ -46,15 +46,13 @@ impl<'a> BufferedOutput<'a> {
/// Flush the partial block stored in the internal buffer.
pub(crate) fn flush(&mut self) -> std::io::Result<WriteStat> {
let wstat = self.inner.write_blocks(&self.buf)?;
let n = wstat.bytes_total;
for _ in 0..n {
self.buf.remove(0);
}
let n = wstat.bytes_total.try_into().unwrap();
self.buf.drain(0..n);
Ok(wstat)
}

/// Get a mutable reference to the inner block writer.
pub(crate) fn get_mut(&mut self) -> &mut Output<'a> {
pub(crate) fn get_inner_mut(&mut self) -> &mut Output<'a> {
&mut self.inner
}

Expand All @@ -70,28 +68,35 @@ impl<'a> BufferedOutput<'a> {
/// block. The returned [`WriteStat`] object will include the
/// number of blocks written during execution of this function.
pub(crate) fn write_blocks(&mut self, buf: &[u8]) -> std::io::Result<WriteStat> {
// Concatenate the old partial block with the new incoming bytes.
let towrite = [&self.buf, buf].concat();
// Split the incoming buffer into two parts: the bytes to write
// and the bytes to buffer for next time.
//
// If `buf` does not include enough bytes to form a full block,
// just buffer the whole thing and write zero blocks.
let n = self.buf.len() + buf.len();
let rem = n % self.inner.settings.obs;
let i = buf.len().saturating_sub(rem);
let (to_write, to_buffer) = buf.split_at(i);

// Concatenate the old partial block with the new bytes to form
// some number of complete blocks.
self.buf.extend_from_slice(to_write);

// Write all complete blocks to the inner block writer.
//
// For example, if the output block size were 3, the buffered
// partial block were `b"ab"` and the new incoming bytes were
// `b"cdefg"`, then we would write blocks `b"abc"` and
// b`"def"` to the inner block writer.
let n = towrite.len();
let rem = n % self.inner.settings.obs;
let wstat = self.inner.write_blocks(&towrite[..n - rem])?;
self.buf.clear();
let wstat = self.inner.write_blocks(&self.buf)?;

// Buffer any remaining bytes as a partial block.
//
// Continuing the example above, the last byte `b"g"` would be
// buffered as a partial block until the next call to
// `write_blocks()`.
for byte in &towrite[n - rem..] {
self.buf.push(*byte);
}
self.buf.clear();
self.buf.extend_from_slice(to_buffer);

Ok(wstat)
}
Expand Down
110 changes: 94 additions & 16 deletions src/uu/dd/src/dd.rs
Original file line number Diff line number Diff line change
Expand Up @@ -15,6 +15,7 @@ mod numbers;
mod parseargs;
mod progress;

use crate::bufferedoutput::BufferedOutput;
use blocks::conv_block_unblock_helper;
use datastructures::*;
use parseargs::Parser;
Expand Down Expand Up @@ -780,6 +781,63 @@ impl<'a> Output<'a> {
}
}

/// The block writer either with or without partial block buffering.
enum BlockWriter<'a> {
/// Block writer with partial block buffering.
///
/// Partial blocks are buffered until completed.
Buffered(BufferedOutput<'a>),

/// Block writer without partial block buffering.
///
/// Partial blocks are written immediately.
Unbuffered(Output<'a>),
}

impl<'a> BlockWriter<'a> {
fn discard_cache(&self, offset: libc::off_t, len: libc::off_t) {
match self {
Self::Unbuffered(o) => o.discard_cache(offset, len),
Self::Buffered(o) => o.discard_cache(offset, len),
}
}

fn flush(&mut self) -> io::Result<WriteStat> {
match self {
Self::Unbuffered(_) => Ok(Default::default()),
Self::Buffered(o) => o.flush(),
}
}

fn sync(&mut self) -> io::Result<()> {
match self {
Self::Unbuffered(o) => o.sync(),
Self::Buffered(o) => o.sync(),
}
}

/// Truncate the file to the final cursor location.
fn truncate(&mut self) {
// Calling `set_len()` may result in an error (for example,
// when calling it on `/dev/null`), but we don't want to
// terminate the process when that happens. Instead, we
// suppress the error by calling `Result::ok()`. This matches
// the behavior of GNU `dd` when given the command-line
// argument `of=/dev/null`.
match self {
Self::Unbuffered(o) => o.dst.truncate().ok(),
Self::Buffered(o) => o.get_inner_mut().dst.truncate().ok(),
};
}

fn write_blocks(&mut self, buf: &[u8]) -> std::io::Result<WriteStat> {
match self {
Self::Unbuffered(o) => o.write_blocks(buf),
Self::Buffered(o) => o.write_blocks(buf),
}
}
}

/// Copy the given input data to this output, consuming both.
///
/// This method contains the main loop for the `dd` program. Bytes
Expand All @@ -791,7 +849,7 @@ impl<'a> Output<'a> {
///
/// If there is a problem reading from the input or writing to
/// this output.
fn dd_copy(mut i: Input, mut o: Output) -> std::io::Result<()> {
fn dd_copy(mut i: Input, o: Output) -> std::io::Result<()> {
// The read and write statistics.
//
// These objects are counters, initialized to zero. After each
Expand Down Expand Up @@ -828,6 +886,9 @@ fn dd_copy(mut i: Input, mut o: Output) -> std::io::Result<()> {
let (prog_tx, rx) = mpsc::channel();
let output_thread = thread::spawn(gen_prog_updater(rx, i.settings.status));

// Whether to truncate the output file after all blocks have been written.
let truncate = !o.settings.oconv.notrunc;

// Optimization: if no blocks are to be written, then don't
// bother allocating any buffers.
if let Some(Num::Blocks(0) | Num::Bytes(0)) = i.settings.count {
Expand All @@ -852,7 +913,15 @@ fn dd_copy(mut i: Input, mut o: Output) -> std::io::Result<()> {
let len = o.dst.len()?.try_into().unwrap();
o.discard_cache(offset, len);
}
return finalize(&mut o, rstat, wstat, start, &prog_tx, output_thread);
return finalize(
BlockWriter::Unbuffered(o),
rstat,
wstat,
start,
&prog_tx,
output_thread,
truncate,
);
};

// Create a common buffer with a capacity of the block size.
Expand All @@ -872,6 +941,16 @@ fn dd_copy(mut i: Input, mut o: Output) -> std::io::Result<()> {
let mut read_offset = 0;
let mut write_offset = 0;

let input_nocache = i.settings.iflags.nocache;
let output_nocache = o.settings.oflags.nocache;

// Add partial block buffering, if needed.
let mut o = if o.settings.buffered {
BlockWriter::Buffered(BufferedOutput::new(o))
} else {
BlockWriter::Unbuffered(o)
};

// The main read/write loop.
//
// Each iteration reads blocks from the input and writes
Expand All @@ -896,7 +975,7 @@ fn dd_copy(mut i: Input, mut o: Output) -> std::io::Result<()> {
//
// TODO Better error handling for overflowing `offset` and `len`.
let read_len = rstat_update.bytes_total;
if i.settings.iflags.nocache {
if input_nocache {
let offset = read_offset.try_into().unwrap();
let len = read_len.try_into().unwrap();
i.discard_cache(offset, len);
Expand All @@ -908,7 +987,7 @@ fn dd_copy(mut i: Input, mut o: Output) -> std::io::Result<()> {
//
// TODO Better error handling for overflowing `offset` and `len`.
let write_len = wstat_update.bytes_total;
if o.settings.oflags.nocache {
if output_nocache {
let offset = write_offset.try_into().unwrap();
let len = write_len.try_into().unwrap();
o.discard_cache(offset, len);
Expand All @@ -928,34 +1007,33 @@ fn dd_copy(mut i: Input, mut o: Output) -> std::io::Result<()> {
prog_tx.send(prog_update).unwrap_or(());
}
}
finalize(&mut o, rstat, wstat, start, &prog_tx, output_thread)
finalize(o, rstat, wstat, start, &prog_tx, output_thread, truncate)
}

/// Flush output, print final stats, and join with the progress thread.
fn finalize<T>(
output: &mut Output,
mut output: BlockWriter,
rstat: ReadStat,
wstat: WriteStat,
start: Instant,
prog_tx: &mpsc::Sender<ProgUpdate>,
output_thread: thread::JoinHandle<T>,
truncate: bool,
) -> std::io::Result<()> {
// Flush the output, if configured to do so.
// Flush the output in case a partial write has been buffered but
// not yet written.
let wstat_update = output.flush()?;

// Sync the output, if configured to do so.
output.sync()?;

// Truncate the file to the final cursor location.
//
// Calling `set_len()` may result in an error (for example,
// when calling it on `/dev/null`), but we don't want to
// terminate the process when that happens. Instead, we
// suppress the error by calling `Result::ok()`. This matches
// the behavior of GNU `dd` when given the command-line
// argument `of=/dev/null`.
if !output.settings.oconv.notrunc {
output.dst.truncate().ok();
if truncate {
output.truncate();
}

// Print the final read/write statistics.
let wstat = wstat + wstat_update;
let prog_update = ProgUpdate::new(rstat, wstat, start.elapsed(), true);
prog_tx.send(prog_update).unwrap_or(());
// Wait for the output thread to finish
Expand Down
61 changes: 60 additions & 1 deletion tests/by-util/test_dd.rs
Original file line number Diff line number Diff line change
@@ -1,4 +1,4 @@
// spell-checker:ignore fname, tname, fpath, specfile, testfile, unspec, ifile, ofile, outfile, fullblock, urand, fileio, atoe, atoibm, availible, behaviour, bmax, bremain, btotal, cflags, creat, ctable, ctty, datastructures, doesnt, etoa, fileout, fname, gnudd, iconvflags, iseek, nocache, noctty, noerror, nofollow, nolinks, nonblock, oconvflags, oseek, outfile, parseargs, rlen, rmax, rposition, rremain, rsofar, rstat, sigusr, sigval, wlen, wstat abcdefghijklm abcdefghi nabcde nabcdefg abcdefg
// spell-checker:ignore fname, tname, fpath, specfile, testfile, unspec, ifile, ofile, outfile, fullblock, urand, fileio, atoe, atoibm, availible, behaviour, bmax, bremain, btotal, cflags, creat, ctable, ctty, datastructures, doesnt, etoa, fileout, fname, gnudd, iconvflags, iseek, nocache, noctty, noerror, nofollow, nolinks, nonblock, oconvflags, oseek, outfile, parseargs, rlen, rmax, rposition, rremain, rsofar, rstat, sigusr, sigval, wlen, wstat abcdefghijklm abcdefghi nabcde nabcdefg abcdefg fifoname

use crate::common::util::TestScenario;
#[cfg(all(not(windows), feature = "printf"))]
Expand Down Expand Up @@ -1562,3 +1562,62 @@ fn test_nocache_file() {
.succeeds()
.stderr_only("2048+0 records in\n2048+0 records out\n");
}

#[test]
#[cfg(all(unix, not(target_os = "macos"), not(target_os = "freebsd")))]
fn test_reading_partial_blocks_from_fifo() {
let (at, mut ucmd) = at_and_ucmd!();
at.mkfifo("fifo");
let fifoname = at.plus_as_string("fifo");

let child = ucmd
.args(&["ibs=3", "obs=3", &format!("if={}", fifoname)])
.set_stderr(Stdio::piped())
.run_no_wait();

UCommand::new()
.arg(format!(
"({TESTS_BINARY} printf 'ab'; {TESTS_BINARY} sleep 0.1; {TESTS_BINARY} printf 'cd') > {fifoname}"
))
.succeeds()
.no_output();

child
.wait()
.unwrap()
.success()
.stdout_is("abcd")
.stderr_contains("0+2 records in")
.stderr_contains("1+1 records out")
.stderr_contains("4 bytes copied");
}

#[test]
#[cfg(all(unix, not(target_os = "macos"), not(target_os = "freebsd")))]
fn test_reading_partial_blocks_from_fifo_unbuffered() {
let (at, mut ucmd) = at_and_ucmd!();
at.mkfifo("fifo");
let fifoname = at.plus_as_string("fifo");

// `bs=N` takes precedence over `ibs=N` and `obs=N`.
let child = ucmd
.args(&["bs=3", "ibs=1", "obs=1", &format!("if={}", fifoname)])
.set_stderr(Stdio::piped())
.run_no_wait();

UCommand::new()
.arg(format!(
"({TESTS_BINARY} printf 'ab'; {TESTS_BINARY} sleep 0.1; {TESTS_BINARY} printf 'cd') > {fifoname}"
))
.succeeds()
.no_output();

child
.wait()
.unwrap()
.success()
.stdout_is("abcd")
.stderr_contains("0+2 records in")
.stderr_contains("0+2 records out")
.stderr_contains("4 bytes copied");
}

0 comments on commit 4c7a2b6

Please sign in to comment.