1、有P1,P2,P3三个进程,P1和P2负责从键盘接收字符串,均发送给P3,P3接收到字符串,根据发送方分别显示”P3 received *** from P1(或P2)" ;用共享存储实现c语言代码
时间: 2023-06-20 12:08:57 浏览: 74
以下是使用共享内存实现P1、P2和P3进程的C语言代码:
```c
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <unistd.h>
#include <sys/types.h>
#include <sys/ipc.h>
#include <sys/shm.h>
#define SHM_KEY 1234
#define BUFFER_SIZE 1024
typedef struct {
char sender[3];
char message[BUFFER_SIZE];
} Message;
int main(int argc, char *argv[]) {
int shmid;
char buffer[BUFFER_SIZE];
Message *shm_message;
// 创建共享内存
if ((shmid = shmget(SHM_KEY, sizeof(Message), IPC_CREAT | 0666)) < 0) {
perror("shmget");
exit(1);
}
// 映射共享内存
if ((shm_message = shmat(shmid, NULL, 0)) == (void *) -1) {
perror("shmat");
exit(1);
}
// 创建P1进程
if (fork() == 0) {
while (1) {
printf("P1> ");
fgets(buffer, BUFFER_SIZE, stdin);
// 发送消息给P3
strncpy(shm_message->sender, "P1", 3);
strncpy(shm_message->message, buffer, BUFFER_SIZE);
sleep(1);
}
}
// 创建P2进程
if (fork() == 0) {
while (1) {
printf("P2> ");
fgets(buffer, BUFFER_SIZE, stdin);
// 发送消息给P3
strncpy(shm_message->sender, "P2", 3);
strncpy(shm_message->message, buffer, BUFFER_SIZE);
sleep(1);
}
}
// 创建P3进程
if (fork() == 0) {
while (1) {
// 接收来自P1或P2的消息
if (strncmp(shm_message->sender, "P1", 3) == 0) {
printf("P3 received %s from P1", shm_message->message);
} else if (strncmp(shm_message->sender, "P2", 3) == 0) {
printf("P3 received %s from P2", shm_message->message);
}
sleep(1);
}
}
// 等待子进程结束
wait(NULL);
wait(NULL);
wait(NULL);
// 卸载共享内存
if (shmdt(shm_message) == -1) {
perror("shmdt");
exit(1);
}
// 删除共享内存
if (shmctl(shmid, IPC_RMID, NULL) == -1) {
perror("shmctl");
exit(1);
}
return 0;
}
```
在上面的代码中,我们使用了一个结构体 `Message` 来表示消息,其中包含了发送者和消息内容。我们通过 `shmget()` 函数创建共享内存,然后使用 `shmat()` 函数将共享内存映射到当前进程的地址空间中。接着,我们创建了三个子进程 P1、P2、P3,分别负责从键盘接收字符串并发送给 P3,以及接收来自 P1 或 P2 的消息并显示。
在 P1 和 P2 进程中,我们使用 `fgets()` 函数从键盘读取字符串,然后将其复制到共享内存中的消息内容字段中,并设置发送者字段为 P1 或 P2。在 P3 进程中,我们不断循环接收来自共享内存的消息,判断发送者字段是 P1 还是 P2,然后显示相应的消息内容。
最后,我们使用 `shmdt()` 函数将共享内存从当前进程的地址空间中卸载,然后使用 `shmctl()` 函数删除共享内存。注意,我们需要等待三个子进程都结束后才能进行共享内存的卸载和删除。
阅读全文