对于我的学校项目,我正在实施一个shell,我需要有关工作控制的帮助。
如果我们输入一个命令,比如cat &
,那么因为&
它应该在后台运行,但它不起作用。我有这段代码:
{
int pid;
int status;
pid = fork();
if (pid == 0) {
fprintf(stderr, "Child Job pid = %d\n", getpid());
execvp(arg1, arg2);
}
pid=getpid();
fprintf(stderr, "Child Job pid is = %d\n", getpid());
waitpid(pid, &status, 0);
}
答案 0 :(得分:3)
您应该为SIGCHLD信号设置信号处理程序,而不是直接等待。只要子进程停止或终止,就会发送SIGCHLD。查看process completion的GNU描述。
本文的结尾有一个示例处理程序(我或多或少地复制并粘贴在下面)。尝试对其进行建模。
void sigchld_handler (int signum) {
int pid, status, serrno;
serrno = errno;
while (1) {
pid = waitpid(WAIT_ANY, &status, WNOHANG);
if (pid < 0) {
perror("waitpid");
break;
}
if (pid == 0)
break;
/* customize here.
notice_termination is in this case some function you would provide
that would report back to your shell.
*/
notice_termination (pid, status);
}
errno = serrno;
}
关于这一主题的另一个有用信息来源是Advanced Programming in the UNIX Environment,第8章和第10章。
答案 1 :(得分:1)
父进程正在调用子进程waitpid
,该进程将阻塞直到子进程更改状态(即终止)。