Skip to content

Commit 2406c3a

Browse files
committed
uefi: Add safe protocol bindings for EFI_EXT_SCSI_PASS_THRU_PROTOCOL
1 parent 15bb97d commit 2406c3a

File tree

4 files changed

+618
-0
lines changed

4 files changed

+618
-0
lines changed

uefi/CHANGELOG.md

+1
Original file line numberDiff line numberDiff line change
@@ -4,6 +4,7 @@
44
- Added `boot::signal_event`.
55
- Added conversions between `proto::network::IpAddress` and `core::net` types.
66
- Added conversions between `proto::network::MacAddress` and the `[u8; 6]` type that's more commonly used to represent MAC addresses.
7+
- Added `proto::scsi::pass_thru::ExtScsiPassThru`.
78

89
## Changed
910
- **Breaking:** Removed `BootPolicyError` as `BootPolicy` construction is no

uefi/src/proto/mod.rs

+2
Original file line numberDiff line numberDiff line change
@@ -20,6 +20,8 @@ pub mod misc;
2020
pub mod network;
2121
pub mod pi;
2222
pub mod rng;
23+
#[cfg(feature = "alloc")]
24+
pub mod scsi;
2325
pub mod security;
2426
pub mod shell_params;
2527
pub mod shim;

uefi/src/proto/scsi/mod.rs

