我应如何在C
程序中运行其他程序?我需要能够将数据写入已启动程序的STDIN
(并且可以从它的STDOUT
读取)
我不确定这是否是标准的C函数。我需要在Linux下运行的解决方案。
答案 0 :(得分:17)
您想使用popen
。它为您提供了一个单向管道,您可以使用它来访问程序的stdin和stdout。
popen是现代unix和unix-like操作系统的标准配置,Linux就是其中之一: - )
类型
man popen
在终端中阅读更多相关信息。
修改强>
popen
是否生成单向或双向管道取决于实现。在Linux和OpenBSD中,popen
生成单向管道,它们是只读管道或只写管道。在OS X,FreeBSD和NetBSD popen
生成双向管道。
答案 1 :(得分:9)
我为其他人写了一些示例C代码,显示了如何执行此操作。这是给你的:
#include <sys/types.h>
#include <unistd.h>
#include <stdio.h>
void error(char *s);
char *data = "Some input data\n";
main()
{
int in[2], out[2], n, pid;
char buf[255];
/* In a pipe, xx[0] is for reading, xx[1] is for writing */
if (pipe(in) < 0) error("pipe in");
if (pipe(out) < 0) error("pipe out");
if ((pid=fork()) == 0) {
/* This is the child process */
/* Close stdin, stdout, stderr */
close(0);
close(1);
close(2);
/* make our pipes, our new stdin,stdout and stderr */
dup2(in[0],0);
dup2(out[1],1);
dup2(out[1],2);
/* Close the other ends of the pipes that the parent will use, because if
* we leave these open in the child, the child/parent will not get an EOF
* when the parent/child closes their end of the pipe.
*/
close(in[1]);
close(out[0]);
/* Over-write the child process with the hexdump binary */
execl("/usr/bin/hexdump", "hexdump", "-C", (char *)NULL);
error("Could not exec hexdump");
}
printf("Spawned 'hexdump -C' as a child process at pid %d\n", pid);
/* This is the parent process */
/* Close the pipe ends that the child uses to read from / write to so
* the when we close the others, an EOF will be transmitted properly.
*/
close(in[0]);
close(out[1]);
printf("<- %s", data);
/* Write some data to the childs input */
write(in[1], data, strlen(data));
/* Because of the small amount of data, the child may block unless we
* close it's input stream. This sends an EOF to the child on it's
* stdin.
*/
close(in[1]);
/* Read back any output */
n = read(out[0], buf, 250);
buf[n] = 0;
printf("-> %s",buf);
exit(0);
}
void error(char *s)
{
perror(s);
exit(1);
}
答案 2 :(得分:7)
pipe(...)
创建两个管道,一个用于stdin
,一个用于stdout
。 fork(...)
这个过程。fork(...)
返回0)dup (...)
管道中stdin
/ stdout
。exec[v][e]
要在子进程中启动programm文件。fork
)返回子进程的PID的过程中)执行一个从子进程stdout
(select(...)
或poll(...)
读取的循环, read(...)
)进入缓冲区,直到
孩子终止(waitpid(...)
)。 stdin
的输入,如果有的话。close(...)
管道。答案 3 :(得分:4)
我不赞同内森·费尔曼 - 另一个问题并不是重复,尽管主题是相关的。
对于简单的单向通信,popen()是一个不错的解决方案。但是,这对于双向通信毫无用处。
IMO,imjorge(Jorge Ferreira)给出了大部分答案(80%?)用于双向通信 - 但省略了一些关键细节。
如果您没有关闭管道的未使用端,当其中一个程序终止时,您将无法获得明智的行为;例如,孩子可能正在读取其标准输入,但除非管道的写入端在子节点中关闭,否则它将永远不会获得EOF(读取零字节),因为它仍然打开管道并且系统认为它有时可能会写入该管道,即使它当前正在等待从中读取内容。
写入过程应考虑是否处理在没有读取过程的管道上写入时给出的SIGPIPE信号。
您必须了解管道容量(取决于平台,可能只有4KB)并设计程序以避免死锁。
答案 4 :(得分:0)
我认为你可以使用
freopen
为此。
答案 5 :(得分:0)
您可以使用系统调用,阅读manpage for system(3)