mirror of
https://github.com/marcoallegretti/WEFT_OS.git
synced 2026-03-27 01:13:09 +00:00
Add capabilities field to weft-pack PackageMeta (optional Vec<String>).
Print cap: lines in weft-pack info output when capabilities are declared.
In weft-appd:
- Make app_store_roots pub(crate) so runtime.rs can use it.
- Add resolve_preopens(app_id) in runtime.rs: reads wapp.toml from the
package store, extracts capabilities, maps each to a (host, guest) pair:
fs:rw:app-data / fs:read:app-data -> ~/.local/share/weft/apps/<id>/data :: /data
fs:rw:xdg-documents / fs:read:xdg-documents -> ~/Documents :: /xdg/documents
Unknown capabilities are logged at debug level and skipped.
- supervise() calls resolve_preopens() and appends --preopen HOST::GUEST
flags before spawning the runtime binary.
245 lines
7.6 KiB
Rust
245 lines
7.6 KiB
Rust
use std::path::PathBuf;
|
|
use std::time::Duration;
|
|
|
|
use tokio::io::{AsyncBufReadExt, BufReader};
|
|
use weft_ipc_types::AppdToCompositor;
|
|
|
|
use crate::Registry;
|
|
use crate::compositor_client::CompositorSender;
|
|
use crate::ipc::{AppStateKind, Response};
|
|
|
|
const READY_TIMEOUT: Duration = Duration::from_secs(30);
|
|
|
|
fn resolve_preopens(app_id: &str) -> Vec<(String, String)> {
|
|
#[derive(serde::Deserialize)]
|
|
struct Pkg {
|
|
capabilities: Option<Vec<String>>,
|
|
}
|
|
#[derive(serde::Deserialize)]
|
|
struct M {
|
|
package: Pkg,
|
|
}
|
|
|
|
let pkg_dir = crate::app_store_roots().into_iter().find_map(|root| {
|
|
let dir = root.join(app_id);
|
|
if dir.join("wapp.toml").exists() {
|
|
Some(dir)
|
|
} else {
|
|
None
|
|
}
|
|
});
|
|
|
|
let caps = match pkg_dir {
|
|
None => return Vec::new(),
|
|
Some(dir) => {
|
|
let Ok(text) = std::fs::read_to_string(dir.join("wapp.toml")) else {
|
|
return Vec::new();
|
|
};
|
|
match toml::from_str::<M>(&text) {
|
|
Ok(m) => m.package.capabilities.unwrap_or_default(),
|
|
Err(_) => return Vec::new(),
|
|
}
|
|
}
|
|
};
|
|
|
|
let home = match std::env::var("HOME") {
|
|
Ok(h) => PathBuf::from(h),
|
|
Err(_) => return Vec::new(),
|
|
};
|
|
|
|
let mut preopens = Vec::new();
|
|
for cap in &caps {
|
|
match cap.as_str() {
|
|
"fs:rw:app-data" | "fs:read:app-data" => {
|
|
let data_dir = home
|
|
.join(".local/share/weft/apps")
|
|
.join(app_id)
|
|
.join("data");
|
|
let _ = std::fs::create_dir_all(&data_dir);
|
|
preopens.push((data_dir.to_string_lossy().into_owned(), "/data".to_string()));
|
|
}
|
|
"fs:rw:xdg-documents" | "fs:read:xdg-documents" => {
|
|
let docs = home.join("Documents");
|
|
if docs.exists() {
|
|
preopens.push((
|
|
docs.to_string_lossy().into_owned(),
|
|
"/xdg/documents".to_string(),
|
|
));
|
|
}
|
|
}
|
|
other => {
|
|
tracing::debug!(capability = other, "not mapped to preopen; skipped");
|
|
}
|
|
}
|
|
}
|
|
preopens
|
|
}
|
|
|
|
pub(crate) async fn supervise(
|
|
session_id: u64,
|
|
app_id: &str,
|
|
registry: Registry,
|
|
abort_rx: tokio::sync::oneshot::Receiver<()>,
|
|
compositor_tx: Option<CompositorSender>,
|
|
ipc_socket_path: Option<std::path::PathBuf>,
|
|
) -> anyhow::Result<()> {
|
|
let mut abort_rx = abort_rx;
|
|
let bin = match std::env::var("WEFT_RUNTIME_BIN") {
|
|
Ok(b) => b,
|
|
Err(_) => {
|
|
tracing::debug!(session_id, %app_id, "WEFT_RUNTIME_BIN not set; skipping process spawn");
|
|
return Ok(());
|
|
}
|
|
};
|
|
|
|
let mut cmd = tokio::process::Command::new(&bin);
|
|
cmd.arg(app_id)
|
|
.arg(session_id.to_string())
|
|
.stdout(std::process::Stdio::piped())
|
|
.stderr(std::process::Stdio::piped())
|
|
.stdin(std::process::Stdio::null());
|
|
|
|
if let Some(ref sock) = ipc_socket_path {
|
|
cmd.arg("--ipc-socket").arg(sock);
|
|
}
|
|
|
|
for (host, guest) in resolve_preopens(app_id) {
|
|
cmd.arg("--preopen").arg(format!("{host}::{guest}"));
|
|
}
|
|
|
|
let mut child = match cmd.spawn() {
|
|
Ok(c) => c,
|
|
Err(e) => {
|
|
tracing::warn!(session_id, %app_id, error = %e, "failed to spawn runtime; marking session stopped");
|
|
let mut reg = registry.lock().await;
|
|
reg.set_state(session_id, AppStateKind::Stopped);
|
|
let _ = reg.broadcast().send(Response::AppState {
|
|
session_id,
|
|
state: AppStateKind::Stopped,
|
|
});
|
|
return Ok(());
|
|
}
|
|
};
|
|
|
|
if let Some(tx) = &compositor_tx {
|
|
let pid = child.id().unwrap_or(0);
|
|
let _ = tx
|
|
.send(AppdToCompositor::AppSurfaceCreated {
|
|
app_id: app_id.to_owned(),
|
|
session_id,
|
|
pid,
|
|
})
|
|
.await;
|
|
}
|
|
|
|
let stdout = child.stdout.take().expect("stdout piped");
|
|
let stderr = child.stderr.take().expect("stderr piped");
|
|
|
|
let ready_result = tokio::select! {
|
|
r = tokio::time::timeout(READY_TIMEOUT, wait_for_ready(stdout)) => Some(r),
|
|
_ = &mut abort_rx => None,
|
|
};
|
|
|
|
match ready_result {
|
|
Some(Ok(Ok(remaining_stdout))) => {
|
|
registry
|
|
.lock()
|
|
.await
|
|
.set_state(session_id, AppStateKind::Running);
|
|
let _ = registry.lock().await.broadcast().send(Response::AppReady {
|
|
session_id,
|
|
app_id: app_id.to_owned(),
|
|
});
|
|
tracing::info!(session_id, %app_id, "app ready");
|
|
tokio::spawn(drain_stdout(remaining_stdout, session_id));
|
|
}
|
|
Some(Ok(Err(e))) => {
|
|
tracing::warn!(session_id, %app_id, error = %e, "stdout read error before READY");
|
|
}
|
|
Some(Err(_elapsed)) => {
|
|
tracing::warn!(session_id, %app_id, "READY timeout after 30s; killing process");
|
|
let _ = child.kill().await;
|
|
let mut reg = registry.lock().await;
|
|
reg.set_state(session_id, AppStateKind::Stopped);
|
|
let _ = reg.broadcast().send(Response::AppState {
|
|
session_id,
|
|
state: AppStateKind::Stopped,
|
|
});
|
|
return Ok(());
|
|
}
|
|
None => {
|
|
tracing::info!(session_id, %app_id, "abort during startup; killing process");
|
|
let _ = child.kill().await;
|
|
let mut reg = registry.lock().await;
|
|
reg.set_state(session_id, AppStateKind::Stopped);
|
|
let _ = reg.broadcast().send(Response::AppState {
|
|
session_id,
|
|
state: AppStateKind::Stopped,
|
|
});
|
|
return Ok(());
|
|
}
|
|
}
|
|
|
|
tokio::spawn(drain_stderr(stderr, session_id));
|
|
|
|
tokio::select! {
|
|
status = child.wait() => {
|
|
tracing::info!(session_id, %app_id, exit_status = ?status, "process exited");
|
|
}
|
|
_ = abort_rx => {
|
|
tracing::info!(session_id, %app_id, "abort received; sending SIGTERM");
|
|
let _ = child.kill().await;
|
|
}
|
|
}
|
|
|
|
if let Some(tx) = &compositor_tx {
|
|
let _ = tx
|
|
.send(AppdToCompositor::AppSurfaceDestroyed { session_id })
|
|
.await;
|
|
}
|
|
|
|
{
|
|
let mut reg = registry.lock().await;
|
|
reg.set_state(session_id, AppStateKind::Stopped);
|
|
let _ = reg.broadcast().send(Response::AppState {
|
|
session_id,
|
|
state: AppStateKind::Stopped,
|
|
});
|
|
}
|
|
|
|
Ok(())
|
|
}
|
|
|
|
async fn wait_for_ready(
|
|
stdout: tokio::process::ChildStdout,
|
|
) -> anyhow::Result<BufReader<tokio::process::ChildStdout>> {
|
|
let mut reader = BufReader::new(stdout);
|
|
loop {
|
|
let mut line = String::new();
|
|
let n = reader.read_line(&mut line).await?;
|
|
if n == 0 {
|
|
return Err(anyhow::anyhow!("stdout closed without READY signal"));
|
|
}
|
|
if line.trim() == "READY" {
|
|
return Ok(reader);
|
|
}
|
|
}
|
|
}
|
|
|
|
async fn drain_stdout(mut reader: BufReader<tokio::process::ChildStdout>, session_id: u64) {
|
|
let mut line = String::new();
|
|
loop {
|
|
line.clear();
|
|
match reader.read_line(&mut line).await {
|
|
Ok(0) | Err(_) => break,
|
|
Ok(_) => tracing::debug!(session_id, stdout = %line.trim_end(), "app stdout"),
|
|
}
|
|
}
|
|
}
|
|
|
|
async fn drain_stderr(stderr: tokio::process::ChildStderr, session_id: u64) {
|
|
let mut lines = BufReader::new(stderr).lines();
|
|
while let Ok(Some(line)) = lines.next_line().await {
|
|
tracing::warn!(session_id, stderr = %line, "app stderr");
|
|
}
|
|
}
|