将python嵌入到C ++中并不像预期的那样工作

时间:2014-09-16 16:08:03

标签: python c++ python-embedding

我将Python嵌入到C ++应用程序中。

当我运行下面的C ++代码时,它返回时间戳,它可以正常工作。

Py_Initialize();    

std::string strModule = "time"; // module to be loaded
pName = PyString_FromString(strModule.c_str());
pModule = PyImport_Import(pName); // import the module

pDict = PyModule_GetDict(pModule); // get all the symbols in the module
pFunc = PyDict_GetItemString(pDict, "time"); // get the function we want to call

// Call the function and get the return in the pValue
pValue = PyObject_CallObject(pFunc, NULL);
if (pValue == NULL){
    printf('Something is wrong !');
    return 0;
}
printf("Return of python call : %d\n", PyInt_AsLong(pValue)); // I get the correct timestamp

Py_Finalize();

现在我想获得sys.path。但类似的代码却引发了我的错误:

Py_Initialize();    

std::string strModule = "sys"; // module to be loaded
pName = PyString_FromString(strModule.c_str());
pModule = PyImport_Import(pName); // import the module

pDict = PyModule_GetDict(pModule); // get all the symbols in the module
pFunc = PyDict_GetItemString(pDict, "path"); // get the function we want to call

// Call the function and get the return in the pValue
pValue = PyObject_CallObject(pFunc, NULL);
if (pValue == NULL){
    printf('Something is wrong !'); // I end up here, why pValue is NULL?
    return 0;
}
printf("Return of python call : %d\n", PyInt_AsLong(pValue));

Py_Finalize();

我想问题是time.time()是一个函数调用,而sys.path是一个变量。如果是这样的话:

  1. 如何获得变量的结果?
  2. 如何正确地将结果(在本例中为list)转换为C ++中有意义的内容,例如:一串字符串?
  3. 如果没有,怎么办?我使用的是Python 2.7.6

    感谢。

1 个答案:

答案 0 :(得分:4)

你的问题是PyDict_GetItemString(pDict, "path")将返回python列表并且它不可调用。当你执行PyObject_CallObject(pFunc, NULL);时,你将执行它。这等于sys.path()

这应该有效:

PyObject *pName, *pModule, *pDict, *list, *pValue, *item;
int n, i;
char *name;
Py_Initialize();    

std::string strModule = "sys"; // module to be loaded
pName = PyString_FromString(strModule.c_str());
pModule = PyImport_Import(pName); // import the module

pDict = PyModule_GetDict(pModule); // get all the symbols in the module
list = PyDict_GetItemString(pDict, "path"); // get python list
n = PyList_Size(list);
if (n < 0)
    return -1; /* Not a list */

for (i = 0; i < n; i++) { // iterate over list
    item = PyList_GetItem(list, i); /* Can't fail */
    if (!PyString_Check(item)) continue; /* Skip non-string */
    name = PyString_AsString(item);
    std::puts(name);
}


Py_Finalize();
return 0;

完整代码here