+376
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,376 @@
1+
// SPDX-License-Identifier: MIT OR Apache-2.0
2+
3+
//! SCSI Bus specific protocols.
4+
5+
use crate::helpers::AlignedBuffer;
6+
use core::alloc::LayoutError;
7+
use core::error::Error;
8+
use core::ffi::c_void;
9+
use core::marker::PhantomData;
10+
use core::time::Duration;
11+
use core::{fmt, ptr};
12+
use uefi_raw::protocol::scsi::{
13+
ScsiIoDataDirection, ScsiIoHostAdapterStatus, ScsiIoScsiRequestPacket, ScsiIoTargetStatus,
14+
};
15+
16+
pub mod pass_thru;
17+
18+
/// Represents the data direction for a SCSI request.
19+
///
20+
/// Used to specify whether the request involves reading, writing, or bidirectional data transfer.
21+
pub type ScsiRequestDirection = uefi_raw::protocol::scsi::ScsiIoDataDirection;
22+
23+
/// The `AlignmentError` is returned if a user-provided buffer doesn't fulfill alignment requirements.
24+
///
25+
/// This ensures that all buffers used in SCSI commands conform to the alignment requirements of the protocol.
26+
#[derive(Clone, PartialEq, Eq, Debug)]
27+
pub struct AlignmentError;
28+
impl Error for AlignmentError {}
29+
impl fmt::Display for AlignmentError {
30+
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
31+
f.write_str("invalid parameters to Layout::from_size_align")
32+
}
33+
}
34+
35+
/// Represents a SCSI request packet.
36+
///
37+
/// This structure encapsulates the necessary data for sending a command to a SCSI device.
38+
#[derive(Debug)]
39+
pub struct ScsiRequest<'a> {
40+
packet: ScsiIoScsiRequestPacket,
41+
io_align: u32,
42+
in_data_buffer: Option<AlignedBuffer>,
43+
out_data_buffer: Option<AlignedBuffer>,
44+
sense_data_buffer: Option<AlignedBuffer>,
45+
cdb_buffer: Option<AlignedBuffer>,
46+
_phantom: PhantomData<&'a u8>,
47+
}
48+
49+
/// A builder for constructing `ScsiRequest` instances.
50+
///
51+
/// Provides a safe and ergonomic interface for configuring SCSI request packets, including timeout,
52+
/// data buffers, and command descriptor blocks.
53+
#[derive(Debug)]
54+
#[repr(transparent)]
55+
pub struct ScsiRequestBuilder<'a> {
56+
req: ScsiRequest<'a>,
57+
}
58+
impl ScsiRequestBuilder<'_> {
59+
/// Creates a new `ScsiRequestBuilder` with the specified data direction and alignment.
60+
///
61+
/// # Parameters
62+
/// - `direction`: Specifies the direction of data transfer (READ, WRITE, or BIDIRECTIONAL).
63+
/// - `io_align`: Specifies the required alignment for data buffers.
64+
#[must_use]
65+
pub fn new(direction: ScsiRequestDirection, io_align: u32) -> Self {
66+
Self {
67+
req: ScsiRequest {
68+
in_data_buffer: None,
69+
out_data_buffer: None,
70+
sense_data_buffer: None,
71+
cdb_buffer: None,
72+
packet: ScsiIoScsiRequestPacket {
73+
timeout: 0,
74+
in_data_buffer: ptr::null_mut(),
75+
out_data_buffer: ptr::null_mut(),
76+
sense_data: ptr::null_mut(),
77+
cdb: ptr::null_mut(),
78+
in_transfer_length: 0,
79+
out_transfer_length: 0,
80+
cdb_length: 0,
81+
data_direction: direction,
82+
host_adapter_status: ScsiIoHostAdapterStatus::default(),
83+
target_status: ScsiIoTargetStatus::default(),
84+
sense_data_length: 0,
85+
},
86+
io_align,
87+
_phantom: Default::default(),
88+
},
89+
}
90+
}
91+
92+
/// Creates a `ScsiRequestBuilder` preconfigured for READ operations.
93+
///
94+
/// Some examples of SCSI read commands are:
95+
/// - INQUIRY
96+
/// - READ
97+
/// - MODE_SENSE
98+
///
99+
/// # Parameters
100+
/// - `io_align`: Specifies the required alignment for data buffers.
101+
#[must_use]
102+
pub fn read(io_align: u32) -> Self {
103+
Self::new(ScsiIoDataDirection::READ, io_align)
104+
}
105+
106+
/// Creates a `ScsiRequestBuilder` preconfigured for WRITE operations.
107+
///
108+
/// Some examples of SCSI write commands are:
109+
/// - WRITE
110+
/// - MODE_SELECT
111+
///
112+
/// # Parameters
113+
/// - `io_align`: Specifies the required alignment for data buffers.
114+
#[must_use]
115+
pub fn write(io_align: u32) -> Self {
116+
Self::new(ScsiIoDataDirection::WRITE, io_align)
117+
}
118+
119+
/// Creates a `ScsiRequestBuilder` preconfigured for BIDIRECTIONAL operations.
120+
///
121+
/// Some examples of SCSI bidirectional commands are:
122+
/// - SEND DIAGNOSTIC
123+
///
124+
/// # Parameters
125+
/// - `io_align`: Specifies the required alignment for data buffers.
126+
#[must_use]
127+
pub fn bidirectional(io_align: u32) -> Self {
128+
Self::new(ScsiIoDataDirection::BIDIRECTIONAL, io_align)
129+
}
130+
}
131+
132+
impl<'a> ScsiRequestBuilder<'a> {
133+
/// Sets a timeout for the SCSI request.
134+
///
135+
/// # Parameters
136+
/// - `timeout`: A [`Duration`] representing the maximum time allowed for the request.
137+
/// The value is converted to 100-nanosecond units.
138+
///
139+
/// # Description
140+
/// By default (without calling this method, or by calling with [`Duration::ZERO`]),
141+
/// SCSI requests have no timeout.
142+
/// Setting a timeout here will cause SCSI commands to potentially fail with [`crate::Status::TIMEOUT`].
143+
#[must_use]
144+
pub const fn with_timeout(mut self, timeout: Duration) -> Self {
145+
self.req.packet.timeout = (timeout.as_nanos() / 100) as u64;
146+
self
147+
}
148+
149+
// # IN BUFFER
150+
// ########################################################################################
151+
152+
/// Uses a user-supplied buffer for reading data from the device.
153+
///
154+
/// # Parameters
155+
/// - `bfr`: A mutable reference to an [`AlignedBuffer`] that will be used to store data read from the device.
156+
///
157+
/// # Returns
158+
/// `Result<Self, AlignmentError>` indicating success or an alignment issue with the provided buffer.
159+
///
160+
/// # Description
161+
/// This method checks the alignment of the buffer against the protocol's requirements and assigns it to
162+
/// the `in_data_buffer` of the underlying `ScsiRequest`.
163+
pub fn use_read_buffer(mut self, bfr: &'a mut AlignedBuffer) -> Result<Self, AlignmentError> {
164+
// check alignment of externally supplied buffer
165+
self.check_buffer_alignment(bfr.ptr())?;
166+
self.req.in_data_buffer = None;
167+
self.req.packet.in_data_buffer = bfr.ptr_mut().cast();
168+
self.req.packet.in_transfer_length = bfr.len() as u32;
169+
Ok(self)
170+
}
171+
172+
/// Adds a newly allocated read buffer to the built SCSI request.
173+
///
174+
/// # Parameters
175+
/// - `len`: The size of the buffer (in bytes) to allocate for receiving data.
176+
///
177+
/// # Returns
178+
/// `Result<Self, LayoutError>` indicating success or a memory allocation error.
179+
pub fn with_read_buffer(mut self, len: usize) -> Result<Self, LayoutError> {
180+
let bfr = AlignedBuffer::alloc(len, self.req.io_align as usize)?;
181+
self.req.packet.in_data_buffer = bfr.ptr() as *mut c_void;
182+
self.req.packet.in_transfer_length = bfr.len() as u32;
183+
self.req.in_data_buffer = Some(bfr);
184+
Ok(self)
185+
}
186+
187+
// # SENSE BUFFER
188+
// ########################################################################################
189+
190+
/// Adds a newly allocated sense buffer to the built SCSI request.
191+
///
192+
/// # Parameters
193+
/// - `len`: The size of the buffer (in bytes) to allocate for receiving sense data.
194+
///
195+
/// # Returns
196+
/// `Result<Self, LayoutError>` indicating success or a memory allocation error.
197+
pub fn with_sense_buffer(mut self, len: u8) -> Result<Self, LayoutError> {
198+
let bfr = AlignedBuffer::alloc(len as usize, self.req.io_align as usize)?;
199+
self.req.packet.sense_data = bfr.ptr() as *mut c_void;
200+
self.req.packet.sense_data_length = len;
201+
self.req.sense_data_buffer = Some(bfr);
202+
Ok(self)
203+
}
204+
205+
// # WRITE BUFFER
206+
// ########################################################################################
207+
208+
/// Uses a user-supplied buffer for writing data to the device.
209+
///
210+
/// # Parameters
211+
/// - `bfr`: A mutable reference to an [`AlignedBuffer`] containing the data to be written to the device.
212+
///
213+
/// # Returns
214+
/// `Result<Self, AlignmentError>` indicating success or an alignment issue with the provided buffer.
215+
///
216+
/// # Description
217+
/// This method checks the alignment of the buffer against the protocol's requirements and assigns it to
218+
/// the `out_data_buffer` of the underlying `ScsiRequest`.
219+
pub fn use_write_buffer(mut self, bfr: &'a mut AlignedBuffer) -> Result<Self, AlignmentError> {
220+
// check alignment of externally supplied buffer
221+
self.check_buffer_alignment(bfr.ptr())?;
222+
self.req.out_data_buffer = None;
223+
self.req.packet.out_data_buffer = bfr.ptr_mut().cast();
224+
self.req.packet.out_transfer_length = bfr.len() as u32;
225+
Ok(self)
226+
}
227+
228+
/// Adds a newly allocated write buffer to the built SCSI request that is filled from the
229+
/// given data buffer. (Done for memory alignment and lifetime purposes)
230+
///
231+
/// # Parameters
232+
/// - `data`: A slice of bytes representing the data to be written.
233+
///
234+
/// # Returns
235+
/// `Result<Self, LayoutError>` indicating success or a memory allocation error.
236+
pub fn with_write_data(mut self, data: &[u8]) -> Result<Self, LayoutError> {
237+
let mut bfr = AlignedBuffer::alloc(data.len(), self.req.io_align as usize)?;
238+
bfr.copy_from(data);
239+
self.req.packet.out_data_buffer = bfr.ptr_mut().cast();
240+
self.req.packet.out_transfer_length = bfr.len() as u32;
241+
self.req.out_data_buffer = Some(bfr);
242+
Ok(self)
243+
}
244+
245+
// # COMMAND BUFFER
246+
// ########################################################################################
247+
248+
/// Uses a user-supplied Command Data Block (CDB) buffer.
249+
///
250+
/// # Parameters
251+
/// - `data`: A mutable reference to an [`AlignedBuffer`] containing the CDB to be sent to the device.
252+
///
253+
/// # Returns
254+
/// `Result<Self, AlignmentError>` indicating success or an alignment issue with the provided buffer.
255+
///
256+
/// # Notes
257+
/// The maximum length of a CDB is 255 bytes.
258+
pub fn use_command_buffer(
259+
mut self,
260+
data: &'a mut AlignedBuffer,
261+
) -> Result<Self, AlignmentError> {
262+
assert!(data.len() <= 255);
263+
// check alignment of externally supplied buffer
264+
self.check_buffer_alignment(data.ptr())?;
265+
self.req.cdb_buffer = None;
266+
self.req.packet.cdb = data.ptr_mut().cast();
267+
self.req.packet.cdb_length = data.len() as u8;
268+
Ok(self)
269+
}
270+
271+
/// Adds a newly allocated Command Data Block (CDB) buffer to the built SCSI request that is filled from the
272+
/// given data buffer. (Done for memory alignment and lifetime purposes)
273+
///
274+
/// # Parameters
275+
/// - `data`: A slice of bytes representing the command to be sent.
276+
///
277+
/// # Returns
278+
/// `Result<Self, LayoutError>` indicating success or a memory allocation error.
279+
///
280+
/// # Notes
281+
/// The maximum length of a CDB is 255 bytes.
282+
pub fn with_command_data(mut self, data: &[u8]) -> Result<Self, LayoutError> {
283+
assert!(data.len() <= 255);
284+
let mut bfr = AlignedBuffer::alloc(data.len(), self.req.io_align as usize)?;
285+
bfr.copy_from(data);
286+
self.req.packet.cdb = bfr.ptr_mut().cast();
287+
self.req.packet.cdb_length = bfr.len() as u8;
288+
self.req.cdb_buffer = Some(bfr);
289+
Ok(self)
290+
}
291+
292+
/// Build the final `ScsiRequest`.
293+
///
294+
/// # Returns
295+
/// A fully-configured [`ScsiRequest`] ready for execution.
296+
#[must_use]
297+
pub fn build(self) -> ScsiRequest<'a> {
298+
self.req
299+
}
300+
}
301+
impl ScsiRequestBuilder<'_> {
302+
fn check_buffer_alignment(&self, bfr: *const u8) -> Result<(), AlignmentError> {
303+
//TODO: use bfr.addr() when it's available
304+
if (bfr as usize) % self.req.io_align as usize != 0 {
305+
return Err(AlignmentError); //TODO: use >is_aligned_to< when it's available
306+
}
307+
Ok(())
308+
}
309+
}
310+
311+
/// Represents the response of a SCSI request.
312+
///
313+
/// This struct encapsulates the results of a SCSI operation, including data buffers
314+
/// for read and sense data, as well as status codes returned by the host adapter and target device.
315+
#[derive(Debug)]
316+
#[repr(transparent)]
317+
pub struct ScsiResponse<'a>(ScsiRequest<'a>);
318+
impl ScsiResponse<'_> {
319+
/// Retrieves the buffer containing data read from the device (if any).
320+
///
321+
/// # Returns
322+
/// `Option<&[u8]>`: A slice of the data read from the device, or `None` if no read buffer was assigned.
323+
///
324+
/// # Safety
325+
/// - If the buffer pointer is `NULL`, the method returns `None` and avoids dereferencing it.
326+
#[must_use]
327+
pub fn read_buffer(&self) -> Option<&[u8]> {
328+
if self.0.packet.in_data_buffer.is_null() {
329+
return None;
330+
}
331+
unsafe {
332+
Some(core::slice::from_raw_parts(
333+
self.0.packet.in_data_buffer as *const u8,
334+
self.0.packet.in_transfer_length as usize,
335+
))
336+
}
337+
}
338+
339+
/// Retrieves the buffer containing sense data returned by the device (if any).
340+
///
341+
/// # Returns
342+
/// `Option<&[u8]>`: A slice of the sense data, or `None` if no sense data buffer was assigned.
343+
///
344+
/// # Safety
345+
/// - If the buffer pointer is `NULL`, the method returns `None` and avoids dereferencing it.
346+
#[must_use]
347+
pub fn sense_data(&self) -> Option<&[u8]> {
348+
if self.0.packet.sense_data.is_null() {
349+
return None;
350+
}
351+
unsafe {
352+
Some(core::slice::from_raw_parts(
353+
self.0.packet.sense_data as *const u8,
354+
self.0.packet.sense_data_length as usize,
355+
))
356+
}
357+
}
358+
359+
/// Retrieves the status of the host adapter after executing the SCSI request.
360+
///
361+
/// # Returns
362+
/// [`ScsiIoHostAdapterStatus`]: The status code indicating the result of the operation from the host adapter.
363+
#[must_use]
364+
pub const fn host_adapter_status(&self) -> ScsiIoHostAdapterStatus {
365+
self.0.packet.host_adapter_status
366+
}
367+
368+
/// Retrieves the status of the target device after executing the SCSI request.
369+
///
370+
/// # Returns
371+
/// [`ScsiIoTargetStatus`]: The status code returned by the target device.
372+
#[must_use]
373+
pub const fn target_status(&self) -> ScsiIoTargetStatus {
374+
self.0.packet.target_status
375+
}
376+
}

0 commit comments

Comments
 (0)