1、概念
“消息队列”是在消息的传输过程中保存消息的容器,是消息的链接表,存放于内核中,一个消息队列由一个标识符(队列ID)进行表示。
2、特点
(1)消息队列独立于发送和接收进程, 进程终止时,消息队列极其内容不会被删除。 (2)消息队列时面向记录的,其中的消息具有特定的格式和优先级。 (3)消息队列可以实现消息的随机查询,不一定要按消息先进先出的原则获取,可按照消息的类型进行获取。
3、核心API
#include <sys/types.h>
#include <sys/ipc.h>
#include <sys/msg.h>
key_t ftok(const char *pathname, int proj_id);
int msgget(key_t key, int msgflg);
size_t msgrcv(int msqid, void *msgp, size_t msgsz, long msgtyp,int msgflg);
int msgsnd(int msqid, const void *msgp, size_t msgsz, int msgflg);
4、例程
4.1 获取消息队列的消息
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <unistd.h>
#include <sys/stat.h>
#include <sys/ipc.h>
#include <sys/msg.h>
#include <sys/types.h>
#include <fcntl.h>
typedef struct msgque{
long mtype;
char mtext[128];
}MSGQUE;
int main()
{
MSGQUE read_msgQue;
key_t key = ftok("./", 'z');
if(key == -1)
{
perror("create key failed!why:");
exit(0);
}
int msgID = msgget(key, IPC_CREAT|0777);
if(msgID == -1)
{
perror("get message queue failed!why:");
exit(0);
}else{
printf("get message queeue successfully!\n");
}
printf("watting message......\n");
if(msgrcv(msgID, &read_msgQue, sizeof(read_msgQue.mtext), 888, 0) == -1)
{
perror("receive failed!why:");
}else{
printf("receive:%s\n", read_msgQue.mtext);
}
exit(0);
}
4.2 向消息队列加入消息
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <unistd.h>
#include <sys/stat.h>
#include <sys/ipc.h>
#include <sys/msg.h>
#include <sys/types.h>
#include <fcntl.h>
typedef struct msgque{
long mtype;
char mtext[128];
}MSGQUE;
int main()
{
MSGQUE send_msgQue = {888, "hello, have you received my message."};
int msgID = msgget(0x1234, IPC_CREAT|0777);
if(msgID == -1)
{
perror("get message queue failed!why:");
}else{
printf("get message queeue successfully!\n");
}
msgsnd(msgID, &send_msgQue, sizeof(send_msgQue.mtext), 0);
printf("send_buf:%s\n", send_msgQue.mtext);
exit(0);
}
|