如何将C数组返回给Python?

时间:2014-08-23 07:21:33

标签: python arrays python-c-api

我编写了一个Python调用的Python / C扩展函数,如何将2d数组int [] []返回给Python?

static PyObject* inference_function(PyObject *self, PyObject *args)
{
    PyObject* doc_lst;
    int K,V;
    double alpha,beta;
    int n_iter;

    if (!PyArg_ParseTuple(args, "Oiiddi", &doc_lst, &K,&V, &alpha,&beta,&n_iter))
    {
        printf("传入参数错误!\n");
        return NULL;
    }

   return Py_BuildValue("i", 1);
}

1 个答案:

答案 0 :(得分:3)

您使用的是哪种阵列?我觉得方便的一种方法是使用numpy数组,并在适当的位置修改数据。 Numpy已经有很多操作整数数组的好操作,所以如果你想添加一些额外的功能,这很方便。

第1步:将您的C扩展程序链接到numpy

在Windows上,这就像

#include "C:\Python34/Lib/site-packages/numpy/core/include/numpy/arrayobject.h"
osx上的

就像是

#include "/Library/Frameworks/Python.framework/Versions/3.4/lib/python3.4/site-packages/numpy/core/include/numpy/arrayobject.h"

第2步:抓住指向数据的指针。这非常简单

int* my_data_to_modify;
if (PyArg_ParseTuple(args, "O", &numpy_tmp_array)){
        /* Point our data to the data in the numpy pixel array */
        my_data_to_modify = (int*) numpy_tmp_array->data;
}

... /* do interesting things with your data */

C中的2D numpy数组

以这种方式处理数据时,可以将其分配为2d数组,例如

np.random.randint( 0, 100, (100,2) )
如果你想要一个空白的石板

或全部为零

但所有C关心的都是连续的数据,这意味着你可以通过“行”的长度循环它并将其修改为就像它是一个2D数组

例如,如果您以rgb格式传递颜色,例如,它们的100x3数组,您会考虑

int num_colors = numpy_tmp_array2->dimensions[0]; /* This gives you the column length */
int band_size = numpy_tmp_array2->dimensions[1]; /* This gives you the row length */

for ( i=0; i < num_colors * band_size; i += band_size ){
    r = my_data[i];
    g = my_data[i+1];
    b = my_data[i+2];
}

要修改数据,只需更改数据数组中的值即可。在Python方面,numpy数组将具有更改的值。