以下のコードは、子プロセスがパイプの端に書き込む方法と、親プロセスがもう一方の端から読み取る方法を示しています。コードを試した後で気付いたのは、子プロセスが終了した後でのみ、親がデータを読み取ることができるということです。
親プロセスを強制的にフォアグラウンドにして、子がwrite()を呼び出した直後にデータを読み取る方法はありますか?そして、子供を終了せずにデータを読み取る方法はありますか?
#include <stdio.h> /* For printf */
#include <string.h> /* For strlen */
#include <stdlib.h> /* For exit */
#define READ 0 /* Read end of pipe */
#define WRITE 1 /* Write end of pipe */
char *phrase = "This is a test phrase.";
main(){
int pid, fd[2], bytes;
char message[100];
if (pipe(fd) == -1) { /* Create a pipe */
perror("pipe");
exit(1);
}
if ((pid = fork()) == -1) { /* Fork a child */
perror("fork");
exit(1);
}
if (pid == 0) { /* Child, writer */
close(fd[READ]); /* Close unused end */
write(fd[WRITE], phrase, strlen(phrase)+1);
close(fd[WRITE]); /* Close used end */
}
else { /* Parent, reader */
close(fd[WRITE]); /* Close unused end */
bytes = read(fd[READ], message, sizeof(message));
printf("Read %d bytes: %s\n", bytes, message);
close(fd[READ]); /* Close used end */
}
}