2

如何访问已为给定 C++ 类注册的 boost::python::class_ 对象?我正在导入一个 boost::python 模块,它为 boost::property_tree::ptree 定义了一个包装器,但我想在这个包装器定义中添加其他方法。当我尝试创建一个新的包装器时,Boost Python 抱怨已经声明了一个处理程序,并忽略了我的新定义。

有任何想法吗?

4

2 回答 2

3

按照 daramarak 的建议,以及 Boost Python 教程Extending Wrapped Objects In Python,我从 python 中扩展了这个类。Python 和 Boost::Python 对绑定成员函数和第一个参数是对象引用(或指针)的函数几乎没有区别。因此,您可以像这样在 C++ 中定义一个函数:

bool ptree__contains(boost::property_tree::ptree* self, const std::string& key) {
    return self->find(key)!=self->not_found();
}

然后像这样在 Python 中扩充导入的类:

from other_module import ptree
from my_module import ptree__contains

# The __contains__ method is a special api function 
# that enables "foo in bar" boolean test statements
ptree.__contains__ = ptree__contains

test_ptree = ptree()
test_ptree.put("follow.the.yellow.brick.road", "OZ!")

print "follow.the.yellow.brick.road" in test_ptree
# > true

我将我的扩充代码添加到__init__.py我的模块中,这样我的模块的任何导入都会自动将所需的方法添加到外部对象。我定义了一个修改类的函数,调用这个函数,然后删除它以清理我的命名空间。或者,您可以从__all__列表中排除此函数,以防止它被from module import *语句导出。奇迹般有效!再次感谢达马拉克。

于 2013-02-07T04:11:21.877 回答
0

我有一个类似的问题,但有一个区别:由于类导出定义在我自己的代码中,我能够更改第boost::python::class_一次调用的部分。

如果这在您的情况下也是可能的,则解决方案可能如下所示:

static auto ptree_class_ = boost::python::class_< ptree > ( "ptree" );

// somewhere later in your code:
ptree_class_.def("contains", &ptree__contains);

这消除了对额外 Python 代码的需求——一切都在 C++ 中完成。

在这里你可以找到我原来的解决方案:https ://stackoverflow.com/a/30622038/4184258

于 2015-06-03T13:59:54.067 回答