1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
use std::ffi::OsStr;
use std::io::{self, Write};
use std::process::{Child, ChildStdin, Command, Stdio};

pub struct Process {
    child: Child,
    stdin: ChildStdin,
}

impl Process {
    pub fn new<S>(program: S) -> io::Result<Self>
    where
        S: AsRef<OsStr>,
    {
        let mut child = Command::new(program).stdin(Stdio::piped()).spawn()?;
        let stdin = child.stdin.take().unwrap();
        Ok(Self { child, stdin })
    }

    pub fn send(&mut self, data: &[u8]) -> io::Result<()> {
        self.stdin.write_all(data)
    }

    pub fn sendline(&mut self, data: &[u8]) -> io::Result<()> {
        self.send(data)?;
        self.stdin.write_all(b"\n")
    }

    pub fn interactive(mut self) -> io::Result<()> {
        let mut stdin = self.stdin;
        std::thread::spawn(move || std::io::copy(&mut std::io::stdin(), &mut stdin).unwrap());
        self.child.wait()?;
        Ok(())
    }
}