Skip to content

Commit 2d6655c

Browse files
committed
feat: Output information to file
1 parent 3298d72 commit 2d6655c

File tree

4 files changed

+149
-9
lines changed

4 files changed

+149
-9
lines changed

kernel/src/debug/tracing/mod.rs

+12
Original file line numberDiff line numberDiff line change
@@ -1,7 +1,9 @@
11
mod events;
2+
pub mod trace_pipe;
23
pub mod tracepoint;
34

45
use crate::debug::sysfs::debugfs_kset;
6+
use crate::debug::tracing::trace_pipe::TRACE_PIPE_MAX_RECORD;
57
use crate::driver::base::kobject::KObject;
68
use crate::filesystem::kernfs::callback::{KernCallbackData, KernFSCallback};
79
use crate::filesystem::kernfs::KernFSInode;
@@ -34,6 +36,16 @@ pub fn init_debugfs_tracing() -> Result<(), SystemError> {
3436
Some(&TracingDirCallBack),
3537
)?;
3638

39+
tracing_root.add_file(
40+
"trace_pipe".to_string(),
41+
ModeType::from_bits_truncate(0o444),
42+
Some(TRACE_PIPE_MAX_RECORD),
43+
None,
44+
Some(&trace_pipe::TracePipeCallBack),
45+
)?;
46+
47+
trace_pipe::init_trace_pipe();
48+
3749
events::init_events(events_root)?;
3850

3951
unsafe {
+123
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,123 @@
1+
use crate::filesystem::kernfs::callback::{KernCallbackData, KernFSCallback};
2+
use crate::filesystem::vfs::PollStatus;
3+
use crate::libs::spinlock::SpinLock;
4+
use alloc::string::String;
5+
use alloc::vec::Vec;
6+
use core::fmt::Debug;
7+
use system_error::SystemError;
8+
9+
static mut TRACE_PIPE: Option<TracePipe> = None;
10+
11+
pub const TRACE_PIPE_MAX_RECORD: usize = 4096;
12+
13+
pub fn init_trace_pipe() {
14+
unsafe {
15+
TRACE_PIPE = Some(TracePipe::new(TRACE_PIPE_MAX_RECORD));
16+
}
17+
}
18+
19+
pub fn trace_pipe() -> &'static TracePipe {
20+
unsafe { TRACE_PIPE.as_ref().unwrap() }
21+
}
22+
23+
/// Push a record to trace pipe
24+
pub fn trace_pipe_push_record(record: String) {
25+
trace_pipe().push_record(record);
26+
}
27+
28+
pub struct TracePipe {
29+
buf: SpinLock<TracePipeBuf>,
30+
}
31+
32+
struct TracePipeBuf {
33+
size: usize,
34+
max_record: usize,
35+
buf: Vec<String>,
36+
}
37+
38+
impl TracePipeBuf {
39+
pub const fn new(max_record: usize) -> Self {
40+
Self {
41+
max_record,
42+
size: 0,
43+
buf: Vec::new(),
44+
}
45+
}
46+
47+
pub fn push_str(&mut self, record: String) {
48+
let record_size = record.len();
49+
if self.size + record_size > self.max_record {
50+
let mut i = 0;
51+
while i < record_size {
52+
let t = self.buf.pop().unwrap();
53+
self.size -= t.len();
54+
i += t.len();
55+
}
56+
}
57+
self.buf.push(record);
58+
self.size += record_size;
59+
}
60+
61+
pub fn read_at(&self, buf: &mut [u8], offset: usize) -> Result<usize, SystemError> {
62+
if offset == self.size {
63+
return Ok(0);
64+
}
65+
if buf.len() < self.size {
66+
return Err(SystemError::EINVAL);
67+
}
68+
let mut count = 0;
69+
for line in self.buf.iter() {
70+
let line = line.as_bytes();
71+
buf[count..count + line.len()].copy_from_slice(line);
72+
count += line.len();
73+
}
74+
Ok(count)
75+
}
76+
}
77+
78+
impl TracePipe {
79+
pub const fn new(max_record: usize) -> Self {
80+
Self {
81+
buf: SpinLock::new(TracePipeBuf::new(max_record)),
82+
}
83+
}
84+
pub fn push_record(&self, record: String) {
85+
self.buf.lock().push_str(record);
86+
}
87+
88+
pub fn read_at(&self, buf: &mut [u8], offset: usize) -> Result<usize, SystemError> {
89+
self.buf.lock().read_at(buf, offset)
90+
}
91+
}
92+
93+
#[derive(Debug)]
94+
pub struct TracePipeCallBack;
95+
96+
impl KernFSCallback for TracePipeCallBack {
97+
fn open(&self, _data: KernCallbackData) -> Result<(), SystemError> {
98+
Ok(())
99+
}
100+
101+
fn read(
102+
&self,
103+
_data: KernCallbackData,
104+
buf: &mut [u8],
105+
offset: usize,
106+
) -> Result<usize, SystemError> {
107+
let trace_pipe = trace_pipe();
108+
trace_pipe.read_at(buf, offset)
109+
}
110+
111+
fn write(
112+
&self,
113+
_data: KernCallbackData,
114+
_buf: &[u8],
115+
_offset: usize,
116+
) -> Result<usize, SystemError> {
117+
Err(SystemError::EPERM)
118+
}
119+
120+
fn poll(&self, _data: KernCallbackData) -> Result<PollStatus, SystemError> {
121+
Ok(PollStatus::READ)
122+
}
123+
}

