Python ctypes。获取2dim数组

2024-09-27 00:20:17 发布

您现在位置:Python中文网/ 问答频道 /正文

我有以下c++代码:

#define DLLEXPORT extern "C"

DLLEXPORT double **points(unsigned N, unsigned D)
{

double **POINTS = new double * [N];
for (unsigned i=0;i<=N-1;i++) POINTS[i] = new double [D];
for (unsigned j=0;j<=D-1;j++) POINTS[0][j] = 0;

// do some calculations, f.e:
// POINTS[i][j] = do_smth()
//


return POINTS
}

我使用以下命令编译:

g++ -shared gpoints.cc -o gpoints.so -fPIC

现在我想使用ctypes从python调用这个函数。我试过这么做:

mydll = ctypes.cdll.LoadLibrary('/.gpoints.so')
func = mydll.points
mytype = c.c_double * 3 * 10
func.restype = mytype
arr = func(10, 3)
print(arr)

当我试着运行它时,我得到:

terminate called after throwing an instance of 'std::bad_alloc'
  what():  std::bad_alloc
[1]    2794 abort      python3 test.py

那么,如何正确地从Python调用这个函数呢?你知道吗

另外,我得到了这个库“原样”,所以,最好不用重写c++代码就可以使用它。你知道吗


Tags: 函数代码newforsoctypesdopoints
1条回答
网友
1楼 · 发布于 2024-09-27 00:20:17

您的restype等价于double[10][3],但它实际返回的是double**

#!python3.6
import ctypes as c
dll = c.CDLL('test')
dll.points.argtypes = c.c_int,c.c_int
dll.points.restype = c.POINTER(c.POINTER(c.c_double))
arr = dll.points(10,3)
for i in range(10):
    for j in range(3):
        print(f'({i},{j}) = {arr[i][j]}')

我使用以下DLL代码测试(Windows):

extern "C" __declspec(dllexport)
double **points(unsigned N, unsigned D)
{
    double **POINTS = new double * [N];
    for (unsigned i=0;i<=N-1;i++)
    {
        POINTS[i] = new double [D];
        for(unsigned j=0;j<=D-1;j++)
            POINTS[i][j] = i*N+j;
    }
    return POINTS;
}

输出:

(0,0) = 0.0
(0,1) = 1.0
(0,2) = 2.0
(1,0) = 10.0
(1,1) = 11.0
(1,2) = 12.0
(2,0) = 20.0
(2,1) = 21.0
   :

相关问题 更多 >

    热门问题