mod.rs 18 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525
  1. use core::fmt;
  2. use std::{
  3. cell::RefCell,
  4. fs::{self, File, OpenOptions},
  5. io::{self, stdout, BufRead, BufReader, Read, Write},
  6. ops::Deref,
  7. path::Path,
  8. print,
  9. rc::Rc,
  10. string::String,
  11. vec::Vec,
  12. };
  13. use crate::keycode::{FunctionKeySuffix, SpecialKeycode};
  14. use colored::Colorize;
  15. use command::{BuildInCmd, Command};
  16. pub mod command;
  17. pub struct Prompt {
  18. user_name: String,
  19. computer_name: String,
  20. path: String,
  21. }
  22. impl Prompt {
  23. pub fn len(&self) -> usize {
  24. format!("{}@{}:{}$ ", self.user_name, self.computer_name, self.path).len()
  25. }
  26. pub fn update_path(&mut self) {
  27. self.path = std::env::current_dir()
  28. .unwrap()
  29. .to_str()
  30. .unwrap()
  31. .to_string();
  32. }
  33. }
  34. impl fmt::Display for Prompt {
  35. fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
  36. write!(
  37. f,
  38. "{}:{}$ ",
  39. format!("{}@{}", self.user_name, self.computer_name).bright_green(),
  40. self.path.bright_cyan()
  41. )
  42. }
  43. }
  44. pub struct Shell {
  45. history_commands: Vec<Rc<RefCell<Vec<u8>>>>,
  46. history_path: String,
  47. printer: Printer,
  48. }
  49. impl Shell {
  50. pub fn new() -> Shell {
  51. let mut shell = Shell {
  52. history_commands: Vec::new(),
  53. history_path: "history_commands.txt".to_string(),
  54. printer: Printer::new(&Rc::new(RefCell::new(Vec::new()))),
  55. };
  56. shell.read_commands();
  57. shell
  58. }
  59. pub fn current_dir() -> String {
  60. std::env::current_dir()
  61. .expect("Error getting current directory")
  62. .to_str()
  63. .unwrap()
  64. .to_string()
  65. }
  66. pub fn chdir(&mut self, new_dir: &String) {
  67. let path = Path::new(&new_dir);
  68. if let Err(e) = std::env::set_current_dir(&path) {
  69. eprintln!("Error changing directory: {}", e);
  70. }
  71. }
  72. pub fn exec(&mut self) {
  73. crossterm::terminal::enable_raw_mode().expect("failed to enable raw mode");
  74. loop {
  75. self.printer.init_before_readline();
  76. if self.readline() == 0 {
  77. println!();
  78. break;
  79. }
  80. let command_bytes = self.printer.buf.borrow().clone();
  81. if !command_bytes.starts_with(&[b' '])
  82. && command_bytes
  83. != self
  84. .history_commands
  85. .last()
  86. .unwrap_or(&Rc::new(RefCell::new(Vec::new())))
  87. .borrow()
  88. .clone()
  89. {
  90. self.history_commands
  91. .push(Rc::new(RefCell::new(command_bytes.clone())));
  92. self.write_commands();
  93. };
  94. if !command_bytes.iter().all(|&byte| byte == b' ') {
  95. self.exec_commands_in_line(&command_bytes);
  96. }
  97. }
  98. }
  99. fn exec_commands_in_line(&mut self, command_bytes: &Vec<u8>) {
  100. let commands = Command::from_strings(String::from_utf8(command_bytes.clone()).unwrap());
  101. commands
  102. .iter()
  103. .for_each(|command| self.exec_command(command));
  104. }
  105. pub fn read_commands(&mut self) {
  106. let mut history = Vec::new();
  107. for line in BufReader::new(match File::open(&self.history_path) {
  108. Ok(file) => file,
  109. Err(_) => File::create(&self.history_path).unwrap(),
  110. })
  111. .lines()
  112. {
  113. match line {
  114. Ok(s) => history.push(Rc::new(RefCell::new(s.into_bytes()))),
  115. Err(_) => {
  116. break;
  117. }
  118. }
  119. }
  120. self.history_commands = history;
  121. }
  122. fn write_commands(&self) {
  123. let mut file = OpenOptions::new()
  124. .write(true)
  125. .truncate(true)
  126. .open("history_commands.txt")
  127. .unwrap();
  128. for command_line in &self.history_commands {
  129. file.write_all(&command_line.borrow()[..]).unwrap();
  130. file.write_all(&[SpecialKeycode::LF.into()]).unwrap();
  131. }
  132. }
  133. fn read_char() -> u8 {
  134. let mut buf: [u8; 1] = [0];
  135. std::io::stdin().read(&mut buf).expect("read char error");
  136. buf[0]
  137. }
  138. fn readline(&mut self) -> usize {
  139. let mut stdout = std::io::stdout();
  140. self.history_commands.push(Rc::clone(&self.printer.buf));
  141. let mut command_index = self.history_commands.len() - 1;
  142. loop {
  143. let key = Self::read_char();
  144. if let Ok(special_key) = SpecialKeycode::try_from(key) {
  145. match special_key {
  146. SpecialKeycode::FunctionKeyPrefix => {
  147. let key = Self::read_char();
  148. let function_key = FunctionKeySuffix::try_from(key).unwrap();
  149. match function_key {
  150. FunctionKeySuffix::Up => {
  151. if command_index > 0 {
  152. command_index -= 1;
  153. self.printer.change_line(
  154. self.history_commands.get(command_index).unwrap(),
  155. );
  156. }
  157. }
  158. FunctionKeySuffix::Down => {
  159. if command_index < self.history_commands.len() - 1 {
  160. command_index += 1;
  161. self.printer.change_line(
  162. self.history_commands.get(command_index).unwrap(),
  163. );
  164. }
  165. }
  166. FunctionKeySuffix::Left => {
  167. self.printer.cursor_left();
  168. }
  169. FunctionKeySuffix::Right => {
  170. self.printer.cursor_right();
  171. }
  172. FunctionKeySuffix::Home => {
  173. self.printer.home();
  174. }
  175. FunctionKeySuffix::End => {
  176. self.printer.end();
  177. }
  178. }
  179. }
  180. SpecialKeycode::LF | SpecialKeycode::CR => {
  181. println!();
  182. self.history_commands.pop();
  183. return 1;
  184. }
  185. SpecialKeycode::BackSpace => {
  186. self.printer.backspace();
  187. }
  188. SpecialKeycode::Delete => {
  189. self.printer.delete(1);
  190. }
  191. SpecialKeycode::Tab => {
  192. let mut buf = self.printer.buf.deref().borrow().clone();
  193. buf.truncate(self.printer.cursor);
  194. let str = String::from_utf8(buf.clone()).unwrap();
  195. if buf.len() == 0 || buf.iter().all(|byte| *byte == b' ') {
  196. return 1;
  197. }
  198. let iter = str.chars();
  199. let mut fragments: Vec<String> = Vec::new();
  200. let mut stack: String = String::with_capacity(str.len());
  201. let mut left_quote: char = ' ';
  202. for ch in iter {
  203. //存在未闭合的左引号,此时包括空格的任何字符都加入栈中,直到匹配到右引号
  204. if left_quote != ' ' {
  205. if ch == left_quote {
  206. left_quote = ' ';
  207. }
  208. stack.push(ch);
  209. } else {
  210. //不存在未闭合的左引号
  211. if ch == '\'' || ch == '\"' {
  212. //字符为引号,记录下来
  213. left_quote = ch;
  214. stack.push(ch);
  215. } else if ch == ' ' {
  216. if !stack.is_empty() {
  217. //字符为空格且栈中不为空,该空格视作命令段之间的分割线
  218. //将栈中字符作为一个命令段加入集合,之后重置栈
  219. fragments.push(stack.to_string());
  220. stack.clear();
  221. }
  222. } else {
  223. //其他字符都作为普通字符加入栈中
  224. stack.push(ch);
  225. }
  226. }
  227. }
  228. //结束时如果栈不为空
  229. if !stack.is_empty() {
  230. fragments.push(stack.to_string());
  231. } else {
  232. //结束时如果栈为空,说明光标左边的字符不属于任何命令片段,无法进行补全
  233. return 1;
  234. }
  235. let mut target_fragment = fragments.last().unwrap().clone();
  236. target_fragment = target_fragment.replace("\'", "").replace("\"", "");
  237. let (prefix, candidates) = if fragments.len() < 2 {
  238. //补全命令
  239. complete_command(&target_fragment)
  240. } else {
  241. //补全参数
  242. complete_path(&target_fragment)
  243. };
  244. match candidates.len() {
  245. 1 => {
  246. let old_fragment = fragments.last().unwrap();
  247. let candidate = candidates.last().unwrap();
  248. self.printer.cursor -= old_fragment.len();
  249. self.printer.flush_cursor();
  250. self.printer.delete(old_fragment.len());
  251. self.printer
  252. .insert(format!("{}{}", prefix, candidate).as_bytes());
  253. }
  254. 2.. => {
  255. let old_cursor = self.printer.cursor;
  256. self.printer.end();
  257. println!();
  258. for candidate in candidates {
  259. print!(
  260. "{}\t",
  261. if candidate.ends_with('/') {
  262. candidate.truecolor(0x00, 0x88, 0xff)
  263. } else {
  264. candidate.white()
  265. }
  266. );
  267. }
  268. println!();
  269. self.printer.print_prompt();
  270. Printer::print(&self.printer.buf.deref().borrow());
  271. self.printer.cursor = old_cursor;
  272. self.printer.flush_cursor();
  273. }
  274. _ => {}
  275. }
  276. }
  277. _ => {}
  278. }
  279. } else {
  280. match key {
  281. 1..=31 => {}
  282. c => {
  283. self.printer.insert(&[c]);
  284. }
  285. }
  286. }
  287. stdout.flush().unwrap();
  288. }
  289. }
  290. }
  291. struct Printer {
  292. prompt: Prompt,
  293. buf: Rc<RefCell<Vec<u8>>>,
  294. cursor: usize,
  295. }
  296. impl Printer {
  297. fn new(bytes: &Rc<RefCell<Vec<u8>>>) -> Self {
  298. let len = bytes.deref().borrow().len();
  299. Printer {
  300. prompt: Prompt {
  301. computer_name: "DragonOS".to_string(),
  302. user_name: "root".to_string(),
  303. path: std::env::current_dir()
  304. .expect("Error getting current directory")
  305. .to_str()
  306. .unwrap()
  307. .to_string(),
  308. },
  309. buf: Rc::clone(bytes),
  310. cursor: len,
  311. }
  312. }
  313. fn init_before_readline(&mut self) {
  314. self.buf = Rc::new(RefCell::new(Vec::new()));
  315. self.prompt.update_path();
  316. self.print_prompt();
  317. self.cursor = 0;
  318. self.flush_cursor();
  319. }
  320. fn print_prompt(&self) {
  321. print!("{}", self.prompt);
  322. stdout().flush().unwrap();
  323. }
  324. //在光标处插入字符串
  325. fn insert(&mut self, bytes: &[u8]) {
  326. let mut buf = self.buf.deref().borrow_mut();
  327. // self.delete_to_cursor(buf.len() - cursor);
  328. // print!("{}"," ".repeat(buf.len() - cursor));
  329. Printer::print(bytes);
  330. Printer::print(&buf[self.cursor..]);
  331. buf.splice(self.cursor..self.cursor, bytes.iter().cloned());
  332. self.cursor += bytes.len();
  333. self.flush_cursor();
  334. stdout().flush().unwrap();
  335. }
  336. //删除下标为[cursor,cursor + len)的字符,光标位置不变
  337. fn delete(&self, len: usize) {
  338. let cursor = self.cursor;
  339. let mut buf = self.buf.deref().borrow_mut();
  340. if cursor + len - 1 < buf.len() {
  341. Printer::print(&buf[cursor + len..]);
  342. print!("{}", " ".repeat(len));
  343. self.flush_cursor();
  344. buf.drain(cursor..cursor + len);
  345. stdout().flush().unwrap();
  346. }
  347. }
  348. fn backspace(&mut self) {
  349. if self.cursor > 0 {
  350. crossterm::execute!(io::stdout(), crossterm::cursor::MoveLeft(1)).unwrap();
  351. self.cursor -= 1;
  352. self.flush_cursor();
  353. self.delete(1);
  354. }
  355. }
  356. fn flush_cursor(&self) {
  357. crossterm::execute!(
  358. io::stdout(),
  359. crossterm::cursor::MoveToColumn((self.cursor + self.prompt.len()) as u16)
  360. )
  361. .unwrap();
  362. }
  363. fn cursor_left(&mut self) {
  364. if self.cursor > 0 {
  365. crossterm::execute!(io::stdout(), crossterm::cursor::MoveLeft(1)).unwrap();
  366. self.cursor -= 1;
  367. }
  368. }
  369. fn cursor_right(&mut self) {
  370. let buf = self.buf.deref().borrow();
  371. if self.cursor < buf.len() {
  372. crossterm::execute!(io::stdout(), crossterm::cursor::MoveRight(1)).unwrap();
  373. self.cursor += 1;
  374. }
  375. }
  376. fn home(&mut self) {
  377. self.cursor = 0;
  378. self.flush_cursor();
  379. }
  380. fn end(&mut self) {
  381. self.cursor = self.buf.deref().borrow().len();
  382. self.flush_cursor();
  383. }
  384. fn change_line(&mut self, new_buf: &Rc<RefCell<Vec<u8>>>) {
  385. let old_buf_borrow = self.buf.deref().borrow();
  386. let new_buf_borrow = new_buf.deref().borrow();
  387. self.cursor = 0;
  388. self.flush_cursor();
  389. Printer::print(&new_buf_borrow[..]);
  390. self.cursor = new_buf_borrow.len();
  391. if new_buf_borrow.len() < old_buf_borrow.len() {
  392. print!(
  393. "{}",
  394. " ".repeat(old_buf_borrow.len() - new_buf_borrow.len())
  395. );
  396. self.flush_cursor();
  397. }
  398. drop(old_buf_borrow);
  399. drop(new_buf_borrow);
  400. self.buf = Rc::clone(new_buf);
  401. stdout().flush().unwrap();
  402. }
  403. fn print(bytes: &[u8]) {
  404. print!("{}", String::from_utf8(bytes.to_vec()).unwrap());
  405. }
  406. }
  407. // 测试终端颜色显示效果
  408. #[allow(dead_code)]
  409. pub fn _print_color_example() {
  410. let example = "abcdefghijklmnopqrstuvwxyz";
  411. println!("{}", example.bright_black());
  412. println!("{}", example.bright_blue());
  413. println!("{}", example.bright_cyan());
  414. println!("{}", example.bright_green());
  415. println!("{}", example.bright_magenta());
  416. println!("{}", example.bright_purple());
  417. println!("{}", example.bright_red());
  418. println!("{}", example.bright_white());
  419. println!("{}", example.bright_yellow());
  420. println!("{}", example.black());
  421. println!("{}", example.blue());
  422. println!("{}", example.cyan());
  423. println!("{}", example.green());
  424. println!("{}", example.magenta());
  425. println!("{}", example.purple());
  426. println!("{}", example.red());
  427. println!("{}", example.white());
  428. println!("{}", example.yellow());
  429. }
  430. pub fn complete_command(command: &str) -> (&str, Vec<String>) {
  431. let mut candidates: Vec<String> = Vec::new();
  432. for BuildInCmd(cmd) in BuildInCmd::BUILD_IN_CMD {
  433. if cmd.starts_with(command) {
  434. candidates.push(String::from(*cmd));
  435. }
  436. }
  437. ("", candidates)
  438. }
  439. pub fn complete_path(incomplete_path: &str) -> (&str, Vec<String>) {
  440. let mut candidates: Vec<String> = Vec::new();
  441. let mut dir = "";
  442. let incomplete_name: &str;
  443. if let Some(index) = incomplete_path.rfind('/') {
  444. dir = &incomplete_path[..=index];
  445. incomplete_name = &incomplete_path[index + 1..];
  446. } else {
  447. incomplete_name = incomplete_path;
  448. }
  449. if let Ok(read_dir) = fs::read_dir(if dir.is_empty() { "." } else { dir }) {
  450. // if incomplete_name == "" {
  451. // for entry in read_dir {
  452. // let entry = entry.unwrap();
  453. // let mut file_name = entry.file_name().into_string().unwrap();
  454. // if entry.file_type().unwrap().is_dir() {
  455. // file_name.push('/');
  456. // }
  457. // candidates.push(file_name);
  458. // }
  459. // } else {
  460. for entry in read_dir {
  461. let entry = entry.unwrap();
  462. let mut file_name = entry.file_name().into_string().unwrap();
  463. if file_name.starts_with(incomplete_name) {
  464. if file_name.contains(' ') {
  465. file_name = format!("\'{}\'", file_name);
  466. }
  467. if entry.file_type().unwrap().is_dir() {
  468. file_name.push('/');
  469. }
  470. candidates.push(file_name);
  471. }
  472. }
  473. // }
  474. }
  475. return (dir, candidates);
  476. }