kernel/src/debug/tracing/tracepoint.rs

+11-6
Original file line numberDiff line numberDiff line change
@@ -151,10 +151,11 @@ macro_rules! define_trace_point {
151151

152152
#[macro_export]
153153
macro_rules! define_event_trace{
154-
($name:ident,$($arg:ident:$arg_type:ty),*, $print:literal) => {
155-
define_trace_point!($name,$($arg:$arg_type),*);
156-
157-
paste::paste!{
154+
($name:ident,
155+
($($arg:ident:$arg_type:ty),*),
156+
$fmt:expr) =>{
157+
define_trace_point!($name,$($arg:$arg_type),*);
158+
paste::paste!{
158159
#[derive(Debug)]
159160
#[repr(C)]
160161
#[allow(non_snake_case)]
@@ -171,8 +172,12 @@ macro_rules! define_event_trace{
171172
print_func:[<trace_print_ $name>],
172173
};
173174
pub fn [<trace_print_ $name>](_data:&mut (dyn core::any::Any+Send+Sync),$($arg:$arg_type),* ){
174-
println!($print $(,$arg)*);
175+
let time = $crate::time::Instant::now();
176+
let cpu_id = $crate::arch::cpu::current_cpu_id().data();
177+
let current_pid = $crate::process::ProcessManager::current_pcb().pid().data();
178+
let format = format!("[{}][{}][{}] {}\n",time,cpu_id,current_pid,$fmt);
179+
$crate::debug::tracing::trace_pipe::trace_pipe_push_record(format);
175180
}
176181
}
177-
}
182+
};
178183
}

kernel/src/filesystem/vfs/core.rs

+3-3
Original file line numberDiff line numberDiff line change
@@ -156,7 +156,7 @@ pub fn mount_root_fs() -> Result<(), SystemError> {
156156
let fatfs: Arc<FATFileSystem> = fatfs.unwrap();
157157
let r = migrate_virtual_filesystem(fatfs);
158158
if r.is_err() {
159-
error!("Failed to migrate virtual filesystem to FAT32!");
159+
error!("Failed to migrate virtual filesyst em to FAT32!");
160160
loop {
161161
spin_loop();
162162
}
@@ -166,8 +166,8 @@ pub fn mount_root_fs() -> Result<(), SystemError> {
166166
return Ok(());
167167
}
168168

169-
define_event_trace!(do_mkdir_at,path:&str,mode:FileMode,"mkdir at {} with mode {:?}");
170-
169+
define_event_trace!(do_mkdir_at,(path:&str,mode:FileMode),
170+
format_args!("mkdir at {} with mode {:?}",path, mode));
171171
/// @brief 创建文件/文件夹
172172
pub fn do_mkdir_at(
173173
dirfd: i32,

0 commit comments

Comments
 (0)