wdk_mutex/kmutex.rs
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 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382
//! A Rust idiomatic Windows Kernel Driver KMUTEX type which protects the inner type T
use alloc::boxed::Box;
use core::{
ffi::c_void,
fmt::Display,
ops::{Deref, DerefMut},
ptr::{self, drop_in_place, null_mut},
};
use wdk_sys::{
ntddk::{
ExAllocatePool2, ExFreePool, KeGetCurrentIrql, KeInitializeMutex, KeReleaseMutex,
KeWaitForSingleObject,
},
APC_LEVEL, DISPATCH_LEVEL, FALSE, KMUTEX, POOL_FLAG_NON_PAGED,
_KWAIT_REASON::Executive,
_MODE::KernelMode,
};
extern crate alloc;
use crate::errors::DriverMutexError;
/// A thread safe mutex implemented through acquiring a KMUTEX in the Windows kernel.
///
/// The type `Kmutex<T>` provides mutually exclusive access to the inner type T allocated through
/// this crate in the non-paged pool. All data required to initialise the KMutex is allocated in the
/// non-paged pool and as such is safe to pass stack data into the type as it will not go out of scope.
///
/// `KMutex` holds an inner value which is a pointer to a `KMutexInner` type which is the actual type
/// allocated in the non-paged pool, and this holds information relating to the mutex.
///
/// Access to the `T` within the `KMutex` can be done through calling [`Self::lock`].
///
/// # Lifetimes
///
/// As the `KMutex` is designed to be used in the Windows Kernel, with the Windows `wdk` crate, the lifetimes of
/// the `KMutex` must be considered by the caller. See examples below for usage.
///
/// The `KMutex` can exist in a locally scoped function with little additional configuration. To use the mutex across
/// thread boundaries, or to use it in callback functions, you can use the `Grt` module found in this crate. See below for
/// details.
///
/// # Deallocation
///
/// KMutex handles the deallocation of resources at the point the KMutex is dropped.
///
/// # Examples
///
/// ## Locally scoped mutex:
///
/// ```
/// {
/// let mtx = KMutex::new(0u32).unwrap();
/// let lock = mtx.lock().unwrap();
///
/// // If T implements display, you do not need to dereference the lock to print.
/// println!("The value is: {}", lock);
/// } // Mutex will become unlocked as it is managed via RAII
/// ```
///
/// ## Global scope via the `Grt` module in `wdk-mutex`:
///
/// ```
/// // Initialise the mutex on DriverEntry
///
/// #[export_name = "DriverEntry"]
/// pub unsafe extern "system" fn driver_entry(
/// driver: &mut DRIVER_OBJECT,
/// registry_path: PCUNICODE_STRING,
/// ) -> NTSTATUS {
/// if let Err(e) = Grt::init() {
/// println!("Error creating Grt!: {:?}", e);
/// return STATUS_UNSUCCESSFUL;
/// }
///
/// // ...
/// my_function();
/// }
///
///
/// // Register a new Mutex in the `Grt` of value 0u32:
///
/// pub fn my_function() {
/// Grt::register_kmutex("my_test_mutex", 0u32);
/// }
///
/// unsafe extern "C" fn my_thread_fn_pointer(_: *mut c_void) {
/// let my_mutex = Grt::get_kmutex::<u32>("my_test_mutex");
/// if let Err(e) = my_mutex {
/// println!("Error in thread: {:?}", e);
/// return;
/// }
///
/// let mut lock = my_mutex.unwrap().lock().unwrap();
/// *lock += 1;
/// }
///
///
/// // Destroy the Grt to prevent memory leak on DriverExit
///
/// extern "C" fn driver_exit(driver: *mut DRIVER_OBJECT) {
/// unsafe {Grt::destroy()};
/// }
/// ```
pub struct KMutex<T> {
inner: *mut KMutexInner<T>,
}
/// The underlying data which is non-page pool allocated which is pointed to by the `KMutex`.
struct KMutexInner<T> {
/// A KMUTEX structure allocated into KMutexInner
mutex: KMUTEX,
/// The data for which the mutex is protecting
data: T,
}
unsafe impl<T> Sync for KMutex<T> {}
unsafe impl<T> Send for KMutex<T> {}
impl<T> KMutex<T> {
/// Creates a new KMUTEX Windows Kernel Driver Mutex in a signaled (free) state.
///
/// # IRQL
///
/// This can be called at any IRQL.
///
/// # Examples
///
/// ```
/// use wdk_mutex::Mutex;
///
/// let my_mutex = wdk_mutex::KMutex::new(0u32);
/// ```
pub fn new(data: T) -> Result<Self, DriverMutexError> {
//
// Non-Paged heap alloc for all struct data required for KMutexInner
//
let total_sz_required = size_of::<KMutexInner<T>>();
let inner_heap_ptr: *mut c_void = unsafe {
ExAllocatePool2(
POOL_FLAG_NON_PAGED,
total_sz_required as u64,
u32::from_be_bytes(*b"kmtx"),
)
};
if inner_heap_ptr.is_null() {
return Err(DriverMutexError::PagedPoolAllocFailed);
}
// Cast the memory allocation to a pointer to the inner
let kmutex_inner_ptr = inner_heap_ptr as *mut KMutexInner<T>;
// SAFETY: This raw write is safe as the pointer validity is checked above.
unsafe {
ptr::write(
kmutex_inner_ptr,
KMutexInner {
mutex: KMUTEX::default(),
data,
},
);
// Initialise the KMUTEX object via the kernel
KeInitializeMutex(&(*kmutex_inner_ptr).mutex as *const _ as *mut _, 0);
}
Ok(Self { inner: kmutex_inner_ptr })
}
/// Acquires a mutex in a non-alertable manner.
///
/// Once the thread has acquired the mutex, it will return a `KMutexGuard` which is a RAII scoped
/// guard allowing exclusive access to the inner T.
///
/// # Errors
///
/// If the IRQL is too high, this function will return an error and will not acquire a lock. To prevent
/// a kernel panic, the caller should match the return value rather than just unwrapping the value.
///
/// # IRQL
///
/// This function must be called at IRQL `<= APC_LEVEL`, if the IRQL is higher than this,
/// the function will return an error.
///
/// It is the callers responsibility to ensure the IRQL is sufficient to call this function and it
/// will not alter the IRQL for the caller, as this may introduce undefined behaviour elsewhere in the
/// driver / kernel.
///
/// # Examples
///
/// ```
/// let mtx = KMutex::new(0u32).unwrap();
/// let lock = mtx.lock().unwrap();
/// ```
pub fn lock(&self) -> Result<KMutexGuard<'_, T>, DriverMutexError> {
// Check the IRQL is <= APC_LEVEL as per remarks at
// https://learn.microsoft.com/en-us/windows-hardware/drivers/ddi/wdm/nf-wdm-kewaitforsingleobject
let irql = unsafe { KeGetCurrentIrql() };
if irql > APC_LEVEL as u8 {
return Err(DriverMutexError::IrqlTooHigh);
}
// Discard the return value; the status code does not represent an error or contain information
// relevant to the context of no timeout.
let _ = unsafe {
// SAFETY: The IRQL is sufficient for the operation as checked above, and we know our pointer
// is valid as RAII manages the lifetime of the heap allocation, ensuring it will only be deallocated
// once Self gets dropped.
KeWaitForSingleObject(
&mut (*self.inner).mutex as *mut _ as *mut _,
Executive,
KernelMode as i8,
FALSE as u8,
null_mut(),
)
};
Ok(KMutexGuard { kmutex: self })
}
/// Consumes the mutex and returns an owned copy of the protected data (`T`).
///
/// This method performs a deep copy of the data (`T`) guarded by the mutex before
/// deallocating the internal memory. Be cautious when using this method with large
/// data types, as it may lead to inefficiencies or stack overflows.
///
/// For scenarios involving large data that you prefer not to allocate on the stack,
/// consider using [`Self::to_owned_box`] instead.
///
/// # Safety
///
/// - **Single Ownership Guarantee:** After calling [`Self::to_owned`], ensure that
/// no other references (especially static or global ones) attempt to access the
/// underlying mutex. This is because the mutexes memory is deallocated once this
/// method is invoked.
/// - **Exclusive Access:** This function should only be called when you can guarantee
/// that there will be no further access to the protected `T`. Violating this can
/// lead to undefined behavior since the memory is freed after the call.
///
/// # Example
///
/// ```
/// unsafe {
/// let owned_data: T = mutex.to_owned();
/// // Use `owned_data` safely here
/// }
/// ```
pub unsafe fn to_owned(self) -> T {
let data_read = unsafe { ptr::read(&(*self.inner).data) };
data_read
}
/// Consumes the mutex and returns an owned `Box<T>` containing the protected data (`T`).
///
/// This method is an alternative to [`Self::to_owned`] and is particularly useful when
/// dealing with large data types. By returning a `Box<T>`, the data is pool-allocated,
/// avoiding potential stack overflows associated with large stack allocations.
///
/// # Safety
///
/// - **Single Ownership Guarantee:** After calling [`Self::to_owned_box`], ensure that
/// no other references (especially static or global ones) attempt to access the
/// underlying mutex. This is because the mutexes memory is deallocated once this
/// method is invoked.
/// - **Exclusive Access:** This function should only be called when you can guarantee
/// that there will be no further access to the protected `T`. Violating this can
/// lead to undefined behavior since the memory is freed after the call.
///
/// # Example
///
/// ```rust
/// unsafe {
/// let boxed_data: Box<T> = mutex.to_owned_box();
/// // Use `boxed_data` safely here
/// }
/// ```
pub unsafe fn to_owned_box(self) -> Box<T> {
let data_read = unsafe { ptr::read(&(*self.inner).data) };
Box::new(data_read)
}
}
impl<T> Drop for KMutex<T> {
fn drop(&mut self) {
unsafe {
// Drop the underlying data and run destructors for the data, this would be relevant in the
// case where Self contains other heap allocated types which have their own deallocation
// methods.
drop_in_place(&mut (*self.inner).data);
// Free the memory we allocated
ExFreePool(self.inner as *mut _);
}
}
}
/// A RAII scoped guard for the inner data protected by the mutex. Once this guard is given out, the protected data
/// may be safely mutated by the caller as we guarantee exclusive access via Windows Kernel Mutex primitives.
///
/// When this structure is dropped (falls out of scope), the lock will be unlocked.
///
/// # IRQL
///
/// Access to the data within this guard must be done at <= APC_LEVEL if a non-alertable lock was acquired, or <=
/// DISPATCH_LEVEL if an alertable lock was acquired. It is the callers responsible to manage APC levels whilst
/// using the KMutex.
///
/// If you wish to manually drop the lock with a safety check, call the function [`Self::drop_safe`].
///
/// # Kernel panic
///
/// Raising the IRQL above safe limits whilst using the mutex will cause a Kernel Panic if not appropriately handled.
/// When RAII drops this type, the mutex is released, if the mutex goes out of scope whilst you hold an IRQL that
/// is too high, you will receive a kernel panic.
///
pub struct KMutexGuard<'a, T> {
kmutex: &'a KMutex<T>,
}
impl<T> Display for KMutexGuard<'_, T>
where
T: Display,
{
fn fmt(&self, f: &mut core::fmt::Formatter<'_>) -> core::fmt::Result {
// SAFETY: Dereferencing the inner data is safe as RAII controls the memory allocations.
write!(f, "{}", unsafe { &(*self.kmutex.inner).data })
}
}
impl<T> Deref for KMutexGuard<'_, T> {
type Target = T;
fn deref(&self) -> &Self::Target {
// SAFETY: Dereferencing the inner data is safe as RAII controls the memory allocations.
unsafe { &(*self.kmutex.inner).data }
}
}
impl<T> DerefMut for KMutexGuard<'_, T> {
fn deref_mut(&mut self) -> &mut Self::Target {
// SAFETY: Dereferencing the inner data is safe as RAII controls the memory allocations.
// Mutable access is safe due to Self only being given out whilst a mutex is held from the
// kernel.
unsafe { &mut (*self.kmutex.inner).data }
}
}
impl<T> Drop for KMutexGuard<'_, T> {
fn drop(&mut self) {
// NOT SAFE AT A IRQL TOO HIGH
unsafe { KeReleaseMutex(&mut (*self.kmutex.inner).mutex, FALSE as u8) };
}
}
impl<T> KMutexGuard<'_, T> {
/// Safely drop the KMutexGuard, an alternative to RAII.
///
/// This function checks the IRQL before attempting to drop the guard.
///
/// # Errors
///
/// If the IRQL > DISPATCH_LEVEL, no unlock will occur and a DriverMutexError will be returned to the
/// caller.
///
/// # IRQL
///
/// This function is safe to call at any IRQL, but it will not release the mutex if IRQL > DISPATCH_LEVEL
pub fn drop_safe(&mut self) -> Result<(), DriverMutexError> {
let irql = unsafe { KeGetCurrentIrql() };
if irql > DISPATCH_LEVEL as u8 {
return Err(DriverMutexError::IrqlTooHigh);
}
unsafe { KeReleaseMutex(&mut (*self.kmutex.inner).mutex, FALSE as u8) };
Ok(())
}
}