Search code examples
cunixpipe

How to send a simple string between two programs using pipes?


I tried searching on the net, but there are hardly any resources. A small example would suffice.

EDIT I mean, two different C programs communicating with each other. One program should send "Hi" and the other should receive it. Something like that.


Solution

  • A regular pipe can only connect two related processes. It is created by a process and will vanish when the last process closes it.

    A named pipe, also called a FIFO for its behavior, can be used to connect two unrelated processes and exists independently of the processes; meaning it can exist even if no one is using it. A FIFO is created using the mkfifo() library function.

    Example

    writer.c

    #include <fcntl.h>
    #include <sys/stat.h>
    #include <sys/types.h>
    #include <unistd.h>
    
    int main()
    {
        int fd;
        char * myfifo = "/tmp/myfifo";
    
        /* create the FIFO (named pipe) */
        mkfifo(myfifo, 0666);
    
        /* write "Hi" to the FIFO */
        fd = open(myfifo, O_WRONLY);
        write(fd, "Hi", sizeof("Hi"));
        close(fd);
    
        /* remove the FIFO */
        unlink(myfifo);
    
        return 0;
    }
    

    reader.c

    #include <fcntl.h>
    #include <stdio.h>
    #include <sys/stat.h>
    #include <unistd.h>
    
    #define MAX_BUF 1024
    
    int main()
    {
        int fd;
        char * myfifo = "/tmp/myfifo";
        char buf[MAX_BUF];
    
        /* open, read, and display the message from the FIFO */
        fd = open(myfifo, O_RDONLY);
        read(fd, buf, MAX_BUF);
        printf("Received: %s\n", buf);
        close(fd);
    
        return 0;
    }
    

    Note: Error checking was omitted from the above code for simplicity.