2015-08-25 50 views
0

我有一個需要通過內存映射文件與本地工具進行通信的控制器的Web API。當我嘗試使用OpenExisting打開這樣的文件時,出現「文件未找到」錯誤。如何通過Web API與內存映射文件通信?

string MMF_In_Name = "MemoryMappedFilename"; 
MemoryMappedFile MMF_In = MemoryMappedFile.OpenExisting(MMF_In_Name); 

我試着給名字加上前綴「Global /」,但沒有成功。

接下來我試着從我的控制器啓動一個命令行工具。該工具啓動,但獲得相同的「文件未找到錯誤」。當我自己運行工具時,所有工作都很好。這意味着文件名是正確的。

我該如何說服IIS工作人員讓我打開並使用內存映射文件?

我正在使用Windows Server 2012和ISS 8.5。

+0

什麼憑證工作進程正在運行可能是它沒有權限。檢查嘗試放入系統憑證並查看它是否有效 –

+0

在ApplicationPool的高級設置中,我是否需要將身份更改爲不同的帳戶,如用戶? – chhenning

+0

是或系統我猜想看起來對我來說是憑證問題。 –

回答

2

這適用於Windows Server 2012和IIS 8.5。

重要的是要了解IIS工作負載運行在與普通應用程序不同的終端服務器會話中。很像Windows服務。

因此,當應用程序暴露內存映射文件時,需要通過添加到名稱的「Global」前綴來創建它。但它也需要添加安全描述符或標識。在C#中它應該是這樣的:

string MMF_Name = @"Global\MyMemoryMappedFileName"; 

var security = new MemoryMappedFileSecurity(); 
security.AddAccessRule(new System.Security.AccessControl.AccessRule<MemoryMappedFileRights>(new SecurityIdentifier(WellKnownSidType.WorldSid, null), MemoryMappedFileRights.FullControl, AccessControlType.Allow)); 


var mmf = MemoryMappedFile.CreateOrOpen(MMF_Name 
    , 1024 * 1024 
    , MemoryMappedFileAccess.ReadWrite 
    , MemoryMappedFileOptions.None 
    , security 
    , System.IO.HandleInheritability.Inheritable); 

在C++中是這樣的:

TCHAR szName[] = TEXT("Global\MyMemoryMappedFileName"); 

HANDLE hMapFile; 
LPCTSTR pBuf; 

SECURITY_DESCRIPTOR sd; 

if (!InitializeSecurityDescriptor(&sd, SECURITY_DESCRIPTOR_REVISION)) 
    printf("InitializeSecurityDescriptor failed %d\n", GetLastError()); 

if (!SetSecurityDescriptorDacl(&sd, true, 0, false)) 
    printf("SetSecurityDescriptorDacl failed %d\n", GetLastError()); 

SECURITY_ATTRIBUTES sa; 
sa.nLength = sizeof(sa); 
sa.lpSecurityDescriptor = &sd; 
sa.bInheritHandle = false; 



hMapFile = CreateFileMapping(
    INVALID_HANDLE_VALUE, // use paging file 
    &sa,     // 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; 
} 

創建這些對象的應用程序的啓動需要具有管理員權限。

現在,當像IIS這樣的客戶端嘗試訪問文件時,需要確保使用正確的名稱,即使用「Global」前綴。在C#中它會看起來像:

string MMF_Name = @"Global\MyMemoryMappedFileName"; 

var MMF = MemoryMappedFile.OpenExisting(MMF_Name 
    , MemoryMappedFileRights.ReadWrite 
    , HandleInheritability.Inheritable); 

在C++:

TCHAR szName[] = TEXT("Global\\MyMemoryMappedFileName"); 

HANDLE hMapFile; 
LPCTSTR pBuf; 

hMapFile = OpenFileMapping(
    FILE_MAP_ALL_ACCESS, // read/write access 
    TRUE,     // !!!!! do inherit the name 
    szName);    // name of mapping object 

if (hMapFile == NULL) 
{ 
    _tprintf(TEXT("Could not open file mapping object (%d).\n"), 
     GetLastError()); 
    return 1; 
} 

當這一切完成。 IIS工作人員應該能夠通過內存映射文件訪問應用程序。無需改變工作人員的身份。實際上,我使用默認設置運行它。