小编典典

从C ++(或C)回调中调用python方法

python

我正在尝试从C 调用python类中的方法。调用它的C 方法是C ++回调。

在此方法中,当我尝试调用python方法时,它给出了segmentation fault

我已经将python函数的实例保存在全局变量中,例如

// (pFunc is global variable of type PyObject*)
pFunc = PyDict_GetItemString(pDict, "PlxMsgWrapper");

PlxMsgWrapperpython方法在哪里,将在回调中使用。

在回调中,参数创建为

PyObject* args = PyTuple_Pack(2, PyString_FromString(header.c_str()),
                                 PyString_FromString(payload.c_str()));

创建时

PyObject * pInstance = PyObject_CallObject(pFunc, args);

在这一行中,它给出了细分错误。之后,实际的python方法称为

PyObject* recv_msg_func = PyObject_GetAttrString(module, (char *)"recvCallback");
args = PyTuple_Pack(1, pInstance);
PyObject_CallObject(recv_msg_func, args);

阅读 330

收藏
2021-01-20

共1个答案

小编典典

如果要从C / C ++回调中调用Python函数,则需要做一些事情。首先,当您保存python函数对象时,需要使用以下方法增加引用计数:

Py_INCREF(pFunc)

否则,Python不知道您要保留对象引用,并且它可能会垃圾回收它,从而在您尝试从回调中使用它时导致分段错误。

接下来,您需要关注的是调用C / C 回调时正在运行的线程。如果要从另一个非Python创建的线程(即,在套接字上接收数据的C / C
线程)中回调,则 必须 在调用任何Python
API函数之前获取Python的全局解释器锁(GIL)。否则,程序的行为是不确定的。要获取GIL,请执行以下操作:

void callback() {
    PyGILState_STATE gstate;
    gstate = PyGILState_Ensure();

    // Get args, etc.

    // Call your Python function object
    PyObject * pInstance = PyObject_CallObject(pFunc, args);

    // Do any other needed Python API operations

    // Release the thread. No Python API allowed beyond this point.
    PyGILState_Release(gstate);
}

另外,在扩展模块的init函数中,您应该执行以下操作以确保正确初始化了线程:

// Make sure the GIL has been created since we need to acquire it in our
// callback to safely call into the python application.
if (! PyEval_ThreadsInitialized()) {
    PyEval_InitThreads();
}

否则,当您尝试从非Python线程获取GIL时,可能会导致崩溃和奇怪的行为。

有关更多信息,请参见非Python创建的线程

2021-01-20