在虚拟机里编写另一个C 程序,使用系统调用fork()以创建一个子进程,并使用这个子进程调用exec 函数族以执行系统命令ls。
时间: 2023-12-10 18:41:45 浏览: 210
举例讲解C语言的fork()函数创建子进程的用法
以下是一个简单的示例程序:
```c
#include <stdio.h>
#include <stdlib.h>
#include <unistd.h>
#include <sys/wait.h>
int main() {
pid_t pid;
pid = fork(); // 创建子进程
if (pid == -1) { // 创建子进程失败
perror("fork");
exit(EXIT_FAILURE);
} else if (pid == 0) { // 子进程中
execl("/bin/ls", "ls", NULL); // 调用 ls 命令
perror("exec");
exit(EXIT_FAILURE);
} else { // 父进程中
int status;
waitpid(pid, &status, 0); // 等待子进程结束
if (WIFEXITED(status)) { // 子进程正常退出
printf("Child process exited with status %d.\n", WEXITSTATUS(status));
} else if (WIFSIGNALED(status)) { // 子进程因信号退出
printf("Child process killed by signal %d.\n", WTERMSIG(status));
} else { // 其他错误
printf("Child process terminated abnormally.\n");
}
}
return 0;
}
```
编译并运行该程序,即可在终端中看到 ls 命令的输出结果:
```bash
$ gcc -o fork_exec fork_exec.c
$ ./fork_exec
fork_exec.c
```
注意:在执行 exec 函数族时,需要指定要执行的命令及其参数,其中第一个参数为执行文件的路径,第二个参数为要执行的命令或程序名,后面的参数为命令或程序的参数。在上面的示例代码中,我们执行的是 /bin/ls 命令,因此需要指定其路径和程序名 ls,而后面没有其他参数,因此最后一个参数为 NULL。
阅读全文