521 lines
15 KiB
Rust
521 lines
15 KiB
Rust
use futures::{FutureExt, Stream, StreamExt, future};
|
|
use process_wrap::tokio::CommandWrap;
|
|
#[cfg(unix)]
|
|
use process_wrap::tokio::ProcessGroup;
|
|
#[cfg(windows)]
|
|
use process_wrap::tokio::{JobObject, KillOnDrop};
|
|
#[cfg(unix)]
|
|
use std::os::unix::process::ExitStatusExt;
|
|
use std::{process::Stdio, time::Duration};
|
|
use tauri::{AppHandle, Manager, path::BaseDirectory};
|
|
use tauri_plugin_store::StoreExt;
|
|
use tauri_specta::Event;
|
|
use tokio::io::{AsyncBufReadExt, BufReader};
|
|
use tokio::process::Command;
|
|
use tokio::sync::{mpsc, oneshot};
|
|
use tokio_stream::wrappers::ReceiverStream;
|
|
use tracing::Instrument;
|
|
|
|
use crate::constants::{SETTINGS_STORE, WSL_ENABLED_KEY};
|
|
|
|
const CLI_INSTALL_DIR: &str = ".opencode/bin";
|
|
const CLI_BINARY_NAME: &str = "opencode";
|
|
|
|
#[derive(serde::Deserialize, Debug)]
|
|
pub struct ServerConfig {
|
|
pub hostname: Option<String>,
|
|
pub port: Option<u32>,
|
|
}
|
|
|
|
#[derive(serde::Deserialize, Debug)]
|
|
pub struct Config {
|
|
pub server: Option<ServerConfig>,
|
|
}
|
|
|
|
#[derive(Clone, Debug)]
|
|
pub enum CommandEvent {
|
|
Stdout(Vec<u8>),
|
|
Stderr(Vec<u8>),
|
|
Error(String),
|
|
Terminated(TerminatedPayload),
|
|
}
|
|
|
|
#[derive(Clone, Copy, Debug)]
|
|
pub struct TerminatedPayload {
|
|
pub code: Option<i32>,
|
|
pub signal: Option<i32>,
|
|
}
|
|
|
|
#[derive(Clone, Debug)]
|
|
pub struct CommandChild {
|
|
kill: mpsc::Sender<()>,
|
|
}
|
|
|
|
impl CommandChild {
|
|
pub fn kill(&self) -> std::io::Result<()> {
|
|
self.kill
|
|
.try_send(())
|
|
.map_err(|e| std::io::Error::other(e.to_string()))
|
|
}
|
|
}
|
|
|
|
pub async fn get_config(app: &AppHandle) -> Option<Config> {
|
|
let (events, _) = spawn_command(app, "debug config", &[]).ok()?;
|
|
|
|
events
|
|
.fold(String::new(), async |mut config_str, event| {
|
|
if let CommandEvent::Stdout(stdout) = event
|
|
&& let Ok(s) = str::from_utf8(&stdout)
|
|
{
|
|
config_str += s
|
|
}
|
|
|
|
config_str
|
|
})
|
|
.map(|v| serde_json::from_str::<Config>(&v))
|
|
.await
|
|
.ok()
|
|
}
|
|
|
|
fn get_cli_install_path() -> Option<std::path::PathBuf> {
|
|
std::env::var("HOME").ok().map(|home| {
|
|
std::path::PathBuf::from(home)
|
|
.join(CLI_INSTALL_DIR)
|
|
.join(CLI_BINARY_NAME)
|
|
})
|
|
}
|
|
|
|
pub fn get_sidecar_path(app: &tauri::AppHandle) -> std::path::PathBuf {
|
|
// Get binary with symlinks support
|
|
tauri::process::current_binary(&app.env())
|
|
.expect("Failed to get current binary")
|
|
.parent()
|
|
.expect("Failed to get parent dir")
|
|
.join("opencode-cli")
|
|
}
|
|
|
|
fn is_cli_installed() -> bool {
|
|
get_cli_install_path()
|
|
.map(|path| path.exists())
|
|
.unwrap_or(false)
|
|
}
|
|
|
|
const INSTALL_SCRIPT: &str = include_str!("../../../../install");
|
|
|
|
#[tauri::command]
|
|
#[specta::specta]
|
|
pub fn install_cli(app: tauri::AppHandle) -> Result<String, String> {
|
|
if cfg!(not(unix)) {
|
|
return Err("CLI installation is only supported on macOS & Linux".to_string());
|
|
}
|
|
|
|
let sidecar = get_sidecar_path(&app);
|
|
if !sidecar.exists() {
|
|
return Err("Sidecar binary not found".to_string());
|
|
}
|
|
|
|
let temp_script = std::env::temp_dir().join("opencode-install.sh");
|
|
std::fs::write(&temp_script, INSTALL_SCRIPT)
|
|
.map_err(|e| format!("Failed to write install script: {}", e))?;
|
|
|
|
#[cfg(unix)]
|
|
{
|
|
use std::os::unix::fs::PermissionsExt;
|
|
std::fs::set_permissions(&temp_script, std::fs::Permissions::from_mode(0o755))
|
|
.map_err(|e| format!("Failed to set script permissions: {}", e))?;
|
|
}
|
|
|
|
let output = std::process::Command::new(&temp_script)
|
|
.arg("--binary")
|
|
.arg(&sidecar)
|
|
.output()
|
|
.map_err(|e| format!("Failed to run install script: {}", e))?;
|
|
|
|
let _ = std::fs::remove_file(&temp_script);
|
|
|
|
if !output.status.success() {
|
|
let stderr = String::from_utf8_lossy(&output.stderr);
|
|
return Err(format!("Install script failed: {}", stderr));
|
|
}
|
|
|
|
let install_path =
|
|
get_cli_install_path().ok_or_else(|| "Could not determine install path".to_string())?;
|
|
|
|
Ok(install_path.to_string_lossy().to_string())
|
|
}
|
|
|
|
pub fn sync_cli(app: tauri::AppHandle) -> Result<(), String> {
|
|
if cfg!(debug_assertions) {
|
|
tracing::debug!("Skipping CLI sync for debug build");
|
|
return Ok(());
|
|
}
|
|
|
|
if !is_cli_installed() {
|
|
tracing::info!("No CLI installation found, skipping sync");
|
|
return Ok(());
|
|
}
|
|
|
|
let cli_path =
|
|
get_cli_install_path().ok_or_else(|| "Could not determine CLI install path".to_string())?;
|
|
|
|
let output = std::process::Command::new(&cli_path)
|
|
.arg("--version")
|
|
.output()
|
|
.map_err(|e| format!("Failed to get CLI version: {}", e))?;
|
|
|
|
if !output.status.success() {
|
|
return Err("Failed to get CLI version".to_string());
|
|
}
|
|
|
|
let cli_version_str = String::from_utf8_lossy(&output.stdout).trim().to_string();
|
|
let cli_version = semver::Version::parse(&cli_version_str)
|
|
.map_err(|e| format!("Failed to parse CLI version '{}': {}", cli_version_str, e))?;
|
|
|
|
let app_version = app.package_info().version.clone();
|
|
|
|
if cli_version >= app_version {
|
|
tracing::info!(
|
|
%cli_version, %app_version,
|
|
"CLI is up to date, skipping sync"
|
|
);
|
|
return Ok(());
|
|
}
|
|
|
|
tracing::info!(
|
|
%cli_version, %app_version,
|
|
"CLI is older than app version, syncing"
|
|
);
|
|
|
|
install_cli(app)?;
|
|
|
|
tracing::info!("Synced installed CLI");
|
|
|
|
Ok(())
|
|
}
|
|
|
|
fn get_user_shell() -> String {
|
|
std::env::var("SHELL").unwrap_or_else(|_| "/bin/sh".to_string())
|
|
}
|
|
|
|
fn is_wsl_enabled(app: &tauri::AppHandle) -> bool {
|
|
let Ok(store) = app.store(SETTINGS_STORE) else {
|
|
return false;
|
|
};
|
|
|
|
store
|
|
.get(WSL_ENABLED_KEY)
|
|
.as_ref()
|
|
.and_then(|value| value.as_bool())
|
|
.unwrap_or(false)
|
|
}
|
|
|
|
fn shell_escape(input: &str) -> String {
|
|
if input.is_empty() {
|
|
return "''".to_string();
|
|
}
|
|
|
|
let mut escaped = String::from("'");
|
|
escaped.push_str(&input.replace("'", "'\"'\"'"));
|
|
escaped.push('\'');
|
|
escaped
|
|
}
|
|
|
|
pub fn spawn_command(
|
|
app: &tauri::AppHandle,
|
|
args: &str,
|
|
extra_env: &[(&str, String)],
|
|
) -> Result<(impl Stream<Item = CommandEvent> + 'static, CommandChild), std::io::Error> {
|
|
let state_dir = app
|
|
.path()
|
|
.resolve("", BaseDirectory::AppLocalData)
|
|
.expect("Failed to resolve app local data dir");
|
|
|
|
let mut envs = vec![
|
|
(
|
|
"OPENCODE_EXPERIMENTAL_ICON_DISCOVERY".to_string(),
|
|
"true".to_string(),
|
|
),
|
|
(
|
|
"OPENCODE_EXPERIMENTAL_FILEWATCHER".to_string(),
|
|
"true".to_string(),
|
|
),
|
|
("OPENCODE_CLIENT".to_string(), "desktop".to_string()),
|
|
(
|
|
"XDG_STATE_HOME".to_string(),
|
|
state_dir.to_string_lossy().to_string(),
|
|
),
|
|
];
|
|
envs.extend(
|
|
extra_env
|
|
.iter()
|
|
.map(|(key, value)| (key.to_string(), value.clone())),
|
|
);
|
|
|
|
let mut cmd = if cfg!(windows) {
|
|
if is_wsl_enabled(app) {
|
|
tracing::info!("WSL is enabled, spawning CLI server in WSL");
|
|
let version = app.package_info().version.to_string();
|
|
let mut script = vec![
|
|
"set -e".to_string(),
|
|
"BIN=\"$HOME/.opencode/bin/opencode\"".to_string(),
|
|
"if [ ! -x \"$BIN\" ]; then".to_string(),
|
|
format!(
|
|
" curl -fsSL https://opencode.ai/install | bash -s -- --version {} --no-modify-path",
|
|
shell_escape(&version)
|
|
),
|
|
"fi".to_string(),
|
|
];
|
|
|
|
let mut env_prefix = vec![
|
|
"OPENCODE_EXPERIMENTAL_ICON_DISCOVERY=true".to_string(),
|
|
"OPENCODE_EXPERIMENTAL_FILEWATCHER=true".to_string(),
|
|
"OPENCODE_CLIENT=desktop".to_string(),
|
|
"XDG_STATE_HOME=\"$HOME/.local/state\"".to_string(),
|
|
];
|
|
env_prefix.extend(
|
|
envs.iter()
|
|
.filter(|(key, _)| key != "OPENCODE_EXPERIMENTAL_ICON_DISCOVERY")
|
|
.filter(|(key, _)| key != "OPENCODE_EXPERIMENTAL_FILEWATCHER")
|
|
.filter(|(key, _)| key != "OPENCODE_CLIENT")
|
|
.filter(|(key, _)| key != "XDG_STATE_HOME")
|
|
.map(|(key, value)| format!("{}={}", key, shell_escape(value))),
|
|
);
|
|
|
|
script.push(format!("{} exec \"$BIN\" {}", env_prefix.join(" "), args));
|
|
|
|
let mut cmd = Command::new("wsl");
|
|
cmd.args(["-e", "bash", "-lc", &script.join("\n")]);
|
|
cmd
|
|
} else {
|
|
let sidecar = get_sidecar_path(app);
|
|
let mut cmd = Command::new(sidecar);
|
|
cmd.args(args.split_whitespace());
|
|
|
|
for (key, value) in envs {
|
|
cmd.env(key, value);
|
|
}
|
|
|
|
cmd
|
|
}
|
|
} else {
|
|
let sidecar = get_sidecar_path(app);
|
|
let shell = get_user_shell();
|
|
|
|
let line = if shell.ends_with("/nu") {
|
|
format!("^\"{}\" {}", sidecar.display(), args)
|
|
} else {
|
|
format!("\"{}\" {}", sidecar.display(), args)
|
|
};
|
|
|
|
let mut cmd = Command::new(shell);
|
|
cmd.args(["-il", "-c", &line]);
|
|
|
|
for (key, value) in envs {
|
|
cmd.env(key, value);
|
|
}
|
|
|
|
cmd
|
|
};
|
|
|
|
cmd.stdin(Stdio::null());
|
|
cmd.stdout(Stdio::piped());
|
|
cmd.stderr(Stdio::piped());
|
|
|
|
#[cfg(windows)]
|
|
cmd.creation_flags(0x0800_0000);
|
|
|
|
let mut wrap = CommandWrap::from(cmd);
|
|
|
|
#[cfg(unix)]
|
|
{
|
|
wrap.wrap(ProcessGroup::leader());
|
|
}
|
|
|
|
#[cfg(windows)]
|
|
{
|
|
wrap.wrap(JobObject).wrap(KillOnDrop);
|
|
}
|
|
|
|
let mut child = wrap.spawn()?;
|
|
let stdout = child.stdout().take();
|
|
let stderr = child.stderr().take();
|
|
let (tx, rx) = mpsc::channel(256);
|
|
let (kill_tx, mut kill_rx) = mpsc::channel(1);
|
|
|
|
if let Some(stdout) = stdout {
|
|
let tx = tx.clone();
|
|
tokio::spawn(async move {
|
|
let mut lines = BufReader::new(stdout).lines();
|
|
while let Ok(Some(line)) = lines.next_line().await {
|
|
let _ = tx.send(CommandEvent::Stdout(line.into_bytes())).await;
|
|
}
|
|
});
|
|
}
|
|
|
|
if let Some(stderr) = stderr {
|
|
let tx = tx.clone();
|
|
tokio::spawn(async move {
|
|
let mut lines = BufReader::new(stderr).lines();
|
|
while let Ok(Some(line)) = lines.next_line().await {
|
|
let _ = tx.send(CommandEvent::Stderr(line.into_bytes())).await;
|
|
}
|
|
});
|
|
}
|
|
|
|
tokio::spawn(async move {
|
|
let status = loop {
|
|
match child.try_wait() {
|
|
Ok(Some(status)) => break Ok(status),
|
|
Ok(None) => {}
|
|
Err(err) => break Err(err),
|
|
}
|
|
|
|
tokio::select! {
|
|
_ = kill_rx.recv() => {
|
|
let _ = child.start_kill();
|
|
}
|
|
_ = tokio::time::sleep(Duration::from_millis(100)) => {}
|
|
}
|
|
};
|
|
|
|
match status {
|
|
Ok(status) => {
|
|
let payload = TerminatedPayload {
|
|
code: status.code(),
|
|
signal: signal_from_status(status),
|
|
};
|
|
let _ = tx.send(CommandEvent::Terminated(payload)).await;
|
|
}
|
|
Err(err) => {
|
|
let _ = tx.send(CommandEvent::Error(err.to_string())).await;
|
|
}
|
|
}
|
|
});
|
|
|
|
let event_stream = ReceiverStream::new(rx);
|
|
let event_stream = sqlite_migration::logs_middleware(app.clone(), event_stream);
|
|
|
|
Ok((event_stream, CommandChild { kill: kill_tx }))
|
|
}
|
|
|
|
fn signal_from_status(status: std::process::ExitStatus) -> Option<i32> {
|
|
#[cfg(unix)]
|
|
{
|
|
return status.signal();
|
|
}
|
|
|
|
#[cfg(not(unix))]
|
|
{
|
|
let _ = status;
|
|
None
|
|
}
|
|
}
|
|
|
|
pub fn serve(
|
|
app: &AppHandle,
|
|
hostname: &str,
|
|
port: u32,
|
|
password: &str,
|
|
) -> (CommandChild, oneshot::Receiver<TerminatedPayload>) {
|
|
let (exit_tx, exit_rx) = oneshot::channel::<TerminatedPayload>();
|
|
|
|
tracing::info!(port, "Spawning sidecar");
|
|
|
|
let envs = [
|
|
("OPENCODE_SERVER_USERNAME", "opencode".to_string()),
|
|
("OPENCODE_SERVER_PASSWORD", password.to_string()),
|
|
];
|
|
|
|
let (events, child) = spawn_command(
|
|
app,
|
|
format!("--print-logs --log-level WARN serve --hostname {hostname} --port {port}").as_str(),
|
|
&envs,
|
|
)
|
|
.expect("Failed to spawn opencode");
|
|
|
|
let mut exit_tx = Some(exit_tx);
|
|
tokio::spawn(
|
|
events
|
|
.for_each(move |event| {
|
|
match event {
|
|
CommandEvent::Stdout(line_bytes) => {
|
|
let line = String::from_utf8_lossy(&line_bytes);
|
|
tracing::info!("{line}");
|
|
}
|
|
CommandEvent::Stderr(line_bytes) => {
|
|
let line = String::from_utf8_lossy(&line_bytes);
|
|
tracing::info!("{line}");
|
|
}
|
|
CommandEvent::Error(err) => {
|
|
tracing::error!("{err}");
|
|
}
|
|
CommandEvent::Terminated(payload) => {
|
|
tracing::info!(
|
|
code = ?payload.code,
|
|
signal = ?payload.signal,
|
|
"Sidecar terminated"
|
|
);
|
|
|
|
if let Some(tx) = exit_tx.take() {
|
|
let _ = tx.send(payload);
|
|
}
|
|
}
|
|
}
|
|
|
|
future::ready(())
|
|
})
|
|
.instrument(tracing::info_span!("sidecar")),
|
|
);
|
|
|
|
(child, exit_rx)
|
|
}
|
|
|
|
pub mod sqlite_migration {
|
|
use super::*;
|
|
|
|
#[derive(
|
|
tauri_specta::Event, serde::Serialize, serde::Deserialize, Clone, Copy, Debug, specta::Type,
|
|
)]
|
|
#[serde(tag = "type", content = "value")]
|
|
pub enum SqliteMigrationProgress {
|
|
InProgress(u8),
|
|
Done,
|
|
}
|
|
|
|
pub(super) fn logs_middleware(
|
|
app: AppHandle,
|
|
stream: impl Stream<Item = CommandEvent>,
|
|
) -> impl Stream<Item = CommandEvent> {
|
|
let app = app.clone();
|
|
let mut done = false;
|
|
|
|
stream.filter_map(move |event| {
|
|
if done {
|
|
return future::ready(Some(event));
|
|
}
|
|
|
|
future::ready(match &event {
|
|
CommandEvent::Stdout(stdout) => {
|
|
let Ok(s) = str::from_utf8(stdout) else {
|
|
return future::ready(None);
|
|
};
|
|
|
|
if let Some(s) = s.strip_prefix("sqlite-migration:").map(|s| s.trim()) {
|
|
if let Ok(progress) = s.parse::<u8>() {
|
|
let _ = SqliteMigrationProgress::InProgress(progress).emit(&app);
|
|
} else if s == "done" {
|
|
done = true;
|
|
let _ = SqliteMigrationProgress::Done.emit(&app);
|
|
}
|
|
|
|
None
|
|
} else {
|
|
Some(event)
|
|
}
|
|
}
|
|
_ => Some(event),
|
|
})
|
|
})
|
|
}
|
|
}
|