Linux--進程創(chuàng)建總結
1 fork:子進程是父進程副本,不知道父子進程啟動順序,復制父進程資源。
2 vfork: 不創(chuàng)建子進程了,子進程和父進程共享數(shù)據(jù)段,創(chuàng)建的子進程先于父進程進行。
3 clone: 創(chuàng)建線程使用pthread庫,更精確指定要共享的內(nèi)容。
fork:
#include <stdio.h>
#include <stdlib.h>
#include <sys/types.h>
#include <unistd.h>
int main(){
int count = 1;
int child;
child = fork( );
if(child < 0){
?perror("fork failure?");
?exit(1);
?}else if(child == 0){
? ??printf("This is child, count is: %d (%p). and his pid is: %d\n", ++count, &count, getpid());
}else??{
? ? printf("This is parent,count is: %d (%p), his pid is: %d\n", count, &count, getpid());
}
exit(0);
}
1>運行結果里面可以看出父子兩個進程的pid不同,堆棧和數(shù)據(jù)資源都是完全的復制
2>子進程改變了count的值,而父進程中的count沒有被改變。
3>子進程與父進程count的地址(虛擬地址)是相同的(在內(nèi)核中被映射的物理地址不同)
CW技術(寫時復制)
一句話
父進程和子進程都設置成了只讀模式,只有寫入時,會有中斷異常,異常處理函數(shù)為寫進程復制一份新物理頁,父子進程都擁有一塊內(nèi)容相同的物理頁,異常函數(shù)返回,進程繼續(xù)執(zhí)行下去。
vfork
#include <stdio.h>
#include <stdlib.h>
#include <sys/types.h>
#include <unistd.h>
int main(){
int count?= 1;
int child;
if((child = vfork())?< 0){
?perror("vfork failure?");
?exit(1);
?}else?if((child=vfork())?== 0){
????printf("This is child,?count?is:?%d (%p).?and?his pid is: %d\n",?++count, &count, getpid());
? ? exit(1);
}else??{
????printf("This is parent,count is: %d (%p), his pid is: %d\n", count, &count, getpid());
? exit(1);
}
exit(0);
}
vfork創(chuàng)建出的子進程(線程)共享了父進程的count變量,2者的count指向了同一個內(nèi)存,所以子進程修改了count變量,父進程的 count變量同樣受到了影響。
1>vfork創(chuàng)造出來的子進程還會導致父進程掛起,除非子進程exit或者execve才會喚起父進程
2>vfok創(chuàng)建出來的子進程共享了父進程的所有內(nèi)存,包括棧地址,直至子進程使用execv啟動新的應用程序為止
3>由vfork創(chuàng)建出來得子進程不應該使用return返回調(diào)用者,或者使用exit()退出,但是它可以使用_exit()函數(shù)來退出
@vfork就是老小欺負老大,老小要吃雪糕,老大有,于是先吃老大的,等到父母執(zhí)行exec買了新雪糕再把吃過的還給老大。記住exec不創(chuàng)建新進程,只是用新程序替換原正文、數(shù)據(jù)、堆棧,id不變。
clone
選擇性的繼承父進程的資源,你可以選擇想vfork一樣和父進程共享一個虛存空間,從而使創(chuàng)造的是線程,你也可以不和父進程共享,你甚至可以選擇創(chuàng)造出來的進程和父進程不再是父子關系,而是兄弟關系。
來源網(wǎng)上程序:
#include <stdio.h>
#include <malloc.h>
#include <sched.h>
#include <signal.h>
#include <sys/types.h>
#include <unistd.h>
#define FIBER_STACK 8192
int a;
void * stack;
int do_something()
{
? ? printf("This is son, the pid is:%d, the a is: %d\n", getpid(), ++a);
? ? free(stack);?
? ? exit(1);
}
int main()
{
? ? void * stack;
? ? a = 1;
? ? stack = malloc(FIBER_STACK);
? ? if(!stack)
? ? {
? ? ? ? printf("The stack failed\n");
? ? ? ? exit(0);
? ? }
printf("creating son thread!!!\n");
clone(&do_something, (char *)stack + FIBER_STACK, CLONE_VM|CLONE_VFORK, 0);??
printf("This is father, my pid is: %d, the a is: %d\n", getpid(), a);
exit(1);
}
是創(chuàng)建一個線程(子進程共享了父進程虛存空間,沒有自己獨立的虛存空間不能稱其為進程)。父進程被掛起當子線程釋放虛存資源后再繼續(xù)執(zhí)行。