mirror of
				https://github.com/krahets/hello-algo.git
				synced 2025-11-04 14:18:20 +08:00 
			
		
		
		
	* Update avatar's link in the landing page * Bug fixes * Move assets folder from overrides to docs * Reduce figures' corner radius * Update copyright * Update header image * Krahets -> krahets * Update the landing page
		
			
				
	
	
		
			59 lines
		
	
	
		
			1.1 KiB
		
	
	
	
		
			Python
		
	
	
	
	
	
			
		
		
	
	
			59 lines
		
	
	
		
			1.1 KiB
		
	
	
	
		
			Python
		
	
	
	
	
	
"""
 | 
						|
File: simple_hash.py
 | 
						|
Created Time: 2023-06-15
 | 
						|
Author: krahets (krahets@163.com)
 | 
						|
"""
 | 
						|
 | 
						|
 | 
						|
def add_hash(key: str) -> int:
 | 
						|
    """加法哈希"""
 | 
						|
    hash = 0
 | 
						|
    modulus = 1000000007
 | 
						|
    for c in key:
 | 
						|
        hash += ord(c)
 | 
						|
    return hash % modulus
 | 
						|
 | 
						|
 | 
						|
def mul_hash(key: str) -> int:
 | 
						|
    """乘法哈希"""
 | 
						|
    hash = 0
 | 
						|
    modulus = 1000000007
 | 
						|
    for c in key:
 | 
						|
        hash = 31 * hash + ord(c)
 | 
						|
    return hash % modulus
 | 
						|
 | 
						|
 | 
						|
def xor_hash(key: str) -> int:
 | 
						|
    """异或哈希"""
 | 
						|
    hash = 0
 | 
						|
    modulus = 1000000007
 | 
						|
    for c in key:
 | 
						|
        hash ^= ord(c)
 | 
						|
    return hash % modulus
 | 
						|
 | 
						|
 | 
						|
def rot_hash(key: str) -> int:
 | 
						|
    """旋转哈希"""
 | 
						|
    hash = 0
 | 
						|
    modulus = 1000000007
 | 
						|
    for c in key:
 | 
						|
        hash = (hash << 4) ^ (hash >> 28) ^ ord(c)
 | 
						|
    return hash % modulus
 | 
						|
 | 
						|
 | 
						|
"""Driver Code"""
 | 
						|
if __name__ == "__main__":
 | 
						|
    key = "Hello 算法"
 | 
						|
 | 
						|
    hash = add_hash(key)
 | 
						|
    print(f"加法哈希值为 {hash}")
 | 
						|
 | 
						|
    hash = mul_hash(key)
 | 
						|
    print(f"乘法哈希值为 {hash}")
 | 
						|
 | 
						|
    hash = xor_hash(key)
 | 
						|
    print(f"异或哈希值为 {hash}")
 | 
						|
 | 
						|
    hash = rot_hash(key)
 | 
						|
    print(f"旋转哈希值为 {hash}")
 |