Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Add support for vectorized read/write with libc::readv and libc::writev #4084

Draft
wants to merge 1 commit into
base: master
Choose a base branch
from
Draft
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
122 changes: 122 additions & 0 deletions src/shims/unix/fd.rs
Original file line number Diff line number Diff line change
Expand Up @@ -257,6 +257,128 @@ pub trait EvalContextExt<'tcx>: crate::MiriInterpCxExt<'tcx> {
interp_ok(())
}

fn readv(
&mut self,
fd_num: i32,
iov_ptr: &OpTy<'tcx>,
iovcnt: i32,
offset: Option<i128>,
dest: &MPlaceTy<'tcx>,
) -> InterpResult<'tcx> {
let this = self.eval_context_mut();

// Early returns for empty or invalid cases
if iovcnt == 0 {
trace!("readv: iovcnt is 0, returning 0 bytes read.");
return this.write_scalar(Scalar::from_i32(0), dest);
}

let Some(fd) = this.machine.fds.get(fd_num) else {
trace!("readv: FD not found");
return this.set_last_error_and_return(LibcError("EBADF"), dest);
};
trace!("readv: FD mapped to {fd:?}");

// Convert count only once at the start
let iovcnt = usize::try_from(iovcnt).expect("already checked that iovcnt is positive");

// Get iovec layout information
let iovec_layout = this.libc_ty_layout("iovec");

// Create temporary storage for read results
let read_dest =
this.allocate(this.machine.layouts.isize, MiriMemoryKind::Machine.into())?;
let mut total_bytes_read: i32 = 0;
let mut current_offset = offset;

// Process each iovec structure
for i in 0..iovcnt {
// Access the current iovec structure
let offset_bytes = iovec_layout
.size
.bytes()
.checked_mul(i as u64)
.expect("iovec offset calculation should not overflow");

let current_iov =
this.deref_pointer_and_offset(iov_ptr, offset_bytes, iovec_layout, iovec_layout)?;

// Extract buffer information
let iov_base = this.project_field_named(&current_iov, "iov_base")?;
let iov_base_ptr = this.read_pointer(&iov_base)?;

let iov_len = this.project_field_named(&current_iov, "iov_len")?;
let iov_len = this.read_target_usize(&iov_len)?;

if iov_len == 0 {
continue;
}

// Validate buffer access
let buffer_size = Size::from_bytes(iov_len);
this.check_ptr_access(iov_base_ptr, buffer_size, CheckInAllocMsg::MemoryAccessTest)?;

// Perform the read operation
let read_result = if let Some(off) = current_offset {
// Handle pread case
let Ok(off) = u64::try_from(off) else {
return this.set_last_error_and_return(LibcError("EINVAL"), dest);
};

fd.as_unix().pread(
this.machine.communicate(),
off,
iov_base_ptr,
usize::try_from(iov_len).expect("invalid iovec length: cannot be negative"),
&read_dest,
this,
)?;
this.read_scalar(&read_dest)?.to_i32()?
} else {
// Handle regular read case
fd.read(
&fd,
this.machine.communicate(),
iov_base_ptr,
usize::try_from(iov_len).expect("invalid iovec length: cannot be negative"),
&read_dest,
this,
)?;
this.read_scalar(&read_dest)?.to_i32()?
};

// Handle read result
if read_result < 0 {
this.write_scalar(Scalar::from_i32(read_result), dest)?;
return interp_ok(());
}

// Safe addition with overflow check
total_bytes_read =
total_bytes_read.checked_add(read_result).expect("Total bytes read overflow");

// Update offset for next read if preadv
if let Some(off) = current_offset.as_mut() {
// Safe addition with overflow check for offset
*off =
off.checked_add(i128::from(read_result)).expect("Offset calculation overflow");
}

// Break if we hit EOF (partial read)
// Convert read_result to unsigned safely for comparison
let bytes_read =
u64::try_from(read_result).expect("Read result should be non-negative here");
if bytes_read < iov_len {
break;
}
}

trace!("readv: Total bytes read: {}", total_bytes_read);
this.write_scalar(Scalar::from_i32(total_bytes_read), dest)?;

interp_ok(())
}

