1use anyhow::{format_err, Context, Error};
6use fidl::endpoints;
7use fidl::endpoints::{ClientEnd, Proxy};
8use fidl_fuchsia_test::CaseListenerRequest::Finished;
9use fidl_fuchsia_test::RunListenerRequest::{OnFinished, OnTestCaseStarted};
10use fidl_fuchsia_test::{Invocation, Result_ as TestResult, RunListenerRequestStream};
11use fuchsia_component::client::{self, connect_to_protocol_at_dir_root};
12use fuchsia_runtime::job_default;
13use futures::channel::mpsc;
14use futures::prelude::*;
15use namespace::{Namespace, NamespaceError};
16use std::collections::HashMap;
17use std::sync::Arc;
18use test_manager_test_lib::RunEvent;
19use test_runners_lib::elf::{BuilderArgs, Component};
20use {
21 fidl_fuchsia_component as fcomponent, fidl_fuchsia_component_decl as fdecl,
22 fidl_fuchsia_component_runner as fcrunner, fidl_fuchsia_io as fio,
23 fidl_fuchsia_test_manager as ftest_manager, fuchsia_async as fasync,
24};
25
26#[derive(PartialEq, Debug)]
27pub enum ListenerEvent {
28 StartTest(String),
29 FinishTest(String, TestResult),
30 FinishAllTests,
31}
32
33fn get_ord_index_and_name(event: &ListenerEvent) -> (usize, &str) {
34 match event {
35 ListenerEvent::StartTest(name) => (0, name),
36 ListenerEvent::FinishTest(name, _) => (1, name),
37 ListenerEvent::FinishAllTests => (2, ""),
38 }
39}
40
41impl Ord for ListenerEvent {
43 fn cmp(&self, other: &Self) -> core::cmp::Ordering {
44 let (s_index, s_test_name) = get_ord_index_and_name(self);
45 let (o_index, o_test_name) = get_ord_index_and_name(other);
46 if s_test_name == o_test_name || s_index == 2 || o_index == 2 {
47 return s_index.cmp(&o_index);
48 }
49 return s_test_name.cmp(&o_test_name);
50 }
51}
52
53pub fn assert_event_ord(events: &Vec<ListenerEvent>) {
56 let mut tests = HashMap::new();
57 let mut all_finish = false;
58 for event in events {
59 assert!(!all_finish, "got FinishAllTests event twice: {:#?}", events);
60 match event {
61 ListenerEvent::StartTest(name) => {
62 assert!(
63 !tests.contains_key(&name),
64 "Multiple StartTest for test {}: {:#?}",
65 name,
66 events
67 );
68 tests.insert(name, false);
69 }
70 ListenerEvent::FinishTest(name, _) => {
71 assert!(
72 tests.contains_key(&name),
73 "Got finish before start event for test {}: {:#?}",
74 name,
75 events
76 );
77 assert!(
78 !tests.insert(name, true).unwrap(),
79 "Multiple FinishTest for test {}: {:#?}",
80 name,
81 events
82 );
83 }
84 ListenerEvent::FinishAllTests => {
85 all_finish = true;
86 }
87 }
88 }
89}
90
91impl PartialOrd for ListenerEvent {
92 fn partial_cmp(&self, other: &ListenerEvent) -> Option<core::cmp::Ordering> {
93 Some(self.cmp(other))
94 }
95}
96
97impl Eq for ListenerEvent {}
98
99impl ListenerEvent {
100 pub fn start_test(name: &str) -> ListenerEvent {
101 ListenerEvent::StartTest(name.to_string())
102 }
103 pub fn finish_test(name: &str, test_result: TestResult) -> ListenerEvent {
104 ListenerEvent::FinishTest(name.to_string(), test_result)
105 }
106 pub fn finish_all_test() -> ListenerEvent {
107 ListenerEvent::FinishAllTests
108 }
109}
110
111impl Clone for ListenerEvent {
112 fn clone(&self) -> Self {
113 match self {
114 ListenerEvent::StartTest(name) => ListenerEvent::start_test(name),
115 ListenerEvent::FinishTest(name, test_result) => ListenerEvent::finish_test(
116 name,
117 TestResult { status: test_result.status.clone(), ..Default::default() },
118 ),
119 ListenerEvent::FinishAllTests => ListenerEvent::finish_all_test(),
120 }
121 }
122}
123
124pub async fn collect_listener_event(
126 mut listener: RunListenerRequestStream,
127) -> Result<Vec<ListenerEvent>, Error> {
128 let mut ret = vec![];
129 let mut loggers = vec![];
131 while let Some(result_event) = listener.try_next().await? {
132 match result_event {
133 OnTestCaseStarted { invocation, std_handles, listener, .. } => {
134 let name = invocation.name.unwrap();
135 ret.push(ListenerEvent::StartTest(name.clone()));
136 loggers.push(std_handles);
137 let mut listener = listener.into_stream();
138 #[allow(clippy::never_loop)]
141 while let Some(result) = listener.try_next().await? {
142 match result {
143 Finished { result, .. } => {
144 ret.push(ListenerEvent::FinishTest(name, result));
145 break;
146 }
147 }
148 }
149 }
150 OnFinished { .. } => {
151 ret.push(ListenerEvent::FinishAllTests);
152 break;
153 }
154 }
155 }
156 Ok(ret)
157}
158
159pub fn names_to_invocation(names: Vec<&str>) -> Vec<Invocation> {
161 names
162 .iter()
163 .map(|s| Invocation { name: Some(s.to_string()), tag: None, ..Default::default() })
164 .collect()
165}
166
167pub async fn process_events(
169 suite_instance: test_manager_test_lib::SuiteRunInstance,
170 exclude_empty_logs: bool,
171) -> Result<(Vec<RunEvent>, Vec<String>), Error> {
172 let (sender, mut recv) = mpsc::channel(1);
173 let execution_task =
174 fasync::Task::spawn(async move { suite_instance.collect_events(sender).await });
175 let mut events = vec![];
176 let mut log_tasks = vec![];
177 let mut buffered_stdout = HashMap::new();
178 let mut buffered_stderr = HashMap::new();
179 while let Some(event) = recv.next().await {
180 match event.payload {
181 test_manager_test_lib::SuiteEventPayload::RunEvent(RunEvent::CaseStdout {
182 name,
183 stdout_message,
184 }) => {
185 let strings = line_buffer_std_message(
186 &name,
187 stdout_message,
188 exclude_empty_logs,
189 &mut buffered_stdout,
190 );
191 for s in strings {
192 events.push(RunEvent::case_stdout(name.clone(), s));
193 }
194 }
195 test_manager_test_lib::SuiteEventPayload::RunEvent(RunEvent::CaseStderr {
196 name,
197 stderr_message,
198 }) => {
199 let strings = line_buffer_std_message(
200 &name,
201 stderr_message,
202 exclude_empty_logs,
203 &mut buffered_stderr,
204 );
205 for s in strings {
206 events.push(RunEvent::case_stderr(name.clone(), s));
207 }
208 }
209 test_manager_test_lib::SuiteEventPayload::RunEvent(e) => events.push(e),
210 test_manager_test_lib::SuiteEventPayload::SuiteLog { log_stream } => {
211 let t = fasync::Task::spawn(log_stream.collect::<Vec<_>>());
212 log_tasks.push(t);
213 }
214 test_manager_test_lib::SuiteEventPayload::TestCaseLog { .. } => {
215 panic!("not supported yet!")
216 }
217 test_manager_test_lib::SuiteEventPayload::DebugData { .. } => {
218 panic!("not supported yet!")
219 }
220 }
221 }
222 execution_task.await.context("test execution failed")?;
223
224 for (name, log) in buffered_stdout {
225 events.push(RunEvent::case_stdout(name, log));
226 }
227 for (name, log) in buffered_stderr {
228 events.push(RunEvent::case_stderr(name, log));
229 }
230
231 let mut collected_logs = vec![];
232 for t in log_tasks {
233 let logs = t.await;
234 for log_result in logs {
235 let log = log_result?;
236 collected_logs.push(log.msg().unwrap().to_string());
237 }
238 }
239
240 Ok((events, collected_logs))
241}
242
243fn line_buffer_std_message(
245 name: &str,
246 std_message: String,
247 exclude_empty_logs: bool,
248 buffer: &mut HashMap<String, String>,
249) -> Vec<String> {
250 let mut ret = vec![];
251 let logs = std_message.split("\n");
252 let mut logs = logs.collect::<Vec<&str>>();
253 let mut last_incomplete_line = logs.pop();
255 if std_message.as_bytes().last() == Some(&b'\n') {
256 last_incomplete_line = None;
257 }
258 for log in logs {
259 if exclude_empty_logs && log.len() == 0 {
260 continue;
261 }
262 let mut msg = log.to_owned();
263 if let Some(prev_log) = buffer.remove(name) {
266 msg = format!("{}{}", prev_log, msg);
267 }
268 ret.push(msg);
269 }
270 if let Some(log) = last_incomplete_line {
271 let mut log = log.to_owned();
272 if let Some(prev_log) = buffer.remove(name) {
273 log = format!("{}{}", prev_log, log);
274 }
275 buffer.insert(name.to_string(), log);
276 }
277 ret
278}
279
280pub async fn connect_to_test_manager() -> Result<ftest_manager::RunBuilderProxy, Error> {
282 let realm = client::connect_to_protocol::<fcomponent::RealmMarker>()
283 .context("could not connect to Realm service")?;
284
285 let child_ref = fdecl::ChildRef { name: "test_manager".to_owned(), collection: None };
286 let (dir, server_end) = endpoints::create_proxy::<fio::DirectoryMarker>();
287 realm
288 .open_exposed_dir(&child_ref, server_end)
289 .await
290 .context("open_exposed_dir fidl call failed for test manager")?
291 .map_err(|e| format_err!("failed to create test manager: {:?}", e))?;
292
293 connect_to_protocol_at_dir_root::<ftest_manager::RunBuilderMarker>(&dir)
294 .context("failed to open test suite service")
295}
296
297fn create_ns_from_current_ns(
298 dir_paths: Vec<(&str, fio::Flags)>,
299) -> Result<Namespace, NamespaceError> {
300 let mut ns = vec![];
301 for (path, permission) in dir_paths {
302 let chan = fuchsia_fs::directory::open_in_namespace(path, permission)
303 .unwrap()
304 .into_channel()
305 .unwrap()
306 .into_zx_channel();
307 let handle = ClientEnd::new(chan);
308
309 ns.push(fcrunner::ComponentNamespaceEntry {
310 path: Some(path.to_string()),
311 directory: Some(handle),
312 ..Default::default()
313 });
314 }
315 Namespace::try_from(ns)
316}
317
318pub async fn test_component(
320 url: &str,
321 name: &str,
322 binary: &str,
323 args: Vec<String>,
324) -> Result<Arc<Component>, Error> {
325 let ns = create_ns_from_current_ns(vec![
326 ("/pkg", fuchsia_fs::PERM_READABLE | fuchsia_fs::PERM_EXECUTABLE),
327 ("/svc", fuchsia_fs::PERM_READABLE | fuchsia_fs::PERM_EXECUTABLE),
329 ])?;
330 let component = Component::create_for_tests(BuilderArgs {
331 url: url.to_string(),
332 name: name.to_string(),
333 binary: binary.to_string(),
334 args,
335 environ: None,
336 ns,
337 job: job_default().duplicate(zx::Rights::SAME_RIGHTS)?,
338 options: zx::ProcessOptions::empty(),
339 config: None,
340 })
341 .await?;
342 Ok(Arc::new(component))
343}
344
345#[cfg(test)]
346mod tests {
347 use super::*;
348 use fidl_fuchsia_test::Status;
349 use maplit::hashmap;
350
351 #[test]
352 fn test_ordering_by_enum() {
353 let expected_events = vec![
354 ListenerEvent::start_test("a"),
355 ListenerEvent::finish_test(
356 "a",
357 TestResult { status: Some(Status::Passed), ..Default::default() },
358 ),
359 ListenerEvent::finish_all_test(),
360 ];
361
362 let mut events = expected_events.clone();
363 events.reverse();
364
365 assert_ne!(events, expected_events);
366 events.sort();
367 assert_eq!(events, expected_events);
368 }
369
370 #[test]
371 fn test_ordering_by_test_name() {
372 let mut events = vec![
373 ListenerEvent::start_test("b"),
374 ListenerEvent::start_test("a"),
375 ListenerEvent::finish_test(
376 "a",
377 TestResult { status: Some(Status::Passed), ..Default::default() },
378 ),
379 ListenerEvent::start_test("c"),
380 ListenerEvent::finish_test(
381 "b",
382 TestResult { status: Some(Status::Passed), ..Default::default() },
383 ),
384 ListenerEvent::finish_test(
385 "c",
386 TestResult { status: Some(Status::Passed), ..Default::default() },
387 ),
388 ListenerEvent::finish_all_test(),
389 ];
390
391 let expected_events = vec![
392 ListenerEvent::start_test("a"),
393 ListenerEvent::finish_test(
394 "a",
395 TestResult { status: Some(Status::Passed), ..Default::default() },
396 ),
397 ListenerEvent::start_test("b"),
398 ListenerEvent::finish_test(
399 "b",
400 TestResult { status: Some(Status::Passed), ..Default::default() },
401 ),
402 ListenerEvent::start_test("c"),
403 ListenerEvent::finish_test(
404 "c",
405 TestResult { status: Some(Status::Passed), ..Default::default() },
406 ),
407 ListenerEvent::finish_all_test(),
408 ];
409 events.sort();
410 assert_eq!(events, expected_events);
411 }
412
413 #[test]
414 fn line_buffer_std_message_incomplete_line() {
415 let mut buf = HashMap::new();
416 buf.insert("test".to_string(), "some_prev_text".to_string());
417 let strings = line_buffer_std_message("test", "a \nb\nc\nd".into(), false, &mut buf);
418 assert_eq!(strings, vec!["some_prev_texta ".to_owned(), "b".to_owned(), "c".to_owned()]);
419 assert_eq!(buf, hashmap! {"test".to_string() => "d".to_string()});
420 }
421
422 #[test]
423 fn line_buffer_std_message_complete_line() {
424 let mut buf = HashMap::new();
425 buf.insert("test".to_string(), "some_prev_text".to_string());
426 let strings = line_buffer_std_message("test", "a \nb\nc\n".into(), false, &mut buf);
427 assert_eq!(strings, vec!["some_prev_texta ".to_owned(), "b".to_owned(), "c".to_owned()]);
428 assert_eq!(buf.len(), 0);
429
430 let strings = line_buffer_std_message("test", "d \ne\nf\n".into(), false, &mut buf);
432 assert_eq!(strings, vec!["d ".to_owned(), "e".to_owned(), "f".to_owned()]);
433 assert_eq!(buf.len(), 0);
434 }
435}