在C ++中理解fork,exec和wait(Linux)

时间:2016-04-20 20:27:30

标签: c++ linux fork exec wait

我在linux中使用这些不同类型的系统调用非常新,这让我很困惑。有了这个,我只是要求推进正确的方向/开始,而不是完成。 使用forkexecwait,我已经阅读了它们,但在我的情况下,这仍然没有真正帮助我。 我要做的是以下,

打印promt并等待用户输入最多包含四个参数或选项的命令。 "出口"将停止该计划。

一些示例mkdir blah创建目录,然后提示输入新命令touch blah/this blah/that blah/there

我必须调用fork来创建子进程来执行输入的命令,然后在子进程中调用exec以使子进程成为要执行的程序(这部分混淆了)我甚至更多),最后在父进程中调用wait,以便解释器在命令完成之前不会打印下一个提示符。

实现这一目标的最佳方法是什么?在in,什么是读取命令/参数/选项然后执行它们的最佳方法? 我认为这样做会更好do..while while条件是检查"退出"

我做的很少,我知道并不多。

int main()
{
char command[25];
pid_t  pid;
int rs;
cout << "Enter command: ";
cin >> command;

while(strcmp(command, "exit") != 0) {
    pid = fork();

    if (pid == 0) { //child process
    rs = execl("echo", command);
            }
 else { // parent process
    cout << "Enter a command: ";
    cin >> command; 
}

}



return 0;
}

1 个答案:

答案 0 :(得分:4)

每个系统调用的一般细分:

fork :分叉当前进程。字面上,当调用fork时,执行在fork调用时暂停,整个程序被复制到一个新的进程空间,该进程空间是原始的子进程。然后两个进程在fork调用之后立即继续执行。您需要获取PID才能判断当前正在执行的程序是否为子级或父级。

exec :暂停执行当前进程,使用指定的新程序擦除内存中的当前进程。然后它运行新程序。

等待:暂停当前进程,直到至少有一个子进程终止。它是waitpid()的包装器,允许您暂停当前进程的执行并等待当前进程的子进程状态的更改(可能是自身的克隆或由 EXEC )

以下是我在大学上课的一些代码演示等待和分叉(但没有exec):

#include <stdio.h>
#include <stdlib.h>
#include <errno.h>
#include <semaphore.h>
#include <fcntl.h>
#include <unistd.h>
#include <sys/stat.h>
#include <sys/wait.h>
const int BUFFER_SIZE = 1000;

void copySegment(int i, int segmentSize, FILE * fin, FILE * fout) {
    // Does not need to be shown to prove point
}

int main(int argc, char * argv[]) {
    int i;
    sem_t * sem;
    pid_t pid;
    FILE * fin, * fout;
    struct stat sbuf;
    int fileSize, fileDescriptor, segmentSize;
    fin = fopen(argv[1], "r");
    fout = fopen("forkcopy.txt", "w");
    fileDescriptor = fileno(fin);
    fstat(fileDescriptor, &sbuf);
    fileSize = sbuf.st_size;
    segmentSize = fileSize / 4;
    sem = sem_open("sem", O_CREAT | O_EXCL, 0644, 4);
    sem_unlink("sem");
    for (i = 0; i < 4; i++) {
        pid = fork();
        if (pid < 0)
            printf("Fork error.\n");
        else if (pid == 0)
            break;
    }
    if (pid != 0) {
        while (pid = waitpid(-1, NULL, 0)) {
            if (errno == ECHILD)
                break;
        }
        sem_destroy(sem);
        fclose(fin);
        fclose(fout);
        exit(0);
    } else {
        sem_wait(sem);
        copySegment(i, segmentSize, fin, fout);
        sem_post(sem);
        exit(0);
    }
}