0

我想了解 Unix 中的消息队列是如何工作的。我写了一个简单的代码,它向队列发送一条短消息,然后我可以读取该消息。但我的代码显示:

在此处输入图像描述

而且我不知道为什么 - 我看不到我发送到队列的消息。这是我的代码:

#include <sys/types.h>
#include <sys/ipc.h>
#include <sys/msg.h>
#include <stdio.h>
#include <stdlib.h>
#include <unistd.h>
#include <string.h>
#include <fcntl.h>

struct mymsgbuf {
    long mtype;
    char mtext[1024];
}msg;

int send_message(int qid, struct mymsgbuf *buffer )
{
    int result = -1, length = 0;
    length = sizeof(struct mymsgbuf) - sizeof(long);
    if((result = msgsnd(qid, buffer, length, 0)) == -1)
        return -1;
    return result;
}

int read_message(int qid, long type, struct mymsgbuf *buffer)
{
    int result, length;
    length = sizeof(struct mymsgbuf) - sizeof(long);
    if((result = msgrcv(qid, buffer, length, type,  0)) == -1)
        return -1;
    printf("Type: %ld Text: %s\n", buffer->mtype, buffer->mtext);
    return result;
}

int main(int argc, char **argv)
{
    int buffsize = 1024;

    int qid = msgget(ftok(".", 0), IPC_CREAT | O_EXCL);
    if (qid == -1)
    {
        perror("msgget");
        exit(1);
    }

    msg.mtype = 1;
    strcpy(msg.mtext, "my simple msg");

    if((send_message(qid, &msg)) == -1)
    {
        perror("msgsnd");
        exit(1);
    }

    if((read_message(qid, 1, &msg) == -1))
    {
        perror("msgrcv");
        exit(1);
    }

    return 0;
}

当我用 msgget 为此行更改一行时:

int qid = msgget(ftok(".", 0), IPC_CREAT | O_EXCL | 0600);

表明:

在此处输入图像描述

4

1 回答 1

1

从文档中msgget

msg_perm.mode 的低 9 位应设置为等于 msgflg 的低 9 位。

您需要为队列添加一些权限,至少是读写权限。执行以下操作:

int qid = msgget(ftok(".", 0), IPC_CREAT | O_EXCL | 0600);
于 2012-11-17T13:43:29.373 回答