0

我在实现自己的手工外壳时遇到了一些麻烦。我已经能够派生一个进程并使用waitpid在前台运行它,但是当我尝试在后台运行简单的进程(例如'sleep 5 &')时,该进程似乎永远运行。checkListJobs 将确定进程是否已完成运行,但它永远不会停止。任何帮助将不胜感激。我认为错误出在我的“foo”函数中。

void insertJob(int pid) {
    printf("beginning job %d.\n", pid);
    struct job *node = malloc(sizeof(struct job));
    node->pid = pid;
    node->next = NULL;

    if(root == NULL) {
        root = node;
    } else {
        node->next = root;
        root = node;
    }
}    

void checkListJobs(int z) {
    curr = root;
    while(curr!=NULL) {
        if(kill(curr->pid,0) != 0)   {
            if(prev==NULL) {
                prev = curr;
                root = curr;
            } else {
                prev->next = curr->next;
            }
        } else {
            if(!z) printf("%d is still running.\n", curr->pid);
        }
        prev = curr;
        curr = curr->next;
    }
}   


//code for child forking
void foo(char *cmd, char *argv[], int args) {
    int bgFlag;

    if(!strcmp(argv[args], "&")){
        argv[args] = '\0';
        bgFlag = 1;
    }

    int pid = fork();
    int status = 0;

    if(pid==0){
        if(bgFlag) {
            fclose(stdin); // close child's stdin
            fopen("/dev/null", "r"); // open a new stdin that is always empty
        }
        execvp(cmd, argv);
        // this should never be reached, unless there is an error
            fprintf (stderr, "unknown command: %s\n", cmd);
            exit(0);
    } else {
        if(!bgFlag) {
            waitpid(pid, &status, 0);
        } else {
            insertJob(pid);
        }
        if (status != 0) {
            fprintf  (stderr, "error: %s exited with status code %d\n", cmd,     status);
        } else {
            // cmd exec'd successfully
        }
    }

    // this is the parent still, since the child always terminates from exec or exit

    // continue being a shell...
}
4

1 回答 1

1

您需要为 SIGCHLD 安装一个信号处理程序,因为它会在子进程完成时告诉您的程序。收到 SIGCHLD 后,您应该调用 wait()(或 PID 值为 -1 的 waitpid(),因为您不知道哪个孩子完成了,只是一个孩子完成了)。

编写处理程序最安全的方法是:

volatile sig_atomic_t sigchld;
int handle_child(int sig)
{
  if (sig == SIGCHLD)
    sigchld = 1;
}

在主循环中,检查是否sigchld为 1。如果是,则子进程结束,然后您可以waidpid()在循环中调用(使用 -1 的 PID,因为您不知道哪个子进程结束)(请参阅下面),因为多个孩子可能同时结束。此外,如果任何系统调用返回错误并且errnoEINTR信号中断,那么要么返回到主循环的顶部,要么进行相应的检查sigchld和处理(不要忘记尽快重置sigchld回 0 )。

for(;;)
{
  int status;
  pid_t child;

  child = waitpid(-1,&status,WNOHANG);
  if (child == -1) 
  {
    if (errno == ECHILD) break; /* no more children */
    /* error, handle how you wish */
  }
  /* handle the return status of the child */
}
sigchld = 0;

可以waitpid()从信号处理程序中调用(POSIX 表示这样做是安全的),但您真的不应该在信号处理程序中做任何其他事情,因为它可能导致非常微妙的错误(例如,在调用 SIGCHLD 时会引发malloc()-- - 导致调用的信号处理程序中的任何代码malloc()都会导致非常讨厌的问题。这就是为什么我建议在信号处理程序中设置一个标志——你在信号处理程序中做的越少越好)。

于 2013-02-26T05:27:51.153 回答