一、进程一描述
在上一篇博客 【Linux 内核 内存管理】内存管理系统调用 ④ ( 代码示例 | mmap 创建内存映射 | munmap 删除内存映射 ) 中 , 完成了 进程一 的程序 ,
在该进程中 , 创建并打开文件 , 为该文件设置大小 ,
使用 mmap 创建 " 文件映射 " , 并通过直接访问内存的方式 , 为该文件设置数据 ;
数据设置完毕后 , 休眠
8
8
8 秒 , 在这段休眠的时间段 , 运行 进程二 , 在 进程二中 , 创建相同文件的 mmap " 文件映射 " , 读取在 进程一 中写入的文件内容 ;
二、进程二描述
进程二 的源码 , 与上一篇博客 【Linux 内核 内存管理】内存管理系统调用 ④ ( 代码示例 | mmap 创建内存映射 | munmap 删除内存映射 ) 中 进程一 源码类似 , 只是将写入 mmap 文件映射 数据 , 修改为 读取 该 文件映射 数据 , 并打印出来 , 源码如下 :
#include <stdio.h>
#include <unistd.h>
#include <string.h>
#include <errno.h>
#include <fcntl.h>
#include <sys/mman.h>
#include <sys/types.h>
typedef struct
{
char name[4];
int age;
}student;
int main(int argc, char** argv)
{
int fd;
int i;
student* p_student;
char name_char;
fd = open(argv[1], O_CREAT | O_RDWR , 00777);
p_student = (student*)mmap(NULL, sizeof(student) * 10, PROT_READ | PROT_WRITE, MAP_SHARED, fd, 0);
if (p_student == (void*) - 1)
{
printf("mmap 文件映射创建失败 !");
return -1;
}
close(fd);
for (i = 0; i < 10; i++)
{
printf("name:%s , age:%d\n", (*(p_student + i)).name, (*(p_student + i)).age);
}
printf("第二进程 mmap 文件映射展示完毕 !\n");
return 0;
}
上述源码 , 放在 mmap_demo_02.c 文件中 , 执行
gcc mmap_demo_02.c -o mmap_demo_02
命令 , 编译该源码 , 编译出的可执行文件为 mmap_demo_02 ;
三、mmap 进程共享内存展示
先执行 进程一 mmap_demo_01 可执行程序 , 进程一 中通过 mmap 文件映射向文件中写出数据后 , 进入休眠阶段 ,
再执行进程二 mmap_demo_02 , 使用 mmap 文件映射访问 file 文件 , 此时打印出 进程一 中通过 mmap 文件映射写出的文件数据 ;
|