红联Linux门户
Linux帮助

Linux system函数的一些注意事项

发布时间:2016-11-10 15:04:34来源:linux网站作者:陈富林
在日常的代码编程中,我们可以利用system  函数去调用一些我们自己想调用的命令 , 并获取他的返回值。
 
函数的原型如下:
int system(const char *command);
 
上一段我自己写的代码:
int main(void)   
{  
unsigned  int val ; 
val = system("./a.out") ;  
val = WEXITSTATUS(val);    
printf("vl = %d\n" , val) ;
return 0 ;   
}
 
这段代码是直接调用了当前文件的a.out文件,并获取了他的返回值。
 
今天着重记一下这个返回值得注意事项,先看下man system  里面关于返回值的说明:
RETURN VALUE
The value returned is -1 on error (e.g.  fork(2) failed), and the  return
status  of  the  command  otherwise.  This latter return status is in the
format specified in wait(2).  Thus, the exit code of the command will  be
WEXITSTATUS(status).   In  case  /bin/sh  could not be executed, the exit
status will be that of a command that does exit(127).
If the value of command is NULL, system() returns nonzero if the shell is
available, and zero if not.
system() does not affect the wait status of any other children.
 
返回值分为3类:
第一类:如果 system 分配子进程失败,他会返回 -1;
第二类: 如果 system  执行命令失败,返回127;
第三类:执行命令子进程命令成功,返回子进程所返回的值。
这个值是有问题的。这个值是一个16位的值。
低8位,存放的是如果你执行命令失败,所存放的值(127 == 7个1),
高8位,存放的是你执行的那条命令所返回值。
就是这个8位的问题,让我着重讲一下:
 
通过上面的程序,我用了一个宏定义:
val = WEXITSTATUS(val);
这个直接左移动8位。
注意这个值只有八位,如果你的命令返回一个高于八位的值,他就会出现我们无法避免的一个状况,返回值有点不符我们的理想:
 
看一下我的 a.out 源代码:
int main(void)   
{  
printf("hello kitty \n") ; 
return 255 ; 
}
 
这里我的返回值是255,看我执行一下system 那个程序,得出结果:
aplex@aplex:~/test/chen_test$ ./test 
hello kitty 
vl = 255
 
返回值正常,但是,我再把返回值加1:
int main(void)   
{  
printf("hello kitty \n") ; 
return 256 ; 
}
 
再执行system 函数代码:
aplex@aplex:~/test/chen_test$ ./test 
hello kitty 
vl = 0
没错,他只能返回0~255 的值,超出8位就不能正常返回。
 
本文永久更新地址:http://www.linuxdiyf.com/linux/25898.html