
This PR extracts the `SemanticVersion` out of `util` and into its own `SemanticVersion` crate. This allows for making use of `SemanticVersion` without needing to pull in some of the heavier dependencies included in the `util` crate. As part of this the public API for `SemanticVersion` has been tidied up a bit. Release Notes: - N/A
492 lines
15 KiB
Rust
492 lines
15 KiB
Rust
#![allow(unused)]
|
|
|
|
use std::cell::RefCell;
|
|
use std::env;
|
|
use std::{
|
|
path::{Path, PathBuf},
|
|
process::Command,
|
|
rc::Rc,
|
|
sync::Arc,
|
|
time::Duration,
|
|
};
|
|
|
|
use anyhow::anyhow;
|
|
use ashpd::desktop::file_chooser::{OpenFileRequest, SaveFileRequest};
|
|
use async_task::Runnable;
|
|
use calloop::{EventLoop, LoopHandle, LoopSignal};
|
|
use flume::{Receiver, Sender};
|
|
use futures::channel::oneshot;
|
|
use parking_lot::Mutex;
|
|
use time::UtcOffset;
|
|
use wayland_client::Connection;
|
|
|
|
use crate::platform::linux::client::Client;
|
|
use crate::platform::linux::wayland::WaylandClient;
|
|
use crate::{
|
|
px, Action, AnyWindowHandle, BackgroundExecutor, ClipboardItem, CursorStyle, DisplayId,
|
|
ForegroundExecutor, Keymap, LinuxDispatcher, LinuxTextSystem, Menu, PathPromptOptions, Pixels,
|
|
Platform, PlatformDisplay, PlatformInput, PlatformTextSystem, PlatformWindow, Result,
|
|
SemanticVersion, Task, WindowOptions, WindowParams,
|
|
};
|
|
|
|
use super::x11::X11Client;
|
|
|
|
pub(super) const SCROLL_LINES: f64 = 3.0;
|
|
|
|
// Values match the defaults on GTK.
|
|
// Taken from https://github.com/GNOME/gtk/blob/main/gtk/gtksettings.c#L320
|
|
pub(super) const DOUBLE_CLICK_INTERVAL: Duration = Duration::from_millis(400);
|
|
pub(super) const DOUBLE_CLICK_DISTANCE: Pixels = px(5.0);
|
|
|
|
#[derive(Default)]
|
|
pub(crate) struct Callbacks {
|
|
open_urls: Option<Box<dyn FnMut(Vec<String>)>>,
|
|
become_active: Option<Box<dyn FnMut()>>,
|
|
resign_active: Option<Box<dyn FnMut()>>,
|
|
quit: Option<Box<dyn FnMut()>>,
|
|
reopen: Option<Box<dyn FnMut()>>,
|
|
event: Option<Box<dyn FnMut(PlatformInput) -> bool>>,
|
|
app_menu_action: Option<Box<dyn FnMut(&dyn Action)>>,
|
|
will_open_app_menu: Option<Box<dyn FnMut()>>,
|
|
validate_app_menu_command: Option<Box<dyn FnMut(&dyn Action) -> bool>>,
|
|
}
|
|
|
|
pub(crate) struct LinuxPlatformInner {
|
|
pub(crate) event_loop: RefCell<EventLoop<'static, ()>>,
|
|
pub(crate) loop_handle: Rc<LoopHandle<'static, ()>>,
|
|
pub(crate) loop_signal: LoopSignal,
|
|
pub(crate) background_executor: BackgroundExecutor,
|
|
pub(crate) foreground_executor: ForegroundExecutor,
|
|
pub(crate) text_system: Arc<LinuxTextSystem>,
|
|
pub(crate) callbacks: RefCell<Callbacks>,
|
|
}
|
|
|
|
pub(crate) struct LinuxPlatform {
|
|
client: Rc<dyn Client>,
|
|
inner: Rc<LinuxPlatformInner>,
|
|
}
|
|
|
|
impl Default for LinuxPlatform {
|
|
fn default() -> Self {
|
|
Self::new()
|
|
}
|
|
}
|
|
|
|
impl LinuxPlatform {
|
|
pub(crate) fn new() -> Self {
|
|
let wayland_display = env::var_os("WAYLAND_DISPLAY");
|
|
let use_wayland = wayland_display.is_some_and(|display| !display.is_empty());
|
|
|
|
let (main_sender, main_receiver) = calloop::channel::channel::<Runnable>();
|
|
let text_system = Arc::new(LinuxTextSystem::new());
|
|
let callbacks = RefCell::new(Callbacks::default());
|
|
|
|
let event_loop = EventLoop::try_new().unwrap();
|
|
event_loop
|
|
.handle()
|
|
.insert_source(main_receiver, |event, _, _| {
|
|
if let calloop::channel::Event::Msg(runnable) = event {
|
|
runnable.run();
|
|
}
|
|
});
|
|
|
|
let dispatcher = Arc::new(LinuxDispatcher::new(main_sender));
|
|
|
|
let inner = Rc::new(LinuxPlatformInner {
|
|
loop_handle: Rc::new(event_loop.handle()),
|
|
loop_signal: event_loop.get_signal(),
|
|
event_loop: RefCell::new(event_loop),
|
|
background_executor: BackgroundExecutor::new(dispatcher.clone()),
|
|
foreground_executor: ForegroundExecutor::new(dispatcher.clone()),
|
|
text_system,
|
|
callbacks,
|
|
});
|
|
|
|
if use_wayland {
|
|
Self {
|
|
client: Rc::new(WaylandClient::new(Rc::clone(&inner))),
|
|
inner,
|
|
}
|
|
} else {
|
|
Self {
|
|
client: X11Client::new(Rc::clone(&inner)),
|
|
inner,
|
|
}
|
|
}
|
|
}
|
|
}
|
|
|
|
const KEYRING_LABEL: &str = "zed-github-account";
|
|
|
|
impl Platform for LinuxPlatform {
|
|
fn background_executor(&self) -> BackgroundExecutor {
|
|
self.inner.background_executor.clone()
|
|
}
|
|
|
|
fn foreground_executor(&self) -> ForegroundExecutor {
|
|
self.inner.foreground_executor.clone()
|
|
}
|
|
|
|
fn text_system(&self) -> Arc<dyn PlatformTextSystem> {
|
|
self.inner.text_system.clone()
|
|
}
|
|
|
|
fn run(&self, on_finish_launching: Box<dyn FnOnce()>) {
|
|
on_finish_launching();
|
|
|
|
self.inner
|
|
.event_loop
|
|
.borrow_mut()
|
|
.run(None, &mut (), |&mut ()| {})
|
|
.expect("Run loop failed");
|
|
|
|
if let Some(mut fun) = self.inner.callbacks.borrow_mut().quit.take() {
|
|
fun();
|
|
}
|
|
}
|
|
|
|
fn quit(&self) {
|
|
self.inner.loop_signal.stop();
|
|
}
|
|
|
|
fn restart(&self) {
|
|
use std::os::unix::process::CommandExt as _;
|
|
|
|
// get the process id of the current process
|
|
let app_pid = std::process::id().to_string();
|
|
// get the path to the executable
|
|
let app_path = match self.app_path() {
|
|
Ok(path) => path,
|
|
Err(err) => {
|
|
log::error!("Failed to get app path: {:?}", err);
|
|
return;
|
|
}
|
|
};
|
|
|
|
// script to wait for the current process to exit and then restart the app
|
|
let script = format!(
|
|
r#"
|
|
while kill -O {pid} 2>/dev/null; do
|
|
sleep 0.1
|
|
done
|
|
{app_path}
|
|
"#,
|
|
pid = app_pid,
|
|
app_path = app_path.display()
|
|
);
|
|
|
|
// execute the script using /bin/bash
|
|
let restart_process = Command::new("/bin/bash")
|
|
.arg("-c")
|
|
.arg(script)
|
|
.process_group(0)
|
|
.spawn();
|
|
|
|
match restart_process {
|
|
Ok(_) => self.quit(),
|
|
Err(e) => log::error!("failed to spawn restart script: {:?}", e),
|
|
}
|
|
}
|
|
|
|
// todo(linux)
|
|
fn activate(&self, ignoring_other_apps: bool) {}
|
|
|
|
// todo(linux)
|
|
fn hide(&self) {}
|
|
|
|
// todo(linux)
|
|
fn hide_other_apps(&self) {}
|
|
|
|
// todo(linux)
|
|
fn unhide_other_apps(&self) {}
|
|
|
|
fn primary_display(&self) -> Option<Rc<dyn PlatformDisplay>> {
|
|
self.client.primary_display()
|
|
}
|
|
|
|
fn displays(&self) -> Vec<Rc<dyn PlatformDisplay>> {
|
|
self.client.displays()
|
|
}
|
|
|
|
fn display(&self, id: DisplayId) -> Option<Rc<dyn PlatformDisplay>> {
|
|
self.client.display(id)
|
|
}
|
|
|
|
// todo(linux)
|
|
fn active_window(&self) -> Option<AnyWindowHandle> {
|
|
None
|
|
}
|
|
|
|
fn open_window(
|
|
&self,
|
|
handle: AnyWindowHandle,
|
|
options: WindowParams,
|
|
) -> Box<dyn PlatformWindow> {
|
|
self.client.open_window(handle, options)
|
|
}
|
|
|
|
fn open_url(&self, url: &str) {
|
|
open::that(url);
|
|
}
|
|
|
|
fn on_open_urls(&self, callback: Box<dyn FnMut(Vec<String>)>) {
|
|
self.inner.callbacks.borrow_mut().open_urls = Some(callback);
|
|
}
|
|
|
|
fn prompt_for_paths(
|
|
&self,
|
|
options: PathPromptOptions,
|
|
) -> oneshot::Receiver<Option<Vec<PathBuf>>> {
|
|
let (done_tx, done_rx) = oneshot::channel();
|
|
self.inner
|
|
.foreground_executor
|
|
.spawn(async move {
|
|
let title = if options.multiple {
|
|
if !options.files {
|
|
"Open folders"
|
|
} else {
|
|
"Open files"
|
|
}
|
|
} else {
|
|
if !options.files {
|
|
"Open folder"
|
|
} else {
|
|
"Open file"
|
|
}
|
|
};
|
|
|
|
let result = OpenFileRequest::default()
|
|
.modal(true)
|
|
.title(title)
|
|
.accept_label("Select")
|
|
.multiple(options.multiple)
|
|
.directory(options.directories)
|
|
.send()
|
|
.await
|
|
.ok()
|
|
.and_then(|request| request.response().ok())
|
|
.and_then(|response| {
|
|
response
|
|
.uris()
|
|
.iter()
|
|
.map(|uri| uri.to_file_path().ok())
|
|
.collect()
|
|
});
|
|
|
|
done_tx.send(result);
|
|
})
|
|
.detach();
|
|
done_rx
|
|
}
|
|
|
|
fn prompt_for_new_path(&self, directory: &Path) -> oneshot::Receiver<Option<PathBuf>> {
|
|
let (done_tx, done_rx) = oneshot::channel();
|
|
let directory = directory.to_owned();
|
|
self.inner
|
|
.foreground_executor
|
|
.spawn(async move {
|
|
let result = SaveFileRequest::default()
|
|
.modal(true)
|
|
.title("Select new path")
|
|
.accept_label("Accept")
|
|
.send()
|
|
.await
|
|
.ok()
|
|
.and_then(|request| request.response().ok())
|
|
.and_then(|response| {
|
|
response
|
|
.uris()
|
|
.first()
|
|
.and_then(|uri| uri.to_file_path().ok())
|
|
});
|
|
|
|
done_tx.send(result);
|
|
})
|
|
.detach();
|
|
done_rx
|
|
}
|
|
|
|
fn reveal_path(&self, path: &Path) {
|
|
if path.is_dir() {
|
|
open::that(path);
|
|
return;
|
|
}
|
|
// If `path` is a file, the system may try to open it in a text editor
|
|
let dir = path.parent().unwrap_or(Path::new(""));
|
|
open::that(dir);
|
|
}
|
|
|
|
fn on_become_active(&self, callback: Box<dyn FnMut()>) {
|
|
self.inner.callbacks.borrow_mut().become_active = Some(callback);
|
|
}
|
|
|
|
fn on_resign_active(&self, callback: Box<dyn FnMut()>) {
|
|
self.inner.callbacks.borrow_mut().resign_active = Some(callback);
|
|
}
|
|
|
|
fn on_quit(&self, callback: Box<dyn FnMut()>) {
|
|
self.inner.callbacks.borrow_mut().quit = Some(callback);
|
|
}
|
|
|
|
fn on_reopen(&self, callback: Box<dyn FnMut()>) {
|
|
self.inner.callbacks.borrow_mut().reopen = Some(callback);
|
|
}
|
|
|
|
fn on_event(&self, callback: Box<dyn FnMut(PlatformInput) -> bool>) {
|
|
self.inner.callbacks.borrow_mut().event = Some(callback);
|
|
}
|
|
|
|
fn on_app_menu_action(&self, callback: Box<dyn FnMut(&dyn Action)>) {
|
|
self.inner.callbacks.borrow_mut().app_menu_action = Some(callback);
|
|
}
|
|
|
|
fn on_will_open_app_menu(&self, callback: Box<dyn FnMut()>) {
|
|
self.inner.callbacks.borrow_mut().will_open_app_menu = Some(callback);
|
|
}
|
|
|
|
fn on_validate_app_menu_command(&self, callback: Box<dyn FnMut(&dyn Action) -> bool>) {
|
|
self.inner.callbacks.borrow_mut().validate_app_menu_command = Some(callback);
|
|
}
|
|
|
|
fn os_name(&self) -> &'static str {
|
|
"Linux"
|
|
}
|
|
|
|
fn os_version(&self) -> Result<SemanticVersion> {
|
|
Ok(SemanticVersion::new(1, 0, 0))
|
|
}
|
|
|
|
fn app_version(&self) -> Result<SemanticVersion> {
|
|
Ok(SemanticVersion::new(1, 0, 0))
|
|
}
|
|
|
|
fn app_path(&self) -> Result<PathBuf> {
|
|
// get the path of the executable of the current process
|
|
let exe_path = std::env::current_exe()?;
|
|
Ok(exe_path)
|
|
}
|
|
|
|
// todo(linux)
|
|
fn set_menus(&self, menus: Vec<Menu>, keymap: &Keymap) {}
|
|
|
|
fn local_timezone(&self) -> UtcOffset {
|
|
UtcOffset::UTC
|
|
}
|
|
|
|
//todo(linux)
|
|
fn path_for_auxiliary_executable(&self, name: &str) -> Result<PathBuf> {
|
|
Err(anyhow::Error::msg(
|
|
"Platform<LinuxPlatform>::path_for_auxiliary_executable is not implemented yet",
|
|
))
|
|
}
|
|
|
|
fn set_cursor_style(&self, style: CursorStyle) {
|
|
self.client.set_cursor_style(style)
|
|
}
|
|
|
|
// todo(linux)
|
|
fn should_auto_hide_scrollbars(&self) -> bool {
|
|
false
|
|
}
|
|
|
|
fn write_to_clipboard(&self, item: ClipboardItem) {
|
|
let clipboard = self.client.get_clipboard();
|
|
clipboard.borrow_mut().set_contents(item.text);
|
|
}
|
|
|
|
fn read_from_clipboard(&self) -> Option<ClipboardItem> {
|
|
let clipboard = self.client.get_clipboard();
|
|
let contents = clipboard.borrow_mut().get_contents();
|
|
match contents {
|
|
Ok(text) => Some(ClipboardItem {
|
|
metadata: None,
|
|
text,
|
|
}),
|
|
_ => None,
|
|
}
|
|
}
|
|
|
|
fn write_credentials(&self, url: &str, username: &str, password: &[u8]) -> Task<Result<()>> {
|
|
let url = url.to_string();
|
|
let username = username.to_string();
|
|
let password = password.to_vec();
|
|
self.background_executor().spawn(async move {
|
|
let keyring = oo7::Keyring::new().await?;
|
|
keyring.unlock().await?;
|
|
keyring
|
|
.create_item(
|
|
KEYRING_LABEL,
|
|
&vec![("url", &url), ("username", &username)],
|
|
password,
|
|
true,
|
|
)
|
|
.await?;
|
|
Ok(())
|
|
})
|
|
}
|
|
|
|
//todo(linux): add trait methods for accessing the primary selection
|
|
fn read_credentials(&self, url: &str) -> Task<Result<Option<(String, Vec<u8>)>>> {
|
|
let url = url.to_string();
|
|
self.background_executor().spawn(async move {
|
|
let keyring = oo7::Keyring::new().await?;
|
|
keyring.unlock().await?;
|
|
|
|
let items = keyring.search_items(&vec![("url", &url)]).await?;
|
|
|
|
for item in items.into_iter() {
|
|
if item.label().await.is_ok_and(|label| label == KEYRING_LABEL) {
|
|
let attributes = item.attributes().await?;
|
|
let username = attributes
|
|
.get("username")
|
|
.ok_or_else(|| anyhow!("Cannot find username in stored credentials"))?;
|
|
let secret = item.secret().await?;
|
|
|
|
// we lose the zeroizing capabilities at this boundary,
|
|
// a current limitation GPUI's credentials api
|
|
return Ok(Some((username.to_string(), secret.to_vec())));
|
|
} else {
|
|
continue;
|
|
}
|
|
}
|
|
Ok(None)
|
|
})
|
|
}
|
|
|
|
fn delete_credentials(&self, url: &str) -> Task<Result<()>> {
|
|
let url = url.to_string();
|
|
self.background_executor().spawn(async move {
|
|
let keyring = oo7::Keyring::new().await?;
|
|
keyring.unlock().await?;
|
|
|
|
let items = keyring.search_items(&vec![("url", &url)]).await?;
|
|
|
|
for item in items.into_iter() {
|
|
if item.label().await.is_ok_and(|label| label == KEYRING_LABEL) {
|
|
item.delete().await?;
|
|
return Ok(());
|
|
}
|
|
}
|
|
|
|
Ok(())
|
|
})
|
|
}
|
|
|
|
fn window_appearance(&self) -> crate::WindowAppearance {
|
|
crate::WindowAppearance::Light
|
|
}
|
|
|
|
fn register_url_scheme(&self, _: &str) -> Task<anyhow::Result<()>> {
|
|
Task::ready(Err(anyhow!("register_url_scheme unimplemented")))
|
|
}
|
|
}
|
|
|
|
#[cfg(test)]
|
|
mod tests {
|
|
use super::*;
|
|
|
|
fn build_platform() -> LinuxPlatform {
|
|
let platform = LinuxPlatform::new();
|
|
platform
|
|
}
|
|
}
|