c语言fork函数创建两个子进程
时间: 2024-05-12 11:14:21 浏览: 185
在 C 语言中,可以使用 fork() 函数创建子进程。这个函数会在当前进程的地址空间中复制一份,然后在子进程中运行。以下是一个示例程序,可以创建两个子进程:
```c
#include <stdio.h>
#include <unistd.h>
#include <sys/types.h>
int main()
{
pid_t pid1, pid2;
pid1 = fork(); // 创建第一个子进程
if (pid1 == 0) {
printf("This is the first child process with pid %d\n", getpid());
// 第一个子进程的代码
} else {
pid2 = fork(); // 创建第二个子进程
if (pid2 == 0) {
printf("This is the second child process with pid %d\n", getpid());
// 第二个子进程的代码
} else {
printf("This is the parent process with pid %d\n", getpid());
// 父进程的代码
}
}
return 0;
}
```
在这个示例程序中,首先创建第一个子进程。如果 fork() 函数返回值为 0,就说明当前进程是子进程。在第一个子进程中,可以编写自己的代码。然后,再在父进程中创建第二个子进程。同样地,如果 fork() 函数返回值为 0,就说明当前进程是第二个子进程。在第二个子进程中,可以编写自己的代码。最后,父进程和两个子进程都会执行 printf() 语句,输出自己的进程 ID。
需要注意的是,每个进程都会拥有自己的地址空间和变量,它们之间不会相互影响。如果需要在进程之间共享数据,可以使用进程间通信(IPC)机制。
阅读全文