Skip to content

Commit 3b17445

Browse files
authored
Merge pull request #1590 from seijikun/mr-diskinfo
uefi: Implement safe wrapper for EFI_DISK_INFO_PROTOCOL
2 parents afc85ed + 19c4805 commit 3b17445

File tree

6 files changed

+235
-1
lines changed

6 files changed

+235
-1
lines changed

uefi-raw/src/protocol/disk.rs

+3
Original file line numberDiff line numberDiff line change
@@ -65,6 +65,9 @@ impl DiskIo2Protocol {
6565
pub const REVISION: u64 = 0x00020000;
6666
}
6767

68+
/// DiskInfo protocol (EFI_DISK_INFO_PROTOCOL)
69+
///
70+
/// See: UEFI Platform Initialization Specification
6871
#[derive(Debug)]
6972
#[repr(C)]
7073
pub struct DiskInfoProtocol {

uefi-test-runner/src/proto/media.rs

+34
Original file line numberDiff line numberDiff line change
@@ -10,6 +10,7 @@ use uefi::data_types::Align;
1010
use uefi::prelude::*;
1111
use uefi::proto::media::block::BlockIO;
1212
use uefi::proto::media::disk::{DiskIo, DiskIo2, DiskIo2Token};
13+
use uefi::proto::media::disk_info::{DiskInfo, DiskInfoInterface};
1314
use uefi::proto::media::file::{
1415
Directory, File, FileAttribute, FileInfo, FileMode, FileSystemInfo, FileSystemVolumeLabel,
1516
};
@@ -343,6 +344,38 @@ fn test_raw_disk_io2(handle: Handle) {
343344
}
344345
}
345346

