#[cfg_attr(all(doc, docsrs), doc(cfg(all())))]
#[allow(unused_imports)]
pub use std::os::fd::{AsRawFd, OwnedFd, RawFd};
use std::{io, os::fd::FromRawFd, pin::Pin, sync::Arc, task::Poll, time::Duration};
use compio_log::{instrument, trace, warn};
use crossbeam_queue::SegQueue;
cfg_if::cfg_if! {
if #[cfg(feature = "io-uring-cqe32")] {
use io_uring::cqueue::Entry32 as CEntry;
} else {
use io_uring::cqueue::Entry as CEntry;
}
}
cfg_if::cfg_if! {
if #[cfg(feature = "io-uring-sqe128")] {
use io_uring::squeue::Entry128 as SEntry;
} else {
use io_uring::squeue::Entry as SEntry;
}
}
use io_uring::{
IoUring,
cqueue::more,
opcode::{AsyncCancel, PollAdd},
types::{Fd, SubmitArgs, Timespec},
};
pub(crate) use libc::{sockaddr_storage, socklen_t};
use crate::{AsyncifyPool, Entry, Key, ProactorBuilder, syscall};
pub(crate) mod op;
pub enum OpEntry {
Submission(io_uring::squeue::Entry),
#[cfg(feature = "io-uring-sqe128")]
Submission128(io_uring::squeue::Entry128),
Blocking,
}
impl From<io_uring::squeue::Entry> for OpEntry {
fn from(value: io_uring::squeue::Entry) -> Self {
Self::Submission(value)
}
}
#[cfg(feature = "io-uring-sqe128")]
impl From<io_uring::squeue::Entry128> for OpEntry {
fn from(value: io_uring::squeue::Entry128) -> Self {
Self::Submission128(value)
}
}
pub trait OpCode {
fn create_entry(self: Pin<&mut Self>) -> OpEntry;
fn call_blocking(self: Pin<&mut Self>) -> io::Result<usize> {
unreachable!("this operation is asynchronous")
}
unsafe fn set_result(self: Pin<&mut Self>, _: usize) {}
}
pub(crate) struct Driver {
inner: IoUring<SEntry, CEntry>,
notifier: Notifier,
pool: AsyncifyPool,
pool_completed: Arc<SegQueue<Entry>>,
}
impl Driver {
const CANCEL: u64 = u64::MAX;
const NOTIFY: u64 = u64::MAX - 1;
pub fn new(builder: &ProactorBuilder) -> io::Result<Self> {
instrument!(compio_log::Level::TRACE, "new", ?builder);
trace!("new iour driver");
let notifier = Notifier::new()?;
let mut io_uring_builder = IoUring::builder();
if let Some(sqpoll_idle) = builder.sqpoll_idle {
io_uring_builder.setup_sqpoll(sqpoll_idle.as_millis() as _);
}
let mut inner = io_uring_builder.build(builder.capacity)?;
#[allow(clippy::useless_conversion)]
unsafe {
inner
.submission()
.push(
&PollAdd::new(Fd(notifier.as_raw_fd()), libc::POLLIN as _)
.multi(true)
.build()
.user_data(Self::NOTIFY)
.into(),
)
.expect("the squeue sould not be full");
}
Ok(Self {
inner,
notifier,
pool: builder.create_or_get_thread_pool(),
pool_completed: Arc::new(SegQueue::new()),
})
}
fn submit_auto(&mut self, timeout: Option<Duration>) -> io::Result<()> {
instrument!(compio_log::Level::TRACE, "submit_auto", ?timeout);
let res = {
if let Some(duration) = timeout {
let timespec = timespec(duration);
let args = SubmitArgs::new().timespec(×pec);
self.inner.submitter().submit_with_args(1, &args)
} else {
self.inner.submit_and_wait(1)
}
};
trace!("submit result: {res:?}");
match res {
Ok(_) => {
if self.inner.completion().is_empty() {
Err(io::ErrorKind::TimedOut.into())
} else {
Ok(())
}
}
Err(e) => match e.raw_os_error() {
Some(libc::ETIME) => Err(io::ErrorKind::TimedOut.into()),
Some(libc::EBUSY) | Some(libc::EAGAIN) => Err(io::ErrorKind::Interrupted.into()),
_ => Err(e),
},
}
}
fn poll_blocking(&mut self) {
if !self.pool_completed.is_empty() {
while let Some(entry) = self.pool_completed.pop() {
unsafe {
entry.notify();
}
}
}
}
fn poll_entries(&mut self) -> bool {
self.poll_blocking();
let mut cqueue = self.inner.completion();
cqueue.sync();
let has_entry = !cqueue.is_empty();
for entry in cqueue {
match entry.user_data() {
Self::CANCEL => {}
Self::NOTIFY => {
let flags = entry.flags();
debug_assert!(more(flags));
self.notifier.clear().expect("cannot clear notifier");
}
_ => unsafe {
create_entry(entry).notify();
},
}
}
has_entry
}
pub fn create_op<T: crate::sys::OpCode + 'static>(&self, op: T) -> Key<T> {
Key::new(self.as_raw_fd(), op)
}
pub fn attach(&mut self, _fd: RawFd) -> io::Result<()> {
Ok(())
}
pub fn cancel(&mut self, op: &mut Key<dyn crate::sys::OpCode>) {
instrument!(compio_log::Level::TRACE, "cancel", ?op);
trace!("cancel RawOp");
unsafe {
#[allow(clippy::useless_conversion)]
if self
.inner
.submission()
.push(
&AsyncCancel::new(op.user_data() as _)
.build()
.user_data(Self::CANCEL)
.into(),
)
.is_err()
{
warn!("could not push AsyncCancel entry");
}
}
}
fn push_raw(&mut self, entry: SEntry) -> io::Result<()> {
loop {
let mut squeue = self.inner.submission();
match unsafe { squeue.push(&entry) } {
Ok(()) => {
squeue.sync();
break Ok(());
}
Err(_) => {
drop(squeue);
self.poll_entries();
match self.submit_auto(Some(Duration::ZERO)) {
Ok(()) => {}
Err(e)
if matches!(
e.kind(),
io::ErrorKind::TimedOut | io::ErrorKind::Interrupted
) => {}
Err(e) => return Err(e),
}
}
}
}
}
pub fn push(&mut self, op: &mut Key<dyn crate::sys::OpCode>) -> Poll<io::Result<usize>> {
instrument!(compio_log::Level::TRACE, "push", ?op);
let user_data = op.user_data();
let op_pin = op.as_op_pin();
trace!("push RawOp");
match op_pin.create_entry() {
OpEntry::Submission(entry) => {
#[allow(clippy::useless_conversion)]
self.push_raw(entry.user_data(user_data as _).into())?;
Poll::Pending
}
#[cfg(feature = "io-uring-sqe128")]
OpEntry::Submission128(entry) => {
self.push_raw(entry.user_data(user_data as _))?;
Poll::Pending
}
OpEntry::Blocking => loop {
if self.push_blocking(user_data)? {
break Poll::Pending;
} else {
self.poll_blocking();
}
},
}
}
fn push_blocking(&mut self, user_data: usize) -> io::Result<bool> {
let handle = self.handle()?;
let completed = self.pool_completed.clone();
let is_ok = self
.pool
.dispatch(move || {
let mut op = unsafe { Key::<dyn crate::sys::OpCode>::new_unchecked(user_data) };
let op_pin = op.as_op_pin();
let res = op_pin.call_blocking();
completed.push(Entry::new(user_data, res));
handle.notify().ok();
})
.is_ok();
Ok(is_ok)
}
pub unsafe fn poll(&mut self, timeout: Option<Duration>) -> io::Result<()> {
instrument!(compio_log::Level::TRACE, "poll", ?timeout);
trace!("start polling");
if !self.poll_entries() {
self.submit_auto(timeout)?;
self.poll_entries();
}
Ok(())
}
pub fn handle(&self) -> io::Result<NotifyHandle> {
self.notifier.handle()
}
}
impl AsRawFd for Driver {
fn as_raw_fd(&self) -> RawFd {
self.inner.as_raw_fd()
}
}
fn create_entry(cq_entry: CEntry) -> Entry {
let result = cq_entry.result();
let result = if result < 0 {
let result = if result == -libc::ECANCELED {
libc::ETIMEDOUT
} else {
-result
};
Err(io::Error::from_raw_os_error(result))
} else {
Ok(result as _)
};
let mut entry = Entry::new(cq_entry.user_data() as _, result);
entry.set_flags(cq_entry.flags());
entry
}
fn timespec(duration: std::time::Duration) -> Timespec {
Timespec::new()
.sec(duration.as_secs())
.nsec(duration.subsec_nanos())
}
#[derive(Debug)]
struct Notifier {
fd: Arc<OwnedFd>,
}
impl Notifier {
fn new() -> io::Result<Self> {
let fd = syscall!(libc::eventfd(0, libc::EFD_CLOEXEC | libc::EFD_NONBLOCK))?;
let fd = unsafe { OwnedFd::from_raw_fd(fd) };
Ok(Self { fd: Arc::new(fd) })
}
pub fn clear(&self) -> io::Result<()> {
loop {
let mut buffer = [0u64];
let res = syscall!(libc::read(
self.fd.as_raw_fd(),
buffer.as_mut_ptr().cast(),
std::mem::size_of::<u64>()
));
match res {
Ok(len) => {
debug_assert_eq!(len, std::mem::size_of::<u64>() as _);
break Ok(());
}
Err(e) if e.kind() == io::ErrorKind::WouldBlock => break Ok(()),
Err(e) if e.kind() == io::ErrorKind::Interrupted => continue,
Err(e) => break Err(e),
}
}
}
pub fn handle(&self) -> io::Result<NotifyHandle> {
Ok(NotifyHandle::new(self.fd.clone()))
}
}
impl AsRawFd for Notifier {
fn as_raw_fd(&self) -> RawFd {
self.fd.as_raw_fd()
}
}
pub struct NotifyHandle {
fd: Arc<OwnedFd>,
}
impl NotifyHandle {
pub(crate) fn new(fd: Arc<OwnedFd>) -> Self {
Self { fd }
}
pub fn notify(&self) -> io::Result<()> {
let data = 1u64;
syscall!(libc::write(
self.fd.as_raw_fd(),
&data as *const _ as *const _,
std::mem::size_of::<u64>(),
))?;
Ok(())
}
}