我使用execvp编译有错误的程序。但是然后错误消息会在我的终端屏幕上弹出,这是不会发生的,因为如果execvp失败,它将仅让子级返回退出状态。我不明白为什么我的终端实际上会显示错误消息?
我的命令数组:{gcc,studentcode.c,ourtest3.c,-o,ourtest3.x,NULL},在ourtest3.c中,我故意犯了一些错误。我的调用函数是这样的:
commands = {"gcc", "studentcode.c", "ourtest3.c", "-o", "ourtest3.x", NULL};
int compile_program(Char** commands) {
pid_t pid;
int status;
pid = safe_fork();
if (pid == 0) { /*Child*/
if (execvp(commands[0], commands) < 0) {
exit(0);
}
} else { /*Parent*/
if (wait(&status) == -1) {
return 0;
}
if (WIFEXITED(status)) {
if (WEXITSTATUS(status) != 0) {
return 1;
}
} else {
return 0;
}
}
return 1;
}
ourtest3.c是这样的:
#include <stdio.h>
#include <assert.h>
#include "studentcode.h"
int main(void) {
assert(product(2, 16) == 32
printf("The student code in public07.studentcode.c works on its ");
printf("third test!\n");
return 0;
}
我的程序应该以返回值0正常结束,但是在我的终端窗口上,它显示了
ourtest3.c: In function 'main':
ourtest3.c:19:0: error: unterminated argument list invoking macro "assert"
ourtest3.c:13:3: error: 'assert' undeclared (first use in this function)
ourtest3.c:13:3: note: each undeclared identifier is reported only once for each function it appears in
ourtest3.c:13:3: error: expected ';' at end of input
ourtest3.c:13:3: error: expected declaration or statement at end of input
答案 0 :(得分:1)
如果要更改进程的stdin,stout和stderr,则需要执行此操作。否则,它只是从其父级继承它们。在fork
之后和execvp
之前,您可能想将open
/dev/null
和dup
放在文件描述符0和1上。
这是一些丑陋的代码,没有错误检查:
if (pid == 0) { /*Child*/
/* Redirect stdin and stderr to /dev/null */
int fd = open ("/dev/null", O_RDONLY);
dup2(STDIN_FILENO, fd);
dup2(STDERR_FILENO, fd);
close(fd);
if (execvp(commands[0], commands) < 0) {
_exit(0);
}
如果希望父母可以访问孩子的输出,也可以将它们重定向到文件或管道。
注意对_exit
的呼叫。不要养成从失败的孩子那里呼唤exit
的习惯。过去,这已导致具有严重安全隐患的错误。想象一下,如果您的进程在exit
时会执行某些操作(例如将缓冲区刷新到终端或网络连接)。通过在孩子中调用exit
,您可以两次。您可能会认为您知道自己没有这种东西,但总的来说,您可能不知道这一点,因为您不知道库可能在内部做什么。