在基础框架中的内置 NSData 类上调用 hash 时——使用什么实现来返回 hash 值?(CRC32,还有别的吗?)
问问题
984 次
1 回答
5
别的东西。其实是一个实现细节,不需要在不同版本中使用固定的算法。
您可以在 Core Foundation 的开源版本中查看实现。请注意,NSData 是免费桥接到 CFDataRef。来自http://opensource.apple.com/source/CF/CF-635.21/CFData.c:
static CFHashCode __CFDataHash(CFTypeRef cf) {
CFDataRef data = (CFDataRef)cf;
return CFHashBytes((uint8_t *)CFDataGetBytePtr(data), __CFMin(__CFDataLength(data), 80));
}
我们看到前 80 个字节用于计算哈希。CFHashBytes 函数使用ELF 哈希算法实现:
#define ELF_STEP(B) T1 = (H << 4) + B; T2 = T1 & 0xF0000000; if (T2) T1 ^= (T2 >> 24); T1 &= (~T2); H = T1;
CFHashCode CFHashBytes(uint8_t *bytes, CFIndex length) {
/* The ELF hash algorithm, used in the ELF object file format */
UInt32 H = 0, T1, T2;
SInt32 rem = length;
while (3 < rem) {
ELF_STEP(bytes[length - rem]);
ELF_STEP(bytes[length - rem + 1]);
ELF_STEP(bytes[length - rem + 2]);
ELF_STEP(bytes[length - rem + 3]);
rem -= 4;
}
switch (rem) {
case 3: ELF_STEP(bytes[length - 3]);
case 2: ELF_STEP(bytes[length - 2]);
case 1: ELF_STEP(bytes[length - 1]);
case 0: ;
}
return H;
}
#undef ELF_STEP
于 2012-05-26T17:51:29.607 回答