【Linux】详解如何利用共享内存实现进程间通信
#include <stdio.h>
#include <stdlib.h>
#include <sys/types.h>
#include <sys/ipc.h>
#include <sys/shm.h>
#include <string.h>
#define SHM_SIZE 1024
int main() {
key_t key = ftok("shmkey", 65); // 生成key
int shmid = shmget(key, SHM_SIZE, IPC_CREAT | 0666); // 创建共享内存
if (shmid < 0) {
perror("shmget");
exit(1);
}
char *shmaddr = (char *)shmat(shmid, NULL, 0); // 映射共享内存
if ((int)shmaddr == -1) {
perror("shmat");
exit(1);
}
// 写入数据
strcpy(shmaddr, "Hello from shared memory!");
// 等待用户输入来保持程序运行,以便于读取共享内存中的数据
printf("Press Enter to exit...\n");
getchar();
// 解除映射
if (shmdt(shmaddr) < 0) {
perror("shmdt");
exit(1);
}
// 删除共享内存
shmctl(shmid, IPC_RMID, NULL);
return 0;
}
这段代码首先使用ftok
函数生成一个key,然后通过shmget
创建一个共享内存段。接着使用shmat
函数将这个共享内存段映射到当前进程的地址空间。之后,代码将一个字符串拷贝到共享内存中。代码中包含了错误处理,如果在创建或映射共享内存时发生错误,会输出错误信息并退出程序。最后,代码等待用户输入,以便于读取共享内存中的数据,然后通过shmdt
解除映射,并通过shmctl
删除共享内存。
评论已关闭