使用命名空间从C ++调用Python函数

时间:2015-02-06 17:18:57

标签: python c++ callback boost-python

我试图从c ++执行Python代码,它将定义Python函数并将其传递回c ++,以便可以从那里调用它。这很好但问题是我无法为Python函数提供它最初定义时的命名空间。

struct MyClass {
    void log(const std::string & s)
    {
        cout << s << endl;
    }
    void callFnct(PyObject * fnct)
    {
        bp::call<void>(fnct);
        bp::call<void>(fnct);
    }
};

bp::class_<MyClass, boost::noncopyable> plugin("Plugin", bp::no_init);
plugin.def("callFnct", &MyClass::callFnct);

std::unique_ptr<MyClass> cls(new MyClass());

bp::object main_module = bp::import("__main__");
bp::object main_namespace = main_module.attr("__dict__");
bp::dict locals;
locals["plugin"] = bp::object(bp::ptr(cls.get()));

std::string scriptSource = 
                       "a=5\n"
                       "def my_func():\n"
                       "    a+=1\n"
                       "    plugin.log('won't work %d' % a)\n"
                       "plugin.log('this works')\n"
                       "plugin.callFnct(my_func)";
bp::object obj = bp::exec(bp::str(scriptSource), main_namespace, locals);

plugin.log()的初始调用有效,但是一旦我们调用callFnct()中的python函数,名称空间就消失了,因此无法看到变量a或{{ 1}}模块。

是否有人知道如何通过保留命名空间并将变量plugin保留在范围内来bp::call<void>(fnct)

1 个答案:

答案 0 :(得分:4)

这是因为非本地范围内的变量无法反弹。即使没有调用C ++,它也无法工作:

a = 5
def my_func():
    a += 5
    print(a)
my_func()

UnboundLocalError: local variable 'a' referenced before assignment

您需要先导入它:

a = 5
def my_func():
    global a
    a += 5
    print(a)
my_func()