在 C 和 Python 中映射同一个文件,它真的会使用共享内存吗? mmap 可以跨不同的编程语言工作吗?

mmap a same file in both C and Python, will it really use the shared memory? will mmap work across different programming languages?

通过从 C 代码读取并从 python 写入,我无法在我的 C 中看到我在 python 中所做的更改。

因此我真的很想知道 mmap 是否可以跨 C 和 Python 等语言工作,或者我在这里做错了,请告诉我。

正在读取 C 代码:

#include <sys/types.h>
#include <sys/mman.h>
#include <err.h>
#include <fcntl.h>
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <unistd.h>

int main(void)
{
    char *shared;
    int fd = -1;
    if ((fd = open("hello.txt", O_RDWR, 0)) == -1) {
        printf("unable to open");
        return 0;
    }
    shared = (char *)mmap(NULL, 1, PROT_READ|PROT_WRITE, MAP_ANON|MAP_SHARED, -1, 0);
    printf("%c\n",shared[0]);
}

写自Python

with open( "hello.txt", "wb" ) as fd:
    fd.write("1")
with open( "hello.txt", "r+b" ) as fd:
    mm = mmap.mmap(fd.fileno(), 1, access=ACCESS_WRITE, offset=0)
    print("content read from file")
    print(mm.readline())
    mm[0] = "0"
    print("content read from file")
    print(mm.readline())
    mm.close()
    fd.close()

在您的 C 程序中,您的 mmap() 创建了一个匿名映射,而不是基于文件的映射。您可能希望指定 fd 而不是 -1 并省略 MAP_ANON 符号。

shared = (char *)mmap(NULL, 1, PROT_READ|PROT_WRITE, MAP_SHARED, fd, 0);