1use nu_engine::{command_prelude::*, get_eval_block_with_early_return};
2#[cfg(feature = "os")]
3use nu_protocol::process::ChildPipe;
4#[cfg(test)]
5use nu_protocol::shell_error;
6use nu_protocol::{
7 ByteStream, ByteStreamSource, OutDest, PipelineMetadata, Signals,
8 byte_stream::copy_with_signals, engine::Closure, report_shell_error, shell_error::io::IoError,
9};
10use std::{
11 io::{self, Read, Write},
12 sync::{
13 Arc,
14 mpsc::{self, Sender},
15 },
16 thread::{self, JoinHandle},
17};
18
19#[derive(Clone)]
20pub struct Tee;
21
22impl Command for Tee {
23 fn name(&self) -> &str {
24 "tee"
25 }
26
27 fn description(&self) -> &str {
28 "Copy a stream to another command in parallel."
29 }
30
31 fn extra_description(&self) -> &str {
32 r#"This is useful for doing something else with a stream while still continuing to
33use it in your pipeline."#
34 }
35
36 fn signature(&self) -> Signature {
37 Signature::build("tee")
38 .input_output_type(Type::Any, Type::Any)
39 .switch(
40 "stderr",
41 "For external commands: copy the standard error stream instead.",
42 Some('e'),
43 )
44 .required(
45 "closure",
46 SyntaxShape::Closure(None),
47 "The other command to send the stream to.",
48 )
49 .category(Category::Filters)
50 }
51
52 fn examples(&self) -> Vec<Example> {
53 vec![
54 Example {
55 example: "http get http://example.org/ | tee { save example.html }",
56 description: "Save a webpage to a file while also printing it",
57 result: None,
58 },
59 Example {
60 example: "nu -c 'print -e error; print ok' | tee --stderr { save error.log } | complete",
61 description: "Save error messages from an external command to a file without \
62 redirecting them",
63 result: None,
64 },
65 Example {
66 example: "1..100 | tee { each { print } } | math sum | wrap sum",
67 description: "Print numbers and their sum",
68 result: None,
69 },
70 Example {
71 example: "10000 | tee { 1..$in | print } | $in * 5",
72 description: "Do something with a value on another thread, while also passing through the value",
73 result: Some(Value::test_int(50000)),
74 },
75 ]
76 }
77
78 fn run(
79 &self,
80 engine_state: &EngineState,
81 stack: &mut Stack,
82 call: &Call,
83 input: PipelineData,
84 ) -> Result<PipelineData, ShellError> {
85 let head = call.head;
86 let from_io_error = IoError::factory(head, None);
87 let use_stderr = call.has_flag(engine_state, stack, "stderr")?;
88
89 let closure: Spanned<Closure> = call.req(engine_state, stack, 0)?;
90 let closure_span = closure.span;
91 let closure = closure.item;
92
93 let engine_state_arc = Arc::new(engine_state.clone());
94
95 let mut eval_block = {
96 let closure_engine_state = engine_state_arc.clone();
97 let mut closure_stack = stack
98 .captures_to_stack_preserve_out_dest(closure.captures)
99 .reset_pipes();
100 let eval_block_with_early_return = get_eval_block_with_early_return(engine_state);
101
102 move |input| {
103 let result = eval_block_with_early_return(
104 &closure_engine_state,
105 &mut closure_stack,
106 closure_engine_state.get_block(closure.block_id),
107 input,
108 );
109 result.and_then(|data| data.drain().map(|_| ()))
111 }
112 };
113
114 let span = input.span().unwrap_or(head);
118 let input = input
119 .try_into_stream(engine_state)
120 .unwrap_or_else(|original_input| original_input);
121
122 if let PipelineData::ByteStream(stream, metadata) = input {
123 let type_ = stream.type_();
124
125 let info = StreamInfo {
126 span,
127 signals: engine_state.signals().clone(),
128 type_,
129 metadata: metadata.clone(),
130 };
131
132 match stream.into_source() {
133 ByteStreamSource::Read(read) => {
134 if use_stderr {
135 return stderr_misuse(span, head);
136 }
137
138 let tee_thread = spawn_tee(info, eval_block)?;
139 let tee = IoTee::new(read, tee_thread);
140
141 Ok(PipelineData::ByteStream(
142 ByteStream::read(tee, span, engine_state.signals().clone(), type_),
143 metadata,
144 ))
145 }
146 ByteStreamSource::File(file) => {
147 if use_stderr {
148 return stderr_misuse(span, head);
149 }
150
151 let tee_thread = spawn_tee(info, eval_block)?;
152 let tee = IoTee::new(file, tee_thread);
153
154 Ok(PipelineData::ByteStream(
155 ByteStream::read(tee, span, engine_state.signals().clone(), type_),
156 metadata,
157 ))
158 }
159 #[cfg(feature = "os")]
160 ByteStreamSource::Child(mut child) => {
161 let stderr_thread = if use_stderr {
162 let stderr_thread = if let Some(stderr) = child.stderr.take() {
163 let tee_thread = spawn_tee(info.clone(), eval_block)?;
164 let tee = IoTee::new(stderr, tee_thread);
165 match stack.stderr() {
166 OutDest::Pipe | OutDest::PipeSeparate | OutDest::Value => {
167 child.stderr = Some(ChildPipe::Tee(Box::new(tee)));
168 Ok(None)
169 }
170 OutDest::Null => copy_on_thread(tee, io::sink(), &info).map(Some),
171 OutDest::Print | OutDest::Inherit => {
172 copy_on_thread(tee, io::stderr(), &info).map(Some)
173 }
174 OutDest::File(file) => {
175 copy_on_thread(tee, file.clone(), &info).map(Some)
176 }
177 }?
178 } else {
179 None
180 };
181
182 if let Some(stdout) = child.stdout.take() {
183 match stack.stdout() {
184 OutDest::Pipe | OutDest::PipeSeparate | OutDest::Value => {
185 child.stdout = Some(stdout);
186 Ok(())
187 }
188 OutDest::Null => copy_pipe(stdout, io::sink(), &info),
189 OutDest::Print | OutDest::Inherit => {
190 copy_pipe(stdout, io::stdout(), &info)
191 }
192 OutDest::File(file) => copy_pipe(stdout, file.as_ref(), &info),
193 }?;
194 }
195
196 stderr_thread
197 } else {
198 let stderr_thread = if let Some(stderr) = child.stderr.take() {
199 let info = info.clone();
200 match stack.stderr() {
201 OutDest::Pipe | OutDest::PipeSeparate | OutDest::Value => {
202 child.stderr = Some(stderr);
203 Ok(None)
204 }
205 OutDest::Null => {
206 copy_pipe_on_thread(stderr, io::sink(), &info).map(Some)
207 }
208 OutDest::Print | OutDest::Inherit => {
209 copy_pipe_on_thread(stderr, io::stderr(), &info).map(Some)
210 }
211 OutDest::File(file) => {
212 copy_pipe_on_thread(stderr, file.clone(), &info).map(Some)
213 }
214 }?
215 } else {
216 None
217 };
218
219 if let Some(stdout) = child.stdout.take() {
220 let tee_thread = spawn_tee(info.clone(), eval_block)?;
221 let tee = IoTee::new(stdout, tee_thread);
222 match stack.stdout() {
223 OutDest::Pipe | OutDest::PipeSeparate | OutDest::Value => {
224 child.stdout = Some(ChildPipe::Tee(Box::new(tee)));
225 Ok(())
226 }
227 OutDest::Null => copy(tee, io::sink(), &info),
228 OutDest::Print | OutDest::Inherit => copy(tee, io::stdout(), &info),
229 OutDest::File(file) => copy(tee, file.as_ref(), &info),
230 }?;
231 }
232
233 stderr_thread
234 };
235
236 if child.stdout.is_some() || child.stderr.is_some() {
237 Ok(PipelineData::ByteStream(
238 ByteStream::child(*child, span),
239 metadata,
240 ))
241 } else {
242 if let Some(thread) = stderr_thread {
243 thread.join().unwrap_or_else(|_| Err(panic_error()))?;
244 }
245 child.wait()?;
246 Ok(PipelineData::Empty)
247 }
248 }
249 }
250 } else {
251 if use_stderr {
252 return stderr_misuse(input.span().unwrap_or(head), head);
253 }
254
255 let metadata = input.metadata();
256 let metadata_clone = metadata.clone();
257
258 if matches!(input, PipelineData::ListStream(..)) {
259 let signals = engine_state.signals().clone();
263
264 Ok(tee(input.into_iter(), move |rx| {
265 let input = rx.into_pipeline_data_with_metadata(span, signals, metadata_clone);
266 eval_block(input)
267 })
268 .map_err(&from_io_error)?
269 .map(move |result| result.unwrap_or_else(|err| Value::error(err, closure_span)))
270 .into_pipeline_data_with_metadata(
271 span,
272 engine_state.signals().clone(),
273 metadata,
274 ))
275 } else {
276 let value = input.into_value(span)?;
279 let value_clone = value.clone();
280 tee_once(engine_state_arc, move || {
281 eval_block(value_clone.into_pipeline_data_with_metadata(metadata_clone))
282 })
283 .map_err(&from_io_error)?;
284 Ok(value.into_pipeline_data_with_metadata(metadata))
285 }
286 }
287 }
288
289 fn pipe_redirection(&self) -> (Option<OutDest>, Option<OutDest>) {
290 (Some(OutDest::PipeSeparate), Some(OutDest::PipeSeparate))
291 }
292}
293
294fn panic_error() -> ShellError {
295 ShellError::NushellFailed {
296 msg: "A panic occurred on a thread spawned by `tee`".into(),
297 }
298}
299
300fn tee<T>(
305 input: impl Iterator<Item = T>,
306 with_cloned_stream: impl FnOnce(mpsc::Receiver<T>) -> Result<(), ShellError> + Send + 'static,
307) -> Result<impl Iterator<Item = Result<T, ShellError>>, std::io::Error>
308where
309 T: Clone + Send + 'static,
310{
311 let (tx, rx) = mpsc::channel();
313
314 let mut thread = Some(
315 thread::Builder::new()
316 .name("tee".into())
317 .spawn(move || with_cloned_stream(rx))?,
318 );
319
320 let mut iter = input.into_iter();
321 let mut tx = Some(tx);
322
323 Ok(std::iter::from_fn(move || {
324 if thread.as_ref().is_some_and(|t| t.is_finished()) {
325 let result = thread
327 .take()
328 .expect("thread was taken early")
329 .join()
330 .unwrap_or_else(|_| Err(panic_error()));
331 if let Err(err) = result {
332 return Some(Err(err));
334 }
335 }
336
337 if let Some(value) = iter.next() {
339 let _ = tx.as_ref().map(|tx| tx.send(value.clone()));
341 Some(Ok(value))
342 } else {
343 drop(tx.take());
345 thread.take().and_then(|t| {
347 t.join()
348 .unwrap_or_else(|_| Err(panic_error()))
349 .err()
350 .map(Err)
351 })
352 }
353 }))
354}
355
356fn tee_once(
358 engine_state: Arc<EngineState>,
359 on_thread: impl FnOnce() -> Result<(), ShellError> + Send + 'static,
360) -> Result<JoinHandle<()>, std::io::Error> {
361 thread::Builder::new().name("tee".into()).spawn(move || {
362 if let Err(err) = on_thread() {
363 report_shell_error(&engine_state, &err);
364 }
365 })
366}
367
368fn stderr_misuse<T>(span: Span, head: Span) -> Result<T, ShellError> {
369 Err(ShellError::UnsupportedInput {
370 msg: "--stderr can only be used on external commands".into(),
371 input: "the input to `tee` is not an external command".into(),
372 msg_span: head,
373 input_span: span,
374 })
375}
376
377struct IoTee<R: Read> {
378 reader: R,
379 sender: Option<Sender<Vec<u8>>>,
380 thread: Option<JoinHandle<Result<(), ShellError>>>,
381}
382
383impl<R: Read> IoTee<R> {
384 fn new(reader: R, tee: TeeThread) -> Self {
385 Self {
386 reader,
387 sender: Some(tee.sender),
388 thread: Some(tee.thread),
389 }
390 }
391}
392
393impl<R: Read> Read for IoTee<R> {
394 fn read(&mut self, buf: &mut [u8]) -> io::Result<usize> {
395 if let Some(thread) = self.thread.take() {
396 if thread.is_finished() {
397 if let Err(err) = thread.join().unwrap_or_else(|_| Err(panic_error())) {
398 return Err(io::Error::other(err));
399 }
400 } else {
401 self.thread = Some(thread)
402 }
403 }
404 let len = self.reader.read(buf)?;
405 if len == 0 {
406 self.sender = None;
407 if let Some(thread) = self.thread.take() {
408 if let Err(err) = thread.join().unwrap_or_else(|_| Err(panic_error())) {
409 return Err(io::Error::other(err));
410 }
411 }
412 } else if let Some(sender) = self.sender.as_mut() {
413 if sender.send(buf[..len].to_vec()).is_err() {
414 self.sender = None;
415 }
416 }
417 Ok(len)
418 }
419}
420
421struct TeeThread {
422 sender: Sender<Vec<u8>>,
423 thread: JoinHandle<Result<(), ShellError>>,
424}
425
426fn spawn_tee(
427 info: StreamInfo,
428 mut eval_block: impl FnMut(PipelineData) -> Result<(), ShellError> + Send + 'static,
429) -> Result<TeeThread, ShellError> {
430 let (sender, receiver) = mpsc::channel();
431
432 let thread = thread::Builder::new()
433 .name("tee".into())
434 .spawn(move || {
435 let stream = ByteStream::from_iter(
437 receiver.into_iter(),
438 info.span,
439 Signals::empty(),
440 info.type_,
441 );
442 eval_block(PipelineData::ByteStream(stream, info.metadata))
443 })
444 .map_err(|err| {
445 IoError::new_with_additional_context(err, info.span, None, "Could not spawn tee")
446 })?;
447
448 Ok(TeeThread { sender, thread })
449}
450
451#[derive(Clone)]
452struct StreamInfo {
453 span: Span,
454 signals: Signals,
455 type_: ByteStreamType,
456 metadata: Option<PipelineMetadata>,
457}
458
459fn copy(src: impl Read, dest: impl Write, info: &StreamInfo) -> Result<(), ShellError> {
460 copy_with_signals(src, dest, info.span, &info.signals)?;
461 Ok(())
462}
463
464#[cfg(feature = "os")]
465fn copy_pipe(pipe: ChildPipe, dest: impl Write, info: &StreamInfo) -> Result<(), ShellError> {
466 match pipe {
467 ChildPipe::Pipe(pipe) => copy(pipe, dest, info),
468 ChildPipe::Tee(tee) => copy(tee, dest, info),
469 }
470}
471
472fn copy_on_thread(
473 src: impl Read + Send + 'static,
474 dest: impl Write + Send + 'static,
475 info: &StreamInfo,
476) -> Result<JoinHandle<Result<(), ShellError>>, ShellError> {
477 let span = info.span;
478 let signals = info.signals.clone();
479 thread::Builder::new()
480 .name("stderr copier".into())
481 .spawn(move || {
482 copy_with_signals(src, dest, span, &signals)?;
483 Ok(())
484 })
485 .map_err(|err| {
486 IoError::new_with_additional_context(err, span, None, "Could not spawn stderr copier")
487 .into()
488 })
489}
490
491#[cfg(feature = "os")]
492fn copy_pipe_on_thread(
493 pipe: ChildPipe,
494 dest: impl Write + Send + 'static,
495 info: &StreamInfo,
496) -> Result<JoinHandle<Result<(), ShellError>>, ShellError> {
497 match pipe {
498 ChildPipe::Pipe(pipe) => copy_on_thread(pipe, dest, info),
499 ChildPipe::Tee(tee) => copy_on_thread(tee, dest, info),
500 }
501}
502
503#[test]
504fn tee_copies_values_to_other_thread_and_passes_them_through() {
505 let (tx, rx) = mpsc::channel();
506
507 let expected_values = vec![1, 2, 3, 4];
508
509 let my_result = tee(expected_values.clone().into_iter(), move |rx| {
510 for val in rx {
511 let _ = tx.send(val);
512 }
513 Ok(())
514 })
515 .expect("io error")
516 .collect::<Result<Vec<i32>, ShellError>>()
517 .expect("should not produce error");
518
519 assert_eq!(expected_values, my_result);
520
521 let other_threads_result = rx.into_iter().collect::<Vec<_>>();
522
523 assert_eq!(expected_values, other_threads_result);
524}
525
526#[test]
527fn tee_forwards_errors_back_immediately() {
528 use std::time::Duration;
529 let slow_input = (0..100).inspect(|_| std::thread::sleep(Duration::from_millis(1)));
530 let iter = tee(slow_input, |_| {
531 Err(ShellError::Io(IoError::new_with_additional_context(
532 shell_error::io::ErrorKind::from_std(std::io::ErrorKind::Other),
533 Span::test_data(),
534 None,
535 "test",
536 )))
537 })
538 .expect("io error");
539 for result in iter {
540 if let Ok(val) = result {
541 assert!(val < 99, "the error did not come early enough");
543 } else {
544 return;
546 }
547 }
548 panic!("never received the error");
549}
550
551#[test]
552fn tee_waits_for_the_other_thread() {
553 use std::sync::{
554 Arc,
555 atomic::{AtomicBool, Ordering},
556 };
557 use std::time::Duration;
558 let waited = Arc::new(AtomicBool::new(false));
559 let waited_clone = waited.clone();
560 let iter = tee(0..100, move |_| {
561 std::thread::sleep(Duration::from_millis(10));
562 waited_clone.store(true, Ordering::Relaxed);
563 Err(ShellError::Io(IoError::new_with_additional_context(
564 shell_error::io::ErrorKind::from_std(std::io::ErrorKind::Other),
565 Span::test_data(),
566 None,
567 "test",
568 )))
569 })
570 .expect("io error");
571 let last = iter.last();
572 assert!(waited.load(Ordering::Relaxed), "failed to wait");
573 assert!(
574 last.is_some_and(|res| res.is_err()),
575 "failed to return error from wait"
576 );
577}