1use anyhow::{anyhow, format_err, Error};
6use fuchsia_component::client::connect_to_protocol;
7use futures::channel::mpsc;
8use futures::stream::StreamExt;
9use injectable_time::TimeSource;
10use log::{error, warn};
11use std::cell::RefCell;
12use {fidl_fuchsia_feedback as fidl_feedback, fuchsia_async as fasync};
13
14const CRASH_PRODUCT_NAME: &str = "FuchsiaDetect";
16
17const CRASH_PROGRAM_NAME: &str = "triage_detect";
27
28#[derive(Debug)]
29pub struct SnapshotRequest {
30 signature: String,
31}
32
33impl SnapshotRequest {
34 pub fn new(signature: String) -> SnapshotRequest {
35 SnapshotRequest { signature }
36 }
37}
38
39const MAX_PENDING_CRASH_REPORTS: usize = 10;
45
46pub struct CrashReportHandlerBuilder<T: TimeSource> {
48 proxy: Option<fidl_feedback::CrashReporterProxy>,
49 max_pending_crash_reports: usize,
50 time_source: T,
51}
52
53#[macro_export]
55macro_rules! log_if_err {
56 ($result:expr, $log_prefix:expr) => {
57 if let Err(e) = $result.as_ref() {
58 log::error!("{}: {}", $log_prefix, e);
59 }
60 };
61}
62
63impl<T> CrashReportHandlerBuilder<T>
64where
65 T: TimeSource + 'static,
66{
67 pub fn new(time_source: T) -> Self {
68 Self { time_source, max_pending_crash_reports: MAX_PENDING_CRASH_REPORTS, proxy: None }
69 }
70
71 pub async fn build(self) -> Result<CrashReportHandler, Error> {
72 if self.proxy.is_none() {
75 let config_proxy =
76 connect_to_protocol::<fidl_feedback::CrashReportingProductRegisterMarker>()?;
77 let product_config = fidl_feedback::CrashReportingProduct {
78 name: Some(CRASH_PRODUCT_NAME.to_string()),
79 ..Default::default()
80 };
81 config_proxy.upsert_with_ack(CRASH_PROGRAM_NAME, &product_config).await?;
82 }
83 let proxy =
85 self.proxy.unwrap_or(connect_to_protocol::<fidl_feedback::CrashReporterMarker>()?);
86 Ok(CrashReportHandler::new(proxy, self.time_source, self.max_pending_crash_reports))
87 }
88}
89
90#[cfg(test)]
91impl<T> CrashReportHandlerBuilder<T>
92where
93 T: TimeSource,
94{
95 fn with_proxy(mut self, proxy: fidl_feedback::CrashReporterProxy) -> Self {
96 self.proxy = Some(proxy);
97 self
98 }
99
100 fn with_max_pending_crash_reports(mut self, max: usize) -> Self {
101 self.max_pending_crash_reports = max;
102 self
103 }
104}
105
106pub struct CrashReportHandler {
118 crash_report_sender: RefCell<mpsc::Sender<SnapshotRequest>>,
121 channel_size: usize,
122 _server_task: fasync::Task<()>,
123}
124
125impl CrashReportHandler {
126 fn new<T>(proxy: fidl_feedback::CrashReporterProxy, time_source: T, channel_size: usize) -> Self
127 where
128 T: TimeSource + 'static,
129 {
130 let (channel, receiver) = mpsc::channel(channel_size);
132 let server_task = Self::begin_crash_report_sender(proxy, receiver, time_source);
133 Self { channel_size, crash_report_sender: RefCell::new(channel), _server_task: server_task }
134 }
135
136 pub fn request_snapshot(&self, request: SnapshotRequest) -> Result<(), Error> {
139 match self.crash_report_sender.borrow_mut().try_send(request) {
142 Ok(()) => Ok(()),
143 Err(e) if e.is_full() => {
144 warn!("Too many crash reports pending: {e}");
145 Err(anyhow!("Pending crash reports exceeds max ({})", self.channel_size))
146 }
147 Err(e) => {
148 warn!("Error sending crash report: {e}");
149 Err(anyhow!("{e}"))
150 }
151 }
152 }
153
154 fn begin_crash_report_sender<T>(
158 proxy: fidl_feedback::CrashReporterProxy,
159 mut receive_channel: mpsc::Receiver<SnapshotRequest>,
160 time_source: T,
161 ) -> fasync::Task<()>
162 where
163 T: TimeSource + 'static,
164 {
165 fasync::Task::local(async move {
166 while let Some(request) = receive_channel.next().await {
167 log_if_err!(
168 Self::send_crash_report(&proxy, request, &time_source).await,
169 "Failed to file crash report"
170 );
171 }
172 error!("Crash reporter task ended. Crash reports will no longer be filed. This should not happen.")
173 })
174 }
175
176 async fn send_crash_report<T: TimeSource>(
178 proxy: &fidl_feedback::CrashReporterProxy,
179 payload: SnapshotRequest,
180 time_source: &T,
181 ) -> Result<fidl_feedback::FileReportResults, Error> {
182 warn!("Filing crash report, signature '{}'", payload.signature);
183 let report = fidl_feedback::CrashReport {
184 program_name: Some(CRASH_PROGRAM_NAME.to_string()),
185 program_uptime: Some(time_source.now()),
186 crash_signature: Some(payload.signature),
187 is_fatal: Some(false),
188 ..Default::default()
189 };
190
191 let result = proxy.file_report(report).await.map_err(|e| format_err!("IPC error: {e}"))?;
192 result.map_err(|e| format_err!("Service error: {e:?}"))
193 }
194}
195
196#[cfg(test)]
197mod tests {
198 use super::*;
199 use assert_matches::assert_matches;
200 use futures::TryStreamExt;
201 use injectable_time::{FakeTime, IncrementingFakeTime};
202
203 #[fuchsia::test]
206 async fn test_crash_report_content() {
207 let crash_report_signature = "TestCrashReportSignature";
209
210 let (proxy, mut stream) =
212 fidl::endpoints::create_proxy_and_stream::<fidl_feedback::CrashReporterMarker>();
213 let fake_time = FakeTime::new();
214 fake_time.set_ticks(9876);
215 let crash_report_handler =
216 CrashReportHandlerBuilder::new(fake_time).with_proxy(proxy).build().await.unwrap();
217
218 crash_report_handler
220 .request_snapshot(SnapshotRequest::new(crash_report_signature.to_string()))
221 .unwrap();
222
223 if let Ok(Some(fidl_feedback::CrashReporterRequest::FileReport { responder: _, report })) =
225 stream.try_next().await
226 {
227 assert_eq!(
228 report,
229 fidl_feedback::CrashReport {
230 program_name: Some(CRASH_PROGRAM_NAME.to_string()),
231 program_uptime: Some(9876),
232 crash_signature: Some(crash_report_signature.to_string()),
233 is_fatal: Some(false),
234 ..Default::default()
235 }
236 );
237 } else {
238 panic!("Did not receive a crash report");
239 }
240 }
241
242 #[fuchsia::test]
244 async fn test_crash_report_pending_reports() {
245 let (proxy, mut stream) =
248 fidl::endpoints::create_proxy_and_stream::<fidl_feedback::CrashReporterMarker>();
249 let fake_time = IncrementingFakeTime::new(1000, std::time::Duration::from_nanos(1000));
250 let crash_report_handler = CrashReportHandlerBuilder::new(fake_time)
251 .with_proxy(proxy)
252 .with_max_pending_crash_reports(1)
253 .build()
254 .await
255 .unwrap();
256
257 assert_matches!(
263 crash_report_handler.request_snapshot(SnapshotRequest::new("TestCrash1".to_string())),
264 Ok(())
265 );
266
267 assert_matches!(
270 crash_report_handler.request_snapshot(SnapshotRequest::new("TestCrash2".to_string())),
271 Ok(())
272 );
273
274 assert_matches!(
277 crash_report_handler.request_snapshot(SnapshotRequest::new("TestCrash3".to_string())),
278 Err(_)
279 );
280
281 if let Ok(Some(fidl_feedback::CrashReporterRequest::FileReport { responder, report })) =
283 stream.try_next().await
284 {
285 let _ = responder.send(Ok(&fidl_feedback::FileReportResults::default()));
287 assert_eq!(
288 report,
289 fidl_feedback::CrashReport {
290 program_name: Some(CRASH_PROGRAM_NAME.to_string()),
291 program_uptime: Some(1000),
292 crash_signature: Some("TestCrash1".to_string()),
293 is_fatal: Some(false),
294 ..Default::default()
295 }
296 );
297 } else {
298 panic!("Did not receive a crash report");
299 }
300
301 if let Ok(Some(fidl_feedback::CrashReporterRequest::FileReport { responder, report })) =
303 stream.try_next().await
304 {
305 let _ = responder.send(Ok(&fidl_feedback::FileReportResults::default()));
307 assert_eq!(
308 report,
309 fidl_feedback::CrashReport {
310 program_name: Some(CRASH_PROGRAM_NAME.to_string()),
311 program_uptime: Some(2000),
312 crash_signature: Some("TestCrash2".to_string()),
313 is_fatal: Some(false),
314 ..Default::default()
315 }
316 );
317 } else {
318 panic!("Did not receive a crash report");
319 }
320 }
321}