使 SWIG 包装内置 class "hashable" in Python
Make SWIG wrapped builtin class "hashable" in Python
我使用 SWIG to expose our C++ libraries to Python. For performance reasons, I'm interested in switching some of the wrapping to use SWIG's -builtin 选项,它删除了 Python 代理对象的层。
但是,包装的 class 不能再用于 Python 集合或作为 Python 字典中的键。这是无法散列的!
>>> wrapped_object = WrappedObject()
>>> hash(wrapped_object)
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
TypeError: unhashable type: 'structure.WrappedObject'
我已经为我的class定义了__hash__()
、__eq__()
和__ne__()
方法。
>>> wrapped_object.__hash__
<built-in method __hash__ of structure.WrappedObject object at 0x7fa9e0e4c378>
>>> wrapped_object.__eq__
<method-wrapper '__eq__' of structure.WrappedObject object at 0x7fa9e0e4c378>
我需要做什么才能使这个 class 可哈希?
对于内置对象,Python 使用散列 slot (Python docs link) 而不是 __hash__()
方法。因此,新的内置对象需要填充哈希槽。这需要具体的方法原型。
在 WrappedObject C++ 文件中:
long WrappedObject::getHash();
并且在 SWIG 包装器定义文件中:
%rename(__hash__) WrappedObject::getHash;
%feature("python:slot", "tp_hash", functype="hashfunc") WrappedObject::getHash;
这对我有用!
我使用 SWIG to expose our C++ libraries to Python. For performance reasons, I'm interested in switching some of the wrapping to use SWIG's -builtin 选项,它删除了 Python 代理对象的层。
但是,包装的 class 不能再用于 Python 集合或作为 Python 字典中的键。这是无法散列的!
>>> wrapped_object = WrappedObject()
>>> hash(wrapped_object)
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
TypeError: unhashable type: 'structure.WrappedObject'
我已经为我的class定义了__hash__()
、__eq__()
和__ne__()
方法。
>>> wrapped_object.__hash__
<built-in method __hash__ of structure.WrappedObject object at 0x7fa9e0e4c378>
>>> wrapped_object.__eq__
<method-wrapper '__eq__' of structure.WrappedObject object at 0x7fa9e0e4c378>
我需要做什么才能使这个 class 可哈希?
对于内置对象,Python 使用散列 slot (Python docs link) 而不是 __hash__()
方法。因此,新的内置对象需要填充哈希槽。这需要具体的方法原型。
在 WrappedObject C++ 文件中:
long WrappedObject::getHash();
并且在 SWIG 包装器定义文件中:
%rename(__hash__) WrappedObject::getHash;
%feature("python:slot", "tp_hash", functype="hashfunc") WrappedObject::getHash;
这对我有用!