标签:com fan 第一个 参考 查看 any direction 有一个 wrap
- Build Your Own Shell using Rust 译文
- 原文地址:https://www.joshmcguigan.com/blog/build-your-own-shell-rust/
- 原文作者:Josh Mcguigan
- 译文出自:https://github.com/suhanyujie/article-transfer-rs
- 本文永久链接: https://github.com/suhanyujie/article-transfer-rs/blob/master/src/2019/Build_Your_Own_Shell_using_Rust.md
- 译者:suhanyujie
- tips:水平有限,翻译不当之处,还请指正,谢谢!
终端模拟器(通常简称为终端)就是一个“窗口”,是的,它运行一个基于文本的程序,默认情况下,它就是你登陆的 shell (也就是 Ubuntu 下的 bash)。当你在窗口中键入字符时,终端除了将这些字符发送到 shell (或其他程序)的 stdin 之外,还会在窗口中绘制这些字符。 shell 输出到 stdout 和 stderr 的字符被发送到终端,终端在窗口中绘制这些字符。
stdin().read_line
将会在用户输入处阻塞,直到用户按下回车键,然后它将整个用户输入的内容(包括回车键的空行)写入字符串。使用 input.trim()
删除换行符等空白符,我们试一试它。fn main(){
let mut input = String::new();
stdin().read_line(&mut input).unwrap();
// read_line leaves a trailing newline, which trim removes
// read_line 会在最后留下一个换行符,在处理用户的输入后会被删除
let command = input.trim();
Command::new(command)
.spawn()
.unwrap();
}
loop
中,并添加调用 wait
来等待每个子命令的处理,以确保我们不会在当前处理完成之前,提示用户输入额外的信息。我还添加了几行来打印字符 >
,以便用户更容易的将他的输入与处理命令过程中的输出区分开来。fn main(){
loop {
// use the `>` character as the prompt
// 使用 `>` 作为提示
// need to explicitly flush this to ensure it prints before read_line
// 需要显式地刷新它,这样确保它在 read_line 之前打印
print!("> ");
stdout().flush();
let mut input = String::new();
stdin().read_line(&mut input).unwrap();
let command = input.trim();
let mut child = Command::new(command)
.spawn()
.unwrap();
// don‘t accept another command until this one completes
// 在这个命令处理完之前不再接受新的命令
child.wait();
}
}
ls
和 pwd
命令来尝试一下吧。ls -a
,它将会崩溃。因为它不知道怎么处理参数,它尝试运行一个名为 ls -a
的命令,但正确的行为是使用参数 -a
运行一个名为 ls
的命令。ls
),而将第一个空格之后的内容作为参数传递给该命令(例如 -a
),这个问题在下面就会解决。fn main(){
loop {
print!("> ");
stdout().flush();
let mut input = String::new();
stdin().read_line(&mut input).unwrap();
// everything after the first whitespace character
// is interpreted as args to the command
// 第一个空白符之后的所有内容都视为命令的参数
let mut parts = input.trim().split_whitespace();
let command = parts.next().unwrap();
let args = parts;
let mut child = Command::new(command)
.args(args)
.spawn()
.unwrap();
child.wait();
}
}
cd
命令。要了解为什么 cd 必须是 shell 的内建功能,请查看这个链接。处理内建的命令,实际上是一个名为 cd
的程序。这里有关于这种二象性的解释。fn main(){
loop {
print!("> ");
stdout().flush();
let mut input = String::new();
stdin().read_line(&mut input).unwrap();
let mut parts = input.trim().split_whitespace();
let command = parts.next().unwrap();
let args = parts;
match command {
"cd" => {
// 如果没有提供路径参数,则默认 ‘/‘ 路径
let new_dir = args.peekable().peek().map_or("/", |x| *x);
let root = Path::new(new_dir);
if let Err(e) = env::set_current_dir(&root) {
eprintln!("{}", e);
}
},
command => {
let mut child = Command::new(command)
.args(args)
.spawn()
.unwrap();
child.wait();
}
}
}
}
exit
命令。fn main(){
loop {
print!("> ");
stdout().flush();
let mut input = String::new();
stdin().read_line(&mut input).unwrap();
let mut parts = input.trim().split_whitespace();
let command = parts.next().unwrap();
let args = parts;
match command {
"cd" => {
let new_dir = args.peekable().peek().map_or("/", |x| *x);
let root = Path::new(new_dir);
if let Err(e) = env::set_current_dir(&root) {
eprintln!("{}", e);
}
},
"exit" => return,
command => {
let child = Command::new(command)
.args(args)
.spawn();
// 优雅地处理非正常输入
match child {
Ok(mut child) => { child.wait(); },
Err(e) => eprintln!("{}", e),
};
}
}
}
}
如果 shell 没有管道操作符的功能,是很难用于实际生产环境的。如果你不熟悉这个特性,可以使用 |
字符告诉 shell 将第一个命令的结果输出重定向到第二个命令的输入。例如,运行 ls | grep Cargo
会触发以下操作:
ls
将列出当前目录中的所有文件和目录grep
grep
将过滤这个列表,并只输出文件名包含字符 Cargo
的文件我们再对这个 shell 进行最后一次迭代,包括对管道的基础支持。要了解管道和 IO 重定向的其他功能,可以参考这个文章
fn main(){
loop {
print!("> ");
stdout().flush();
let mut input = String::new();
stdin().read_line(&mut input).unwrap();
// must be peekable so we know when we are on the last command
// 必须是可以 peek 的,这样我们才能确定何时结束
let mut commands = input.trim().split(" | ").peekable();
let mut previous_command = None;
while let Some(command) = commands.next() {
let mut parts = command.trim().split_whitespace();
let command = parts.next().unwrap();
let args = parts;
match command {
"cd" => {
let new_dir = args.peekable().peek()
.map_or("/", |x| *x);
let root = Path::new(new_dir);
if let Err(e) = env::set_current_dir(&root) {
eprintln!("{}", e);
}
previous_command = None;
},
"exit" => return,
command => {
let stdin = previous_command
.map_or(
Stdio::inherit(),
|output: Child| Stdio::from(output.stdout.unwrap())
);
let stdout = if commands.peek().is_some() {
// there is another command piped behind this one
// prepare to send output to the next command
// 在这个命令后还有另一个命令,准备将其输出到下一个命令
Stdio::piped()
} else {
// there are no more commands piped behind this one
// send output to shell stdout
// 在发送输出到 shell 的 stdout 之后,就没有命令要执行了
Stdio::inherit()
};
let output = Command::new(command)
.args(args)
.stdin(stdin)
.stdout(stdout)
.spawn();
match output {
Ok(output) => { previous_command = Some(output); },
Err(e) => {
previous_command = None;
eprintln!("{}", e);
},
};
}
}
}
if let Some(mut final_command) = previous_command {
// block until the final command has finished
// 阻塞一直到命令执行完成
final_command.wait();
}
}
}
在不到 100 行的代码中,我们创建了一个 shell ,它可以用于许多日常操作,但是一个真正的 shell 会有更多的特性和功能。GNU 网站有一个关于 bash shell 的在线手册,其中包括了 shell 特性的列表,这是着手研究更高级功能的好地方。
请注意,这对我来说是一个学习的项目,在简单性和健壮性之间需要权衡的情况下,我选择简单性。
这个 shell 项目可以在我的 GitHub 上找到。在撰写本文时,最新提交是 a47640
。另一个你可能感兴趣的学习 Rust shell 项目是 Rush
标签:com fan 第一个 参考 查看 any direction 有一个 wrap
原文地址:https://www.cnblogs.com/ishenghuo/p/12550142.html