pay-respects/src/suggestions.rs

373 lines
9.8 KiB
Rust
Raw Normal View History

2023-08-12 22:39:00 +02:00
use std::io::stderr;
2023-08-11 00:41:16 +02:00
use std::process::{exit, Stdio};
use std::time::{Duration, Instant};
2023-08-08 20:33:49 +02:00
2024-09-25 17:55:55 +02:00
use colored::Colorize;
2024-12-06 23:37:28 +01:00
use inquire::*;
2023-08-01 20:29:02 +02:00
use regex_lite::Regex;
2023-08-07 17:12:38 +02:00
use crate::files::{get_best_match_file, get_path_files};
use crate::rules::match_pattern;
2024-12-06 19:12:40 +01:00
use crate::shell::{shell_evaluated_commands, Data};
2024-12-06 23:37:28 +01:00
use crate::style::highlight_difference;
2024-12-06 17:35:48 +01:00
2024-12-06 23:37:28 +01:00
pub fn suggest_candidates(data: &mut Data) {
let executable = &data.split[0].to_string();
let privilege = &data.privilege.clone();
2024-12-06 17:35:48 +01:00
if privilege.is_none() {
2024-12-06 23:37:28 +01:00
match_pattern("_PR_privilege", data);
2023-08-01 20:29:02 +02:00
}
2024-12-06 23:37:28 +01:00
match_pattern(executable, data);
match_pattern("_PR_general", data);
2024-11-15 15:43:04 +01:00
#[cfg(feature = "runtime-rules")]
{
use crate::runtime_rules::runtime_match;
2024-12-06 23:37:28 +01:00
runtime_match(executable, data);
2024-11-15 15:43:04 +01:00
}
2024-11-19 16:19:22 +01:00
#[cfg(feature = "request-ai")]
{
2024-12-06 23:37:28 +01:00
if !data.candidates.is_empty() {
return;
}
2024-11-19 14:59:15 +01:00
use crate::requests::ai_suggestion;
2024-11-19 21:16:34 +01:00
use textwrap::{fill, termwidth};
2024-12-06 23:37:28 +01:00
let command = &data.command;
let split_command = &data.split;
let error = &data.error.clone();
2024-11-27 19:55:39 +01:00
// skip for commands with no arguments,
// very likely to be an error showing the usage
2024-12-06 19:12:40 +01:00
if privilege.is_some() && split_command.len() > 2
|| privilege.is_none() && split_command.len() > 1
{
2024-12-06 17:35:48 +01:00
let suggest = ai_suggestion(command, error);
2024-11-27 19:55:39 +01:00
if let Some(suggest) = suggest {
let warn = format!("{}:", t!("ai-suggestion")).bold().blue();
let note = fill(&suggest.note, termwidth());
eprintln!("{}\n{}\n", warn, note);
let command = suggest.command;
2024-12-06 23:37:28 +01:00
data.add_candidate(&command);
2024-11-19 14:59:15 +01:00
}
}
}
2024-12-06 23:37:28 +01:00
}
2024-11-19 14:59:15 +01:00
2024-12-06 23:37:28 +01:00
pub fn select_candidate(data: &mut Data) {
let candidates = &data.candidates;
if candidates.len() == 1 {
let suggestion = candidates[0].to_string();
2024-12-07 00:14:30 +01:00
let highlighted = highlight_difference(&data.shell, &suggestion, &data.command).unwrap();
2024-12-06 23:37:28 +01:00
eprintln!("{}\n", highlighted);
let confirm = format!("[{}]", t!("confirm-yes")).green();
eprintln!("{}: {} {}", t!("confirm"), confirm, "[Ctrl+C]".red());
std::io::stdin().read_line(&mut String::new()).unwrap();
data.update_suggest(&suggestion);
data.expand_suggest();
} else {
let mut highlight_candidates = candidates
.iter()
2024-12-07 00:14:30 +01:00
.map(|candidate| highlight_difference(&data.shell, candidate, &data.command).unwrap())
2024-12-06 23:37:28 +01:00
.collect::<Vec<String>>();
for candidate in highlight_candidates.iter_mut() {
let lines = candidate.lines().collect::<Vec<&str>>();
let mut formated = String::new();
for (j, line) in lines.iter().enumerate() {
if j == 0 {
formated = line.to_string();
} else {
2024-12-07 00:14:30 +01:00
formated = format!("{}\n {}", formated, line);
2024-12-06 23:37:28 +01:00
}
}
*candidate = formated;
}
2024-12-07 00:14:30 +01:00
let style = ui::Styled::default();
let render_config = ui::RenderConfig::default()
.with_prompt_prefix(style)
.with_answered_prompt_prefix(style)
.with_highlighted_option_prefix(style);
2024-12-07 01:01:04 +01:00
let msg = format!("{}", t!("multi-suggest", num = candidates.len()))
2024-12-07 00:20:00 +01:00
.bold()
.blue();
2024-12-07 01:01:04 +01:00
let confirm = format!("[{}]", t!("confirm-yes")).green();
2024-12-07 00:20:00 +01:00
let hint = format!(
"{} {} {}",
2024-12-07 00:14:30 +01:00
"[↑/↓]".blue(),
2024-12-07 01:01:04 +01:00
confirm,
2024-12-07 00:20:00 +01:00
"[Ctrl+C]".red()
);
2024-12-07 00:14:30 +01:00
eprintln!("{}", msg);
eprintln!("{}", hint);
let ans = Select::new("\n", highlight_candidates.clone())
.with_page_size(1)
.without_filtering()
.without_help_message()
.with_render_config(render_config)
2024-12-06 23:37:28 +01:00
.prompt()
.unwrap();
let pos = highlight_candidates.iter().position(|x| x == &ans).unwrap();
let suggestion = candidates[pos].to_string();
data.update_suggest(&suggestion);
data.expand_suggest();
}
data.candidates.clear();
2023-08-01 20:29:02 +02:00
}
pub fn check_executable(shell: &str, executable: &str) -> bool {
2023-08-08 16:57:14 +02:00
match shell {
2023-08-08 20:33:49 +02:00
"nu" => std::process::Command::new(shell)
.arg("-c")
.arg(format!("if (which {} | is-empty) {{ exit 1 }}", executable))
.output()
.expect("failed to execute process")
.status
.success(),
_ => std::process::Command::new(shell)
.arg("-c")
.arg(format!("command -v {}", executable))
.output()
.expect("failed to execute process")
.status
.success(),
2023-08-08 16:57:14 +02:00
}
}
pub fn opt_regex(regex: &str, command: &mut String) -> String {
2023-08-03 21:26:41 +02:00
let regex = Regex::new(regex).unwrap();
2024-11-19 03:54:41 +01:00
let mut opts = Vec::new();
2024-11-19 03:18:54 +01:00
for captures in regex.captures_iter(command) {
for cap in captures.iter().skip(1).flatten() {
2024-11-19 03:54:41 +01:00
opts.push(cap.as_str().to_owned());
2024-11-19 03:18:54 +01:00
}
}
2024-11-19 03:54:41 +01:00
for opt in opts.clone() {
*command = command.replace(&opt, "");
}
opts.join(" ")
2023-08-01 20:29:02 +02:00
}
pub fn err_regex(regex: &str, error_msg: &str) -> String {
2023-08-04 00:18:31 +02:00
let regex = Regex::new(regex).unwrap();
2024-11-19 03:18:54 +01:00
let mut err = Vec::new();
for captures in regex.captures_iter(error_msg) {
for cap in captures.iter().skip(1).flatten() {
err.push(cap.as_str().to_owned());
}
}
2023-08-04 00:18:31 +02:00
err.join(" ")
}
pub fn cmd_regex(regex: &str, command: &str) -> String {
2023-08-07 18:34:52 +02:00
let regex = Regex::new(regex).unwrap();
2024-11-19 03:18:54 +01:00
let mut cmd = Vec::new();
for captures in regex.captures_iter(command) {
for cap in captures.iter().skip(1).flatten() {
cmd.push(cap.as_str().to_owned());
}
}
cmd.join(" ")
2023-08-07 18:34:52 +02:00
}
pub fn eval_shell_command(shell: &str, command: &str) -> Vec<String> {
2023-08-04 00:18:31 +02:00
let output = std::process::Command::new(shell)
.arg("-c")
.arg(command)
.output()
.expect("failed to execute process");
let output = String::from_utf8_lossy(&output.stdout);
let split_output = output.split('\n').collect::<Vec<&str>>();
split_output
.iter()
.map(|s| s.trim().to_string())
.collect::<Vec<String>>()
}
2023-08-01 20:29:02 +02:00
pub fn split_command(command: &str) -> Vec<String> {
2024-11-24 20:00:31 +08:00
if cfg!(debug_assertions) {
eprintln!("command: {command}")
}
// this regex splits the command separated by spaces, except when the space
// is escaped by a backslash or surrounded by quotes
let regex = r#"([^\s"'\\]+|"(?:\\.|[^"\\])*"|'(?:\\.|[^'\\])*'|\\ )+|\\|\n"#;
2023-08-01 20:29:02 +02:00
let regex = Regex::new(regex).unwrap();
let split_command = regex
.find_iter(command)
.map(|cap| cap.as_str().to_owned())
.collect::<Vec<String>>();
split_command
}
2024-11-15 15:43:04 +01:00
pub fn suggest_typo(typos: &[String], candidates: Vec<String>) -> String {
2023-08-11 00:41:16 +02:00
let mut path_files = Vec::new();
let mut suggestions = Vec::new();
for typo in typos {
let typo = typo.as_str();
if candidates.len() == 1 {
match candidates[0].as_str() {
"path" => {
if path_files.is_empty() {
path_files = get_path_files();
};
if let Some(suggest) = find_similar(typo, &path_files, Some(2)) {
2023-08-11 00:41:16 +02:00
suggestions.push(suggest);
2024-11-23 21:18:10 +01:00
} else {
suggestions.push(typo.to_string());
}
2023-08-01 20:29:02 +02:00
}
2023-08-11 00:41:16 +02:00
"file" => {
if let Some(suggest) = get_best_match_file(typo) {
suggestions.push(suggest);
2024-11-23 21:18:10 +01:00
} else {
suggestions.push(typo.to_string());
2023-08-11 00:41:16 +02:00
}
2023-08-01 20:29:02 +02:00
}
2023-08-11 00:41:16 +02:00
_ => {}
2023-08-01 20:29:02 +02:00
}
} else if let Some(suggest) = find_similar(typo, &candidates, Some(2)) {
2023-08-11 00:41:16 +02:00
suggestions.push(suggest);
2024-11-23 21:18:10 +01:00
} else {
suggestions.push(typo.to_string());
2023-08-01 20:29:02 +02:00
}
}
2023-08-11 00:41:16 +02:00
suggestions.join(" ")
2023-08-01 20:29:02 +02:00
}
pub fn best_match_path(typo: &str) -> Option<String> {
let path_files = get_path_files();
find_similar(typo, &path_files, Some(3))
}
// higher the threshold, the stricter the comparison
// 1: anything
2024-12-06 19:57:59 +01:00
// 2: 50%
// 3: 33%
// ... etc
pub fn find_similar(typo: &str, candidates: &[String], threshold: Option<usize>) -> Option<String> {
let threshold = threshold.unwrap_or(2);
let mut min_distance = typo.chars().count() / threshold + 1;
2023-08-01 20:29:02 +02:00
let mut min_distance_index = None;
for (i, candidate) in candidates.iter().enumerate() {
2024-11-16 16:55:29 +01:00
if candidate.is_empty() {
continue;
}
2023-08-01 20:29:02 +02:00
let distance = compare_string(typo, candidate);
if distance < min_distance {
min_distance = distance;
min_distance_index = Some(i);
}
}
if let Some(min_distance_index) = min_distance_index {
return Some(candidates[min_distance_index].to_string());
}
None
}
#[allow(clippy::needless_range_loop)]
pub fn compare_string(a: &str, b: &str) -> usize {
2023-08-01 20:29:02 +02:00
let mut matrix = vec![vec![0; b.chars().count() + 1]; a.chars().count() + 1];
for i in 0..a.chars().count() + 1 {
matrix[i][0] = i;
}
for j in 0..b.chars().count() + 1 {
matrix[0][j] = j;
}
for (i, ca) in a.chars().enumerate() {
for (j, cb) in b.chars().enumerate() {
let cost = if ca == cb { 0 } else { 1 };
matrix[i + 1][j + 1] = std::cmp::min(
std::cmp::min(matrix[i][j + 1] + 1, matrix[i + 1][j] + 1),
matrix[i][j] + cost,
);
}
}
matrix[a.chars().count()][b.chars().count()]
}
2024-12-06 23:37:28 +01:00
pub fn confirm_suggestion(data: &Data) -> Result<(), String> {
2024-12-06 17:35:48 +01:00
let shell = &data.shell;
let command = &data.suggest.clone().unwrap();
2024-12-06 21:36:08 +01:00
#[cfg(debug_assertions)]
eprintln!("running command: {command}");
2024-09-25 18:30:03 +02:00
let now = Instant::now();
2024-12-06 19:12:40 +01:00
let process = run_suggestion(data, command);
2023-08-07 19:58:19 +02:00
2023-08-09 20:47:28 +02:00
if process.success() {
2024-12-06 19:12:40 +01:00
let cd = shell_evaluated_commands(shell, command);
if let Some(cd) = cd {
println!("{}", cd);
}
2023-08-07 20:21:02 +02:00
Ok(())
2023-08-07 19:58:19 +02:00
} else {
if now.elapsed() > Duration::from_secs(3) {
exit(1);
}
2024-12-06 19:57:59 +01:00
suggestion_err(data, command)
2023-08-07 19:58:19 +02:00
}
2023-08-01 20:29:02 +02:00
}
2024-11-18 15:29:45 +01:00
2024-12-07 01:10:31 +01:00
pub fn run_suggestion(data: &Data, command: &str) -> std::process::ExitStatus {
2024-12-06 17:35:48 +01:00
let shell = &data.shell;
let privilege = &data.privilege;
match privilege {
2024-12-06 19:12:40 +01:00
Some(sudo) => std::process::Command::new(sudo)
.arg(shell)
.arg("-c")
.arg(command)
.stdout(stderr())
.stderr(Stdio::inherit())
.spawn()
.expect("failed to execute process")
.wait()
.unwrap(),
None => std::process::Command::new(shell)
.arg("-c")
.arg(command)
.stdout(stderr())
.stderr(Stdio::inherit())
.spawn()
.expect("failed to execute process")
.wait()
.unwrap(),
2024-12-06 17:35:48 +01:00
}
2024-11-18 15:29:45 +01:00
}
2024-12-06 19:57:59 +01:00
fn suggestion_err(data: &Data, command: &str) -> Result<(), String> {
let shell = &data.shell;
let privilege = &data.privilege;
let process = match privilege {
Some(sudo) => std::process::Command::new(sudo)
.arg(shell)
.arg("-c")
.arg(command)
.env("LC_ALL", "C")
.output()
.expect("failed to execute process"),
None => std::process::Command::new(shell)
.arg("-c")
.arg(command)
.env("LC_ALL", "C")
.output()
.expect("failed to execute process"),
};
let error_msg = match process.stderr.is_empty() {
true => String::from_utf8_lossy(&process.stdout).to_lowercase(),
false => String::from_utf8_lossy(&process.stderr).to_lowercase(),
};
Err(error_msg.to_string())
}