linux系统 C语言 编写一段程序,使其用共享存储区来实现两个进程之间的进程通信。进程A创建一个长度为 512 字节的共享内存,并显示写入该共享内存的数据:进程B 将共享内存附加到自己的地址空间,并向共享内存中写入数据。
时间: 2024-04-30 15:24:25 浏览: 94
以下是一个简单的示例程序,它演示了如何在 Linux 系统上使用共享内存进行进程间通信。其中,进程 A 创建一个长度为 512 字节的共享内存段,然后向其中写入数据,进程 B 将该共享内存段附加到自己的地址空间,并从中读取数据。
进程 A 的代码:
```c
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <unistd.h>
#include <sys/ipc.h>
#include <sys/shm.h>
#define SHM_SIZE 512
int main()
{
int shmid;
char *shmaddr;
char buffer[SHM_SIZE];
// 创建共享内存段
shmid = shmget(IPC_PRIVATE, SHM_SIZE, IPC_CREAT | 0666);
if (shmid < 0) {
perror("shmget");
exit(1);
}
// 将共享内存段附加到进程地址空间
shmaddr = shmat(shmid, NULL, 0);
if (shmaddr == (char *) -1) {
perror("shmat");
exit(1);
}
// 向共享内存段写入数据
strcpy(buffer, "Hello, world!");
memcpy(shmaddr, buffer, strlen(buffer));
// 打印写入的数据
printf("Process A wrote to shared memory: %s\n", buffer);
// 分离共享内存段
if (shmdt(shmaddr) == -1) {
perror("shmdt");
exit(1);
}
// 删除共享内存段
if (shmctl(shmid, IPC_RMID, NULL) == -1) {
perror("shmctl");
exit(1);
}
return 0;
}
```
进程 B 的代码:
```c
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <unistd.h>
#include <sys/ipc.h>
#include <sys/shm.h>
#define SHM_SIZE 512
int main()
{
int shmid;
char *shmaddr;
char buffer[SHM_SIZE];
// 获取共享内存段的标识符
shmid = shmget(IPC_PRIVATE, SHM_SIZE, IPC_CREAT | 0666);
if (shmid < 0) {
perror("shmget");
exit(1);
}
// 将共享内存段附加到进程地址空间
shmaddr = shmat(shmid, NULL, 0);
if (shmaddr == (char *) -1) {
perror("shmat");
exit(1);
}
// 从共享内存段中读取数据
memcpy(buffer, shmaddr, SHM_SIZE);
printf("Process B read from shared memory: %s\n", buffer);
// 分离共享内存段
if (shmdt(shmaddr) == -1) {
perror("shmdt");
exit(1);
}
return 0;
}
```
注意:在 Linux 系统上使用共享内存进行进程间通信时,需要对共享内存进行正确的分离和删除操作,以避免资源泄漏。
阅读全文