我想制作一个类似dict
的对象来与c ++ std::map
进行接口。在纯Python中,我了解创建dict
接口的最佳方法是访问inherit from collections.MutableMapping
and override the appropriate methods(__getitem__
,__setitem__
等)。
但是,就我而言,我想使用map<string, string>
连接到C ++中的boost::python
。
现在我知道可以通过在class_
构造函数中指定bases<T>
来继承用C ++创建并使用boost注册的另一类。但是,我似乎无法想出让DictInterface
类继承自MutableMapping
的一种方法,以便利用Abstract Base Class提供的所有其他功能。
#include <map>
#include <boost/python.hpp>
using namespace boost::python;
class DictInterface
{
public:
DictInterface(std::map<std::string, std::string>& m)
{
cpp_map = m;
}
std::string getitem(const std::string& key) const
{
std::string ret = some_decoding(cpp_map.at(key));
return ret;
}
void setitem(const std::string& key, const std::string& value)
{
cpp_map.insert_or_assign(key, some_encoding(value));
}
void delitem(const std::string& key)
{
if (cpp_map.find(key)) {
cpp_map.erase(key);
}
}
/* ...More methods... */
private:
std::map<std::string, std::string>& cpp_map;
}
// Expose to python
void export_DictInterface_h()
{
class_<DictInterface, /*here is where bases would go*/>
.def("__getitem__", &DictInterface::getitem)
.def("__setitem__", &DictInterface::setitem)
.def("__delitem__", &DictInterface::delitem)
// ... More method definitions ...
// Is this where I could inherit from MutableMapping?
;
}