mirror of
https://github.com/krahets/hello-algo.git
synced 2024-12-26 22:06:28 +08:00
e4ba690005
* feat(go): support hash map chaining * feat(go): support hash map open address * feat(go): support simple hash * feat(go): support top k heap * feat(go): support subset sum I * feat(go): support subset sum native * feat(go): support subset sum II * fix(go): fix some problem
55 lines
982 B
Go
55 lines
982 B
Go
// File: simple_hash.go
|
|
// Created Time: 2023-06-23
|
|
// Author: Reanon (793584285@qq.com)
|
|
|
|
package chapter_hashing
|
|
|
|
import "fmt"
|
|
|
|
/* 加法哈希 */
|
|
func addHash(key string) int {
|
|
var hash int64
|
|
var modulus int64
|
|
|
|
modulus = 1000000007
|
|
for _, b := range []byte(key) {
|
|
hash = (hash + int64(b)) % modulus
|
|
}
|
|
return int(hash)
|
|
}
|
|
|
|
/* 乘法哈希 */
|
|
func mulHash(key string) int {
|
|
var hash int64
|
|
var modulus int64
|
|
|
|
modulus = 1000000007
|
|
for _, b := range []byte(key) {
|
|
hash = (31*hash + int64(b)) % modulus
|
|
}
|
|
return int(hash)
|
|
}
|
|
|
|
/* 异或哈希 */
|
|
func xorHash(key string) int {
|
|
hash := 0
|
|
modulus := 1000000007
|
|
for _, b := range []byte(key) {
|
|
fmt.Println(int(b))
|
|
hash ^= int(b)
|
|
hash = (31*hash + int(b)) % modulus
|
|
}
|
|
return hash & modulus
|
|
}
|
|
|
|
/* 旋转哈希 */
|
|
func rotHash(key string) int {
|
|
var hash int64
|
|
var modulus int64
|
|
|
|
modulus = 1000000007
|
|
for _, b := range []byte(key) {
|
|
hash = ((hash << 4) ^ (hash >> 28) ^ int64(b)) % modulus
|
|
}
|
|
return int(hash)
|
|
}
|