
### DISCLAIMER > As of 6th March 2025, debugger is still in development. We plan to merge it behind a staff-only feature flag for staff use only, followed by non-public release and then finally a public one (akin to how Git panel release was handled). This is done to ensure the best experience when it gets released. ### END OF DISCLAIMER **The current state of the debugger implementation:** https://github.com/user-attachments/assets/c4deff07-80dd-4dc6-ad2e-0c252a478fe9 https://github.com/user-attachments/assets/e1ed2345-b750-4bb6-9c97-50961b76904f ---- All the todo's are in the following channel, so it's easier to work on this together: https://zed.dev/channel/zed-debugger-11370 If you are on Linux, you can use the following command to join the channel: ```cli zed https://zed.dev/channel/zed-debugger-11370 ``` ## Current Features - Collab - Breakpoints - Sync when you (re)join a project - Sync when you add/remove a breakpoint - Sync active debug line - Stack frames - Click on stack frame - View variables that belong to the stack frame - Visit the source file - Restart stack frame (if adapter supports this) - Variables - Loaded sources - Modules - Controls - Continue - Step back - Stepping granularity (configurable) - Step into - Stepping granularity (configurable) - Step over - Stepping granularity (configurable) - Step out - Stepping granularity (configurable) - Debug console - Breakpoints - Log breakpoints - line breakpoints - Persistent between zed sessions (configurable) - Multi buffer support - Toggle disable/enable all breakpoints - Stack frames - Click on stack frame - View variables that belong to the stack frame - Visit the source file - Show collapsed stack frames - Restart stack frame (if adapter supports this) - Loaded sources - View all used loaded sources if supported by adapter. - Modules - View all used modules (if adapter supports this) - Variables - Copy value - Copy name - Copy memory reference - Set value (if adapter supports this) - keyboard navigation - Debug Console - See logs - View output that was sent from debug adapter - Output grouping - Evaluate code - Updates the variable list - Auto completion - If not supported by adapter, we will show auto-completion for existing variables - Debug Terminal - Run custom commands and change env values right inside your Zed terminal - Attach to process (if adapter supports this) - Process picker - Controls - Continue - Step back - Stepping granularity (configurable) - Step into - Stepping granularity (configurable) - Step over - Stepping granularity (configurable) - Step out - Stepping granularity (configurable) - Disconnect - Restart - Stop - Warning when a debug session exited without hitting any breakpoint - Debug view to see Adapter/RPC log messages - Testing - Fake debug adapter - Fake requests & events --- Release Notes: - N/A --------- Co-authored-by: Piotr Osiewicz <24362066+osiewicz@users.noreply.github.com> Co-authored-by: Anthony Eid <hello@anthonyeid.me> Co-authored-by: Anthony <anthony@zed.dev> Co-authored-by: Piotr Osiewicz <peterosiewicz@gmail.com> Co-authored-by: Piotr <piotr@zed.dev>
148 lines
4.3 KiB
Rust
148 lines
4.3 KiB
Rust
use adapters::latest_github_release;
|
|
use dap::transport::TcpTransport;
|
|
use gpui::AsyncApp;
|
|
use regex::Regex;
|
|
use std::{collections::HashMap, net::Ipv4Addr, path::PathBuf};
|
|
use sysinfo::{Pid, Process};
|
|
use task::DebugRequestType;
|
|
|
|
use crate::*;
|
|
|
|
pub(crate) struct JsDebugAdapter {
|
|
port: u16,
|
|
host: Ipv4Addr,
|
|
timeout: Option<u64>,
|
|
}
|
|
|
|
impl JsDebugAdapter {
|
|
const ADAPTER_NAME: &'static str = "vscode-js-debug";
|
|
const ADAPTER_PATH: &'static str = "js-debug/src/dapDebugServer.js";
|
|
|
|
pub(crate) async fn new(host: TCPHost) -> Result<Self> {
|
|
Ok(JsDebugAdapter {
|
|
host: host.host(),
|
|
timeout: host.timeout,
|
|
port: TcpTransport::port(&host).await?,
|
|
})
|
|
}
|
|
|
|
pub fn attach_processes(processes: &HashMap<Pid, Process>) -> Vec<(&Pid, &Process)> {
|
|
let regex = Regex::new(r"(?i)^(?:node|bun|iojs)(?:$|\b)").unwrap();
|
|
|
|
processes
|
|
.iter()
|
|
.filter(|(_, process)| regex.is_match(&process.name().to_string_lossy()))
|
|
.collect::<Vec<_>>()
|
|
}
|
|
}
|
|
|
|
#[async_trait(?Send)]
|
|
impl DebugAdapter for JsDebugAdapter {
|
|
fn name(&self) -> DebugAdapterName {
|
|
DebugAdapterName(Self::ADAPTER_NAME.into())
|
|
}
|
|
|
|
async fn fetch_latest_adapter_version(
|
|
&self,
|
|
delegate: &dyn DapDelegate,
|
|
) -> Result<AdapterVersion> {
|
|
let release = latest_github_release(
|
|
&format!("{}/{}", "microsoft", Self::ADAPTER_NAME),
|
|
true,
|
|
false,
|
|
delegate.http_client(),
|
|
)
|
|
.await?;
|
|
|
|
let asset_name = format!("js-debug-dap-{}.tar.gz", release.tag_name);
|
|
|
|
Ok(AdapterVersion {
|
|
tag_name: release.tag_name,
|
|
url: release
|
|
.assets
|
|
.iter()
|
|
.find(|asset| asset.name == asset_name)
|
|
.ok_or_else(|| anyhow!("no asset found matching {:?}", asset_name))?
|
|
.browser_download_url
|
|
.clone(),
|
|
})
|
|
}
|
|
|
|
async fn get_installed_binary(
|
|
&self,
|
|
delegate: &dyn DapDelegate,
|
|
config: &DebugAdapterConfig,
|
|
user_installed_path: Option<PathBuf>,
|
|
_: &mut AsyncApp,
|
|
) -> Result<DebugAdapterBinary> {
|
|
let adapter_path = if let Some(user_installed_path) = user_installed_path {
|
|
user_installed_path
|
|
} else {
|
|
let adapter_path = paths::debug_adapters_dir().join(self.name());
|
|
|
|
let file_name_prefix = format!("{}_", self.name());
|
|
|
|
util::fs::find_file_name_in_dir(adapter_path.as_path(), |file_name| {
|
|
file_name.starts_with(&file_name_prefix)
|
|
})
|
|
.await
|
|
.ok_or_else(|| anyhow!("Couldn't find JavaScript dap directory"))?
|
|
};
|
|
|
|
Ok(DebugAdapterBinary {
|
|
command: delegate
|
|
.node_runtime()
|
|
.binary_path()
|
|
.await?
|
|
.to_string_lossy()
|
|
.into_owned(),
|
|
arguments: Some(vec![
|
|
adapter_path.join(Self::ADAPTER_PATH).into(),
|
|
self.port.to_string().into(),
|
|
self.host.to_string().into(),
|
|
]),
|
|
cwd: config.cwd.clone(),
|
|
envs: None,
|
|
connection: Some(adapters::TcpArguments {
|
|
host: self.host,
|
|
port: self.port,
|
|
timeout: self.timeout,
|
|
}),
|
|
})
|
|
}
|
|
|
|
async fn install_binary(
|
|
&self,
|
|
version: AdapterVersion,
|
|
delegate: &dyn DapDelegate,
|
|
) -> Result<()> {
|
|
adapters::download_adapter_from_github(
|
|
self.name(),
|
|
version,
|
|
adapters::DownloadedFileType::GzipTar,
|
|
delegate,
|
|
)
|
|
.await?;
|
|
|
|
return Ok(());
|
|
}
|
|
|
|
fn request_args(&self, config: &DebugAdapterConfig) -> Value {
|
|
let pid = if let DebugRequestType::Attach(attach_config) = &config.request {
|
|
attach_config.process_id
|
|
} else {
|
|
None
|
|
};
|
|
|
|
json!({
|
|
"program": config.program,
|
|
"type": "pwa-node",
|
|
"request": match config.request {
|
|
DebugRequestType::Launch => "launch",
|
|
DebugRequestType::Attach(_) => "attach",
|
|
},
|
|
"processId": pid,
|
|
"cwd": config.cwd,
|
|
})
|
|
}
|
|
}
|