背景:我正在尝试创建一个可由多个进程访问的内存映射文件。在下面的代码中,我只放入与当前必须简化的问题有关的代码。根据msdn的说法,我应该能够创建文件映射,映射文件 View 并关闭从CreateFileMapping收到的句柄,并且MapViewOfFile将使我的FileMap保持 Activity 状态。在我取消MapViewOfFile之前,FileMap应该仍然可以访问。
MSDN: CreateFileMapping function
问题:成功映射文件 View 并关闭CreateFileMapping接收到的句柄后,FileMap不再存在(它应该仍然存在),并且我的MemMapFileReader能够创建错误为0的新 map 。正在收到错误183'已经存在')
错误的解决方案:如果不关闭该句柄,则MemMapFileReader程序可以访问该句柄,但会导致MemMapFileCreator中的句柄泄漏,因为在关闭进程之前,永远不会关闭该句柄。
问题:我缺少什么或做错了什么?
MemMapFileCreator
#include "stdafx.h"
#include <windows.h>
#include <stdio.h>
#include <conio.h>
#include <tchar.h>
#include <iostream>
#define BUF_SIZE 256
TCHAR szName[] = TEXT("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
DWORD lastError = GetLastError();
if (hMapFile == NULL)
{
_tprintf(TEXT("Could not create file mapping object (%d).\n"),
GetLastError());
std::cin.get();
return 1;
}
pBuf = (LPTSTR)MapViewOfFile(hMapFile, // handle to map object
FILE_MAP_ALL_ACCESS, // read/write permission
0,
0,
BUF_SIZE);
if (pBuf == NULL)
{
_tprintf(TEXT("Could not map view of file (%d).\n"),
GetLastError());
CloseHandle(hMapFile);
std::cin.get();
return 1;
}
CopyMemory((PVOID)pBuf, szMsg, (_tcslen(szMsg) * sizeof(TCHAR)));
CloseHandle(hMapFile);
_getch();
UnmapViewOfFile(pBuf);
return 0;
}
MemMapFileReader
#include "stdafx.h"
#include <windows.h>
#include <stdio.h>
#include <conio.h>
#include <tchar.h>
#include <iostream>
#pragma comment(lib, "user32.lib")
#define BUF_SIZE 256
TCHAR szName[] = TEXT("MyFileMappingObject");
int _tmain()
{
HANDLE hMapFile;
LPCTSTR pBuf;
hMapFile = CreateFileMapping(
INVALID_HANDLE_VALUE,
NULL,
PAGE_READWRITE, // read/write access
0,
BUF_SIZE,
szName); // name of mapping object
DWORD lastError = GetLastError();
if (hMapFile == NULL)
{
_tprintf(TEXT("Could not open file mapping object (%d).\n"),
GetLastError());
std::cin.get();
return 1;
}
pBuf = (LPTSTR)MapViewOfFile(hMapFile, // handle to map object
FILE_MAP_ALL_ACCESS, // read/write permission
0,
0,
BUF_SIZE);
if (pBuf == NULL)
{
_tprintf(TEXT("Could not map view of file (%d).\n"),
GetLastError());
CloseHandle(hMapFile);
std::cin.get();
return 1;
}
MessageBox(NULL, pBuf, TEXT("Process2"), MB_OK);
UnmapViewOfFile(pBuf);
CloseHandle(hMapFile);
std::cin.get();
return 0;
}
最佳答案
从MSDN:
CreateFileMapping文档说,要完全关闭文件,必须关闭所有句柄,顺序无关紧要。这种逻辑是不可逆的:您不能关闭一个句柄并期望使用其他句柄,就像未“关闭”文件映射一样。
换句话说,这意味着要清理文件映射,您需要以任何顺序关闭所有句柄。但是,您不能关闭基础文件映射对象,而仍使用依赖于它的 View 。