-
Notifications
You must be signed in to change notification settings - Fork 18
/
Copy pathmain.rs
121 lines (102 loc) · 4.93 KB
/
main.rs
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
use anyhow::{Result, bail};
use log::trace;
use clap::Parser;
use emacs_lsp_booster::app;
use emacs_lsp_booster::bytecode;
#[derive(Parser)]
#[command(long_about = None, about = None,
arg_required_else_help = true, after_help = "For backward compatibility, `emacs-lsp-booster <SERVER_CMD>...` (without any options) is also supported" )]
struct Cli {
#[command(flatten)]
verbose: clap_verbosity_flag::Verbosity<clap_verbosity_flag::InfoLevel>,
#[arg(last = true)]
server_cmd: Vec<String>,
#[arg(long,
help = "[experimental] Use tcp mode instead of stdio mode. \
In this case, the server_cmd should contain exactly two arguments that are interpreted as server address and listening address respestively. \
E.g. `emacs_lsp_booster --tcp 127.0.0.1:1234 127.0.0.1:2345` would connect to server at port 1234 and listen at port 2345.")]
tcp: bool,
#[arg(short = 'n', long,
help = "Disable bytecode generation. Simply forward server json as-is. Useful for debugging or benchmarking.")]
disable_bytecode: bool,
#[arg(long, default_value = "plist",
help = "Lisp type used to represent a JSON object. Plist is the most performant one.\nMust match what lsp client expects.\n")]
json_object_type: bytecode::ObjectType,
#[arg(long, default_value = "nil",
help = "Which lisp value is used to represent a JSON null value. Support :keyword or nil.\nMust match what lsp client expects.\n")]
json_null_value: bytecode::LispObject,
#[arg(long, default_value = "nil",
help = "Which lisp value is used to represent a JSON false value. Support :keyword or nil.\nMust match what lsp client expects.\n")]
json_false_value: bytecode::LispObject,
}
fn parse_args<T, S>(args: T) -> Cli
where T: IntoIterator<Item=S>,
S: Into<String> {
let args = args.into_iter().map(|x| x.into()).collect::<Vec<String>>();
// backward compatible. support `emacs-lsp-booster server_cmd args...` directly
if args.len() > 1 && !args[1].starts_with('-') && !args.contains(&"--".into()) {
let mut fake_args = vec![args[0].clone(), "--".into()];
fake_args.extend_from_slice(&args[1..]);
Cli::parse_from(fake_args)
} else {
Cli::parse_from(args)
}
}
fn main() -> Result<()> {
let cli = parse_args(std::env::args());
env_logger::Builder::new().filter_level(cli.verbose.log_level_filter()).init();
if cli.server_cmd.is_empty() {
bail!("Please specify the server command");
}
// exit the process if any thread panic
let original_panic_hook = std::panic::take_hook();
std::panic::set_hook(Box::new(move |info| {
original_panic_hook(info);
std::process::exit(1);
}));
let app_options = app::AppOptions {
bytecode_options: if !cli.disable_bytecode {
Some(bytecode::BytecodeOptions {
object_type: cli.json_object_type,
null_value: cli.json_null_value,
false_value: cli.json_false_value,
}) } else { None },
};
if cli.tcp {
if cli.server_cmd.len() != 2 {
bail!("Need exactly two arguments as address for tcp mode");
}
app::run_app_tcp(&cli.server_cmd[0], &cli.server_cmd[1], app_options)
} else {
// In windows, Command::new cannot find .cmd files, so use `which` to do that
// https://github.com/rust-lang/rust/issues/37519
let server_cmd_prog = if cfg!(windows) {
which::which(&cli.server_cmd[0])?
} else {
std::path::PathBuf::from(&cli.server_cmd[0])
};
trace!("Using server prog: {:?}", server_cmd_prog);
let mut cmd = std::process::Command::new(&server_cmd_prog);
cmd.args(&cli.server_cmd[1..]);
let exit_status = app::run_app_stdio(cmd, app_options)?;
std::process::exit(exit_status.code().unwrap_or(1))
}
}
#[test]
fn test_parse_args() {
let cli = parse_args(vec!["emacs-lsp-booster", "server_cmd", "arg1"]);
assert_eq!(cli.server_cmd, vec!["server_cmd", "arg1"]);
assert_eq!(cli.verbose.log_level_filter(), log::LevelFilter::Info);
let cli = parse_args(vec!["emacs-lsp-booster", "--", "server_cmd", "arg1"]);
assert_eq!(cli.server_cmd, vec!["server_cmd", "arg1"]);
let cli = parse_args(vec!["emacs-lsp-booster", "-v",
"--json-object-type", "hashtable",
"--json-null-value", ":null",
"--json-false-value", ":json-false",
"--", "server_cmd", "arg1"]);
assert_eq!(cli.verbose.log_level_filter(), log::LevelFilter::Debug);
assert_eq!(cli.server_cmd, vec!["server_cmd", "arg1"]);
assert_eq!(cli.json_object_type, bytecode::ObjectType::Hashtable);
assert_eq!(cli.json_null_value, bytecode::LispObject::Keyword("null".into()));
assert_eq!(cli.json_false_value, bytecode::LispObject::Keyword("json-false".into()));
}