Windows API POSIX 共享内存

生产者进程:

#include #includeint main(int argc, char *argv[]) { HANDLE hFile, hMapFile; //Windows API定义的类型 和 void效果一样。 LPVOID mapAddress; //首次创建或打开文件 hFile = CreateFile("temp.txt",//文件名 GENERIC_READ | GENERIC_WRITE,//访问方式 0,//文件不可共享 NULL,//安全等级设为默认 OPEN_ALWAYS,//打开新文件或现有文件 FILE_ATTRIBUTE_NORMAL,//常规文件属性 NULL); //没有文件模板 //将共享内存文件映射到进程地址空间 hMapFile = CreateFileMapping(hFile,//文件句柄 NULL,//默认安全等级 PAGE_READWRITE,//对映射页的读/写访问 0,//映射整个文件 0, TEXT("SharedObject")); //共享内存对象的名字 //判断共享内存文件是否映射成功 if (hMapFile == NULL) { fprintf(stderr, "Could not create mapping (%d).\n", GetLastError()); return -1; } //建立文件的映射视图,该函数返回共享内存对象的指针 mapAddress = MapViewOfFile(hMapFile, FILE_MAP_ALL_ACCESS, 0, 0, 0); if (mapAddress == NULL) { printf("Could not map view of file (%d).\n", GetLastError()); return -1; } //写入数据到共享内存 sprintf((char *)mapAddress, "%s", "Shared memory message"); while (1); //删除视图 UnmapViewOfFile(mapAddress); //关闭所有句柄 CloseHandle(hMapFile); CloseHandle(hFile); }

【Windows API POSIX 共享内存】消费者进程:
#include #include int main(int argc, char *argv[]) { HANDLE hMapFile; LPVOID lpMapAddress; hMapFile = OpenFileMapping(FILE_MAP_ALL_ACCESS,// 读/写访问 FALSE,// 不继承这个名字 TEXT("SharedObject")); // 共享内存映射对象的名字 if (hMapFile == NULL) { printf("Could not open file mapping object (%d).\n", GetLastError()); return -1; } lpMapAddress = MapViewOfFile(hMapFile,// 映射对象的句柄 FILE_MAP_ALL_ACCESS, // 读/写访问 0,// 整个文件的映射视图 0, 0); if (lpMapAddress == NULL) { printf("Could not map view of file (%d).\n", GetLastError()); return -1; } //从共享内存对象中读取数据 printf("%s\n", lpMapAddress); UnmapViewOfFile(lpMapAddress); CloseHandle(hMapFile); }

    推荐阅读