程序运行一次,它将数据抛出到管道并以相互排斥的相同条件(在if和else中)将其取出。 我没有到这里来的? 这是如何运作的? 我对这种编程没有经验。
#include <sys/types.h>
#include <unistd.h>
#include <stdio.h>
#include <stdlib.h>
从管道中读取字符并将它们回显到stdout。
void
read_from_pipe (int file)
{
FILE *stream;
int c;
stream = fdopen (file, "r");
while ((c = fgetc (stream)) != EOF)
putchar (c);
fclose (stream);
}
将一些随机文本写入管道。
void
write_to_pipe (int file)
{
FILE *stream;
stream = fdopen (file, "w");
fprintf (stream, "hello, world!\n");
fprintf (stream, "goodbye, world!\n");
fclose (stream);
}
int
main (void)
{
pid_t pid;
int mypipe[2];
/* Create the pipe. */
if (pipe (mypipe))
{
fprintf (stderr, "Pipe failed.\n");
return EXIT_FAILURE;
}
/* Create the child process. */
pid = fork ();
if (pid == (pid_t) 0)
{
/* This is the child process.
Close other end first. */
close (mypipe[1]);
read_from_pipe (mypipe[0]);
return EXIT_SUCCESS;
}
else if (pid < (pid_t) 0)
{
/* The fork failed. */
fprintf (stderr, "Fork failed.\n");
return EXIT_FAILURE;
}
else
{
/* This is the parent process.
Close other end first. */
close (mypipe[0]);
write_to_pipe (mypipe[1]);
return EXIT_SUCCESS;
}
}
答案 0 :(得分:5)
在该行之后:
pid = fork();
您不再拥有一个程序,而是两个不同的程序(当fork
成功时)。
这两个程序都不是同一个程序。在子进程中,fork
返回0,但在父进程中它返回子PID。
父级运行if
/ else
构造的一个分支,子级运行另一个分支。 (如果fork
失败,则仅在父级中运行第三个。)