APUE Learning Example Source Code
guowenxue
2020-04-29 b8fb7f30f9d42d69bf25734bf0ee351809e62198
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
#include <stdio.h>
#include <string.h>
#include <unistd.h>
#include <errno.h>
#include <sys/types.h>
#include <sys/wait.h>
 
#define MSG_STR "This message is from parent: Hello, child process!"
 
int main(int argc, char **argv)
{
    int             pipe_fd[2];
    int             rv;
    int             pid;
    char            buf[512];
    int             wstatus;
 
    if( pipe(pipe_fd) < 0)
    {
        printf("Create pipe failure: %s\n", strerror(errno));
        return -1;
    }
 
    if( (pid=fork()) < 0 )
    {
        printf("Create child process failure: %s\n", strerror(errno));
        return -2;
    }
    else if(pid == 0)
    {
        /* child process close write endpoint, then read data from parent process */
        close(pipe_fd[1]);
 
        memset(buf, 0, sizeof(buf));
        rv=read(pipe_fd[0], buf, sizeof(buf));
        if(rv < 0 )
        {
            printf("Child process read from pipe failure: %s\n", strerror(errno));
            return -3;
        }
        
        printf("Child process read %d bytes data from pipe: \"%s\"\n", rv, buf);
        return 0;
    }
    
    /* parent process close read endpoint, then write data to child process */
    close(pipe_fd[0]);
    if( write(pipe_fd[1], MSG_STR, strlen(MSG_STR)) < 0)
    {
        printf("Parent process write data to pipe failure: %s\n", strerror(errno));
        return -3;
    }
 
 
    printf("Parent start wait child process exit...\n");
    wait(&wstatus);
 
    return 0;
}