//! The [Editor] is a multi-line buffer of [`char`]s which operates on an ANSI-compatible terminal. use crossterm::{cursor::*, execute, queue, style::*, terminal::*}; use std::{collections::VecDeque, fmt::Display, io::Write}; use super::error::{Error, ReplResult}; fn is_newline(c: &char) -> bool { *c == '\n' } fn write_chars<'a, W: Write>( c: impl IntoIterator, w: &mut W, ) -> std::io::Result<()> { for c in c { write!(w, "{c}")?; } Ok(()) } /// A multi-line editor which operates on an un-cleared ANSI terminal. #[derive(Clone, Debug)] pub struct Editor<'a> { head: VecDeque, tail: VecDeque, pub color: &'a str, begin: &'a str, again: &'a str, } impl<'a> Editor<'a> { /// Constructs a new Editor with the provided prompt color, begin prompt, and again prompt. pub fn new(color: &'a str, begin: &'a str, again: &'a str) -> Self { Self { head: Default::default(), tail: Default::default(), color, begin, again } } /// Returns an iterator over characters in the editor. pub fn iter(&self) -> impl Iterator { let Self { head, tail, .. } = self; head.iter().chain(tail.iter()) } /// Moves up to the first line of the editor, and clears the screen. /// /// This assumes the screen hasn't moved since the last draw. pub fn undraw(&self, w: &mut W) -> ReplResult<()> { let Self { head, .. } = self; match head.iter().copied().filter(is_newline).count() { 0 => write!(w, "\x1b[0G"), lines => write!(w, "\x1b[{}F", lines), }?; queue!(w, Clear(ClearType::FromCursorDown))?; // write!(w, "\x1b[0J")?; Ok(()) } /// Redraws the entire editor pub fn redraw(&self, w: &mut W) -> ReplResult<()> { let Self { head, tail, color, begin, again } = self; write!(w, "{color}{begin}\x1b[0m ")?; // draw head for c in head { match c { '\n' => write!(w, "\r\n{color}{again}\x1b[0m "), _ => w.write_all({ *c as u32 }.to_le_bytes().as_slice()), }? } // save cursor execute!(w, SavePosition)?; // draw tail for c in tail { match c { '\n' => write!(w, "\r\n{color}{again}\x1b[0m "), _ => write!(w, "{c}"), }? } // restore cursor execute!(w, RestorePosition)?; Ok(()) } /// Prints a context-sensitive prompt (either `begin` if this is the first line, /// or `again` for subsequent lines) pub fn prompt(&self, w: &mut W) -> ReplResult<()> { let Self { head, color, begin, again, .. } = self; queue!( w, MoveToColumn(0), Print(color), Print(if head.is_empty() { begin } else { again }), ResetColor, Print(' '), )?; Ok(()) } /// Prints the characters before the cursor on the current line. pub fn print_head(&self, w: &mut W) -> ReplResult<()> { self.prompt(w)?; write_chars( self.head.iter().skip( self.head .iter() .rposition(is_newline) .unwrap_or(self.head.len()) + 1, ), w, )?; Ok(()) } pub fn print_err(&self, w: &mut W, err: impl Display) -> ReplResult<()> { queue!( w, SavePosition, Clear(ClearType::UntilNewLine), Print(err), RestorePosition )?; Ok(()) } /// Prints the characters after the cursor on the current line. pub fn print_tail(&self, w: &mut W) -> ReplResult<()> { let Self { tail, .. } = self; queue!(w, SavePosition, Clear(ClearType::UntilNewLine))?; write_chars(tail.iter().take_while(|&c| !is_newline(c)), w)?; queue!(w, RestorePosition)?; Ok(()) } /// Writes a character at the cursor, shifting the text around as necessary. pub fn push(&mut self, c: char, w: &mut W) -> ReplResult<()> { // Tail optimization: if the tail is empty, //we don't have to undraw and redraw on newline if self.tail.is_empty() { self.head.push_back(c); match c { '\n' => { write!(w, "\r\n")?; self.print_head(w)?; } c => { queue!(w, Print(c))?; } }; return Ok(()); } if '\n' == c { self.undraw(w)?; } self.head.push_back(c); match c { '\n' => self.redraw(w)?, _ => { write!(w, "{c}")?; self.print_tail(w)?; } } Ok(()) } /// Erases a character at the cursor, shifting the text around as necessary. pub fn pop(&mut self, w: &mut W) -> ReplResult> { if let Some('\n') = self.head.back() { self.undraw(w)?; } let c = self.head.pop_back(); // if the character was a newline, we need to go back a line match c { Some('\n') => self.redraw(w)?, Some(_) => { // go back a char queue!(w, MoveLeft(1), Print(' '), MoveLeft(1))?; self.print_tail(w)?; } None => {} } Ok(c) } /// Writes characters into the editor at the location of the cursor. pub fn extend, W: Write>( &mut self, iter: T, w: &mut W, ) -> ReplResult<()> { for c in iter { self.push(c, w)?; } Ok(()) } /// Sets the editor to the contents of a string, placing the cursor at the end. pub fn restore(&mut self, s: &str) { self.clear(); self.head.extend(s.chars()) } /// Clears the editor, removing all characters. pub fn clear(&mut self) { self.head.clear(); self.tail.clear(); } /// Pops the character after the cursor, redrawing if necessary pub fn delete(&mut self, w: &mut W) -> ReplResult { match self.tail.front() { Some('\n') => { self.undraw(w)?; let out = self.tail.pop_front(); self.redraw(w)?; out } _ => { let out = self.tail.pop_front(); self.print_tail(w)?; out } } .ok_or(Error::EndOfInput) } /// Erases a word from the buffer, where a word is any non-whitespace characters /// preceded by a single whitespace character pub fn erase_word(&mut self, w: &mut W) -> ReplResult<()> { while self.pop(w)?.filter(|c| !c.is_whitespace()).is_some() {} Ok(()) } /// Returns the number of characters in the buffer pub fn len(&self) -> usize { self.head.len() + self.tail.len() } /// Returns true if the cursor is at the beginning pub fn at_start(&self) -> bool { self.head.is_empty() } /// Returns true if the cursor is at the end pub fn at_end(&self) -> bool { self.tail.is_empty() } /// Returns true if the buffer is empty. pub fn is_empty(&self) -> bool { self.at_start() && self.at_end() } /// Returns true if the buffer ends with a given pattern pub fn ends_with(&self, iter: impl DoubleEndedIterator) -> bool { let mut iter = iter.rev(); let mut head = self.head.iter().rev(); loop { match (iter.next(), head.next()) { (None, _) => break true, (Some(_), None) => break false, (Some(a), Some(b)) if a != *b => break false, (Some(_), Some(_)) => continue, } } } /// Moves the cursor back `steps` steps pub fn cursor_back(&mut self, steps: usize, w: &mut W) -> ReplResult<()> { for _ in 0..steps { if let Some('\n') = self.head.back() { self.undraw(w)?; } let Some(c) = self.head.pop_back() else { return Ok(()); }; self.tail.push_front(c); match c { '\n' => self.redraw(w)?, _ => queue!(w, MoveLeft(1))?, } } Ok(()) } /// Moves the cursor forward `steps` steps pub fn cursor_forward(&mut self, steps: usize, w: &mut W) -> ReplResult<()> { for _ in 0..steps { if let Some('\n') = self.tail.front() { self.undraw(w)? } let Some(c) = self.tail.pop_front() else { return Ok(()); }; self.head.push_back(c); match c { '\n' => self.redraw(w)?, _ => queue!(w, MoveRight(1))?, } } Ok(()) } /// Moves the cursor to the beginning of the current line pub fn home(&mut self, w: &mut W) -> ReplResult<()> { loop { match self.head.back() { Some('\n') | None => break Ok(()), Some(_) => self.cursor_back(1, w)?, } } } /// Moves the cursor to the end of the current line pub fn end(&mut self, w: &mut W) -> ReplResult<()> { loop { match self.tail.front() { Some('\n') | None => break Ok(()), Some(_) => self.cursor_forward(1, w)?, } } } } impl<'e> IntoIterator for &'e Editor<'_> { type Item = &'e char; type IntoIter = std::iter::Chain< std::collections::vec_deque::Iter<'e, char>, std::collections::vec_deque::Iter<'e, char>, >; fn into_iter(self) -> Self::IntoIter { self.head.iter().chain(self.tail.iter()) } } impl Display for Editor<'_> { fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result { use std::fmt::Write; for c in self.iter() { f.write_char(*c)?; } Ok(()) } }