1

我应该用 C 编写一个简单的自定义 shell,它可以只使用“<”和“>”命令来处理重定向。

为此,我解析每个命令(在字符串数组中),检查字符“<”和“>”,然后打开一个文件名open(fd, filename, flags)以读取或写入。

如果我发出这些命令(其中 % 表示我的 shell),我希望得到以下输出:

% echo hello > output.txt
% cat output.txt
hello

但是,当我发出这些命令以及任何命令时,它似乎忽略(但不忽略?)我的重定向。当我发出相同的命令时会发生这种情况:

% echo hello > output.txt
% cat output.txt
hello > output.txt

奇怪的是,它确实创建了一个名为“output.txt”的文件,并向其写入“hello > output.txt”

输入和输出重定向器都会发生这种情况。这里只是打开和执行输出命令的代码。

int fd;
open_write_file(&fd, commands[index]);
dup2(fd, 1);
execvpe(commands[0], commands, envp);
close(fd);

请注意,open_write_file()打开带有标志的文件名O_WRONLY | O_TRUNC | O_CREAT, S_RUSR | S_IRGRP | S_IWGRP | S_IWUSR并进行错误检查以确保它正确打开。我该如何解决这个问题并让它真正执行我想要的真正命令?

4

1 回答 1

2

的语法openfd = open(path, flags, [mode]);

如果是>,您最好使用fd = creat(path, mode);系统调用,默认情况下会覆盖并创建。

解析时, a​​rgv 数组execvpe应该包括参数,但不包括第一个重定向符号><. argv 数组应具有最后一个 NULL 指针元素以指示其结束。

重定向应该在子进程中的系统调用之后发生fork(),否则你的 shell 会丢失它的标准 IO,并且exec会完全清除它。

/* Parse input line, create argv array, and inputfile/outputfile names */
...
if (fork() == 0) {
  /* Child process: stdin redirection */
  fd_in = open(inputfile, O_RDONLY);
  close(0);
  dup(fd_in);
  close(fd_in);
  /* Child process: stdout redirection */
  fd_out = creat(outputfile, 0644);
  close(1);
  dup(fd_out);
  close(fd_out);
  /* Child process: exec other program */
  execvp(argv[0], argv); /* Does NOT return */
} else {
  /* Parent process: wait until child process exits */
  wait();
}

exec对于syscall 系列的作用,人们普遍存在误解。他们只是丢弃当前程序并用当前程序中的另一个程序替换它。他们没有返回,因为没有地方可以返回。

人们通常的意思是,可以通过fork exec wait系统调用来完成,见上文。

于 2015-02-13T06:50:28.243 回答