编辑: 解决方案是
int c1=dup2(pipes[0][1],STDOUT_FILENO);
int c2=dup2(pipes[1][0],STDIN_FILENO);
setvbuf(stdout,NULL,_IONBF,0);
SETVBUF将stdout设置为非缓冲。即使我正在打印换行符,如果目标不是实际的屏幕,我想,它会变得缓冲。
编辑: 当我在第4行之后放置 fflush(标准输出)和在第4行之后放置 fflush(fout)时,它按预期工作。但是,如果没有LINE 1之后的 fflush(stdout),它就无法运行。问题是我无法将 fflush 放入我计划的程序中运行
我正在尝试从我的进程启动另一个程序。我无法访问其代码,但我知道它使用stdin和stdout进行用户交互。我试图通过创建2个管道,分叉并将子项的stdin / stdout重定向到正确的管道末端来启动该程序。要点是父级应该能够通过文件描述符与子进行通信,而其stdin / stdout应该是完整的。 POPEN系统调用只打开单向管道。以下代码几乎可以使用。
有4行标记为LINE 1..4。
LINE 1是孩子发送到管道, LINE 2是从管道接收的孩子, LINE 3是父发送到管道, LINE 4是从管道接收的父级,
这只是一个确保工作正常的玩具示例。问题是所有4行LINE1..4都取消注释我在终端上看到的输出是
PARENT1: -1
FD: 1 0 4 5 0 1
DEBUG1: 0
DEBUG2: 0
如果只取消注释LINE 1和LINE 3,我会看到连续的数据流。如果仅取消注释LINE 2和LINE 4,则会发生相同的情况。但是,我想要一个完整的双向通信。添加注释的SLEEP也不会改变行为。
这可能是什么问题。我想知道为什么没有双向POPEN。
int pid;
int pipes[2][2];
pipe(pipes[0]);
pipe(pipes[1]);
pid=fork();
if(pid==0)
{
//usleep(1000000);
close(pipes[0][0]);
close(pipes[1][1]);
int c1=dup2(pipes[0][1],STDOUT_FILENO);
int c2=dup2(pipes[1][0],STDIN_FILENO);
//int c2=dup2(STDIN_FILENO,pipes[1][0]);
fprintf(stderr,"FD: %d %d %d %d %d %d\n",c1,c2,pipes[0][1],pipes[1][0],STDIN_FILENO,STDOUT_FILENO);
//FILE*fout=fdopen(pipes[0][1],"w");
//FILE*fin =fdopen(pipes[1][0],"r");
while(1)
{
static int c1=0;
fprintf(stderr,"DEBUG1: %d\n",c1);
printf("%d\n",c1); // LINE 1
fprintf(stderr,"DEBUG2: %d\n",c1);
scanf("%d",&c1); // LINE 2
fprintf(stderr,"DEBUG3: %d\n",c1);
c1++;
}
//fclose(fout);
//fclose(fin);
return 0;
}
close(pipes[0][1]);
close(pipes[1][0]);
char buffer[100];
FILE*fin=fdopen(pipes[0][0],"r");
FILE*fout=fdopen(pipes[1][1],"w");
while(1)
{
int c1=-1;
printf("PARENT1: %d\n",c1);
fscanf(fin,"%d",&c1); // LINE 3
printf("Recv: %d\n",c1);
fprintf(fout,"%d\n",c1+1); // LINE 4
printf("PARENT3: %d\n",c1+1);
}
fclose(fin);
fclose(fout);
答案 0 :(得分:1)
你的代码很长,所以我不确定我是否理解了所有内容,但为什么你不使用select? 是否要在子进程中重定向子项的输出或在父进程中使用它?
以下例子是在子进程中使用cat。
#include <unistd.h>
#include <stdlib.h>
int main()
{
pid_t pid;
int p[2];
pipe(p);
pid = fork();
if (pid == 0)
{
dup2(p[1], 1); // redirect the output (STDOUT to the pipe)
close(p[0]);
execlp("cat", "cat", NULL);
exit(EXIT_FAILURE);
}
else
{
close(p[1]);
fd_set rfds;
char buffer[10] = {0};
while (1)
{
FD_ZERO(&rfds);
FD_SET(p[0], &rfds);
select(p[0] + 1, &rfds, NULL, NULL, NULL); //wait for changes on p[0]
if(FD_ISSET(p[0], &rfds))
{
int ret = 0;
while ((ret = read(p[0], buffer, 10)) > 0) //read on the pipe
{
write(1, buffer, ret); //display the result
memset(buffer, 0, 10);
}
}
}
}
}