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
//! `proc orphans` - Find orphaned processes
//!
//! Examples:
//! proc orphans # List orphaned processes
//! proc orphans --in . # Orphans in current directory
//! proc orphans --kill # Find and kill orphans
//! proc orphans --kill --yes # Kill orphans without confirmation
use crate::core::{apply_filters, Process};
use crate::error::Result;
use crate::ui::{plural, Printer};
use clap::Args;
use dialoguer::Confirm;
/// Find orphaned processes (parent has exited)
#[derive(Args, Debug)]
pub struct OrphansCommand {
/// Kill found orphaned processes
#[arg(long, short = 'k')]
pub kill: bool,
/// Show what would be killed without actually killing
#[arg(long)]
pub dry_run: bool,
/// Skip confirmation when killing
#[arg(long, short = 'y')]
pub yes: bool,
/// Output as JSON
#[arg(long, short = 'j')]
pub json: bool,
/// Show verbose output
#[arg(long, short = 'v')]
pub verbose: bool,
/// Filter by directory (defaults to current directory if no path given)
#[arg(long = "in", short = 'i', num_args = 0..=1, default_missing_value = ".")]
pub in_dir: Option<String>,
/// Filter by process name
#[arg(long = "by", short = 'b')]
pub by_name: Option<String>,
}
impl OrphansCommand {
/// Executes the orphans command, finding processes whose parent has exited.
pub fn execute(&self) -> Result<()> {
let printer = Printer::from_flags(self.json, self.verbose);
let mut processes = Process::find_orphans()?;
// Apply --in and --by filters
apply_filters(&mut processes, &self.in_dir, &self.by_name);
if processes.is_empty() {
printer.print_empty_result("orphans", "No orphaned processes found");
return Ok(());
}
printer.warning(&format!(
"Found {} orphaned process{}",
processes.len(),
plural(processes.len())
));
printer.print_processes_as("orphans", &processes, None);
// Dry run: show what would be killed
if self.kill && self.dry_run {
printer.warning(&format!(
"Dry run: would kill {} orphaned process{}",
processes.len(),
plural(processes.len())
));
return Ok(());
}
// Kill if requested
if self.kill {
if !self.yes && !self.json {
let confirmed = Confirm::new()
.with_prompt(format!(
"Kill {} orphaned process{}?",
processes.len(),
plural(processes.len())
))
.default(false)
.interact()?;
if !confirmed {
printer.warning("Cancelled");
return Ok(());
}
}
let mut killed = Vec::new();
let mut failed = Vec::new();
for proc in processes {
match proc.kill_and_wait() {
Ok(_) => killed.push(proc),
Err(e) => failed.push((proc, e.to_string())),
}
}
printer.print_kill_result(&killed, &failed);
}
Ok(())
}
}