0

标题可能有点混乱,所以让我解释一下。我正在尝试编写一个简单的 shell 来练习我的编程。我已经让 get a command、fork、exec 循环工作了。CTRL-C但是,当我在子进程仍在执行时按下时,我的 shell 终止,而不是子进程(但子进程将继续运行)。这是主要功能:

int main()
{
    dynarray *args; /* pointer to a dynamic array */
    int bytes_read;
    size_t nbytes = 0;
    char *command;
    pid_t pid;
    printf("Enter command: ");
    while ((bytes_read = getline(&command, &nbytes, stdin)) != -1) {
        if (bytes_read == -1) {
            perror("getline");
            exit(EXIT_FAILURE);
        }
        pid = fork();
        if (pid == -1) {
            perror("fork");
            exit(EXIT_FAILURE);
        }
        else if (pid == 0) { /* child process */
            args = newdynarray();
            char *arg = strtok(command, " \n");
            while (arg != NULL) {
                addstring(args, arg);
                arg = strtok(NULL, " \n");
            }
            if (args->nval == 0) {
                freedynarray(args);
                continue;
            }

            addstring(args, NULL);
            char *fullpath = find_executable(args->strings[0]);
            if (fullpath == NULL) {
                fprintf(stderr, "Couldn't find executable: %s\n", command);
                exit(EXIT_FAILURE);
            }
            if (execv(fullpath, args->strings) == -1) {
                perror("execv");
                exit(EXIT_FAILURE);
            }
        } else {
            int status;
            waitpid(pid, &status, 0);
        }
        printf("Enter command: ");
    } 
    return 0;
}

我没有包括其他部分,因为我认为它们不相关。如何让我的子进程捕获来自 stdin 的所有输入,直到它终止?

4

2 回答 2

1

SIGINT您可以在父进程中注册一个信号处理程序,并在其中用于kill(2)向子进程发送信号,您应该将其 PID 存储在某处。

于 2012-05-20T11:10:17.847 回答
0

How can I make my child process catch all the input from stdin until it terminates?从标准输入键(例如控制 C)生成的信号将被发送到最后一个进程以使用标准输入,因此除非您可以强制您的孩子使用路径,否则您无能为力。

相反,您需要在 shell 进程中创建一个信号处理程序来捕获 SIGINT(和其他),并将信号(使用该kill()函数)重新发送到您想要接收它的进程。

于 2012-05-20T11:11:44.260 回答