子进程切换到 rust win32job 实现

This commit is contained in:
2024-02-25 10:30:20 +08:00
parent 238e255489
commit 3c0c80abd2
12 changed files with 232 additions and 39 deletions

View File

@ -3,7 +3,6 @@ use hyper::Method;
use crate::http_package;
use crate::http_package::RustHttpResponse;
pub enum MyMethod {
Options,
Gets,

View File

@ -2,3 +2,5 @@
// Do not put code in `mod.rs`, but put in e.g. `simple.rs`.
//
pub mod http_api;
pub mod process_api;

View File

@ -0,0 +1,79 @@
use std::sync::Arc;
use tokio::io::{AsyncBufReadExt, BufReader};
use crate::frb_generated::StreamSink;
pub async fn start_process(
executable: String,
arguments: Vec<String>,
working_directory: String,
stream_sink: StreamSink<String>,
) {
let stream_sink_arc = Arc::from(stream_sink);
let mut command = tokio::process::Command::new(&executable);
command
.args(arguments)
.current_dir(working_directory)
.stdout(std::process::Stdio::piped())
.stderr(std::process::Stdio::piped())
.kill_on_drop(true);
command.creation_flags(0x08000000);
let job = win32job::Job::create().unwrap();
let mut info = job.query_extended_limit_info().unwrap();
info.limit_kill_on_job_close();
job.set_extended_limit_info(&mut info).unwrap();
job.assign_current_process().unwrap();
if let Ok(mut child) = command.spawn() {
let stdout = child.stdout.take().expect("Failed to open stdout");
let stderr = child.stderr.take().expect("Failed to open stderr");
let output_task = tokio::spawn(process_output(stdout, stream_sink_arc.clone()));
let error_task = tokio::spawn(process_error(stderr, stream_sink_arc.clone()));
tokio::select! {
_ = output_task => (),
_ = error_task => (),
}
let exit_status = child.wait().await.expect("Failed to wait for child process");
if !exit_status.success() {
eprintln!("Child process exited with an error: {:?}", exit_status);
stream_sink_arc.add("exit:".to_string()).unwrap();
}
} else {
eprintln!("Failed to start {}", executable);
stream_sink_arc.add("error:Failed to start".to_string()).unwrap();
}
}
async fn process_output<R>(stdout: R, stream_sink: Arc<StreamSink<String>>)
where
R: tokio::io::AsyncRead + Unpin,
{
let reader = BufReader::new(stdout);
let mut lines = reader.lines();
while let Some(line) = lines.next_line().await.unwrap() {
if line.trim().is_empty() {
continue;
}
println!("{}", line.trim());
stream_sink.add("output:".to_string() + &*line.trim().to_string()).unwrap();
}
}
async fn process_error<R>(stderr: R, stream_sink: Arc<StreamSink<String>>)
where
R: tokio::io::AsyncRead + Unpin,
{
let reader = BufReader::new(stderr);
let mut lines = reader.lines();
while let Some(line) = lines.next_line().await.unwrap() {
println!("{}", line.trim());
stream_sink.add("error:".to_string() + &*line.trim().to_string()).unwrap();
}
}