一些调用后,mprotect失败

时间:2016-08-13 09:29:58

标签: c++

我正在尝试编写一个程序,我分配一块内存,然后有选择地更改块的页面大小和页面对齐子集的保护。但是,当我尝试在>内存部分上调用mprotect时进入块的8页,mprotect失败并显示错误“无法分配内存”。

这是一个重现问题的最小,完整且可验证的示例:

#include <sys/mman.h>
#include <unistd.h>
#include <stdlib.h>
#include <cerrno>
#include <cstring>
#include <iostream>

int main() {
    const int n_pages = 12;
    const int page_size = sysconf(_SC_PAGE_SIZE);   // 4096
    const int block_size = n_pages * page_size;     // 65536

    char* block_addr = (char*)aligned_alloc(page_size, block_size);
    char* chunks[n_pages];
    char* pointer = block_addr;

    for (int n = 0; n < n_pages; n++) {
        pointer = pointer + (n * page_size);
        chunks[n] = pointer;
    }
    std::cout << "Set chunks read-only.\n";
    for (int n = 0; n < n_pages; n++) {
        if (mprotect(chunks[n], page_size, PROT_READ) != 0) {
            std::cerr << n+1 << '/' << n_pages << ' '
                      << "mprotect failed: " << std::strerror(errno) << '\n';
        }
    }
    std::cout << "Set chunks read/write.\n";
    for (int n = 0; n < n_pages; n++) {
        if (mprotect(chunks[n], page_size, PROT_READ|PROT_WRITE) != 0) {
            std::cerr << n+1 << '/' << n_pages << ' '
                      << "mprotect failed: " << std::strerror(errno) << '\n';
        }
    }
    free(block_addr);
}

对于n> 8的块,这始终失败,给出以下消息:

Set chunks read-only.
9/12 mprotect failed: Cannot allocate memory
10/12 mprotect failed: Cannot allocate memory
11/12 mprotect failed: Cannot allocate memory
12/12 mprotect failed: Cannot allocate memory
Set chunks read/write.
9/12 mprotect failed: Cannot allocate memory
10/12 mprotect failed: Cannot allocate memory
11/12 mprotect failed: Cannot allocate memory
12/12 mprotect failed: Cannot allocate memory

我找到了question,其中OP似乎得到了与我相同的错误,其中David Hammen有用地提供了问题来源的一些提示,但我真的不明白他是什么正在谈论。不幸的是,OP没有提供他们的代码,所以我们无法准确知道他们在做什么或者他们如何修复它。

基本上我的问题是:为什么mprotect会产生错误,我该如何解决呢?

1 个答案:

答案 0 :(得分:2)

    pointer = pointer + (n * page_size);

这条线看起来非常可疑。它应该是

    pointer = block_addr + (n * page_size);

    chunks[n] = pointer;  // need to assign to chunks[n] first
    pointer = pointer + page_size;

否则pointer将走开(步长为0,1(= 0 + 1),3(= 0 + 1 + 2),6(= 0 + 1 + 2 + 3),... 。)进入不属于你的进程的内存,因为你没有分配它(即它是“未映射的”)。这可以解释为什么mprotect在最后几个块中失败。