我已经尝试从C代码转换djb2哈希函数
unsigned long
hash(unsigned char *str)
{
unsigned long hash = 5381;
int c;
while (c = *str++)
hash = ((hash << 5) + hash) + c; /* hash * 33 + c */
return hash;
}
到c ++代码,但是我有分段错误。
int hf(std::string s){
unsigned long hash = 5381;
char c;
for(int i=0; i<s.size(); i++){
c=s[i++];
hash = ((hash << 5) + hash) + c; /* hash * 33 + c */
}
return hash;
我的错误在哪里?在此先感谢
您需要s[i]
,而不是s[i++]
。更好的办法是使用基于范围的。
int hf(std::string const& s) {
unsigned long hash = 5381;
for (auto c : s) {
hash = (hash << 5) + hash + c; /* hash * 33 + c */
}
return hash;
}
这是我制作的,非常快速并且对C ++友好。
unsigned long DJB2hash(string str)
{
unsigned long hash = 5381;
unsigned int size = str.length();
unsigned int i = 0;
for (i = 0; i < size; i++) {
hash = ((hash << 5) + hash) + (str[i]); /* hash * 33 + c */
}
return hash;
}