1#![warn(missing_docs)]
20#![cfg_attr(docsrs, feature(doc_cfg))]
21
22#[cfg(feature = "custom-bindings")]
23mod binding;
24mod command;
25pub mod completion;
26pub mod config;
27mod edit;
28pub mod error;
29pub mod highlight;
30pub mod hint;
31pub mod history;
32mod keymap;
33mod keys;
34mod kill_ring;
35mod layout;
36pub mod line_buffer;
37#[cfg(feature = "with-sqlite-history")]
38pub mod sqlite_history;
39mod tty;
40mod undo;
41pub mod validate;
42
43use std::fmt;
44use std::io::{self, BufRead, Write};
45use std::path::Path;
46use std::result;
47
48use log::debug;
49#[cfg(feature = "derive")]
50#[cfg_attr(docsrs, doc(cfg(feature = "derive")))]
51pub use rustyline_derive::{Completer, Helper, Highlighter, Hinter, Validator};
52use unicode_width::UnicodeWidthStr;
53
54use crate::tty::{Buffer, RawMode, RawReader, Renderer, Term, Terminal};
55
56#[cfg(feature = "custom-bindings")]
57pub use crate::binding::{ConditionalEventHandler, Event, EventContext, EventHandler};
58use crate::completion::{longest_common_prefix, Candidate, Completer};
59pub use crate::config::{Behavior, ColorMode, CompletionType, Config, EditMode, HistoryDuplicates};
60use crate::edit::State;
61use crate::error::ReadlineError;
62use crate::highlight::{CmdKind, Highlighter};
63use crate::hint::Hinter;
64use crate::history::{DefaultHistory, History, SearchDirection};
65pub use crate::keymap::{Anchor, At, CharSearch, Cmd, InputMode, Movement, RepeatCount, Word};
66use crate::keymap::{Bindings, InputState, Refresher};
67pub use crate::keys::{KeyCode, KeyEvent, Modifiers};
68use crate::kill_ring::KillRing;
69pub use crate::tty::ExternalPrinter;
70pub use crate::undo::Changeset;
71use crate::validate::Validator;
72
73pub type Result<T> = result::Result<T, ReadlineError>;
75
76fn complete_line<H: Helper>(
78 rdr: &mut <Terminal as Term>::Reader,
79 s: &mut State<'_, '_, H>,
80 input_state: &mut InputState,
81 config: &Config,
82) -> Result<Option<Cmd>> {
83 #[cfg(all(unix, feature = "with-fuzzy"))]
84 use skim::prelude::{
85 unbounded, Skim, SkimItem, SkimItemReceiver, SkimItemSender, SkimOptionsBuilder,
86 };
87
88 let completer = s.helper.unwrap();
89 let (start, candidates) = completer.complete(&s.line, s.line.pos(), &s.ctx)?;
91 if candidates.is_empty() {
93 s.out.beep()?;
94 Ok(None)
95 } else if CompletionType::Circular == config.completion_type() {
96 let mark = s.changes.begin();
97 let backup = s.line.as_str().to_owned();
99 let backup_pos = s.line.pos();
100 let mut cmd;
101 let mut i = 0;
102 loop {
103 if i < candidates.len() {
105 let candidate = candidates[i].replacement();
106 completer.update(&mut s.line, start, candidate, &mut s.changes);
113 } else {
114 s.line.update(&backup, backup_pos, &mut s.changes);
116 }
117 s.refresh_line()?;
118
119 cmd = s.next_cmd(input_state, rdr, true, true)?;
120 match cmd {
121 Cmd::Complete => {
122 i = (i + 1) % (candidates.len() + 1); if i == candidates.len() {
124 s.out.beep()?;
125 }
126 }
127 Cmd::CompleteBackward => {
128 if i == 0 {
129 i = candidates.len(); s.out.beep()?;
131 } else {
132 i = (i - 1) % (candidates.len() + 1); }
134 }
135 Cmd::Abort => {
136 if i < candidates.len() {
138 s.line.update(&backup, backup_pos, &mut s.changes);
139 s.refresh_line()?;
140 }
141 s.changes.truncate(mark);
142 return Ok(None);
143 }
144 _ => {
145 s.changes.end();
146 break;
147 }
148 }
149 }
150 Ok(Some(cmd))
151 } else if CompletionType::List == config.completion_type() {
152 if let Some(lcp) = longest_common_prefix(&candidates) {
153 if lcp.len() > s.line.pos() - start || candidates.len() == 1 {
155 completer.update(&mut s.line, start, lcp, &mut s.changes);
156 s.refresh_line()?;
157 }
158 }
159 if candidates.len() > 1 {
161 s.out.beep()?;
162 } else {
163 return Ok(None);
164 }
165 let mut cmd = s.next_cmd(input_state, rdr, true, true)?;
167 if cmd != Cmd::Complete {
169 return Ok(Some(cmd));
170 }
171 let save_pos = s.line.pos();
173 s.edit_move_end()?;
174 s.line.set_pos(save_pos);
175 let show_completions = if candidates.len() > config.completion_prompt_limit() {
177 let msg = format!("\nDisplay all {} possibilities? (y or n)", candidates.len());
178 s.out.write_and_flush(msg.as_str())?;
179 s.layout.end.row += 1;
180 while cmd != Cmd::SelfInsert(1, 'y')
181 && cmd != Cmd::SelfInsert(1, 'Y')
182 && cmd != Cmd::SelfInsert(1, 'n')
183 && cmd != Cmd::SelfInsert(1, 'N')
184 && cmd != Cmd::Kill(Movement::BackwardChar(1))
185 {
186 cmd = s.next_cmd(input_state, rdr, false, true)?;
187 }
188 matches!(cmd, Cmd::SelfInsert(1, 'y' | 'Y'))
189 } else {
190 true
191 };
192 if show_completions {
193 page_completions(rdr, s, input_state, &candidates)
194 } else {
195 s.refresh_line()?;
196 Ok(None)
197 }
198 } else {
199 #[cfg(all(unix, feature = "with-fuzzy"))]
202 {
203 use std::borrow::Cow;
204 if CompletionType::Fuzzy == config.completion_type() {
205 struct Candidate {
206 index: usize,
207 text: String,
208 }
209 impl SkimItem for Candidate {
210 fn text(&self) -> Cow<str> {
211 Cow::Borrowed(&self.text)
212 }
213 }
214
215 let (tx_item, rx_item): (SkimItemSender, SkimItemReceiver) = unbounded();
216
217 candidates
218 .iter()
219 .enumerate()
220 .map(|(i, c)| Candidate {
221 index: i,
222 text: c.display().to_owned(),
223 })
224 .for_each(|c| {
225 let _ = tx_item.send(std::sync::Arc::new(c));
226 });
227 drop(tx_item); let options = SkimOptionsBuilder::default()
234 .prompt(Some("? "))
235 .reverse(true)
236 .build()
237 .unwrap();
238
239 let selected_items = Skim::run_with(&options, Some(rx_item))
240 .map(|out| out.selected_items)
241 .unwrap_or_default();
242
243 if let Some(item) = selected_items.first() {
246 let item: &Candidate = (*item).as_any() .downcast_ref::<Candidate>() .expect("something wrong with downcast");
249 if let Some(candidate) = candidates.get(item.index) {
250 completer.update(
251 &mut s.line,
252 start,
253 candidate.replacement(),
254 &mut s.changes,
255 );
256 }
257 }
258 s.refresh_line()?;
259 }
260 };
261 Ok(None)
262 }
263}
264
265fn complete_hint_line<H: Helper>(s: &mut State<'_, '_, H>) -> Result<()> {
267 let Some(hint) = s.hint.as_ref() else {
268 return Ok(());
269 };
270 s.line.move_end();
271 if let Some(text) = hint.completion() {
272 if s.line.yank(text, 1, &mut s.changes).is_none() {
273 s.out.beep()?;
274 }
275 } else {
276 s.out.beep()?;
277 }
278 s.refresh_line()
279}
280
281fn page_completions<C: Candidate, H: Helper>(
282 rdr: &mut <Terminal as Term>::Reader,
283 s: &mut State<'_, '_, H>,
284 input_state: &mut InputState,
285 candidates: &[C],
286) -> Result<Option<Cmd>> {
287 use std::cmp;
288
289 let min_col_pad = 2;
290 let cols = s.out.get_columns();
291 let max_width = cmp::min(
292 cols,
293 candidates
294 .iter()
295 .map(|s| s.display().width())
296 .max()
297 .unwrap()
298 + min_col_pad,
299 );
300 let num_cols = cols / max_width;
301
302 let mut pause_row = s.out.get_rows() - 1;
303 let num_rows = candidates.len().div_ceil(num_cols);
304 let mut ab = String::new();
305 for row in 0..num_rows {
306 if row == pause_row {
307 s.out.write_and_flush("\n--More--")?;
308 let mut cmd = Cmd::Noop;
309 while cmd != Cmd::SelfInsert(1, 'y')
310 && cmd != Cmd::SelfInsert(1, 'Y')
311 && cmd != Cmd::SelfInsert(1, 'n')
312 && cmd != Cmd::SelfInsert(1, 'N')
313 && cmd != Cmd::SelfInsert(1, 'q')
314 && cmd != Cmd::SelfInsert(1, 'Q')
315 && cmd != Cmd::SelfInsert(1, ' ')
316 && cmd != Cmd::Kill(Movement::BackwardChar(1))
317 && cmd != Cmd::AcceptLine
318 && cmd != Cmd::Newline
319 && !matches!(cmd, Cmd::AcceptOrInsertLine { .. })
320 {
321 cmd = s.next_cmd(input_state, rdr, false, true)?;
322 }
323 match cmd {
324 Cmd::SelfInsert(1, 'y' | 'Y' | ' ') => {
325 pause_row += s.out.get_rows() - 1;
326 }
327 Cmd::AcceptLine | Cmd::Newline | Cmd::AcceptOrInsertLine { .. } => {
328 pause_row += 1;
329 }
330 _ => break,
331 }
332 }
333 s.out.write_and_flush("\n")?;
334 ab.clear();
335 for col in 0..num_cols {
336 let i = (col * num_rows) + row;
337 if i < candidates.len() {
338 let candidate = &candidates[i].display();
339 let width = candidate.width();
340 if let Some(highlighter) = s.highlighter() {
341 ab.push_str(&highlighter.highlight_candidate(candidate, CompletionType::List));
342 } else {
343 ab.push_str(candidate);
344 }
345 if ((col + 1) * num_rows) + row < candidates.len() {
346 for _ in width..max_width {
347 ab.push(' ');
348 }
349 }
350 }
351 }
352 s.out.write_and_flush(ab.as_str())?;
353 }
354 s.out.write_and_flush("\n")?;
355 s.layout.end.row = 0; s.layout.cursor.row = 0;
357 s.refresh_line()?;
358 Ok(None)
359}
360
361fn reverse_incremental_search<H: Helper, I: History>(
363 rdr: &mut <Terminal as Term>::Reader,
364 s: &mut State<'_, '_, H>,
365 input_state: &mut InputState,
366 history: &I,
367) -> Result<Option<Cmd>> {
368 if history.is_empty() {
369 return Ok(None);
370 }
371 let mark = s.changes.begin();
372 let backup = s.line.as_str().to_owned();
374 let backup_pos = s.line.pos();
375
376 let mut search_buf = String::new();
377 let mut history_idx = history.len() - 1;
378 let mut direction = SearchDirection::Reverse;
379 let mut success = true;
380
381 let mut cmd;
382 loop {
384 let prompt = if success {
385 format!("(reverse-i-search)`{search_buf}': ")
386 } else {
387 format!("(failed reverse-i-search)`{search_buf}': ")
388 };
389 s.refresh_prompt_and_line(&prompt)?;
390
391 cmd = s.next_cmd(input_state, rdr, true, true)?;
392 if let Cmd::SelfInsert(_, c) = cmd {
393 search_buf.push(c);
394 } else {
395 match cmd {
396 Cmd::Kill(Movement::BackwardChar(_)) => {
397 search_buf.pop();
398 continue;
399 }
400 Cmd::ReverseSearchHistory => {
401 direction = SearchDirection::Reverse;
402 if history_idx > 0 {
403 history_idx -= 1;
404 } else {
405 success = false;
406 continue;
407 }
408 }
409 Cmd::ForwardSearchHistory => {
410 direction = SearchDirection::Forward;
411 if history_idx < history.len() - 1 {
412 history_idx += 1;
413 } else {
414 success = false;
415 continue;
416 }
417 }
418 Cmd::Abort => {
419 s.line.update(&backup, backup_pos, &mut s.changes);
421 s.refresh_line()?;
422 s.changes.truncate(mark);
423 return Ok(None);
424 }
425 Cmd::Move(_) => {
426 s.refresh_line()?; break;
428 }
429 _ => break,
430 }
431 }
432 success = match history.search(&search_buf, history_idx, direction)? {
433 Some(sr) => {
434 history_idx = sr.idx;
435 s.line.update(&sr.entry, sr.pos, &mut s.changes);
436 true
437 }
438 _ => false,
439 };
440 }
441 s.changes.end();
442 Ok(Some(cmd))
443}
444
445struct Guard<'m>(&'m tty::Mode);
446
447#[expect(unused_must_use)]
448impl Drop for Guard<'_> {
449 fn drop(&mut self) {
450 let Guard(mode) = *self;
451 mode.disable_raw_mode();
452 }
453}
454
455fn apply_backspace_direct(input: &str) -> String {
457 let mut out = String::with_capacity(input.len());
461
462 let mut grapheme_sizes: Vec<u8> = Vec::with_capacity(input.len());
465
466 for g in unicode_segmentation::UnicodeSegmentation::graphemes(input, true) {
467 if g == "\u{0008}" {
468 if let Some(n) = grapheme_sizes.pop() {
470 out.truncate(out.len() - n as usize);
472 }
473 } else {
474 out.push_str(g);
475 grapheme_sizes.push(g.len() as u8);
476 }
477 }
478
479 out
480}
481
482fn readline_direct(
483 mut reader: impl BufRead,
484 mut writer: impl Write,
485 validator: &Option<impl Validator>,
486) -> Result<String> {
487 let mut input = String::new();
488
489 loop {
490 if reader.read_line(&mut input)? == 0 {
491 return Err(ReadlineError::Eof);
492 }
493 let trailing_n = input.ends_with('\n');
495 let trailing_r;
496
497 if trailing_n {
498 input.pop();
499 trailing_r = input.ends_with('\r');
500 if trailing_r {
501 input.pop();
502 }
503 } else {
504 trailing_r = false;
505 }
506
507 input = apply_backspace_direct(&input);
508
509 match validator.as_ref() {
510 None => return Ok(input),
511 Some(v) => {
512 let mut ctx = input.as_str();
513 let mut ctx = validate::ValidationContext::new(&mut ctx);
514
515 match v.validate(&mut ctx)? {
516 validate::ValidationResult::Valid(msg) => {
517 if let Some(msg) = msg {
518 writer.write_all(msg.as_bytes())?;
519 }
520 return Ok(input);
521 }
522 validate::ValidationResult::Invalid(Some(msg)) => {
523 writer.write_all(msg.as_bytes())?;
524 }
525 validate::ValidationResult::Incomplete => {
526 if trailing_r {
528 input.push('\r');
529 }
530 if trailing_n {
531 input.push('\n');
532 }
533 }
534 _ => {}
535 }
536 }
537 }
538 }
539}
540
541pub trait Helper
546where
547 Self: Completer + Hinter + Highlighter + Validator,
548{
549}
550
551impl Helper for () {}
552
553pub struct Context<'h> {
555 history: &'h dyn History,
556 history_index: usize,
557}
558
559impl<'h> Context<'h> {
560 #[must_use]
562 pub fn new(history: &'h dyn History) -> Self {
563 Self {
564 history,
565 history_index: history.len(),
566 }
567 }
568
569 #[must_use]
571 pub fn history(&self) -> &dyn History {
572 self.history
573 }
574
575 #[must_use]
577 pub fn history_index(&self) -> usize {
578 self.history_index
579 }
580}
581
582#[must_use]
584pub struct Editor<H: Helper, I: History> {
585 term: Terminal,
586 buffer: Option<Buffer>,
587 history: I,
588 helper: Option<H>,
589 kill_ring: KillRing,
590 config: Config,
591 custom_bindings: Bindings,
592}
593
594pub type DefaultEditor = Editor<(), DefaultHistory>;
596
597impl<H: Helper> Editor<H, DefaultHistory> {
598 pub fn new() -> Result<Self> {
600 Self::with_config(Config::default())
601 }
602
603 pub fn with_config(config: Config) -> Result<Self> {
605 Self::with_history(config, DefaultHistory::with_config(config))
606 }
607}
608
609impl<H: Helper, I: History> Editor<H, I> {
610 pub fn with_history(config: Config, history: I) -> Result<Self> {
612 let term = Terminal::new(
613 config.color_mode(),
614 config.behavior(),
615 config.tab_stop(),
616 config.bell_style(),
617 config.enable_bracketed_paste(),
618 config.enable_signals(),
619 )?;
620 Ok(Self {
621 term,
622 buffer: None,
623 history,
624 helper: None,
625 kill_ring: KillRing::new(60),
626 config,
627 custom_bindings: Bindings::new(),
628 })
629 }
630
631 pub fn readline(&mut self, prompt: &str) -> Result<String> {
638 self.readline_with(prompt, None)
639 }
640
641 pub fn readline_with_initial(&mut self, prompt: &str, initial: (&str, &str)) -> Result<String> {
649 self.readline_with(prompt, Some(initial))
650 }
651
652 fn readline_with(&mut self, prompt: &str, initial: Option<(&str, &str)>) -> Result<String> {
653 if self.term.is_unsupported() {
654 debug!(target: "rustyline", "unsupported terminal");
655 let mut stdout = io::stdout();
657 stdout.write_all(prompt.as_bytes())?;
658 stdout.flush()?;
659
660 readline_direct(io::stdin().lock(), io::stderr(), &self.helper)
661 } else if self.term.is_input_tty() {
662 let (original_mode, term_key_map) = self.term.enable_raw_mode()?;
663 let guard = Guard(&original_mode);
664 let user_input = self.readline_edit(prompt, initial, &original_mode, term_key_map);
665 if self.config.auto_add_history() {
666 if let Ok(ref line) = user_input {
667 self.add_history_entry(line.as_str())?;
668 }
669 }
670 drop(guard); self.term.writeln()?;
672 user_input
673 } else {
674 debug!(target: "rustyline", "stdin is not a tty");
675 readline_direct(io::stdin().lock(), io::stderr(), &self.helper)
677 }
678 }
679
680 fn readline_edit(
684 &mut self,
685 prompt: &str,
686 initial: Option<(&str, &str)>,
687 original_mode: &tty::Mode,
688 term_key_map: tty::KeyMap,
689 ) -> Result<String> {
690 let mut stdout = self.term.create_writer();
691
692 self.kill_ring.reset(); let ctx = Context::new(&self.history);
694 let mut s = State::new(&mut stdout, prompt, self.helper.as_ref(), ctx);
695
696 let mut input_state = InputState::new(&self.config, &self.custom_bindings);
697
698 if let Some((left, right)) = initial {
699 s.line.update(
700 (left.to_owned() + right).as_ref(),
701 left.len(),
702 &mut s.changes,
703 );
704 }
705
706 let mut rdr = self
707 .term
708 .create_reader(self.buffer.take(), &self.config, term_key_map);
709 if self.term.is_output_tty() && self.config.check_cursor_position() {
710 if let Err(e) = s.move_cursor_at_leftmost(&mut rdr) {
711 if let ReadlineError::WindowResized = e {
712 s.out.update_size();
713 } else {
714 return Err(e);
715 }
716 }
717 }
718 s.refresh_line()?;
719
720 loop {
721 let mut cmd = s.next_cmd(&mut input_state, &mut rdr, false, false)?;
722
723 if cmd.should_reset_kill_ring() {
724 self.kill_ring.reset();
725 }
726
727 if cmd == Cmd::Complete && s.helper.is_some() {
730 let next = complete_line(&mut rdr, &mut s, &mut input_state, &self.config)?;
731 if let Some(next) = next {
732 cmd = next;
733 } else {
734 continue;
735 }
736 }
737
738 if cmd == Cmd::ReverseSearchHistory {
739 let next =
741 reverse_incremental_search(&mut rdr, &mut s, &mut input_state, &self.history)?;
742 if let Some(next) = next {
743 cmd = next;
744 } else {
745 continue;
746 }
747 }
748
749 #[cfg(unix)]
750 if cmd == Cmd::Suspend {
751 original_mode.disable_raw_mode()?;
752 tty::suspend()?;
753 let _ = self.term.enable_raw_mode()?; s.out.update_size(); s.refresh_line()?;
756 continue;
757 }
758
759 #[cfg(unix)]
760 if cmd == Cmd::QuotedInsert {
761 let c = rdr.next_char()?;
763 s.edit_insert(c, 1)?;
764 continue;
765 }
766
767 #[cfg(windows)]
768 if cmd == Cmd::PasteFromClipboard {
769 let clipboard = rdr.read_pasted_text()?;
770 s.edit_yank(&input_state, &clipboard[..], Anchor::Before, 1)?;
771 }
772
773 #[cfg(test)]
775 if matches!(
776 cmd,
777 Cmd::AcceptLine | Cmd::Newline | Cmd::AcceptOrInsertLine { .. }
778 ) {
779 self.term.cursor = s.layout.cursor.col;
780 }
781
782 match command::execute(cmd, &mut s, &input_state, &mut self.kill_ring, &self.config)? {
784 command::Status::Proceed => continue,
785 command::Status::Submit => break,
786 }
787 }
788
789 s.edit_move_buffer_end(CmdKind::ForcedRefresh)?;
792
793 if cfg!(windows) {
794 let _ = original_mode; }
796 self.buffer = rdr.unbuffer();
797 Ok(s.line.into_string())
798 }
799
800 pub fn load_history<P: AsRef<Path> + ?Sized>(&mut self, path: &P) -> Result<()> {
802 self.history.load(path.as_ref())
803 }
804
805 pub fn save_history<P: AsRef<Path> + ?Sized>(&mut self, path: &P) -> Result<()> {
807 self.history.save(path.as_ref())
808 }
809
810 pub fn append_history<P: AsRef<Path> + ?Sized>(&mut self, path: &P) -> Result<()> {
812 self.history.append(path.as_ref())
813 }
814
815 pub fn add_history_entry<S: AsRef<str> + Into<String>>(&mut self, line: S) -> Result<bool> {
817 self.history.add(line.as_ref())
818 }
819
820 pub fn clear_history(&mut self) -> Result<()> {
822 self.history.clear()
823 }
824
825 pub fn history_mut(&mut self) -> &mut I {
827 &mut self.history
828 }
829
830 pub fn history(&self) -> &I {
832 &self.history
833 }
834
835 pub fn set_helper(&mut self, helper: Option<H>) {
838 self.helper = helper;
839 }
840
841 pub fn helper_mut(&mut self) -> Option<&mut H> {
843 self.helper.as_mut()
844 }
845
846 pub fn helper(&self) -> Option<&H> {
848 self.helper.as_ref()
849 }
850
851 #[cfg(feature = "custom-bindings")]
853 #[cfg_attr(docsrs, doc(cfg(feature = "custom-bindings")))]
854 pub fn bind_sequence<E: Into<Event>, R: Into<EventHandler>>(
855 &mut self,
856 key_seq: E,
857 handler: R,
858 ) -> Option<EventHandler> {
859 self.custom_bindings
860 .insert(Event::normalize(key_seq.into()), handler.into())
861 }
862
863 #[cfg(feature = "custom-bindings")]
865 #[cfg_attr(docsrs, doc(cfg(feature = "custom-bindings")))]
866 pub fn unbind_sequence<E: Into<Event>>(&mut self, key_seq: E) -> Option<EventHandler> {
867 self.custom_bindings
868 .remove(&Event::normalize(key_seq.into()))
869 }
870
871 pub fn iter<'a>(&'a mut self, prompt: &'a str) -> impl Iterator<Item = Result<String>> + 'a {
889 Iter {
890 editor: self,
891 prompt,
892 }
893 }
894
895 pub fn dimensions(&mut self) -> Option<(usize, usize)> {
898 if self.term.is_output_tty() {
899 let out = self.term.create_writer();
900 Some((out.get_columns(), out.get_rows()))
901 } else {
902 None
903 }
904 }
905
906 pub fn clear_screen(&mut self) -> Result<()> {
908 if self.term.is_output_tty() {
909 let mut out = self.term.create_writer();
910 out.clear_screen()
911 } else {
912 Ok(())
913 }
914 }
915
916 pub fn create_external_printer(&mut self) -> Result<<Terminal as Term>::ExternalPrinter> {
918 self.term.create_external_printer()
919 }
920
921 pub fn set_cursor_visibility(
923 &mut self,
924 visible: bool,
925 ) -> Result<Option<<Terminal as Term>::CursorGuard>> {
926 self.term.set_cursor_visibility(visible)
927 }
928}
929
930impl<H: Helper, I: History> config::Configurer for Editor<H, I> {
931 fn config_mut(&mut self) -> &mut Config {
932 &mut self.config
933 }
934
935 fn set_max_history_size(&mut self, max_size: usize) -> Result<()> {
936 self.config_mut().set_max_history_size(max_size);
937 self.history.set_max_len(max_size)
938 }
939
940 fn set_history_ignore_dups(&mut self, yes: bool) -> Result<()> {
941 self.config_mut().set_history_ignore_dups(yes);
942 self.history.ignore_dups(yes)
943 }
944
945 fn set_history_ignore_space(&mut self, yes: bool) {
946 self.config_mut().set_history_ignore_space(yes);
947 self.history.ignore_space(yes);
948 }
949
950 fn set_color_mode(&mut self, color_mode: ColorMode) {
951 self.config_mut().set_color_mode(color_mode);
952 self.term.color_mode = color_mode;
953 }
954}
955
956impl<H: Helper, I: History> fmt::Debug for Editor<H, I> {
957 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
958 f.debug_struct("Editor")
959 .field("term", &self.term)
960 .field("config", &self.config)
961 .finish()
962 }
963}
964
965struct Iter<'a, H: Helper, I: History> {
966 editor: &'a mut Editor<H, I>,
967 prompt: &'a str,
968}
969
970impl<H: Helper, I: History> Iterator for Iter<'_, H, I> {
971 type Item = Result<String>;
972
973 fn next(&mut self) -> Option<Result<String>> {
974 let readline = self.editor.readline(self.prompt);
975 match readline {
976 Ok(l) => Some(Ok(l)),
977 Err(ReadlineError::Eof) => None,
978 e @ Err(_) => Some(e),
979 }
980 }
981}
982
983#[cfg(test)]
984#[macro_use]
985extern crate assert_matches;
986#[cfg(test)]
987mod test;
988
989#[cfg(doctest)]
990doc_comment::doctest!("../README.md");