Linux中父子進程Fork與malloc關系示例:
- #include <stdio.h>
- #include <stdlib.h>
- #include <string.h>
-
- #define SIZE 16
-
- int main()
- {
- char *data;
-
- data=(char *)malloc(SIZE);
- if(data==NULL)
- {
- printf("mallco failed!\n");
- exit(1);
- }
-
- char *str="test data";
- strcpy(data,str);
- printf("before fork,the data is: %s\n",data);
- printf("before fork the addr of mem is: %p\n",data);
-
- int pid;
- if((pid=fork())==0)//父進程查看分配的內存信息
- {
- strcpy(data,"I am parent");
- printf("In parent,the data is: %s\n",data);
- printf("In parent,the addr of mem is: %p\n",data);
-
- sleep(10);
- printf("In parent,the data is: %s\n",data);
- printf("In parent,the addr of mem is: %p\n",data);
- }
- else
- {
- sleep(5);
- strcpy(data,"I am child");
- printf("In child,the data is: %s\n",data);
- printf("In child,the addr of mem is: %p\n",data);
- }
-
- free(data);
-
- return 0;
-
- }
運行結果:
- pine@pine-pc:/home/song/study/C$ ./malloc
- before fork,the data is: test data
- before fork the addr of mem is: 0x9e3a008
- In parent,the data is: I am parent
- In parent,the addr of mem is: 0x9e3a008
- In child,the data is: I am child
- In child,the addr of mem is: 0x9e3a008
- pine@pine-pc:/home/song/study/C$ In parent,the data is: I am parent
- In parent,the addr of mem is: 0x9e3a008
通過例子說明,mallco之後進行fork,父子進程之間與malloc內存區域的關系。
通過例子可以看出,在fork之後,父子進程中得到的內存區域是各自獨立的,父子進程各自的操作相互不會影響。可以看到,fork之後,父進程向內存之寫入了 “I am parent”,接著等待一下,子進程寫入“I am child”,但打印的結果顯示,兩個進程的內存區域是獨立的,不會受到影響。
有一點值得注意,那就是父子進程打印內存的地址都是一樣的但為什麼得到的數據確不一樣呢?其實,父子進程的地址空間是相互獨立的,兩個進程都會copy原始的數據,因此dada的值是一樣的,這個是個虛擬地址!須要經過映射變換得到實際的物理地址!!但由於父子進程此時擁有了各自獨立的進程空間,即使是同樣的虛擬地址,當映射到實際的物理內存時,也不會是同一個物理地址,所以不是同一個內存塊(物理上)!!!每個進程對同樣的虛擬地址映射結果是不同的。不能使用虛擬地址來做為判斷的依據。