1use std::collections::HashSet;
2use std::path::{Path, PathBuf};
3use std::process::{Command, ExitStatus, Stdio};
4
5use crate::ssh_context::{OwnedSshContext, SshContext};
6
7use ratatui::widgets::ListState;
8
9#[derive(Debug, Clone, Copy, PartialEq, Eq)]
11pub enum BrowserSort {
12 Name,
13 Date,
14 DateAsc,
15}
16
17#[derive(Debug, Clone, PartialEq)]
19pub struct FileEntry {
20 pub name: String,
21 pub is_dir: bool,
22 pub size: Option<u64>,
23 pub modified: Option<i64>,
25}
26
27#[derive(Debug, Clone, Copy, PartialEq, Eq)]
29pub enum BrowserPane {
30 Local,
31 Remote,
32}
33
34pub struct CopyRequest {
36 pub sources: Vec<String>,
37 pub source_pane: BrowserPane,
38 pub has_dirs: bool,
39}
40
41pub struct FileBrowserState {
43 pub alias: String,
44 pub askpass: Option<String>,
45 pub active_pane: BrowserPane,
46 pub local_path: PathBuf,
48 pub local_entries: Vec<FileEntry>,
49 pub local_list_state: ListState,
50 pub local_selected: HashSet<String>,
51 pub local_error: Option<String>,
52 pub remote_path: String,
54 pub remote_entries: Vec<FileEntry>,
55 pub remote_list_state: ListState,
56 pub remote_selected: HashSet<String>,
57 pub remote_error: Option<String>,
58 pub remote_loading: bool,
59 pub show_hidden: bool,
61 pub sort: BrowserSort,
62 pub confirm_copy: Option<CopyRequest>,
64 pub transferring: Option<String>,
66 pub transfer_error: Option<String>,
68 pub connection_recorded: bool,
70}
71
72pub fn list_local(
75 path: &Path,
76 show_hidden: bool,
77 sort: BrowserSort,
78) -> anyhow::Result<Vec<FileEntry>> {
79 let mut entries = Vec::new();
80 for entry in std::fs::read_dir(path)? {
81 let entry = entry?;
82 let name = entry.file_name().to_string_lossy().to_string();
83 if !show_hidden && name.starts_with('.') {
84 continue;
85 }
86 let metadata = entry.metadata()?;
87 let is_dir = metadata.is_dir();
88 let size = if is_dir { None } else { Some(metadata.len()) };
89 let modified = metadata.modified().ok().and_then(|t| {
90 t.duration_since(std::time::UNIX_EPOCH)
91 .ok()
92 .map(|d| d.as_secs() as i64)
93 });
94 entries.push(FileEntry {
95 name,
96 is_dir,
97 size,
98 modified,
99 });
100 }
101 sort_entries(&mut entries, sort);
102 Ok(entries)
103}
104
105pub fn sort_entries(entries: &mut [FileEntry], sort: BrowserSort) {
107 match sort {
108 BrowserSort::Name => {
109 entries.sort_by(|a, b| {
110 b.is_dir.cmp(&a.is_dir).then_with(|| {
111 a.name
112 .to_ascii_lowercase()
113 .cmp(&b.name.to_ascii_lowercase())
114 })
115 });
116 }
117 BrowserSort::Date => {
118 entries.sort_by(|a, b| {
119 b.is_dir.cmp(&a.is_dir).then_with(|| {
120 b.modified.unwrap_or(0).cmp(&a.modified.unwrap_or(0))
122 })
123 });
124 }
125 BrowserSort::DateAsc => {
126 entries.sort_by(|a, b| {
127 b.is_dir.cmp(&a.is_dir).then_with(|| {
128 a.modified
130 .unwrap_or(i64::MAX)
131 .cmp(&b.modified.unwrap_or(i64::MAX))
132 })
133 });
134 }
135 }
136}
137
138pub fn parse_ls_output(output: &str, show_hidden: bool, sort: BrowserSort) -> Vec<FileEntry> {
143 let mut entries = Vec::new();
144 for line in output.lines() {
145 let line = line.trim();
146 if line.is_empty() || line.starts_with("total ") {
147 continue;
148 }
149 let mut parts: Vec<&str> = Vec::with_capacity(9);
152 let mut rest = line;
153 for _ in 0..8 {
154 rest = rest.trim_start();
155 if rest.is_empty() {
156 break;
157 }
158 let end = rest.find(char::is_whitespace).unwrap_or(rest.len());
159 parts.push(&rest[..end]);
160 rest = &rest[end..];
161 }
162 rest = rest.trim_start();
163 if !rest.is_empty() {
164 parts.push(rest);
165 }
166 if parts.len() < 9 {
167 continue;
168 }
169 let permissions = parts[0];
170 let is_dir = permissions.starts_with('d');
171 let name = parts[8];
172 if name.is_empty() {
174 continue;
175 }
176 if !show_hidden && name.starts_with('.') {
177 continue;
178 }
179 let size = if is_dir {
181 None
182 } else {
183 Some(parse_human_size(parts[4]))
184 };
185 let modified = parse_ls_date(parts[5], parts[6], parts[7]);
187 entries.push(FileEntry {
188 name: name.to_string(),
189 is_dir,
190 size,
191 modified,
192 });
193 }
194 sort_entries(&mut entries, sort);
195 entries
196}
197
198fn parse_human_size(s: &str) -> u64 {
200 let s = s.trim();
201 if s.is_empty() {
202 return 0;
203 }
204 let last = s.as_bytes()[s.len() - 1];
205 let multiplier = match last {
206 b'K' => 1024,
207 b'M' => 1024 * 1024,
208 b'G' => 1024 * 1024 * 1024,
209 b'T' => 1024u64 * 1024 * 1024 * 1024,
210 _ => 1,
211 };
212 let num_str = if multiplier > 1 { &s[..s.len() - 1] } else { s };
213 let num: f64 = num_str.parse().unwrap_or(0.0);
214 (num * multiplier as f64) as u64
215}
216
217fn parse_ls_date(month_str: &str, day_str: &str, time_or_year: &str) -> Option<i64> {
222 let month = match month_str {
223 "Jan" => 0,
224 "Feb" => 1,
225 "Mar" => 2,
226 "Apr" => 3,
227 "May" => 4,
228 "Jun" => 5,
229 "Jul" => 6,
230 "Aug" => 7,
231 "Sep" => 8,
232 "Oct" => 9,
233 "Nov" => 10,
234 "Dec" => 11,
235 _ => return None,
236 };
237 let day: i64 = day_str.parse().ok()?;
238 if !(1..=31).contains(&day) {
239 return None;
240 }
241
242 let now = std::time::SystemTime::now()
243 .duration_since(std::time::UNIX_EPOCH)
244 .unwrap_or_default()
245 .as_secs() as i64;
246 let now_year = epoch_to_year(now);
247
248 if time_or_year.contains(':') {
249 let mut parts = time_or_year.splitn(2, ':');
251 let hour: i64 = parts.next()?.parse().ok()?;
252 let min: i64 = parts.next()?.parse().ok()?;
253 let mut year = now_year;
255 let approx = approximate_epoch(year, month, day, hour, min);
256 if approx > now + 86400 {
257 year -= 1;
258 }
259 Some(approximate_epoch(year, month, day, hour, min))
260 } else {
261 let year: i64 = time_or_year.parse().ok()?;
263 if !(1970..=2100).contains(&year) {
264 return None;
265 }
266 Some(approximate_epoch(year, month, day, 0, 0))
267 }
268}
269
270fn approximate_epoch(year: i64, month: i64, day: i64, hour: i64, min: i64) -> i64 {
272 let y = year - 1970;
274 let mut days = y * 365 + (y + 1) / 4; let month_days = [0, 31, 59, 90, 120, 151, 181, 212, 243, 273, 304, 334];
277 days += month_days[month as usize];
278 if month > 1 && year % 4 == 0 && (year % 100 != 0 || year % 400 == 0) {
280 days += 1;
281 }
282 days += day - 1;
283 days * 86400 + hour * 3600 + min * 60
284}
285
286fn epoch_to_year(ts: i64) -> i64 {
288 let mut y = 1970 + ts / 31_557_600;
289 if approximate_epoch(y, 0, 1, 0, 0) > ts {
290 y -= 1;
291 } else if approximate_epoch(y + 1, 0, 1, 0, 0) <= ts {
292 y += 1;
293 }
294 y
295}
296
297fn is_leap_year(year: i64) -> bool {
298 year % 4 == 0 && (year % 100 != 0 || year % 400 == 0)
299}
300
301pub fn format_relative_time(ts: i64) -> String {
304 let now = std::time::SystemTime::now()
305 .duration_since(std::time::UNIX_EPOCH)
306 .unwrap_or_default()
307 .as_secs() as i64;
308 let diff = now - ts;
309 if diff < 0 {
310 return format_short_date(ts);
312 }
313 if diff < 60 {
314 return "just now".to_string();
315 }
316 if diff < 3600 {
317 return format!("{}m ago", diff / 60);
318 }
319 if diff < 86400 {
320 return format!("{}h ago", diff / 3600);
321 }
322 if diff < 86400 * 30 {
323 return format!("{}d ago", diff / 86400);
324 }
325 format_short_date(ts)
326}
327
328fn format_short_date(ts: i64) -> String {
330 let now = std::time::SystemTime::now()
331 .duration_since(std::time::UNIX_EPOCH)
332 .unwrap_or_default()
333 .as_secs() as i64;
334 let now_year = epoch_to_year(now);
335 let ts_year = epoch_to_year(ts);
336
337 let months = [
338 "Jan", "Feb", "Mar", "Apr", "May", "Jun", "Jul", "Aug", "Sep", "Oct", "Nov", "Dec",
339 ];
340
341 let year_start = approximate_epoch(ts_year, 0, 1, 0, 0);
343 let day_of_year = ((ts - year_start) / 86400).max(0) as usize;
344 let feb = if is_leap_year(ts_year) { 29 } else { 28 };
345 let month_lengths = [31, feb, 31, 30, 31, 30, 31, 31, 30, 31, 30, 31];
346 let mut m = 0;
347 let mut remaining = day_of_year;
348 for (i, &len) in month_lengths.iter().enumerate() {
349 if remaining < len {
350 m = i;
351 break;
352 }
353 remaining -= len;
354 m = i + 1;
355 }
356 let m = m.min(11);
357 let d = remaining + 1;
358
359 if ts_year == now_year {
360 format!("{} {:>2}", months[m], d)
361 } else {
362 format!("{} {}", months[m], ts_year)
363 }
364}
365
366fn shell_escape(path: &str) -> String {
368 crate::snippet::shell_escape(path)
369}
370
371pub fn get_remote_home(
373 alias: &str,
374 config_path: &Path,
375 askpass: Option<&str>,
376 bw_session: Option<&str>,
377 has_active_tunnel: bool,
378) -> anyhow::Result<String> {
379 let result = crate::snippet::run_snippet(
380 alias,
381 config_path,
382 "pwd",
383 askpass,
384 bw_session,
385 true,
386 has_active_tunnel,
387 )?;
388 if result.status.success() {
389 Ok(result.stdout.trim().to_string())
390 } else {
391 let msg = filter_ssh_warnings(result.stderr.trim());
392 if msg.is_empty() {
393 anyhow::bail!("Failed to connect.")
394 } else {
395 anyhow::bail!("{}", msg)
396 }
397 }
398}
399
400pub fn fetch_remote_listing(
402 ctx: &SshContext<'_>,
403 remote_path: &str,
404 show_hidden: bool,
405 sort: BrowserSort,
406) -> Result<Vec<FileEntry>, String> {
407 let command = format!("LC_ALL=C ls -lhAL {}", shell_escape(remote_path));
408 let result = crate::snippet::run_snippet(
409 ctx.alias,
410 ctx.config_path,
411 &command,
412 ctx.askpass,
413 ctx.bw_session,
414 true,
415 ctx.has_tunnel,
416 );
417 match result {
418 Ok(r) if r.status.success() => Ok(parse_ls_output(&r.stdout, show_hidden, sort)),
419 Ok(r) => {
420 let msg = filter_ssh_warnings(r.stderr.trim());
421 if msg.is_empty() {
422 Err(format!(
423 "ls exited with code {}.",
424 r.status.code().unwrap_or(1)
425 ))
426 } else {
427 Err(msg)
428 }
429 }
430 Err(e) => Err(e.to_string()),
431 }
432}
433
434pub fn spawn_remote_listing<F>(
437 ctx: OwnedSshContext,
438 remote_path: String,
439 show_hidden: bool,
440 sort: BrowserSort,
441 send: F,
442) where
443 F: FnOnce(String, String, Result<Vec<FileEntry>, String>) + Send + 'static,
444{
445 std::thread::spawn(move || {
446 let borrowed = SshContext {
447 alias: &ctx.alias,
448 config_path: &ctx.config_path,
449 askpass: ctx.askpass.as_deref(),
450 bw_session: ctx.bw_session.as_deref(),
451 has_tunnel: ctx.has_tunnel,
452 };
453 let listing = fetch_remote_listing(&borrowed, &remote_path, show_hidden, sort);
454 send(ctx.alias, remote_path, listing);
455 });
456}
457
458pub struct ScpResult {
460 pub status: ExitStatus,
461 pub stderr_output: String,
462}
463
464pub fn run_scp(
470 alias: &str,
471 config_path: &Path,
472 askpass: Option<&str>,
473 bw_session: Option<&str>,
474 has_active_tunnel: bool,
475 scp_args: &[String],
476) -> anyhow::Result<ScpResult> {
477 let mut cmd = Command::new("scp");
478 cmd.arg("-F").arg(config_path);
479
480 if has_active_tunnel {
481 cmd.arg("-o").arg("ClearAllForwardings=yes");
482 }
483
484 for arg in scp_args {
485 cmd.arg(arg);
486 }
487
488 cmd.stdin(Stdio::null())
489 .stdout(Stdio::null())
490 .stderr(Stdio::piped());
491
492 if askpass.is_some() {
493 crate::askpass_env::configure_ssh_command(&mut cmd, alias, config_path);
494 }
495
496 if let Some(token) = bw_session {
497 cmd.env("BW_SESSION", token);
498 }
499
500 let output = cmd
501 .output()
502 .map_err(|e| anyhow::anyhow!("Failed to run scp: {}", e))?;
503
504 let stderr_output = String::from_utf8_lossy(&output.stderr).to_string();
505
506 Ok(ScpResult {
507 status: output.status,
508 stderr_output,
509 })
510}
511
512pub fn filter_ssh_warnings(stderr: &str) -> String {
515 stderr
516 .lines()
517 .filter(|line| {
518 let trimmed = line.trim();
519 !trimmed.is_empty()
520 && !trimmed.starts_with("** ")
521 && !trimmed.starts_with("Warning:")
522 && !trimmed.contains("see https://")
523 && !trimmed.contains("See https://")
524 && !trimmed.starts_with("The server may need")
525 && !trimmed.starts_with("This session may be")
526 })
527 .collect::<Vec<_>>()
528 .join("\n")
529}
530
531pub fn build_scp_args(
539 alias: &str,
540 source_pane: BrowserPane,
541 local_path: &Path,
542 remote_path: &str,
543 filenames: &[String],
544 has_dirs: bool,
545) -> Vec<String> {
546 let mut args = Vec::new();
547 if has_dirs {
548 args.push("-r".to_string());
549 }
550 args.push("--".to_string());
551
552 match source_pane {
553 BrowserPane::Local => {
555 for name in filenames {
556 args.push(local_path.join(name).to_string_lossy().to_string());
557 }
558 let dest = format!("{}:{}", alias, remote_path);
559 args.push(dest);
560 }
561 BrowserPane::Remote => {
563 let base = remote_path.trim_end_matches('/');
564 for name in filenames {
565 let rpath = format!("{}/{}", base, name);
566 args.push(format!("{}:{}", alias, rpath));
567 }
568 args.push(local_path.to_string_lossy().to_string());
569 }
570 }
571 args
572}
573
574pub fn format_size(bytes: u64) -> String {
576 if bytes >= 1024 * 1024 * 1024 {
577 format!("{:.1} GB", bytes as f64 / (1024.0 * 1024.0 * 1024.0))
578 } else if bytes >= 1024 * 1024 {
579 format!("{:.1} MB", bytes as f64 / (1024.0 * 1024.0))
580 } else if bytes >= 1024 {
581 format!("{:.1} KB", bytes as f64 / 1024.0)
582 } else {
583 format!("{} B", bytes)
584 }
585}
586
587#[cfg(test)]
588#[path = "file_browser_tests.rs"]
589mod tests;