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
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
mod devfs;
mod file;
mod ioctl;
mod pipe;
mod pseudo;
pub mod rcore_fs_wrapper;
mod stdio;
#[cfg(feature = "mock-disk")]
pub mod mock;
#[cfg(feature = "mock-disk")]
pub fn mocking_block(initrd: &'static mut [u8]) -> ! {
mock::mocking(initrd)
}
#[cfg(feature = "mock-disk")]
pub fn mock_block() -> mock::MockBlock {
mock::MockBlock::new()
}
use alloc::{boxed::Box, string::ToString, sync::Arc, vec::Vec};
use core::convert::TryFrom;
use async_trait::async_trait;
use downcast_rs::impl_downcast;
use kernel_hal::drivers;
use rcore_fs::vfs::{FileSystem, FileType, INode, Result};
use rcore_fs_devfs::{
special::{NullINode, ZeroINode},
DevFS,
};
use rcore_fs_mountfs::MountFS;
use rcore_fs_ramfs::RamFS;
use zircon_object::{object::KernelObject, vm::VmObject};
use crate::error::{LxError, LxResult};
use crate::net::Socket;
use crate::process::LinuxProcess;
use devfs::RandomINode;
use pseudo::Pseudo;
pub use file::{File, OpenFlags, PollEvents, SeekFrom};
pub use pipe::Pipe;
pub use rcore_fs::vfs::{self, PollStatus};
pub use stdio::{STDIN, STDOUT};
#[async_trait]
pub trait FileLike: KernelObject {
fn flags(&self) -> OpenFlags;
fn set_flags(&self, f: OpenFlags) -> LxResult;
fn dup(&self) -> Arc<dyn FileLike> {
unimplemented!()
}
async fn read(&self, buf: &mut [u8]) -> LxResult<usize>;
fn write(&self, buf: &[u8]) -> LxResult<usize>;
async fn read_at(&self, offset: u64, buf: &mut [u8]) -> LxResult<usize>;
fn write_at(&self, _offset: u64, _buf: &[u8]) -> LxResult<usize> {
Err(LxError::ENOSYS)
}
fn poll(&self, events: PollEvents) -> LxResult<PollStatus>;
async fn async_poll(&self, events: PollEvents) -> LxResult<PollStatus>;
fn ioctl(&self, _request: usize, _arg1: usize, _arg2: usize, _arg3: usize) -> LxResult<usize> {
Err(LxError::ENOSYS)
}
fn get_vmo(&self, _offset: usize, _len: usize) -> LxResult<Arc<VmObject>> {
Err(LxError::ENOSYS)
}
fn as_socket(&self) -> LxResult<&dyn Socket> {
Err(LxError::ENOTSOCK)
}
}
impl_downcast!(sync FileLike);
#[derive(Debug, Copy, Clone, Ord, PartialOrd, Eq, PartialEq, Hash)]
pub struct FileDesc(i32);
impl FileDesc {
pub const CWD: Self = FileDesc(-100);
}
impl From<usize> for FileDesc {
fn from(x: usize) -> Self {
FileDesc(x as i32)
}
}
impl From<i32> for FileDesc {
fn from(x: i32) -> Self {
FileDesc(x)
}
}
impl TryFrom<&str> for FileDesc {
type Error = LxError;
fn try_from(name: &str) -> LxResult<Self> {
let x: i32 = name.parse().map_err(|_| LxError::EINVAL)?;
Ok(FileDesc(x))
}
}
impl From<FileDesc> for usize {
fn from(f: FileDesc) -> Self {
f.0 as _
}
}
impl From<FileDesc> for i32 {
fn from(f: FileDesc) -> Self {
f.0
}
}
pub fn create_root_fs(rootfs: Arc<dyn FileSystem>) -> Arc<dyn INode> {
let rootfs = MountFS::new(rootfs);
let root = rootfs.mountpoint_root_inode();
let devfs = DevFS::new();
let devfs_root = devfs.root();
devfs_root
.add("null", Arc::new(NullINode::new()))
.expect("failed to mknod /dev/null");
devfs_root
.add("zero", Arc::new(ZeroINode::new()))
.expect("failed to mknod /dev/zero");
devfs_root
.add("random", Arc::new(RandomINode::new(false)))
.expect("failed to mknod /dev/random");
devfs_root
.add("urandom", Arc::new(RandomINode::new(true)))
.expect("failed to mknod /dev/urandom");
devfs_root
.add("shm", Arc::new(RandomINode::new(true)))
.expect("failed to mknod /dev/shm");
if let Some(display) = drivers::all_display().first() {
use devfs::{EventDev, FbDev, MiceDev};
if let Err(e) = devfs_root.add("fb0", Arc::new(FbDev::new(display.clone()))) {
warn!("failed to mknod /dev/fb0: {:?}", e);
}
let input_dev = devfs_root
.add_dir("input")
.expect("failed to mkdir /dev/input");
for (id, m) in MiceDev::from_input_devices(&drivers::all_input().as_vec()) {
let fname = id.map_or("mice".to_string(), |id| format!("mouse{}", id));
if let Err(e) = input_dev.add(&fname, Arc::new(m)) {
warn!("failed to mknod /dev/input/{}: {:?}", &fname, e);
}
}
for (id, i) in drivers::all_input().as_vec().iter().enumerate() {
let fname = format!("event{}", id);
if let Err(e) = input_dev.add(&fname, Arc::new(EventDev::new(i.clone(), id))) {
warn!("failed to mknod /dev/input/{}: {:?}", &fname, e);
}
}
}
for (i, uart) in drivers::all_uart().as_vec().iter().enumerate() {
let fname = format!("ttyS{}", i);
if let Err(e) = devfs_root.add(&fname, Arc::new(devfs::UartDev::new(i, uart.clone()))) {
warn!("failed to mknod /dev/{}: {:?}", &fname, e);
}
}
let dev = root.find(true, "dev").unwrap_or_else(|_| {
root.create("dev", FileType::Dir, 0o666)
.expect("failed to mkdir /dev")
});
dev.mount(devfs).expect("failed to mount DevFS");
let ramfs = RamFS::new();
let tmp = root.find(true, "tmp").unwrap_or_else(|_| {
root.create("tmp", FileType::Dir, 0o666)
.expect("failed to mkdir /tmp")
});
tmp.mount(ramfs).expect("failed to mount RamFS");
root
}
pub trait INodeExt {
fn read_as_vec(&self) -> Result<Vec<u8>>;
}
impl INodeExt for dyn INode {
#[allow(unsafe_code, clippy::uninit_vec)]
fn read_as_vec(&self) -> Result<Vec<u8>> {
let size = self.metadata()?.size;
let mut buf = Vec::with_capacity(size);
unsafe {
buf.set_len(size);
}
self.read_at(0, buf.as_mut_slice())?;
Ok(buf)
}
}
impl LinuxProcess {
pub fn lookup_inode_at(
&self,
dirfd: FileDesc,
path: &str,
follow: bool,
) -> LxResult<Arc<dyn INode>> {
debug!(
"lookup_inode_at: dirfd: {:?}, cwd: {:?}, path: {:?}, follow: {:?}",
dirfd,
self.current_working_directory(),
path,
follow
);
if path == "/proc/self/exe" {
return Ok(Arc::new(Pseudo::new(
&self.execute_path(),
FileType::SymLink,
)));
}
let (fd_dir_path, fd_name) = split_path(path);
if fd_dir_path == "/proc/self/fd" {
let fd = FileDesc::try_from(fd_name)?;
let file = self.get_file(fd)?;
return Ok(Arc::new(Pseudo::new(file.path(), FileType::SymLink)));
}
let follow_max_depth = if follow { FOLLOW_MAX_DEPTH } else { 0 };
if dirfd == FileDesc::CWD {
Ok(self
.root_inode()
.lookup(&self.current_working_directory())?
.lookup_follow(path, follow_max_depth)?)
} else {
let file = self.get_file(dirfd)?;
Ok(file.lookup_follow(path, follow_max_depth)?)
}
}
pub fn lookup_inode(&self, path: &str) -> LxResult<Arc<dyn INode>> {
self.lookup_inode_at(FileDesc::CWD, path, true)
}
}
pub fn split_path(path: &str) -> (&str, &str) {
let mut split = path.trim_end_matches('/').rsplitn(2, '/');
let file_name = split.next().unwrap();
let mut dir_path = split.next().unwrap_or(".");
if dir_path.is_empty() {
dir_path = "/";
}
(dir_path, file_name)
}
const FOLLOW_MAX_DEPTH: usize = 1;