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
use {
snafu::prelude::*,
crate::*,
std::{
fs,
path::{Path, PathBuf},
str::FromStr,
},
};
#[derive(Debug, Clone)]
pub struct BlockDeviceList {
list: Vec<BlockDevice>,
}
#[derive(Debug, Clone)]
pub struct BlockDevice {
pub name: String,
pub dm_name: Option<String>,
pub id: DeviceId,
pub parent: Option<DeviceId>,
}
impl BlockDeviceList {
pub fn read() -> Result<Self, Error> {
let mut list = Vec::new();
let root = PathBuf::from("/sys/block");
append_child_block_devices(None, &root, &mut list, 0)?;
Ok(Self { list })
}
pub fn find_by_id(&self, id: DeviceId) -> Option<&BlockDevice> {
self.list.iter().find(|bd| bd.id == id)
}
pub fn find_by_dm_name(&self, dm_name: &str) -> Option<&BlockDevice> {
self.list
.iter()
.find(|bd| bd.dm_name.as_ref().map_or(false, |s| s == dm_name))
}
pub fn find_by_name(&self, name: &str) -> Option<&BlockDevice> {
self.list.iter().find(|bd| bd.name == name)
}
pub fn find_top(
&self,
id: DeviceId,
dm_name: Option<&str>,
name: Option<&str>,
) -> Option<&BlockDevice> {
self.find_by_id(id)
.or_else(|| dm_name.and_then(|dm_name| self.find_by_dm_name(dm_name)))
.or_else(|| name.and_then(|name| self.find_by_name(name)))
.and_then(|bd| match bd.parent {
Some(parent_id) => self.find_top(parent_id, None, None),
None => Some(bd),
})
}
}
fn append_child_block_devices(
parent: Option<DeviceId>,
parent_path: &Path,
list: &mut Vec<BlockDevice>,
depth: usize,
) -> Result<(), Error> {
let children = fs::read_dir(parent_path)
.with_context(|_| CantReadDirSnafu { path: parent_path.to_path_buf() })?;
for e in children.flatten() {
let device_id = fs::read_to_string(e.path().join("dev"))
.ok()
.and_then(|s| DeviceId::from_str(s.trim()).ok());
if let Some(id) = device_id {
if list.iter().any(|bd| bd.id == id) {
continue;
}
let name = e.file_name().to_string_lossy().to_string();
let dm_name = sys::read_file(&format!("/sys/block/{}/dm/name", name))
.ok()
.map(|s| s.trim().to_string());
list.push(BlockDevice {
name,
dm_name,
id,
parent,
});
if depth > 15 {
continue;
}
append_child_block_devices(Some(id), &e.path(), list, depth + 1)?;
}
}
Ok(())
}