文章目录
- 一、system
- 先看linux版system函数的源码:
- 函数说明
- 返回值
- 附加说明
- demo:修改配置文件
- system与exec区别
- 二、popen 函数
- 函数原型:
- 参数说明:
- 返回值:
- pclose 函数
- demo
一、system
system()函数的返回值如下: 成功,则返回进程的状态值;当sh不能执行时,返回127; 失败返回-1;
先看linux版system函数的源码:
#include
#include
#include
#include
int system(const char * cmdstring)
{
pid_t pid;
int status;
if(cmdstring == NULL){
return (1);
}
if((pid = fork())<0){
status = -1;
}
else if(pid == 0){
execl("/bin/sh", "sh", "-c", cmdstring, (char *)0); //(char *)0 就是NULL
-exit(127); //子进程正常执行则不会执行此语句
}
else{
while(waitpid(pid, &status, 0) < 0){
if(errno != EINTER){
status = -1;
break;
}
}
}
return status;
}
我们执行程序一般都是 ./a.out ,但是我们也可以用这种方式去运行 sh -c ./a.out
函数说明
system()会调用fork()产生子进程,由子进程来调用/bin/sh-c string来执行参数string字符串所代表的命令,此命令执行完后随即返回原调用的进程。在调用system()期间SIGCHLD 信号会被暂时搁置,SIGINT和SIGQUIT 信号则会被忽略。
返回值
如果system()在调用/bin/sh时失败则返回127,其他失败原因返回-1。若参数string为空指针(NULL),则返回非零值。如果 system()调用成功则最后会返回执行shell命令后的返回值,但是此返回值也有可能为system()调用/bin/sh失败所返回的127,因此最好能再检查errno 来确认执行成功。
附加说明
在编写具有SUID/SGID权限的程序时请勿使用system(),system()会继承环境变量,通过环境变量可能会造成系统安全的问题。
demo:修改配置文件
#include <stdio.h>
#include <sys/wait.h>
#include <sys/types.h>
#include <unistd.h>
#include <stdlib.h>
int main()
{
pid_t pid;
int data = 0;
while(1){
printf("please input data:\n");
scanf("%d",&data);
if(data == 1){
pid = fork();
if(pid > 0){
wait(NULL);
}
if(pid == 0){
while(1){
system("./change test.config");
}
}
}else{
printf("wait connect\n");
}
}
return 0;
}
system与exec区别
#include <stdio.h>
#include <stdlib.h>
#include <unistd.h>
int main(void)
{
printf("before execl\n");
if(system("ps") == -1)
{
printf("execl failed!\n");
perror("execl");
}
printf("after execl\n");
return 0;
}
运行结果:
由上图我们能够看出,system在执行命令的时候会将执行命令后的代码也执行了,但是exec 再启动新的程序后是不会再继续运行原来的代码了。
二、popen 函数
比system在应用中的好处:可以获取运行的输出结果
函数原型:
#include <stdio.h>
FILE popen( const char command, const char* mode )
参数说明:
- command: 是一个指向以 NULL 结束的 shell 命令字符串的指针。这行命令将被传到 bin/sh 并使用 -c 标志,shell 将执行这个命令。
- mode: 只能是读或者写中的一种,得到的返回值(标准 I/O 流)也具有和 type 相应的只读或只写类型。如果 type 是 “r” 则文件指针连接到 command 的标准输出;如果 type 是 “w” 则文件指针连接到 command 的标准输入。
返回值:
如果调用成功,则返回一个读或者打开文件的指针,如果失败,返回NULL,具体错误要根据errno判断。
pclose 函数
int pclose (FILE* stream)
参数说明:
stream:popen返回的文件指针
返回值:
如果调用失败,返回 -1
demo
#include <stdio.h>
int main()
{
char ret[1024] = {'\0'};
FILE *fp;
fp = popen("ps","r");
int nret = fread(ret,1,1024,fp);
printf("nret = %d,ret = %s",nret,ret);
fclose(fp);
return 0;
}