347+
fn test_disk_info() {
348+
let disk_handles = uefi::boot::find_handles::<DiskInfo>().unwrap();
349+
350+
let mut found_drive = false;
351+
for handle in disk_handles {
352+
let disk_info = uefi::boot::open_protocol_exclusive::<DiskInfo>(handle).unwrap();
353+
info!(
354+
"DiskInfo at: {:?} (interface= {:?})",
355+
handle,
356+
disk_info.interface()
357+
);
358+
// Find our disk
359+
if disk_info.interface() != DiskInfoInterface::SCSI {
360+
continue;
361+
}
362+
let mut inquiry_bfr = [0; 128];
363+
let Ok(len) = disk_info.inquiry(&mut inquiry_bfr) else {
364+
continue;
365+
};
366+
// SCSI Spec states: The standard INQUIRY data (see table 59) shall contain at least 36 bytes
367+
assert!(len >= 36);
368+
let vendor_id = core::str::from_utf8(&inquiry_bfr[8..16]).unwrap().trim();
369+
let product_id = core::str::from_utf8(&inquiry_bfr[16..32]).unwrap().trim();
370+
if vendor_id == "uefi-rs" && product_id == "ExtScsiPassThru" {
371+
info!("Found Testdisk at Handle: {:?}", handle);
372+
found_drive = true;
373+
}
374+
}
375+
376+
assert!(found_drive);
377+
}
378+
346379
/// Check that `disk_handle` points to the expected MBR partition.
347380
fn test_partition_info(disk_handle: Handle) {
348381
let pi = boot::open_protocol_exclusive::<PartitionInfo>(disk_handle)
@@ -444,4 +477,5 @@ pub fn test() {
444477

445478
test_raw_disk_io(handle);
446479
test_raw_disk_io2(handle);
480+
test_disk_info();
447481
}

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::media::disk_info::DiskInfo`.
78

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

uefi/src/proto/media/disk_info.rs

+181
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,181 @@
1+
// SPDX-License-Identifier: MIT OR Apache-2.0
2+
3+
//! DiskInfo protocol.
4+
5+
use crate::StatusExt;
6+
use uefi_macros::unsafe_protocol;
7+
use uefi_raw::protocol::disk::DiskInfoProtocol;
8+
9+
/// Enum representing the interface type of the disk.
10+
///
11+
/// This protocol abstracts various disk interfaces, including IDE, USB, AHCI, NVME, and more.
12+
/// Unknown indicates an unrecognized or not yet implemented interface type.
13+
#[derive(Debug, Eq, PartialEq)]
14+
pub enum DiskInfoInterface {
15+
/// Unrecognized or unsupported interface.
16+
Unknown,
17+
/// Integrated Drive Electronics (IDE) interface.
18+
IDE,
19+
/// Universal Flash Storage (UFS) interface.
20+
UFS,
21+
/// Universal Serial Bus (USB) interface.
22+
USB,
23+
/// Advanced Host Controller Interface (AHCI) interface.
24+
AHCI,
25+
/// Non-Volatile Memory Express (NVME) interface.
26+
NVME,
27+
/// Small Computer System Interface (SCSI).
28+
SCSI,
29+
/// Secure Digital Memory Card (SDMMC) interface.
30+
SDMMC,
31+
}
32+
33+
/// Structure containing metadata about the result for a call to [`DiskInfo::sense_data`].
34+
#[derive(Debug)]
35+
pub struct SenseDataInfo {
36+
/// Amount of bytes returned by the [`DiskInfo::sense_data`].
37+
pub bytes: usize,
38+
/// Number of sense data messages contained in the resulting buffer from calling [`DiskInfo::sense_data`].
39+
pub number: u8,
40+
}
41+
42+
/// Structure containing information about the physical device location on the bus.
43+
///
44+
/// This is not supported by all interface types.
45+
#[derive(Debug)]
46+
pub struct DeviceLocationInfo {
47+
/// For IDE, this addresses the channel (primary or secondary).
48+
/// For AHCI, this returns the port.
49+
pub channel: u32,
50+
/// For IDE, this contains whether the device is master or slave.
51+
/// For AHCI, this returns the port-multiplier.
52+
pub device: u32,
53+
}
54+
55+
/// DiskInfo protocol.
56+
///
57+
/// This allows querying hardware information for detected disks in a simple way.
58+
/// Originally, this was designed for IDE and it shows.
59+
/// But support for a wide range of interfaces was retrofitted.
60+
///
61+
/// Not all operations are supported by all interface types!
62+
/// Either use [`DiskInfo::interface`] to determine what should be possible, or simply
63+
/// try and handle the [`crate::Status::UNSUPPORTED`] error return value.
64+
///
65+
/// # UEFI Spec Description
66+
/// Provides the basic interfaces to abstract platform information regarding an IDE controller.
67+
#[derive(Debug)]
68+
#[repr(transparent)]
69+
#[unsafe_protocol(DiskInfoProtocol::GUID)]
70+
pub struct DiskInfo(DiskInfoProtocol);
71+
72+
impl DiskInfo {
73+
/// Retrieves the interface type of the disk device.
74+
///
75+
/// # Returns
76+
/// [`DiskInfoInterface`] value representing the disk interface (e.g., IDE, USB, NVME, etc.).
77+
#[must_use]
78+
pub const fn interface(&self) -> DiskInfoInterface {
79+
match self.0.interface {
80+
DiskInfoProtocol::IDE_INTERFACE_GUID => DiskInfoInterface::IDE,
81+
DiskInfoProtocol::UFS_INTERFACE_GUID => DiskInfoInterface::UFS,
82+
DiskInfoProtocol::USB_INTERFACE_GUID => DiskInfoInterface::USB,
83+
DiskInfoProtocol::AHCI_INTERFACE_GUID => DiskInfoInterface::AHCI,
84+
DiskInfoProtocol::NVME_INTERFACE_GUID => DiskInfoInterface::NVME,
85+
DiskInfoProtocol::SCSI_INTERFACE_GUID => DiskInfoInterface::SCSI,
86+
DiskInfoProtocol::SD_MMC_INTERFACE_GUID => DiskInfoInterface::SDMMC,
87+
_ => DiskInfoInterface::Unknown,
88+
}
89+
}
90+
91+
/// Performs an inquiry command on the disk device.
92+
///
93+
/// # Parameters
94+
/// - `bfr`: A mutable byte buffer to store the inquiry data.
95+
///
96+
/// # Returns
97+
/// Length of the response (amount of bytes that were written to the given buffer).
98+
///
99+
/// # Errors
100+
/// - [`crate::Status::SUCCESS`] The command was accepted without any errors.
101+
/// - [`crate::Status::NOT_FOUND`] The device does not support this data class.
102+
/// - [`crate::Status::DEVICE_ERROR`] An error occurred while reading the InquiryData from the device.
103+
/// - [`crate::Status::BUFFER_TOO_SMALL`] The provided InquiryDataSize buffer is not large enough to store the required data.
104+
pub fn inquiry(&self, bfr: &mut [u8]) -> crate::Result<usize> {
105+
let mut len: u32 = bfr.len() as u32;
106+
unsafe {
107+
(self.0.inquiry)(&self.0, bfr.as_mut_ptr().cast(), &mut len)
108+
.to_result_with_val(|| len as usize)
109+
}
110+
}
111+
112+
/// Performs an identify command on the disk device.
113+
///
114+
/// # Parameters
115+
/// - `bfr`: A mutable byte buffer to store the identification data.
116+
///
117+
/// # Returns
118+
/// Length of the response (amount of bytes that were written to the given buffer).
119+
///
120+
/// # Errors
121+
/// - [`crate::Status::SUCCESS`] The command was accepted without any errors.
122+
/// - [`crate::Status::NOT_FOUND`] The device does not support this data class.
123+
/// - [`crate::Status::DEVICE_ERROR`] An error occurred while reading the IdentifyData from the device.
124+
/// - [`crate::Status::BUFFER_TOO_SMALL`] The provided IdentifyDataSize buffer is not large enough to store the required data.
125+
pub fn identify(&self, bfr: &mut [u8]) -> crate::Result<usize> {
126+
let mut len: u32 = bfr.len() as u32;
127+
unsafe {
128+
(self.0.identify)(&self.0, bfr.as_mut_ptr().cast(), &mut len)
129+
.to_result_with_val(|| len as usize)
130+
}
131+
}
132+
133+
/// Retrieves sense data from the disk device.
134+
///
135+
/// # Parameters
136+
/// - `bfr`: A mutable byte buffer to store the sense data.
137+
///
138+
/// # Returns
139+
/// [`SenseDataInfo`] struct containing the number of bytes of sense data and the number of sense data structures.
140+
///
141+
/// # Errors
142+
/// - [`crate::Status::SUCCESS`] The command was accepted without any errors.
143+
/// - [`crate::Status::NOT_FOUND`] The device does not support this data class.
144+
/// - [`crate::Status::DEVICE_ERROR`] An error occurred while reading the SenseData from the device.
145+
/// - [`crate::Status::BUFFER_TOO_SMALL`] The provided SenseDataSize buffer is not large enough to store the required data.
146+
pub fn sense_data(&self, bfr: &mut [u8]) -> crate::Result<SenseDataInfo> {
147+
let mut len: u32 = bfr.len() as u32;
148+
let mut number: u8 = 0;
149+
unsafe {
150+
(self.0.sense_data)(&self.0, bfr.as_mut_ptr().cast(), &mut len, &mut number)
151+
.to_result_with_val(|| SenseDataInfo {
152+
bytes: len as usize,
153+
number,
154+
})
155+
}
156+
}
157+
158+
/// Retrieves the physical location of the device on the bus.
159+
///
160+
/// This operation provides information about the channel and device identifiers, which can
161+
/// help determine the device's physical connection point.
162+
///
163+
/// # Returns
164+
/// [`DeviceLocationInfo`] struct containing the channel and device numbers.
165+
///
166+
/// # Errors
167+
/// - [`crate::Status::SUCCESS`] The `IdeChannel` and `IdeDevice` values are valid.
168+
/// - [`crate::Status::UNSUPPORTED`] Not supported by this disk's interface type.
169+
pub fn bus_location(&self) -> crate::Result<DeviceLocationInfo> {
170+
let mut ide_channel: u32 = 0; // called ide, but also useful for other interfaces
171+
let mut ide_device: u32 = 0;
172+
unsafe {
173+
(self.0.which_ide)(&self.0, &mut ide_channel, &mut ide_device).to_result_with_val(
174+
|| DeviceLocationInfo {
175+
channel: ide_channel,
176+
device: ide_device,
177+
},
178+
)
179+
}
180+
}
181+
}

uefi/src/proto/media/mod.rs

+1
Original file line numberDiff line numberDiff line change
@@ -10,6 +10,7 @@ pub mod file;
1010

1111
pub mod block;
1212
pub mod disk;
13+
pub mod disk_info;
1314
pub mod fs;
1415
pub mod load_file;
1516
pub mod partition;

xtask/src/qemu.rs

+15-1
Original file line numberDiff line numberDiff line change
@@ -456,6 +456,10 @@ pub fn run_qemu(arch: UefiArch, opt: &QemuOpt) -> Result<()> {
456456
add_pflash_args(&mut cmd, &ovmf_paths.code, PflashMode::ReadOnly);
457457
add_pflash_args(&mut cmd, &ovmf_vars, PflashMode::ReadWrite);
458458

459+
// Configure SCSI Controller
460+
cmd.arg("-device");
461+
cmd.arg("virtio-scsi-pci");
462+
459463
// Mount a local directory as a FAT partition.
460464
cmd.arg("-drive");
461465
let mut drive_arg = OsString::from("format=raw,file=fat:rw:");
@@ -467,14 +471,24 @@ pub fn run_qemu(arch: UefiArch, opt: &QemuOpt) -> Result<()> {
467471
cmd.args(["-display", "none"]);
468472
}
469473

474+
// Second (FAT) disk
470475
let test_disk = tmp_dir.join("test_disk.fat.img");
471476
create_mbr_test_disk(&test_disk)?;
472-
473477
cmd.arg("-drive");
474478
let mut drive_arg = OsString::from("format=raw,file=");
475479
drive_arg.push(test_disk.clone());
476480
cmd.arg(drive_arg);
477481

482+
// Third (SCSI) disk for ExtScsiPassThru tests
483+
let scsi_test_disk = tmp_dir.join("test_disk2.empty.img");
484+
std::fs::File::create(&scsi_test_disk)?.set_len(1024 * 1024 * 10)?;
485+
cmd.arg("-drive");
486+
let mut drive_arg = OsString::from("if=none,id=scsidisk0,format=raw,file=");
487+
drive_arg.push(scsi_test_disk.clone());
488+
cmd.arg(drive_arg);
489+
cmd.arg("-device"); // attach disk to SCSI controller
490+
cmd.arg("scsi-hd,drive=scsidisk0,vendor=uefi-rs,product=ExtScsiPassThru");
491+
478492
let qemu_monitor_pipe = Pipe::new(tmp_dir, "qemu-monitor")?;
479493
let serial_pipe = Pipe::new(tmp_dir, "serial")?;
480494

0 commit comments

Comments
 (0)