我有一个简单的工作程序,它将int(num_piezas在示例中)从Python函数提交到C++函数。
foo.cpp
#include <iostream>
class Foo{
    public:
        void bar(int number){
            printf("Number is: %d\n", number);
        }
};
extern "C" {
    Foo* Foo_new(){ return new Foo(); }
    void Foo_bar(Foo* foo, int number){ foo->bar(number); }
}
fooWrapper.py
from ctypes import cdll
lib = cdll.LoadLibrary('./libfoo.so')
class Foo(object):
    def __init__(self):
        self.obj = lib.Foo_new()
    def bar(self, num_piezas):
        lib.Foo_bar(self.obj, num_piezas)
num_piezas = 5    
f = Foo()
f.bar(num_piezas)
问题是现在我想发送一个int数组和一个char数组以及该数字。所以我尝试了:
foo.cpp
#include <iostream>
#include <string.h>
class Foo{
    public:
        void bar(int number, int piezas[3], char prioridades[3][20]){
            printf("Number is: %d\n", number);
            for(int i=0;i<3;i++) {
                printf("%d", piezas[i]);
            }
            for(int q=0;q<3;q++) {
                printf("%s ", prioridades[q]);
            }
        }
};
extern "C" {
    Foo* Foo_new(){ return new Foo(); }
    void Foo_bar(Foo* foo, int number, int piezas[3], char prioridades[3][20]){ foo->bar(number, piezas, prioridades); }
}
fooWrapper.py
from ctypes import cdll
lib = cdll.LoadLibrary('./libfoo.so')
class Foo(object):
    def __init__(self):
        self.obj = lib.Foo_new()
    def bar(self, num_piezas, piezas, prioridades):
        lib.Foo_bar(self.obj, num_piezas, piezas, prioridades)
piezas = [1, 2, 3]
prioridades = ['normal', 'baja', 'primera pieza']
num_piezas = 5    
f = Foo()
f.bar(num_piezas, piezas, prioridades)
该C++文件可以正确编译,但是当我尝试执行 Python 函数 ( python fooWrapper.py) 时,会显示此错误消息:
Traceback (most recent call last): File "fooWrapper.py", line 15, in <module> f.bar(num_piezas, piezas, prioridades) File "fooWrapper.py", line 9, in bar lib.Foo_bar(self.obj, num_piezas, piezas, prioridades) ctypes.ArgumentError: argument 3: <type 'exceptions.TypeError'>: Don't know how to convert parameter 3
我做错了什么?我是否需要做其他事情才能将它int和string数组作为参数传递?提前致谢。