helix-mods/helix-term/src/ui/prompt.rs

465 lines
15 KiB
Rust
Raw Normal View History

2020-12-13 05:57:28 +01:00
use crate::compositor::{Component, Compositor, Context, EventResult};
use crate::ui;
use crossterm::event::{Event, KeyCode, KeyEvent, KeyModifiers};
2020-12-13 05:29:34 +01:00
use helix_core::Position;
2021-03-22 04:40:07 +01:00
use helix_view::{Editor, Theme};
use std::{borrow::Cow, ops::RangeFrom};
use tui::terminal::CursorKind;
2020-10-09 22:55:45 +02:00
use unicode_segmentation::{GraphemeCursor, GraphemeIncomplete};
use unicode_width::UnicodeWidthStr;
2021-03-22 05:16:56 +01:00
pub type Completion = (RangeFrom<usize>, Cow<'static, str>);
2020-10-09 22:55:45 +02:00
pub struct Prompt {
2021-03-18 06:48:42 +01:00
prompt: String,
2020-10-16 09:58:26 +02:00
pub line: String,
2021-03-18 06:48:42 +01:00
cursor: usize,
2021-03-22 05:16:56 +01:00
completion: Vec<Completion>,
selection: Option<usize>,
2021-03-22 05:16:56 +01:00
completion_fn: Box<dyn FnMut(&str) -> Vec<Completion>>,
2020-12-15 11:29:56 +01:00
callback_fn: Box<dyn FnMut(&mut Editor, &str, PromptEvent)>,
pub doc_fn: Box<dyn Fn(&str) -> Option<&'static str>>,
2020-12-15 11:29:56 +01:00
}
2021-06-13 11:00:13 +02:00
#[derive(Clone, Copy, PartialEq)]
2020-12-15 11:29:56 +01:00
pub enum PromptEvent {
/// The prompt input has been updated.
Update,
/// Validate and finalize the change.
Validate,
/// Abort the change, reverting to the initial state.
Abort,
2020-10-09 22:55:45 +02:00
}
2021-06-05 23:20:34 +02:00
pub enum CompletionDirection {
Forward,
Backward,
}
#[derive(Debug, Clone, Copy)]
pub enum Movement {
BackwardChar(usize),
BackwardWord(usize),
ForwardChar(usize),
ForwardWord(usize),
StartOfLine,
EndOfLine,
None,
}
2020-10-09 22:55:45 +02:00
impl Prompt {
2020-10-15 12:08:01 +02:00
pub fn new(
2020-10-16 09:58:26 +02:00
prompt: String,
2021-03-22 05:16:56 +01:00
mut completion_fn: impl FnMut(&str) -> Vec<Completion> + 'static,
2020-12-15 11:29:56 +01:00
callback_fn: impl FnMut(&mut Editor, &str, PromptEvent) + 'static,
2021-05-06 10:20:00 +02:00
) -> Self {
Self {
2020-10-16 09:58:26 +02:00
prompt,
line: String::new(),
cursor: 0,
2020-10-24 13:36:34 +02:00
completion: completion_fn(""),
selection: None,
2020-10-15 12:08:01 +02:00
completion_fn: Box::new(completion_fn),
callback_fn: Box::new(callback_fn),
doc_fn: Box::new(|_| None),
2020-10-15 12:08:01 +02:00
}
2020-10-09 22:55:45 +02:00
}
/// Compute the cursor position after applying movement
/// Taken from: https://github.com/wez/wezterm/blob/e0b62d07ca9bf8ce69a61e30a3c20e7abc48ce7e/termwiz/src/lineedit/mod.rs#L516-L611
fn eval_movement(&self, movement: Movement) -> usize {
match movement {
Movement::BackwardChar(rep) => {
let mut position = self.cursor;
for _ in 0..rep {
let mut cursor = GraphemeCursor::new(position, self.line.len(), false);
if let Ok(Some(pos)) = cursor.prev_boundary(&self.line, 0) {
position = pos;
} else {
break;
}
}
position
}
Movement::BackwardWord(rep) => {
let char_indices: Vec<(usize, char)> = self.line.char_indices().collect();
if char_indices.is_empty() {
return self.cursor;
}
let mut char_position = char_indices
.iter()
.position(|(idx, _)| *idx == self.cursor)
.unwrap_or(char_indices.len() - 1);
for _ in 0..rep {
if char_position == 0 {
break;
}
let mut found = None;
for prev in (0..char_position - 1).rev() {
if char_indices[prev].1.is_whitespace() {
found = Some(prev + 1);
break;
}
}
char_position = found.unwrap_or(0);
}
char_indices[char_position].0
}
Movement::ForwardWord(rep) => {
let char_indices: Vec<(usize, char)> = self.line.char_indices().collect();
if char_indices.is_empty() {
return self.cursor;
}
let mut char_position = char_indices
.iter()
.position(|(idx, _)| *idx == self.cursor)
.unwrap_or_else(|| char_indices.len());
for _ in 0..rep {
// Skip any non-whitespace characters
while char_position < char_indices.len()
&& !char_indices[char_position].1.is_whitespace()
{
char_position += 1;
}
// Skip any whitespace characters
while char_position < char_indices.len()
&& char_indices[char_position].1.is_whitespace()
{
char_position += 1;
}
// We are now on the start of the next word
}
char_indices
.get(char_position)
.map(|(i, _)| *i)
.unwrap_or_else(|| self.line.len())
}
Movement::ForwardChar(rep) => {
let mut position = self.cursor;
for _ in 0..rep {
let mut cursor = GraphemeCursor::new(position, self.line.len(), false);
if let Ok(Some(pos)) = cursor.next_boundary(&self.line, 0) {
position = pos;
} else {
break;
}
}
position
}
Movement::StartOfLine => 0,
Movement::EndOfLine => {
let mut cursor =
GraphemeCursor::new(self.line.len().saturating_sub(1), self.line.len(), false);
if let Ok(Some(pos)) = cursor.next_boundary(&self.line, 0) {
pos
} else {
self.cursor
}
}
Movement::None => self.cursor,
}
}
2020-10-09 22:55:45 +02:00
pub fn insert_char(&mut self, c: char) {
self.line.insert(self.cursor, c);
let mut cursor = GraphemeCursor::new(self.cursor, self.line.len(), false);
if let Ok(Some(pos)) = cursor.next_boundary(&self.line, 0) {
self.cursor = pos;
}
2020-10-20 23:02:02 +02:00
self.completion = (self.completion_fn)(&self.line);
2020-10-24 14:06:10 +02:00
self.exit_selection();
2020-10-09 22:55:45 +02:00
}
2020-10-13 19:10:50 +02:00
pub fn move_char_left(&mut self) {
let pos = self.eval_movement(Movement::BackwardChar(1));
self.cursor = pos
2020-10-13 18:57:55 +02:00
}
2020-10-13 19:10:50 +02:00
pub fn move_char_right(&mut self) {
let pos = self.eval_movement(Movement::ForwardChar(1));
self.cursor = pos;
2020-10-13 18:57:55 +02:00
}
2020-10-13 19:10:50 +02:00
pub fn move_start(&mut self) {
2020-10-16 09:58:26 +02:00
self.cursor = 0;
2020-10-13 19:10:50 +02:00
}
pub fn move_end(&mut self) {
2020-10-16 09:58:26 +02:00
self.cursor = self.line.len();
2020-10-13 19:10:50 +02:00
}
2020-10-13 18:57:55 +02:00
pub fn delete_char_backwards(&mut self) {
let pos = self.eval_movement(Movement::BackwardChar(1));
self.line.replace_range(pos..self.cursor, "");
self.cursor = pos;
2020-10-24 14:06:10 +02:00
self.exit_selection();
self.completion = (self.completion_fn)(&self.line);
2020-10-20 23:02:02 +02:00
}
2021-06-12 19:00:50 +02:00
pub fn delete_word_backwards(&mut self) {
let pos = self.eval_movement(Movement::BackwardWord(1));
self.line.replace_range(pos..self.cursor, "");
self.cursor = pos;
2021-06-12 19:00:50 +02:00
self.exit_selection();
self.completion = (self.completion_fn)(&self.line);
2021-06-12 19:00:50 +02:00
}
pub fn clear(&mut self) {
self.line.clear();
self.cursor = 0;
self.completion = (self.completion_fn)(&self.line);
self.exit_selection();
}
2021-06-05 23:20:34 +02:00
pub fn change_completion_selection(&mut self, direction: CompletionDirection) {
2020-11-13 00:07:21 +01:00
if self.completion.is_empty() {
return;
2020-11-02 10:41:27 +01:00
}
2021-06-05 23:20:34 +02:00
let index = match direction {
CompletionDirection::Forward => self.selection.map_or(0, |i| i + 1),
2021-06-05 23:20:34 +02:00
CompletionDirection::Backward => {
self.selection.unwrap_or(0) + self.completion.len() - 1
2021-06-05 23:20:34 +02:00
}
} % self.completion.len();
2021-06-05 23:20:34 +02:00
self.selection = Some(index);
let (range, item) = &self.completion[index];
self.line.replace_range(range.clone(), item);
self.move_end();
2020-10-24 14:06:10 +02:00
}
2021-06-05 23:20:34 +02:00
2020-10-24 14:06:10 +02:00
pub fn exit_selection(&mut self) {
self.selection = None;
2020-10-13 18:57:55 +02:00
}
}
2020-12-13 04:23:50 +01:00
use tui::{
buffer::Buffer as Surface,
layout::Rect,
style::{Color, Modifier, Style},
};
const BASE_WIDTH: u16 = 30;
impl Prompt {
pub fn render_prompt(&self, area: Rect, surface: &mut Surface, cx: &mut Context) {
let theme = &cx.editor.theme;
let text_color = theme.get("ui.text.focus");
2021-06-01 05:00:25 +02:00
let selected_color = theme.get("ui.menu.selected");
2020-12-13 04:23:50 +01:00
// completion
let max_len = self
.completion
.iter()
.map(|(_, completion)| completion.len() as u16)
.max()
.unwrap_or(BASE_WIDTH)
.max(BASE_WIDTH);
let cols = std::cmp::max(1, area.width / max_len);
let col_width = (area.width - (cols)) / cols;
let height = ((self.completion.len() as u16 + cols - 1) / cols)
.min(10) // at most 10 rows (or less)
.min(area.height);
let completion_area = Rect::new(
area.x,
(area.height - height).saturating_sub(1),
area.width,
height,
);
if !self.completion.is_empty() {
let area = completion_area;
let background = theme.get("ui.statusline");
surface.clear_with(area, background);
let mut row = 0;
let mut col = 0;
// TODO: paginate
for (i, (_range, completion)) in self
.completion
.iter()
.enumerate()
.take(height as usize * cols as usize)
{
let color = if Some(i) == self.selection {
2021-06-01 05:00:25 +02:00
// Style::default().bg(Color::Rgb(104, 60, 232))
selected_color // TODO: just invert bg
2020-12-13 04:23:50 +01:00
} else {
text_color
2020-12-13 04:23:50 +01:00
};
surface.set_stringn(
area.x + col * (1 + col_width),
area.y + row,
&completion,
col_width.saturating_sub(1) as usize,
2020-12-13 04:23:50 +01:00
color,
);
row += 1;
if row > area.height - 1 {
2020-12-13 04:23:50 +01:00
row = 0;
col += 1;
}
}
}
if let Some(doc) = (self.doc_fn)(&self.line) {
let text = ui::Text::new(doc.to_string());
let viewport = area;
let area = viewport.intersection(Rect::new(
completion_area.x,
completion_area.y - 3,
BASE_WIDTH * 3,
3,
));
2021-06-01 05:00:25 +02:00
let background = theme.get("ui.help");
surface.clear_with(area, background);
use tui::layout::Margin;
text.render(
area.inner(&Margin {
vertical: 1,
horizontal: 1,
}),
surface,
cx,
);
}
2020-12-14 07:58:03 +01:00
let line = area.height - 1;
2020-12-13 04:23:50 +01:00
// render buffer text
surface.set_string(area.x, area.y + line, &self.prompt, text_color);
surface.set_string(
area.x + self.prompt.len() as u16,
area.y + line,
&self.line,
text_color,
);
2020-12-13 04:23:50 +01:00
}
}
impl Component for Prompt {
fn handle_event(&mut self, event: Event, cx: &mut Context) -> EventResult {
let event = match event {
Event::Key(event) => event,
Event::Resize(..) => return EventResult::Consumed(None),
_ => return EventResult::Ignored,
};
2020-10-13 18:57:55 +02:00
2021-05-09 11:02:31 +02:00
let close_fn = EventResult::Consumed(Some(Box::new(|compositor: &mut Compositor| {
// remove the layer
compositor.pop();
})));
2020-12-14 07:59:48 +01:00
match event {
// char or shift char
KeyEvent {
code: KeyCode::Char(c),
modifiers: KeyModifiers::NONE,
}
| KeyEvent {
code: KeyCode::Char(c),
modifiers: KeyModifiers::SHIFT,
2020-12-15 11:29:56 +01:00
} => {
self.insert_char(c);
(self.callback_fn)(cx.editor, &self.line, PromptEvent::Update);
}
KeyEvent {
code: KeyCode::Esc, ..
2020-12-13 05:57:28 +01:00
} => {
2020-12-15 11:29:56 +01:00
(self.callback_fn)(cx.editor, &self.line, PromptEvent::Abort);
2020-12-14 07:59:48 +01:00
return close_fn;
2020-12-13 05:57:28 +01:00
}
2020-10-13 18:57:55 +02:00
KeyEvent {
code: KeyCode::Right,
..
2020-10-13 19:10:50 +02:00
} => self.move_char_right(),
2020-10-13 18:57:55 +02:00
KeyEvent {
code: KeyCode::Left,
..
2020-10-13 19:10:50 +02:00
} => self.move_char_left(),
KeyEvent {
code: KeyCode::Char('e'),
modifiers: KeyModifiers::CONTROL,
} => self.move_end(),
KeyEvent {
code: KeyCode::Char('a'),
modifiers: KeyModifiers::CONTROL,
} => self.move_start(),
2021-06-12 19:00:50 +02:00
KeyEvent {
code: KeyCode::Char('w'),
modifiers: KeyModifiers::CONTROL,
} => self.delete_word_backwards(),
2020-10-13 18:57:55 +02:00
KeyEvent {
code: KeyCode::Backspace,
2020-10-24 14:06:10 +02:00
modifiers: KeyModifiers::NONE,
2020-12-15 11:29:56 +01:00
} => {
self.delete_char_backwards();
(self.callback_fn)(cx.editor, &self.line, PromptEvent::Update);
}
2020-10-15 12:08:01 +02:00
KeyEvent {
code: KeyCode::Enter,
..
2020-12-14 07:59:48 +01:00
} => {
if self.line.ends_with('/') {
self.completion = (self.completion_fn)(&self.line);
self.exit_selection();
} else {
(self.callback_fn)(cx.editor, &self.line, PromptEvent::Validate);
return close_fn;
}
2020-12-14 07:59:48 +01:00
}
2020-10-19 16:16:00 +02:00
KeyEvent {
code: KeyCode::Tab, ..
2021-06-05 23:20:34 +02:00
} => self.change_completion_selection(CompletionDirection::Forward),
KeyEvent {
code: KeyCode::BackTab,
..
} => self.change_completion_selection(CompletionDirection::Backward),
2020-10-24 14:06:10 +02:00
KeyEvent {
code: KeyCode::Char('q'),
modifiers: KeyModifiers::CONTROL,
} => self.exit_selection(),
_ => (),
};
EventResult::Consumed(None)
}
2020-12-13 04:23:50 +01:00
fn render(&self, area: Rect, surface: &mut Surface, cx: &mut Context) {
self.render_prompt(area, surface, cx)
}
2020-12-13 05:29:34 +01:00
fn cursor(&self, area: Rect, editor: &Editor) -> (Option<Position>, CursorKind) {
2021-05-28 17:06:23 +02:00
let line = area.height as usize - 1;
(
Some(Position::new(
area.y as usize + line,
area.x as usize
+ self.prompt.len()
+ UnicodeWidthStr::width(&self.line[..self.cursor]),
)),
CursorKind::Block,
)
2020-12-13 05:29:34 +01:00
}
2020-10-09 22:55:45 +02:00
}