system
int system(const char *command);
system()函数的返回值如下:
成功,则返回进程的状态值;
当sh不能执行时,返回127;
失败返回-1;
其实是封装后的exec,函数源代码在子进程调用exec函数,system使用更加简单,用法就是将./ 和后的内容(要执行的指令)放进代码中去。和exec不同的是,它运行完后还会返回到原来的代码处
比如:
#include<stdio.h>
#include<stdlib.h>
#include<unistd.h>
//int execl(const char*path,const char *arg,..)
int main()
{printf("this pro get system date: \n");if(system("date")==-1){printf("execl failed \n");perror("why");}printf("after execl\n");return 0;
}
运行结果:this pro get system date: Mon Sep 21 21:37:45 CST 2020after execl
代码示例
#include<stdio.h>
#include <sys/types.h>
#include <unistd.h>
#include <sys/stat.h>
#include <fcntl.h>
#include <string.h>
#include <stdlib.h>
int main()
{pid_t fpid;int data;while(1){printf("please input a data\n");scanf("%d",&data);if(data==1){fpid=fork();if(fpid>0){wait(NULL);}if(fpid==0){// execl("./changedata","changedata","config.txt",NULL);system("./changedata config.txt");}}else{printf("do nothing\n");}}return 0;
}
popen函数
#include <stdio.h>
FILE *popen(const char *command, const char *type);
int pclose(FILE *stream);
比system好的是可以获取运行的输出结果。
参数说明:
type参数只能是读或者写中的一种,得到的返回值(标准I/O流)也具有和type相应的只读或只写类型。如果type是"r"则文件指针连接到command的标准输出;如果type是"w"则文件指针连接到command的标准输入。
command参数是一个指向以NULL结束的shell命令字符串的指针。这行命令将被传到bin/sh并使用-c标志,shell将执行这个命令。
返回值:
如果调用成功,则返回一个读或者打开文件的指针,如果失败,返回NULL,具体错误要根据errno判断。
int pclose(FILE* stream)
参数说明:
stream: popen返回的文件指针
返回值:
如果调用失败,返回-1
作用:
popen())函数用于创建-个管道:其内部实现为调用fork产生一个子进程,执行一个shell以运行命令来开启一个进程这个进程必须由pclose()函数关闭。
代码演示
#include<stdio.h>
#include<stdlib.h>
#include<unistd.h>
//int execl(const char*path,const char *arg,..)
//size_t fread(void *ptr, size_t size, size_t nmemb, FILE *stream);
int main()
{char ret[1024]={0};FILE *fp;fp=popen("ps","r");int n_read=fread(ret,1,1024,fp);//将popen的返回值读取到ret中printf("read ret:%d,popen return :%s\n",n_read,ret);return 0;
}