linux,C语言,编写一段程序,使其用共享存储区来实现两个进程之间的进程通信。进程A创建一个长度为 512 字节的共享内存,并显示写入该共享内存的数据:进程B 将共享内存附加到自己的地址空间,并向共享内存中写入数据。
时间: 2024-02-12 22:05:51 浏览: 55
linux c 进程间通信,使用共享内存和消息队列
好的,这是一段使用共享内存实现进程间通信的 C 语言程序,其中进程 A 创建共享内存并写入数据,进程 B 将共享内存附加后读取数据并输出。
进程A:
```c
#include <stdio.h>
#include <stdlib.h>
#include <unistd.h>
#include <sys/ipc.h>
#include <sys/shm.h>
#define SHM_SIZE 512
int main()
{
int shmid;
char *shmaddr;
key_t key = 1234;
if ((shmid = shmget(key, SHM_SIZE, IPC_CREAT | 0666)) == -1) {
perror("shmget");
exit(1);
}
if ((shmaddr = shmat(shmid, NULL, 0)) == (char *) -1) {
perror("shmat");
exit(1);
}
printf("Write data to shared memory: ");
fgets(shmaddr, SHM_SIZE, stdin);
if (shmdt(shmaddr) == -1) {
perror("shmdt");
exit(1);
}
return 0;
}
```
进程B:
```c
#include <stdio.h>
#include <stdlib.h>
#include <unistd.h>
#include <sys/ipc.h>
#include <sys/shm.h>
#define SHM_SIZE 512
int main()
{
int shmid;
char *shmaddr;
key_t key = 1234;
if ((shmid = shmget(key, SHM_SIZE, 0666)) == -1) {
perror("shmget");
exit(1);
}
if ((shmaddr = shmat(shmid, NULL, 0)) == (char *) -1) {
perror("shmat");
exit(1);
}
printf("Read data from shared memory: %s", shmaddr);
if (shmdt(shmaddr) == -1) {
perror("shmdt");
exit(1);
}
return 0;
}
```
这段代码首先使用 `shmget` 函数创建一个长度为 512 字节的共享内存,然后进程 A 使用 `shmat` 函数将共享内存附加到自己的地址空间,并从标准输入读取数据写入共享内存。接着进程 B 使用 `shmat` 函数将共享内存附加到自己的地址空间,并从共享内存读取数据输出到标准输出。最后两个进程都使用 `shmdt` 函数将共享内存分离。
阅读全文