1use event_listener::Event;
6use futures::AsyncWrite;
7use std::cell::RefCell;
8use std::io::Write;
9use std::pin::Pin;
10use std::rc::Rc;
11use std::task::{Context, Poll};
12
13#[derive(Default, Debug)]
17pub struct TestBuffers {
18 pub stdout: TestBuffer,
19 pub stderr: TestBuffer,
20}
21
22#[derive(Clone, Default, Debug)]
26pub struct TestBuffer {
27 inner: Rc<RefCell<Vec<u8>>>,
28 event: Rc<Event>,
29}
30
31impl TestBuffers {
32 pub fn into_stdio(self) -> (Vec<u8>, Vec<u8>) {
35 let stdout = self.stdout.into_inner();
36 let stderr = self.stderr.into_inner();
37 (stdout, stderr)
38 }
39
40 pub fn into_strings(self) -> (String, String) {
42 let stdout = self.stdout.into_string();
43 let stderr = self.stderr.into_string();
44 (stdout, stderr)
45 }
46
47 pub fn into_stdout(self) -> Vec<u8> {
50 self.stdout.into_inner()
51 }
52
53 pub fn into_stdout_str(self) -> String {
55 self.stdout.into_string()
56 }
57
58 pub fn into_stderr(self) -> Vec<u8> {
61 self.stderr.into_inner()
62 }
63
64 pub fn into_stderr_str(self) -> String {
66 self.stderr.into_string()
67 }
68}
69
70impl TestBuffer {
71 pub fn into_inner(self) -> Vec<u8> {
73 self.inner.take().into()
74 }
75
76 pub fn into_string(self) -> String {
78 String::from_utf8(self.into_inner()).expect("Valid unicode on output string")
79 }
80
81 pub async fn wait_ready(&self) {
85 self.event.listen().await;
86 }
87}
88
89impl Write for TestBuffer {
90 fn write(&mut self, buf: &[u8]) -> std::io::Result<usize> {
91 self.event.notify(usize::MAX);
92 self.inner.borrow_mut().write(buf)
93 }
94
95 fn flush(&mut self) -> std::io::Result<()> {
96 self.inner.borrow_mut().flush()
97 }
98}
99
100impl AsyncWrite for TestBuffer {
101 fn poll_write(
102 self: Pin<&mut Self>,
103 _cx: &mut Context<'_>,
104 buf: &[u8],
105 ) -> Poll<std::io::Result<usize>> {
106 let size = self.inner.borrow_mut().write(buf);
107 Poll::Ready(size)
108 }
109
110 fn poll_flush(self: Pin<&mut Self>, _cx: &mut Context<'_>) -> Poll<std::io::Result<()>> {
111 match self.inner.borrow_mut().flush() {
112 Ok(_) => Poll::Ready(Ok(())),
113 Err(e) => Poll::Ready(Err(e)),
114 }
115 }
116
117 fn poll_close(self: Pin<&mut Self>, _cx: &mut Context<'_>) -> Poll<std::io::Result<()>> {
118 Poll::Ready(Ok(()))
119 }
120}