繁体   English   中英

如何将结构从 python 传递到共享 object 中的 ctypes function?

[英]How to pass a struct from python to a ctypes function in a shared object?

我正在尝试创建类似于 numpy 的东西来了解 ctypes 的工作原理,但在将指向“Matrix”结构的指针传递给某些函数时遇到了问题。

调用 print_matrix 的 output 总是一些随机的 integer 然后是几个空格。

I'm using Python 3.7.5 and the C code was compiled using: gcc -shared -o libarray.so -fPIC array.c

C 代码:

typedef struct Matrix {
        int *arr;
        int *shape;
        int dims;
} Matrix;

void print_matrix(Matrix *Mat) {
        int num = 1;
        for (int i = 0; i < Mat -> dims; i++) {num *= Mat -> shape[i];}

        for (int i = 0; i < num; i++) {
                printf("%d  ", Mat -> arr[i]);
                if (Mat -> dims >= 2) {
                        if (((i + 1) % Mat -> shape[0]) == 0) {
                                printf("\n");
                        }
                } 
        }
}

Python 代码:

import ctypes as cty

class Matrix(cty.Structure):
    _fields_ = [("arr", cty.POINTER(cty.c_int)), ("shape", cty.POINTER(cty.c_int)), ("dims", cty.c_int)]

libarray = cty.CDLL("./libarray.so")

print_matrix = libarray.print_matrix
print_matrix.restype = None
print_matrix.argtypes = [Matrix]

mat = Matrix((cty.c_int * 4)(*[1, 2, 3, 4]), (cty.c_int * 2)(*[2, 2]), cty.c_int(2))
print_matrix(mat)

我知道对于这个 function,我可以通过更改 print_matrix 代码直接传递 Matrix 结构,但是由于我的代码中的一些其他内容,我想主要处理指针。 很抱歉这个奇怪的限制,并提前感谢。

问题是在 C 中,您有void print_matrix(Matrix *Mat) ,但在 Python 中,您有print_matrix.argtypes = [Matrix] Python 正在传递一个Matrix ,但 C 期待一个Matrix * 你使用哪一个并不重要,但他们必须同意。

如果你想传递一个Matrix ,那么留下你的 Python 代码并将你的 C 代码更改为:

#include <stdio.h>

typedef struct Matrix {
        int *arr;
        int *shape;
        int dims;
} Matrix;

void print_matrix(Matrix Mat) {
        int num = 1;
        for (int i = 0; i < Mat.dims; i++) {num *= Mat.shape[i];}

        for (int i = 0; i < num; i++) {
                printf("%d  ", Mat.arr[i]);
                if (Mat.dims >= 2) {
                        if (((i + 1) % Mat.shape[0]) == 0) {
                                printf("\n");
                        }
                } 
        }
}

我将Matrix *Mat更改为Matrix Mat并将->更改为. .

如果你想传递一个Matrix * ,那么留下你的 C 代码并将你的 Python 代码更改为:

import ctypes as cty

class Matrix(cty.Structure):
    _fields_ = [("arr", cty.POINTER(cty.c_int)), ("shape", cty.POINTER(cty.c_int)), ("dims", cty.c_int)]

libarray = cty.CDLL("./libarray.so")

print_matrix = libarray.print_matrix
print_matrix.restype = None
print_matrix.argtypes = [cty.POINTER(Matrix)]

mat = Matrix((cty.c_int * 4)(*[1, 2, 3, 4]), (cty.c_int * 2)(*[2, 2]), cty.c_int(2))
print_matrix(cty.byref(mat))

我将[Matrix]更改为[cty.POINTER(Matrix)]并将mat更改为cty.byref(mat)

暂无
暂无

声明:本站的技术帖子网页,遵循CC BY-SA 4.0协议,如果您需要转载,请注明本站网址或者原文地址。任何问题请咨询:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM