管道

std::Child 结构体代表了一个正在运行的子进程,它暴露了 stdin(标准 输入),stdout(标准输出) 和 stderr(标准错误) 句柄,从而可以通过管道与 所代表的进程交互。

  1. use std::error::Error;
  2. use std::io::prelude::*;
  3. use std::process::{Command, Stdio};
  4. static PANGRAM: &'static str =
  5. "the quick brown fox jumped over the lazy dog\n";
  6. fn main() {
  7. // 启动 `wc` 命令
  8. let process = match Command::new("wc")
  9. .stdin(Stdio::piped())
  10. .stdout(Stdio::piped())
  11. .spawn() {
  12. Err(why) => panic!("couldn't spawn wc: {}", why.description()),
  13. Ok(process) => process,
  14. };
  15. // 将字符串写入 `wc` 的 `stdin`。
  16. //
  17. // `stdin` 拥有 `Option<ChildStdin>` 类型,不过我们已经知道这个实例不为空值,
  18. // 因而可以直接 `unwrap 它。
  19. match process.stdin.unwrap().write_all(PANGRAM.as_bytes()) {
  20. Err(why) => panic!("couldn't write to wc stdin: {}",
  21. why.description()),
  22. Ok(_) => println!("sent pangram to wc"),
  23. }
  24. // 因为 `stdin` 在上面调用后就不再存活,所以它被 `drop` 了,管道也被关闭。
  25. //
  26. // 这点非常重要,因为否则 `wc` 就不会开始处理我们刚刚发送的输入。
  27. // `stdout` 字段也拥有 `Option<ChildStdout>` 类型,所以必需解包。
  28. let mut s = String::new();
  29. match process.stdout.unwrap().read_to_string(&mut s) {
  30. Err(why) => panic!("couldn't read wc stdout: {}",
  31. why.description()),
  32. Ok(_) => print!("wc responded with:\n{}", s),
  33. }
  34. }