Cython Memoryviews - 大数组上的Seg错误?

时间:2013-06-09 17:22:39

标签: python cython

即使非常小的简单整数数组也会看到奇怪的行为。

%%cython
import numpy as np
cimport cython
cimport numpy as np

def hi():
    DEF MAX = 10000000
    cdef int a[MAX],i
    cdef int[:] a_mv = a

这会崩溃,但观看较小的视图会导致我的。这不是一个明显的内存问题,因为有足够的内存可用于1000万个内存......

1 个答案:

答案 0 :(得分:7)

凯文在评论中提到,问题不在于RAM,而在于堆栈。你正在使用malloc et friends分配一个包含1000万个元素的数组,当你应该在堆上真正分配时。即使在C中,也会产生分段错误:

 /* bigarray.c */
int main(void) {
    int array[10000000];
    array[5000000] = 1;   /* Force linux to allocate memory.*/
    return 0;
}

$ gcc -O0 bigarray.c   #-O0 to prevent optimizations by the compiler
$ ./a.out 
Segmentation fault (core dumped)

虽然:

/* bigarray2.c */
#include <stdlib.h>

int main(void) {
    int *array;
    array = malloc(10000000 * sizeof(int));
    array[5000000] = 1;
    return 0;
}

$ gcc -O0 bigarray2.c
$ ./a.out 
$ echo $?
0