我通常不会使用 32 位散列,除非基数非常低,因为它当然比 64 位散列更容易发生冲突。数据库很容易支持 bigint 8 字节(64 位)整数。考虑此表以了解一些哈希冲突概率。
如果你使用 Python ≥3.6,你绝对不需要为此使用第三方包,也不需要减去偏移量,因为你可以直接生成有符号的 64 位或变量位-length 哈希利用shake_128
:
import hashlib
from typing import Dict, List
class Int8Hash:
BYTES = 8
BITS = BYTES * 8
BITS_MINUS1 = BITS - 1
MIN = -(2**BITS_MINUS1)
MAX = 2**BITS_MINUS1 - 1
@classmethod
def as_dict(cls, texts: List[str]) -> Dict[int, str]:
return {cls.as_int(text): text for text in texts} # Intentionally reversed.
@classmethod
def as_int(cls, text: str) -> int:
seed = text.encode()
hash_digest = hashlib.shake_128(seed).digest(cls.BYTES)
hash_int = int.from_bytes(hash_digest, byteorder='big', signed=True)
assert cls.MIN <= hash_int <= cls.MAX
return hash_int
@classmethod
def as_list(cls, texts: List[str]) -> List[int]:
return [cls.as_int(text) for text in texts]
用法:
>>> Int8Hash.as_int('abc')
6377388639837011804
>>> Int8Hash.as_int('xyz')
-1670574255735062145
>>> Int8Hash.as_list(['p', 'q'])
[-539261407052670282, -8666947431442270955]
>>> Int8Hash.as_dict(['i', 'j'])
{8695440610821005873: 'i', 6981288559557589494: 'j'}
要改为生成 32 位哈希,请设置Int8Hash.BYTES
为 4。
免责声明:我没有编写统计单元测试来验证此实现是否返回均匀分布的整数。