2015-06-18 23:13:37 +00:00
|
|
|
#include <stdlib.h>
|
|
|
|
#include <string.h>
|
|
|
|
#include <unistd.h>
|
|
|
|
#include <sys/mman.h>
|
2016-04-27 21:00:14 +00:00
|
|
|
#include "memfile.hpp"
|
2015-06-18 23:13:37 +00:00
|
|
|
|
|
|
|
#define INCREMENT 131072
|
|
|
|
|
|
|
|
struct memfile *memfile_open(int fd) {
|
|
|
|
if (ftruncate(fd, INCREMENT) != 0) {
|
|
|
|
return NULL;
|
|
|
|
}
|
|
|
|
|
2016-04-27 19:41:49 +00:00
|
|
|
char *map = (char *) mmap(NULL, INCREMENT, PROT_READ | PROT_WRITE, MAP_SHARED, fd, 0);
|
2015-06-18 23:13:37 +00:00
|
|
|
if (map == MAP_FAILED) {
|
|
|
|
return NULL;
|
|
|
|
}
|
|
|
|
|
2016-08-30 21:02:51 +00:00
|
|
|
struct memfile *mf = new memfile;
|
2015-06-18 23:13:37 +00:00
|
|
|
if (mf == NULL) {
|
|
|
|
munmap(map, INCREMENT);
|
|
|
|
return NULL;
|
|
|
|
}
|
|
|
|
|
|
|
|
mf->fd = fd;
|
|
|
|
mf->map = map;
|
|
|
|
mf->len = INCREMENT;
|
|
|
|
mf->off = 0;
|
2015-12-22 01:00:07 +00:00
|
|
|
mf->tree = 0;
|
2015-06-18 23:13:37 +00:00
|
|
|
|
|
|
|
return mf;
|
|
|
|
}
|
|
|
|
|
|
|
|
int memfile_close(struct memfile *file) {
|
|
|
|
if (munmap(file->map, file->len) != 0) {
|
|
|
|
return -1;
|
|
|
|
}
|
|
|
|
|
|
|
|
if (file->fd >= 0) {
|
|
|
|
if (close(file->fd) != 0) {
|
|
|
|
return -1;
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2016-08-30 21:02:51 +00:00
|
|
|
delete file;
|
2015-06-18 23:13:37 +00:00
|
|
|
return 0;
|
|
|
|
}
|
|
|
|
|
|
|
|
int memfile_write(struct memfile *file, void *s, long long len) {
|
|
|
|
if (file->off + len > file->len) {
|
|
|
|
if (munmap(file->map, file->len) != 0) {
|
|
|
|
return -1;
|
|
|
|
}
|
|
|
|
|
|
|
|
file->len += INCREMENT;
|
|
|
|
|
|
|
|
if (ftruncate(file->fd, file->len) != 0) {
|
|
|
|
return -1;
|
|
|
|
}
|
|
|
|
|
2016-04-27 19:41:49 +00:00
|
|
|
file->map = (char *) mmap(NULL, file->len, PROT_READ | PROT_WRITE, MAP_SHARED, file->fd, 0);
|
2015-06-18 23:13:37 +00:00
|
|
|
if (file->map == MAP_FAILED) {
|
|
|
|
return -1;
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
memcpy(file->map + file->off, s, len);
|
|
|
|
file->off += len;
|
|
|
|
return len;
|
|
|
|
}
|