请问常见的IPC通信手段,如命名管道、共享内存,信号量、消息通信等方法,那些可以完成实验要求父进程A需向子进程B传输消息“Message here”,请选择一种加以实现?
时间: 2024-03-21 18:43:58 浏览: 45
可以使用消息队列来实现父进程A向子进程B传输消息“Message here”。消息队列是一种在进程之间传递数据的机制,它将数据存放在内核中的一个消息队列中,多个进程可以通过读写这个队列来实现数据传递。
下面是一个简单的实现过程:
1. 父进程A创建消息队列,子进程B连接到该队列。
2. 父进程A将消息“Message here”写入消息队列。
3. 子进程B从消息队列中读取消息,并进行相应的处理。
下面是一个示例程序,供参考:
父进程A:
```c
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <sys/ipc.h>
#include <sys/msg.h>
struct msgbuf {
long mtype; // 消息类型
char mtext[1024]; // 消息内容
};
int main() {
key_t key;
int msgid;
struct msgbuf msg;
// 创建消息队列
key = ftok(".", 'a');
msgid = msgget(key, IPC_CREAT | 0666);
if (msgid == -1) {
perror("msgget");
exit(1);
}
// 发送消息
msg.mtype = 1;
strcpy(msg.mtext, "Message here");
if (msgsnd(msgid, &msg, strlen(msg.mtext) + 1, 0) == -1) {
perror("msgsnd");
exit(1);
}
return 0;
}
```
子进程B:
```c
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <sys/ipc.h>
#include <sys/msg.h>
struct msgbuf {
long mtype; // 消息类型
char mtext[1024]; // 消息内容
};
int main() {
key_t key;
int msgid;
struct msgbuf msg;
// 连接消息队列
key = ftok(".", 'a');
msgid = msgget(key, 0666);
if (msgid == -1) {
perror("msgget");
exit(1);
}
// 接收消息
if (msgrcv(msgid, &msg, sizeof(msg.mtext), 1, 0) == -1) {
perror("msgrcv");
exit(1);
}
printf("Received message: %s\n", msg.mtext);
return 0;
}
```
阅读全文