若要共享数据,多个进程可以使用系统分页文件存储的内存映射文件。
第一个进程
第一个进程通过使用
INVALID_HANDLE_VALUE
和 对象的名称调用
CreateFileMapping
函数来创建文件映射对象。 通过使用
PAGE_READWRITE
标志,进程通过创建的任何文件视图具有对内存的读/写权限。
然后,进程使用
CreateFileMapping
在调用
MapViewOfFile
时返回的文件映射对象句柄,在进程地址空间中创建文件视图。
MapViewOfFile
函数返回指向文件视图
pBuf
的指针。 然后,进程使用
CopyMemory
函数将字符串写入其他进程可以访问的视图。
为文件映射对象名称添加“Global\”前缀允许进程相互通信,即使它们位于不同的终端服务器会话中。 这要求第一个进程必须具有
SeCreateGlobalPrivilege
特权。
当进程不再需要访问文件映射对象时,它应调用
CloseHandle
函数。 关闭所有句柄后,系统可以释放对象使用的分页文件的 部分。
#include <windows.h>
#include <stdio.h>
#include <conio.h>
#include <tchar.h>
#define BUF_SIZE 256
TCHAR szName[]=TEXT("Global\\MyFileMappingObject");
TCHAR szMsg[]=TEXT("Message from first process.");
int _tmain()
HANDLE hMapFile;
LPCTSTR pBuf;
hMapFile = CreateFileMapping(
INVALID_HANDLE_VALUE, // use paging file
NULL, // default security
PAGE_READWRITE, // read/write access
0, // maximum object size (high-order DWORD)
BUF_SIZE, // maximum object size (low-order DWORD)
szName); // name of mapping object
if (hMapFile == NULL)
_tprintf(TEXT("Could not create file mapping object (%d).\n"),
GetLastError());
return 1;
pBuf = (LPTSTR) MapViewOfFile(hMapFile, // handle to map object
FILE_MAP_ALL_ACCESS, // read/write permission
BUF_SIZE);
if (pBuf == NULL)
_tprintf(TEXT("Could not map view of file (%d).\n"),
GetLastError());
CloseHandle(hMapFile);
return 1;
CopyMemory((PVOID)pBuf, szMsg, (_tcslen(szMsg) * sizeof(TCHAR)));
_getch();
UnmapViewOfFile(pBuf);
CloseHandle(hMapFile);
return 0;
第二个进程
第二个进程可以通过调用 OpenFileMapping 函数(为映射对象指定与第一个进程相同的名称)来访问第一个进程写入共享内存的字符串。 然后,它可以使用 MapViewOfFile 函数获取指向文件视图 pBuf
的指针。 进程可以像显示任何其他字符串一样显示此字符串。 在此示例中,显示的消息框包含由第一个进程写入的消息“来自第一个进程的消息”。
#include <windows.h>
#include <stdio.h>
#include <conio.h>
#include <tchar.h>
#pragma comment(lib, "user32.lib")
#define BUF_SIZE 256
TCHAR szName[]=TEXT("Global\\MyFileMappingObject");
int _tmain()
HANDLE hMapFile;
LPCTSTR pBuf;
hMapFile = OpenFileMapping(
FILE_MAP_ALL_ACCESS, // read/write access
FALSE, // do not inherit the name
szName); // name of mapping object
if (hMapFile == NULL)
_tprintf(TEXT("Could not open file mapping object (%d).\n"),
GetLastError());
return 1;
pBuf = (LPTSTR) MapViewOfFile(hMapFile, // handle to map object
FILE_MAP_ALL_ACCESS, // read/write permission
BUF_SIZE);
if (pBuf == NULL)
_tprintf(TEXT("Could not map view of file (%d).\n"),
GetLastError());
CloseHandle(hMapFile);
return 1;
MessageBox(NULL, pBuf, TEXT("Process2"), MB_OK);
UnmapViewOfFile(pBuf);
CloseHandle(hMapFile);
return 0;
共享文件和内存