1use crate::{
8 ok, sys, AsHandleRef, BootInstant, Handle, HandleBased, HandleRef, Koid, Resource, Status,
9};
10use bitflags::bitflags;
11use bstr::BStr;
12
13#[derive(Debug, Eq, PartialEq, Ord, PartialOrd, Hash)]
17#[repr(transparent)]
18pub struct DebugLog(Handle);
19impl_handle_based!(DebugLog);
20
21bitflags! {
22 #[repr(transparent)]
23 #[derive(Clone, Copy, Debug, PartialEq, Eq, PartialOrd, Ord, Hash)]
24 pub struct DebugLogOpts: u32 {
25 const READABLE = sys::ZX_LOG_FLAG_READABLE;
26 }
27}
28
29impl DebugLog {
30 pub fn create(resource: &Resource, opts: DebugLogOpts) -> Result<DebugLog, Status> {
37 let mut handle = 0;
38 let status =
39 unsafe { sys::zx_debuglog_create(resource.raw_handle(), opts.bits(), &mut handle) };
40 ok(status)?;
41 unsafe { Ok(DebugLog::from(Handle::from_raw(handle))) }
42 }
43
44 pub fn write(&self, message: &[u8]) -> Result<(), Status> {
50 let status = unsafe {
53 sys::zx_debuglog_write(self.raw_handle(), 0, message.as_ptr(), message.len())
54 };
55 ok(status)
56 }
57
58 pub fn read(&self) -> Result<DebugLogRecord, Status> {
67 let mut record = sys::zx_log_record_t::default();
68 let bytes_written = unsafe {
69 sys::zx_debuglog_read(
70 self.raw_handle(),
71 0, std::ptr::from_mut(&mut record).cast::<u8>(),
73 std::mem::size_of_val(&record),
74 )
75 };
76 if bytes_written < 0 {
78 Err(Status::from_raw(bytes_written))
79 } else {
80 DebugLogRecord::from_raw(&record)
81 }
82 }
83}
84
85#[derive(Debug, Copy, Clone, Eq, PartialEq)]
87pub struct DebugLogRecord {
88 pub sequence: u64,
89 pub timestamp: BootInstant,
90 pub severity: DebugLogSeverity,
91 pub pid: Koid,
92 pub tid: Koid,
93 pub flags: u8,
94 data: [u8; sys::ZX_LOG_RECORD_DATA_MAX],
95 datalen: u16,
96}
97
98impl DebugLogRecord {
99 pub fn from_raw(raw: &sys::zx_log_record_t) -> Result<Self, Status> {
101 if raw.datalen <= sys::ZX_LOG_RECORD_DATA_MAX as u16 {
102 Ok(Self {
103 timestamp: BootInstant::from_nanos(raw.timestamp),
104 sequence: raw.sequence,
105 severity: DebugLogSeverity::from_raw(raw.severity),
106 pid: Koid::from_raw(raw.pid),
107 tid: Koid::from_raw(raw.tid),
108 flags: raw.flags,
109 data: raw.data,
110 datalen: raw.datalen,
111 })
112 } else {
113 Err(Status::INTERNAL)
114 }
115 }
116
117 pub fn data(&self) -> &BStr {
119 BStr::new(&self.data[..self.datalen as usize])
120 }
121}
122
123#[derive(Clone, Copy, Debug, Eq, Ord, PartialEq, PartialOrd)]
125pub enum DebugLogSeverity {
126 Unknown,
128 Trace,
130 Debug,
132 Info,
134 Warn,
136 Error,
138 Fatal,
140}
141
142impl DebugLogSeverity {
143 fn from_raw(raw: u8) -> Self {
144 match raw {
145 sys::DEBUGLOG_TRACE => Self::Trace,
146 sys::DEBUGLOG_DEBUG => Self::Debug,
147 sys::DEBUGLOG_INFO => Self::Info,
148 sys::DEBUGLOG_WARNING => Self::Warn,
149 sys::DEBUGLOG_ERROR => Self::Error,
150 sys::DEBUGLOG_FATAL => Self::Fatal,
151 _ => Self::Unknown,
152 }
153 }
154}
155
156#[cfg(test)]
157mod tests {
158 use super::*;
159 use crate::{cprng_draw, Instant, Signals};
160 use fidl_fuchsia_kernel as fkernel;
161 use fuchsia_component::client::connect_channel_to_protocol;
162
163 fn expect_message_in_debuglog(sent_msg: String) {
167 use zx::{Channel, HandleBased};
168 let (client_end, server_end) = Channel::create();
169 connect_channel_to_protocol::<fkernel::DebuglogResourceMarker>(server_end).unwrap();
170 let service = fkernel::DebuglogResourceSynchronousProxy::new(client_end);
171 let resource =
172 service.get(zx::MonotonicInstant::INFINITE).expect("couldn't get debuglog resource");
173 let resource = unsafe { Resource::from(Handle::from_raw(resource.into_raw())) };
177 let debuglog = DebugLog::create(&resource, DebugLogOpts::READABLE).unwrap();
178 for _ in 0..10000 {
179 match debuglog.read() {
180 Ok(record) => {
181 if record.data() == sent_msg.as_bytes() {
182 return;
184 }
185 }
186 Err(status) if status == Status::SHOULD_WAIT => {
187 debuglog
188 .wait_handle(Signals::LOG_READABLE, Instant::INFINITE)
189 .expect("Failed to wait for log readable");
190 continue;
191 }
192 Err(status) => {
193 panic!("Unexpected error from zx_debuglog_read: {}", status);
194 }
195 }
196 }
197 panic!("first 10000 log messages didn't include the one we sent!");
198 }
199
200 #[test]
201 fn read_from_nonreadable() {
202 let resource = Resource::from(Handle::invalid());
203 let debuglog = DebugLog::create(&resource, DebugLogOpts::empty()).unwrap();
204 assert!(debuglog.read().err() == Some(Status::ACCESS_DENIED));
205 }
206
207 #[test]
208 fn write_and_read_back() {
209 let mut bytes = [0; 8];
210 cprng_draw(&mut bytes);
211 let message = format!("log message {:?}", bytes);
212
213 let resource = Resource::from(Handle::invalid());
214 let debuglog = DebugLog::create(&resource, DebugLogOpts::empty()).unwrap();
215 debuglog.write(message.as_bytes()).unwrap();
216 expect_message_in_debuglog(message);
217 }
218}