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
//! Submission Queue
use std::error::Error;
use std::fmt::{self, Debug, Display, Formatter};
use std::sync::atomic;
use crate::sys;
use crate::util::{unsync_load, Mmap};
use bitflags::bitflags;
pub(crate) struct Inner {
pub(crate) head: *const atomic::AtomicU32,
pub(crate) tail: *const atomic::AtomicU32,
pub(crate) ring_mask: u32,
pub(crate) ring_entries: u32,
pub(crate) flags: *const atomic::AtomicU32,
dropped: *const atomic::AtomicU32,
pub(crate) sqes: *mut sys::io_uring_sqe,
}
/// An io_uring instance's submission queue. This is used to send I/O requests to the kernel.
pub struct SubmissionQueue<'a> {
head: u32,
tail: u32,
queue: &'a Inner,
}
/// An entry in the submission queue, representing a request for an I/O operation.
///
/// These can be created via the opcodes in [`opcode`](crate::opcode).
#[repr(transparent)]
#[derive(Clone)]
pub struct Entry(pub(crate) sys::io_uring_sqe);
bitflags! {
/// Submission flags
pub struct Flags: u8 {
/// When this flag is specified,
/// `fd` is an index into the files array registered with the io_uring instance.
#[doc(hidden)]
const FIXED_FILE = 1 << sys::IOSQE_FIXED_FILE_BIT;
/// When this flag is specified,
/// the SQE will not be started before previously submitted SQEs have completed,
/// and new SQEs will not be started before this one completes.
const IO_DRAIN = 1 << sys::IOSQE_IO_DRAIN_BIT;
/// When this flag is specified,
/// it forms a link with the next SQE in the submission ring.
/// That next SQE will not be started before this one completes.
const IO_LINK = 1 << sys::IOSQE_IO_LINK_BIT;
/// Like [`IO_LINK`](Self::IO_LINK), but it doesn’t sever regardless of the completion
/// result.
const IO_HARDLINK = 1 << sys::IOSQE_IO_HARDLINK_BIT;
/// Normal operation for io_uring is to try and issue an sqe as non-blocking first,
/// and if that fails, execute it in an async manner.
///
/// To support more efficient overlapped operation of requests
/// that the application knows/assumes will always (or most of the time) block,
/// the application can ask for an sqe to be issued async from the start.
const ASYNC = 1 << sys::IOSQE_ASYNC_BIT;
/// Conceptually the kernel holds a set of buffers organized into groups. When you issue a
/// request with this flag and set `buf_group` to a valid buffer group ID (e.g.
/// [`buf_group` on `Read`](crate::opcode::Read::buf_group)) then once the file descriptor
/// becomes ready the kernel will try to take a buffer from the group.
///
/// If there are no buffers in the group, your request will fail with `-ENOBUFS`. Otherwise,
/// the corresponding [`cqueue::Entry::flags`](crate::cqueue::Entry::flags) will contain the
/// chosen buffer ID, encoded with:
///
/// ```text
/// (buffer_id << IORING_CQE_BUFFER_SHIFT) | IORING_CQE_F_BUFFER
/// ```
///
/// You can use [`buffer_select`](crate::cqueue::buffer_select) to take the buffer ID.
///
/// The buffer will then be removed from the group and won't be usable by other requests
/// anymore.
///
/// You can provide new buffers in a group with
/// [`ProvideBuffers`](crate::opcode::ProvideBuffers).
///
/// See also [the LWN thread on automatic buffer
/// selection](https://lwn.net/Articles/815491/).
///
/// Requires the `unstable` feature.
#[cfg(feature = "unstable")]
const BUFFER_SELECT = 1 << sys::IOSQE_BUFFER_SELECT_BIT;
}
}
impl Inner {
#[rustfmt::skip]
pub(crate) unsafe fn new(
sq_mmap: &Mmap,
sqe_mmap: &Mmap,
p: &sys::io_uring_params,
) -> Self {
let head = sq_mmap.offset(p.sq_off.head ) as *const atomic::AtomicU32;
let tail = sq_mmap.offset(p.sq_off.tail ) as *const atomic::AtomicU32;
let ring_mask = sq_mmap.offset(p.sq_off.ring_mask ).cast::<u32>().read();
let ring_entries = sq_mmap.offset(p.sq_off.ring_entries).cast::<u32>().read();
let flags = sq_mmap.offset(p.sq_off.flags ) as *const atomic::AtomicU32;
let dropped = sq_mmap.offset(p.sq_off.dropped ) as *const atomic::AtomicU32;
let array = sq_mmap.offset(p.sq_off.array ) as *mut u32;
let sqes = sqe_mmap.as_mut_ptr() as *mut sys::io_uring_sqe;
// To keep it simple, map it directly to `sqes`.
for i in 0..ring_entries {
array.add(i as usize).write_volatile(i);
}
Self {
head,
tail,
ring_mask,
ring_entries,
flags,
dropped,
sqes,
}
}
#[inline]
pub(crate) unsafe fn borrow_shared(&self) -> SubmissionQueue<'_> {
SubmissionQueue {
head: (*self.head).load(atomic::Ordering::Acquire),
tail: unsync_load(self.tail),
queue: self,
}
}
#[inline]
pub(crate) fn borrow(&mut self) -> SubmissionQueue<'_> {
unsafe { self.borrow_shared() }
}
}
impl SubmissionQueue<'_> {
/// Synchronize this type with the real submission queue.
///
/// This will flush any entries added by [`push`](Self::push) or
/// [`push_multiple`](Self::push_multiple) and will update the queue's length if the kernel has
/// consumed some entries in the meantime.
#[inline]
pub fn sync(&mut self) {
unsafe {
(*self.queue.tail).store(self.tail, atomic::Ordering::Release);
self.head = (*self.queue.head).load(atomic::Ordering::Acquire);
}
}
/// When [`is_setup_sqpoll`](crate::Parameters::is_setup_sqpoll) is set, whether the kernel
/// threads has gone to sleep and requires a system call to wake it up.
#[inline]
pub fn need_wakeup(&self) -> bool {
unsafe {
(*self.queue.flags).load(atomic::Ordering::Acquire) & sys::IORING_SQ_NEED_WAKEUP != 0
}
}
/// The number of invalid submission queue entries that have been encountered in the ring
/// buffer.
pub fn dropped(&self) -> u32 {
unsafe { (*self.queue.dropped).load(atomic::Ordering::Acquire) }
}
/// Returns `true` if the completion queue ring is overflown.
pub fn cq_overflow(&self) -> bool {
unsafe {
(*self.queue.flags).load(atomic::Ordering::Acquire) & sys::IORING_SQ_CQ_OVERFLOW != 0
}
}
/// Get the total number of entries in the submission queue ring buffer.
#[inline]
pub fn capacity(&self) -> usize {
self.queue.ring_entries as usize
}
/// Get the number of submission queue events in the ring buffer.
#[inline]
pub fn len(&self) -> usize {
self.tail.wrapping_sub(self.head) as usize
}
/// Returns `true` if the submission queue ring buffer is empty.
#[inline]
pub fn is_empty(&self) -> bool {
self.len() == 0
}
/// Returns `true` if the submission queue ring buffer has reached capacity, and no more events
/// can be added before the kernel consumes some.
#[inline]
pub fn is_full(&self) -> bool {
self.len() == self.capacity()
}
/// Attempts to push an [`Entry`] into the queue.
/// If the queue is full, an error is returned.
///
/// # Safety
///
/// Developers must ensure that parameters of the [`Entry`] (such as buffer) are valid and will
/// be valid for the entire duration of the operation, otherwise it may cause memory problems.
#[inline]
pub unsafe fn push(&mut self, Entry(entry): &Entry) -> Result<(), PushError> {
if !self.is_full() {
*self
.queue
.sqes
.add((self.tail & self.queue.ring_mask) as usize) = *entry;
self.tail = self.tail.wrapping_add(1);
Ok(())
} else {
Err(PushError)
}
}
/// Attempts to push several [entries](Entry) into the queue.
/// If the queue does not have space for all of the entries, an error is returned.
///
/// # Safety
///
/// Developers must ensure that parameters of all the entries (such as buffer) are valid and
/// will be valid for the entire duration of the operation, otherwise it may cause memory
/// problems.
#[cfg(feature = "unstable")]
#[inline]
pub unsafe fn push_multiple(&mut self, entries: &[Entry]) -> Result<(), PushError> {
if self.capacity() - self.len() < entries.len() {
return Err(PushError);
}
for Entry(entry) in entries {
*self
.queue
.sqes
.add((self.tail & self.queue.ring_mask) as usize) = *entry;
self.tail = self.tail.wrapping_add(1);
}
Ok(())
}
}
impl Drop for SubmissionQueue<'_> {
#[inline]
fn drop(&mut self) {
unsafe { &*self.queue.tail }.store(self.tail, atomic::Ordering::Release);
}
}
impl Entry {
/// Set the submission event's [flags](Flags).
#[inline]
pub fn flags(mut self, flags: Flags) -> Entry {
self.0.flags |= flags.bits();
self
}
/// Set the user data. This is an application-supplied value that will be passed straight
/// through into the [completion queue entry](crate::cqueue::Entry::user_data).
#[inline]
pub fn user_data(mut self, user_data: u64) -> Entry {
self.0.user_data = user_data;
self
}
/// Set the personality of this event. You can obtain a personality using
/// [`Submitter::register_personality`](crate::Submitter::register_personality).
///
/// Requires the `unstable` feature.
#[cfg(feature = "unstable")]
pub fn personality(mut self, personality: u16) -> Entry {
self.0.personality = personality;
self
}
}
/// An error pushing to the submission queue due to it being full.
#[derive(Debug, Clone, PartialEq, Eq)]
#[non_exhaustive]
pub struct PushError;
impl Display for PushError {
fn fmt(&self, f: &mut Formatter<'_>) -> fmt::Result {
f.write_str("submission queue is full")
}
}
impl Error for PushError {}
impl Debug for Entry {
fn fmt(&self, f: &mut Formatter<'_>) -> fmt::Result {
f.debug_struct("Entry")
.field("op_code", &self.0.opcode)
.field("flags", &self.0.flags)
.field("user_data", &self.0.user_data)
.finish()
}
}
impl Debug for SubmissionQueue<'_> {
fn fmt(&self, f: &mut Formatter<'_>) -> fmt::Result {
let mut d = f.debug_list();
let mut pos = self.head;
while pos != self.tail {
let entry: &Entry = unsafe {
&*(self.queue.sqes.add((pos & self.queue.ring_mask) as usize) as *const Entry)
};
d.entry(&entry);
pos = pos.wrapping_add(1);
}
d.finish()
}
}