我有一个程序可以将缓冲区复制到文件中,mmap将其退回,然后检查其内容。多个线程可以在同一个文件上工作。有时,读取时会收到SIGBUS,但仅在负载下。
映射是MAP_PRIVATE和MAP_POPULATE。 mmap成功执行后,通过SIGBUS发生崩溃,由于使用了MAP_POPULATE,我无法理解。
这是一个完整的示例(在/tmp/buf_ *下创建用零填充的文件),使用OpenMP创建更多的负载和并发写入:
// Program to check for unexpected SIGBUS
// gcc -std=c99 -fopenmp -g -O3 -o mmap_manymany mmap_manymany.c
#include <assert.h>
#include <errno.h>
#include <fcntl.h>
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <sys/mman.h>
#include <sys/stat.h>
#include <sys/types.h>
#include <unistd.h>
#define NBUFS 64
const char bufs[NBUFS][65536] = {{0}};
const char zeros[65536] = {0};
int main()
{
int count = 0;
while ( 1 )
{
void *mappings[ 1000 ] = {NULL};
#pragma omp parallel for
for ( int i = 0; i < 1000; ++i )
{
// Prepare filename
int bufIdx = i % NBUFS;
char path[ 128 ] = { 0 };
sprintf( path, "/tmp/buf_%0d", bufIdx );
// Write full buffer
int outFd = -1;
#pragma omp critical
{
remove( path );
outFd = open( path, O_EXCL | O_CREAT | O_WRONLY | O_TRUNC, 0644 );
}
assert( outFd != -1 );
ssize_t size = write( outFd, bufs[bufIdx], 65536 );
assert( size == 65536 );
close( outFd );
// Map it to memory
int inFd = open( path, O_RDONLY );
if ( inFd == -1 )
continue; // Deleted by other thread. Nevermind
mappings[i] = mmap( NULL, 65536, PROT_READ, MAP_PRIVATE | MAP_POPULATE, inFd, 0 );
assert( mappings[i] != MAP_FAILED );
close( inFd );
// Read data immediately. Creates occasional SIGBUS but only under load.
int v = memcmp( mappings[i], zeros, 65536 );
assert( v == 0 );
}
// Clean up
for ( int i = 0; i < 1000; ++i )
munmap( mappings[ i ], 65536 );
printf( "count: %d\n", ++count );
}
}
没有断言会触发我,但使用SIGBUS几秒钟后,该程序始终会崩溃。
最佳答案
在您当前的程序中,线程0可能会创建/tmp/buf_0
,然后对其进行写入并关闭。然后线程1删除并创建/tmp/buf_0
,但是在线程1对其进行写入之前,线程0打开,映射并从/tmp/buf_0
读取-因此尝试访问尚不包含64 kiB数据的文件。您会得到一个SIGBUS
。
为了避免该问题,只需使用bufs
而不是omp_get_thread_num()
为每个线程创建唯一的文件/和bufIdx
。
关于c - 从mmap-ed内存中进行有效读取会在负载下产生SIGBUS。为什么?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/44542852/