Merge pull request #26 from teohhanhui/riir

Implement selection of color alignment
This commit is contained in:
Teoh Han Hui 2024-07-16 10:07:44 +08:00 committed by GitHub
commit 5517283fb2
No known key found for this signature in database
GPG key ID: B5690EEEBB952194
7 changed files with 372 additions and 115 deletions

17
Cargo.lock generated
View file

@ -97,6 +97,12 @@ dependencies = [
"windows-sys 0.48.0", "windows-sys 0.48.0",
] ]
[[package]]
name = "either"
version = "1.13.0"
source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "60b1af1c220855b6ceac025d3f6ecdd2b7c4894bfe9cd9bda4fbb4bc7c0d4cf0"
[[package]] [[package]]
name = "enable-ansi-support" name = "enable-ansi-support"
version = "0.2.1" version = "0.2.1"
@ -168,7 +174,9 @@ dependencies = [
"deranged", "deranged",
"directories", "directories",
"enable-ansi-support", "enable-ansi-support",
"fastrand",
"indexmap", "indexmap",
"itertools",
"normpath", "normpath",
"palette", "palette",
"regex", "regex",
@ -207,6 +215,15 @@ version = "1.2.0"
source = "registry+https://github.com/rust-lang/crates.io-index" source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "7655c9839580ee829dfacba1d1278c2b7883e50a277ff7541299489d6bdfdc45" checksum = "7655c9839580ee829dfacba1d1278c2b7883e50a277ff7541299489d6bdfdc45"
[[package]]
name = "itertools"
version = "0.13.0"
source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "413ee7dfc52ee1a4949ceeb7dbc8a33f2d6c088194d9f922fb8318faf1f01186"
dependencies = [
"either",
]
[[package]] [[package]]
name = "itoa" name = "itoa"
version = "1.0.11" version = "1.0.11"

View file

@ -19,7 +19,9 @@ bpaf = { version = "0.9.12", default-features = false }
deranged = { version = "0.3.11", default-features = false } deranged = { version = "0.3.11", default-features = false }
directories = { version = "5.0.1", default-features = false } directories = { version = "5.0.1", default-features = false }
enable-ansi-support = { version = "0.2.1", default-features = false } enable-ansi-support = { version = "0.2.1", default-features = false }
fastrand = { version = "2.1.0", default-features = false }
indexmap = { version = "2.2.6", default-features = false } indexmap = { version = "2.2.6", default-features = false }
itertools = { version = "0.13.0", default-features = false }
normpath = { version = "1.2.0", default-features = false } normpath = { version = "1.2.0", default-features = false }
palette = { version = "0.7.6", default-features = false } palette = { version = "0.7.6", default-features = false }
regex = { version = "1.10.5", default-features = false } regex = { version = "1.10.5", default-features = false }

View file

@ -16,7 +16,9 @@ anyhow = { workspace = true, features = ["std"] }
bpaf = { workspace = true, features = [] } bpaf = { workspace = true, features = [] }
deranged = { workspace = true, features = ["serde", "std"] } deranged = { workspace = true, features = ["serde", "std"] }
directories = { workspace = true, features = [] } directories = { workspace = true, features = [] }
fastrand = { workspace = true, features = ["std"] }
indexmap = { workspace = true, features = ["serde", "std"] } indexmap = { workspace = true, features = ["serde", "std"] }
itertools = { workspace = true, features = ["use_std"] }
palette = { workspace = true, features = ["std"] } palette = { workspace = true, features = ["std"] }
serde = { workspace = true, features = ["derive", "std"] } serde = { workspace = true, features = ["derive", "std"] }
serde_json = { workspace = true, features = ["std"] } serde_json = { workspace = true, features = ["std"] }

View file

@ -1,20 +1,28 @@
use std::borrow::Cow; use std::borrow::Cow;
use std::cmp; use std::cmp;
use std::fs::{self, File}; use std::fs::{self, File};
use std::io::{self, IsTerminal, Read, Write}; use std::io::{self, IsTerminal, Read};
use std::path::Path; use std::path::Path;
use aho_corasick::AhoCorasick;
use anyhow::{Context, Result}; use anyhow::{Context, Result};
use deranged::RangedU8; use deranged::RangedU8;
use hyfetch::cli_options::options; use hyfetch::cli_options::options;
use hyfetch::color_util::{clear_screen, color, printc, ForegroundBackground, Lightness, Theme}; use hyfetch::color_util::{
clear_screen, color, printc, ForegroundBackground, Lightness, NeofetchAsciiIndexedColor,
PresetIndexedColor, Theme,
};
use hyfetch::models::Config; use hyfetch::models::Config;
#[cfg(windows)] #[cfg(windows)]
use hyfetch::neofetch_util::ensure_git_bash; use hyfetch::neofetch_util::ensure_git_bash;
use hyfetch::neofetch_util::{self, ascii_size, get_distro_ascii, ColorAlignment}; use hyfetch::neofetch_util::{
self, ascii_size, get_distro_ascii, ColorAlignment, NEOFETCH_COLORS_AC, NEOFETCH_COLOR_PATTERNS,
};
use hyfetch::presets::{AssignLightness, Preset}; use hyfetch::presets::{AssignLightness, Preset};
use hyfetch::types::{AnsiMode, Backend, TerminalTheme}; use hyfetch::types::{AnsiMode, Backend, TerminalTheme};
use hyfetch::utils::get_cache_path; use hyfetch::utils::{get_cache_path, input};
use indexmap::{IndexMap, IndexSet};
use itertools::Itertools;
use palette::Srgb; use palette::Srgb;
use strum::{EnumCount, VariantArray, VariantNames}; use strum::{EnumCount, VariantArray, VariantNames};
use terminal_colorsaurus::{background_color, QueryOptions}; use terminal_colorsaurus::{background_color, QueryOptions};
@ -166,12 +174,7 @@ fn main() -> Result<()> {
neofetch_util::run(asc, backend, args)?; neofetch_util::run(asc, backend, args)?;
if options.ask_exit { if options.ask_exit {
print!("Press any key to exit..."); input(Some("Press any key to exit...")).context("failed to read input")?;
io::stdout().flush()?;
let mut buf = String::new();
io::stdin()
.read_line(&mut buf)
.context("failed to read line from input")?;
} }
Ok(()) Ok(())
@ -246,7 +249,7 @@ fn create_config(
let (asc, fore_back) = let (asc, fore_back) =
get_distro_ascii(distro, backend).context("failed to get distro ascii")?; get_distro_ascii(distro, backend).context("failed to get distro ascii")?;
let (asc_width, asc_lines) = ascii_size(asc); let (asc_width, asc_lines) = ascii_size(&asc);
let theme = det_bg.map(|bg| bg.theme()).unwrap_or(TerminalTheme::Light); let theme = det_bg.map(|bg| bg.theme()).unwrap_or(TerminalTheme::Light);
let color_mode = det_ansi.unwrap_or(AnsiMode::Ansi256); let color_mode = det_ansi.unwrap_or(AnsiMode::Ansi256);
let logo = color( let logo = color(
@ -294,6 +297,8 @@ fn create_config(
clear_screen(Some(&title), color_mode, debug_mode) clear_screen(Some(&title), color_mode, debug_mode)
.expect("title should not contain invalid color codes"); .expect("title should not contain invalid color codes");
let (term_w, _) = terminal_size().context("failed to get terminal size")?;
// TODO // TODO
println!(); println!();
@ -330,7 +335,23 @@ fn create_config(
clear_screen(Some(&title), color_mode, debug_mode) clear_screen(Some(&title), color_mode, debug_mode)
.expect("title should not contain invalid color codes"); .expect("title should not contain invalid color codes");
todo!() print_title_prompt(
option_counter,
"Is your terminal in &blight mode&~ or &4dark mode&~?",
color_mode,
);
let opts = [TerminalTheme::Light, TerminalTheme::Dark].map(<&'static str>::from);
let choice = literal_input(
"",
&opts[..],
<&'static str>::from(TerminalTheme::Dark),
true,
color_mode,
)?;
Ok((
choice.parse().expect("selected theme should be valid"),
"Selected background color",
))
}; };
let theme = { let theme = {
@ -360,7 +381,7 @@ fn create_config(
let color_profile = preset.color_profile(); let color_profile = preset.color_profile();
let flag = color_profile let flag = color_profile
.color_text( .color_text(
" ".repeat(spacing as usize), " ".repeat(usize::from(spacing)),
color_mode, color_mode,
ForegroundBackground::Background, ForegroundBackground::Background,
false, false,
@ -368,7 +389,7 @@ fn create_config(
.with_context(|| format!("failed to color flag using preset: {preset:?}"))?; .with_context(|| format!("failed to color flag using preset: {preset:?}"))?;
let name = { let name = {
let name: &'static str = preset.into(); let name: &'static str = preset.into();
format!("{name:^spacing$}", spacing = spacing as usize) format!("{name:^spacing$}", spacing = usize::from(spacing))
}; };
flags.push([name, flag.clone(), flag.clone(), flag]); flags.push([name, flag.clone(), flag.clone(), flag]);
} }
@ -376,44 +397,32 @@ fn create_config(
// Calculate flags per row // Calculate flags per row
let (flags_per_row, rows_per_page) = { let (flags_per_row, rows_per_page) = {
let (term_w, term_h) = terminal_size().context("failed to get terminal size")?; let (term_w, term_h) = terminal_size().context("failed to get terminal size")?;
let flags_per_row = term_w.0 / (spacing as u16 + 2); let flags_per_row = term_w.0 / (u16::from(spacing) + 2);
let flags_per_row: u8 = flags_per_row let flags_per_row: u8 = flags_per_row
.try_into() .try_into()
.expect("`flags_per_row` should fit in `u8`"); .expect("`flags_per_row` should fit in `u8`");
let rows_per_page = ((term_h.0 - 13) as f32 / 5.0).floor() as usize; let rows_per_page = cmp::max(1, (term_h.0 - 13) / 5);
let rows_per_page: u8 = rows_per_page let rows_per_page: u8 = rows_per_page
.try_into() .try_into()
.expect("`rows_per_page` should fit in `u8`"); .expect("`rows_per_page` should fit in `u8`");
let rows_per_page = cmp::max(1, rows_per_page);
(flags_per_row, rows_per_page) (flags_per_row, rows_per_page)
}; };
let num_pages = (Preset::COUNT as f32 / (flags_per_row * rows_per_page) as f32).ceil() as usize; let num_pages =
(Preset::COUNT as f32 / (flags_per_row as f32 * rows_per_page as f32)).ceil() as usize;
let num_pages: u8 = num_pages let num_pages: u8 = num_pages
.try_into() .try_into()
.expect("`num_pages` should fit in `u8`"); .expect("`num_pages` should fit in `u8`");
// Create pages // Create pages
let mut pages = Vec::with_capacity(num_pages as usize); let mut pages = Vec::with_capacity(usize::from(num_pages));
for flags in flags.chunks((flags_per_row * rows_per_page) as usize) { for flags in flags.chunks(usize::from(flags_per_row) * usize::from(rows_per_page)) {
let mut page = Vec::with_capacity(rows_per_page as usize); let mut page = Vec::with_capacity(usize::from(rows_per_page));
for flags in flags.chunks(flags_per_row as usize) { for flags in flags.chunks(usize::from(flags_per_row)) {
page.push(flags); page.push(flags);
} }
pages.push(page); pages.push(page);
} }
let print_flag_row = |row: &[[String; 4]]| {
for i in 0..4 {
let mut line = String::new();
for flag in row {
line.push_str(&flag[i]);
line.push_str(" ");
}
printc(line, color_mode).expect("flag line should not contain invalid color codes");
}
println!();
};
let print_flag_page = |page, page_num| { let print_flag_page = |page, page_num| {
clear_screen(Some(&title), color_mode, debug_mode) clear_screen(Some(&title), color_mode, debug_mode)
.expect("title should not contain invalid color codes"); .expect("title should not contain invalid color codes");
@ -426,11 +435,23 @@ fn create_config(
} }
println!(); println!();
for &row in page { for &row in page {
print_flag_row(row); print_flag_row(row, color_mode);
} }
println!(); println!();
}; };
fn print_flag_row(row: &[[String; 4]], color_mode: AnsiMode) {
for i in 0..4 {
let mut line = String::new();
for flag in row {
line.push_str(&flag[i]);
line.push_str(" ");
}
printc(line, color_mode).expect("flag line should not contain invalid color codes");
}
println!();
}
let preset_rainbow = Preset::Rainbow let preset_rainbow = Preset::Rainbow
.color_profile() .color_profile()
.with_lightness_adaptive(Config::default_lightness(theme), theme, use_overlay) .with_lightness_adaptive(Config::default_lightness(theme), theme, use_overlay)
@ -447,7 +468,7 @@ fn create_config(
let mut page: u8 = 0; let mut page: u8 = 0;
loop { loop {
print_flag_page(&pages[page as usize], page); print_flag_page(&pages[usize::from(page)], page);
let mut opts = Vec::from(<Preset as VariantNames>::VARIANTS); let mut opts = Vec::from(<Preset as VariantNames>::VARIANTS);
if page < num_pages - 1 { if page < num_pages - 1 {
@ -497,7 +518,7 @@ fn create_config(
////////////////////////////// //////////////////////////////
// 4. Dim/lighten colors // 4. Dim/lighten colors
let test_ascii = &TEST_ASCII[1..(TEST_ASCII.len() - 1)]; let test_ascii = &TEST_ASCII[1..TEST_ASCII.len() - 1];
let Some(test_ascii_width) = test_ascii let Some(test_ascii_width) = test_ascii
.split('\n') .split('\n')
.map(|line| line.graphemes(true).count()) .map(|line| line.graphemes(true).count())
@ -535,10 +556,12 @@ fn create_config(
.expect("message should not contain invalid color codes"); .expect("message should not contain invalid color codes");
println!(); println!();
let color_align = ColorAlignment::Horizontal { fore_back: None };
// Print cats // Print cats
{ {
let (term_w, _) = terminal_size().context("failed to get terminal size")?; let (term_w, _) = terminal_size().context("failed to get terminal size")?;
let num_cols = cmp::max(1, term_w.0 / (test_ascii_width as u16 + 2)); let num_cols = cmp::max(1, term_w.0 / (u16::from(test_ascii_width) + 2));
let num_cols: u8 = num_cols.try_into().expect("`num_cols` should fit in `u8`"); let num_cols: u8 = num_cols.try_into().expect("`num_cols` should fit in `u8`");
const MIN: f32 = 0.15; const MIN: f32 = 0.15;
const MAX: f32 = 0.85; const MAX: f32 = 0.85;
@ -551,7 +574,6 @@ fn create_config(
}); });
let row: Vec<Vec<String>> = ratios let row: Vec<Vec<String>> = ratios
.map(|r| { .map(|r| {
let color_align = ColorAlignment::Horizontal { fore_back: None };
let asc = color_align let asc = color_align
.recolor_ascii( .recolor_ascii(
test_ascii.replace( test_ascii.replace(
@ -571,10 +593,10 @@ fn create_config(
theme, theme,
) )
.expect("recoloring test ascii should not fail"); .expect("recoloring test ascii should not fail");
asc.split('\n').map(ToOwned::to_owned).collect::<Vec<_>>() asc.split('\n').map(ToOwned::to_owned).collect()
}) })
.collect(); .collect();
for i in 0..(test_ascii_height as usize) { for i in 0..usize::from(test_ascii_height) {
let mut line = String::new(); let mut line = String::new();
for lines in &row { for lines in &row {
line.push_str(&lines[i]); line.push_str(&lines[i]);
@ -587,24 +609,6 @@ fn create_config(
let default_lightness = Config::default_lightness(theme); let default_lightness = Config::default_lightness(theme);
let parse_lightness = |lightness: String| -> Result<Lightness> {
if lightness.is_empty() || ["unset", "none"].contains(&&*lightness) {
return Ok(default_lightness);
}
let lightness = if let Some(lightness) = lightness.strip_suffix('%') {
let lightness: RangedU8<0, 100> = lightness.parse()?;
lightness.get() as f32 / 100.0
} else {
match lightness.parse::<RangedU8<0, 100>>() {
Ok(lightness) => lightness.get() as f32 / 100.0,
Err(_) => lightness.parse::<f32>()?,
}
};
Ok(Lightness::new(lightness)?)
};
loop { loop {
println!(); println!();
printc( printc(
@ -617,17 +621,12 @@ fn create_config(
color_mode, color_mode,
) )
.expect("prompt should not contain invalid color codes"); .expect("prompt should not contain invalid color codes");
let lightness = { let lightness = input(Some("> "))
let mut buf = String::new(); .context("failed to read input")?
print!("> "); .trim()
io::stdout().flush()?; .to_lowercase();
io::stdin()
.read_line(&mut buf)
.context("failed to read line from input")?;
buf.trim().to_lowercase()
};
match parse_lightness(lightness) { match parse_lightness(lightness, default_lightness) {
Ok(lightness) => { Ok(lightness) => {
return Ok(lightness); return Ok(lightness);
}, },
@ -644,6 +643,24 @@ fn create_config(
} }
}; };
fn parse_lightness(lightness: String, default: Lightness) -> Result<Lightness> {
if lightness.is_empty() || ["unset", "none"].contains(&&*lightness) {
return Ok(default);
}
let lightness = if let Some(lightness) = lightness.strip_suffix('%') {
let lightness: RangedU8<0, 100> = lightness.parse()?;
lightness.get() as f32 / 100.0
} else {
match lightness.parse::<RangedU8<0, 100>>() {
Ok(lightness) => lightness.get() as f32 / 100.0,
Err(_) => lightness.parse::<f32>()?,
}
};
Ok(Lightness::new(lightness)?)
}
let lightness = select_lightness().context("failed to select lightness")?; let lightness = select_lightness().context("failed to select lightness")?;
debug!(?lightness, "selected lightness"); debug!(?lightness, "selected lightness");
let color_profile = color_profile.with_lightness_adaptive(lightness, theme, use_overlay); let color_profile = color_profile.with_lightness_adaptive(lightness, theme, use_overlay);
@ -657,26 +674,215 @@ fn create_config(
////////////////////////////// //////////////////////////////
// 5. Color arrangement // 5. Color arrangement
let color_align: ColorAlignment;
// Calculate amount of row/column that can be displayed on screen
let (ascii_per_row, ascii_rows) = {
let (term_w, term_h) = terminal_size().context("failed to get terminal size")?;
let ascii_per_row = cmp::max(1, term_w.0 / (u16::from(asc_width) + 2));
let ascii_per_row: u8 = ascii_per_row
.try_into()
.expect("`ascii_per_row` should fit in `u8`");
let ascii_rows = cmp::max(1, (term_h.0 - 8) / u16::from(asc_lines));
let ascii_rows: u8 = ascii_rows
.try_into()
.expect("`ascii_rows` should fit in `u8`");
(ascii_per_row, ascii_rows)
};
// Displays horizontal and vertical arrangements in the first iteration, but
// hide them in later iterations
let hv_arrangements = [
(
"Horizontal",
ColorAlignment::Horizontal { fore_back: None }
.with_fore_back(fore_back)
.expect("horizontal color alignment should not be invalid"),
),
(
"Vertical",
ColorAlignment::Vertical { fore_back: None }
.with_fore_back(fore_back)
.expect("vertical color alignment should not be invalid"),
),
];
let mut arrangements: IndexMap<Cow<str>, ColorAlignment> =
hv_arrangements.map(|(k, ca)| (k.into(), ca)).into();
// Loop for random rolling
let mut rng = fastrand::Rng::new();
loop {
clear_screen(Some(&title), color_mode, debug_mode)
.expect("title should not contain invalid color codes");
// Random color schemes
let mut preset_indices: Vec<PresetIndexedColor> =
(0..color_profile.unique_colors().colors.len())
.map(|pi| {
let pi: u8 = pi.try_into().expect("`pi` should fit in `u8`");
pi.into()
})
.collect();
let slots: IndexSet<NeofetchAsciiIndexedColor> = {
let ac = NEOFETCH_COLORS_AC
.get_or_init(|| AhoCorasick::new(NEOFETCH_COLOR_PATTERNS).unwrap());
ac.find_iter(&asc)
.map(|m| {
asc[m.start() + 3..m.end() - 1]
.parse()
.expect("neofetch ascii color index should not be invalid")
})
.collect()
};
while preset_indices.len() < slots.len() {
preset_indices.extend_from_within(0..);
}
let preset_index_permutations: IndexSet<Vec<PresetIndexedColor>> = preset_indices
.into_iter()
.permutations(slots.len())
.collect();
let random_count = cmp::max(
0,
usize::from(ascii_per_row) * usize::from(ascii_rows) - arrangements.len(),
);
let random_count: u8 = random_count
.try_into()
.expect("`random_count` should fit in `u8`");
let choices: IndexSet<Vec<PresetIndexedColor>> =
if usize::from(random_count) > preset_index_permutations.len() {
preset_index_permutations
} else {
rng.choose_multiple(
preset_index_permutations.into_iter(),
usize::from(random_count),
)
.into_iter()
.collect()
};
let choices: Vec<IndexMap<NeofetchAsciiIndexedColor, PresetIndexedColor>> = choices
.into_iter()
.map(|c| {
c.into_iter()
.enumerate()
.map(|(ai, pi)| (slots[ai], pi))
.collect()
})
.collect();
arrangements.extend(choices.into_iter().enumerate().map(|(i, r)| {
(format!("random{i}").into(), ColorAlignment::Custom {
colors: r,
})
}));
let asciis = arrangements.iter().map(|(k, ca)| {
let mut v: Vec<String> = ca
.recolor_ascii(&asc, &color_profile, color_mode, theme)
.expect("recoloring ascii should not fail")
.split('\n')
.map(ToOwned::to_owned)
.collect();
v.push(format!(
"{k:^asc_width$}",
asc_width = usize::from(asc_width)
));
v
});
for row in &asciis.chunks(usize::from(ascii_per_row)) {
let row: Vec<Vec<String>> = row.into_iter().collect();
// Print by row
for i in 0..usize::from(asc_lines) + 1 {
let mut line = String::new();
for lines in &row {
line.push_str(&lines[i]);
line.push_str(" ");
}
printc(line, color_mode)
.expect("ascii line should not contain invalid color codes");
}
println!();
}
print_title_prompt(
option_counter,
"Let's choose a color arrangement!",
color_mode,
);
printc(
"You can choose standard horizontal or vertical alignment, or use one of the random \
color schemes.",
color_mode,
)
.expect("message should not contain invalid color codes");
println!(r#"You can type "roll" to randomize again."#);
println!();
let mut opts: Vec<Cow<str>> = ["horizontal", "vertical", "roll"].map(Into::into).into();
opts.extend((0..random_count).map(|i| format!("random{i}").into()));
let choice = literal_input("Your choice?", &opts[..], "horizontal", true, color_mode)
.context("failed to select color alignment")?;
if choice == "roll" {
arrangements.clear();
continue;
}
// Save choice
color_align = arrangements
.into_iter()
.find_map(|(k, ca)| {
if k.to_lowercase() == choice {
Some(ca)
} else {
None
}
})
.expect("selected color alignment should be valid");
break;
}
update_title(
&mut title,
&mut option_counter,
"Color alignment",
&format!("{color_align:?}"),
);
//////////////////////////////
// 6. Select *fetch backend
let select_backend = || {
clear_screen(Some(&title), color_mode, debug_mode)
.expect("title should not contain invalid color codes");
todo!()
};
let backend = select_backend();
todo!() todo!()
} }
/// Asks the user to provide an input among a list of options. /// Asks the user to provide an input among a list of options.
fn literal_input<'a, S>( fn literal_input<'a, S1, S2>(
prompt: S, prompt: S1,
options: &[&'a str], options: &'a [S2],
default: &str, default: &str,
show_options: bool, show_options: bool,
color_mode: AnsiMode, color_mode: AnsiMode,
) -> Result<&'a str> ) -> Result<&'a str>
where where
S: AsRef<str>, S1: AsRef<str>,
S2: AsRef<str>,
{ {
let prompt = prompt.as_ref(); let prompt = prompt.as_ref();
if show_options { if show_options {
let options_text = options let options_text = options
.iter() .iter()
.map(|&o| { .map(|o| {
let o = o.as_ref();
if o == default { if o == default {
format!("&l&n{o}&L&N") format!("&l&n{o}&L&N")
} else { } else {
@ -692,48 +898,46 @@ where
.context("failed to print input prompt")?; .context("failed to print input prompt")?;
} }
let find_selection = |sel: &str| { loop {
let selection = input(Some("> ")).context("failed to read input")?;
let selection = if selection.is_empty() {
default.to_owned()
} else {
selection.to_lowercase()
};
if let Some(selected) = find_selection(&selection, options) {
println!();
return Ok(selected);
} else {
let options_text = options.iter().map(AsRef::as_ref).join("|");
println!("Invalid selection! {selection} is not one of {options_text}");
}
}
fn find_selection<'a, S>(sel: &str, options: &'a [S]) -> Option<&'a str>
where
S: AsRef<str>,
{
if sel.is_empty() { if sel.is_empty() {
return None; return None;
} }
// Find exact match // Find exact match
if let Some(selected) = options.iter().find(|&&o| o.to_lowercase() == sel) { if let Some(selected) = options.iter().find(|&o| o.as_ref().to_lowercase() == sel) {
return Some(selected); return Some(selected.as_ref());
} }
// Find starting abbreviation // Find starting abbreviation
if let Some(selected) = options.iter().find(|&&o| o.to_lowercase().starts_with(sel)) { if let Some(selected) = options
return Some(selected); .iter()
.find(|&o| o.as_ref().to_lowercase().starts_with(sel))
{
return Some(selected.as_ref());
} }
None None
};
loop {
let mut buf = String::new();
print!("> ");
io::stdout().flush()?;
io::stdin()
.read_line(&mut buf)
.context("failed to read line from input")?;
let selection = {
let selection = buf.trim_end_matches(&['\r', '\n']);
if selection.is_empty() {
default.to_owned()
} else {
selection.to_lowercase()
}
};
if let Some(selected) = find_selection(&selection) {
println!();
return Ok(selected);
} else {
let options_text = options.join("|");
println!("Invalid selection! {selection} is not one of {options_text}");
}
} }
} }

View file

@ -28,8 +28,9 @@ use crate::presets::ColorProfile;
use crate::types::{AnsiMode, Backend, TerminalTheme}; use crate::types::{AnsiMode, Backend, TerminalTheme};
use crate::utils::{find_file, find_in_path, process_command_status}; use crate::utils::{find_file, find_in_path, process_command_status};
const NEOFETCH_COLOR_PATTERNS: [&str; 6] = ["${c1}", "${c2}", "${c3}", "${c4}", "${c5}", "${c6}"]; pub const NEOFETCH_COLOR_PATTERNS: [&str; 6] =
static NEOFETCH_COLORS_AC: OnceLock<AhoCorasick> = OnceLock::new(); ["${c1}", "${c2}", "${c3}", "${c4}", "${c5}", "${c6}"];
pub static NEOFETCH_COLORS_AC: OnceLock<AhoCorasick> = OnceLock::new();
type ForeBackColorPair = (NeofetchAsciiIndexedColor, NeofetchAsciiIndexedColor); type ForeBackColorPair = (NeofetchAsciiIndexedColor, NeofetchAsciiIndexedColor);
@ -241,7 +242,7 @@ impl ColorAlignment {
for (&ai, &pi) in custom_colors { for (&ai, &pi) in custom_colors {
let ai: u8 = ai.into(); let ai: u8 = ai.into();
let pi: u8 = pi.into(); let pi: u8 = pi.into();
replacements[ai as usize - 1] = colors[pi as usize] replacements[usize::from(ai - 1)] = colors[usize::from(pi)]
.to_ansi_string(color_mode, ForegroundBackground::Foreground) .to_ansi_string(color_mode, ForegroundBackground::Foreground)
.into(); .into();
} }
@ -545,7 +546,7 @@ where
for line in asc.split('\n') { for line in asc.split('\n') {
let (line_w, _) = ascii_size(line); let (line_w, _) = ascii_size(line);
buf.push_str(line); buf.push_str(line);
let pad = " ".repeat((w - line_w) as usize); let pad = " ".repeat(usize::from(w - line_w));
buf.push_str(&pad); buf.push_str(&pad);
buf.push('\n'); buf.push('\n');
} }

View file

@ -494,7 +494,7 @@ impl ColorProfile {
let mut weighted_colors = vec![]; let mut weighted_colors = vec![];
for (i, w) in weights.into_iter().enumerate() { for (i, w) in weights.into_iter().enumerate() {
weighted_colors.extend(iter::repeat(self.colors[i]).take(w as usize)); weighted_colors.extend(iter::repeat(self.colors[i]).take(usize::from(w)));
} }
Ok(Self::new(weighted_colors)) Ok(Self::new(weighted_colors))
@ -509,12 +509,11 @@ impl ColorProfile {
// if length < orig_len { // if length < orig_len {
// unimplemented!("compressing length of color profile not implemented"); // unimplemented!("compressing length of color profile not implemented");
// } // }
let center_i = (orig_len as f32 / 2.0).floor() as usize; let center_i = usize::from(orig_len / 2);
// How many copies of each color should be displayed at least? // How many copies of each color should be displayed at least?
let repeats = (length as f32 / orig_len as f32).floor() as usize; let repeats = length / orig_len;
let repeats: u8 = repeats.try_into().expect("`repeats` should fit in `u8`"); let mut weights = vec![repeats; usize::from(orig_len)];
let mut weights = vec![repeats; orig_len as usize];
// How many extra spaces left? // How many extra spaces left?
let mut extras = length % orig_len; let mut extras = length % orig_len;
@ -528,7 +527,7 @@ impl ColorProfile {
// Add weight to border until there's no space left (extras must be even at this // Add weight to border until there's no space left (extras must be even at this
// point) // point)
let weights_len = weights.len(); let weights_len = weights.len();
for border_i in 0..(extras / 2) as usize { for border_i in 0..usize::from(extras / 2) {
weights[border_i] += 1; weights[border_i] += 1;
weights[weights_len - border_i - 1] += 1; weights[weights_len - border_i - 1] += 1;
} }

View file

@ -1,3 +1,4 @@
use std::io::Write;
#[cfg(unix)] #[cfg(unix)]
use std::os::unix::process::ExitStatusExt as _; use std::os::unix::process::ExitStatusExt as _;
use std::path::{Path, PathBuf}; use std::path::{Path, PathBuf};
@ -18,6 +19,37 @@ pub fn get_cache_path() -> Result<PathBuf> {
Ok(path) Ok(path)
} }
/// Reads a string from standard input. The trailing newline is stripped.
///
/// The prompt string, if given, is printed to standard output without a
/// trailing newline before reading input.
pub fn input<S>(prompt: Option<S>) -> Result<String>
where
S: AsRef<str>,
{
if let Some(prompt) = prompt {
print!("{prompt}", prompt = prompt.as_ref());
io::stdout().flush()?;
}
let mut buf = String::new();
io::stdin()
.read_line(&mut buf)
.context("failed to read line from standard input")?;
let buf = {
#[cfg(not(windows))]
{
buf.strip_suffix('\n').unwrap_or(&buf)
}
#[cfg(windows)]
{
buf.strip_suffix("\r\n").unwrap_or(&buf)
}
};
Ok(buf.to_owned())
}
/// Finds a command in `PATH`. /// Finds a command in `PATH`.
/// ///
/// Returns the canonicalized / normalized absolute path to the command. /// Returns the canonicalized / normalized absolute path to the command.