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

时间:2013-05-17 10:31:23

标签: c++ python c callback python-c-api

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

在我尝试调用python方法时,在此方法中,它正在提供segmentation fault

我在一个全局变量中保存了一个python函数实例,比如

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

其中PlxMsgWrapper是一个python方法,将在回调中使用。

在回调中,参数创建为

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);

3 个答案:

答案 0 :(得分:30)

如果从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时,可能会发生崩溃和奇怪的行为。

有关详细信息,请参阅Non-Python Created Threads

答案 1 :(得分:2)

Python应该在运行它的目录中查找模块 但是,如果您认为问题是python没有找到 你的文件,你可以在你的计算机上添加一个任意目录 程序中的模块搜索路径:

// Initialize the Python Interpreter
Py_Initialize();

// The following two lines to the trick:
// add path to your module to python's search paths
PyRun_SimpleString("import sys");
PyRun_SimpleString("sys.path.append(\"/path/to/python/module/here\")");

// Build the name object
pName = PyString_FromString("your_module");

// Load the module object
pModule = PyImport_Import(pName);

// pDict is a borrowed reference 
pDict = PyModule_GetDict(pModule);

// pFunc is also a borrowed reference 
pFunc = PyDict_GetItemString(pDict, "PlxMsgWrapper");

pArgs = ... 

if (PyCallable_Check(pFunc)) 
{
   PyObject_CallObject(pFunc, pArgs);
} else {
   PyErr_Print();
}

答案 2 :(得分:2)

这并不能完全回答您的问题,但您可以大大简化代码并避免使用Boost::Python引用计数问题。

#include "boost/python.hpp"

using namespace boost::python;

int main()
{
  Py_Initialize();

  object pyFunPlxMsgWrapper = import("your_module").attr("PlxMsgWrapper");
  pyFunPlxMsgWrapper(2, "string", "data");
  return 0;
}