c++内存映射文件代码
时间: 2023-08-13 10:34:12 浏览: 142
c++ 内存映射代码
以下是一个使用 C++ 实现的内存映射文件的代码示例:
```c++
#include <iostream>
#include <fstream>
#include <sys/mman.h>
#include <sys/stat.h>
#include <fcntl.h>
#include <unistd.h>
int main() {
int fd = open("example.txt", O_RDWR);
if (fd == -1) {
std::cerr << "Failed to open file." << std::endl;
return 1;
}
struct stat sb;
if (fstat(fd, &sb) == -1) {
std::cerr << "Failed to stat file." << std::endl;
close(fd);
return 1;
}
void* addr = mmap(NULL, sb.st_size, PROT_READ | PROT_WRITE, MAP_SHARED, fd, 0);
if (addr == MAP_FAILED) {
std::cerr << "Failed to mmap file." << std::endl;
close(fd);
return 1;
}
std::cout << "File content: " << std::endl;
std::cout << static_cast<char*>(addr) << std::endl;
// 修改文件内容
char* content = static_cast<char*>(addr);
content[0] = 'H';
// 刷新内存映射
if (msync(addr, sb.st_size, MS_SYNC) == -1) {
std::cerr << "Failed to msync." << std::endl;
munmap(addr, sb.st_size);
close(fd);
return 1;
}
munmap(addr, sb.st_size);
close(fd);
return 0;
}
```
在上面的代码中,首先使用 `open()` 函数打开文件,并获取文件描述符。然后使用 `fstat()` 函数获取文件的信息,包括文件大小。接着使用 `mmap()` 函数将文件映射到进程地址空间中,并返回映射的起始地址。在访问文件内容时,可以直接使用映射的地址。在修改完文件内容后,需要通过 `msync()` 函数刷新内存映射,将修改结果写入磁盘。最后,需要使用 `munmap()` 函数关闭内存映射,并使用 `close()` 函数关闭文件描述符。
阅读全文