ax_driver/lib.rs
1//! [ArceOS](https://github.com/arceos-org/arceos) device drivers.
2//!
3//! # Usage
4//!
5//! All detected devices are composed into a large struct [`AllDevices`]
6//! and returned by the [`init_drivers`] function. The upperlayer subsystems
7//! (e.g., the network stack) may unpack the struct to get the specified device
8//! driver they want.
9//!
10//! For each device category (i.e., net, block, display, etc.), an unified type
11//! is used to represent all devices in that category. Currently, there are 3
12//! categories: [`AxNetDevice`], [`AxBlockDevice`], and [`AxDisplayDevice`].
13//!
14//! # Concepts
15//!
16//! This crate supports two device models depending on the `dyn` feature:
17//!
18//! - **Static**: The type of all devices is static, it is determined at compile
19//! time by corresponding cargo features. For example, [`AxNetDevice`] will be
20//! an alias of [`VirtioNetDev`] if the `virtio-net` feature is enabled. This
21//! model provides the best performance as it avoids dynamic dispatch. But on
22//! limitation, only one device instance is supported for each device category.
23//! - **Dynamic**: All device instance is using [trait objects] and wrapped in a
24//! `Box<dyn Trait>`. For example, [`AxNetDevice`] will be [`Box<dyn NetDriverOps>`].
25//! When call a method provided by the device, it uses [dynamic dispatch][dyn]
26//! that may introduce a little overhead. But on the other hand, it is more
27//! flexible, multiple instances of each device category are supported.
28//!
29//! # Supported Devices
30//!
31//! | Device Category | Cargo Feature | Description |
32//! |-|-|-|
33//! | Block | `ramdisk` | A RAM disk that stores data in a vector |
34//! | Block | `virtio-blk` | VirtIO block device |
35//! | Network | `virtio-net` | VirtIO network device |
36//! | Display | `virtio-gpu` | VirtIO graphics device |
37//!
38//! # Other Cargo Features
39//!
40//! - `dyn`: use the dynamic device model (see above).
41//! - `bus-mmio`: use device tree to probe all MMIO devices.
42//! - `bus-pci`: use PCI bus to probe all PCI devices. This feature is
43//! enabled by default.
44//! - `virtio`: use VirtIO devices. This is enabled if any of `virtio-blk`,
45//! `virtio-net` or `virtio-gpu` is enabled.
46//! - `net`: use network devices. This is enabled if any feature of network
47//! devices is selected. If this feature is enabled without any network device
48//! features, a dummy struct is used for [`AxNetDevice`].
49//! - `block`: use block storage devices. Similar to the `net` feature.
50//! - `display`: use graphics display devices. Similar to the `net` feature.
51//!
52//! [`VirtioNetDev`]: ax_driver_virtio::VirtIoNetDev
53//! [`Box<dyn NetDriverOps>`]: ax_driver_net::NetDriverOps
54//! [trait objects]: https://doc.rust-lang.org/book/ch17-02-trait-objects.html
55//! [dyn]: https://doc.rust-lang.org/std/keyword.dyn.html
56
57#![no_std]
58#![cfg_attr(feature = "virtio", feature(associated_type_defaults))]
59
60#[macro_use]
61extern crate log;
62
63#[cfg(feature = "dyn")]
64extern crate alloc;
65
66#[macro_use]
67mod macros;
68
69#[cfg(not(feature = "dyn"))]
70mod bus;
71mod drivers;
72mod dummy;
73mod structs;
74
75#[cfg(feature = "virtio")]
76mod virtio;
77
78#[cfg(feature = "ixgbe")]
79mod ixgbe;
80
81#[cfg(feature = "dyn")]
82mod dyn_drivers;
83
84pub mod prelude;
85
86#[cfg(feature = "block")]
87pub use ax_driver_block::partition::{
88 PartitionBlockDevice, PartitionInfo, PartitionRegion, PartitionTable, PartitionTableKind,
89 scan_partitions,
90};
91
92#[allow(unused_imports)]
93use self::prelude::*;
94#[cfg(feature = "block")]
95pub use self::structs::AxBlockDevice;
96#[cfg(feature = "display")]
97pub use self::structs::AxDisplayDevice;
98#[cfg(feature = "net")]
99pub use self::structs::AxNetDevice;
100pub use self::structs::{AxDeviceContainer, AxDeviceEnum};
101
102/// A structure that contains all device drivers, organized by their category.
103#[derive(Default)]
104pub struct AllDevices {
105 /// All network device drivers.
106 #[cfg(feature = "net")]
107 pub net: AxDeviceContainer<AxNetDevice>,
108 /// All block device drivers.
109 #[cfg(feature = "block")]
110 pub block: AxDeviceContainer<AxBlockDevice>,
111 /// All graphics device drivers.
112 #[cfg(feature = "display")]
113 pub display: AxDeviceContainer<AxDisplayDevice>,
114 /// All input device drivers.
115 #[cfg(feature = "input")]
116 pub input: AxDeviceContainer<AxInputDevice>,
117 /// All vsock device drivers.
118 #[cfg(feature = "vsock")]
119 pub vsock: AxDeviceContainer<AxVsockDevice>,
120}
121
122impl AllDevices {
123 /// Returns the device model used, either `dyn` or `static`.
124 ///
125 /// See the [crate-level documentation](crate) for more details.
126 pub const fn device_model() -> &'static str {
127 if cfg!(feature = "dyn") {
128 "dyn"
129 } else {
130 "static"
131 }
132 }
133
134 /// Probes all supported devices.
135 fn probe(&mut self) {
136 #[cfg(feature = "dyn")]
137 for dev in dyn_drivers::probe_all_devices() {
138 self.add_device(dev);
139 }
140 #[cfg(not(feature = "dyn"))]
141 {
142 for_each_drivers!(type Driver, {
143 if let Some(dev) = Driver::probe_global() {
144 info!(
145 "registered a new {:?} device: {:?}",
146 dev.device_type(),
147 dev.device_name(),
148 );
149 self.add_device(dev);
150 }
151 });
152
153 self.probe_bus_devices();
154 }
155 }
156
157 /// Adds one device into the corresponding container, according to its device category.
158 #[allow(dead_code)]
159 fn add_device(&mut self, dev: AxDeviceEnum) {
160 match dev {
161 #[cfg(feature = "net")]
162 AxDeviceEnum::Net(dev) => self.net.push(dev),
163 #[cfg(feature = "block")]
164 AxDeviceEnum::Block(dev) => self.block.push(dev),
165 #[cfg(feature = "display")]
166 AxDeviceEnum::Display(dev) => self.display.push(dev),
167 #[cfg(feature = "input")]
168 AxDeviceEnum::Input(dev) => self.input.push(dev),
169 #[cfg(feature = "vsock")]
170 AxDeviceEnum::Vsock(dev) => self.vsock.push(dev),
171 }
172 }
173}
174
175/// Probes and initializes all device drivers, returns the [`AllDevices`] struct.
176pub fn init_drivers() -> AllDevices {
177 info!("Initialize device drivers...");
178 info!(" device model: {}", AllDevices::device_model());
179
180 let mut all_devs = AllDevices::default();
181 all_devs.probe();
182
183 #[cfg(feature = "net")]
184 {
185 debug!("number of NICs: {}", all_devs.net.len());
186 for (i, dev) in all_devs.net.iter().enumerate() {
187 assert_eq!(dev.device_type(), DeviceType::Net);
188 debug!(" NIC {}: {:?}", i, dev.device_name());
189 }
190 }
191 #[cfg(feature = "block")]
192 {
193 debug!("number of block devices: {}", all_devs.block.len());
194 for (i, dev) in all_devs.block.iter().enumerate() {
195 assert_eq!(dev.device_type(), DeviceType::Block);
196 debug!(" block device {}: {:?}", i, dev.device_name());
197 }
198 }
199 #[cfg(feature = "display")]
200 {
201 debug!("number of graphics devices: {}", all_devs.display.len());
202 for (i, dev) in all_devs.display.iter().enumerate() {
203 assert_eq!(dev.device_type(), DeviceType::Display);
204 debug!(" graphics device {}: {:?}", i, dev.device_name());
205 }
206 }
207 #[cfg(feature = "input")]
208 {
209 debug!("number of input devices: {}", all_devs.input.len());
210 for (i, dev) in all_devs.input.iter().enumerate() {
211 assert_eq!(dev.device_type(), DeviceType::Input);
212 debug!(" input device {}: {:?}", i, dev.device_name());
213 }
214 }
215 #[cfg(feature = "vsock")]
216 {
217 debug!("number of vsock devices: {}", all_devs.vsock.len());
218 for (i, dev) in all_devs.vsock.iter().enumerate() {
219 assert_eq!(dev.device_type(), DeviceType::Vsock);
220 debug!(" vsock device {}: {:?}", i, dev.device_name());
221 }
222 }
223
224 all_devs
225}