1use crate::config::CompletionType;
4use std::borrow::Cow::{self, Borrowed, Owned};
5use std::cell::Cell;
6
7#[derive(Copy, Clone, Debug, Eq, PartialEq)]
9pub enum CmdKind {
10 MoveCursor,
12 Other,
14 ForcedRefresh,
17}
18
19pub trait Highlighter {
24 fn highlight<'l>(&self, line: &'l str, pos: usize) -> Cow<'l, str> {
30 let _ = pos;
31 Borrowed(line)
32 }
33 fn highlight_prompt<'b, 's: 'b, 'p: 'b>(
36 &'s self,
37 prompt: &'p str,
38 default: bool,
39 ) -> Cow<'b, str> {
40 let _ = default;
41 Borrowed(prompt)
42 }
43 fn highlight_hint<'h>(&self, hint: &'h str) -> Cow<'h, str> {
46 Borrowed(hint)
47 }
48 fn highlight_candidate<'c>(
53 &self,
54 candidate: &'c str, completion: CompletionType,
56 ) -> Cow<'c, str> {
57 let _ = completion;
58 Borrowed(candidate)
59 }
60 fn highlight_char(&self, line: &str, pos: usize, kind: CmdKind) -> bool {
66 let _ = (line, pos, kind);
67 false
68 }
69}
70
71impl Highlighter for () {}
72
73#[derive(Default)]
77pub struct MatchingBracketHighlighter {
78 bracket: Cell<Option<(u8, usize)>>, }
80
81impl MatchingBracketHighlighter {
82 #[must_use]
84 pub fn new() -> Self {
85 Self {
86 bracket: Cell::new(None),
87 }
88 }
89}
90
91impl Highlighter for MatchingBracketHighlighter {
92 fn highlight<'l>(&self, line: &'l str, _pos: usize) -> Cow<'l, str> {
93 if line.len() <= 1 {
94 return Borrowed(line);
95 }
96 if let Some((bracket, pos)) = self.bracket.get() {
98 if let Some((matching, idx)) = find_matching_bracket(line, pos, bracket) {
99 let mut copy = line.to_owned();
100 copy.replace_range(idx..=idx, &format!("\x1b[1;34m{}\x1b[0m", matching as char));
101 return Owned(copy);
102 }
103 }
104 Borrowed(line)
105 }
106
107 fn highlight_char(&self, line: &str, pos: usize, kind: CmdKind) -> bool {
108 if kind == CmdKind::ForcedRefresh {
109 self.bracket.set(None);
110 return false;
111 }
112 self.bracket.set(check_bracket(line, pos));
114 self.bracket.get().is_some()
115 }
116}
117
118fn find_matching_bracket(line: &str, pos: usize, bracket: u8) -> Option<(u8, usize)> {
119 let matching = matching_bracket(bracket);
120 let mut idx;
121 let mut unmatched = 1;
122 if is_open_bracket(bracket) {
123 idx = pos + 1;
125 let bytes = &line.as_bytes()[idx..];
126 for b in bytes {
127 if *b == matching {
128 unmatched -= 1;
129 if unmatched == 0 {
130 debug_assert_eq!(matching, line.as_bytes()[idx]);
131 return Some((matching, idx));
132 }
133 } else if *b == bracket {
134 unmatched += 1;
135 }
136 idx += 1;
137 }
138 debug_assert_eq!(idx, line.len());
139 } else {
140 idx = pos;
142 let bytes = &line.as_bytes()[..idx];
143 for b in bytes.iter().rev() {
144 if *b == matching {
145 unmatched -= 1;
146 if unmatched == 0 {
147 debug_assert_eq!(matching, line.as_bytes()[idx - 1]);
148 return Some((matching, idx - 1));
149 }
150 } else if *b == bracket {
151 unmatched += 1;
152 }
153 idx -= 1;
154 }
155 debug_assert_eq!(idx, 0);
156 }
157 None
158}
159
160fn check_bracket(line: &str, pos: usize) -> Option<(u8, usize)> {
162 if line.is_empty() {
163 return None;
164 }
165 let mut pos = pos;
166 if pos >= line.len() {
167 pos = line.len() - 1; let b = line.as_bytes()[pos]; if is_close_bracket(b) {
170 Some((b, pos))
171 } else {
172 None
173 }
174 } else {
175 let mut under_cursor = true;
176 loop {
177 let b = line.as_bytes()[pos];
178 if is_close_bracket(b) {
179 return if pos == 0 { None } else { Some((b, pos)) };
180 } else if is_open_bracket(b) {
181 return if pos + 1 == line.len() {
182 None
183 } else {
184 Some((b, pos))
185 };
186 } else if under_cursor && pos > 0 {
187 under_cursor = false;
188 pos -= 1; } else {
190 return None;
191 }
192 }
193 }
194}
195
196const fn matching_bracket(bracket: u8) -> u8 {
197 match bracket {
198 b'{' => b'}',
199 b'}' => b'{',
200 b'[' => b']',
201 b']' => b'[',
202 b'(' => b')',
203 b')' => b'(',
204 b => b,
205 }
206}
207const fn is_open_bracket(bracket: u8) -> bool {
208 matches!(bracket, b'{' | b'[' | b'(')
209}
210const fn is_close_bracket(bracket: u8) -> bool {
211 matches!(bracket, b'}' | b']' | b')')
212}
213
214#[cfg(test)]
215mod tests {
216 #[test]
217 pub fn find_matching_bracket() {
218 use super::find_matching_bracket;
219 assert_eq!(find_matching_bracket("(...", 0, b'('), None);
220 assert_eq!(find_matching_bracket("...)", 3, b')'), None);
221
222 assert_eq!(find_matching_bracket("()..", 0, b'('), Some((b')', 1)));
223 assert_eq!(find_matching_bracket("(..)", 0, b'('), Some((b')', 3)));
224
225 assert_eq!(find_matching_bracket("..()", 3, b')'), Some((b'(', 2)));
226 assert_eq!(find_matching_bracket("(..)", 3, b')'), Some((b'(', 0)));
227
228 assert_eq!(find_matching_bracket("(())", 0, b'('), Some((b')', 3)));
229 assert_eq!(find_matching_bracket("(())", 3, b')'), Some((b'(', 0)));
230 }
231 #[test]
232 pub fn check_bracket() {
233 use super::check_bracket;
234 assert_eq!(check_bracket(")...", 0), None);
235 assert_eq!(check_bracket("(...", 2), None);
236 assert_eq!(check_bracket("...(", 3), None);
237 assert_eq!(check_bracket("...(", 4), None);
238 assert_eq!(check_bracket("..).", 4), None);
239
240 assert_eq!(check_bracket("(...", 0), Some((b'(', 0)));
241 assert_eq!(check_bracket("(...", 1), Some((b'(', 0)));
242 assert_eq!(check_bracket("...)", 3), Some((b')', 3)));
243 assert_eq!(check_bracket("...)", 4), Some((b')', 3)));
244 }
245 #[test]
246 pub fn matching_bracket() {
247 use super::matching_bracket;
248 assert_eq!(matching_bracket(b'('), b')');
249 assert_eq!(matching_bracket(b')'), b'(');
250 }
251
252 #[test]
253 pub fn is_open_bracket() {
254 use super::is_close_bracket;
255 use super::is_open_bracket;
256 assert!(is_open_bracket(b'('));
257 assert!(is_close_bracket(b')'));
258 }
259}