2023-09-24 05:38:22 +02:00
|
|
|
use std::{
|
|
|
|
fs::read_dir,
|
|
|
|
os::linux::fs::MetadataExt,
|
|
|
|
path::{Path, PathBuf},
|
|
|
|
};
|
|
|
|
|
|
|
|
use anyhow::{ensure, Context, Result};
|
|
|
|
use clap::Parser;
|
|
|
|
|
|
|
|
use crate::{id::Ids, name::Names, output::Output};
|
|
|
|
|
|
|
|
mod id;
|
|
|
|
mod name;
|
|
|
|
mod output;
|
|
|
|
|
|
|
|
fn main() -> Result<()> {
|
|
|
|
human_panic::setup_panic!();
|
|
|
|
let args = Args::parse();
|
|
|
|
|
|
|
|
let mut ids = Ids::default();
|
|
|
|
for root in args.roots {
|
|
|
|
fs_entry(&root, &mut ids)?;
|
|
|
|
}
|
|
|
|
|
|
|
|
let output: Box<dyn Output> = match args.raw {
|
|
|
|
false => Box::new(Names::try_from(ids).context("failed to get names")?),
|
|
|
|
true => Box::new(ids),
|
|
|
|
};
|
|
|
|
let output = match args.json {
|
|
|
|
false => output.human_readable(),
|
|
|
|
true => output.json().context("failed json serialization")?,
|
|
|
|
};
|
|
|
|
println!("{output}");
|
|
|
|
|
|
|
|
Ok(())
|
|
|
|
}
|
|
|
|
|
2023-09-24 05:52:27 +02:00
|
|
|
/// Command line arguments.
|
2023-09-24 05:38:22 +02:00
|
|
|
#[derive(Debug, Parser)]
|
|
|
|
#[clap(author, about, version)]
|
|
|
|
struct Args {
|
|
|
|
/// Whether to output data as json.
|
|
|
|
#[clap(long)]
|
|
|
|
pub json: bool,
|
|
|
|
|
|
|
|
/// Whether to output raw uid and gid numbers.
|
|
|
|
#[clap(long)]
|
|
|
|
pub raw: bool,
|
|
|
|
|
|
|
|
/// The roots to use for discovery.
|
2023-09-24 11:53:46 +02:00
|
|
|
#[clap(default_value = ".")]
|
2023-09-24 05:38:22 +02:00
|
|
|
pub roots: Vec<PathBuf>,
|
|
|
|
}
|
|
|
|
|
2023-09-24 05:52:27 +02:00
|
|
|
/// Perform gid & uid gathering for a file, or a directory and its children.
|
2023-09-24 05:38:22 +02:00
|
|
|
fn fs_entry(entry: &Path, summary: &mut Ids) -> Result<()> {
|
|
|
|
let display = entry.display();
|
|
|
|
ensure!(
|
|
|
|
entry.is_symlink() || entry.exists(),
|
|
|
|
format!("{} doesn't exist", display)
|
|
|
|
);
|
|
|
|
|
|
|
|
let meta = entry
|
|
|
|
.symlink_metadata()
|
|
|
|
.context(format!("failed to get metadata for {}", display))?;
|
|
|
|
summary.users.insert(meta.st_uid());
|
|
|
|
summary.groups.insert(meta.st_gid());
|
|
|
|
|
|
|
|
if entry.is_dir() {
|
|
|
|
let children = read_dir(entry).context(format!("failed to read dir {}", display))?;
|
|
|
|
for e in children {
|
|
|
|
let e = e.context(format!("invalid child for {}", display))?;
|
2023-09-24 07:51:45 +02:00
|
|
|
fs_entry(&e.path(), summary)?;
|
2023-09-24 05:38:22 +02:00
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
Ok(())
|
|
|
|
}
|