与FIFO通信的两个程序使用for循环但不使用while循环

时间:2017-04-25 12:11:04

标签: c pipe fifo

我正在尝试编写两个程序,这些程序将通过C语言中的FIFO进行通信。我正在尝试使用FIFO来完成我的任务。

当我知道消息的数量并用for循环读取它时,它会打印出从另一方发送的所有消息。如果我使用while循环,它只发送其中两个。代码稍微更改了此问题How to send a simple string between two programs using pipes?

这有效:

/* writer */
#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) */


    /* write "Hi" to the FIFO */
    fd = open(myfifo, O_WRONLY);
    int i;
    for(i = 0; i < 10; i++)
         write(fd, "Hi", sizeof("Hi"));
    close(fd);



    return 0;
}

并且:(已编辑)

#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];

     mkfifo(myfifo, 0666);
    /* open, read, and display the message from the FIFO */
    fd = open(myfifo, O_RDONLY);
    int i;
    for(i = 0; i < 10; i++)
    {
        int n = read(fd, buf, MAX_BUF);
        printf("n = %d , Received: %s\n",n, buf);
    }
    close(fd);

     /* remove the FIFO */
    unlink(myfifo);

    return 0;
}

编辑:现在打印

n = 18 , Received: Hi
n = 12 , Received: Hi
n = 0 , Received: Hi
n = 0 , Received: Hi
n = 0 , Received: Hi
n = 0 , Received: Hi
n = 0 , Received: Hi
n = 0 , Received: Hi
n = 0 , Received: Hi
n = 0 , Received: Hi

当我将阅读器更改为此时,它不起作用:

#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];

     mkfifo(myfifo, 0666);
    /* open, read, and display the message from the FIFO */
    fd = open(myfifo, O_RDONLY);
    int i;
    while(read(fd, buf, MAX_BUF))
        printf("Received: %s\n", buf);

    close(fd);

     /* remove the FIFO */
    unlink(myfifo);

    return 0;
}

我在两个独立的终端中运行这两个程序。 当我用第二个阅读器运行它们时,它只打印出来:

Received: Hi
Received: Hi

任何帮助都将不胜感激。

2 个答案:

答案 0 :(得分:2)

管道是基于流的,而不是基于消息的。虽然 bytes 读取的数量应与写入的数量相匹配,但read次呼叫的数量不一定与write次呼叫的次数相同。

如果我们修改阅读器以打印接收的字节数:

int len;
while((len=read(fd, buf, MAX_BUF)) > 0) {
    printf("Received %d: %s\n", len, buf);
}

我得到以下输出:

Received 30: Hi

因此在第二种情况下,有10个写入3个字节(2个用于字母Hi,一个用于空终止字节)和1个读取30个字节。在每个write调用上写入3个字节的原因是因为字符串常量"Hi"具有类型char [3]

你只能看到一个&#34;嗨&#34;打印,因为第三个字节是一个空字节,它终止字符串,所以没有打印过去。

答案 1 :(得分:0)

在第二个版本中,循环的继续执行取决于read()返回的值,而在第一个版本中,它无条件地循环十次。

由于它没有清除缓冲区,只要第一次迭代读取“嗨”,所有后续迭代都会打印“嗨”。无论read()的成功,部分成功或失败。