Use structs to represent ascii art in different states of processing
Stop passing raw strings around, as that's error prone.
This commit is contained in:
parent
55b0eed88d
commit
4c72ed6d79
5 changed files with 446 additions and 388 deletions
382
crates/hyfetch/src/ascii.rs
Normal file
382
crates/hyfetch/src/ascii.rs
Normal file
|
@ -0,0 +1,382 @@
|
|||
use std::borrow::Cow;
|
||||
use std::fmt::Write as _;
|
||||
use std::num::NonZeroU8;
|
||||
|
||||
use aho_corasick::AhoCorasick;
|
||||
use anyhow::{Context as _, Result};
|
||||
use itertools::Itertools as _;
|
||||
use tracing::debug;
|
||||
|
||||
use crate::color_util::{
|
||||
color, ForegroundBackground, NeofetchAsciiIndexedColor, ToAnsiString as _,
|
||||
};
|
||||
use crate::neofetch_util::{
|
||||
ascii_size, ColorAlignment, NEOFETCH_COLORS_AC, NEOFETCH_COLOR_PATTERNS,
|
||||
};
|
||||
use crate::presets::ColorProfile;
|
||||
use crate::types::{AnsiMode, TerminalTheme};
|
||||
|
||||
/// Raw ascii art before any processing.
|
||||
#[derive(Clone, Debug)]
|
||||
pub struct RawAsciiArt {
|
||||
pub art: String,
|
||||
}
|
||||
|
||||
/// Normalized ascii art where every line has the same width.
|
||||
#[derive(Clone, Debug)]
|
||||
pub struct NormalizedAsciiArt {
|
||||
pub lines: Vec<String>,
|
||||
pub w: NonZeroU8,
|
||||
pub h: NonZeroU8,
|
||||
}
|
||||
|
||||
/// Recolored ascii art with all color codes replaced.
|
||||
#[derive(Clone, Debug)]
|
||||
pub struct RecoloredAsciiArt {
|
||||
pub lines: Vec<String>,
|
||||
pub w: NonZeroU8,
|
||||
pub h: NonZeroU8,
|
||||
}
|
||||
|
||||
impl RawAsciiArt {
|
||||
/// Makes sure every line is the same width.
|
||||
#[tracing::instrument(level = "debug", skip(self))]
|
||||
pub fn to_normalized(&self) -> Result<NormalizedAsciiArt> {
|
||||
debug!("normalize ascii");
|
||||
|
||||
let asc = &self.art;
|
||||
|
||||
let (w, h) = ascii_size(asc).context("failed to get ascii size")?;
|
||||
|
||||
let lines = asc
|
||||
.lines()
|
||||
.map(|line| {
|
||||
let (line_w, _) = ascii_size(line).unwrap();
|
||||
let pad = " ".repeat(usize::from(w.get().checked_sub(line_w.get()).unwrap()));
|
||||
format!("{line}{pad}")
|
||||
})
|
||||
.collect();
|
||||
|
||||
Ok(NormalizedAsciiArt { lines, w, h })
|
||||
}
|
||||
}
|
||||
|
||||
impl NormalizedAsciiArt {
|
||||
/// Uses a color alignment to recolor the ascii art.
|
||||
#[tracing::instrument(level = "debug", skip(self), fields(self.w = self.w, self.h = self.h))]
|
||||
pub fn to_recolored(
|
||||
&self,
|
||||
color_align: &ColorAlignment,
|
||||
color_profile: &ColorProfile,
|
||||
color_mode: AnsiMode,
|
||||
theme: TerminalTheme,
|
||||
) -> Result<RecoloredAsciiArt> {
|
||||
debug!("recolor ascii");
|
||||
|
||||
let reset = color("&~&*", color_mode).expect("color reset should not be invalid");
|
||||
|
||||
let lines = match color_align {
|
||||
&ColorAlignment::Horizontal {
|
||||
fore_back: Some((fore, back)),
|
||||
} => {
|
||||
let Self { lines, .. } = self
|
||||
.fill_starting()
|
||||
.context("failed to fill in starting neofetch color codes")?;
|
||||
|
||||
// Replace foreground colors
|
||||
let asc = {
|
||||
let asc = lines.join("\n");
|
||||
asc.replace(
|
||||
&format!("${{c{fore}}}", fore = u8::from(fore)),
|
||||
&color(
|
||||
match theme {
|
||||
TerminalTheme::Light => "&0",
|
||||
TerminalTheme::Dark => "&f",
|
||||
},
|
||||
color_mode,
|
||||
)
|
||||
.expect("foreground color should not be invalid"),
|
||||
)
|
||||
};
|
||||
let lines = asc.lines();
|
||||
|
||||
// Add new colors
|
||||
let lines = {
|
||||
let ColorProfile { colors } =
|
||||
color_profile.with_length(self.h).with_context(|| {
|
||||
format!("failed to spread color profile to length {h}", h = self.h)
|
||||
})?;
|
||||
lines.enumerate().map(move |(i, line)| {
|
||||
let line = line.replace(
|
||||
&format!("${{c{back}}}", back = u8::from(back)),
|
||||
&colors[i].to_ansi_string(color_mode, {
|
||||
// This is "background" in the ascii art, but foreground text in
|
||||
// terminal
|
||||
ForegroundBackground::Foreground
|
||||
}),
|
||||
);
|
||||
format!("{line}{reset}")
|
||||
})
|
||||
};
|
||||
|
||||
// Remove existing colors
|
||||
let asc = {
|
||||
let mut lines = lines;
|
||||
let asc = lines.join("\n");
|
||||
let ac = NEOFETCH_COLORS_AC
|
||||
.get_or_init(|| AhoCorasick::new(NEOFETCH_COLOR_PATTERNS).unwrap());
|
||||
const N: usize = NEOFETCH_COLOR_PATTERNS.len();
|
||||
const REPLACEMENTS: [&str; N] = [""; N];
|
||||
ac.replace_all(&asc, &REPLACEMENTS)
|
||||
};
|
||||
let lines = asc.lines();
|
||||
|
||||
lines.map(ToOwned::to_owned).collect()
|
||||
},
|
||||
&ColorAlignment::Vertical {
|
||||
fore_back: Some((fore, back)),
|
||||
} => {
|
||||
let Self { lines, .. } = self
|
||||
.fill_starting()
|
||||
.context("failed to fill in starting neofetch color codes")?;
|
||||
|
||||
let color_profile = color_profile.with_length(self.w).with_context(|| {
|
||||
format!("failed to spread color profile to length {w}", w = self.w)
|
||||
})?;
|
||||
|
||||
// Apply colors
|
||||
let lines: Vec<_> = {
|
||||
let ac = NEOFETCH_COLORS_AC
|
||||
.get_or_init(|| AhoCorasick::new(NEOFETCH_COLOR_PATTERNS).unwrap());
|
||||
lines
|
||||
.into_iter()
|
||||
.map(|line| {
|
||||
let line: &str = line.as_ref();
|
||||
|
||||
let mut matches = ac.find_iter(line).peekable();
|
||||
let mut dst = String::new();
|
||||
let mut offset: u8 = 0;
|
||||
loop {
|
||||
let current = matches.next();
|
||||
let next = matches.peek();
|
||||
let (neofetch_color_idx, span, done) = match (current, next) {
|
||||
(Some(m), Some(m_next)) => {
|
||||
let ai_start = m.start().checked_add(3).unwrap();
|
||||
let ai_end = m.end().checked_sub(1).unwrap();
|
||||
let neofetch_color_idx: NeofetchAsciiIndexedColor = line
|
||||
[ai_start..ai_end]
|
||||
.parse()
|
||||
.expect("neofetch color index should be valid");
|
||||
offset = offset
|
||||
.checked_add(u8::try_from(m.len()).unwrap())
|
||||
.unwrap();
|
||||
let mut span = m.span();
|
||||
span.start = m.end();
|
||||
span.end = m_next.start();
|
||||
(neofetch_color_idx, span, false)
|
||||
},
|
||||
(Some(m), None) => {
|
||||
// Last color code
|
||||
let ai_start = m.start().checked_add(3).unwrap();
|
||||
let ai_end = m.end().checked_sub(1).unwrap();
|
||||
let neofetch_color_idx: NeofetchAsciiIndexedColor = line
|
||||
[ai_start..ai_end]
|
||||
.parse()
|
||||
.expect("neofetch color index should be valid");
|
||||
offset = offset
|
||||
.checked_add(u8::try_from(m.len()).unwrap())
|
||||
.unwrap();
|
||||
let mut span = m.span();
|
||||
span.start = m.end();
|
||||
span.end = line.len();
|
||||
(neofetch_color_idx, span, true)
|
||||
},
|
||||
(None, _) => {
|
||||
// No color code in the entire line
|
||||
unreachable!(
|
||||
"`fill_starting` ensured each line of ascii art \
|
||||
starts with neofetch color code"
|
||||
);
|
||||
},
|
||||
};
|
||||
let txt = &line[span];
|
||||
|
||||
if neofetch_color_idx == fore {
|
||||
let fore = color(
|
||||
match theme {
|
||||
TerminalTheme::Light => "&0",
|
||||
TerminalTheme::Dark => "&f",
|
||||
},
|
||||
color_mode,
|
||||
)
|
||||
.expect("foreground color should not be invalid");
|
||||
write!(dst, "{fore}{txt}{reset}").unwrap();
|
||||
} else if neofetch_color_idx == back {
|
||||
let adjusted_start =
|
||||
span.start.checked_sub(usize::from(offset)).unwrap();
|
||||
let adjusted_end =
|
||||
span.end.checked_sub(usize::from(offset)).unwrap();
|
||||
dst.push_str(
|
||||
&ColorProfile::new(Vec::from(
|
||||
&color_profile.colors[adjusted_start..adjusted_end],
|
||||
))
|
||||
.color_text(
|
||||
txt,
|
||||
color_mode,
|
||||
{
|
||||
// This is "background" in the ascii art, but
|
||||
// foreground text in terminal
|
||||
ForegroundBackground::Foreground
|
||||
},
|
||||
false,
|
||||
)
|
||||
.context("failed to color text using color profile")?,
|
||||
);
|
||||
} else {
|
||||
dst.push_str(txt);
|
||||
}
|
||||
|
||||
if done {
|
||||
break;
|
||||
}
|
||||
}
|
||||
Ok(dst)
|
||||
})
|
||||
.collect::<Result<_>>()?
|
||||
};
|
||||
|
||||
lines
|
||||
},
|
||||
ColorAlignment::Horizontal { fore_back: None }
|
||||
| ColorAlignment::Vertical { fore_back: None } => {
|
||||
// Remove existing colors
|
||||
let asc = {
|
||||
let asc = self.lines.join("\n");
|
||||
let ac = NEOFETCH_COLORS_AC
|
||||
.get_or_init(|| AhoCorasick::new(NEOFETCH_COLOR_PATTERNS).unwrap());
|
||||
const N: usize = NEOFETCH_COLOR_PATTERNS.len();
|
||||
const REPLACEMENTS: [&str; N] = [""; N];
|
||||
ac.replace_all(&asc, &REPLACEMENTS)
|
||||
};
|
||||
let lines = asc.lines();
|
||||
|
||||
// Add new colors
|
||||
match color_align {
|
||||
ColorAlignment::Horizontal { .. } => {
|
||||
let ColorProfile { colors } =
|
||||
color_profile.with_length(self.h).with_context(|| {
|
||||
format!("failed to spread color profile to length {h}", h = self.h)
|
||||
})?;
|
||||
lines
|
||||
.enumerate()
|
||||
.map(|(i, line)| {
|
||||
let fore = colors[i]
|
||||
.to_ansi_string(color_mode, ForegroundBackground::Foreground);
|
||||
format!("{fore}{line}{reset}")
|
||||
})
|
||||
.collect()
|
||||
},
|
||||
ColorAlignment::Vertical { .. } => lines
|
||||
.map(|line| {
|
||||
let line = color_profile
|
||||
.color_text(
|
||||
line,
|
||||
color_mode,
|
||||
ForegroundBackground::Foreground,
|
||||
false,
|
||||
)
|
||||
.context("failed to color text using color profile")?;
|
||||
Ok(line)
|
||||
})
|
||||
.collect::<Result<_>>()?,
|
||||
_ => {
|
||||
unreachable!();
|
||||
},
|
||||
}
|
||||
},
|
||||
ColorAlignment::Custom {
|
||||
colors: custom_colors,
|
||||
} => {
|
||||
let Self { lines, .. } = self
|
||||
.fill_starting()
|
||||
.context("failed to fill in starting neofetch color codes")?;
|
||||
|
||||
let ColorProfile { colors } = color_profile.unique_colors();
|
||||
|
||||
// Apply colors
|
||||
let asc = {
|
||||
let asc = lines.join("\n");
|
||||
let ac = NEOFETCH_COLORS_AC
|
||||
.get_or_init(|| AhoCorasick::new(NEOFETCH_COLOR_PATTERNS).unwrap());
|
||||
const N: usize = NEOFETCH_COLOR_PATTERNS.len();
|
||||
let mut replacements = vec![Cow::from(""); N];
|
||||
for (&ai, &pi) in custom_colors {
|
||||
let ai: u8 = ai.into();
|
||||
let pi: u8 = pi.into();
|
||||
replacements[usize::from(ai.checked_sub(1).unwrap())] = colors
|
||||
[usize::from(pi)]
|
||||
.to_ansi_string(color_mode, ForegroundBackground::Foreground)
|
||||
.into();
|
||||
}
|
||||
ac.replace_all(&asc, &replacements)
|
||||
};
|
||||
let lines = asc.lines();
|
||||
|
||||
// Reset colors at end of each line to prevent color bleeding
|
||||
let lines = lines.map(|line| format!("{line}{reset}"));
|
||||
|
||||
lines.collect()
|
||||
},
|
||||
};
|
||||
|
||||
Ok(RecoloredAsciiArt {
|
||||
lines,
|
||||
w: self.w,
|
||||
h: self.h,
|
||||
})
|
||||
}
|
||||
|
||||
/// Fills the missing starting placeholders.
|
||||
///
|
||||
/// e.g. `"${c1}...\n..."` -> `"${c1}...\n${c1}..."`
|
||||
fn fill_starting(&self) -> Result<Self> {
|
||||
let ac =
|
||||
NEOFETCH_COLORS_AC.get_or_init(|| AhoCorasick::new(NEOFETCH_COLOR_PATTERNS).unwrap());
|
||||
|
||||
let mut last = None;
|
||||
let lines =
|
||||
self.lines
|
||||
.iter()
|
||||
.map(|line| {
|
||||
let line: &str = line.as_ref();
|
||||
|
||||
let mut new = String::new();
|
||||
let mut matches = ac.find_iter(line).peekable();
|
||||
|
||||
match matches.peek() {
|
||||
Some(m)
|
||||
if m.start() == 0
|
||||
|| line[0..m.start()].trim_end_matches(' ').is_empty() =>
|
||||
{
|
||||
// line starts with neofetch color code, do nothing
|
||||
},
|
||||
_ => {
|
||||
new.push_str(last.context(
|
||||
"failed to find neofetch color code from a previous line",
|
||||
)?);
|
||||
},
|
||||
}
|
||||
new.push_str(line);
|
||||
|
||||
// Get the last placeholder for the next line
|
||||
if let Some(m) = matches.last() {
|
||||
last = Some(&line[m.span()])
|
||||
}
|
||||
|
||||
Ok(new)
|
||||
})
|
||||
.collect::<Result<_>>()?;
|
||||
|
||||
Ok(Self { lines, ..*self })
|
||||
}
|
||||
}
|
|
@ -12,6 +12,7 @@ use anyhow::{Context as _, Result};
|
|||
use deranged::RangedU8;
|
||||
use enterpolation::bspline::BSpline;
|
||||
use enterpolation::{Curve as _, Generator as _};
|
||||
use hyfetch::ascii::RawAsciiArt;
|
||||
use hyfetch::cli_options::options;
|
||||
use hyfetch::color_util::{
|
||||
clear_screen, color, printc, ContrastGrayscale as _, ForegroundBackground, Lightness,
|
||||
|
@ -60,7 +61,8 @@ fn main() -> Result<()> {
|
|||
|
||||
if options.test_print {
|
||||
let (asc, _) = get_distro_ascii(distro, backend).context("failed to get distro ascii")?;
|
||||
writeln!(io::stdout(), "{asc}").context("failed to write ascii to stdout")?;
|
||||
writeln!(io::stdout(), "{asc}", asc = asc.art)
|
||||
.context("failed to write ascii to stdout")?;
|
||||
return Ok(());
|
||||
}
|
||||
|
||||
|
@ -127,13 +129,16 @@ fn main() -> Result<()> {
|
|||
|
||||
let (asc, fore_back) = if let Some(path) = options.ascii_file {
|
||||
(
|
||||
fs::read_to_string(&path)
|
||||
.with_context(|| format!("failed to read ascii from {path:?}"))?,
|
||||
RawAsciiArt {
|
||||
art: fs::read_to_string(&path)
|
||||
.with_context(|| format!("failed to read ascii from {path:?}"))?,
|
||||
},
|
||||
None,
|
||||
)
|
||||
} else {
|
||||
get_distro_ascii(distro, backend).context("failed to get distro ascii")?
|
||||
};
|
||||
let asc = asc.to_normalized().context("failed to normalize ascii")?;
|
||||
let color_align = if fore_back.is_some() {
|
||||
match config.color_align {
|
||||
ColorAlignment::Horizontal { .. } => ColorAlignment::Horizontal { fore_back },
|
||||
|
@ -143,8 +148,8 @@ fn main() -> Result<()> {
|
|||
} else {
|
||||
config.color_align
|
||||
};
|
||||
let asc = color_align
|
||||
.recolor_ascii(asc, &color_profile, color_mode, theme)
|
||||
let asc = asc
|
||||
.to_recolored(&color_align, &color_profile, color_mode, theme)
|
||||
.context("failed to recolor ascii")?;
|
||||
neofetch_util::run(asc, backend, args)?;
|
||||
|
||||
|
@ -226,7 +231,7 @@ fn create_config(
|
|||
|
||||
let (asc, fore_back) =
|
||||
get_distro_ascii(distro, backend).context("failed to get distro ascii")?;
|
||||
let (asc_width, asc_lines) = ascii_size(&asc).context("failed to get ascii size")?;
|
||||
let asc = asc.to_normalized().context("failed to normalize ascii")?;
|
||||
let theme = det_bg.map(|bg| bg.theme()).unwrap_or(TerminalTheme::Light);
|
||||
let color_mode = det_ansi.unwrap_or(AnsiMode::Ansi256);
|
||||
let mut title = format!(
|
||||
|
@ -272,7 +277,7 @@ fn create_config(
|
|||
let (Width(term_w), Height(term_h)) =
|
||||
terminal_size().context("failed to get terminal size")?;
|
||||
let (term_w_min, term_h_min) = (
|
||||
NonZeroU16::from(asc_width)
|
||||
NonZeroU16::from(asc.w)
|
||||
.checked_mul(NonZeroU16::new(2).unwrap())
|
||||
.unwrap()
|
||||
.checked_add(4)
|
||||
|
@ -666,15 +671,21 @@ fn create_config(
|
|||
});
|
||||
let row: Vec<Vec<String>> = ratios
|
||||
.map(|r| {
|
||||
let asc = color_align
|
||||
.recolor_ascii(
|
||||
test_ascii.replace(
|
||||
"{txt}",
|
||||
&format!(
|
||||
"{lightness:^5}",
|
||||
lightness = format!("{lightness:.0}%", lightness = r * 100.0)
|
||||
),
|
||||
let asc = RawAsciiArt {
|
||||
art: test_ascii.replace(
|
||||
"{txt}",
|
||||
&format!(
|
||||
"{lightness:^5}",
|
||||
lightness = format!("{lightness:.0}%", lightness = r * 100.0)
|
||||
),
|
||||
),
|
||||
};
|
||||
let asc = asc
|
||||
.to_normalized()
|
||||
.expect("normalizing test ascii should not fail");
|
||||
let asc = asc
|
||||
.to_recolored(
|
||||
&color_align,
|
||||
&color_profile.with_lightness_adaptive(
|
||||
Lightness::new(r)
|
||||
.expect("generated lightness should not be invalid"),
|
||||
|
@ -684,7 +695,7 @@ fn create_config(
|
|||
theme,
|
||||
)
|
||||
.expect("recoloring test ascii should not fail");
|
||||
asc.lines().map(ToOwned::to_owned).collect()
|
||||
asc.lines
|
||||
})
|
||||
.collect();
|
||||
for i in 0..NonZeroUsize::from(test_ascii_height).get() {
|
||||
|
@ -766,7 +777,7 @@ fn create_config(
|
|||
terminal_size().context("failed to get terminal size")?;
|
||||
let ascii_per_row = cmp::max(
|
||||
1,
|
||||
term_w.div_euclid(NonZeroU16::from(asc_width).checked_add(2).unwrap().get()),
|
||||
term_w.div_euclid(NonZeroU16::from(asc.w).checked_add(2).unwrap().get()),
|
||||
);
|
||||
let ascii_per_row: u8 = ascii_per_row
|
||||
.try_into()
|
||||
|
@ -775,7 +786,7 @@ fn create_config(
|
|||
1,
|
||||
term_h
|
||||
.saturating_sub(8)
|
||||
.div_euclid(NonZeroU16::from(asc_lines).checked_add(1).unwrap().get()),
|
||||
.div_euclid(NonZeroU16::from(asc.h).checked_add(1).unwrap().get()),
|
||||
);
|
||||
let ascii_rows: u8 = ascii_rows
|
||||
.try_into()
|
||||
|
@ -792,6 +803,21 @@ fn create_config(
|
|||
let mut arrangements: IndexMap<Cow<str>, ColorAlignment> =
|
||||
hv_arrangements.map(|(k, ca)| (k.into(), ca)).into();
|
||||
|
||||
let slots: IndexSet<NeofetchAsciiIndexedColor> = {
|
||||
let asc = asc.lines.join("\n");
|
||||
let ac =
|
||||
NEOFETCH_COLORS_AC.get_or_init(|| AhoCorasick::new(NEOFETCH_COLOR_PATTERNS).unwrap());
|
||||
ac.find_iter(&asc)
|
||||
.map(|m| {
|
||||
let ai_start = m.start().checked_add(3).unwrap();
|
||||
let ai_end = m.end().checked_sub(1).unwrap();
|
||||
asc[ai_start..ai_end]
|
||||
.parse()
|
||||
.expect("neofetch ascii color index should not be invalid")
|
||||
})
|
||||
.collect()
|
||||
};
|
||||
|
||||
// Loop for random rolling
|
||||
let mut rng = fastrand::Rng::new();
|
||||
loop {
|
||||
|
@ -802,19 +828,6 @@ fn create_config(
|
|||
(0..color_profile.unique_colors().colors.len())
|
||||
.map(|pi| u8::try_from(pi).expect("`pi` should fit in `u8`").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| {
|
||||
let ai_start = m.start().checked_add(3).unwrap();
|
||||
let ai_end = m.end().checked_sub(1).unwrap();
|
||||
asc[ai_start..ai_end]
|
||||
.parse()
|
||||
.expect("neofetch ascii color index should not be invalid")
|
||||
})
|
||||
.collect()
|
||||
};
|
||||
while preset_indices.len() < slots.len() {
|
||||
preset_indices.extend_from_within(0..);
|
||||
}
|
||||
|
@ -857,15 +870,13 @@ fn create_config(
|
|||
let asciis: Vec<Vec<String>> = arrangements
|
||||
.iter()
|
||||
.map(|(k, ca)| {
|
||||
let mut v: Vec<String> = ca
|
||||
.recolor_ascii(&asc, &color_profile, color_mode, theme)
|
||||
let mut v: Vec<String> = asc
|
||||
.to_recolored(ca, &color_profile, color_mode, theme)
|
||||
.context("failed to recolor ascii")?
|
||||
.lines()
|
||||
.map(ToOwned::to_owned)
|
||||
.collect();
|
||||
.lines;
|
||||
v.push(format!(
|
||||
"{k:^asc_width$}",
|
||||
asc_width = NonZeroUsize::from(asc_width).get()
|
||||
asc_width = NonZeroUsize::from(asc.w).get()
|
||||
));
|
||||
Ok(v)
|
||||
})
|
||||
|
@ -875,7 +886,7 @@ fn create_config(
|
|||
let row: Vec<Vec<String>> = row.collect();
|
||||
|
||||
// Print by row
|
||||
for i in 0..NonZeroUsize::from(asc_lines).checked_add(1).unwrap().get() {
|
||||
for i in 0..NonZeroUsize::from(asc.h).checked_add(1).unwrap().get() {
|
||||
let mut line = Vec::new();
|
||||
for lines in &row {
|
||||
line.push(&*lines[i]);
|
||||
|
|
|
@ -1,3 +1,4 @@
|
|||
pub mod ascii;
|
||||
pub mod cli_options;
|
||||
pub mod color_util;
|
||||
pub mod distros;
|
||||
|
|
|
@ -1,6 +1,5 @@
|
|||
use std::borrow::Cow;
|
||||
use std::ffi::OsStr;
|
||||
use std::fmt::Write as _;
|
||||
#[cfg(feature = "macchina")]
|
||||
use std::fs;
|
||||
#[cfg(windows)]
|
||||
|
@ -27,13 +26,10 @@ use toml_edit::{value, DocumentMut, Item, Table};
|
|||
use tracing::debug;
|
||||
use unicode_segmentation::UnicodeSegmentation as _;
|
||||
|
||||
use crate::color_util::{
|
||||
color, printc, ForegroundBackground, NeofetchAsciiIndexedColor, PresetIndexedColor,
|
||||
ToAnsiString as _,
|
||||
};
|
||||
use crate::ascii::{RawAsciiArt, RecoloredAsciiArt};
|
||||
use crate::color_util::{printc, NeofetchAsciiIndexedColor, PresetIndexedColor};
|
||||
use crate::distros::Distro;
|
||||
use crate::presets::ColorProfile;
|
||||
use crate::types::{AnsiMode, Backend, TerminalTheme};
|
||||
use crate::types::{AnsiMode, Backend};
|
||||
use crate::utils::{find_file, find_in_path, input, process_command_status};
|
||||
|
||||
pub const TEST_ASCII: &str = r####################"
|
||||
|
@ -78,278 +74,9 @@ pub enum ColorAlignment {
|
|||
}
|
||||
|
||||
impl ColorAlignment {
|
||||
/// Uses the color alignment to recolor an ascii art.
|
||||
#[tracing::instrument(level = "debug", skip(asc))]
|
||||
pub fn recolor_ascii<S>(
|
||||
&self,
|
||||
asc: S,
|
||||
color_profile: &ColorProfile,
|
||||
color_mode: AnsiMode,
|
||||
theme: TerminalTheme,
|
||||
) -> Result<String>
|
||||
where
|
||||
S: AsRef<str>,
|
||||
{
|
||||
debug!("recolor ascii");
|
||||
|
||||
let reset = color("&~&*", color_mode).expect("color reset should not be invalid");
|
||||
|
||||
let asc = match self {
|
||||
&Self::Horizontal {
|
||||
fore_back: Some((fore, back)),
|
||||
} => {
|
||||
let asc = fill_starting(asc)
|
||||
.context("failed to fill in starting neofetch color codes")?;
|
||||
|
||||
// Replace foreground colors
|
||||
let asc = asc.replace(
|
||||
&format!("${{c{fore}}}", fore = u8::from(fore)),
|
||||
&color(
|
||||
match theme {
|
||||
TerminalTheme::Light => "&0",
|
||||
TerminalTheme::Dark => "&f",
|
||||
},
|
||||
color_mode,
|
||||
)
|
||||
.expect("foreground color should not be invalid"),
|
||||
);
|
||||
|
||||
// Add new colors
|
||||
let asc = {
|
||||
let ColorProfile { colors } = {
|
||||
let (_, length) = ascii_size(&asc).context("failed to get ascii size")?;
|
||||
color_profile
|
||||
.with_length(length)
|
||||
.context("failed to spread color profile to length")?
|
||||
};
|
||||
asc.lines()
|
||||
.enumerate()
|
||||
.map(|(i, line)| {
|
||||
let line = line.replace(
|
||||
&format!("${{c{back}}}", back = u8::from(back)),
|
||||
&colors[i].to_ansi_string(color_mode, {
|
||||
// This is "background" in the ascii art, but foreground text in
|
||||
// terminal
|
||||
ForegroundBackground::Foreground
|
||||
}),
|
||||
);
|
||||
format!("{line}{reset}")
|
||||
})
|
||||
.join("\n")
|
||||
};
|
||||
|
||||
// Remove existing colors
|
||||
let asc = {
|
||||
let ac = NEOFETCH_COLORS_AC
|
||||
.get_or_init(|| AhoCorasick::new(NEOFETCH_COLOR_PATTERNS).unwrap());
|
||||
const N: usize = NEOFETCH_COLOR_PATTERNS.len();
|
||||
const REPLACEMENTS: [&str; N] = [""; N];
|
||||
ac.replace_all(&asc, &REPLACEMENTS)
|
||||
};
|
||||
|
||||
asc
|
||||
},
|
||||
&Self::Vertical {
|
||||
fore_back: Some((fore, back)),
|
||||
} => {
|
||||
let asc = fill_starting(asc)
|
||||
.context("failed to fill in starting neofetch color codes")?;
|
||||
|
||||
let color_profile = {
|
||||
let (length, _) = ascii_size(&asc).context("failed to get ascii size")?;
|
||||
color_profile
|
||||
.with_length(length)
|
||||
.context("failed to spread color profile to length")?
|
||||
};
|
||||
|
||||
// Apply colors
|
||||
let asc = {
|
||||
let ac = NEOFETCH_COLORS_AC
|
||||
.get_or_init(|| AhoCorasick::new(NEOFETCH_COLOR_PATTERNS).unwrap());
|
||||
asc.lines()
|
||||
.map(|line| {
|
||||
let mut matches = ac.find_iter(line).peekable();
|
||||
let mut dst = String::new();
|
||||
let mut offset: u8 = 0;
|
||||
loop {
|
||||
let current = matches.next();
|
||||
let next = matches.peek();
|
||||
let (neofetch_color_idx, span, done) = match (current, next) {
|
||||
(Some(m), Some(m_next)) => {
|
||||
let ai_start = m.start().checked_add(3).unwrap();
|
||||
let ai_end = m.end().checked_sub(1).unwrap();
|
||||
let neofetch_color_idx: NeofetchAsciiIndexedColor = line
|
||||
[ai_start..ai_end]
|
||||
.parse()
|
||||
.expect("neofetch color index should be valid");
|
||||
offset = offset
|
||||
.checked_add(u8::try_from(m.len()).unwrap())
|
||||
.unwrap();
|
||||
let mut span = m.span();
|
||||
span.start = m.end();
|
||||
span.end = m_next.start();
|
||||
(neofetch_color_idx, span, false)
|
||||
},
|
||||
(Some(m), None) => {
|
||||
// Last color code
|
||||
let ai_start = m.start().checked_add(3).unwrap();
|
||||
let ai_end = m.end().checked_sub(1).unwrap();
|
||||
let neofetch_color_idx: NeofetchAsciiIndexedColor = line
|
||||
[ai_start..ai_end]
|
||||
.parse()
|
||||
.expect("neofetch color index should be valid");
|
||||
offset = offset
|
||||
.checked_add(u8::try_from(m.len()).unwrap())
|
||||
.unwrap();
|
||||
let mut span = m.span();
|
||||
span.start = m.end();
|
||||
span.end = line.len();
|
||||
(neofetch_color_idx, span, true)
|
||||
},
|
||||
(None, _) => {
|
||||
// No color code in the entire line
|
||||
unreachable!(
|
||||
"`fill_starting` ensured each line of ascii art \
|
||||
starts with neofetch color code"
|
||||
);
|
||||
},
|
||||
};
|
||||
let txt = &line[span];
|
||||
|
||||
if neofetch_color_idx == fore {
|
||||
let fore = color(
|
||||
match theme {
|
||||
TerminalTheme::Light => "&0",
|
||||
TerminalTheme::Dark => "&f",
|
||||
},
|
||||
color_mode,
|
||||
)
|
||||
.expect("foreground color should not be invalid");
|
||||
write!(dst, "{fore}{txt}{reset}").unwrap();
|
||||
} else if neofetch_color_idx == back {
|
||||
let adjusted_start =
|
||||
span.start.checked_sub(usize::from(offset)).unwrap();
|
||||
let adjusted_end =
|
||||
span.end.checked_sub(usize::from(offset)).unwrap();
|
||||
dst.push_str(
|
||||
&ColorProfile::new(Vec::from(
|
||||
&color_profile.colors[adjusted_start..adjusted_end],
|
||||
))
|
||||
.color_text(
|
||||
txt,
|
||||
color_mode,
|
||||
{
|
||||
// This is "background" in the ascii art, but
|
||||
// foreground text in terminal
|
||||
ForegroundBackground::Foreground
|
||||
},
|
||||
false,
|
||||
)
|
||||
.context("failed to color text using color profile")?,
|
||||
);
|
||||
} else {
|
||||
dst.push_str(txt);
|
||||
}
|
||||
|
||||
if done {
|
||||
break;
|
||||
}
|
||||
}
|
||||
Ok(dst)
|
||||
})
|
||||
.collect::<Result<Vec<_>>>()?
|
||||
.join("\n")
|
||||
};
|
||||
|
||||
asc
|
||||
},
|
||||
Self::Horizontal { fore_back: None } | Self::Vertical { fore_back: None } => {
|
||||
// Remove existing colors
|
||||
let asc = {
|
||||
let ac = NEOFETCH_COLORS_AC
|
||||
.get_or_init(|| AhoCorasick::new(NEOFETCH_COLOR_PATTERNS).unwrap());
|
||||
const N: usize = NEOFETCH_COLOR_PATTERNS.len();
|
||||
const REPLACEMENTS: [&str; N] = [""; N];
|
||||
ac.replace_all(asc.as_ref(), &REPLACEMENTS)
|
||||
};
|
||||
|
||||
// Add new colors
|
||||
match self {
|
||||
Self::Horizontal { .. } => {
|
||||
let ColorProfile { colors } = {
|
||||
let (_, length) =
|
||||
ascii_size(&asc).context("failed to get ascii size")?;
|
||||
color_profile
|
||||
.with_length(length)
|
||||
.context("failed to spread color profile to length")?
|
||||
};
|
||||
asc.lines()
|
||||
.enumerate()
|
||||
.map(|(i, line)| {
|
||||
let fore = colors[i]
|
||||
.to_ansi_string(color_mode, ForegroundBackground::Foreground);
|
||||
format!("{fore}{line}{reset}")
|
||||
})
|
||||
.join("\n")
|
||||
},
|
||||
Self::Vertical { .. } => asc
|
||||
.lines()
|
||||
.map(|line| {
|
||||
let line = color_profile
|
||||
.color_text(
|
||||
line,
|
||||
color_mode,
|
||||
ForegroundBackground::Foreground,
|
||||
false,
|
||||
)
|
||||
.context("failed to color text using color profile")?;
|
||||
Ok(line)
|
||||
})
|
||||
.collect::<Result<Vec<_>>>()?
|
||||
.join("\n"),
|
||||
_ => {
|
||||
unreachable!();
|
||||
},
|
||||
}
|
||||
},
|
||||
Self::Custom {
|
||||
colors: custom_colors,
|
||||
} => {
|
||||
let asc = fill_starting(asc)
|
||||
.context("failed to fill in starting neofetch color codes")?;
|
||||
|
||||
let ColorProfile { colors } = color_profile.unique_colors();
|
||||
|
||||
// Apply colors
|
||||
let asc = {
|
||||
let ac = NEOFETCH_COLORS_AC
|
||||
.get_or_init(|| AhoCorasick::new(NEOFETCH_COLOR_PATTERNS).unwrap());
|
||||
const N: usize = NEOFETCH_COLOR_PATTERNS.len();
|
||||
let mut replacements = vec![Cow::from(""); N];
|
||||
for (&ai, &pi) in custom_colors {
|
||||
let ai: u8 = ai.into();
|
||||
let pi: u8 = pi.into();
|
||||
replacements[usize::from(ai.checked_sub(1).unwrap())] = colors
|
||||
[usize::from(pi)]
|
||||
.to_ansi_string(color_mode, ForegroundBackground::Foreground)
|
||||
.into();
|
||||
}
|
||||
ac.replace_all(&asc, &replacements)
|
||||
};
|
||||
|
||||
// Reset colors at end of each line to prevent color bleeding
|
||||
let asc = asc.lines().map(|line| format!("{line}{reset}")).join("\n");
|
||||
|
||||
asc
|
||||
},
|
||||
};
|
||||
|
||||
Ok(asc)
|
||||
}
|
||||
|
||||
/// Gets recommended foreground-background configuration for distro, or
|
||||
/// `None` if the distro ascii is not suitable for fore-back configuration.
|
||||
pub fn fore_back(distro: Distro) -> Option<ForeBackColorPair> {
|
||||
fn fore_back(distro: Distro) -> Option<ForeBackColorPair> {
|
||||
match distro {
|
||||
Distro::Anarchy
|
||||
| Distro::ArchStrike
|
||||
|
@ -601,7 +328,7 @@ pub fn macchina_path() -> Result<Option<PathBuf>> {
|
|||
pub fn get_distro_ascii<S>(
|
||||
distro: Option<S>,
|
||||
backend: Backend,
|
||||
) -> Result<(String, Option<ForeBackColorPair>)>
|
||||
) -> Result<(RawAsciiArt, Option<ForeBackColorPair>)>
|
||||
where
|
||||
S: AsRef<str> + fmt::Debug,
|
||||
{
|
||||
|
@ -617,7 +344,9 @@ where
|
|||
// Try new codegen-based detection method
|
||||
if let Some(distro) = Distro::detect(&distro) {
|
||||
return Ok((
|
||||
normalize_ascii(distro.ascii_art()).context("failed to normalize ascii")?,
|
||||
RawAsciiArt {
|
||||
art: distro.ascii_art().to_owned(),
|
||||
},
|
||||
ColorAlignment::fore_back(distro),
|
||||
));
|
||||
}
|
||||
|
@ -632,14 +361,13 @@ where
|
|||
// printf
|
||||
let asc = asc.replace(r"\\", r"\");
|
||||
|
||||
Ok((
|
||||
normalize_ascii(asc).context("failed to normalize ascii")?,
|
||||
None,
|
||||
))
|
||||
Ok((RawAsciiArt { art: asc }, None))
|
||||
}
|
||||
|
||||
#[tracing::instrument(level = "debug", skip(asc))]
|
||||
pub fn run(asc: String, backend: Backend, args: Option<&Vec<String>>) -> Result<()> {
|
||||
#[tracing::instrument(level = "debug", skip(asc), fields(asc.w = asc.w, asc.h = asc.h))]
|
||||
pub fn run(asc: RecoloredAsciiArt, backend: Backend, args: Option<&Vec<String>>) -> Result<()> {
|
||||
let asc = asc.lines.join("\n");
|
||||
|
||||
match backend {
|
||||
Backend::Neofetch => {
|
||||
run_neofetch(asc, args).context("failed to run neofetch")?;
|
||||
|
@ -695,69 +423,6 @@ where
|
|||
Ok((width, height))
|
||||
}
|
||||
|
||||
/// Makes sure every line are the same width.
|
||||
fn normalize_ascii<S>(asc: S) -> Result<String>
|
||||
where
|
||||
S: AsRef<str>,
|
||||
{
|
||||
let asc = asc.as_ref();
|
||||
|
||||
let (w, _) = ascii_size(asc).context("failed to get ascii size")?;
|
||||
|
||||
let asc = asc
|
||||
.lines()
|
||||
.map(|line| {
|
||||
let (line_w, _) = ascii_size(line).unwrap();
|
||||
let pad = " ".repeat(usize::from(w.get().checked_sub(line_w.get()).unwrap()));
|
||||
format!("{line}{pad}")
|
||||
})
|
||||
.join("\n");
|
||||
Ok(asc)
|
||||
}
|
||||
|
||||
/// Fills the missing starting placeholders.
|
||||
///
|
||||
/// e.g. `"${c1}...\n..."` -> `"${c1}...\n${c1}..."`
|
||||
fn fill_starting<S>(asc: S) -> Result<String>
|
||||
where
|
||||
S: AsRef<str>,
|
||||
{
|
||||
let asc = asc.as_ref();
|
||||
|
||||
let ac = NEOFETCH_COLORS_AC.get_or_init(|| AhoCorasick::new(NEOFETCH_COLOR_PATTERNS).unwrap());
|
||||
|
||||
let mut last = None;
|
||||
Ok(asc
|
||||
.lines()
|
||||
.map(|line| {
|
||||
let mut new = String::new();
|
||||
let mut matches = ac.find_iter(line).peekable();
|
||||
|
||||
match matches.peek() {
|
||||
Some(m)
|
||||
if m.start() == 0 || line[0..m.start()].trim_end_matches(' ').is_empty() =>
|
||||
{
|
||||
// line starts with neofetch color code, do nothing
|
||||
},
|
||||
_ => {
|
||||
new.push_str(
|
||||
last.context("failed to find neofetch color code from a previous line")?,
|
||||
);
|
||||
},
|
||||
}
|
||||
new.push_str(line);
|
||||
|
||||
// Get the last placeholder for the next line
|
||||
if let Some(m) = matches.last() {
|
||||
last = Some(&line[m.span()])
|
||||
}
|
||||
|
||||
Ok(new)
|
||||
})
|
||||
.collect::<Result<Vec<_>>>()?
|
||||
.join("\n"))
|
||||
}
|
||||
|
||||
/// Gets the absolute path of the bash command.
|
||||
#[cfg(windows)]
|
||||
fn bash_path() -> Result<PathBuf> {
|
||||
|
|
|
@ -220,8 +220,7 @@ pub fn start_animation(color_mode: AnsiMode) -> Result<()> {
|
|||
);
|
||||
} else {
|
||||
buf.push_str(
|
||||
&c.into_format()
|
||||
.to_ansi_string(color_mode, ForegroundBackground::Background),
|
||||
&c.to_ansi_string(color_mode, ForegroundBackground::Background),
|
||||
);
|
||||
}
|
||||
}
|
||||
|
|
Loading…
Reference in a new issue