浏览代码

fix: 补全含根路径时不正确&多项补全显示时光标显示到末尾 (#14)

* fix: 补全含根路径时不正确&多项补全显示时光标显示到末尾
* bugfix: 修复cd时自动解析了符号链接的bug && cd的时候没有切换进程的工作目录的bug

---------

Co-authored-by: longjin <longjin@DragonOS.org>
裕依2439 1 年之前
父节点
当前提交
4d691f966c
共有 4 个文件被更改,包括 152 次插入176 次删除
  1. 2 1
      Cargo.toml
  2. 2 0
      src/main.rs
  3. 117 155
      src/shell/command/mod.rs
  4. 31 20
      src/shell/mod.rs

+ 2 - 1
Cargo.toml

@@ -15,4 +15,5 @@ libc = "0.2"
 num-traits = "0.2"
 num-derive = "0.4"
 num_enum = "0.5.1"
-num_enum_derive = "0.7.1"
+num_enum_derive = "0.7.1"
+path-clean = "1.0.1"

+ 2 - 0
src/main.rs

@@ -1,4 +1,6 @@
 #![allow(non_snake_case)]
+#![feature(core_intrinsics)]
+
 extern crate libc;
 
 #[macro_use]

+ 117 - 155
src/shell/command/mod.rs

@@ -1,5 +1,7 @@
 use help::Help;
+use path_clean::PathClean;
 use regex::{Captures, Regex};
+use std::intrinsics::unlikely;
 use std::io::Read;
 use std::os::unix::ffi::OsStrExt;
 use std::{
@@ -227,37 +229,27 @@ impl Shell {
     }
 
     fn shell_cmd_cd(&mut self, args: &Vec<String>) -> Result<(), CommandError> {
-        if args.len() == 0 {
-            self.set_current_dir(&String::from(ROOT_PATH));
-            return Ok(());
-        }
-        if args.len() == 1 {
-            let mut path = args.get(0).unwrap().clone();
-            match self.is_dir(&path) {
-                Ok(str) => path = str,
-                Err(e) => return Err(e),
-            }
-            self.set_current_dir(&path);
-            return Ok(());
-        }
-        return Err(CommandError::WrongArgumentCount(args.len()));
+        let path = match args.len() {
+            0 => String::from(ROOT_PATH),
+            1 => self.is_dir(args.get(0).unwrap())?,
+            _ => return Err(CommandError::WrongArgumentCount(args.len())),
+        };
+        println!("{}", path);
+        self.chdir(&path);
+        Ok(())
     }
 
     fn shell_cmd_ls(&self, args: &Vec<String>) -> Result<(), CommandError> {
-        let path: String = match args.len() {
-            0 => self.current_dir(),
-            1 => match self.is_dir(args.get(0).unwrap()) {
-                Ok(str) => str,
-                Err(e) => return Err(e),
-            },
+        let path = match args.len() {
+            0 => Self::current_dir(),
+            1 => self.is_dir(args.get(0).unwrap())?,
             _ => return Err(CommandError::WrongArgumentCount(args.len())),
         };
-
-        let dir: fs::ReadDir;
-        match fs::read_dir(Path::new(&path)) {
-            Ok(readdir) => dir = readdir,
+        let dir = match fs::read_dir(Path::new(&path)) {
+            Ok(readdir) => readdir,
             Err(_) => return Err(CommandError::InvalidArgument(path)),
-        }
+        };
+
         for entry in dir {
             let entry = entry.unwrap();
             if entry.file_type().unwrap().is_dir() {
@@ -272,139 +264,108 @@ impl Shell {
             }
         }
         println!();
-        return Ok(());
+        Ok(())
     }
 
     fn shell_cmd_cat(&self, args: &Vec<String>) -> Result<(), CommandError> {
-        if args.len() > 0 {
-            let mut path = args.get(0).unwrap().clone();
-            let mut buf: Vec<u8> = Vec::new();
+        if args.len() <= 0 {
+            return Err(CommandError::WrongArgumentCount(args.len()));
+        }
+        let path = self.is_file(args.get(0).unwrap())?;
+        let mut buf: Vec<u8> = Vec::new();
 
-            match self.is_file(&path) {
-                Ok(str) => path = str,
-                Err(e) => return Err(e),
-            }
+        File::open(path).unwrap().read_to_end(&mut buf).unwrap();
+        if args.len() == 1 {
+            println!("{}", String::from_utf8(buf.clone()).unwrap());
+        }
 
-            File::open(path).unwrap().read_to_end(&mut buf).unwrap();
-            if args.len() == 1 {
-                println!("{}", String::from_utf8(buf.clone()).unwrap());
+        //TODO: 这部分应该放在`Shell`中,所有指令公用
+        if args.len() == 3 {
+            let mut target_path = args.get(2).unwrap().clone();
+            match self.is_file(&target_path) {
+                Ok(str) => target_path = str,
+                Err(e) => return Err(e),
             }
 
-            if args.len() == 3 {
-                let mut target_path = args.get(2).unwrap().clone();
-                match self.is_file(&target_path) {
-                    Ok(str) => target_path = str,
-                    Err(e) => return Err(e),
-                }
-
-                if args[1] == ">" {
-                    match OpenOptions::new().write(true).open(target_path) {
-                        Ok(mut file) => {
-                            file.write_all(&buf).unwrap();
-                        }
-                        Err(e) => print!("{e}"),
+            if args[1] == ">" {
+                match OpenOptions::new().write(true).open(target_path) {
+                    Ok(mut file) => {
+                        file.write_all(&buf).unwrap();
                     }
-                } else if args[1] == ">>" {
-                    match OpenOptions::new().append(true).open(target_path) {
-                        Ok(mut file) => {
-                            file.write_all(&buf).unwrap();
-                        }
-                        Err(e) => print!("{e}"),
+                    Err(e) => print!("{e}"),
+                }
+            } else if args[1] == ">>" {
+                match OpenOptions::new().append(true).open(target_path) {
+                    Ok(mut file) => {
+                        file.write_all(&buf).unwrap();
                     }
+                    Err(e) => print!("{e}"),
                 }
             }
-            return Ok(());
         }
-        return Err(CommandError::WrongArgumentCount(args.len()));
+        Ok(())
     }
 
     fn shell_cmd_touch(&self, args: &Vec<String>) -> Result<(), CommandError> {
-        if args.len() == 1 {
-            let path = args.get(0).unwrap();
-
-            //路径中提取目录和文件名
-            let dir = &path[..path.rfind('/').unwrap_or(0)];
-            let file_name = &path[path.rfind('/').unwrap_or(0)..];
-
-            //判断文件所在目录是否存在
-            match self.is_dir(&dir.to_string()) {
-                Ok(str) => {
-                    let abs_path = format!("{}/{}", str, file_name);
-                    //判断文件是否存在,存在时不操作,不存在时创建文件
-                    if !Path::new(&abs_path).exists() {
-                        File::create(&abs_path).unwrap();
-                    }
-                }
-                Err(e) => {
-                    return Err(e);
-                }
-            };
+        if unlikely(args.len() != 1) {
+            return Err(CommandError::WrongArgumentCount(args.len()));
+        }
+        let path = args.get(0).unwrap();
 
-            return Ok(());
+        //路径中提取目录和文件名
+        let index = path.rfind('/').unwrap_or(0);
+        let dir = &path[..index];
+        let file_name = &path[index..];
+
+        //判断文件所在目录是否存在
+        let str = self.is_dir(&dir.to_string())?;
+        //判断文件是否存在,存在时不操作,不存在时创建文件
+        let abs_path = format!("{}/{}", str, file_name);
+        if !Path::new(&abs_path).exists() {
+            File::create(&abs_path).unwrap();
         }
-        return Err(CommandError::WrongArgumentCount(args.len()));
+        Ok(())
     }
 
     fn shell_cmd_mkdir(&self, args: &Vec<String>) -> Result<(), CommandError> {
-        if args.len() == 1 {
-            let path = args.get(0).unwrap();
-            match fs::create_dir_all(path) {
-                Ok(_) => {}
-                Err(e) => {
-                    print!("{e}")
-                }
-            }
-            return Ok(());
-        } else {
+        if unlikely(args.len() != 1) {
             return Err(CommandError::WrongArgumentCount(args.len()));
         }
+        let path = args.get(0).unwrap();
+        if let Err(e) = fs::create_dir_all(path) {
+            print!("{e}")
+        }
+        Ok(())
     }
 
     fn shell_cmd_rm(&self, args: &Vec<String>) -> Result<(), CommandError> {
-        if args.len() == 1 {
-            let mut path = args.get(0).unwrap().clone();
-            // match fs::remove_file(path) {
-            //     Ok(_) => {}
-            //     Err(e) => {
-            //         print!("{e}")
-            //     }
-            // }
-
-            match self.is_file(&path) {
-                Ok(str) => path = str,
-                Err(e) => return Err(e),
-            }
-
-            let path_cstr = std::ffi::CString::new(path.clone()).unwrap();
-            unsafe {
-                libc::syscall(libc::SYS_unlinkat, 0, path_cstr.as_ptr(), 0, 0, 0, 0);
-            }
-            return Ok(());
+        if unlikely(args.len() != 1) {
+            return Err(CommandError::WrongArgumentCount(args.len()));
         }
-        return Err(CommandError::WrongArgumentCount(args.len()));
+        let path = self.is_file(args.get(0).unwrap())?;
+        let path_cstr = std::ffi::CString::new(path).unwrap();
+        unsafe {
+            libc::syscall(libc::SYS_unlinkat, 0, path_cstr.as_ptr(), 0, 0, 0, 0);
+        }
+        Ok(())
     }
 
     fn shell_cmd_rmdir(&self, args: &Vec<String>) -> Result<(), CommandError> {
-        if args.len() == 1 {
-            let mut path = args.get(0).unwrap().clone();
-            match self.is_dir(&path) {
-                Ok(str) => path = str,
-                Err(e) => return Err(e),
-            }
-
-            let path_cstr = std::ffi::CString::new(path).unwrap();
-            unsafe { libc::unlinkat(0, path_cstr.as_ptr(), libc::AT_REMOVEDIR) };
-            return Ok(());
+        if unlikely(args.len() != 1) {
+            return Err(CommandError::WrongArgumentCount(args.len()));
         }
-        return Err(CommandError::WrongArgumentCount(args.len()));
+        let path = self.is_dir(args.get(0).unwrap())?;
+        let path_cstr = std::ffi::CString::new(path).unwrap();
+        unsafe { libc::unlinkat(0, path_cstr.as_ptr(), libc::AT_REMOVEDIR) };
+        Ok(())
     }
 
     fn shell_cmd_pwd(&self, args: &Vec<String>) -> Result<(), CommandError> {
-        if args.len() == 0 {
-            println!("{}", self.current_dir());
-            return Ok(());
+        if unlikely(args.len() != 0) {
+            return Err(CommandError::WrongArgumentCount(args.len()));
         }
-        return Err(CommandError::WrongArgumentCount(args.len()));
+        println!("{}", Self::current_dir());
+        Ok(())
     }
 
     fn shell_cmd_cp(&self, args: &Vec<String>) -> Result<(), CommandError> {
@@ -443,16 +404,16 @@ impl Shell {
     }
 
     pub fn shell_cmd_exec(&self, args: &Vec<String>) -> Result<(), CommandError> {
-        // println!("shell_cmd_exec: {:?}", args);
-        let mut args = args.clone();
-        if args.len() <= 0 {
+        if unlikely(args.len() <= 0) {
             return Err(CommandError::WrongArgumentCount(args.len()));
         }
         let path = args.get(0).unwrap();
+        //在环境变量中搜索
+        //TODO: 放在一个函数里来实现
         let mut real_path = String::new();
         if !path.contains('/') {
             let mut dir_collection = Env::path();
-            dir_collection.insert(0, self.current_dir());
+            dir_collection.insert(0, Self::current_dir());
             for dir in dir_collection {
                 let possible_path = format!("{}/{}", dir, path);
                 if Path::new(&possible_path).is_file() {
@@ -470,6 +431,7 @@ impl Shell {
             }
         }
 
+        let mut args = args.clone();
         // 如果文件不存在,返回错误
         if !Path::new(&real_path).is_file() {
             // println!("{}: command not found", real_path);
@@ -518,13 +480,13 @@ impl Shell {
                 println!("{str}");
             }
 
+            //TODO: 和`cat`中的一样,应放在`Shell`中
             if args.len() == 3 {
                 let mut target_path = args.get(2).unwrap().clone();
                 match self.is_file(&target_path) {
                     Ok(str) => target_path = str,
                     Err(e) => return Err(e),
                 }
-
                 if args[1] == ">" {
                     match OpenOptions::new().write(true).open(target_path) {
                         Ok(mut file) => {
@@ -623,23 +585,22 @@ impl Shell {
     }
 
     fn shell_cmd_kill(&self, args: &Vec<String>) -> Result<(), CommandError> {
-        if args.len() == 1 {
-            let pid: i32;
-            match args.get(0).unwrap().parse::<i32>() {
-                Ok(x) => pid = x,
-                Err(_) => {
-                    return Err(CommandError::InvalidArgument(
-                        args.get(0).unwrap().to_string(),
-                    ))
-                }
-            }
-            unsafe {
-                libc::kill(pid, libc::SIGTERM);
-            }
-            return Ok(());
-        } else {
+        if unlikely(args.len() != 1) {
             return Err(CommandError::WrongArgumentCount(args.len()));
         }
+
+        let pid = match args.get(0).unwrap().parse::<i32>() {
+            Ok(x) => x,
+            Err(_) => {
+                return Err(CommandError::InvalidArgument(
+                    args.get(0).unwrap().to_string(),
+                ))
+            }
+        };
+        unsafe {
+            libc::kill(pid, libc::SIGTERM);
+        }
+        Ok(())
     }
 
     fn shell_cmd_help(&self, args: &Vec<String>) -> Result<(), CommandError> {
@@ -681,27 +642,26 @@ impl Shell {
     }
 
     fn shell_cmd_compgen(&self, _args: &Vec<String>) -> Result<(), CommandError> {
+        //TODO
         Ok(())
     }
 
     fn shell_cmd_complete(&self, _args: &Vec<String>) -> Result<(), CommandError> {
+        //TODO
         Ok(())
     }
 
     fn path_format(&self, path: &String) -> Result<String, CommandError> {
         let mut abs_path = path.clone();
         if !path.starts_with('/') {
-            abs_path = format!("{}/{}", self.current_dir(), path);
-        }
-        if let Ok(path) = Path::new(&abs_path).canonicalize() {
-            let mut fmt_path = path.to_str().unwrap().to_string();
-            let replacement = |_caps: &regex::Captures| -> String { String::from("/") };
-            let re = regex::Regex::new(r"\/{2,}").unwrap();
-            fmt_path = re.replace_all(fmt_path.as_str(), replacement).to_string();
-            return Ok(fmt_path);
-        } else {
-            return Err(CommandError::PathNotFound(path.clone()));
-        }
+            abs_path = format!("{}/{}", Self::current_dir(), path);
+        }
+        let path = Path::new(&abs_path).clean();
+        let mut fmt_path = path.to_str().unwrap().to_string();
+        let replacement = |_caps: &regex::Captures| -> String { String::from("/") };
+        let re = regex::Regex::new(r"\/{2,}").unwrap();
+        fmt_path = re.replace_all(fmt_path.as_str(), replacement).to_string();
+        return Ok(fmt_path);
     }
 
     fn is_file(&self, path_str: &String) -> Result<String, CommandError> {
@@ -720,7 +680,9 @@ impl Shell {
     fn is_dir(&self, path_str: &String) -> Result<String, CommandError> {
         match self.path_format(path_str) {
             Ok(path_str) => {
+                println!("{}", path_str);
                 let path = Path::new(&path_str);
+                println!("{:?}", path);
                 if !path.is_dir() {
                     return Err(CommandError::NotDirectory(path_str.clone()));
                 };

+ 31 - 20
src/shell/mod.rs

@@ -1,12 +1,13 @@
 use std::{
     fs::{self, File, OpenOptions},
     io::{self, BufRead, BufReader, Write},
+    path::Path,
     print,
     string::String,
     vec::Vec,
 };
 
-use crate::{Env, SpecialKeycode};
+use crate::SpecialKeycode;
 
 use command::{BuildInCmd, Command};
 
@@ -15,7 +16,6 @@ pub mod command;
 pub struct Shell {
     history_commands: Vec<Vec<u8>>,
     executed_commands: Vec<Vec<u8>>,
-    current_dir: String,
 }
 
 impl Shell {
@@ -23,19 +23,24 @@ impl Shell {
         let mut shell = Shell {
             history_commands: Vec::new(),
             executed_commands: Vec::new(),
-            current_dir: String::from("/"),
         };
         shell.read_commands();
         shell
     }
 
-    pub fn current_dir(&self) -> String {
-        self.current_dir.clone()
+    pub fn current_dir() -> String {
+        std::env::current_dir()
+            .expect("Error getting current directory")
+            .to_str()
+            .unwrap()
+            .to_string()
     }
 
-    pub fn set_current_dir(&mut self, new_dir: &String) {
-        self.current_dir = new_dir.clone();
-        Env::insert(String::from("PWD"), self.current_dir());
+    pub fn chdir(&mut self, new_dir: &String) {
+        let path = Path::new(&new_dir);
+        if let Err(e) = std::env::set_current_dir(&path) {
+            eprintln!("Error changing directory: {}", e);
+        }
     }
 
     pub fn exec(&mut self) {
@@ -44,7 +49,7 @@ impl Shell {
             buf = Vec::new();
             buf.push(b' ');
             self.history_commands.push(buf);
-            Printer::print_prompt(&self.current_dir);
+            Printer::print_prompt(&Self::current_dir());
             if self.readline(0) == 0 {
                 println!();
                 break;
@@ -107,12 +112,11 @@ impl Shell {
 
     fn readline(&mut self, _fd: usize) -> usize {
         let mut stdout = std::io::stdout();
-        let prompt: String = self.current_dir.clone();
-        let history_commands = &mut self.history_commands;
-        let len = history_commands.len() - 1;
+        let prompt: String = Self::current_dir().clone();
+        let len = self.history_commands.len() - 1;
         let mut key: [u8; 1] = [0];
         let mut command_index = len;
-        let mut buf = history_commands.get_mut(command_index).unwrap();
+        let mut buf = self.history_commands.get_mut(command_index).unwrap();
         let mut cursor = 0;
 
         Printer::print_cursor(b' ');
@@ -133,7 +137,7 @@ impl Shell {
                                     command_index -= 1;
                                 }
                                 let old_length = buf.len();
-                                buf = history_commands.get_mut(command_index).unwrap();
+                                buf = self.history_commands.get_mut(command_index).unwrap();
                                 Printer::replace(&buf, old_length);
                                 cursor = buf.len() - 1;
                             }
@@ -143,7 +147,7 @@ impl Shell {
                                     command_index += 1;
                                 }
                                 let old_length = buf.len();
-                                buf = history_commands.get_mut(command_index).unwrap();
+                                buf = self.history_commands.get_mut(command_index).unwrap();
                                 Printer::replace(&buf, old_length);
                                 cursor = buf.len() - 1;
                             }
@@ -175,10 +179,11 @@ impl Shell {
                     }
 
                     SpecialKeycode::LF | SpecialKeycode::CR => {
+                        // println!("buf:{:?}\tcursor:{}\tbuf.len():{}", buf, cursor, buf.len());
                         Printer::set_cursor(buf, cursor, buf.len());
                         println!();
                         let mut command = buf.clone();
-                        buf = history_commands.get_mut(len).unwrap();
+                        buf = self.history_commands.get_mut(len).unwrap();
                         buf.clear();
                         buf.append(&mut command);
 
@@ -217,8 +222,8 @@ impl Shell {
                                         incomplete_len = incomplete_frag.len();
                                     }
                                     Printer::complete_path(
-                                        format!("{}/{}", self.current_dir, incomplete_frag)
-                                            .as_str(),
+                                        Self::current_dir().as_str(),
+                                        incomplete_frag,
                                     )
                                 }
                                 _ => Vec::new(),
@@ -258,6 +263,7 @@ impl Shell {
                                     Printer::print_prompt(&prompt);
                                     Printer::print(&buf[..buf.len() - 1]);
                                     Printer::print_cursor(b' ');
+                                    Printer::set_cursor(buf, buf.len(), cursor);
                                 }
                                 _ => {}
                             }
@@ -369,8 +375,13 @@ impl Printer {
         candidates
     }
 
-    fn complete_path(path: &str) -> Vec<String> {
-        // println!("{}", path);
+    fn complete_path(current_dir: &str, incomplete_path: &str) -> Vec<String> {
+        let path = if incomplete_path.starts_with('/') {
+            String::from(incomplete_path)
+        } else {
+            format!("{}/{}", current_dir, incomplete_path)
+        };
+
         let mut candidates: Vec<String> = Vec::new();
         let dir: &str;
         let incomplete_name: &str;