2021-08-12 16:35:15 +03:00
|
|
|
use crate::{
|
|
|
|
transport::{Event, Payload, Request, Response, Transport},
|
2021-08-16 13:22:54 +09:00
|
|
|
types::*,
|
2021-08-12 16:35:15 +03:00
|
|
|
Result,
|
|
|
|
};
|
2021-08-14 08:42:06 +03:00
|
|
|
use log::{error, info};
|
2021-08-12 16:35:15 +03:00
|
|
|
use serde::{Deserialize, Serialize};
|
|
|
|
use serde_json::{from_value, to_value, Value};
|
2021-08-15 12:46:16 +03:00
|
|
|
use std::{
|
|
|
|
collections::HashMap,
|
|
|
|
net::{IpAddr, Ipv4Addr},
|
|
|
|
process::Stdio,
|
|
|
|
};
|
|
|
|
use std::{
|
|
|
|
net::SocketAddr,
|
|
|
|
sync::{
|
|
|
|
atomic::{AtomicU64, Ordering},
|
|
|
|
Arc,
|
|
|
|
},
|
2021-08-14 08:42:06 +03:00
|
|
|
};
|
2021-08-12 16:35:15 +03:00
|
|
|
use tokio::{
|
2021-08-13 20:13:27 +03:00
|
|
|
io::{AsyncBufRead, AsyncWrite, BufReader, BufWriter},
|
2021-08-14 14:23:19 +03:00
|
|
|
join,
|
2021-08-13 20:13:27 +03:00
|
|
|
net::TcpStream,
|
2021-08-12 16:35:15 +03:00
|
|
|
process::{Child, Command},
|
2021-08-14 08:42:06 +03:00
|
|
|
sync::{
|
|
|
|
mpsc::{channel, Receiver, Sender, UnboundedReceiver, UnboundedSender},
|
|
|
|
Mutex,
|
|
|
|
},
|
2021-08-15 12:46:16 +03:00
|
|
|
time,
|
2021-08-12 16:35:15 +03:00
|
|
|
};
|
|
|
|
|
|
|
|
#[derive(Debug)]
|
|
|
|
pub struct Client {
|
|
|
|
id: usize,
|
2021-08-13 20:13:27 +03:00
|
|
|
_process: Option<Child>,
|
2021-08-12 16:35:15 +03:00
|
|
|
server_tx: UnboundedSender<Request>,
|
|
|
|
request_counter: AtomicU64,
|
|
|
|
capabilities: Option<DebuggerCapabilities>,
|
2021-08-14 08:42:06 +03:00
|
|
|
awaited_events: Arc<Mutex<HashMap<String, Sender<Event>>>>,
|
2021-08-12 16:35:15 +03:00
|
|
|
}
|
|
|
|
|
|
|
|
impl Client {
|
2021-08-13 20:13:27 +03:00
|
|
|
pub fn streams(
|
|
|
|
rx: Box<dyn AsyncBufRead + Unpin + Send>,
|
|
|
|
tx: Box<dyn AsyncWrite + Unpin + Send>,
|
|
|
|
id: usize,
|
|
|
|
process: Option<Child>,
|
|
|
|
) -> Result<Self> {
|
|
|
|
let (server_rx, server_tx) = Transport::start(rx, tx, id);
|
|
|
|
|
|
|
|
let client = Self {
|
|
|
|
id,
|
|
|
|
_process: process,
|
|
|
|
server_tx,
|
|
|
|
request_counter: AtomicU64::new(0),
|
|
|
|
capabilities: None,
|
2021-08-14 08:42:06 +03:00
|
|
|
awaited_events: Arc::new(Mutex::new(HashMap::default())),
|
2021-08-13 20:13:27 +03:00
|
|
|
};
|
|
|
|
|
2021-08-14 08:42:06 +03:00
|
|
|
tokio::spawn(Self::recv(Arc::clone(&client.awaited_events), server_rx));
|
|
|
|
|
2021-08-13 20:13:27 +03:00
|
|
|
Ok(client)
|
|
|
|
}
|
|
|
|
|
2021-08-15 12:46:16 +03:00
|
|
|
pub async fn tcp(addr: std::net::SocketAddr, id: usize) -> Result<Self> {
|
|
|
|
let stream = TcpStream::connect(addr).await?;
|
|
|
|
let (rx, tx) = stream.into_split();
|
|
|
|
Self::streams(Box::new(BufReader::new(rx)), Box::new(tx), id, None)
|
|
|
|
}
|
|
|
|
|
|
|
|
pub fn stdio(cmd: &str, args: Vec<&str>, id: usize) -> Result<Self> {
|
|
|
|
let process = Command::new(cmd)
|
|
|
|
.args(args)
|
|
|
|
.stdin(Stdio::piped())
|
|
|
|
.stdout(Stdio::piped())
|
|
|
|
// make sure the process is reaped on drop
|
|
|
|
.kill_on_drop(true)
|
|
|
|
.spawn();
|
|
|
|
|
|
|
|
let mut process = process?;
|
|
|
|
|
|
|
|
// TODO: do we need bufreader/writer here? or do we use async wrappers on unblock?
|
|
|
|
let writer = BufWriter::new(process.stdin.take().expect("Failed to open stdin"));
|
|
|
|
let reader = BufReader::new(process.stdout.take().expect("Failed to open stdout"));
|
|
|
|
|
|
|
|
Self::streams(
|
|
|
|
Box::new(BufReader::new(reader)),
|
|
|
|
Box::new(writer),
|
|
|
|
id,
|
|
|
|
Some(process),
|
|
|
|
)
|
|
|
|
}
|
|
|
|
|
|
|
|
async fn get_port() -> Option<u16> {
|
|
|
|
Some(
|
|
|
|
tokio::net::TcpListener::bind(SocketAddr::new(
|
|
|
|
IpAddr::V4(Ipv4Addr::new(127, 0, 0, 1)),
|
|
|
|
0,
|
|
|
|
))
|
|
|
|
.await
|
|
|
|
.ok()?
|
|
|
|
.local_addr()
|
|
|
|
.ok()?
|
|
|
|
.port(),
|
|
|
|
)
|
|
|
|
}
|
|
|
|
|
|
|
|
pub async fn tcp_process(
|
|
|
|
cmd: &str,
|
|
|
|
args: Vec<&str>,
|
|
|
|
port_format: &str,
|
|
|
|
id: usize,
|
|
|
|
) -> Result<Self> {
|
|
|
|
let port = Self::get_port().await.unwrap();
|
|
|
|
|
|
|
|
let process = Command::new(cmd)
|
|
|
|
.args(args)
|
|
|
|
.args(port_format.replace("{}", &port.to_string()).split(' '))
|
|
|
|
// make sure the process is reaped on drop
|
|
|
|
.kill_on_drop(true)
|
|
|
|
.spawn()?;
|
|
|
|
|
|
|
|
// Wait for adapter to become ready for connection
|
|
|
|
time::sleep(time::Duration::from_millis(500)).await;
|
|
|
|
|
|
|
|
let stream = TcpStream::connect(SocketAddr::new(
|
|
|
|
IpAddr::V4(Ipv4Addr::new(127, 0, 0, 1)),
|
|
|
|
port,
|
|
|
|
))
|
|
|
|
.await?;
|
|
|
|
|
|
|
|
let (rx, tx) = stream.into_split();
|
|
|
|
Self::streams(
|
|
|
|
Box::new(BufReader::new(rx)),
|
|
|
|
Box::new(tx),
|
|
|
|
id,
|
|
|
|
Some(process),
|
|
|
|
)
|
|
|
|
}
|
|
|
|
|
2021-08-14 08:42:06 +03:00
|
|
|
async fn recv(
|
|
|
|
awaited_events: Arc<Mutex<HashMap<String, Sender<Event>>>>,
|
|
|
|
mut server_rx: UnboundedReceiver<Payload>,
|
|
|
|
) {
|
|
|
|
while let Some(msg) = server_rx.recv().await {
|
|
|
|
match msg {
|
|
|
|
Payload::Event(ev) => {
|
|
|
|
let name = ev.event.clone();
|
2021-08-14 09:03:08 +03:00
|
|
|
let hashmap = awaited_events.lock().await;
|
|
|
|
let tx = hashmap.get(&name);
|
2021-08-14 08:42:06 +03:00
|
|
|
|
|
|
|
match tx {
|
|
|
|
Some(tx) => match tx.send(ev).await {
|
|
|
|
Ok(_) => (),
|
|
|
|
Err(_) => error!(
|
|
|
|
"Tried sending event into a closed channel (name={:?})",
|
|
|
|
name
|
|
|
|
),
|
|
|
|
},
|
|
|
|
None => {
|
|
|
|
info!("unhandled event");
|
|
|
|
// client_tx.send(Payload::Event(ev)).expect("Failed to send");
|
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
|
|
|
Payload::Response(_) => unreachable!(),
|
|
|
|
Payload::Request(_) => todo!(),
|
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
pub async fn listen_for_event(&self, name: String) -> Receiver<Event> {
|
|
|
|
let (rx, tx) = channel(1);
|
|
|
|
self.awaited_events.lock().await.insert(name.clone(), rx);
|
|
|
|
tx
|
|
|
|
}
|
|
|
|
|
2021-08-12 16:35:15 +03:00
|
|
|
pub fn id(&self) -> usize {
|
|
|
|
self.id
|
|
|
|
}
|
|
|
|
|
|
|
|
fn next_request_id(&self) -> u64 {
|
|
|
|
self.request_counter.fetch_add(1, Ordering::Relaxed)
|
|
|
|
}
|
|
|
|
|
2021-08-16 12:31:11 +09:00
|
|
|
async fn request(&self, command: String, arguments: Option<Value>) -> Result<Response> {
|
2021-08-12 16:35:15 +03:00
|
|
|
let (callback_rx, mut callback_tx) = channel(1);
|
|
|
|
|
|
|
|
let req = Request {
|
|
|
|
back_ch: Some(callback_rx),
|
|
|
|
seq: self.next_request_id(),
|
|
|
|
command,
|
|
|
|
arguments,
|
|
|
|
};
|
|
|
|
|
|
|
|
self.server_tx
|
|
|
|
.send(req)
|
|
|
|
.expect("Failed to send request to debugger");
|
|
|
|
|
2021-08-16 12:31:11 +09:00
|
|
|
Ok(callback_tx.recv().await.unwrap()?)
|
2021-08-12 16:35:15 +03:00
|
|
|
}
|
|
|
|
|
|
|
|
pub fn capabilities(&self) -> &DebuggerCapabilities {
|
|
|
|
self.capabilities
|
|
|
|
.as_ref()
|
|
|
|
.expect("language server not yet initialized!")
|
|
|
|
}
|
|
|
|
|
2021-08-13 20:18:15 +03:00
|
|
|
pub async fn initialize(&mut self, adapter_id: String) -> Result<()> {
|
2021-08-12 16:35:15 +03:00
|
|
|
let args = InitializeArguments {
|
2021-08-14 11:01:23 +03:00
|
|
|
client_id: Some("hx".to_owned()),
|
|
|
|
client_name: Some("helix".to_owned()),
|
2021-08-13 20:18:15 +03:00
|
|
|
adapter_id,
|
2021-08-14 11:01:23 +03:00
|
|
|
locale: Some("en-us".to_owned()),
|
|
|
|
lines_start_at_one: Some(true),
|
|
|
|
columns_start_at_one: Some(true),
|
|
|
|
path_format: Some("path".to_owned()),
|
|
|
|
supports_variable_type: Some(false),
|
|
|
|
supports_variable_paging: Some(false),
|
|
|
|
supports_run_in_terminal_request: Some(false),
|
|
|
|
supports_memory_references: Some(false),
|
2021-08-14 11:27:22 +03:00
|
|
|
supports_progress_reporting: Some(false),
|
|
|
|
supports_invalidated_event: Some(false),
|
2021-08-12 16:35:15 +03:00
|
|
|
};
|
|
|
|
|
|
|
|
let response = self
|
2021-08-16 12:31:11 +09:00
|
|
|
.request("initialize".to_owned(), to_value(args).ok())
|
|
|
|
.await?;
|
2021-08-12 16:35:15 +03:00
|
|
|
self.capabilities = from_value(response.body.unwrap()).ok();
|
|
|
|
|
|
|
|
Ok(())
|
|
|
|
}
|
|
|
|
|
|
|
|
pub async fn disconnect(&mut self) -> Result<()> {
|
2021-08-16 12:31:11 +09:00
|
|
|
self.request("disconnect".to_owned(), None).await?;
|
2021-08-12 16:35:15 +03:00
|
|
|
Ok(())
|
|
|
|
}
|
|
|
|
|
2021-08-13 20:33:07 +03:00
|
|
|
pub async fn launch(&mut self, args: impl Serialize) -> Result<()> {
|
2021-08-14 08:42:06 +03:00
|
|
|
let mut initialized = self.listen_for_event("initialized".to_owned()).await;
|
|
|
|
|
2021-08-16 12:31:11 +09:00
|
|
|
let res = self.request("launch".to_owned(), to_value(args).ok());
|
2021-08-14 14:23:19 +03:00
|
|
|
let ev = initialized.recv();
|
|
|
|
join!(res, ev).0?;
|
2021-08-14 08:42:06 +03:00
|
|
|
|
|
|
|
Ok(())
|
2021-08-12 16:35:15 +03:00
|
|
|
}
|
|
|
|
|
2021-08-13 20:40:28 +03:00
|
|
|
pub async fn attach(&mut self, args: impl Serialize) -> Result<()> {
|
2021-08-14 08:42:06 +03:00
|
|
|
let mut initialized = self.listen_for_event("initialized".to_owned()).await;
|
|
|
|
|
2021-08-16 12:31:11 +09:00
|
|
|
let res = self.request("attach".to_owned(), to_value(args).ok());
|
2021-08-14 14:23:19 +03:00
|
|
|
let ev = initialized.recv();
|
|
|
|
join!(res, ev).0?;
|
2021-08-14 08:42:06 +03:00
|
|
|
|
|
|
|
Ok(())
|
2021-08-13 20:40:28 +03:00
|
|
|
}
|
|
|
|
|
2021-08-12 16:35:15 +03:00
|
|
|
pub async fn set_breakpoints(
|
|
|
|
&mut self,
|
|
|
|
file: String,
|
|
|
|
breakpoints: Vec<SourceBreakpoint>,
|
|
|
|
) -> Result<Option<Vec<Breakpoint>>> {
|
|
|
|
let args = SetBreakpointsArguments {
|
2021-08-12 21:23:55 +03:00
|
|
|
source: Source {
|
|
|
|
path: Some(file),
|
|
|
|
name: None,
|
|
|
|
source_reference: None,
|
|
|
|
presentation_hint: None,
|
|
|
|
origin: None,
|
|
|
|
sources: None,
|
|
|
|
adapter_data: None,
|
|
|
|
checksums: None,
|
|
|
|
},
|
2021-08-12 16:35:15 +03:00
|
|
|
breakpoints: Some(breakpoints),
|
2021-08-12 21:23:55 +03:00
|
|
|
source_modified: Some(false),
|
2021-08-12 16:35:15 +03:00
|
|
|
};
|
|
|
|
|
|
|
|
let response = self
|
2021-08-16 12:31:11 +09:00
|
|
|
.request("setBreakpoints".to_owned(), to_value(args).ok())
|
|
|
|
.await?;
|
2021-08-12 16:35:15 +03:00
|
|
|
let body: Option<SetBreakpointsResponseBody> = from_value(response.body.unwrap()).ok();
|
|
|
|
|
|
|
|
Ok(body.map(|b| b.breakpoints).unwrap())
|
|
|
|
}
|
|
|
|
|
|
|
|
pub async fn configuration_done(&mut self) -> Result<()> {
|
2021-08-16 12:31:11 +09:00
|
|
|
self.request("configurationDone".to_owned(), None).await?;
|
2021-08-12 16:35:15 +03:00
|
|
|
Ok(())
|
|
|
|
}
|
|
|
|
|
|
|
|
pub async fn continue_thread(&mut self, thread_id: usize) -> Result<Option<bool>> {
|
|
|
|
let args = ContinueArguments { thread_id };
|
|
|
|
|
|
|
|
let response = self
|
2021-08-16 12:31:11 +09:00
|
|
|
.request("continue".to_owned(), to_value(args).ok())
|
|
|
|
.await?;
|
2021-08-12 16:35:15 +03:00
|
|
|
|
|
|
|
let body: Option<ContinueResponseBody> = from_value(response.body.unwrap()).ok();
|
|
|
|
|
|
|
|
Ok(body.map(|b| b.all_threads_continued).unwrap())
|
|
|
|
}
|
|
|
|
|
|
|
|
pub async fn stack_trace(
|
|
|
|
&mut self,
|
|
|
|
thread_id: usize,
|
|
|
|
) -> Result<(Vec<StackFrame>, Option<usize>)> {
|
|
|
|
let args = StackTraceArguments {
|
|
|
|
thread_id,
|
|
|
|
start_frame: None,
|
|
|
|
levels: None,
|
|
|
|
format: None,
|
|
|
|
};
|
|
|
|
|
|
|
|
let response = self
|
2021-08-16 12:31:11 +09:00
|
|
|
.request("stackTrace".to_owned(), to_value(args).ok())
|
|
|
|
.await?;
|
2021-08-12 16:35:15 +03:00
|
|
|
|
|
|
|
let body: StackTraceResponseBody = from_value(response.body.unwrap()).unwrap();
|
|
|
|
|
|
|
|
Ok((body.stack_frames, body.total_frames))
|
|
|
|
}
|
2021-08-12 19:35:55 +03:00
|
|
|
|
|
|
|
pub async fn threads(&mut self) -> Result<Vec<Thread>> {
|
2021-08-16 12:31:11 +09:00
|
|
|
let response = self.request("threads".to_owned(), None).await?;
|
2021-08-12 19:35:55 +03:00
|
|
|
|
|
|
|
let body: ThreadsResponseBody = from_value(response.body.unwrap()).unwrap();
|
|
|
|
|
|
|
|
Ok(body.threads)
|
|
|
|
}
|
2021-08-12 20:47:14 +03:00
|
|
|
|
|
|
|
pub async fn scopes(&mut self, frame_id: usize) -> Result<Vec<Scope>> {
|
|
|
|
let args = ScopesArguments { frame_id };
|
|
|
|
|
|
|
|
let response = self
|
2021-08-16 12:31:11 +09:00
|
|
|
.request("scopes".to_owned(), to_value(args).ok())
|
|
|
|
.await?;
|
2021-08-12 20:47:14 +03:00
|
|
|
|
|
|
|
let body: ScopesResponseBody = from_value(response.body.unwrap()).unwrap();
|
|
|
|
|
|
|
|
Ok(body.scopes)
|
|
|
|
}
|
|
|
|
|
|
|
|
pub async fn variables(&mut self, variables_reference: usize) -> Result<Vec<Variable>> {
|
|
|
|
let args = VariablesArguments {
|
|
|
|
variables_reference,
|
|
|
|
filter: None,
|
|
|
|
start: None,
|
|
|
|
count: None,
|
|
|
|
format: None,
|
|
|
|
};
|
|
|
|
|
|
|
|
let response = self
|
2021-08-16 12:31:11 +09:00
|
|
|
.request("variables".to_owned(), to_value(args).ok())
|
|
|
|
.await?;
|
2021-08-12 20:47:14 +03:00
|
|
|
|
|
|
|
let body: VariablesResponseBody = from_value(response.body.unwrap()).unwrap();
|
|
|
|
|
|
|
|
Ok(body.variables)
|
|
|
|
}
|
2021-08-12 16:35:15 +03:00
|
|
|
}
|