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
//! This crate allows you to specify an offset for reads and writes,
//! without changing the current position in a file. This is similar to
//! [`pread()` and `pwrite()`][pread] in C.
//!
//! The major advantages of this type of I/O are:
//!
//! * You don't need to seek before doing a random-access read or write, which is convenient.
//! * Reads don't modify the file at all, so don't require mutability.
//!
//! [pread]: http://man7.org/linux/man-pages/man2/pread.2.html
//!
//! # Examples
//!
//! Read the fifth 512-byte sector of a file:
//!
//! ```
//! # use std::error::Error;
//! #
//! # fn try_main() -> Result<(), Box<Error>> {
//! use std::fs::File;
//! use positioned_io::ReadAt;
//!
//! // note that file does not need to be mut
//! let file = File::open("tests/pi.txt")?;
//!
//! // read up to 512 bytes
//! let mut buf = [0; 512];
//! let bytes_read = file.read_at(2048, &mut buf)?;
//! # assert!(buf.starts_with(b"4"));
//! # Ok(())
//! # }
//! #
//! # fn main() {
//! # try_main().unwrap();
//! # }
//! ```
//!
//! **Note:** If possible use the
//! [`RandomAccessFile`](struct.RandomAccessFile.html) wrapper. `ReadAt`
//! directly on `File` is very slow on Windows.
//!
//! Write an integer to the middle of a file:
//!
//! ```no_run
//! # #[cfg(feature = "byteorder")]
//! # extern crate byteorder;
//! # use std::io;
//! #
//! # fn try_main() -> io::Result<()> {
//! # #[cfg(feature = "byteorder")]
//! # {
//! use std::fs::OpenOptions;
//! use positioned_io::WriteAt;
//! use byteorder::{ByteOrder, LittleEndian};
//!
//! // put the integer in a buffer
//! let mut buf = [0; 4];
//! LittleEndian::write_u32(&mut buf, 1234);
//!
//! // write it to the file
//! let mut file = OpenOptions::new().write(true).open("foo.data")?;
//! file.write_all_at(1 << 20, &buf)?;
//! # }
//! # Ok(())
//! # }
//! # fn main() {
//! # try_main().unwrap()
//! # }
//! ```
//!
//! Or, more simply:
//!
//! ```no_run
//! # #[cfg(feature = "byteorder")]
//! # extern crate byteorder;
//! # use std::io;
//! #
//! # fn try_main() -> io::Result<()> {
//! # #[cfg(feature = "byteorder")]
//! # {
//! use std::fs::OpenOptions;
//! use byteorder::LittleEndian;
//! use positioned_io::WriteBytesAtExt;
//!
//! let mut file = OpenOptions::new().write(true).open("foo.data")?;
//! file.write_u32_at::<LittleEndian>(1 << 20, 1234)?;
//! # }
//! # Ok(())
//! # }
//! # fn main() {
//! # try_main().unwrap()
//! # }
//! ```
//!
//! Read from anything else that supports `ReadAt`, like a byte array:
//!
//! ```rust
//! # #[cfg(feature = "byteorder")]
//! # extern crate byteorder;
//! # use std::io;
//! #
//! # fn try_main() -> io::Result<()> {
//! # #[cfg(feature = "byteorder")]
//! {
//! use byteorder::BigEndian;
//! use positioned_io::ReadBytesAtExt;
//!
//! let buf = [0, 5, 254, 212, 0, 3];
//! let n = buf.as_ref().read_i16_at::<BigEndian>(2)?;
//! assert_eq!(n, -300);
//! # }
//! # Ok(())
//! # }
//! # fn main() {
//! # try_main().unwrap()
//! # }
//! ```
#![doc(html_root_url = "https://docs.rs/positioned-io/0.3.3")]
#![warn(missing_debug_implementations)]
#![warn(bare_trait_objects)]
#[cfg(feature = "byteorder")]
extern crate byteorder;
#[cfg(unix)]
extern crate libc;
mod cursor;
pub use cursor::{Cursor, SizeCursor};
mod slice;
pub use slice::Slice;
#[cfg(feature = "byteorder")]
mod byteio;
use std::{fs::File, io};
#[cfg(feature = "byteorder")]
pub use byteio::{ByteIo, ReadBytesAtExt, WriteBytesAtExt};
/// Trait for reading bytes at an offset.
///
/// Implementations should be able to read bytes without changing any sort of
/// read position. Self should not change at all. Buffering reads is unlikely
/// to be useful, since each time `read_at()` is called, the position may be
/// completely different.
///
/// # Examples
///
/// Read the fifth 512-byte sector of a file:
///
/// ```
/// # use std::error::Error;
/// #
/// # fn try_main() -> Result<(), Box<Error>> {
/// use std::fs::File;
/// use positioned_io::ReadAt;
///
/// // note that file does not need to be mut
/// let file = File::open("tests/pi.txt")?;
///
/// // read up to 512 bytes
/// let mut buf = [0; 512];
/// let bytes_read = file.read_at(2048, &mut buf)?;
/// # assert!(buf.starts_with(b"4"));
/// # Ok(())
/// # }
/// #
/// # fn main() {
/// # try_main().unwrap();
/// # }
/// ```
pub trait ReadAt {
/// Reads bytes from an offset in this source into a buffer, returning how
/// many bytes were read.
///
/// This function may yield fewer bytes than the size of `buf`, if it was
/// interrupted or hit the "end of file".
///
/// See [`Read::read()`](https://doc.rust-lang.org/std/io/trait.Read.html#tymethod.read)
/// for details.
fn read_at(&self, pos: u64, buf: &mut [u8]) -> io::Result<usize>;
/// Reads the exact number of bytes required to fill `buf` from an offset.
///
/// Errors if the "end of file" is encountered before filling the buffer.
///
/// See [`Read::read_exact()`](https://doc.rust-lang.org/std/io/trait.Read.html#method.read_exact)
/// for details.
fn read_exact_at(&self, mut pos: u64, mut buf: &mut [u8]) -> io::Result<()> {
while !buf.is_empty() {
match self.read_at(pos, buf) {
Ok(0) => break,
Ok(n) => {
let tmp = buf;
buf = &mut tmp[n..];
pos += n as u64;
}
Err(ref e) if e.kind() == io::ErrorKind::Interrupted => {}
Err(e) => return Err(e),
}
}
if !buf.is_empty() {
Err(io::Error::new(
io::ErrorKind::UnexpectedEof,
"failed to fill whole buffer",
))
} else {
Ok(())
}
}
}
/// Trait for writing bytes at an offset.
///
/// Implementations should be able to write bytes at an offset, without
/// changing any sort of write position. Self should not change at all.
///
/// When writing beyond the end of the underlying object it is extended and
/// intermediate bytes are filled with the value 0.
///
/// # Examples
///
/// ```no_run
/// # use std::error::Error;
/// #
/// # fn try_main() -> Result<(), Box<Error>> {
/// use std::fs::OpenOptions;
/// use positioned_io::WriteAt;
///
/// let mut file = OpenOptions::new().write(true).open("tests/pi.txt")?;
///
/// // write some bytes
/// let bytes_written = file.write_at(2, b"1415926535897932384626433")?;
/// # Ok(())
/// # }
/// #
/// # fn main() {
/// # try_main().unwrap();
/// # }
/// ```
pub trait WriteAt {
/// Writes bytes from a buffer to an offset, returning the number of bytes
/// written.
///
/// This function may write fewer bytes than the size of `buf`, for example
/// if it is interrupted.
///
/// See [`Write::write()`](https://doc.rust-lang.org/std/io/trait.Write.html#tymethod.write)
/// for details.
fn write_at(&mut self, pos: u64, buf: &[u8]) -> io::Result<usize>;
/// Writes a complete buffer at an offset.
///
/// Errors if it could not write the entire buffer.
///
/// See [`Write::write_all()`](https://doc.rust-lang.org/std/io/trait.Write.html#method.write_all)
/// for details.
fn write_all_at(&mut self, mut pos: u64, mut buf: &[u8]) -> io::Result<()> {
while !buf.is_empty() {
match self.write_at(pos, buf) {
Ok(0) => {
return Err(io::Error::new(
io::ErrorKind::WriteZero,
"failed to write whole buffer",
))
}
Ok(n) => {
buf = &buf[n..];
pos += n as u64;
}
Err(ref e) if e.kind() == io::ErrorKind::Interrupted => {}
Err(e) => return Err(e),
}
}
Ok(())
}
/// Flush this writer, ensuring that any intermediately buffered data
/// reaches its destination.
///
/// This should rarely do anything, since buffering is not very useful for
/// positioned writes.
///
/// This should be equivalent to
/// [`Write::flush()`](https://doc.rust-lang.org/std/io/trait.Write.html#tymethod.flush),
/// so it does not actually sync changes to disk when writing a `File`.
/// Use
/// [`File::sync_data()`](https://doc.rust-lang.org/std/fs/struct.File.html#method.sync_data)
/// instead.
fn flush(&mut self) -> io::Result<()>;
}
/// Trait to get the size in bytes of an I/O object.
///
/// Implementing this for a types with `ReadAt` or `WriteAt` makes it easier
/// for users to predict whether they will read past end-of-file. However, it
/// may not be possible to implement for certain readers or writers that have
/// unknown size.
///
/// # Examples
///
/// ```no_run
/// # use std::error::Error;
/// #
/// # fn try_main() -> Result<(), Box<Error>> {
/// use std::fs::File;
/// use positioned_io::Size;
///
/// let file = File::open("tests/pi.txt")?;
/// let size = file.size()?;
/// assert_eq!(size, Some(1000002));
///
/// // some special files do not have a known size
/// let file = File::open("/dev/stdin")?;
/// let size = file.size()?;
/// assert_eq!(size, None);
/// # Ok(())
/// # }
/// #
/// # fn main() {
/// # try_main().unwrap();
/// # }
/// ```
pub trait Size {
/// Get the size of this object, in bytes.
///
/// This function may return `Ok(None)` if the size is unknown, for example
/// for pipes.
fn size(&self) -> io::Result<Option<u64>>;
}
impl Size for File {
fn size(&self) -> io::Result<Option<u64>> {
let md = self.metadata()?;
if md.is_file() {
Ok(Some(md.len()))
} else {
Ok(None)
}
}
}
// Implementation for Unix files.
#[cfg(unix)]
mod unix;
// Implementation for Windows files.
#[cfg(windows)]
mod windows;
// RandomAccess file wrapper.
mod raf;
pub use raf::RandomAccessFile;
// Implementation for arrays, vectors.
mod array;
mod refs;
mod vec;
#[cfg(test)]
mod tests {
use super::*;
struct _AssertObjectSafe1(Box<dyn ReadAt>);
struct _AssertObjectSafe2(Box<dyn WriteAt>);
struct _AssertObjectSafe3(Box<dyn Size>);
}