mod.rs 17 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491
  1. use help::Help;
  2. use path_clean::PathClean;
  3. use regex::{Captures, Regex};
  4. use std::{format, fs::File, io::Read, path::Path, print, println};
  5. use crate::env::{Env, ROOT_PATH};
  6. use crate::shell::Shell;
  7. mod help;
  8. #[derive(Debug, PartialEq, Eq, Clone)]
  9. enum CommandType {
  10. InternalCommand(BuildInCmd),
  11. ExternalCommand(String),
  12. }
  13. #[derive(Debug, PartialEq, Eq, Clone)]
  14. pub struct Command {
  15. args: Vec<String>,
  16. cmd_type: CommandType,
  17. run_backend: bool,
  18. }
  19. #[allow(dead_code)]
  20. #[derive(Debug, PartialEq, Eq, Clone)]
  21. pub enum CommandError {
  22. CommandNotFound(String),
  23. InvalidArgument(String),
  24. WrongArgumentCount(usize),
  25. EnvironmentVariableNotFound(String),
  26. PathNotFound(String),
  27. FileNotFound(String),
  28. DirectoryNotFound(String),
  29. NotDirectory(String),
  30. NotFile(String),
  31. UnclosedQuotation(usize),
  32. UnableGetArg,
  33. EmptyCommand,
  34. }
  35. impl CommandError {
  36. pub fn handle(e: CommandError) {
  37. match e {
  38. CommandError::CommandNotFound(command) => {
  39. println!("cannot find command: {}", command)
  40. }
  41. CommandError::InvalidArgument(argument) => {
  42. println!("invalid argument: {}", argument)
  43. }
  44. CommandError::WrongArgumentCount(count) => {
  45. println!("argument count incorrect: {}", count)
  46. }
  47. CommandError::EnvironmentVariableNotFound(env) => {
  48. println!("environment variable not found: {}", env);
  49. }
  50. CommandError::PathNotFound(path) => {
  51. println!("cannot found file or dirctory: {}", path)
  52. }
  53. CommandError::FileNotFound(path) => {
  54. println!("cannot found file: {}", path)
  55. }
  56. CommandError::DirectoryNotFound(path) => {
  57. println!("cannot found dirctory: {}", path)
  58. }
  59. CommandError::NotDirectory(path) => {
  60. println!("path is not a dirctory: {}", path)
  61. }
  62. CommandError::NotFile(path) => {
  63. println!("path is not a file: {}", path)
  64. }
  65. CommandError::UnclosedQuotation(index) => {
  66. println!("command exists unclosed quotation at index: {}", index)
  67. }
  68. CommandError::UnableGetArg => {
  69. println!("unable to get argument")
  70. }
  71. CommandError::EmptyCommand => println!("try to construct an empty command"),
  72. }
  73. }
  74. }
  75. impl Command {
  76. fn new(name: String, args: Vec<String>, run_backend: bool) -> Result<Command, CommandError> {
  77. for BuildInCmd(cmd) in BuildInCmd::BUILD_IN_CMD {
  78. if name == *cmd {
  79. return Ok(Command {
  80. args,
  81. cmd_type: CommandType::InternalCommand(BuildInCmd(cmd)),
  82. run_backend,
  83. });
  84. }
  85. }
  86. return Ok(Command {
  87. args,
  88. cmd_type: CommandType::ExternalCommand(name),
  89. run_backend,
  90. });
  91. }
  92. pub fn parse(str: String) -> Result<Vec<Command>, CommandError> {
  93. let iter = str.chars();
  94. let mut fragments: Vec<String> = Vec::new();
  95. let mut stack: String = String::with_capacity(str.len());
  96. let mut left_quote: char = ' ';
  97. let mut left_quote_index: usize = 0;
  98. let mut commands: Vec<Command> = Vec::new();
  99. for (index, ch) in iter.enumerate() {
  100. //存在未闭合的左引号,此时除能够配对的引号外,任何字符都加入栈中
  101. if left_quote != ' ' {
  102. if ch == left_quote {
  103. left_quote = ' ';
  104. } else {
  105. stack.push(ch);
  106. }
  107. } else {
  108. //不存在未闭合的左引号
  109. if ch == '\'' || ch == '\"' {
  110. //字符为引号,记录下来
  111. left_quote = ch;
  112. left_quote_index = index;
  113. } else if ch == ' ' && !stack.is_empty() {
  114. //字符为空格且栈中不为空,该空格视作命令段之间的分割线
  115. //将栈中字符作为一个命令段加入集合,之后重置栈
  116. fragments.push(stack.to_string());
  117. stack.clear();
  118. } else if ch == ';' || ch == '&' {
  119. // ;和&视作命令之间的分隔,且&标志命令后台运行
  120. // 使用命令段构造一条命令
  121. if !stack.is_empty() {
  122. fragments.push(stack.to_string());
  123. stack.clear();
  124. }
  125. if !fragments.is_empty() {
  126. match Self::build_command_from_fragments(&fragments, ch == '&') {
  127. Ok(command) => commands.push(command),
  128. Err(e) => return Err(e),
  129. }
  130. }
  131. fragments.clear();
  132. } else {
  133. //其他字符都作为普通字符加入栈中
  134. stack.push(ch);
  135. }
  136. }
  137. }
  138. //结束时如果栈不为空
  139. if !stack.is_empty() {
  140. if left_quote == ' ' {
  141. //不存在未闭合的引号,将栈中剩余内容作为命令段加入集合,并构造命令
  142. fragments.push(stack.to_string());
  143. match Self::build_command_from_fragments(&fragments, false) {
  144. Ok(command) => commands.push(command),
  145. Err(e) => return Err(e),
  146. }
  147. } else {
  148. //存在未闭合的引号,返回此引号的下标
  149. return Err(CommandError::UnclosedQuotation(left_quote_index));
  150. }
  151. }
  152. Ok(commands)
  153. }
  154. fn build_command_from_fragments(
  155. fragments: &Vec<String>,
  156. run_backend: bool,
  157. ) -> Result<Command, CommandError> {
  158. if fragments.len() == 0 {
  159. return Err(CommandError::EmptyCommand);
  160. }
  161. let mut iter = fragments.into_iter();
  162. let name = iter.next().unwrap();
  163. let re: Regex = Regex::new(r"\$[\w_]+").unwrap();
  164. let replacement = |caps: &Captures| -> String {
  165. match Env::get(&String::from(&caps[0][1..])) {
  166. Some(entry) => entry.origin().clone(),
  167. None => String::from(&caps[0]),
  168. }
  169. };
  170. let mut args: Vec<String> = Vec::new();
  171. for arg in iter.collect::<Vec<&String>>().iter() {
  172. let arg = re.replace_all(arg.as_str(), &replacement).to_string();
  173. match re.captures(arg.as_str()) {
  174. Some(caps) => {
  175. return Err(CommandError::EnvironmentVariableNotFound(String::from(
  176. caps.get(0).unwrap().as_str(),
  177. )))
  178. }
  179. None => args.push(arg),
  180. }
  181. }
  182. Command::new(name.clone(), args, run_backend)
  183. }
  184. }
  185. #[derive(Debug, PartialEq, Eq, Clone)]
  186. pub struct BuildInCmd(pub &'static str);
  187. impl BuildInCmd {
  188. pub const BUILD_IN_CMD: &'static [BuildInCmd] = &[
  189. BuildInCmd("cd"),
  190. BuildInCmd("exec"),
  191. BuildInCmd("reboot"),
  192. BuildInCmd("free"),
  193. BuildInCmd("help"),
  194. BuildInCmd("export"),
  195. BuildInCmd("compgen"),
  196. BuildInCmd("complete"),
  197. ];
  198. }
  199. impl Shell {
  200. pub fn exec_internal_command(
  201. &mut self,
  202. cmd: &str,
  203. args: &Vec<String>,
  204. ) -> Result<(), CommandError> {
  205. match cmd {
  206. "cd" => self.shell_cmd_cd(args),
  207. "exec" => self.shell_cmd_exec(args),
  208. "reboot" => self.shell_cmd_reboot(args),
  209. "free" => self.shell_cmd_free(args),
  210. "help" => self.shell_cmd_help(args),
  211. "export" => self.shell_cmd_export(args),
  212. "compgen" => self.shell_cmd_compgen(args),
  213. "complete" => self.shell_cmd_complete(args),
  214. _ => Err(CommandError::CommandNotFound(String::from(cmd))),
  215. }
  216. }
  217. pub fn exec_external_command(&mut self, path: String, args: &Vec<String>) {
  218. let mut full_args = args.clone();
  219. full_args.insert(0, path.clone());
  220. self.shell_cmd_exec(&full_args).unwrap_or_else(|e| {
  221. let err = match e {
  222. CommandError::FileNotFound(rp) => CommandError::CommandNotFound(rp),
  223. _ => e,
  224. };
  225. CommandError::handle(err);
  226. })
  227. }
  228. pub fn exec_command(&mut self, mut command: Command) {
  229. if command.run_backend {
  230. command.args.push("&".to_string());
  231. }
  232. match &command.cmd_type {
  233. CommandType::ExternalCommand(path) => {
  234. self.exec_external_command(path.to_string(), &command.args);
  235. }
  236. CommandType::InternalCommand(BuildInCmd(cmd)) => {
  237. match self.exec_internal_command(cmd, &command.args) {
  238. Ok(_) => {}
  239. Err(e) => CommandError::handle(e),
  240. }
  241. if command.args.contains(&String::from("--help")) {
  242. Help::shell_help(cmd);
  243. }
  244. }
  245. }
  246. }
  247. fn shell_cmd_cd(&mut self, args: &Vec<String>) -> Result<(), CommandError> {
  248. let path = match args.len() {
  249. 0 => String::from(ROOT_PATH),
  250. 1 => self.is_dir(args.get(0).unwrap())?,
  251. _ => return Err(CommandError::WrongArgumentCount(args.len())),
  252. };
  253. self.chdir(&path);
  254. Ok(())
  255. }
  256. pub fn shell_cmd_exec(&mut self, args: &Vec<String>) -> Result<(), CommandError> {
  257. if args.len() <= 0 {
  258. return Err(CommandError::WrongArgumentCount(args.len()));
  259. }
  260. let path = args.get(0).unwrap();
  261. let real_path = match Env::search_path_from_env(path) {
  262. Some(str) => str,
  263. None => return Err(CommandError::FileNotFound(path.clone())),
  264. };
  265. // 如果文件不存在,返回错误
  266. if !Path::new(&real_path).is_file() {
  267. // println!("{}: command not found", real_path);
  268. return Err(CommandError::NotFile(real_path.clone()));
  269. }
  270. let mut args = args.split_first().unwrap().1;
  271. let run_backend = if let Some(last) = args.last() {
  272. if last == "&" {
  273. args = &args[..args.len() - 1];
  274. true
  275. } else {
  276. false
  277. }
  278. } else {
  279. false
  280. };
  281. crossterm::terminal::disable_raw_mode().expect("failed to disable raw mode");
  282. let mut child = std::process::Command::new(real_path)
  283. .args(args)
  284. .current_dir(Env::current_dir())
  285. .envs(Env::get_all())
  286. .spawn()
  287. .expect("Failed to execute command");
  288. if !run_backend {
  289. unsafe {
  290. libc::tcsetpgrp(libc::STDIN_FILENO, child.id() as i32);
  291. let _ = child.wait();
  292. libc::tcsetpgrp(libc::STDIN_FILENO, std::process::id() as i32);
  293. };
  294. } else {
  295. self.add_backend_task(child);
  296. }
  297. crossterm::terminal::enable_raw_mode().expect("failed to enable raw mode");
  298. return Ok(());
  299. }
  300. fn shell_cmd_reboot(&self, args: &Vec<String>) -> Result<(), CommandError> {
  301. if args.len() == 0 {
  302. unsafe { libc::syscall(libc::SYS_reboot, 0, 0, 0, 0, 0, 0) };
  303. return Ok(());
  304. } else {
  305. return Err(CommandError::WrongArgumentCount(args.len()));
  306. }
  307. }
  308. fn shell_cmd_free(&self, args: &Vec<String>) -> Result<(), CommandError> {
  309. if args.len() == 1 && args.get(0).unwrap() != "-m" {
  310. return Err(CommandError::InvalidArgument(
  311. args.get(0).unwrap().to_string(),
  312. ));
  313. }
  314. struct Mstat {
  315. total: u64, // 计算机的总内存数量大小
  316. used: u64, // 已使用的内存大小
  317. free: u64, // 空闲物理页所占的内存大小
  318. shared: u64, // 共享的内存大小
  319. cache_used: u64, // 位于slab缓冲区中的已使用的内存大小
  320. cache_free: u64, // 位于slab缓冲区中的空闲的内存大小
  321. available: u64, // 系统总空闲内存大小(包括kmalloc缓冲区)
  322. }
  323. let mut mst = Mstat {
  324. total: 0,
  325. used: 0,
  326. free: 0,
  327. shared: 0,
  328. cache_used: 0,
  329. cache_free: 0,
  330. available: 0,
  331. };
  332. let mut info_file = File::open("/proc/meminfo").unwrap();
  333. let mut buf: Vec<u8> = Vec::new();
  334. info_file.read_to_end(&mut buf).unwrap();
  335. let str = String::from_utf8(buf).unwrap();
  336. let info = str
  337. .split(&['\n', '\t', ' '])
  338. .filter_map(|str| str.parse::<u64>().ok())
  339. .collect::<Vec<u64>>();
  340. mst.total = *info.get(0).unwrap();
  341. mst.free = *info.get(1).unwrap();
  342. mst.used = mst.total - mst.free;
  343. print!("\ttotal\t\tused\t\tfree\t\tshared\t\tcache_used\tcache_free\tavailable\n");
  344. print!("Mem:\t");
  345. if args.len() == 0 {
  346. print!(
  347. "{}\t\t{}\t\t{}\t\t{}\t\t{}\t\t{}\t\t{}\n",
  348. mst.total,
  349. mst.used,
  350. mst.free,
  351. mst.shared,
  352. mst.cache_used,
  353. mst.cache_free,
  354. mst.available
  355. );
  356. } else {
  357. print!(
  358. "{}\t\t{}\t\t{}\t\t{}\t\t{}\t\t{}\n",
  359. mst.total >> 10,
  360. mst.used >> 10,
  361. mst.free >> 10,
  362. mst.shared >> 10,
  363. mst.cache_used >> 10,
  364. mst.available >> 10
  365. );
  366. }
  367. Ok(())
  368. }
  369. fn shell_cmd_help(&self, args: &Vec<String>) -> Result<(), CommandError> {
  370. if args.len() == 0 {
  371. for BuildInCmd(cmd) in BuildInCmd::BUILD_IN_CMD {
  372. Help::shell_help(cmd)
  373. }
  374. return Ok(());
  375. }
  376. return Err(CommandError::WrongArgumentCount(args.len()));
  377. }
  378. fn shell_cmd_export(&self, args: &Vec<String>) -> Result<(), CommandError> {
  379. if args.len() == 1 {
  380. let pair = args.get(0).unwrap().split('=').collect::<Vec<&str>>();
  381. if pair.len() == 2 && !pair.contains(&"") {
  382. let name = pair.get(0).unwrap().to_string();
  383. let value = pair.get(1).unwrap().to_string();
  384. Env::insert(name, value);
  385. return Ok(());
  386. } else {
  387. return Err(CommandError::InvalidArgument(args.get(0).unwrap().clone()));
  388. }
  389. }
  390. return Err(CommandError::WrongArgumentCount(args.len()));
  391. }
  392. fn shell_cmd_compgen(&self, _args: &Vec<String>) -> Result<(), CommandError> {
  393. //TODO
  394. Ok(())
  395. }
  396. fn shell_cmd_complete(&self, _args: &Vec<String>) -> Result<(), CommandError> {
  397. //TODO
  398. Ok(())
  399. }
  400. fn path_format(&self, path: &String) -> Result<String, CommandError> {
  401. let mut abs_path = path.clone();
  402. if !path.starts_with('/') {
  403. abs_path = format!("{}/{}", Env::current_dir(), path);
  404. }
  405. let path = Path::new(&abs_path).clean();
  406. let mut fmt_path = path.to_str().unwrap().to_string();
  407. let replacement = |_caps: &regex::Captures| -> String { String::from("/") };
  408. let re = regex::Regex::new(r"\/{2,}").unwrap();
  409. fmt_path = re.replace_all(fmt_path.as_str(), replacement).to_string();
  410. return Ok(fmt_path);
  411. }
  412. #[allow(dead_code)]
  413. fn is_file(&self, path_str: &String) -> Result<String, CommandError> {
  414. match self.path_format(path_str) {
  415. Ok(path_str) => {
  416. let path = Path::new(&path_str);
  417. if !path.is_file() {
  418. return Err(CommandError::NotFile(path_str.clone()));
  419. };
  420. Ok(path_str)
  421. }
  422. Err(_) => Err(CommandError::FileNotFound(path_str.clone())),
  423. }
  424. }
  425. #[allow(dead_code)]
  426. fn is_dir(&self, path_str: &String) -> Result<String, CommandError> {
  427. match self.path_format(path_str) {
  428. Ok(path_str) => {
  429. let path = Path::new(&path_str);
  430. if !path.is_dir() {
  431. return Err(CommandError::NotDirectory(path_str.clone()));
  432. };
  433. Ok(path_str)
  434. }
  435. Err(_) => Err(CommandError::DirectoryNotFound(path_str.clone())),
  436. }
  437. }
  438. #[allow(dead_code)]
  439. fn is_file_or_dir(&self, path_str: &String) -> Result<String, CommandError> {
  440. match self.path_format(path_str) {
  441. Ok(path_str) => Ok(path_str),
  442. Err(_) => Err(CommandError::PathNotFound(path_str.clone())),
  443. }
  444. }
  445. }