2 つのアプリが互いにデータを共有できるようにするために、メモリ マップ ファイルを使用するプロジェクトがあります。プロデューサー アプリは C# で記述され、コンシューマー アプリは単純な古い C を使用します。どちらも VS2010 を使用します。
MSDN によると、「BinaryWriter.Write Method(String)」は UTF-7 でエンコードされた符号なし整数をデータの先頭に追加し、ペイロードを書き込みます。これはまさに私が立ち往生している場所です。長さが 256 文字の文字列を書き込むと、C アプリケーションのデバッガーは次のバイト シーケンスを表示します: 0x80 0x2 <ペイロード文字の 256 倍>。長さのプレフィックスをコンシューマー アプリで安全に使用できるものに変換する最善の方法は何ですか?
プロデューサー アプリ:
using System;
using System.IO;
using System.IO.MemoryMappedFiles;
using System.Threading;
using System.Text;
using System.Linq;
class Program
{
static void Main(string[] args)
{
using (MemoryMappedFile mmf_read = MemoryMappedFile.CreateNew("mappedview", 4096))
{
using (MemoryMappedViewStream stream = mmf_read.CreateViewStream())
{
string str;
BinaryWriter writer = new BinaryWriter(stream);
str = string.Join("", Enumerable.Repeat("x", 256));
writer.Write(str);
}
}
}
}
コンシューマー アプリ:
#include <windows.h>
#include <stdio.h>
#include <conio.h>
#include <tchar.h>
#pragma comment(lib, "user32.lib")
#define BUF_SIZE 4096
TCHAR szName[]=TEXT("Global\\mappedview");
int _tmain()
{
HANDLE hMapFile;
LPCSTR 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 = (LPCSTR) 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);
return 1;
}
printf("Proc1: %s\n\n", pBuf); // print mapped data
UnmapViewOfFile(pBuf);
CloseHandle(hMapFile);
return 0;
}
br、クリス