mod.rs 27 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788
  1. use help::Help;
  2. use path_clean::PathClean;
  3. use regex::{Captures, Regex};
  4. use std::intrinsics::unlikely;
  5. use std::io::Read;
  6. use std::os::unix::ffi::OsStrExt;
  7. use std::{
  8. format,
  9. fs::{self, File, OpenOptions},
  10. io::Write,
  11. path::Path,
  12. print, println,
  13. string::String,
  14. vec::Vec,
  15. };
  16. use crate::env::{Env, ENV_FILE_PATH, ROOT_PATH};
  17. use crate::shell::Shell;
  18. mod help;
  19. #[derive(Debug, PartialEq, Eq, Clone)]
  20. enum CommandType {
  21. InternalCommand(BuildInCmd),
  22. ExternalCommand(String),
  23. }
  24. #[derive(Debug, PartialEq, Eq, Clone)]
  25. pub struct Command {
  26. args: Vec<String>,
  27. cmd_type: CommandType,
  28. }
  29. #[derive(Debug, PartialEq, Eq, Clone)]
  30. pub enum CommandError {
  31. CommandNotFound(String),
  32. InvalidArgument(String),
  33. WrongArgumentCount(usize),
  34. EnvironmentVariableNotFound(String),
  35. PathNotFound(String),
  36. FileNotFound(String),
  37. DirectoryNotFound(String),
  38. NotDirectory(String),
  39. NotFile(String),
  40. UnclosedQuotation(usize),
  41. UnableGetArg,
  42. }
  43. impl CommandError {
  44. pub fn handle(e: CommandError) {
  45. match e {
  46. CommandError::CommandNotFound(command) => {
  47. println!("cannot find command: {}", command)
  48. }
  49. CommandError::InvalidArgument(argument) => {
  50. println!("invalid argument: {}", argument)
  51. }
  52. CommandError::WrongArgumentCount(count) => {
  53. println!("argument count incorrect: {}", count)
  54. }
  55. CommandError::EnvironmentVariableNotFound(env) => {
  56. println!("environment variable not found: {}", env);
  57. }
  58. CommandError::PathNotFound(path) => {
  59. println!("cannot found file or dirctory: {}", path)
  60. }
  61. CommandError::FileNotFound(path) => {
  62. println!("cannot found file: {}", path)
  63. }
  64. CommandError::DirectoryNotFound(path) => {
  65. println!("cannot found dirctory: {}", path)
  66. }
  67. CommandError::NotDirectory(path) => {
  68. println!("path is not a dirctory: {}", path)
  69. }
  70. CommandError::NotFile(path) => {
  71. println!("path is not a file: {}", path)
  72. }
  73. CommandError::UnclosedQuotation(index) => {
  74. println!("command exists unclosed quotation at index: {}", index)
  75. }
  76. CommandError::UnableGetArg => {
  77. println!("unable to get argument")
  78. }
  79. }
  80. }
  81. }
  82. impl Command {
  83. fn new(name: String, args: Vec<String>) -> Result<Command, CommandError> {
  84. for BuildInCmd(cmd) in BuildInCmd::BUILD_IN_CMD {
  85. if name == *cmd {
  86. return Ok(Command {
  87. args,
  88. cmd_type: CommandType::InternalCommand(BuildInCmd(cmd)),
  89. });
  90. }
  91. }
  92. return Ok(Command {
  93. args,
  94. cmd_type: CommandType::ExternalCommand(name),
  95. });
  96. }
  97. fn parse_command_into_fragments(str: String) -> Result<Vec<String>, usize> {
  98. let iter = str.chars();
  99. let mut fragments: Vec<String> = Vec::new();
  100. let mut stack: String = String::with_capacity(str.len());
  101. let mut left_quote: char = ' ';
  102. let mut left_quote_index: usize = 0;
  103. for (index, ch) in iter.enumerate() {
  104. //存在未闭合的左引号,此时除能够配对的引号外,任何字符都加入栈中
  105. if left_quote != ' ' {
  106. if ch == left_quote {
  107. left_quote = ' ';
  108. } else {
  109. stack.push(ch);
  110. }
  111. } else {
  112. //不存在未闭合的左引号
  113. if ch == '\'' || ch == '\"' {
  114. //字符为引号,记录下来
  115. left_quote = ch;
  116. left_quote_index = index;
  117. } else if ch == ' ' {
  118. if !stack.is_empty() {
  119. //字符为空格且栈中不为空,该空格视作命令段之间的分割线
  120. //将栈中字符作为一个命令段加入集合,之后重置栈
  121. fragments.push(stack.to_string());
  122. stack.clear();
  123. }
  124. } else {
  125. //其他字符都作为普通字符加入栈中
  126. stack.push(ch);
  127. }
  128. }
  129. }
  130. //结束时如果栈不为空
  131. if !stack.is_empty() {
  132. if left_quote == ' ' {
  133. //不存在未闭合的引号,将栈中剩余内容作为命令段加入集合
  134. fragments.push(stack.to_string());
  135. } else {
  136. //存在未闭合的引号,返回此引号的下标
  137. return Err(left_quote_index);
  138. }
  139. }
  140. Ok(fragments)
  141. }
  142. fn from_string(str: String) -> Result<Command, CommandError> {
  143. let iter = Self::parse_command_into_fragments(str);
  144. if let Err(index) = iter {
  145. return Err(CommandError::UnclosedQuotation(index));
  146. }
  147. let mut iter = iter.unwrap().into_iter();
  148. let name = iter.next().unwrap();
  149. let re: Regex = Regex::new(r"\$[\w_]+").unwrap();
  150. let replacement = |caps: &Captures| -> String {
  151. match Env::get(&String::from(&caps[0][1..])) {
  152. Some(value) => value,
  153. None => String::from(&caps[0]),
  154. }
  155. };
  156. let mut args: Vec<String> = Vec::new();
  157. for arg in iter.collect::<Vec<String>>().iter() {
  158. let arg = re.replace_all(arg.as_str(), &replacement).to_string();
  159. match re.captures(arg.as_str()) {
  160. Some(caps) => {
  161. return Err(CommandError::EnvironmentVariableNotFound(String::from(
  162. caps.get(0).unwrap().as_str(),
  163. )))
  164. }
  165. None => args.push(arg),
  166. }
  167. }
  168. let cmd = Command::new(name, args);
  169. return cmd;
  170. }
  171. pub fn from_strings(str: String) -> Vec<Command> {
  172. let mut commands = Vec::new();
  173. let segments: Vec<&str> = str.split(';').collect();
  174. for segment in segments {
  175. if segment.trim().is_empty() {
  176. continue;
  177. } else {
  178. match Command::from_string(String::from(segment)) {
  179. Ok(s) => commands.push(s),
  180. Err(e) => {
  181. CommandError::handle(e);
  182. }
  183. }
  184. }
  185. }
  186. commands
  187. }
  188. }
  189. #[derive(Debug, PartialEq, Eq, Clone)]
  190. pub struct BuildInCmd(pub &'static str);
  191. impl BuildInCmd {
  192. pub const BUILD_IN_CMD: &[BuildInCmd] = &[
  193. BuildInCmd("cd"),
  194. BuildInCmd("ls"),
  195. BuildInCmd("cat"),
  196. BuildInCmd("touch"),
  197. BuildInCmd("mkdir"),
  198. BuildInCmd("rm"),
  199. BuildInCmd("rmdir"),
  200. BuildInCmd("pwd"),
  201. BuildInCmd("cp"),
  202. BuildInCmd("exec"),
  203. BuildInCmd("echo"),
  204. BuildInCmd("reboot"),
  205. BuildInCmd("free"),
  206. BuildInCmd("kill"),
  207. BuildInCmd("help"),
  208. BuildInCmd("export"),
  209. BuildInCmd("env"),
  210. BuildInCmd("compgen"),
  211. BuildInCmd("complete"),
  212. ];
  213. }
  214. impl Shell {
  215. pub fn exec_internal_command(
  216. &mut self,
  217. cmd: &str,
  218. args: &Vec<String>,
  219. ) -> Result<(), CommandError> {
  220. match cmd {
  221. "cd" => self.shell_cmd_cd(args),
  222. "ls" => self.shell_cmd_ls(args),
  223. "cat" => self.shell_cmd_cat(args),
  224. "touch" => self.shell_cmd_touch(args),
  225. "mkdir" => self.shell_cmd_mkdir(args),
  226. "rm" => self.shell_cmd_rm(args),
  227. "rmdir" => self.shell_cmd_rmdir(args),
  228. "pwd" => self.shell_cmd_pwd(args),
  229. "cp" => self.shell_cmd_cp(args),
  230. "exec" => self.shell_cmd_exec(args),
  231. "echo" => self.shell_cmd_echo(args),
  232. "reboot" => self.shell_cmd_reboot(args),
  233. "free" => self.shell_cmd_free(args),
  234. "kill" => self.shell_cmd_kill(args),
  235. "help" => self.shell_cmd_help(args),
  236. "export" => self.shell_cmd_export(args),
  237. "env" => self.shell_cmd_env(args),
  238. "compgen" => self.shell_cmd_compgen(args),
  239. "complete" => self.shell_cmd_complete(args),
  240. _ => Err(CommandError::CommandNotFound(String::from(cmd))),
  241. }
  242. }
  243. pub fn exec_external_command(&mut self, path: String, args: &Vec<String>) {
  244. let mut full_args = args.clone();
  245. full_args.insert(0, path.clone());
  246. self.shell_cmd_exec(&full_args).unwrap_or_else(|e| {
  247. let err = match e {
  248. CommandError::FileNotFound(rp) => CommandError::CommandNotFound(rp),
  249. _ => e,
  250. };
  251. CommandError::handle(err);
  252. })
  253. }
  254. pub fn exec_command(&mut self, command: &Command) {
  255. match &command.cmd_type {
  256. CommandType::ExternalCommand(path) => {
  257. self.exec_external_command(path.to_string(), &command.args);
  258. }
  259. CommandType::InternalCommand(BuildInCmd(cmd)) => {
  260. match self.exec_internal_command(cmd, &command.args) {
  261. Ok(_) => {}
  262. Err(e) => CommandError::handle(e),
  263. }
  264. if command.args.contains(&String::from("--help")) {
  265. Help::shell_help(cmd);
  266. }
  267. }
  268. }
  269. }
  270. fn shell_cmd_cd(&mut self, args: &Vec<String>) -> Result<(), CommandError> {
  271. let path = match args.len() {
  272. 0 => String::from(ROOT_PATH),
  273. 1 => self.is_dir(args.get(0).unwrap())?,
  274. _ => return Err(CommandError::WrongArgumentCount(args.len())),
  275. };
  276. self.chdir(&path);
  277. Ok(())
  278. }
  279. fn shell_cmd_ls(&self, args: &Vec<String>) -> Result<(), CommandError> {
  280. let path = match args.len() {
  281. 0 => Self::current_dir(),
  282. 1 => self.is_dir(args.get(0).unwrap())?,
  283. _ => return Err(CommandError::WrongArgumentCount(args.len())),
  284. };
  285. let dir = match fs::read_dir(Path::new(&path)) {
  286. Ok(readdir) => readdir,
  287. Err(_) => return Err(CommandError::InvalidArgument(path)),
  288. };
  289. for entry in dir {
  290. let entry = entry.unwrap();
  291. if entry.file_type().unwrap().is_dir() {
  292. crate::shell::Printer::print_color(
  293. entry.file_name().as_bytes(),
  294. 0x000088ff,
  295. 0x00000000,
  296. );
  297. print!(" ");
  298. } else {
  299. print!("{} ", entry.file_name().into_string().unwrap());
  300. }
  301. }
  302. println!();
  303. Ok(())
  304. }
  305. fn shell_cmd_cat(&self, args: &Vec<String>) -> Result<(), CommandError> {
  306. if args.len() <= 0 {
  307. return Err(CommandError::WrongArgumentCount(args.len()));
  308. }
  309. let path = self.is_file(args.get(0).unwrap())?;
  310. let mut buf: Vec<u8> = Vec::new();
  311. File::open(path).unwrap().read_to_end(&mut buf).unwrap();
  312. if args.len() == 1 {
  313. println!("{}", String::from_utf8(buf.clone()).unwrap());
  314. }
  315. //TODO: 这部分应该放在`Shell`中,所有指令公用
  316. if args.len() == 3 {
  317. let mut target_path = args.get(2).unwrap().clone();
  318. match self.is_file(&target_path) {
  319. Ok(str) => target_path = str,
  320. Err(e) => return Err(e),
  321. }
  322. if args[1] == ">" {
  323. match OpenOptions::new().write(true).open(target_path) {
  324. Ok(mut file) => {
  325. file.write_all(&buf).unwrap();
  326. }
  327. Err(e) => print!("{e}"),
  328. }
  329. } else if args[1] == ">>" {
  330. match OpenOptions::new().append(true).open(target_path) {
  331. Ok(mut file) => {
  332. file.write_all(&buf).unwrap();
  333. }
  334. Err(e) => print!("{e}"),
  335. }
  336. }
  337. }
  338. Ok(())
  339. }
  340. fn shell_cmd_touch(&self, args: &Vec<String>) -> Result<(), CommandError> {
  341. if unlikely(args.len() != 1) {
  342. return Err(CommandError::WrongArgumentCount(args.len()));
  343. }
  344. let path = args.get(0).unwrap();
  345. //路径中提取目录和文件名
  346. let index = path.rfind('/').unwrap_or(0);
  347. let dir = &path[..index];
  348. let file_name = &path[index..];
  349. //判断文件所在目录是否存在
  350. let str = self.is_dir(&dir.to_string())?;
  351. //判断文件是否存在,存在时不操作,不存在时创建文件
  352. let abs_path = format!("{}/{}", str, file_name);
  353. if !Path::new(&abs_path).exists() {
  354. File::create(&abs_path).unwrap();
  355. }
  356. Ok(())
  357. }
  358. fn shell_cmd_mkdir(&self, args: &Vec<String>) -> Result<(), CommandError> {
  359. if unlikely(args.len() != 1) {
  360. return Err(CommandError::WrongArgumentCount(args.len()));
  361. }
  362. let nowpath = Self::current_dir();
  363. let path = args.get(0).unwrap();
  364. let opt_path = nowpath + "/" + path;
  365. let target_path;
  366. if path.starts_with("/") {
  367. target_path = path;
  368. } else {
  369. target_path = &opt_path;
  370. }
  371. if let Err(e) = fs::create_dir_all(target_path) {
  372. print!("{e}")
  373. }
  374. Ok(())
  375. }
  376. fn shell_cmd_rm(&self, args: &Vec<String>) -> Result<(), CommandError> {
  377. if unlikely(args.len() != 1) {
  378. return Err(CommandError::WrongArgumentCount(args.len()));
  379. }
  380. let path = self.is_file(args.get(0).unwrap())?;
  381. let path_cstr = std::ffi::CString::new(path).unwrap();
  382. unsafe {
  383. libc::syscall(libc::SYS_unlinkat, 0, path_cstr.as_ptr(), 0, 0, 0, 0);
  384. }
  385. Ok(())
  386. }
  387. fn shell_cmd_rmdir(&self, args: &Vec<String>) -> Result<(), CommandError> {
  388. if unlikely(args.len() != 1) {
  389. return Err(CommandError::WrongArgumentCount(args.len()));
  390. }
  391. let path = args.get(0).ok_or(CommandError::UnableGetArg)?;
  392. let mut parent = Self::current_dir();
  393. let mut child = path.clone();
  394. if let Some(index) = path.rfind('/') {
  395. let (str1, str2) = path.split_at(index + 1);
  396. parent = String::from(str1);
  397. child = String::from(str2);
  398. }
  399. let dir =
  400. fs::read_dir(Path::new(&parent)).map_err(|_| CommandError::InvalidArgument(parent))?;
  401. let is_find = dir.filter_map(Result::ok).any(|entry| {
  402. entry.file_type().map(|ft| ft.is_dir()).unwrap_or(false)
  403. && entry.file_name().to_string_lossy().into_owned() == child
  404. });
  405. if !is_find {
  406. return Err(CommandError::DirectoryNotFound(path.clone()));
  407. }
  408. let path = self.is_dir(path)?;
  409. let path_cstr = std::ffi::CString::new(path).unwrap();
  410. unsafe { libc::unlinkat(0, path_cstr.as_ptr(), libc::AT_REMOVEDIR) };
  411. Ok(())
  412. }
  413. fn shell_cmd_pwd(&self, args: &Vec<String>) -> Result<(), CommandError> {
  414. if unlikely(args.len() != 0) {
  415. return Err(CommandError::WrongArgumentCount(args.len()));
  416. }
  417. println!("{}", Self::current_dir());
  418. Ok(())
  419. }
  420. fn shell_cmd_cp(&self, args: &Vec<String>) -> Result<(), CommandError> {
  421. if args.len() == 2 {
  422. let mut src_path = args.get(0).unwrap().clone();
  423. let mut target_path = args.get(1).unwrap().clone();
  424. match self.is_file(&src_path) {
  425. Ok(str) => src_path = str,
  426. Err(e) => return Err(e),
  427. }
  428. match self.is_file_or_dir(&target_path) {
  429. Ok(str) => target_path = str,
  430. Err(e) => {
  431. let prefix = &target_path[..target_path.rfind('/').unwrap_or(0)];
  432. if !Path::new(prefix).is_dir() {
  433. return Err(e);
  434. }
  435. }
  436. }
  437. if Path::new(&src_path).is_dir() {
  438. let name = &src_path[src_path.rfind('/').unwrap_or(0)..];
  439. target_path = format!("{}/{}", target_path, name);
  440. }
  441. let mut src_file = File::open(&src_path).unwrap();
  442. let mut target_file = File::create(target_path).unwrap();
  443. let mut buf: Vec<u8> = Vec::new();
  444. src_file.read_to_end(&mut buf).unwrap();
  445. target_file.write_all(&buf).unwrap();
  446. return Ok(());
  447. }
  448. return Err(CommandError::WrongArgumentCount(args.len()));
  449. }
  450. pub fn shell_cmd_exec(&self, args: &Vec<String>) -> Result<(), CommandError> {
  451. if unlikely(args.len() <= 0) {
  452. return Err(CommandError::WrongArgumentCount(args.len()));
  453. }
  454. let path = args.get(0).unwrap();
  455. //在环境变量中搜索
  456. //TODO: 放在一个函数里来实现
  457. let mut real_path = String::new();
  458. if !path.contains('/') {
  459. let mut dir_collection = Env::path();
  460. dir_collection.insert(0, Self::current_dir());
  461. for dir in dir_collection {
  462. let possible_path = format!("{}/{}", dir, path);
  463. if Path::new(&possible_path).is_file() {
  464. real_path = possible_path;
  465. break;
  466. }
  467. }
  468. if real_path.is_empty() {
  469. return Err(CommandError::FileNotFound(path.clone()));
  470. }
  471. } else {
  472. match self.is_file(path) {
  473. Ok(path) => real_path = path,
  474. Err(e) => return Err(e),
  475. }
  476. }
  477. let mut args = args.clone();
  478. // 如果文件不存在,返回错误
  479. if !Path::new(&real_path).is_file() {
  480. // println!("{}: command not found", real_path);
  481. return Err(CommandError::FileNotFound(real_path.clone()));
  482. }
  483. let pid: libc::pid_t = unsafe {
  484. libc::syscall(libc::SYS_fork, 0, 0, 0, 0, 0, 0)
  485. .try_into()
  486. .unwrap()
  487. };
  488. let name = &real_path[real_path.rfind('/').map(|pos| pos + 1).unwrap_or(0)..];
  489. *args.get_mut(0).unwrap() = name.to_string();
  490. let mut retval = 0;
  491. if pid == 0 {
  492. let path_cstr = std::ffi::CString::new(real_path).unwrap();
  493. let args_cstr = args
  494. .iter()
  495. .map(|str| std::ffi::CString::new(str.as_str()).unwrap())
  496. .collect::<Vec<std::ffi::CString>>();
  497. let mut args_ptr = args_cstr
  498. .iter()
  499. .map(|c_str| c_str.as_ptr())
  500. .collect::<Vec<*const i8>>();
  501. args_ptr.push(std::ptr::null());
  502. let argv = args_ptr.as_ptr();
  503. unsafe {
  504. libc::execv(path_cstr.as_ptr(), argv);
  505. }
  506. } else {
  507. if args.last().unwrap() != &"&" {
  508. unsafe { libc::waitpid(pid, &mut retval as *mut i32, 0) };
  509. } else {
  510. println!("[1] {}", pid);
  511. }
  512. }
  513. return Ok(());
  514. }
  515. fn shell_cmd_echo(&self, args: &Vec<String>) -> Result<(), CommandError> {
  516. if args.len() > 0 {
  517. let str = args.get(0).unwrap();
  518. if args.len() == 1 {
  519. println!("{str}");
  520. }
  521. //TODO: 和`cat`中的一样,应放在`Shell`中
  522. if args.len() == 3 {
  523. let mut target_path = args.get(2).unwrap().clone();
  524. match self.is_file(&target_path) {
  525. Ok(str) => target_path = str,
  526. Err(e) => return Err(e),
  527. }
  528. if args[1] == ">" {
  529. match OpenOptions::new().write(true).open(target_path) {
  530. Ok(mut file) => {
  531. file.write_all(str.as_bytes()).unwrap();
  532. }
  533. Err(e) => print!("{e}"),
  534. }
  535. } else if args[1] == ">>" {
  536. match OpenOptions::new().append(true).open(target_path) {
  537. Ok(mut file) => {
  538. file.write_all(str.as_bytes()).unwrap();
  539. }
  540. Err(e) => print!("{e}"),
  541. }
  542. }
  543. }
  544. return Ok(());
  545. }
  546. return Err(CommandError::WrongArgumentCount(args.len()));
  547. }
  548. fn shell_cmd_reboot(&self, args: &Vec<String>) -> Result<(), CommandError> {
  549. if args.len() == 0 {
  550. unsafe { libc::syscall(libc::SYS_reboot, 0, 0, 0, 0, 0, 0) };
  551. return Ok(());
  552. } else {
  553. return Err(CommandError::WrongArgumentCount(args.len()));
  554. }
  555. }
  556. fn shell_cmd_free(&self, args: &Vec<String>) -> Result<(), CommandError> {
  557. if args.len() == 1 && args.get(0).unwrap() != "-m" {
  558. return Err(CommandError::InvalidArgument(
  559. args.get(0).unwrap().to_string(),
  560. ));
  561. }
  562. struct Mstat {
  563. total: u64, // 计算机的总内存数量大小
  564. used: u64, // 已使用的内存大小
  565. free: u64, // 空闲物理页所占的内存大小
  566. shared: u64, // 共享的内存大小
  567. cache_used: u64, // 位于slab缓冲区中的已使用的内存大小
  568. cache_free: u64, // 位于slab缓冲区中的空闲的内存大小
  569. available: u64, // 系统总空闲内存大小(包括kmalloc缓冲区)
  570. }
  571. let mut mst = Mstat {
  572. total: 0,
  573. used: 0,
  574. free: 0,
  575. shared: 0,
  576. cache_used: 0,
  577. cache_free: 0,
  578. available: 0,
  579. };
  580. let mut info_file = File::open("/proc/meminfo").unwrap();
  581. let mut buf: Vec<u8> = Vec::new();
  582. info_file.read_to_end(&mut buf).unwrap();
  583. let str = String::from_utf8(buf).unwrap();
  584. let info = str
  585. .split(&['\n', '\t', ' '])
  586. .filter_map(|str| str.parse::<u64>().ok())
  587. .collect::<Vec<u64>>();
  588. mst.total = *info.get(0).unwrap();
  589. mst.free = *info.get(1).unwrap();
  590. mst.used = mst.total - mst.free;
  591. print!("\ttotal\t\tused\t\tfree\t\tshared\t\tcache_used\tcache_free\tavailable\n");
  592. print!("Mem:\t");
  593. if args.len() == 0 {
  594. print!(
  595. "{}\t\t{}\t\t{}\t\t{}\t\t{}\t\t{}\t\t{}\n",
  596. mst.total,
  597. mst.used,
  598. mst.free,
  599. mst.shared,
  600. mst.cache_used,
  601. mst.cache_free,
  602. mst.available
  603. );
  604. } else {
  605. print!(
  606. "{}\t\t{}\t\t{}\t\t{}\t\t{}\t\t{}\n",
  607. mst.total >> 10,
  608. mst.used >> 10,
  609. mst.free >> 10,
  610. mst.shared >> 10,
  611. mst.cache_used >> 10,
  612. mst.available >> 10
  613. );
  614. }
  615. Ok(())
  616. }
  617. fn shell_cmd_kill(&self, args: &Vec<String>) -> Result<(), CommandError> {
  618. if unlikely(args.len() != 1) {
  619. return Err(CommandError::WrongArgumentCount(args.len()));
  620. }
  621. let pid = match args.get(0).unwrap().parse::<i32>() {
  622. Ok(x) => x,
  623. Err(_) => {
  624. return Err(CommandError::InvalidArgument(
  625. args.get(0).unwrap().to_string(),
  626. ))
  627. }
  628. };
  629. unsafe {
  630. libc::kill(pid, libc::SIGTERM);
  631. }
  632. Ok(())
  633. }
  634. fn shell_cmd_help(&self, args: &Vec<String>) -> Result<(), CommandError> {
  635. if args.len() == 0 {
  636. for BuildInCmd(cmd) in BuildInCmd::BUILD_IN_CMD {
  637. Help::shell_help(cmd)
  638. }
  639. return Ok(());
  640. }
  641. return Err(CommandError::WrongArgumentCount(args.len()));
  642. }
  643. fn shell_cmd_export(&self, args: &Vec<String>) -> Result<(), CommandError> {
  644. if args.len() == 1 {
  645. let pair = args.get(0).unwrap().split('=').collect::<Vec<&str>>();
  646. if pair.len() == 2 && !pair.contains(&"") {
  647. let name = pair.get(0).unwrap().to_string();
  648. let value = pair.get(1).unwrap().to_string();
  649. Env::insert(name, value);
  650. return Ok(());
  651. } else {
  652. return Err(CommandError::InvalidArgument(args.get(0).unwrap().clone()));
  653. }
  654. }
  655. return Err(CommandError::WrongArgumentCount(args.len()));
  656. }
  657. fn shell_cmd_env(&self, args: &Vec<String>) -> Result<(), CommandError> {
  658. if args.len() == 0 {
  659. let mut file = File::open(ENV_FILE_PATH).unwrap();
  660. let mut buf: Vec<u8> = Vec::new();
  661. file.read_to_end(&mut buf).unwrap();
  662. println!("{}", String::from_utf8(buf).unwrap());
  663. return Ok(());
  664. } else {
  665. return Err(CommandError::InvalidArgument(args.get(0).unwrap().clone()));
  666. }
  667. }
  668. fn shell_cmd_compgen(&self, _args: &Vec<String>) -> Result<(), CommandError> {
  669. //TODO
  670. Ok(())
  671. }
  672. fn shell_cmd_complete(&self, _args: &Vec<String>) -> Result<(), CommandError> {
  673. //TODO
  674. Ok(())
  675. }
  676. fn path_format(&self, path: &String) -> Result<String, CommandError> {
  677. let mut abs_path = path.clone();
  678. if !path.starts_with('/') {
  679. abs_path = format!("{}/{}", Self::current_dir(), path);
  680. }
  681. let path = Path::new(&abs_path).clean();
  682. let mut fmt_path = path.to_str().unwrap().to_string();
  683. let replacement = |_caps: &regex::Captures| -> String { String::from("/") };
  684. let re = regex::Regex::new(r"\/{2,}").unwrap();
  685. fmt_path = re.replace_all(fmt_path.as_str(), replacement).to_string();
  686. return Ok(fmt_path);
  687. }
  688. fn is_file(&self, path_str: &String) -> Result<String, CommandError> {
  689. match self.path_format(path_str) {
  690. Ok(path_str) => {
  691. let path = Path::new(&path_str);
  692. if !path.is_file() {
  693. return Err(CommandError::NotFile(path_str.clone()));
  694. };
  695. Ok(path_str)
  696. }
  697. Err(_) => Err(CommandError::FileNotFound(path_str.clone())),
  698. }
  699. }
  700. fn is_dir(&self, path_str: &String) -> Result<String, CommandError> {
  701. match self.path_format(path_str) {
  702. Ok(path_str) => {
  703. let path = Path::new(&path_str);
  704. if !path.is_dir() {
  705. return Err(CommandError::NotDirectory(path_str.clone()));
  706. };
  707. Ok(path_str)
  708. }
  709. Err(_) => Err(CommandError::DirectoryNotFound(path_str.clone())),
  710. }
  711. }
  712. fn is_file_or_dir(&self, path_str: &String) -> Result<String, CommandError> {
  713. match self.path_format(path_str) {
  714. Ok(path_str) => Ok(path_str),
  715. Err(_) => Err(CommandError::PathNotFound(path_str.clone())),
  716. }
  717. }
  718. }