mirror of
https://github.com/krahets/hello-algo.git
synced 2024-12-27 06:16:29 +08:00
b2f0d4603d
* Add Ruby and Kotlin icons Add the avatar of @curtishd * Update README * Synchronize zh-hant and zh versions. * Translate the pythontutor blocks to traditional Chinese * Fix en/mkdocs.yml * Update the landing page of the en version. * Fix the Dockerfile * Refine the en landingpage * Fix en landing page * Reset the README.md
62 lines
No EOL
1.2 KiB
Kotlin
62 lines
No EOL
1.2 KiB
Kotlin
/**
|
|
* File: simple_hash.kt
|
|
* Created Time: 2024-01-25
|
|
* Author: curtishd (1023632660@qq.com)
|
|
*/
|
|
|
|
package chapter_hashing
|
|
|
|
const val MODULUS = 1000000007
|
|
|
|
/* 加法雜湊 */
|
|
fun addHash(key: String): Int {
|
|
var hash = 0L
|
|
for (c in key.toCharArray()) {
|
|
hash = (hash + c.code) % MODULUS
|
|
}
|
|
return hash.toInt()
|
|
}
|
|
|
|
/* 乘法雜湊 */
|
|
fun mulHash(key: String): Int {
|
|
var hash = 0L
|
|
for (c in key.toCharArray()) {
|
|
hash = (31 * hash + c.code) % MODULUS
|
|
}
|
|
return hash.toInt()
|
|
}
|
|
|
|
/* 互斥或雜湊 */
|
|
fun xorHash(key: String): Int {
|
|
var hash = 0
|
|
for (c in key.toCharArray()) {
|
|
hash = hash xor c.code
|
|
}
|
|
return hash and MODULUS
|
|
}
|
|
|
|
/* 旋轉雜湊 */
|
|
fun rotHash(key: String): Int {
|
|
var hash = 0L
|
|
for (c in key.toCharArray()) {
|
|
hash = ((hash shl 4) xor (hash shr 28) xor c.code.toLong()) % MODULUS
|
|
}
|
|
return hash.toInt()
|
|
}
|
|
|
|
/* Driver Code */
|
|
fun main() {
|
|
val key = "Hello 演算法"
|
|
|
|
var hash = addHash(key)
|
|
println("加法雜湊值為 $hash")
|
|
|
|
hash = mulHash(key)
|
|
println("乘法雜湊值為 $hash")
|
|
|
|
hash = xorHash(key)
|
|
println("互斥或雜湊值為 $hash")
|
|
|
|
hash = rotHash(key)
|
|
println("旋轉雜湊值為 $hash")
|
|
} |