1 // SPDX-License-Identifier: GPL-2.0 2 3 //! This module provides a wrapper for the C `struct request` type. 4 //! 5 //! C header: [`include/linux/blk-mq.h`](srctree/include/linux/blk-mq.h) 6 7 use crate::{ 8 bindings, 9 block::mq::Operations, 10 error::Result, 11 types::{ARef, AlwaysRefCounted, Opaque}, 12 }; 13 use core::{ 14 marker::PhantomData, 15 ptr::NonNull, 16 sync::atomic::{AtomicU64, Ordering}, 17 }; 18 19 /// A wrapper around a blk-mq [`struct request`]. This represents an IO request. 20 /// 21 /// # Implementation details 22 /// 23 /// There are four states for a request that the Rust bindings care about: 24 /// 25 /// 1. Request is owned by block layer (refcount 0). 26 /// 2. Request is owned by driver but with zero [`ARef`]s in existence 27 /// (refcount 1). 28 /// 3. Request is owned by driver with exactly one [`ARef`] in existence 29 /// (refcount 2). 30 /// 4. Request is owned by driver with more than one [`ARef`] in existence 31 /// (refcount > 2). 32 /// 33 /// 34 /// We need to track 1 and 2 to ensure we fail tag to request conversions for 35 /// requests that are not owned by the driver. 36 /// 37 /// We need to track 3 and 4 to ensure that it is safe to end the request and hand 38 /// back ownership to the block layer. 39 /// 40 /// The states are tracked through the private `refcount` field of 41 /// `RequestDataWrapper`. This structure lives in the private data area of the C 42 /// [`struct request`]. 43 /// 44 /// # Invariants 45 /// 46 /// * `self.0` is a valid [`struct request`] created by the C portion of the 47 /// kernel. 48 /// * The private data area associated with this request must be an initialized 49 /// and valid `RequestDataWrapper<T>`. 50 /// * `self` is reference counted by atomic modification of 51 /// `self.wrapper_ref().refcount()`. 52 /// 53 /// [`struct request`]: srctree/include/linux/blk-mq.h 54 /// 55 #[repr(transparent)] 56 pub struct Request<T>(Opaque<bindings::request>, PhantomData<T>); 57 58 impl<T: Operations> Request<T> { 59 /// Create an [`ARef<Request>`] from a [`struct request`] pointer. 60 /// 61 /// # Safety 62 /// 63 /// * The caller must own a refcount on `ptr` that is transferred to the 64 /// returned [`ARef`]. 65 /// * The type invariants for [`Request`] must hold for the pointee of `ptr`. 66 /// 67 /// [`struct request`]: srctree/include/linux/blk-mq.h 68 pub(crate) unsafe fn aref_from_raw(ptr: *mut bindings::request) -> ARef<Self> { 69 // INVARIANT: By the safety requirements of this function, invariants are upheld. 70 // SAFETY: By the safety requirement of this function, we own a 71 // reference count that we can pass to `ARef`. 72 unsafe { ARef::from_raw(NonNull::new_unchecked(ptr.cast())) } 73 } 74 75 /// Notify the block layer that a request is going to be processed now. 76 /// 77 /// The block layer uses this hook to do proper initializations such as 78 /// starting the timeout timer. It is a requirement that block device 79 /// drivers call this function when starting to process a request. 80 /// 81 /// # Safety 82 /// 83 /// The caller must have exclusive ownership of `self`, that is 84 /// `self.wrapper_ref().refcount() == 2`. 85 pub(crate) unsafe fn start_unchecked(this: &ARef<Self>) { 86 // SAFETY: By type invariant, `self.0` is a valid `struct request` and 87 // we have exclusive access. 88 unsafe { bindings::blk_mq_start_request(this.0.get()) }; 89 } 90 91 /// Try to take exclusive ownership of `this` by dropping the refcount to 0. 92 /// This fails if `this` is not the only [`ARef`] pointing to the underlying 93 /// [`Request`]. 94 /// 95 /// If the operation is successful, [`Ok`] is returned with a pointer to the 96 /// C [`struct request`]. If the operation fails, `this` is returned in the 97 /// [`Err`] variant. 98 /// 99 /// [`struct request`]: srctree/include/linux/blk-mq.h 100 fn try_set_end(this: ARef<Self>) -> Result<*mut bindings::request, ARef<Self>> { 101 // We can race with `TagSet::tag_to_rq` 102 if let Err(_old) = this.wrapper_ref().refcount().compare_exchange( 103 2, 104 0, 105 Ordering::Relaxed, 106 Ordering::Relaxed, 107 ) { 108 return Err(this); 109 } 110 111 let request_ptr = this.0.get(); 112 core::mem::forget(this); 113 114 Ok(request_ptr) 115 } 116 117 /// Notify the block layer that the request has been completed without errors. 118 /// 119 /// This function will return [`Err`] if `this` is not the only [`ARef`] 120 /// referencing the request. 121 pub fn end_ok(this: ARef<Self>) -> Result<(), ARef<Self>> { 122 let request_ptr = Self::try_set_end(this)?; 123 124 // SAFETY: By type invariant, `this.0` was a valid `struct request`. The 125 // success of the call to `try_set_end` guarantees that there are no 126 // `ARef`s pointing to this request. Therefore it is safe to hand it 127 // back to the block layer. 128 unsafe { 129 bindings::blk_mq_end_request( 130 request_ptr, 131 bindings::BLK_STS_OK as bindings::blk_status_t, 132 ) 133 }; 134 135 Ok(()) 136 } 137 138 /// Complete the request by scheduling `Operations::complete` for 139 /// execution. 140 /// 141 /// The function may be scheduled locally, via SoftIRQ or remotely via IPMI. 142 /// See `blk_mq_complete_request_remote` in [`blk-mq.c`] for details. 143 /// 144 /// [`blk-mq.c`]: srctree/block/blk-mq.c 145 pub fn complete(this: ARef<Self>) { 146 let ptr = ARef::into_raw(this).cast::<bindings::request>().as_ptr(); 147 // SAFETY: By type invariant, `self.0` is a valid `struct request` 148 if !unsafe { bindings::blk_mq_complete_request_remote(ptr) } { 149 // SAFETY: We released a refcount above that we can reclaim here. 150 let this = unsafe { Request::aref_from_raw(ptr) }; 151 T::complete(this); 152 } 153 } 154 155 /// Return a pointer to the [`RequestDataWrapper`] stored in the private area 156 /// of the request structure. 157 /// 158 /// # Safety 159 /// 160 /// - `this` must point to a valid allocation of size at least size of 161 /// [`Self`] plus size of [`RequestDataWrapper`]. 162 pub(crate) unsafe fn wrapper_ptr(this: *mut Self) -> NonNull<RequestDataWrapper> { 163 let request_ptr = this.cast::<bindings::request>(); 164 // SAFETY: By safety requirements for this function, `this` is a 165 // valid allocation. 166 let wrapper_ptr = 167 unsafe { bindings::blk_mq_rq_to_pdu(request_ptr).cast::<RequestDataWrapper>() }; 168 // SAFETY: By C API contract, `wrapper_ptr` points to a valid allocation 169 // and is not null. 170 unsafe { NonNull::new_unchecked(wrapper_ptr) } 171 } 172 173 /// Return a reference to the [`RequestDataWrapper`] stored in the private 174 /// area of the request structure. 175 pub(crate) fn wrapper_ref(&self) -> &RequestDataWrapper { 176 // SAFETY: By type invariant, `self.0` is a valid allocation. Further, 177 // the private data associated with this request is initialized and 178 // valid. The existence of `&self` guarantees that the private data is 179 // valid as a shared reference. 180 unsafe { Self::wrapper_ptr(core::ptr::from_ref(self).cast_mut()).as_ref() } 181 } 182 } 183 184 /// A wrapper around data stored in the private area of the C [`struct request`]. 185 /// 186 /// [`struct request`]: srctree/include/linux/blk-mq.h 187 pub(crate) struct RequestDataWrapper { 188 /// The Rust request refcount has the following states: 189 /// 190 /// - 0: The request is owned by C block layer. 191 /// - 1: The request is owned by Rust abstractions but there are no [`ARef`] references to it. 192 /// - 2+: There are [`ARef`] references to the request. 193 refcount: AtomicU64, 194 } 195 196 impl RequestDataWrapper { 197 /// Return a reference to the refcount of the request that is embedding 198 /// `self`. 199 pub(crate) fn refcount(&self) -> &AtomicU64 { 200 &self.refcount 201 } 202 203 /// Return a pointer to the refcount of the request that is embedding the 204 /// pointee of `this`. 205 /// 206 /// # Safety 207 /// 208 /// - `this` must point to a live allocation of at least the size of `Self`. 209 pub(crate) unsafe fn refcount_ptr(this: *mut Self) -> *mut AtomicU64 { 210 // SAFETY: Because of the safety requirements of this function, the 211 // field projection is safe. 212 unsafe { &raw mut (*this).refcount } 213 } 214 } 215 216 // SAFETY: Exclusive access is thread-safe for `Request`. `Request` has no `&mut 217 // self` methods and `&self` methods that mutate `self` are internally 218 // synchronized. 219 unsafe impl<T: Operations> Send for Request<T> {} 220 221 // SAFETY: Shared access is thread-safe for `Request`. `&self` methods that 222 // mutate `self` are internally synchronized` 223 unsafe impl<T: Operations> Sync for Request<T> {} 224 225 /// Store the result of `op(target.load())` in target, returning new value of 226 /// target. 227 fn atomic_relaxed_op_return(target: &AtomicU64, op: impl Fn(u64) -> u64) -> u64 { 228 let old = target.fetch_update(Ordering::Relaxed, Ordering::Relaxed, |x| Some(op(x))); 229 230 // SAFETY: Because the operation passed to `fetch_update` above always 231 // return `Some`, `old` will always be `Ok`. 232 let old = unsafe { old.unwrap_unchecked() }; 233 234 op(old) 235 } 236 237 /// Store the result of `op(target.load)` in `target` if `target.load() != 238 /// pred`, returning [`true`] if the target was updated. 239 fn atomic_relaxed_op_unless(target: &AtomicU64, op: impl Fn(u64) -> u64, pred: u64) -> bool { 240 target 241 .fetch_update(Ordering::Relaxed, Ordering::Relaxed, |x| { 242 if x == pred { 243 None 244 } else { 245 Some(op(x)) 246 } 247 }) 248 .is_ok() 249 } 250 251 // SAFETY: All instances of `Request<T>` are reference counted. This 252 // implementation of `AlwaysRefCounted` ensure that increments to the ref count 253 // keeps the object alive in memory at least until a matching reference count 254 // decrement is executed. 255 unsafe impl<T: Operations> AlwaysRefCounted for Request<T> { 256 fn inc_ref(&self) { 257 let refcount = &self.wrapper_ref().refcount(); 258 259 #[cfg_attr(not(CONFIG_DEBUG_MISC), allow(unused_variables))] 260 let updated = atomic_relaxed_op_unless(refcount, |x| x + 1, 0); 261 262 #[cfg(CONFIG_DEBUG_MISC)] 263 if !updated { 264 panic!("Request refcount zero on clone") 265 } 266 } 267 268 unsafe fn dec_ref(obj: core::ptr::NonNull<Self>) { 269 // SAFETY: The type invariants of `ARef` guarantee that `obj` is valid 270 // for read. 271 let wrapper_ptr = unsafe { Self::wrapper_ptr(obj.as_ptr()).as_ptr() }; 272 // SAFETY: The type invariant of `Request` guarantees that the private 273 // data area is initialized and valid. 274 let refcount = unsafe { &*RequestDataWrapper::refcount_ptr(wrapper_ptr) }; 275 276 #[cfg_attr(not(CONFIG_DEBUG_MISC), allow(unused_variables))] 277 let new_refcount = atomic_relaxed_op_return(refcount, |x| x - 1); 278 279 #[cfg(CONFIG_DEBUG_MISC)] 280 if new_refcount == 0 { 281 panic!("Request reached refcount zero in Rust abstractions"); 282 } 283 } 284 } 285