system系統調用返回值判斷命令是否執行成功

 system函數對返回值的處理,涉及3個階段:shell

階段1:建立子進程等準備工做。若是失敗,返回-1。
階段2:調用/bin/sh拉起shell腳本,若是拉起失敗或者shell未正常執行結束(參見備註1),緣由值被寫入到status的低8~15比特位中。system的man中只說明瞭會寫了127這個值,但實測發現還會寫126等值。
階段3:若是shell腳本正常執行結束,將shell返回值填到status的低8~15比特位中。
備註1:
只要可以調用到/bin/sh,而且執行shell過程當中沒有被其餘信號異常中斷,都算正常結束。
好比:無論shell腳本中返回什麼緣由值,是0仍是非0,都算正常執行結束。即便shell腳本不存在或沒有執行權限,也都算正常執行結束。
若是shell腳本執行過程當中被強制kill掉等狀況則算異常結束。
 
如何判斷階段2中,shell腳本是否正常執行結束呢?系統提供了宏:WIFEXITED(status)。若是WIFEXITED(status)爲真,則說明正常結束。
如何取得階段3中的shell返回值?你能夠直接經過右移8bit來實現,但安全的作法是使用系統提供的宏:WEXITSTATUS(status)。
 
 
因爲咱們通常在shell腳本中會經過返回值判斷本腳本是否正常執行,若是成功返回0,失敗返回正數。
因此綜上,判斷一個system函數調用shell腳本是否正常結束的方法應該是以下3個條件同時成立:
(1)-1 != status
(2)WIFEXITED(status)爲真
(3)0 == WEXITSTATUS(status)
 
所以,咱們能夠由下面代碼判斷命令是否正常執行並返回:
 1 bool mySystem(const char *command)
 2 {
 3     int status;
 4     status = system(command);  
 5   
 6     if (-1 == status)  
 7     {  
 8         printf("mySystem: system error!");  
 9         return false;
10     }  
11     else  
12     {  
13         if (WIFEXITED(status))  
14         {  
15             if (0 == WEXITSTATUS(status))  
16             {  
17                 return true; 
18             }               
19             printf("mySystem: run shell script fail, script exit code: %d\n", WEXITSTATUS(status));  
20             return false;   
21         }    
22         printf("mySystem: exit status = [%d]\n", WEXITSTATUS(status));   
23         return false;
24     }  
25 }
26     
View Code
相關文章
相關標籤/搜索