今天开始研究多进程。。。。
fork
Linux下创建一个新进程的系统调用是fork:
#include <sys/types.h>
#include <unistd.h>
pid_t fork(void)
fork被调用一次,返回两次,它可能有三种不同的返回值:
1)在父进程中,fork返回新创建子进程的进程ID;
2)在子进程中,fork返回0;
3)如果出现错误,fork返回-1,并设置errno;
编码
18 #include <stdio.h>
19 #include <unistd.h>
20
21 int main()
22 {
23 int array[]={3,4};
24 pid_t child_p;
25
26 child_p = fork();
27 if ( child_p > 0 )
28 {
29 int t = 0;
30 for(; t<5; t++)
31 {
32 printf("我是parent, %d, %d\n",array[0],array[1]);
33 array[0] += 2;
34 array[1] += 2;
35 sleep(1);
36 }
37 }
38 else if ( child_p == 0 )
39 {
40 int p = 0;
41 for(; p<5; p++)
42 {
43 printf("我是child, %d, %d\n",array[0],array[1]);
44 array[0] += 1;
45 array[1] += 1;
46 sleep(1);
47 }
48 }
49 return 1;
50 }
执行结果:
我是parent, 3, 4
我是child, 3, 4
我是parent, 5, 6
我是child, 4, 5
我是parent, 7, 8
我是child, 5, 6
我是child, 6, 7
我是parent, 9, 10
我是parent, 11, 12
我是child, 7, 8
因为进程隔离,子进程复制了父进程的array[]数组,但是之后父子进程各自对array的修改不会影响对方的数组。