原理
- 每个进程有自己独立的空间,一个进程无法访问其他进程的数据。就好像两个是互不干涉的个体,想让它们进行通信(交换数据),就必须有一段它们都可以访问到的空间,作为中间介质。
- 为让进程A和进程B进行通信,它们都可以访问的空间可以是内存中它们以外的区域,或者是硬盘中的区域。通过内存文件映射,则是将硬盘中的一个文件,映射到内存中,进程A,B都可以访问该内存(文件),达到交换数据的目的。给用户的直接感觉就是,两个进程操作同一个物理文件,通过文件的读写,交换数据。
编程
有两个进程,分为发送方和接收方。双方通过对同一个文件的读写来进行通信。
代码如下:
发送方:
// FileServer.cpp : Defines the entry point for the console application.
//
#include "stdafx.h"
#include "windows.h"
#include "stdio.h"
#pragma warning(disable:4996)
int _tmain(int argc, _TCHAR* argv[])
{
//发送方创建文件,接收方只需要打开文件就可以了
HANDLE hFile = CreateFile(TEXT("c:\zj.dat"), GENERIC_READ | GENERIC_WRITE,
0, NULL, CREATE_ALWAYS, FILE_ATTRIBUTE_NORMAL, NULL);
if (hFile == NULL)
{
printf("create file error!");
return 0;
}
// 创建内存映射文件 CreateFileMapping
//将上述真正存在的文件(物理文件) hFile映射成为一个虚拟的映射文件 hMap ,即将物理文件与虚拟文件绑定
HANDLE hMap = CreateFileMapping(hFile, NULL, PAGE_READWRITE, 0, 1024 * 1024, TEXT("ZJ"));
int rst = GetLastError();
if (hMap != NULL && rst == ERROR_ALREADY_EXISTS)
{
printf("hMap error\n");
CloseHandle(hMap);
hMap = NULL;
return 0;
}
CHAR* pszText = NULL;
//加载内存映射文件 MapViewOfFile :映射成内存地址
//将虚拟文件映射成内存地址,方便使用。即将文件与内存绑定,以后操作该内存其实就是操作该文件。
pszText = (CHAR*)MapViewOfFile(hMap, FILE_MAP_ALL_ACCESS, 0, 0, 1024 * 1024);
if (pszText == NULL)
{
printf("view map error!");
return 0;
}
int i = 0;
while (1)
{
//其实是向文件中(共享内存中)写入了
sprintf(pszText, "hello my first mapping file!+%d\n",i);
printf(pszText);
Sleep(3000);
i++;
}
getchar();
//卸载映射 UnmapViewOfFile((LPCVOID)pszText);
UnmapViewOfFile((LPCVOID)pszText);
//关闭句柄
CloseHandle(hMap);
CloseHandle(hFile);
return 0;
}
- 接收方
// FileClient.cpp : Defines the entry point for the console application.
//
#include "stdafx.h"
#include "windows.h"
#include "stdio.h"
#pragma warning(disable:4996)
int _tmain(int argc, _TCHAR* argv[])
{
HANDLE hMap = OpenFileMapping(FILE_MAP_ALL_ACCESS, TRUE, TEXT("ZJ"));
if (hMap == NULL)
{
printf("open file map error!");
return 0;
}
int i = 0;
while (true)
{
CHAR* pszText = NULL;
pszText = (CHAR*)MapViewOfFile(hMap, FILE_MAP_ALL_ACCESS, 0, 0, 1024 * 1024);
if (pszText == NULL)
{
printf("map view error!\n");
return 0;
}
printf(pszText); //从文件中读(共享内存)
sprintf(pszText, "second data!+%d\n", i); //写入
Sleep(3000);
UnmapViewOfFile(pszText);
i++;
}
CloseHandle(hMap);
hMap = NULL;
return 0;
}