随机访问替代命名管道

时间:2015-06-01 08:21:22

标签: operating-system filesystems

有没有办法创建一个"文件" (即文件系统中的某个点)然后可以被任何程序作为常规文件打开,但是读取/写入它将转到程序而不是磁盘?命名管道似乎满足所有要求,但它只允许串行文件访问。

我目前对* nix类型系统感兴趣,但是很想知道任何OS /文件系统上的这样一个系统。

2 个答案:

答案 0 :(得分:1)

这是一个实现:

demon.c:

#include <stdio.h>
#include <stdlib.h>
#include <sys/mman.h>
#include <unistd.h>
#include <fcntl.h>
#include <assert.h>
#include <string.h>
#include <errno.h>

void map_file(const char *f) {
    int fd = open(f, O_CREAT|O_RDWR, 0666);
    if (fd < 0) {
        perror("fd open error\n");
        exit(-1);
    }
    char *addr = (char *)mmap(NULL, 10, PROT_READ | PROT_WRITE, MAP_SHARED, fd, 0);
    if (addr == MAP_FAILED) {
        exit(-1);
    }
    int i;
    for (i = 0; i != 10; ++i) {
        addr[i] = '0' + i;
    }
    while (1) {
        for (i = 0; i != 10; ++i) {
            if (addr[i] != '0' + i) {
                printf("addr[%d]: %c\n", i, addr[i]);
            }
        }
        sleep(1);
    }
}

int main()
{
    map_file("/dev/mem");
    return 0;
 }

cli.c:

#include <sys/mman.h>
#include <assert.h>
#include <stdlib.h>
#include <fcntl.h>
#include <unistd.h>

int main() {
    const char *f = "/dev/mem";
    int fd = open(f, O_RDWR, 0666);
    assert(fd >= 0); 
    lseek(fd, rand() % 10, SEEK_SET);
    write(fd, "X", 1); 
    close(fd);
    return 0;
}   

我们将10个字节的内存从“/ dev / mem”映射到我们的恶魔程序。 cli将此文件作为常规文件打开,并在随机地址中写入一个字节。当然,您可以映射任何其他文件而不是/ dev / mem,但是您需要在mmap之前从常规文件中“分配”一些字节。例如:

fd = open("/path/to/myfile", O_CREAT|O_RDWR, 0666);
write(fd, "0123456789", 10);   // 'allocate' 10 bytes from regular file
addr = (char *)mmap(NULL, 10, PROT_READ|PROT_WRITE, MAP_SHARED, fd, 0);

答案 1 :(得分:0)

可能是您可以使用mmap创建共享内存,后端程序可以保存此内存。其他程序可以打开这个文件&#39;并随机读/写它到后端程序。

我还没试过,但我觉得它可以运作!