我想使用Python为我的C程序实现用户界面。但是,我似乎无法让沟通工作。这是我到目前为止所做的,test.c
:
int main()
{
int pipe_in[2], pipe_out[2];
if (pipe(pipe_in) != 0 || pipe(pipe_out) != 0)
{
perror("pipe");
return 1;
}
int _proc_handle = 0;
if ((_proc_handle=fork()) == 0)
{
printf("Starting up Python interface...\n");
dup2(pipe_in[0], STDIN_FILENO);
dup2(pipe_out[1], STDOUT_FILENO);
close(pipe_in[0]);
close(pipe_out[1]);
execlp("python", "python", "interface.py", (char*)NULL);
perror("execlp");
printf("Error executing Python.\n");
exit(1);
}
_write_fd = pipe_in[1];
_read_fd = pipe_out[0];
sleep(1);
char buffer[256];
int n = read(_read_fd, buffer, 11);
printf("n: %d\n", n);
printf("buffer: `%s'\n", buffer);
write(_write_fd, "from C\n", 5);
return 0;
}
和interface.py
是:
import sys
import time
time.sleep(0.1)
print >>sys.stdout, 'from python'
print >>sys.stderr, sys.stdin.readline()
运行它,我希望它打印,
Starting up Python interface...
n: 11
buffer: `from python'
from C
但相反,它只是挂起,
Starting up Python interface...
答案 0 :(得分:0)
添加到您的python脚本:
sys.stdout.flush() # after printing to stdout
sys.stderr.flush() # after printing to stderr
(行缓冲是tty设备的默认设置,但不适用于管道)。
将来你会想要在父进程(和/或子进程)中检测管道上的EOF,并且你也必须在父进程中关闭管道的未使用端。编辑:并在子进程中关闭其他未使用的管道末端。
/* This should be in parent as well */
close(pipe_in[0]);
close(pipe_out[1]);
/* This should be added to the child */
close(pipe_in[1]);
close(pipe_out[0]);