fn write(
&mut self,
fd_num: i32,
Expand Down
8 changes: 8 additions & 0 deletions src/shims/unix/foreign_items.rs
Original file line number Diff line number Diff line change
Expand Up @@ -157,6 +157,14 @@ pub trait EvalContextExt<'tcx>: crate::MiriInterpCxExt<'tcx> {
let count = this.read_target_usize(count)?;
this.read(fd, buf, count, None, dest)?;
}

"readv" => {
let [fd, iov, iovcnt] = this.check_shim(abi, ExternAbi::C { unwind: false }, link_name, args)?;
let fd = this.read_scalar(fd)?.to_i32()?;
let iovcnt = this.read_scalar(iovcnt)?.to_i32()?;
this.readv(fd, iov, iovcnt as _, None, dest)?;
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Please don't use as casts. Why are you casting here anyway?

}

"write" => {
let [fd, buf, n] = this.check_shim(abi, ExternAbi::C { unwind: false }, link_name, args)?;
let fd = this.read_scalar(fd)?.to_i32()?;
Expand Down
125 changes: 102 additions & 23 deletions tests/pass-dep/libc/libc-fs.rs
Original file line number Diff line number Diff line change
@@ -1,4 +1,4 @@
//@ignore-target: windows # File handling is not implemented yet

Check failure on line 1 in tests/pass-dep/libc/libc-fs.rs

View workflow job for this annotation

GitHub Actions / build (ubuntu-latest, x86_64-unknown-linux-gnu)

test got exit status: 1

compilation failed, but was expected to succeed

Check failure on line 1 in tests/pass-dep/libc/libc-fs.rs

View workflow job for this annotation

GitHub Actions / build (macos-14, aarch64-apple-darwin)

test got exit status: 1

compilation failed, but was expected to succeed

Check failure on line 1 in tests/pass-dep/libc/libc-fs.rs

View workflow job for this annotation

GitHub Actions / build (windows-latest, i686-pc-windows-msvc)

test got exit code: 1

compilation failed, but was expected to succeed

Check failure on line 1 in tests/pass-dep/libc/libc-fs.rs

View workflow job for this annotation

GitHub Actions / coverage report

test got exit status: 1

compilation failed, but was expected to succeed
//@compile-flags: -Zmiri-disable-isolation

#![feature(io_error_more)]
Expand All @@ -15,31 +15,33 @@
mod utils;

fn main() {
test_dup();
test_dup_stdout_stderr();
test_canonicalize_too_long();
test_rename();
test_ftruncate::<libc::off_t>(libc::ftruncate);
#[cfg(target_os = "linux")]
test_ftruncate::<libc::off64_t>(libc::ftruncate64);
test_file_open_unix_allow_two_args();
test_file_open_unix_needs_three_args();
test_file_open_unix_extra_third_arg();
#[cfg(target_os = "linux")]
test_o_tmpfile_flag();
test_posix_mkstemp();
test_posix_realpath_alloc();
test_posix_realpath_noalloc();
test_posix_realpath_errors();
#[cfg(target_os = "linux")]
test_posix_fadvise();
#[cfg(target_os = "linux")]
test_sync_file_range();
test_isatty();
test_read_and_uninit();
test_nofollow_not_symlink();
// test_dup();
// test_dup_stdout_stderr();
// test_canonicalize_too_long();
// test_rename();
// test_ftruncate::<libc::off_t>(libc::ftruncate);
// #[cfg(target_os = "linux")]
// test_ftruncate::<libc::off64_t>(libc::ftruncate64);
// test_file_open_unix_allow_two_args();
// test_file_open_unix_needs_three_args();
// test_file_open_unix_extra_third_arg();
// #[cfg(target_os = "linux")]
// test_o_tmpfile_flag();
// test_posix_mkstemp();
// test_posix_realpath_alloc();
// test_posix_realpath_noalloc();
// test_posix_realpath_errors();
// #[cfg(target_os = "linux")]
// test_posix_fadvise();
// #[cfg(target_os = "linux")]
// test_sync_file_range();
// test_isatty();
// test_read_and_uninit();
// test_nofollow_not_symlink();
test_readv();
}

#[allow(unused)]
fn test_file_open_unix_allow_two_args() {
let path = utils::prepare_with_content("test_file_open_unix_allow_two_args.txt", &[]);

Expand All @@ -49,6 +51,7 @@
let _fd = unsafe { libc::open(name_ptr, libc::O_RDONLY) };
}

#[allow(unused)]
fn test_file_open_unix_needs_three_args() {
let path = utils::prepare_with_content("test_file_open_unix_needs_three_args.txt", &[]);

Expand All @@ -58,6 +61,7 @@
let _fd = unsafe { libc::open(name_ptr, libc::O_CREAT, 0o666) };
}

#[allow(unused)]
fn test_file_open_unix_extra_third_arg() {
let path = utils::prepare_with_content("test_file_open_unix_extra_third_arg.txt", &[]);

Expand All @@ -67,6 +71,7 @@
let _fd = unsafe { libc::open(name_ptr, libc::O_RDONLY, 42) };
}

#[allow(unused)]
fn test_dup_stdout_stderr() {
let bytes = b"hello dup fd\n";
unsafe {
Expand All @@ -77,6 +82,7 @@
}
}

#[allow(unused)]
fn test_dup() {
let bytes = b"dup and dup2";
let path = utils::prepare_with_content("miri_test_libc_dup.txt", bytes);
Expand All @@ -102,12 +108,14 @@
}
}

#[allow(unused)]
fn test_canonicalize_too_long() {
// Make sure we get an error for long paths.
let too_long = "x/".repeat(libc::PATH_MAX.try_into().unwrap());
assert!(canonicalize(too_long).is_err());
}

#[allow(unused)]
fn test_rename() {
let path1 = utils::prepare("miri_test_libc_fs_source.txt");
let path2 = utils::prepare("miri_test_libc_fs_rename_destination.txt");
Expand All @@ -133,6 +141,7 @@
remove_file(&path2).unwrap();
}

#[allow(unused)]
fn test_ftruncate<T: From<i32>>(
ftruncate: unsafe extern "C" fn(fd: libc::c_int, length: T) -> libc::c_int,
) {
Expand Down Expand Up @@ -167,6 +176,7 @@
remove_file(&path).unwrap();
}

#[allow(unused)]
#[cfg(target_os = "linux")]
fn test_o_tmpfile_flag() {
use std::fs::{OpenOptions, create_dir};
Expand All @@ -186,6 +196,7 @@
);
}

