17

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

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

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

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

wherePlxMsgWrapper是一个 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);
4

3 回答 3

34

如果您从 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 创建的线程

于 2013-05-17T13:08:01.457 回答
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();
}
于 2013-05-17T12:10:54.173 回答
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;
}
于 2013-08-16T22:08:21.430 回答