petri/
linux_direct_serial_agent.rsuse futures::AsyncReadExt;
use futures::AsyncWriteExt;
use pal_async::socket::ReadHalf;
use pal_async::socket::WriteHalf;
use unix_socket::UnixStream;
const BUSYBOX_INIT: &str = "/bin/busybox --install /bin && mount none /dev -t devtmpfs && mount none /proc -t proc && mount none /sys -t sysfs";
pub(crate) struct LinuxDirectSerialAgent {
write: WriteHalf<UnixStream>,
read: ReadHalf<UnixStream>,
init: bool,
}
impl LinuxDirectSerialAgent {
pub(crate) fn new(
serial1_read: ReadHalf<UnixStream>,
serial0_write: WriteHalf<UnixStream>,
) -> Self {
Self {
read: serial1_read,
write: serial0_write,
init: false,
}
}
}
impl LinuxDirectSerialAgent {
pub(crate) fn reset(&mut self) {
self.init = false;
}
pub(crate) async fn run_command(&mut self, command: &str) -> anyhow::Result<String> {
self.init_busybox_if_necessary().await?;
let bytes = self.run_command_core(command).await?;
Ok(String::from_utf8_lossy(&bytes).into_owned())
}
async fn run_command_core(&mut self, command: &str) -> anyhow::Result<Vec<u8>> {
const COMMAND_END_SIGNAL: &str = "== Petri Command Complete ==";
let command = format!("({command}) > /dev/ttyS1\necho {COMMAND_END_SIGNAL} > /dev/ttyS1\n");
const COMMAND_END_SIGNAL_READ: &str = "== Petri Command Complete ==\r\n";
self.write.write_all(command.as_bytes()).await?;
let mut output = Vec::new();
let mut buf = [0u8; 1024];
loop {
let n = self.read.read(&mut buf).await?;
tracing::debug!(buf = ?&buf[..n], "read serial bytes from guest");
output.extend_from_slice(&buf[..n]);
if output.ends_with(COMMAND_END_SIGNAL_READ.as_bytes()) {
output.truncate(output.len() - COMMAND_END_SIGNAL_READ.len());
break;
}
}
Ok(output)
}
async fn init_busybox_if_necessary(&mut self) -> anyhow::Result<()> {
if !self.init {
self.run_command_core(BUSYBOX_INIT).await?;
self.init = true;
};
Ok(())
}
}