2025-02-23 23:11:05 +08:00

264 lines
6.8 KiB
Rust

// SPDX-License-Identifier: MPL-2.0
use core::{cell::Cell, time::Duration};
use super::SyscallReturn;
use crate::{
events::IoEvents,
fs::{
file_handle::FileLike,
file_table::{FileDesc, FileTable},
},
prelude::*,
process::signal::Poller,
};
pub fn sys_poll(fds: Vaddr, nfds: u64, timeout: i32, ctx: &Context) -> Result<SyscallReturn> {
let user_space = ctx.user_space();
let poll_fds = {
let mut read_addr = fds;
let mut poll_fds = Vec::with_capacity(nfds as _);
for _ in 0..nfds {
let c_poll_fd = user_space.read_val::<c_pollfd>(read_addr)?;
read_addr += core::mem::size_of::<c_pollfd>();
let poll_fd = PollFd::from(c_poll_fd);
// Always clear the revents fields first
poll_fd.revents().set(IoEvents::empty());
poll_fds.push(poll_fd);
}
poll_fds
};
let timeout = if timeout >= 0 {
Some(Duration::from_millis(timeout as _))
} else {
None
};
debug!(
"poll_fds = {:?}, nfds = {}, timeout = {:?}",
poll_fds, nfds, timeout
);
let num_revents = do_poll(&poll_fds, timeout.as_ref(), ctx)?;
// Write back
let mut write_addr = fds;
for pollfd in poll_fds {
let c_poll_fd = c_pollfd::from(pollfd);
user_space.write_val(write_addr, &c_poll_fd)?;
write_addr += core::mem::size_of::<c_pollfd>();
}
Ok(SyscallReturn::Return(num_revents as _))
}
pub fn do_poll(poll_fds: &[PollFd], timeout: Option<&Duration>, ctx: &Context) -> Result<usize> {
let mut file_table = ctx.thread_local.file_table().borrow_mut();
let poll_files = if let Some(file_table_inner) = file_table.get() {
PollFiles::new_borrowed(poll_fds, file_table_inner)
} else {
let file_table_locked = file_table.read();
PollFiles::new_owned(poll_fds, &file_table_locked)
};
let poller = match poll_files.register_poller(timeout) {
PollerResult::Registered(poller) => poller,
PollerResult::FoundEvents(num_events) => return Ok(num_events),
};
loop {
match poller.wait() {
Ok(()) => (),
// We should return zero if the timeout expires
// before any file descriptors are ready.
Err(err) if err.error() == Errno::ETIME => return Ok(0),
Err(err) => return Err(err),
};
let num_events = poll_files.count_events();
if num_events > 0 {
return Ok(num_events);
}
}
}
struct PollFiles<'a> {
poll_fds: &'a [PollFd],
files: CowFiles<'a>,
}
enum CowFiles<'a> {
Borrowed(&'a FileTable),
Owned(Vec<Option<Arc<dyn FileLike>>>),
}
impl<'a> PollFiles<'a> {
/// Creates `PollFiles` by holding the file table reference.
fn new_borrowed(poll_fds: &'a [PollFd], file_table: &'a FileTable) -> Self {
Self {
poll_fds,
files: CowFiles::Borrowed(file_table),
}
}
/// Creates `PollFiles` by cloning all files that we're going to poll.
fn new_owned(poll_fds: &'a [PollFd], file_table: &FileTable) -> Self {
let files = poll_fds
.iter()
.map(|poll_fd| {
poll_fd
.fd()
.and_then(|fd| file_table.get_file(fd).ok().cloned())
})
.collect();
Self {
poll_fds,
files: CowFiles::Owned(files),
}
}
}
enum PollerResult {
Registered(Poller),
FoundEvents(usize),
}
impl PollFiles<'_> {
/// Registers the files with a poller, or exits early if some events are detected.
fn register_poller(&self, timeout: Option<&Duration>) -> PollerResult {
let mut poller = Poller::new(timeout);
for (index, poll_fd) in self.poll_fds.iter().enumerate() {
let events = if let Some(file) = self.file_at(index) {
file.poll(poll_fd.events(), Some(poller.as_handle_mut()))
} else {
IoEvents::NVAL
};
if events.is_empty() {
continue;
}
poll_fd.revents().set(events);
return PollerResult::FoundEvents(1 + self.count_events_from(1 + index));
}
PollerResult::Registered(poller)
}
/// Counts the number of the ready files.
fn count_events(&self) -> usize {
self.count_events_from(0)
}
/// Counts the number of the ready files from the given index.
fn count_events_from(&self, start: usize) -> usize {
let mut counter = 0;
for index in start..self.poll_fds.len() {
let poll_fd = &self.poll_fds[index];
let events = if let Some(file) = self.file_at(index) {
file.poll(poll_fd.events(), None)
} else {
IoEvents::NVAL
};
if events.is_empty() {
continue;
}
poll_fd.revents().set(events);
counter += 1;
}
counter
}
fn file_at(&self, index: usize) -> Option<&dyn FileLike> {
match &self.files {
CowFiles::Borrowed(table) => self.poll_fds[index]
.fd()
.and_then(|fd| table.get_file(fd).ok())
.map(Arc::as_ref),
CowFiles::Owned(files) => files[index].as_deref(),
}
}
}
// https://github.com/torvalds/linux/blob/master/include/uapi/asm-generic/poll.h
#[derive(Debug, Clone, Copy, Pod)]
#[repr(C)]
struct c_pollfd {
fd: i32,
events: i16,
revents: i16,
}
#[derive(Debug, Clone)]
pub struct PollFd {
fd: Option<FileDesc>,
events: IoEvents,
revents: Cell<IoEvents>,
}
impl PollFd {
pub fn new(fd: Option<FileDesc>, events: IoEvents) -> Self {
let revents = Cell::new(IoEvents::empty());
Self {
fd,
events,
revents,
}
}
pub fn fd(&self) -> Option<FileDesc> {
self.fd
}
pub fn events(&self) -> IoEvents {
self.events
}
pub fn revents(&self) -> &Cell<IoEvents> {
&self.revents
}
}
impl From<c_pollfd> for PollFd {
fn from(raw: c_pollfd) -> Self {
let fd = if raw.fd >= 0 {
Some(raw.fd as FileDesc)
} else {
None
};
let events = IoEvents::from_bits_truncate(raw.events as _);
let revents = Cell::new(IoEvents::from_bits_truncate(raw.revents as _));
Self {
fd,
events,
revents,
}
}
}
impl From<PollFd> for c_pollfd {
fn from(raw: PollFd) -> Self {
let fd = raw.fd().unwrap_or(-1);
let events = raw.events().bits() as i16;
let revents = raw.revents().get().bits() as i16;
Self {
fd,
events,
revents,
}
}
}