17

我想知道如何使用 Cython 将普通的 python 列表转换为 C 列表,处理它并返回一个 python 列表。像:

Python脚本:

import mymodule

a = [1,2,3,4,5,6]
len = len(a)
print(mymodule.process(a,len))

Cython 脚本(mymodule.pyd):

cpdef process(a, int len):
    cdef float y
    for i in range(len):
        y = a[i]
        a[i] = y * 2
    return a

我阅读了有关 MemoryView 和许多其他内容的信息,但我并不真正理解发生了什么,并且很多示例都使用 Numpy(我不想使用它来避免我的脚本的用户下载一个大包......无论如何我认为它不是'不能使用我的软件)。我需要一个非常简单的例子来理解到底发生了什么。

4

1 回答 1

23

您需要将列表的内容显式复制到数组中。例如...

cimport cython
from libc.stdlib cimport malloc, free

...

def process(a, int len):

    cdef int *my_ints

    my_ints = <int *>malloc(len(a)*cython.sizeof(int))
    if my_ints is NULL:
        raise MemoryError()

    for i in xrange(len(a)):
        my_ints[i] = a[i]

    with nogil:
        #Once you convert all of your Python types to C types, then you can release the GIL and do the real work
        ...
        free(my_ints)

    #convert back to python return type
    return value
于 2013-02-08T20:03:52.423 回答