如何将暂停的进程设置为后台?

时间:2018-03-16 23:05:41

标签: c shell process signals fork

我是C的新手。我正在尝试制作类似shell的程序。我目前正在制作一个信号处理程序,这意味着,当进程正在运行并且有人按 ctrl + Z 时,进程应该暂停并转到后台,而shell必须继续。这里的问题是:父进程正在进行wait(NULL),但是子进程没有结束程序,所以基本上父进程等待尚未结束程序的子进程。如何使父母继续工作前景。 (你可以在这里看到我的代码How to redirect signal to child process from parent process?

1 个答案:

答案 0 :(得分:2)

#include <errno.h>
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <sys/types.h>
#include <signal.h>
#include <sys/wait.h>
#include <unistd.h>
#include <sys/types.h>
#include <sys/stat.h>

pid_t pid;

void send_signal(int signum){
        kill(pid, signum);
}

void init_signals(){
        signal(SIGINT, send_signal);
        signal(SIGTSTP, send_signal);
}

int main(){
        init_signals();
        pid = fork();
        if(pid > 0){
                //Parent Process
                printf("PARENT: %d\n", getpid());
                waitpid(pid, NULL, WUNTRACED);
                printf("Parent out of wait, i think this is what you are expecting\n");
        } else {
                struct sigaction act = {{0}};
                act.sa_handler = send_signal;
                act.sa_flags = SA_RESETHAND;
                sigaction(SIGTSTP, &act, NULL);
                sigaction(SIGINT, &act, NULL);
                perror("sigaction ");
                printf("CHILD: %d\n", getpid());
                // Child Process
                while(1){
                        usleep(300000);
                }
        }
        return 0;
}

我认为上面的代码可以满足您的目的。让我解释一下。

在您的代码[How to redirect signal to child process from parent process?中,您已经处理了信号,并且处理了发送相同信号的处理器上下文。当您按下Ctrl + cCtrl + z父母和子女都收到信号时。现在按照处理程序代码

void send_signal(int signum) {
     kill(pid, signum);
}

当处理程序将在父上下文pid中执行时将等于child's pid,因此它将向子节点发送信号,但当处理程序在子上下文pid中运行时,值将为{{1}因此它向整个进程组发送信号,即父进程和子进程。这使您编写代码以无限次递归运行处理程序。因此,你没有得到理想的结果。

我修改了两件事以获得理想的结果。

  

子上下文

在子上下文中,在进入信号处理程序时将信号操作恢复为默认值,以便当子项第二次接收信号时,可以执行信号默认操作。

  

父上下文

使用waitpid()而不是wait()。

0

由于pid_t waitpid(pid_t pid, int *status, int options); The waitpid() system call suspends execution of the calling process until a child specified by pid argument has changed state. By default, waitpid() waits only for terminated children, but this behavior is modifiable via the options argument. `WUNTRACED` also return if a child has stopped 父进程将在子进程停止或终止时返回。

我希望它会为你服务的目的问我是不是。