#[allow(unused)]
fn test_posix_mkstemp() {
use std::ffi::OsStr;
use std::os::unix::io::FromRawFd;
Expand Down Expand Up @@ -228,6 +239,7 @@
}
}

#[allow(unused)]
/// Test allocating variant of `realpath`.
fn test_posix_realpath_alloc() {
use std::os::unix::ffi::{OsStrExt, OsStringExt};
Expand All @@ -253,6 +265,7 @@
remove_file(&path).unwrap();
}

#[allow(unused)]
/// Test non-allocating variant of `realpath`.
fn test_posix_realpath_noalloc() {
use std::ffi::{CStr, CString};
Expand Down Expand Up @@ -280,6 +293,7 @@
remove_file(&path).unwrap();
}

#[allow(unused)]
/// Test failure cases for `realpath`.
fn test_posix_realpath_errors() {
use std::ffi::CString;
Expand All @@ -294,6 +308,7 @@
assert_eq!(e.kind(), ErrorKind::NotFound);
}

#[allow(unused)]
#[cfg(target_os = "linux")]
fn test_posix_fadvise() {
use std::io::Write;
Expand Down Expand Up @@ -321,6 +336,7 @@
assert_eq!(result, 0);
}

#[allow(unused)]
#[cfg(target_os = "linux")]
fn test_sync_file_range() {
use std::io::Write;
Expand Down Expand Up @@ -366,6 +382,7 @@
assert_eq!(result_2, 0);
}

#[allow(unused)]
fn test_isatty() {
// Testing whether our isatty shim returns the right value would require controlling whether
// these streams are actually TTYs, which is hard.
Expand All @@ -390,6 +407,7 @@
}
}

#[allow(unused)]
fn test_read_and_uninit() {
use std::mem::MaybeUninit;
{
Expand Down Expand Up @@ -424,10 +442,71 @@
}
}

#[allow(unused)]
fn test_nofollow_not_symlink() {
let bytes = b"Hello, World!\n";
let path = utils::prepare_with_content("test_nofollow_not_symlink.txt", bytes);
let cpath = CString::new(path.as_os_str().as_bytes()).unwrap();
let ret = unsafe { libc::open(cpath.as_ptr(), libc::O_NOFOLLOW | libc::O_CLOEXEC) };
assert!(ret >= 0);
}

fn test_readv() {
let bytes = b"abcdefgh";
let path = utils::prepare_with_content("miri_test_libc_readv.txt", bytes);

// Convert path to a null-terminated CString
let name = CString::new(path.into_os_string().into_string().unwrap()).unwrap();
let name_ptr = name.as_ptr();

unsafe {
let mut first_buf = [0u8; 4];
let mut second_buf = [0u8; 8];

// Define iovec structures
let iov: [libc::iovec; 2] = [
libc::iovec {
iov_len: first_buf.len() as usize,
iov_base: first_buf.as_mut_ptr() as *mut libc::c_void,
},
libc::iovec {
iov_len: second_buf.len() as usize,
iov_base: second_buf.as_mut_ptr() as *mut libc::c_void,
},
];

// Open file
let fd = libc::open(name_ptr, libc::O_RDONLY);
if fd < 0 {
eprintln!("Failed to open file: {}", Error::last_os_error().to_string());
return;
}

// Call readv with proper type conversions
let iovcnt = libc::c_int::try_from(iov.len()).expect("iovec count too large for platform");

// Call readv with proper type handling for the count
let res = libc::readv(fd, iov.as_ptr() as *const libc::iovec, iovcnt);

if res < 0 {
eprintln!("Failed to readv: {}", Error::last_os_error());
libc::close(fd);
return;
}

// Print the results
println!("libc::readv rval({})", res);

// Validate buffers
if first_buf != *b"abcd" {
eprintln!("First buffer mismatch: {:?}", first_buf);
}

if second_buf != *b"efgh\0\0\0\0" {
eprintln!("Second buffer mismatch: {:?}", second_buf);
}

// Close the file descriptor
libc::close(fd);
}
}
Loading