hermit/drivers/
pci.rs

1#![allow(dead_code)]
2
3use alloc::collections::VecDeque;
4use alloc::vec::Vec;
5use core::fmt;
6
7use ahash::RandomState;
8use hashbrown::HashMap;
9#[cfg(any(feature = "tcp", feature = "udp", feature = "fuse", feature = "vsock"))]
10use hermit_sync::InterruptTicketMutex;
11use hermit_sync::without_interrupts;
12use memory_addresses::{PhysAddr, VirtAddr};
13use pci_types::capability::CapabilityIterator;
14use pci_types::{
15	Bar, CommandRegister, ConfigRegionAccess, DeviceId, EndpointHeader, InterruptLine,
16	InterruptPin, MAX_BARS, PciAddress, PciHeader, StatusRegister, VendorId,
17};
18
19use crate::arch::pci::PciConfigRegion;
20#[cfg(feature = "fuse")]
21use crate::drivers::fs::virtio_fs::VirtioFsDriver;
22#[cfg(any(feature = "tcp", feature = "udp"))]
23use crate::drivers::net::NetworkDriver;
24#[cfg(all(target_arch = "x86_64", feature = "rtl8139"))]
25use crate::drivers::net::rtl8139::{self, RTL8139Driver};
26#[cfg(all(
27	not(all(target_arch = "x86_64", feature = "rtl8139")),
28	any(feature = "tcp", feature = "udp")
29))]
30use crate::drivers::net::virtio::VirtioNetDriver;
31#[cfg(any(
32	all(
33		any(feature = "tcp", feature = "udp"),
34		not(all(target_arch = "x86_64", feature = "rtl8139"))
35	),
36	feature = "fuse",
37	feature = "vsock"
38))]
39use crate::drivers::virtio::transport::pci as pci_virtio;
40#[cfg(any(
41	all(
42		any(feature = "tcp", feature = "udp"),
43		not(all(target_arch = "x86_64", feature = "rtl8139"))
44	),
45	feature = "fuse",
46	feature = "vsock"
47))]
48use crate::drivers::virtio::transport::pci::VirtioDriver;
49#[cfg(feature = "vsock")]
50use crate::drivers::vsock::VirtioVsockDriver;
51#[allow(unused_imports)]
52use crate::drivers::{Driver, InterruptHandlerQueue};
53use crate::env;
54use crate::init_cell::InitCell;
55
56pub(crate) static PCI_DEVICES: InitCell<Vec<PciDevice<PciConfigRegion>>> =
57	InitCell::new(Vec::new());
58static PCI_DRIVERS: InitCell<Vec<PciDriver>> = InitCell::new(Vec::new());
59
60#[derive(Copy, Clone, Debug)]
61pub(crate) struct PciDevice<T: ConfigRegionAccess> {
62	address: PciAddress,
63	access: T,
64}
65
66impl<T: ConfigRegionAccess> PciDevice<T> {
67	pub const fn new(address: PciAddress, access: T) -> Self {
68		Self { address, access }
69	}
70
71	pub fn access(&self) -> &T {
72		&self.access
73	}
74
75	pub fn header(&self) -> PciHeader {
76		PciHeader::new(self.address)
77	}
78
79	/// Set flag to the command register
80	pub fn set_command(&self, cmd: CommandRegister) {
81		self.header()
82			.update_command(&self.access, |command| command | cmd);
83	}
84
85	/// Returns the bar at bar-register `slot`.
86	pub fn get_bar(&self, slot: u8) -> Option<Bar> {
87		let header = self.header();
88		if let Some(endpoint) = EndpointHeader::from_header(header, &self.access) {
89			return endpoint.bar(slot, &self.access);
90		}
91
92		None
93	}
94
95	/// Configure the bar at register `slot`
96	pub fn set_bar(&self, slot: u8, bar: Bar) {
97		let value = match bar {
98			Bar::Io { port } => (port | 1) as usize,
99			Bar::Memory32 {
100				address,
101				size: _,
102				prefetchable,
103			} => {
104				if prefetchable {
105					(address | (1 << 3)) as usize
106				} else {
107					address as usize
108				}
109			}
110			Bar::Memory64 {
111				address,
112				size: _,
113				prefetchable,
114			} => {
115				if prefetchable {
116					(address | (2 << 1) | (1 << 3)) as usize
117				} else {
118					(address | (2 << 1)) as usize
119				}
120			}
121		};
122		let mut header = EndpointHeader::from_header(self.header(), &self.access).unwrap();
123		unsafe {
124			header.write_bar(slot, &self.access, value).unwrap();
125		}
126	}
127
128	/// Memory maps pci bar with specified index to identical location in virtual memory.
129	/// no_cache determines if we set the `Cache Disable` flag in the page-table-entry.
130	/// Returns (virtual-pointer, size) if successful, else None (if bar non-existent or IOSpace)
131	pub fn memory_map_bar(&self, index: u8, no_cache: bool) -> Option<(VirtAddr, usize)> {
132		let (address, size, prefetchable, width) = match self.get_bar(index) {
133			Some(Bar::Io { .. }) => {
134				warn!("Cannot map IOBar!");
135				return None;
136			}
137			Some(Bar::Memory32 {
138				address,
139				size,
140				prefetchable,
141			}) => (
142				u64::from(address),
143				usize::try_from(size).unwrap(),
144				prefetchable,
145				32,
146			),
147			Some(Bar::Memory64 {
148				address,
149				size,
150				prefetchable,
151			}) => (address, usize::try_from(size).unwrap(), prefetchable, 64),
152			_ => {
153				return None;
154			}
155		};
156
157		if address == 0 {
158			return None;
159		}
160
161		debug!("Mapping bar {index} at {address:#x} with length {size:#x}");
162
163		if width != 64 {
164			warn!("Currently only mapping of 64 bit bars is supported!");
165			return None;
166		}
167		if !prefetchable {
168			warn!("Currently only mapping of prefetchable bars is supported!");
169		}
170
171		// Since the bios/bootloader manages the physical address space, the address got from the bar is unique and not overlapping.
172		// We therefore do not need to reserve any additional memory in our kernel.
173		// Map bar into RW^X virtual memory
174		let physical_address = address;
175		let virtual_address = if env::is_uefi() {
176			VirtAddr::new(address)
177		} else {
178			crate::mm::map(PhysAddr::new(physical_address), size, true, true, no_cache)
179		};
180
181		Some((virtual_address, size))
182	}
183
184	pub fn get_irq(&self) -> Option<InterruptLine> {
185		let header = self.header();
186		if let Some(endpoint) = EndpointHeader::from_header(header, &self.access) {
187			let (_pin, line) = endpoint.interrupt(&self.access);
188			Some(line)
189		} else {
190			None
191		}
192	}
193
194	pub fn set_irq(&self, pin: InterruptPin, line: InterruptLine) {
195		let mut header = EndpointHeader::from_header(self.header(), &self.access).unwrap();
196		header.update_interrupt(&self.access, |(_pin, _line)| (pin, line));
197	}
198
199	pub fn device_id(&self) -> DeviceId {
200		let (_vendor_id, device_id) = self.header().id(&self.access);
201		device_id
202	}
203
204	pub fn id(&self) -> (VendorId, DeviceId) {
205		self.header().id(&self.access)
206	}
207
208	pub fn status(&self) -> StatusRegister {
209		self.header().status(&self.access)
210	}
211
212	pub fn capabilities(&self) -> Option<CapabilityIterator<&T>> {
213		EndpointHeader::from_header(self.header(), &self.access)
214			.map(|header| header.capabilities(&self.access))
215	}
216}
217
218impl<T: ConfigRegionAccess> fmt::Display for PciDevice<T> {
219	fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
220		let header = self.header();
221		let header_type = header.header_type(&self.access);
222		let (vendor_id, device_id) = header.id(&self.access);
223		let (_dev_rev, class_id, subclass_id, _interface) = header.revision_and_class(&self.access);
224
225		if let Some(endpoint) = EndpointHeader::from_header(header, &self.access) {
226			#[cfg(feature = "pci-ids")]
227			let (class_name, vendor_name, device_name) = {
228				use pci_ids::{Class, Device, FromId, Subclass};
229
230				let class_name = Class::from_id(class_id).map_or("Unknown Class", |class| {
231					class
232						.subclasses()
233						.find(|s| s.id() == subclass_id)
234						.map(Subclass::name)
235						.unwrap_or_else(|| class.name())
236				});
237
238				let (vendor_name, device_name) = Device::from_vid_pid(vendor_id, device_id)
239					.map(|device| (device.vendor().name(), device.name()))
240					.unwrap_or(("Unknown Vendor", "Unknown Device"));
241
242				(class_name, vendor_name, device_name)
243			};
244
245			#[cfg(not(feature = "pci-ids"))]
246			let (class_name, vendor_name, device_name) =
247				("Unknown Class", "Unknown Vendor", "Unknown Device");
248
249			// Output detailed readable information about this device.
250			write!(
251				f,
252				"{:02X}:{:02X} {} [{:02X}{:02X}]: {} {} [{:04X}:{:04X}]",
253				self.address.bus(),
254				self.address.device(),
255				class_name,
256				class_id,
257				subclass_id,
258				vendor_name,
259				device_name,
260				vendor_id,
261				device_id
262			)?;
263
264			// If the devices uses an IRQ, output this one as well.
265			let (_, irq) = endpoint.interrupt(&self.access);
266			if irq != 0 && irq != u8::MAX {
267				write!(f, ", IRQ {irq}")?;
268			}
269
270			let mut slot: u8 = 0;
271			while usize::from(slot) < MAX_BARS {
272				if let Some(pci_bar) = endpoint.bar(slot, &self.access) {
273					match pci_bar {
274						Bar::Memory64 {
275							address,
276							size,
277							prefetchable,
278						} => {
279							write!(
280								f,
281								", BAR{slot} Memory64 {{ address: {address:#X}, size: {size:#X}, prefetchable: {prefetchable} }}"
282							)?;
283							slot += 1;
284						}
285						Bar::Memory32 {
286							address,
287							size,
288							prefetchable,
289						} => {
290							write!(
291								f,
292								", BAR{slot} Memory32 {{ address: {address:#X}, size: {size:#X}, prefetchable: {prefetchable} }}"
293							)?;
294						}
295						Bar::Io { port } => {
296							write!(f, ", BAR{slot} IO {{ port: {port:#X} }}")?;
297						}
298					}
299				}
300				slot += 1;
301			}
302		} else {
303			// Output detailed readable information about this device.
304			write!(
305				f,
306				"{:02X}:{:02X} {:?} [{:04X}:{:04X}]",
307				self.address.bus(),
308				self.address.device(),
309				header_type,
310				vendor_id,
311				device_id
312			)?;
313		}
314
315		Ok(())
316	}
317}
318
319pub(crate) fn print_information() {
320	infoheader!(" PCI BUS INFORMATION ");
321
322	for adapter in PCI_DEVICES.finalize().iter() {
323		info!("{adapter}");
324	}
325
326	infofooter!();
327}
328
329#[allow(clippy::large_enum_variant)]
330#[allow(clippy::enum_variant_names)]
331pub(crate) enum PciDriver {
332	#[cfg(feature = "fuse")]
333	VirtioFs(InterruptTicketMutex<VirtioFsDriver>),
334	#[cfg(feature = "vsock")]
335	VirtioVsock(InterruptTicketMutex<VirtioVsockDriver>),
336	#[cfg(all(
337		not(all(target_arch = "x86_64", feature = "rtl8139")),
338		any(feature = "tcp", feature = "udp")
339	))]
340	VirtioNet(InterruptTicketMutex<VirtioNetDriver>),
341	#[cfg(all(
342		target_arch = "x86_64",
343		feature = "rtl8139",
344		any(feature = "tcp", feature = "udp")
345	))]
346	RTL8139Net(InterruptTicketMutex<RTL8139Driver>),
347}
348
349impl PciDriver {
350	#[cfg(all(
351		not(all(target_arch = "x86_64", feature = "rtl8139")),
352		any(feature = "tcp", feature = "udp")
353	))]
354	fn get_network_driver(&self) -> Option<&InterruptTicketMutex<VirtioNetDriver>> {
355		#[allow(unreachable_patterns)]
356		match self {
357			Self::VirtioNet(drv) => Some(drv),
358			_ => None,
359		}
360	}
361
362	#[cfg(all(
363		target_arch = "x86_64",
364		feature = "rtl8139",
365		any(feature = "tcp", feature = "udp")
366	))]
367	fn get_network_driver(&self) -> Option<&InterruptTicketMutex<RTL8139Driver>> {
368		#[allow(unreachable_patterns)]
369		match self {
370			Self::RTL8139Net(drv) => Some(drv),
371			_ => None,
372		}
373	}
374
375	#[cfg(feature = "vsock")]
376	fn get_vsock_driver(&self) -> Option<&InterruptTicketMutex<VirtioVsockDriver>> {
377		#[allow(unreachable_patterns)]
378		match self {
379			Self::VirtioVsock(drv) => Some(drv),
380			_ => None,
381		}
382	}
383
384	#[cfg(feature = "fuse")]
385	fn get_filesystem_driver(&self) -> Option<&InterruptTicketMutex<VirtioFsDriver>> {
386		match self {
387			Self::VirtioFs(drv) => Some(drv),
388			#[allow(unreachable_patterns)]
389			_ => None,
390		}
391	}
392
393	fn get_interrupt_handler(&self) -> (InterruptLine, fn()) {
394		#[allow(unreachable_patterns)]
395		match self {
396			#[cfg(feature = "vsock")]
397			Self::VirtioVsock(drv) => {
398				fn vsock_handler() {
399					if let Some(driver) = get_vsock_driver() {
400						driver.lock().handle_interrupt();
401					}
402				}
403
404				let irq_number = drv.lock().get_interrupt_number();
405
406				(irq_number, vsock_handler)
407			}
408			#[cfg(all(
409				target_arch = "x86_64",
410				feature = "rtl8139",
411				any(feature = "tcp", feature = "udp")
412			))]
413			Self::RTL8139Net(drv) => {
414				fn rtl8139_handler() {
415					if let Some(driver) = get_network_driver() {
416						driver.lock().handle_interrupt();
417					}
418				}
419
420				let irq_number = drv.lock().get_interrupt_number();
421
422				(irq_number, rtl8139_handler)
423			}
424			#[cfg(all(
425				not(all(target_arch = "x86_64", feature = "rtl8139")),
426				any(feature = "tcp", feature = "udp")
427			))]
428			Self::VirtioNet(drv) => {
429				fn network_handler() {
430					if let Some(driver) = get_network_driver() {
431						driver.lock().handle_interrupt();
432					}
433				}
434
435				let irq_number = drv.lock().get_interrupt_number();
436
437				(irq_number, network_handler)
438			}
439			#[cfg(feature = "fuse")]
440			Self::VirtioFs(drv) => {
441				fn fuse_handler() {}
442
443				let irq_number = drv.lock().get_interrupt_number();
444
445				(irq_number, fuse_handler)
446			}
447			_ => todo!(),
448		}
449	}
450}
451
452pub(crate) fn register_driver(drv: PciDriver) {
453	PCI_DRIVERS.with(|pci_drivers| pci_drivers.unwrap().push(drv));
454}
455
456pub(crate) fn get_interrupt_handlers() -> HashMap<InterruptLine, InterruptHandlerQueue, RandomState>
457{
458	let mut handlers: HashMap<InterruptLine, InterruptHandlerQueue, RandomState> =
459		HashMap::with_hasher(RandomState::with_seeds(0, 0, 0, 0));
460
461	for drv in PCI_DRIVERS.finalize().iter() {
462		let (irq_number, handler) = drv.get_interrupt_handler();
463
464		if let Some(map) = handlers.get_mut(&irq_number) {
465			map.push_back(handler);
466		} else {
467			let mut map: InterruptHandlerQueue = VecDeque::new();
468			map.push_back(handler);
469			handlers.insert(irq_number, map);
470		}
471	}
472
473	handlers
474}
475
476#[cfg(all(
477	not(all(target_arch = "x86_64", feature = "rtl8139")),
478	any(feature = "tcp", feature = "udp")
479))]
480pub(crate) fn get_network_driver() -> Option<&'static InterruptTicketMutex<VirtioNetDriver>> {
481	PCI_DRIVERS
482		.get()?
483		.iter()
484		.find_map(|drv| drv.get_network_driver())
485}
486
487#[cfg(all(
488	target_arch = "x86_64",
489	feature = "rtl8139",
490	any(feature = "tcp", feature = "udp")
491))]
492pub(crate) fn get_network_driver() -> Option<&'static InterruptTicketMutex<RTL8139Driver>> {
493	PCI_DRIVERS
494		.get()?
495		.iter()
496		.find_map(|drv| drv.get_network_driver())
497}
498
499#[cfg(feature = "vsock")]
500pub(crate) fn get_vsock_driver() -> Option<&'static InterruptTicketMutex<VirtioVsockDriver>> {
501	PCI_DRIVERS
502		.get()?
503		.iter()
504		.find_map(|drv| drv.get_vsock_driver())
505}
506
507#[cfg(feature = "fuse")]
508pub(crate) fn get_filesystem_driver() -> Option<&'static InterruptTicketMutex<VirtioFsDriver>> {
509	PCI_DRIVERS
510		.get()?
511		.iter()
512		.find_map(|drv| drv.get_filesystem_driver())
513}
514
515pub(crate) fn init() {
516	// virtio: 4.1.2 PCI Device Discovery
517	without_interrupts(|| {
518		for adapter in PCI_DEVICES.finalize().iter().filter(|x| {
519			let (vendor_id, device_id) = x.id();
520			vendor_id == 0x1af4 && (0x1000..=0x107f).contains(&device_id)
521		}) {
522			info!(
523				"Found virtio device with device id {:#x}",
524				adapter.device_id()
525			);
526
527			#[cfg(any(
528				all(
529					any(feature = "tcp", feature = "udp"),
530					not(all(target_arch = "x86_64", feature = "rtl8139"))
531				),
532				feature = "fuse",
533				feature = "vsock"
534			))]
535			match pci_virtio::init_device(adapter) {
536				#[cfg(all(
537					not(all(target_arch = "x86_64", feature = "rtl8139")),
538					any(feature = "tcp", feature = "udp")
539				))]
540				Ok(VirtioDriver::Network(drv)) => {
541					register_driver(PciDriver::VirtioNet(InterruptTicketMutex::new(drv)));
542				}
543				#[cfg(feature = "vsock")]
544				Ok(VirtioDriver::Vsock(drv)) => {
545					register_driver(PciDriver::VirtioVsock(InterruptTicketMutex::new(drv)));
546				}
547				#[cfg(feature = "fuse")]
548				Ok(VirtioDriver::FileSystem(drv)) => {
549					register_driver(PciDriver::VirtioFs(InterruptTicketMutex::new(drv)));
550				}
551				_ => {}
552			}
553		}
554
555		// Searching for Realtek RTL8139, which is supported by Qemu
556		#[cfg(all(target_arch = "x86_64", feature = "rtl8139"))]
557		for adapter in PCI_DEVICES.finalize().iter().filter(|x| {
558			let (vendor_id, device_id) = x.id();
559			vendor_id == 0x10ec && (0x8138..=0x8139).contains(&device_id)
560		}) {
561			info!(
562				"Found Realtek network device with device id {:#x}",
563				adapter.device_id()
564			);
565
566			if let Ok(drv) = rtl8139::init_device(adapter) {
567				register_driver(PciDriver::RTL8139Net(InterruptTicketMutex::new(drv)));
568			}
569		}
570	});
571}
572
573/// A module containing PCI specific errors
574///
575/// Errors include...
576pub(crate) mod error {
577	/// An enum of PciErrors
578	/// typically carrying the device's id as an u16.
579	#[derive(Debug)]
580	pub enum PciError {
581		General(u16),
582		NoBar(u16),
583		NoCapPtr(u16),
584		NoVirtioCaps(u16),
585	}
586}