所以程序就是这样的。有一个生产者和4个消费者。生产者生成6个随机数,并通过消息队列将它们发送到4个消费者。每个消费者立即接收它们 在终止之前,应该通过另一个队列发送一条带有mayproduce = 0的消息; mayproduce是一个整数。
有问题的功能是:
int msgsnd(int msqid, const void *msgp, size_t msgsz, int msgflg);
我使用这样的函数发送mayproduce
msgsnd(qid,&mayproduce,sizeof(int),0)
当我编译它时说“无效的参数”。
如果我将mayproduce更改为其他数字,对于mayproduce = 2,程序运行正常。
有谁知道它不接受0作为参数的原因?
代码示例:
mayproduce=2; // if I put 0 here it doesn't work
if(msgsnd(msq2,&mayproduce,tamanho,0)<0) {
perror("\nConsumidor:Erro ao enviar a mensagem: ");
exit(1);
}
答案 0 :(得分:1)
msgsnd()文档声明:
The msgp argument is a pointer to a caller-defined structure of the following general form: struct msgbuf { long mtype; /* message type, must be > 0 */ char mtext[1]; /* message data */ };
该联机帮助页有更多信息,您需要非常仔细地阅读。
所以你真的不应该发送指向int的指针。您应该创建自己的结构,其中1.成员的类型为long
,并且用作消息类型鉴别器,接收方可以查看它以确定它收到的消息类型。
传递给msgsend()的大小是mtype
成员之后发送的所有内容的大小。
执行msgsnd(qid,&mayproduce,sizeof(int),0)
时会发生以下情况:
mayproduce
int被解释为mtype
中的struct msgbuf
成员,正如文档所述,它不能为0 long msgtype
之外你还会有一个int。但是你的&mayproduce
指针只指向一个int,因此你可能还会发送从堆栈中抓取的垃圾值。您应该执行以下操作:
struct MyMsg {
long mtype;
int mayproduce;
};
struct MyMsg msg;
msg.mtype = 1; //or whatever you want > 0
msg.mayproduce = ....; //whatever you want to send.
size_t msgsize = sizeof(struct MyMsg) - sizeof(long);
msgsnd(msq2,&msg,msgsize,0);