Add trim command

This commit is contained in:
Austen Adler 2022-04-02 19:27:30 -04:00
parent 3014e9e6af
commit 6ead19042d
2 changed files with 58 additions and 0 deletions

View File

@ -14,6 +14,7 @@ mod kak;
mod math_eval; mod math_eval;
mod shuf; mod shuf;
mod sort; mod sort;
mod trim;
mod uniq; mod uniq;
use clap::{Parser, Subcommand}; use clap::{Parser, Subcommand};
use errors::KakMessage; use errors::KakMessage;
@ -39,6 +40,7 @@ enum Commands {
Uniq(uniq::Options), Uniq(uniq::Options),
#[clap(visible_aliases = &["bc", "eval"])] #[clap(visible_aliases = &["bc", "eval"])]
MathEval(math_eval::Options), MathEval(math_eval::Options),
Trim(trim::Options),
} }
fn main() { fn main() {
@ -73,6 +75,7 @@ fn run() -> Result<KakMessage, KakMessage> {
Commands::Shuf(o) => shuf::shuf(o), Commands::Shuf(o) => shuf::shuf(o),
Commands::Uniq(o) => uniq::uniq(o), Commands::Uniq(o) => uniq::uniq(o),
Commands::MathEval(o) => math_eval::math_eval(o), Commands::MathEval(o) => math_eval::math_eval(o),
Commands::Trim(o) => trim::trim(o),
} }
} }

55
src/trim.rs Normal file
View File

@ -0,0 +1,55 @@
use crate::{get_selections, open_command_fifo, KakMessage};
use std::io::Write;
#[derive(clap::StructOpt, Debug)]
pub struct Options {
#[clap(short, long)]
left: bool,
#[clap(short, long)]
right: bool,
#[clap(short, long)]
no_preserve_newline: bool,
}
pub fn trim(options: &Options) -> Result<KakMessage, KakMessage> {
let selections = get_selections()?;
let mut f = open_command_fifo()?;
write!(f, "reg '\"'")?;
let mut num_trimmed: usize = 0;
let num_selections = selections.len();
for i in selections.into_iter().map(|s| {
let new_string = match (options.left, options.right) {
(true, true) | (false, false) => {
// Either they specified both, or neither
s.trim()
}
(true, false) => s.trim_start(),
(false, true) => s.trim_end(),
};
if s.len() != new_string.len() {
num_trimmed = num_trimmed.saturating_add(1);
}
if !options.no_preserve_newline && s.ends_with('\n') {
s + "\n"
} else {
new_string.to_string()
}
}) {
write!(f, " '{}'", i.replace('\'', "''"))?;
}
write!(f, " ; exec R;")?;
f.flush()?;
Ok(KakMessage(
format!(
"Trimmed {} selections ({} changed)",
num_selections, num_trimmed
),
None,
))
}