popen函数
通过管道与shell命令进行通信
- popen函数
- FILE *popen(const char *command, const char *type);
- 创建一个管道,并创建一个子进程来执行shell,shell会创建一个子进程来执行command
- 将父子进程的输入/输出重定向到管道,建立一个单向的数据流
- 返回一个fp文件指针给父进程,父进程可根据fp对管道进行读写
- 向管道中读数据,读命令的标准输入
- 向管道中写数据,写入该命令的标准输入
使用popen函数,建立起读模式、写模式就好
- 读模式调用popen
- popen(command, "r");
- popen函数创建输入写入到管道,被调用popen来的父进程读取
- 子进程的标准输出写入到管道,被调用popen的父进程读取
- 父进程通过对popen返回的fp指针读管道,获取执行命令的输出
- 写模式调用popen
- fp = popen(command, "w");
- popen函数创建子进程执行command,创建管道
- 调用popen的父进程,通过fp进行对管道进行写操作
- 写入的内容通过管道传给子进程,作为子进程的输入
#include <stdio.h>
#include <stdlib.h>
#include <unistd.h>
#include <fcntl.h>
#include <sys/types.h>
#include <sys/stat.h>
#define handle_error(s) \
{perror(s);exit(-1);}
int popen_read(void)
{
FILE *fp;
char buf[1024] = {0};
fp = popen("cat popen.c", "r");
if (fp == NULL)
handle_error("popen");
fread(buf, 1, 1024, fp);
printf("%s\n", buf);
pclose(fp);
return 0;
}
int popen_write(void)
{
FILE *fp;
char buf[128] = "Dear kiki";
fp = popen("cat > data520.log", "w");
if (fp == NULL)
handle_error("popen");
fwrite(buf, 1, sizeof(buf), fp);
fclose(fp);
return 0;
}
int main(int argc, char *argv[])
{
popen_read();
popen_write();
return 0;
}
|