diff --git a/docs-en/chapter_hashing/hash_algorithm.assets/hash_collision_best_worst_condition.png b/docs-en/chapter_hashing/hash_algorithm.assets/hash_collision_best_worst_condition.png
new file mode 100644
index 000000000..91a47d0ae
Binary files /dev/null and b/docs-en/chapter_hashing/hash_algorithm.assets/hash_collision_best_worst_condition.png differ
diff --git a/docs-en/chapter_hashing/hash_algorithm.md b/docs-en/chapter_hashing/hash_algorithm.md
new file mode 100644
index 000000000..fa57e4a66
--- /dev/null
+++ b/docs-en/chapter_hashing/hash_algorithm.md
@@ -0,0 +1,360 @@
+# Hash Algorithms
+
+The previous two sections introduced the working principle of hash tables and the methods to handle hash collisions. However, both open addressing and chaining can **only ensure that the hash table functions normally when collisions occur, but cannot reduce the frequency of hash collisions**.
+
+If hash collisions occur too frequently, the performance of the hash table will deteriorate drastically. As shown in the figure below, for a chaining hash table, in the ideal case, the key-value pairs are evenly distributed across the buckets, achieving optimal query efficiency; in the worst case, all key-value pairs are stored in the same bucket, degrading the time complexity to $O(n)$.
+
+![Ideal and Worst Cases of Hash Collisions](hash_algorithm.assets/hash_collision_best_worst_condition.png)
+
+**The distribution of key-value pairs is determined by the hash function**. Recalling the steps of calculating a hash function, first compute the hash value, then modulo it by the array length:
+
+```shell
+index = hash(key) % capacity
+```
+
+Observing the above formula, when the hash table capacity `capacity` is fixed, **the hash algorithm `hash()` determines the output value**, thereby determining the distribution of key-value pairs in the hash table.
+
+This means that, to reduce the probability of hash collisions, we should focus on the design of the hash algorithm `hash()`.
+
+## Goals of Hash Algorithms
+
+To achieve a "fast and stable" hash table data structure, hash algorithms should have the following characteristics:
+
+- **Determinism**: For the same input, the hash algorithm should always produce the same output. Only then can the hash table be reliable.
+- **High Efficiency**: The process of computing the hash value should be fast enough. The smaller the computational overhead, the more practical the hash table.
+- **Uniform Distribution**: The hash algorithm should ensure that key-value pairs are evenly distributed in the hash table. The more uniform the distribution, the lower the probability of hash collisions.
+
+In fact, hash algorithms are not only used to implement hash tables but are also widely applied in other fields.
+
+- **Password Storage**: To protect the security of user passwords, systems usually do not store the plaintext passwords but rather the hash values of the passwords. When a user enters a password, the system calculates the hash value of the input and compares it with the stored hash value. If they match, the password is considered correct.
+- **Data Integrity Check**: The data sender can calculate the hash value of the data and send it along; the receiver can recalculate the hash value of the received data and compare it with the received hash value. If they match, the data is considered intact.
+
+For cryptographic applications, to prevent reverse engineering such as deducing the original password from the hash value, hash algorithms need higher-level security features.
+
+- **Unidirectionality**: It should be impossible to deduce any information about the input data from the hash value.
+- **Collision Resistance**: It should be extremely difficult to find two different inputs that produce the same hash value.
+- **Avalanche Effect**: Minor changes in the input should lead to significant and unpredictable changes in the output.
+
+Note that **"Uniform Distribution" and "Collision Resistance" are two separate concepts**. Satisfying uniform distribution does not necessarily mean collision resistance. For example, under random input `key`, the hash function `key % 100` can produce a uniformly distributed output. However, this hash algorithm is too simple, and all `key` with the same last two digits will have the same output, making it easy to deduce a usable `key` from the hash value, thereby cracking the password.
+
+## Design of Hash Algorithms
+
+The design of hash algorithms is a complex issue that requires consideration of many factors. However, for some less demanding scenarios, we can also design some simple hash algorithms.
+
+- **Additive Hash**: Add up the ASCII codes of each character in the input and use the total sum as the hash value.
+- **Multiplicative Hash**: Utilize the non-correlation of multiplication, multiplying each round by a constant, accumulating the ASCII codes of each character into the hash value.
+- **XOR Hash**: Accumulate the hash value by XORing each element of the input data.
+- **Rotating Hash**: Accumulate the ASCII code of each character into a hash value, performing a rotation operation on the hash value before each accumulation.
+
+```src
+[file]{simple_hash}-[class]{}-[func]{rot_hash}
+```
+
+It is observed that the last step of each hash algorithm is to take the modulus of the large prime number $1000000007$ to ensure that the hash value is within an appropriate range. It is worth pondering why emphasis is placed on modulo a prime number, or what are the disadvantages of modulo a composite number? This is an interesting question.
+
+To conclude: **Using a large prime number as the modulus can maximize the uniform distribution of hash values**. Since a prime number does not share common factors with other numbers, it can reduce the periodic patterns caused by the modulo operation, thus avoiding hash collisions.
+
+For example, suppose we choose the composite number $9$ as the modulus, which can be divided by $3$, then all `key` divisible by $3$ will be mapped to hash values $0$, $3$, $6$.
+
+$$
+\begin{aligned}
+\text{modulus} & = 9 \newline
+\text{key} & = \{ 0, 3, 6, 9, 12, 15, 18, 21, 24, 27, 30, 33, \dots \} \newline
+\text{hash} & = \{ 0, 3, 6, 0, 3, 6, 0, 3, 6, 0, 3, 6,\dots \}
+\end{aligned}
+$$
+
+If the input `key` happens to have this kind of arithmetic sequence distribution, then the hash values will cluster, thereby exacerbating hash collisions. Now, suppose we replace `modulus` with the prime number $13$, since there are no common factors between `key` and `modulus`, the uniformity of the output hash values will be significantly improved.
+
+$$
+\begin{aligned}
+\text{modulus} & = 13 \newline
+\text{key} & = \{ 0, 3, 6, 9, 12, 15, 18, 21, 24, 27, 30, 33, \dots \} \newline
+\text{hash} & = \{ 0, 3, 6, 9, 12, 2, 5, 8, 11, 1, 4, 7, \dots \}
+\end{aligned}
+$$
+
+It is worth noting that if the `key` is guaranteed to be randomly and uniformly distributed, then choosing a prime number or a composite number as the modulus can both produce uniformly distributed hash values. However, when the distribution of `key` has some periodicity, modulo a composite number is more likely to result in clustering.
+
+In summary, we usually choose a prime number as the modulus, and this prime number should be large enough to eliminate periodic patterns as much as possible, enhancing the robustness of the hash algorithm.
+
+## Common Hash Algorithms
+
+It is not hard to see that the simple hash algorithms mentioned above are quite "fragile" and far from reaching the design goals of hash algorithms. For example, since addition and XOR obey the commutative law, additive hash and XOR hash cannot distinguish strings with the same content but in different order, which may exacerbate hash collisions and cause security issues.
+
+In practice, we usually use some standard hash algorithms, such as MD5, SHA-1, SHA-2, and SHA-3. They can map input data of any length to a fixed-length hash value.
+
+Over the past century, hash algorithms have been in a continuous process of upgrading and optimization. Some researchers strive to improve the performance of hash algorithms, while others, including hackers, are dedicated to finding security issues in hash algorithms. The table below shows hash algorithms commonly used in practical applications.
+
+- MD5 and SHA-1 have been successfully attacked multiple times and are thus abandoned in various security applications.
+- SHA-2 series, especially SHA-256, is one of the most secure hash algorithms to date, with no successful attacks reported, hence commonly used in various security applications and protocols.
+- SHA-3 has lower implementation costs and higher computational efficiency compared to SHA-2, but its current usage coverage is not as extensive as the SHA-2 series.
+
+
Table Common Hash Algorithms
+
+| | MD5 | SHA-1 | SHA-2 | SHA-3 |
+| --------------- | ----------------------------------------------- | ----------------------------------- | ----------------------------------------------------------------- | ---------------------------- |
+| Release Year | 1992 | 1995 | 2002 | 2008 |
+| Output Length | 128 bit | 160 bit | 256/512 bit | 224/256/384/512 bit |
+| Hash Collisions | Frequent | Frequent | Rare | Rare |
+| Security Level | Low, has been successfully attacked | Low, has been successfully attacked | High | High |
+| Applications | Abandoned, still used for data integrity checks | Abandoned | Cryptocurrency transaction verification, digital signatures, etc. | Can be used to replace SHA-2 |
+
+# Hash Values in Data Structures
+
+We know that the keys in a hash table can be of various data types such as integers, decimals, or strings. Programming languages usually provide built-in hash algorithms for these data types to calculate the bucket indices in the hash table. Taking Python as an example, we can use the `hash()` function to compute the hash values for various data types.
+
+- The hash values of integers and booleans are their own values.
+- The calculation of hash values for floating-point numbers and strings is more complex, and interested readers are encouraged to study this on their own.
+- The hash value of a tuple is a combination of the hash values of each of its elements, resulting in a single hash value.
+- The hash value of an object is generated based on its memory address. By overriding the hash method of an object, hash values can be generated based on content.
+
+!!! tip
+
+ Be aware that the definition and methods of the built-in hash value calculation functions in different programming languages vary.
+
+=== "Python"
+
+ ```python title="built_in_hash.py"
+ num = 3
+ hash_num = hash(num)
+ # Hash value of integer 3 is 3
+
+ bol = True
+ hash_bol = hash(bol)
+ # Hash value of boolean True is 1
+
+ dec = 3.14159
+ hash_dec = hash(dec)
+ # Hash value of decimal 3.14159 is 326484311674566659
+
+ str = "Hello 算法"
+ hash_str = hash(str)
+ # Hash value of string "Hello 算法" is 4617003410720528961
+
+ tup = (12836, "小哈")
+ hash_tup = hash(tup)
+ # Hash value of tuple (12836, '小哈') is 1029005403108185979
+
+ obj = ListNode(0)
+ hash_obj = hash(obj)
+ # Hash value of ListNode object at 0x1058fd810 is 274267521
+ ```
+
+=== "C++"
+
+ ```cpp title="built_in_hash.cpp"
+ int num = 3;
+ size_t hashNum = hash()(num);
+ // Hash value of integer 3 is 3
+
+ bool bol = true;
+ size_t hashBol = hash()(bol);
+ // Hash value of boolean 1 is 1
+
+ double dec = 3.14159;
+ size_t hashDec = hash()(dec);
+ // Hash value of decimal 3.14159 is 4614256650576692846
+
+ string str = "Hello 算法";
+ size_t hashStr = hash()(str);
+ // Hash value of string "Hello 算法" is 15466937326284535026
+
+ // In C++, built-in std::hash() only provides hash values for basic data types
+ // Hash values for arrays and objects need to be implemented separately
+ ```
+
+=== "Java"
+
+ ```java title="built_in_hash.java"
+ int num = 3;
+ int hashNum = Integer.hashCode(num);
+ // Hash value of integer 3 is 3
+
+ boolean bol = true;
+ int hashBol = Boolean.hashCode(bol);
+ // Hash value of boolean true is 1231
+
+ double dec = 3.14159;
+ int hashDec = Double.hashCode(dec);
+ // Hash value of decimal 3.14159 is -1340954729
+
+ String str = "Hello 算法";
+ int hashStr = str.hashCode();
+ // Hash value of string "Hello 算法" is -727081396
+
+ Object[] arr = { 12836, "小哈" };
+ int hashTup = Arrays.hashCode(arr);
+ // Hash value of array [12836, 小哈] is 1151158
+
+ ListNode obj = new ListNode(0);
+ int hashObj = obj.hashCode();
+ // Hash value of ListNode object utils.ListNode@7dc5e7b4 is 2110121908
+ ```
+
+=== "C#"
+
+ ```csharp title="built_in_hash.cs"
+ int num = 3;
+ int hashNum = num.GetHashCode();
+ // Hash value of integer 3 is 3;
+
+ bool bol = true;
+ int hashBol = bol.GetHashCode();
+ // Hash value of boolean true is 1;
+
+ double dec = 3.14159;
+ int hashDec = dec.GetHashCode();
+ // Hash value of decimal 3.14159 is -1340954729;
+
+ string str = "Hello 算法";
+ int hashStr = str.GetHashCode();
+ // Hash value of string "Hello 算法" is -586107568;
+
+ object[] arr = [12836, "小哈"];
+ int hashTup = arr.GetHashCode();
+ // Hash value of array [12836, 小哈] is 42931033;
+
+ ListNode obj = new(0);
+ int hashObj = obj.GetHashCode();
+ // Hash value of ListNode object 0 is 39053774;
+ ```
+
+=== "Go"
+
+ ```go title="built_in_hash.go"
+ // Go does not provide built-in hash code functions
+ ```
+
+=== "Swift"
+
+ ```swift title="built_in_hash.swift"
+ let num = 3
+ let hashNum = num.hashValue
+ // Hash value of integer 3 is 9047044699613009734
+
+ let bol = true
+ let hashBol = bol.hashValue
+ // Hash value of boolean true is -4431640247352757451
+
+ let dec = 3.14159
+ let hashDec = dec.hashValue
+ // Hash value of decimal 3.14159 is -2465384235396674631
+
+ let str = "Hello 算法"
+ let hashStr = str.hashValue
+ // Hash value of string "Hello 算法" is -7850626797806988787
+
+ let arr = [AnyHashable(12836), AnyHashable("小哈")]
+ let hashTup = arr.hashValue
+ // Hash value of array [AnyHashable(12836), AnyHashable("小哈")] is -2308633508154532996
+
+ let obj = ListNode(x: 0)
+ let hashObj = obj.hashValue
+ // Hash value of ListNode object utils.ListNode is -2434780518035996159
+ ```
+
+=== "JS"
+
+ ```javascript title="built_in_hash.js"
+ // JavaScript does not provide built-in hash code functions
+ ```
+
+=== "TS"
+
+ ```typescript title="built_in_hash.ts"
+ // TypeScript does not provide built-in hash code functions
+ ```
+
+=== "Dart"
+
+ ```dart title="built_in_hash.dart"
+ int num = 3;
+ int hashNum = num.hashCode;
+ // Hash value of integer 3 is 34803
+
+ bool bol = true;
+ int hashBol = bol.hashCode;
+ // Hash value of boolean true is 1231
+
+ double dec = 3.14159;
+ int hashDec = dec.hashCode;
+ // Hash value of decimal 3.14159 is 2570631074981783
+
+ String str = "Hello 算法";
+ int hashStr = str.hashCode;
+ // Hash value of string "Hello 算法" is 468167534
+
+ List arr = [12836, "小哈"];
+ int hashArr = arr.hashCode;
+ // Hash value of array [12836, 小哈] is 976512528
+
+ ListNode obj = new ListNode(0);
+ int hashObj = obj.hashCode;
+ // Hash value of ListNode object Instance of 'ListNode' is 1033450432
+ ```
+
+=== "Rust"
+
+ ```rust title="built_in_hash.rs"
+ use std::collections::hash_map::DefaultHasher;
+ use std::hash::{Hash, Hasher};
+
+ let num = 3;
+ let mut num_hasher = DefaultHasher::new();
+ num.hash(&mut num_hasher);
+ let hash_num = num_hasher.finish();
+ // Hash value of integer 3 is 568126464209439262
+
+ let bol = true;
+ let mut bol_hasher = DefaultHasher::new();
+ bol.hash(&mut bol_hasher);
+ let hash_bol = bol_hasher.finish();
+ // Hash value of boolean true is 4952851536318644461
+
+ let dec: f32 = 3.14159;
+ let mut dec_hasher = DefaultHasher::new();
+ dec.to_bits().hash(&mut dec_hasher);
+ let hash_dec = dec_hasher.finish();
+ // Hash value of decimal 3.14159 is 2566941990314602357
+
+ let str = "Hello 算法";
+ let mut str_hasher = DefaultHasher::new();
+ str.hash(&mut str_hasher);
+ let hash_str = str_hasher.finish();
+ // Hash value of string "Hello 算法" is 16092673739211250988
+
+ let arr = (&12836, &"小哈");
+ let mut tup_hasher = DefaultHasher::new();
+ arr.hash(&mut tup_hasher);
+ let hash_tup = tup_hasher.finish();
+ // Hash value of tuple (12836, "小哈") is 1885128010422702749
+
+ let node = ListNode::new(42);
+ let mut hasher = DefaultHasher::new();
+ node.borrow().val.hash(&mut hasher);
+ let hash = hasher.finish();
+ // Hash value of ListNode object RefCell { value: ListNode { val: 42, next: None } } is 15387811073369036852
+ ```
+
+=== "C"
+
+ ```c title="built_in_hash.c"
+ // C does not provide built-in hash code functions
+ ```
+
+=== "Zig"
+
+ ```zig title="built_in_hash.zig"
+
+ ```
+
+??? pythontutor "Code Visualization"
+
+ https://pythontutor.com/render.html#code=class%20ListNode%3A%0A%20%20%20%20%22%22%22%E9%93%BE%E8%A1%A8%E8%8A%82%E7%82%B9%E7%B1%BB%22%22%22%0A%20%20%20%20def%20__init__%28self,%20val%3A%20int%29%3A%0A%20%20%20%20%20%20%20%20self.val%3A%20int%20%3D%20val%20%20%23%20%E8%8A%82%E7%82%B9%E5%80%BC%0A%20%20%20%20%20%20%20%20self.next%3A%20ListNode%20%7C%20None%20%3D%20None%20%20%23%20%E5%90%8E%E7%BB%A7%E8%8A%82%E7%82%B9%E5%BC%95%E7%94%A8%0A%0A%22%22%22Driver%20Code%22%22%22%0Aif%20__name__%20%3D%3D%20%22__main__%22%3A%0A%20%20%20%20num%20%3D%203%0A%20%20%20%20hash_num%20%3D%20hash%28num%29%0A%20%20%20%20%23%20%E6%95%B4%E6%95%B0%203%20%E7%9A%84%E5%93%88%E5%B8%8C%E5%80%BC%E4%B8%BA%203%0A%0A%20%20%20%20bol%20%3D%20True%0A%20%20%20%20hash_bol%20%3D%20hash%28bol%29%0A%20%20%20%20%23%20%E5%B8%83%E5%B0%94%E9%87%8F%20True%20%E7%9A%84%E5%93%88%E5%B8%8C%E5%80%BC%E4%B8%BA%201%0A%0A%20%20%20%20dec%20%3D%203.14159%0A%20%20%20%20hash_dec%20%3D%20hash%28dec%29%0A%20%20%20%20%23%20%E5%B0%8F%E6%95%B0%203.14159%20%E7%9A%84%E5%93%88%E5%B8%8C%E5%80%BC%E4%B8%BA%20326484311674566659%0A%0A%20%20%20%20str%20%3D%20%22Hello%20%E7%AE%97%E6%B3%95%22%0A%20%20%20%20hash_str%20%3D%20hash%28str%29%0A%20%20%20%20%23%20%E5%AD%97%E7%AC%A6%E4%B8%B2%E2%80%9CHello%20%E7%AE%97%E6%B3%95%E2%80%9D%E7%9A%84%E5%93%88%E5%B8%8C%E5%80%BC%E4%B8%BA%204617003410720528961%0A%0A%20%20%20%20tup%20%3D%20%2812836,%20%22%E5%B0%8F%E5%93%88%22%29%0A%20%20%20%20hash_tup%20%3D%20hash%28tup%29%0A%20%20%20%20%23%20%E5%85%83%E7%BB%84%20%2812836,%20'%E5%B0%8F%E5%93%88'%29%20%E7%9A%84%E5%93%88%E5%B8%8C%E5%80%BC%E4%B8%BA%201029005403108185979%0A%0A%20%20%20%20obj%20%3D%20ListNode%280%29%0A%20%20%20%20hash_obj%20%3D%20hash%28obj%29%0A%20%20%20%20%23%20%E8%8A%82%E7%82%B9%E5%AF%B9%E8%B1%A1%20%3CListNode%20object%20at%200x1058fd810%3E%20%E7%9A%84%E5%93%88%E5%B8%8C%E5%80%BC%E4%B8%BA%20274267521&cumulative=false&curInstr=19&heapPrimitives=nevernest&mode=display&origin=opt-frontend.js&py=311&rawInputLstJSON=%5B%5D&textReferences=false
+
+In many programming languages, **only immutable objects can serve as the `key` in a hash table**. If we use a list (dynamic array) as a `key`, when the contents of the list change, its hash value also changes, and we would no longer be able to find the original `value` in the hash table.
+
+Although the member variables of a custom object (such as a linked list node) are mutable, it is hashable. **This is because the hash value of an object is usually generated based on its memory address**, and even if the contents of the object change, the memory address remains the same, so the hash value remains unchanged.
+
+You might have noticed that the hash values output in different consoles are different. **This is because the Python interpreter adds a random salt to the string hash function each time it starts up**. This approach effectively prevents HashDoS attacks and enhances the security of the hash algorithm.
diff --git a/docs-en/chapter_hashing/hash_collision.assets/hash_table_chaining.png b/docs-en/chapter_hashing/hash_collision.assets/hash_table_chaining.png
new file mode 100644
index 000000000..1c67feeff
Binary files /dev/null and b/docs-en/chapter_hashing/hash_collision.assets/hash_table_chaining.png differ
diff --git a/docs-en/chapter_hashing/hash_collision.assets/hash_table_linear_probing.png b/docs-en/chapter_hashing/hash_collision.assets/hash_table_linear_probing.png
new file mode 100644
index 000000000..5e1943478
Binary files /dev/null and b/docs-en/chapter_hashing/hash_collision.assets/hash_table_linear_probing.png differ
diff --git a/docs-en/chapter_hashing/hash_collision.assets/hash_table_open_addressing_deletion.png b/docs-en/chapter_hashing/hash_collision.assets/hash_table_open_addressing_deletion.png
new file mode 100644
index 000000000..729df3118
Binary files /dev/null and b/docs-en/chapter_hashing/hash_collision.assets/hash_table_open_addressing_deletion.png differ
diff --git a/docs-en/chapter_hashing/hash_collision.md b/docs-en/chapter_hashing/hash_collision.md
new file mode 100644
index 000000000..02495c757
--- /dev/null
+++ b/docs-en/chapter_hashing/hash_collision.md
@@ -0,0 +1,108 @@
+# Hash Collision
+
+As mentioned in the previous section, **usually the input space of a hash function is much larger than its output space**, making hash collisions theoretically inevitable. For example, if the input space consists of all integers and the output space is the size of the array capacity, multiple integers will inevitably map to the same bucket index.
+
+Hash collisions can lead to incorrect query results, severely affecting the usability of hash tables. To solve this problem, we expand the hash table whenever a hash collision occurs, until the collision is resolved. This method is simple and effective but inefficient due to the extensive data transfer and hash value computation involved in resizing the hash table. To improve efficiency, we can adopt the following strategies:
+
+1. Improve the data structure of the hash table, **allowing it to function normally in the event of a hash collision**.
+2. Only perform resizing when necessary, i.e., when hash collisions are severe.
+
+There are mainly two methods for improving the structure of hash tables: "Separate Chaining" and "Open Addressing".
+
+## Separate Chaining
+
+In the original hash table, each bucket can store only one key-value pair. "Separate chaining" transforms individual elements into a linked list, with key-value pairs as list nodes, storing all colliding key-value pairs in the same list. The figure below shows an example of a hash table with separate chaining.
+
+![Separate Chaining Hash Table](hash_collision.assets/hash_table_chaining.png)
+
+The operations of a hash table implemented with separate chaining have changed as follows:
+
+- **Querying Elements**: Input `key`, pass through the hash function to obtain the bucket index, access the head node of the list, then traverse the list and compare `key` to find the target key-value pair.
+- **Adding Elements**: First access the list head node via the hash function, then add the node (key-value pair) to the list.
+- **Deleting Elements**: Access the list head based on the hash function's result, then traverse the list to find and remove the target node.
+
+Separate chaining has the following limitations:
+
+- **Increased Space Usage**: The linked list contains node pointers, which consume more memory space than arrays.
+- **Reduced Query Efficiency**: Due to the need for linear traversal of the list to find the corresponding element.
+
+The code below provides a simple implementation of a separate chaining hash table, with two things to note:
+
+- Lists (dynamic arrays) are used instead of linked lists for simplicity. In this setup, the hash table (array) contains multiple buckets, each of which is a list.
+- This implementation includes a method for resizing the hash table. When the load factor exceeds $\frac{2}{3}$, we resize the hash table to twice its original size.
+
+```src
+[file]{hash_map_chaining}-[class]{hash_map_chaining}-[func]{}
+```
+
+It's worth noting that when the list is very long, the query efficiency $O(n)$ is poor. **At this point, the list can be converted to an "AVL tree" or "Red-Black tree"** to optimize the time complexity of the query operation to $O(\log n)$.
+
+## Open Addressing
+
+"Open addressing" does not introduce additional data structures but uses "multiple probes" to handle hash collisions. The probing methods mainly include linear probing, quadratic probing, and double hashing.
+
+Let's use linear probing as an example to introduce the mechanism of open addressing hash tables.
+
+### Linear Probing
+
+Linear probing uses a fixed-step linear search for probing, differing from ordinary hash tables.
+
+- **Inserting Elements**: Calculate the bucket index using the hash function. If the bucket already contains an element, linearly traverse forward from the conflict position (usually with a step size of $1$) until an empty bucket is found, then insert the element.
+- **Searching for Elements**: If a hash collision is found, use the same step size to linearly traverse forward until the corresponding element is found and return `value`; if an empty bucket is encountered, it means the target element is not in the hash table, so return `None`.
+
+The figure below shows the distribution of key-value pairs in an open addressing (linear probing) hash table. According to this hash function, keys with the same last two digits will be mapped to the same bucket. Through linear probing, they are stored consecutively in that bucket and the buckets below it.
+
+![Distribution of Key-Value Pairs in Open Addressing (Linear Probing) Hash Table](hash_collision.assets/hash_table_linear_probing.png)
+
+However, **linear probing tends to create "clustering"**. Specifically, the longer a continuous position in the array is occupied, the more likely these positions are to encounter hash collisions, further promoting the growth of these clusters and eventually leading to deterioration in the efficiency of operations.
+
+It's important to note that **we cannot directly delete elements in an open addressing hash table**. Deleting an element creates an empty bucket `None` in the array. When searching for elements, if linear probing encounters this empty bucket, it will return, making the elements below this bucket inaccessible. The program may incorrectly assume these elements do not exist, as shown in the figure below.
+
+![Query Issues Caused by Deletion in Open Addressing](hash_collision.assets/hash_table_open_addressing_deletion.png)
+
+To solve this problem, we can use a "lazy deletion" mechanism: instead of directly removing elements from the hash table, **use a constant `TOMBSTONE` to mark the bucket**. In this mechanism, both `None` and `TOMBSTONE` represent empty buckets and can hold key-value pairs. However, when linear probing encounters `TOMBSTONE`, it should continue traversing since there may still be key-value pairs below it.
+
+However, **lazy deletion may accelerate the degradation of hash table performance**. Every deletion operation produces a delete mark, and as `TOMBSTONE` increases, so does the search time, as linear probing may have to skip multiple `TOMBSTONE` to find the target element.
+
+Therefore, consider recording the index of the first `TOMBSTONE` encountered during linear probing and swapping the target element found with this `TOMBSTONE`. The advantage of this is that each time a query or addition is performed, the element is moved to a bucket closer to the ideal position (starting point of probing), thereby optimizing the query efficiency.
+
+The code below implements an open addressing (linear probing) hash table with lazy deletion. To make fuller use of the hash table space, we treat the hash table as a "circular array," continuing to traverse from the beginning when the end of the array is passed.
+
+```src
+[file]{hash_map_open_addressing}-[class]{hash_map_open_addressing}-[func]{}
+```
+
+### Quadratic Probing
+
+Quadratic probing is similar to linear probing and is one of the common strategies of open addressing. When a collision occurs, quadratic probing does not simply skip a fixed number of steps but skips "the square of the number of probes," i.e., $1, 4, 9, \dots$ steps.
+
+Quadratic probing has the following advantages:
+
+- Quadratic probing attempts to alleviate the clustering effect of linear probing by skipping the distance of the square of the number of probes.
+- Quadratic probing skips larger distances to find empty positions, helping to distribute data more evenly.
+
+However, quadratic probing is not perfect:
+
+- Clustering still exists, i.e., some positions are more likely to be occupied than others.
+- Due to the growth of squares, quadratic probing may not probe the entire hash table, meaning it might not access empty buckets even if they exist in the hash table.
+
+### Double Hashing
+
+As the name suggests, the double hashing method uses multiple hash functions $f_1(x)$, $f_2(x)$, $f_3(x)$, $\dots$ for probing.
+
+- **Inserting Elements**: If hash function $f_1(x)$ encounters a conflict, try $f_2(x)$, and so on, until an empty position is found and the element is inserted.
+- **Searching for Elements**: Search in the same order of hash functions until the target element is found and returned; if an empty position is encountered or all hash functions have been tried, it indicates the element is not in the hash table, then return `None`.
+
+Compared to linear probing, double hashing is less prone to clustering but involves additional computation for multiple hash functions.
+
+!!! tip
+
+ Please note that open addressing (linear probing, quadratic probing, and double hashing) hash tables all have the issue of "not being able to directly delete elements."
+
+## Choice of Programming Languages
+
+Various programming languages have adopted different hash table implementation strategies, here are a few examples:
+
+- Python uses open addressing. The `dict` dictionary uses pseudo-random numbers for probing.
+- Java uses separate chaining. Since JDK 1.8, when the array length in `HashMap` reaches 64 and the length of a linked list reaches 8, the linked list is converted to a red-black tree to improve search performance.
+- Go uses separate chaining. Go stipulates that each bucket can store up to 8 key-value pairs, and if the capacity is exceeded, an overflow bucket is connected; when there are too many overflow buckets, a special equal-size expansion operation is performed to ensure performance.
diff --git a/docs-en/chapter_hashing/hash_map.assets/hash_collision.png b/docs-en/chapter_hashing/hash_map.assets/hash_collision.png
new file mode 100644
index 000000000..45f42fc2a
Binary files /dev/null and b/docs-en/chapter_hashing/hash_map.assets/hash_collision.png differ
diff --git a/docs-en/chapter_hashing/hash_map.assets/hash_function.png b/docs-en/chapter_hashing/hash_map.assets/hash_function.png
new file mode 100644
index 000000000..d89389c21
Binary files /dev/null and b/docs-en/chapter_hashing/hash_map.assets/hash_function.png differ
diff --git a/docs-en/chapter_hashing/hash_map.assets/hash_table_lookup.png b/docs-en/chapter_hashing/hash_map.assets/hash_table_lookup.png
new file mode 100644
index 000000000..3df38c8b1
Binary files /dev/null and b/docs-en/chapter_hashing/hash_map.assets/hash_table_lookup.png differ
diff --git a/docs-en/chapter_hashing/hash_map.assets/hash_table_reshash.png b/docs-en/chapter_hashing/hash_map.assets/hash_table_reshash.png
new file mode 100644
index 000000000..c00f1c20e
Binary files /dev/null and b/docs-en/chapter_hashing/hash_map.assets/hash_table_reshash.png differ
diff --git a/docs-en/chapter_hashing/hash_map.md b/docs-en/chapter_hashing/hash_map.md
new file mode 100755
index 000000000..6a7e47722
--- /dev/null
+++ b/docs-en/chapter_hashing/hash_map.md
@@ -0,0 +1,525 @@
+# Hash Table
+
+A "hash table", also known as a "hash map", achieves efficient element querying by establishing a mapping between keys and values. Specifically, when we input a `key` into the hash table, we can retrieve the corresponding `value` in $O(1)$ time.
+
+As shown in the figure below, given $n$ students, each with two pieces of data: "name" and "student number". If we want to implement a query feature that returns the corresponding name when given a student number, we can use the hash table shown in the figure below.
+
+![Abstract representation of a hash table](hash_map.assets/hash_table_lookup.png)
+
+Apart from hash tables, arrays and linked lists can also be used to implement querying functions. Their efficiency is compared in the table below.
+
+- **Adding Elements**: Simply add the element to the end of the array (or linked list), using $O(1)$ time.
+- **Querying Elements**: Since the array (or linked list) is unordered, it requires traversing all the elements, using $O(n)$ time.
+- **Deleting Elements**: First, locate the element, then delete it from the array (or linked list), using $O(n)$ time.
+
+ Table Comparison of Element Query Efficiency
+
+| | Array | Linked List | Hash Table |
+| -------------- | ------ | ----------- | ---------- |
+| Find Element | $O(n)$ | $O(n)$ | $O(1)$ |
+| Add Element | $O(1)$ | $O(1)$ | $O(1)$ |
+| Delete Element | $O(n)$ | $O(n)$ | $O(1)$ |
+
+Observations reveal that **the time complexity for adding, deleting, and querying in a hash table is $O(1)$**, which is highly efficient.
+
+## Common Operations of Hash Table
+
+Common operations of a hash table include initialization, querying, adding key-value pairs, and deleting key-value pairs, etc. Example code is as follows:
+
+=== "Python"
+
+ ```python title="hash_map.py"
+ # Initialize hash table
+ hmap: dict = {}
+
+ # Add operation
+ # Add key-value pair (key, value) to the hash table
+ hmap[12836] = "Xiao Ha"
+ hmap[15937] = "Xiao Luo"
+ hmap[16750] = "Xiao Suan"
+ hmap[13276] = "Xiao Fa"
+ hmap[10583] = "Xiao Ya"
+
+ # Query operation
+ # Input key into hash table, get value
+ name: str = hmap[15937]
+
+ # Delete operation
+ # Delete key-value pair (key, value) from hash table
+ hmap.pop(10583)
+ ```
+
+=== "C++"
+
+ ```cpp title="hash_map.cpp"
+ /* Initialize hash table */
+ unordered_map map;
+
+ /* Add operation */
+ // Add key-value pair (key, value) to the hash table
+ map[12836] = "Xiao Ha";
+ map[15937] = "Xiao Luo";
+ map[16750] = "Xiao Suan";
+ map[13276] = "Xiao Fa";
+ map[10583] = "Xiao Ya";
+
+ /* Query operation */
+ // Input key into hash table, get value
+ string name = map[15937];
+
+ /* Delete operation */
+ // Delete key-value pair (key, value) from hash table
+ map.erase(10583);
+ ```
+
+=== "Java"
+
+ ```java title="hash_map.java"
+ /* Initialize hash table */
+ Map map = new HashMap<>();
+
+ /* Add operation */
+ // Add key-value pair (key, value) to the hash table
+ map.put(12836, "Xiao Ha");
+ map.put(15937, "Xiao Luo");
+ map.put(16750, "Xiao Suan");
+ map.put(13276, "Xiao Fa");
+ map.put(10583, "Xiao Ya");
+
+ /* Query operation */
+ // Input key into hash table, get value
+ String name = map.get(15937);
+
+ /* Delete operation */
+ // Delete key-value pair (key, value) from hash table
+ map.remove(10583);
+ ```
+
+=== "C#"
+
+ ```csharp title="hash_map.cs"
+ /* Initialize hash table */
+ Dictionary map = new() {
+ /* Add operation */
+ // Add key-value pair (key, value) to the hash table
+ { 12836, "Xiao Ha" },
+ { 15937, "Xiao Luo" },
+ { 16750, "Xiao Suan" },
+ { 13276, "Xiao Fa" },
+ { 10583, "Xiao Ya" }
+ };
+
+ /* Query operation */
+ // Input key into hash table, get value
+ string name = map[15937];
+
+ /* Delete operation */
+ // Delete key-value pair (key, value) from hash table
+ map.Remove(10583);
+ ```
+
+=== "Go"
+
+ ```go title="hash_map_test.go"
+ /* Initialize hash table */
+ hmap := make(map[int]string)
+
+ /* Add operation */
+ // Add key-value pair (key, value) to the hash table
+ hmap[12836] = "Xiao Ha"
+ hmap[15937] = "Xiao Luo"
+ hmap[16750] = "Xiao Suan"
+ hmap[13276] = "Xiao Fa"
+ hmap[10583] = "Xiao Ya"
+
+ /* Query operation */
+ // Input key into hash table, get value
+ name := hmap[15937]
+
+ /* Delete operation */
+ // Delete key-value pair (key, value) from hash table
+ delete(hmap, 10583)
+ ```
+
+=== "Swift"
+
+ ```swift title="hash_map.swift"
+ /* Initialize hash table */
+ var map: [Int: String] = [:]
+
+ /* Add operation */
+ // Add key-value pair (key, value) to the hash table
+ map[12836] = "Xiao Ha"
+ map[15937] = "Xiao Luo"
+ map[16750] = "Xiao Suan"
+ map[13276] = "Xiao Fa"
+ map[10583] = "Xiao Ya"
+
+ /* Query operation */
+ // Input key into hash table, get value
+ let name = map[15937]!
+
+ /* Delete operation */
+ // Delete key-value pair (key, value) from hash table
+ map.removeValue(forKey: 10583)
+ ```
+
+=== "JS"
+
+ ```javascript title="hash_map.js"
+ /* Initialize hash table */
+ const map = new Map();
+ /* Add operation */
+ // Add key-value pair (key, value) to the hash table
+ map.set(12836, 'Xiao Ha');
+ map.set(15937, 'Xiao Luo');
+ map.set(16750, 'Xiao Suan');
+ map.set(13276, 'Xiao Fa');
+ map.set(10583, 'Xiao Ya');
+
+ /* Query operation */
+ // Input key into hash table, get value
+ let name = map.get(15937);
+
+ /* Delete operation */
+ // Delete key-value pair (key, value) from hash table
+ map.delete(10583);
+ ```
+
+=== "TS"
+
+ ```typescript title="hash_map.ts"
+ /* Initialize hash table */
+ const map = new Map();
+ /* Add operation */
+ // Add key-value pair (key, value) to the hash table
+ map.set(12836, 'Xiao Ha');
+ map.set(15937, 'Xiao Luo');
+ map.set(16750, 'Xiao Suan');
+ map.set(13276, 'Xiao Fa');
+ map.set(10583, 'Xiao Ya');
+ console.info('\nAfter adding, the hash table is\nKey -> Value');
+ console.info(map);
+
+ /* Query operation */
+ // Input key into hash table, get value
+ let name = map.get(15937);
+ console.info('\nInput student number 15937, query name ' + name);
+
+ /* Delete operation */
+ // Delete key-value pair (key, value) from hash table
+ map.delete(10583);
+ console.info('\nAfter deleting 10583, the hash table is\nKey -> Value');
+ console.info(map);
+ ```
+
+=== "Dart"
+
+ ```dart title="hash_map.dart"
+ /* Initialize hash table */
+ Map map = {};
+
+ /* Add operation */
+ // Add key-value pair (key, value) to the hash table
+ map[12836] = "Xiao Ha";
+ map[15937] = "Xiao Luo";
+ map[16750] = "Xiao Suan";
+ map[13276] = "Xiao Fa";
+ map[10583] = "Xiao Ya";
+
+ /* Query operation */
+ // Input key into hash table, get value
+ String name = map[15937];
+
+ /* Delete operation */
+ // Delete key-value pair (key, value) from hash table
+ map.remove(10583);
+ ```
+
+=== "Rust"
+
+ ```rust title="hash_map.rs"
+ use std::collections::HashMap;
+
+ /* Initialize hash table */
+ let mut map: HashMap = HashMap::new();
+
+ /* Add operation */
+ // Add key-value pair (key, value) to the hash table
+ map.insert(12836, "Xiao Ha".to_string());
+ map.insert(15937, "Xiao Luo".to_string());
+ map.insert(16750, "Xiao Suan".to_string());
+ map.insert(13279, "Xiao Fa".to_string());
+ map.insert(10583, "Xiao Ya".to_string());
+
+ /* Query operation */
+ // Input key into hash table, get value
+ let _name: Option<&String> = map.get(&15937);
+
+ /* Delete operation */
+ // Delete key-value pair (key, value) from hash table
+ let _removed_value: Option = map.remove(&10583);
+ ```
+
+=== "C"
+
+ ```c title="hash_map.c"
+ // C does not provide a built-in hash table
+ ```
+
+=== "Zig"
+
+ ```zig title="hash_map.zig"
+
+ ```
+
+??? pythontutor "Code Visualization"
+
+ https://pythontutor.com/render.html#code=%22%22%22Driver%20Code%22%22%22%0Aif%20__name__%20%3D%3D%20%22__main__%22%3A%0A%20%20%20%20%23%20%E5%88%9D%E5%A7%8B%E5%8C%96%E5%93%88%E5%B8%8C%E8%A1%A8%0A%20%20%20%20hmap%20%3D%20%7B%7D%0A%20%20%20%20%0A%20%20%20%20%23%20%E6%B7%BB%E5%8A%A0%E6%93%8D%E4%BD%9C%0A%20%20%20%20%23%20%E5%9C%A8%E5%93%88%E5%B8%8C%E8%A1%A8%E4%B8%AD%E6%B7%BB%E5%8A%A0%E9%94%AE%E5%80%BC%E5%AF%B9%20%28key,%20value%29%0A%20%20%20%20hmap%5B12836%5D%20%3D%20%22%E5%B0%8F%E5%93%88%22%0A%20%20%20%20hmap%5B15937%5D%20%3D%20%22%E5%B0%8F%E5%95%B0%22%0A%20%20%20%20hmap%5B16750%5D%20%3D%20%22%E5%B0%8F%E7%AE%97%22%0A%20%20%20%20hmap%5B13276%5D%20%3D%20%22%E5%B0%8F%E6%B3%95%22%0A%20%20%20%20hmap%5B10583%5D%20%3D%20%22%E5%B0%8F%E9%B8%AD%22%0A%20%20%20%20%0A%20%20%20%20%23%20%E6%9F%A5%E8%AF%A2%E6%93%8D%E4%BD%9C%0A%20%20%20%20%23%20%E5%90%91%E5%93%88%E5%B8%8C%E8%A1%A8%E4%B8%AD%E8%BE%93%E5%85%A5%E9%94%AE%20key%20%EF%BC%8C%E5%BE%97%E5%88%B0%E5%80%BC%20value%0A%20%20%20%20name%20%3D%20hmap%5B15937%5D%0A%20%20%20%20%0A%20%20%20%20%23%20%E5%88%A0%E9%99%A4%E6%93%8D%E4%BD%9C%0A%20%20%20%20%23%20%E5%9C%A8%E5%93%88%E5%B8%8C%E8%A1%A8%E4%B8%AD%E5%88%A0%E9%99%A4%E9%94%AE%E5%80%BC%E5%AF%B9%20%28key,%20value%29%0A%20%20%20%20hmap.pop%2810583%29&cumulative=false&curInstr=2&heapPrimitives=nevernest&mode=display&origin=opt-frontend.js&py=311&rawInputLstJSON=%5B%5D&textReferences=false
+
+There are three common ways to traverse a hash table: traversing key-value pairs, keys, and values. Example code is as follows:
+
+=== "Python"
+
+ ```python title="hash_map.py"
+ # Traverse hash table
+ # Traverse key-value pairs key->value
+ for key, value in hmap.items():
+ print(key, "->", value)
+ # Traverse keys only
+ for key in hmap.keys():
+ print(key)
+ # Traverse values only
+ for value in hmap.values():
+ print(value)
+ ```
+
+=== "C++"
+
+ ```cpp title="hash_map.cpp"
+ /* Traverse hash table */
+ // Traverse key-value pairs key->value
+ for (auto kv: map) {
+ cout << kv.first << " -> " << kv.second << endl;
+ }
+ // Traverse using iterator key->value
+ for (auto iter = map.begin(); iter != map.end(); iter++) {
+ cout << iter->first << "->" << iter->second << endl;
+ }
+ ```
+
+=== "Java"
+
+ ```java title="hash_map.java"
+ /* Traverse hash table */
+ // Traverse key-value pairs key->value
+ for (Map.Entry kv: map.entrySet()) {
+ System.out.println(kv.getKey() + " -> " + kv.getValue());
+ }
+ // Traverse keys only
+ for (int key: map.keySet()) {
+ System.out.println(key);
+ }
+ // Traverse values only
+ for (String val: map.values()) {
+ System.out.println(val);
+ }
+ ```
+
+=== "C#"
+
+ ```csharp title="hash_map.cs"
+ /* Traverse hash table */
+ // Traverse key-value pairs Key->Value
+ foreach (var kv in map) {
+ Console.WriteLine(kv.Key + " -> " + kv.Value);
+ }
+ // Traverse keys only
+ foreach (int key in map.Keys) {
+ Console.WriteLine(key);
+ }
+ // Traverse values only
+ foreach (string val in map.Values) {
+ Console.WriteLine(val);
+ }
+ ```
+
+=== "Go"
+
+ ```go title="hash_map_test.go"
+ /* Traverse hash table */
+ // Traverse key-value pairs key->value
+ for key, value := range hmap {
+ fmt.Println(key, "->", value)
+ }
+ // Traverse keys only
+ for key := range hmap {
+ fmt.Println(key)
+ }
+ // Traverse values only
+ for _, value := range hmap {
+ fmt.Println(value)
+ }
+ ```
+
+=== "Swift"
+
+ ```swift title="hash_map.swift"
+ /* Traverse hash table */
+ // Traverse key-value pairs Key->Value
+ for (key, value) in map {
+ print("\(key) -> \(value)")
+ }
+ // Traverse keys only
+ for key in map.keys {
+ print(key)
+ }
+ // Traverse values only
+ for value in map.values {
+ print(value)
+ }
+ ```
+
+=== "JS"
+
+ ```javascript title="hash_map.js"
+ /* Traverse hash table */
+ console.info('\nTraverse key-value pairs Key->Value');
+ for (const [k, v] of map.entries()) {
+ console.info(k + ' -> ' + v);
+ }
+ console.info('\nTraverse keys only Key');
+ for (const k of map.keys()) {
+ console.info(k);
+ }
+ console.info('\nTraverse values only Value');
+ for (const v of map.values()) {
+ console.info(v);
+ }
+ ```
+
+=== "TS"
+
+ ```typescript title="hash_map.ts"
+ /* Traverse hash table */
+ console.info('\nTraverse key-value pairs Key->Value');
+ for (const [k, v] of map.entries()) {
+ console.info(k + ' -> ' + v);
+ }
+ console.info('\nTraverse keys only Key');
+ for (const k of map.keys()) {
+ console.info(k);
+ }
+ console.info('\nTraverse values only Value');
+ for (const v of map.values()) {
+ console.info(v);
+ }
+ ```
+
+=== "Dart"
+
+ ```dart title="hash_map.dart"
+ /* Traverse hash table */
+ // Traverse key-value pairs Key->Value
+ map.forEach((key, value) {
+ print('$key -> $value');
+ });
+
+ // Traverse keys only Key
+ map.keys.forEach((key) {
+ print(key);
+ });
+
+ // Traverse values only Value
+ map.values.forEach((value) {
+ print(value);
+ });
+ ```
+
+=== "Rust"
+
+ ```rust title="hash_map.rs"
+ /* Traverse hash table */
+ // Traverse key-value pairs Key->Value
+ for (key, value) in &map {
+ println!("{key} -> {value}");
+ }
+
+ // Traverse keys only Key
+ for key in map.keys() {
+ println!("{key}");
+ }
+
+ // Traverse values only Value
+ for value in map.values() {
+ println!("{value}");
+ }
+ ```
+
+=== "C"
+
+ ```c title="hash_map.c"
+ // C does not provide a built-in hash table
+ ```
+
+=== "Zig"
+
+ ```zig title="hash_map.zig"
+ // Zig example is not provided
+ ```
+
+??? pythontutor "Code Visualization"
+
+ https://pythontutor.com/render.html#code=%22%22%22Driver%20Code%22%22%22%0Aif%20__name__%20%3D%3D%20%22__main__%22%3A%0A%20%20%20%20%23%20%E5%88%9D%E5%A7%8B%E5%8C%96%E5%93%88%E5%B8%8C%E8%A1%A8%0A%20%20%20%20hmap%20%3D%20%7B%7D%0A%20%20%20%20%0A%20%20%20%20%23%20%E6%B7%BB%E5%8A%A0%E6%93%8D%E4%BD%9C%0A%20%20%20%20%23%20%E5%9C%A8%E5%93%88%E5%B8%8C%E8%A1%A8%E4%B8%AD%E6%B7%BB%E5%8A%A0%E9%94%AE%E5%80%BC%E5%AF%B9%20%28key,%20value%29%0A%20%20%20%20hmap%5B12836%5D%20%3D%20%22%E5%B0%8F%E5%93%88%22%0A%20%20%20%20hmap%5B15937%5D%20%3D%20%22%E5%B0%8F%E5%95%B0%22%0A%20%20%20%20hmap%5B16750%5D%20%3D%20%22%E5%B0%8F%E7%AE%97%22%0A%20%20%20%20hmap%5B13276%5D%20%3D%20%22%E5%B0%8F%E6%B3%95%22%0A%20%20%20%20hmap%5B10583%5D%20%3D%20%22%E5%B0%8F%E9%B8%AD%22%0A%20%20%20%20%0A%20%20%20%20%23%20%E9%81%8D%E5%8E%86%E5%93%88%E5%B8%8C%E8%A1%A8%0A%20%20%20%20%23%20%E9%81%8D%E5%8E%86%E9%94%AE%E5%80%BC%E5%AF%B9%20key-%3Evalue%0A%20%20%20%20for%20key,%20value%20in%20hmap.items%28%29%3A%0A%20%20%20%20%20%20%20%20print%28key,%20%22-%3E%22,%20value%29%0A%20%20%20%20%23%20%E5%8D%95%E7%8B%AC%E9%81%8D%E5%8E%86%E9%94%AE%20key%0A%20%20%20%20for%20key%20in%20hmap.keys%28%29%3A%0A%20%20%20%20%20%20%20%20print%28key%29%0A%20%20%20%20%23%20%E5%8D%95%E7%8B%AC%E9%81%8D%E5%8E%86%E5%80%BC%20value%0A%20%20%20%20for%20value%20in%20hmap.values%28%29%3A%0A%20%20%20%20%20%20%20%20print%28value%29&cumulative=false&curInstr=8&heapPrimitives=nevernest&mode=display&origin=opt-frontend.js&py=311&rawInputLstJSON=%5B%5D&textReferences=false
+
+## Simple Implementation of Hash Table
+
+First, let's consider the simplest case: **implementing a hash table using just an array**. In the hash table, each empty slot in the array is called a "bucket", and each bucket can store one key-value pair. Therefore, the query operation involves finding the bucket corresponding to the `key` and retrieving the `value` from it.
+
+So, how do we locate the appropriate bucket based on the `key`? This is achieved through a "hash function". The role of the hash function is to map a larger input space to a smaller output space. In a hash table, the input space is all possible keys, and the output space is all buckets (array indices). In other words, input a `key`, **and we can use the hash function to determine the storage location of the corresponding key-value pair in the array**.
+
+The calculation process of the hash function for a given `key` is divided into the following two steps:
+
+1. Calculate the hash value using a certain hash algorithm `hash()`.
+2. Take the modulus of the hash value with the number of buckets (array length) `capacity` to obtain the array index `index`.
+
+```shell
+index = hash(key) % capacity
+```
+
+Afterward, we can use `index` to access the corresponding bucket in the hash table and thereby retrieve the `value`.
+
+Assuming array length `capacity = 100` and hash algorithm `hash(key) = key`, the hash function is `key % 100`. The figure below uses `key` as the student number and `value` as the name to demonstrate the working principle of the hash function.
+
+![Working principle of hash function](hash_map.assets/hash_function.png)
+
+The following code implements a simple hash table. Here, we encapsulate `key` and `value` into a class `Pair` to represent the key-value pair.
+
+```src
+[file]{array_hash_map}-[class]{array_hash_map}-[func]{}
+```
+
+## Hash Collision and Resizing
+
+Fundamentally, the role of the hash function is to map the entire input space of all keys to the output space of all array indices. However, the input space is often much larger than the output space. Therefore, **theoretically, there must be situations where "multiple inputs correspond to the same output"**.
+
+For the hash function in the above example, if the last two digits of the input `key` are the same, the output of the hash function will also be the same. For example, when querying for students with student numbers 12836 and 20336, we find:
+
+```shell
+12836 % 100 = 36
+20336 % 100 = 36
+```
+
+As shown in the figure below, both student numbers point to the same name, which is obviously incorrect. This situation where multiple inputs correspond to the same output is known as "hash collision".
+
+![Example of hash collision](hash_map.assets/hash_collision.png)
+
+It is easy to understand that the larger the capacity $n$ of the hash table, the lower the probability of multiple keys being allocated to the same bucket, and the fewer the collisions. Therefore, **expanding the capacity of the hash table can reduce hash collisions**.
+
+As shown in the figure below, before expansion, key-value pairs `(136, A)` and `(236, D)` collided; after expansion, the collision is resolved.
+
+![Hash table expansion](hash_map.assets/hash_table_reshash.png)
+
+Similar to array expansion, resizing a hash table requires migrating all key-value pairs from the original hash table to the new one, which is time-consuming. Furthermore, since the capacity `capacity` of the hash table changes, we need to recalculate the storage positions of all key-value pairs using the hash function, which adds to the computational overhead of the resizing process. Therefore, programming languages often reserve a sufficiently large capacity for the hash table to prevent frequent resizing.
+
+The "load factor" is an important concept for hash tables. It is defined as the ratio of the number of elements in the hash table to the number of buckets. It is used to measure the severity of hash collisions and **is often used as a trigger for resizing the hash table**. For example, in Java, when the load factor exceeds $0.75$, the system will resize the hash table to twice its original size.
diff --git a/docs-en/chapter_hashing/index.md b/docs-en/chapter_hashing/index.md
new file mode 100644
index 000000000..c65d9495d
--- /dev/null
+++ b/docs-en/chapter_hashing/index.md
@@ -0,0 +1,13 @@
+# Hash Table
+
+
+
+![Hash Table](../assets/covers/chapter_hashing.jpg)
+
+
+
+!!! abstract
+
+ In the world of computing, a hash table is like a wise librarian.
+
+ He knows how to calculate index numbers, allowing it to quickly locate the target book.
diff --git a/docs-en/chapter_hashing/summary.md b/docs-en/chapter_hashing/summary.md
new file mode 100644
index 000000000..fae506e09
--- /dev/null
+++ b/docs-en/chapter_hashing/summary.md
@@ -0,0 +1,47 @@
+# Summary
+
+### Key Review
+
+- Given an input `key`, a hash table can retrieve the corresponding `value` in $O(1)$ time, which is highly efficient.
+- Common hash table operations include querying, adding key-value pairs, deleting key-value pairs, and traversing the hash table.
+- The hash function maps a `key` to an array index, allowing access to the corresponding bucket to retrieve the `value`.
+- Two different keys may end up with the same array index after hashing, leading to erroneous query results. This phenomenon is known as hash collision.
+- The larger the capacity of the hash table, the lower the probability of hash collisions. Therefore, hash table resizing can mitigate hash collisions. Similar to array resizing, hash table resizing is costly.
+- Load factor, defined as the ratio of the number of elements to the number of buckets in the hash table, reflects the severity of hash collisions and is often used as a trigger for resizing the hash table.
+- Chaining addresses hash collisions by converting each element into a linked list, storing all colliding elements in the same list. However, excessively long lists can reduce query efficiency, which can be improved by converting the lists into red-black trees.
+- Open addressing handles hash collisions through multiple probes. Linear probing uses a fixed step size but cannot delete elements and is prone to clustering. Multiple hashing uses several hash functions for probing, making it less susceptible to clustering but increasing computational load.
+- Different programming languages adopt various hash table implementations. For example, Java's `HashMap` uses chaining, while Python's `dict` employs open addressing.
+- In hash tables, we desire hash algorithms with determinism, high efficiency, and uniform distribution. In cryptography, hash algorithms should also possess collision resistance and the avalanche effect.
+- Hash algorithms typically use large prime numbers as moduli to ensure uniform distribution of hash values and reduce hash collisions.
+- Common hash algorithms include MD5, SHA-1, SHA-2, and SHA-3. MD5 is often used for file integrity checks, while SHA-2 is commonly used in secure applications and protocols.
+- Programming languages usually provide built-in hash algorithms for data types to calculate bucket indices in hash tables. Generally, only immutable objects are hashable.
+
+### Q & A
+
+**Q**: When does the time complexity of a hash table degrade to $O(n)$?
+
+The time complexity of a hash table can degrade to $O(n)$ when hash collisions are severe. When the hash function is well-designed, the capacity is set appropriately, and collisions are evenly distributed, the time complexity is $O(1)$. We usually consider the time complexity to be $O(1)$ when using built-in hash tables in programming languages.
+
+**Q**: Why not use the hash function $f(x) = x$? This would eliminate collisions.
+
+Under the hash function $f(x) = x$, each element corresponds to a unique bucket index, which is equivalent to an array. However, the input space is usually much larger than the output space (array length), so the last step of a hash function is often to take the modulo of the array length. In other words, the goal of a hash table is to map a larger state space to a smaller one while providing $O(1)$ query efficiency.
+
+**Q**: Why can hash tables be more efficient than arrays, linked lists, or binary trees, even though they are implemented using these structures?
+
+Firstly, hash tables have higher time efficiency but lower space efficiency. A significant portion of memory in hash tables remains unused.
+
+Secondly, they are only more efficient in specific use cases. If a feature can be implemented with the same time complexity using an array or a linked list, it's usually faster than using a hash table. This is because the computation of the hash function incurs overhead, making the constant factor in the time complexity larger.
+
+Lastly, the time complexity of hash tables can degrade. For example, in chaining, we perform search operations in a linked list or red-black tree, which still risks degrading to $O(n)$ time.
+
+**Q**: Does multiple hashing also have the flaw of not being able to delete elements directly? Can space marked as deleted be reused?
+
+Multiple hashing is a form of open addressing, and all open addressing methods have the drawback of not being able to delete elements directly; they require marking elements as deleted. Marked spaces can be reused. When inserting new elements into the hash table, and the hash function points to a position marked as deleted, that position can be used by the new element. This maintains the probing sequence of the hash table while ensuring efficient use of space.
+
+**Q**: Why do hash collisions occur during the search process in linear probing?
+
+During the search process, the hash function points to the corresponding bucket and key-value pair. If the `key` doesn't match, it indicates a hash collision. Therefore, linear probing will search downwards at a predetermined step size until the correct key-value pair is found or the search fails.
+
+**Q**: Why can resizing a hash table alleviate hash collisions?
+
+The last step of a hash function often involves taking the modulo of the array length $n$, to keep the output within the array index range. When resizing, the array length $n$ changes, and the indices corresponding to the keys may also change. Keys that were previously mapped to the same bucket might be distributed across multiple buckets after resizing, thereby mitigating hash collisions.
diff --git a/docs-en/chapter_stack_and_queue/deque.md b/docs-en/chapter_stack_and_queue/deque.md
index ec9d0eb0b..367a0d586 100644
--- a/docs-en/chapter_stack_and_queue/deque.md
+++ b/docs-en/chapter_stack_and_queue/deque.md
@@ -330,7 +330,7 @@ Similarly, we can directly use the double-ended queue classes implemented in pro
```
-??? pythontutor "Visualizing Code"
+??? pythontutor "Code Visualization"
https://pythontutor.com/render.html#code=from%20collections%20import%20deque%0A%0A%22%22%22Driver%20Code%22%22%22%0Aif%20__name__%20%3D%3D%20%22__main__%22%3A%0A%20%20%20%20%23%20%E5%88%9D%E5%A7%8B%E5%8C%96%E5%8F%8C%E5%90%91%E9%98%9F%E5%88%97%0A%20%20%20%20deq%20%3D%20deque%28%29%0A%0A%20%20%20%20%23%20%E5%85%83%E7%B4%A0%E5%85%A5%E9%98%9F%0A%20%20%20%20deq.append%282%29%20%20%23%20%E6%B7%BB%E5%8A%A0%E8%87%B3%E9%98%9F%E5%B0%BE%0A%20%20%20%20deq.append%285%29%0A%20%20%20%20deq.append%284%29%0A%20%20%20%20deq.appendleft%283%29%20%20%23%20%E6%B7%BB%E5%8A%A0%E8%87%B3%E9%98%9F%E9%A6%96%0A%20%20%20%20deq.appendleft%281%29%0A%20%20%20%20print%28%22%E5%8F%8C%E5%90%91%E9%98%9F%E5%88%97%20deque%20%3D%22,%20deq%29%0A%0A%20%20%20%20%23%20%E8%AE%BF%E9%97%AE%E5%85%83%E7%B4%A0%0A%20%20%20%20front%20%3D%20deq%5B0%5D%20%20%23%20%E9%98%9F%E9%A6%96%E5%85%83%E7%B4%A0%0A%20%20%20%20print%28%22%E9%98%9F%E9%A6%96%E5%85%83%E7%B4%A0%20front%20%3D%22,%20front%29%0A%20%20%20%20rear%20%3D%20deq%5B-1%5D%20%20%23%20%E9%98%9F%E5%B0%BE%E5%85%83%E7%B4%A0%0A%20%20%20%20print%28%22%E9%98%9F%E5%B0%BE%E5%85%83%E7%B4%A0%20rear%20%3D%22,%20rear%29%0A%0A%20%20%20%20%23%20%E5%85%83%E7%B4%A0%E5%87%BA%E9%98%9F%0A%20%20%20%20pop_front%20%3D%20deq.popleft%28%29%20%20%23%20%E9%98%9F%E9%A6%96%E5%85%83%E7%B4%A0%E5%87%BA%E9%98%9F%0A%20%20%20%20print%28%22%E9%98%9F%E9%A6%96%E5%87%BA%E9%98%9F%E5%85%83%E7%B4%A0%20%20pop_front%20%3D%22,%20pop_front%29%0A%20%20%20%20print%28%22%E9%98%9F%E9%A6%96%E5%87%BA%E9%98%9F%E5%90%8E%20deque%20%3D%22,%20deq%29%0A%20%20%20%20pop_rear%20%3D%20deq.pop%28%29%20%20%23%20%E9%98%9F%E5%B0%BE%E5%85%83%E7%B4%A0%E5%87%BA%E9%98%9F%0A%20%20%20%20print%28%22%E9%98%9F%E5%B0%BE%E5%87%BA%E9%98%9F%E5%85%83%E7%B4%A0%20%20pop_rear%20%3D%22,%20pop_rear%29%0A%20%20%20%20print%28%22%E9%98%9F%E5%B0%BE%E5%87%BA%E9%98%9F%E5%90%8E%20deque%20%3D%22,%20deq%29%0A%0A%20%20%20%20%23%20%E8%8E%B7%E5%8F%96%E5%8F%8C%E5%90%91%E9%98%9F%E5%88%97%E7%9A%84%E9%95%BF%E5%BA%A6%0A%20%20%20%20size%20%3D%20len%28deq%29%0A%20%20%20%20print%28%22%E5%8F%8C%E5%90%91%E9%98%9F%E5%88%97%E9%95%BF%E5%BA%A6%20size%20%3D%22,%20size%29%0A%0A%20%20%20%20%23%20%E5%88%A4%E6%96%AD%E5%8F%8C%E5%90%91%E9%98%9F%E5%88%97%E6%98%AF%E5%90%A6%E4%B8%BA%E7%A9%BA%0A%20%20%20%20is_empty%20%3D%20len%28deq%29%20%3D%3D%200%0A%20%20%20%20print%28%22%E5%8F%8C%E5%90%91%E9%98%9F%E5%88%97%E6%98%AF%E5%90%A6%E4%B8%BA%E7%A9%BA%20%3D%22,%20is_empty%29&cumulative=false&curInstr=3&heapPrimitives=nevernest&mode=display&origin=opt-frontend.js&py=311&rawInputLstJSON=%5B%5D&textReferences=false
diff --git a/docs-en/chapter_stack_and_queue/queue.md b/docs-en/chapter_stack_and_queue/queue.md
index c41d0d2b0..c0dcb90ae 100755
--- a/docs-en/chapter_stack_and_queue/queue.md
+++ b/docs-en/chapter_stack_and_queue/queue.md
@@ -308,7 +308,7 @@ We can directly use the ready-made queue classes in programming languages:
```
-??? pythontutor "Visualizing Code"
+??? pythontutor "Code Visualization"
https://pythontutor.com/render.html#code=from%20collections%20import%20deque%0A%0A%22%22%22Driver%20Code%22%22%22%0Aif%20__name__%20%3D%3D%20%22__main__%22%3A%0A%20%20%20%20%23%20%E5%88%9D%E5%A7%8B%E5%8C%96%E9%98%9F%E5%88%97%0A%20%20%20%20%23%20%E5%9C%A8%20Python%20%E4%B8%AD%EF%BC%8C%E6%88%91%E4%BB%AC%E4%B8%80%E8%88%AC%E5%B0%86%E5%8F%8C%E5%90%91%E9%98%9F%E5%88%97%E7%B1%BB%20deque%20%E7%9C%8B%E4%BD%9C%E9%98%9F%E5%88%97%E4%BD%BF%E7%94%A8%0A%20%20%20%20%23%20%E8%99%BD%E7%84%B6%20queue.Queue%28%29%20%E6%98%AF%E7%BA%AF%E6%AD%A3%E7%9A%84%E9%98%9F%E5%88%97%E7%B1%BB%EF%BC%8C%E4%BD%86%E4%B8%8D%E5%A4%AA%E5%A5%BD%E7%94%A8%0A%20%20%20%20que%20%3D%20deque%28%29%0A%0A%20%20%20%20%23%20%E5%85%83%E7%B4%A0%E5%85%A5%E9%98%9F%0A%20%20%20%20que.append%281%29%0A%20%20%20%20que.append%283%29%0A%20%20%20%20que.append%282%29%0A%20%20%20%20que.append%285%29%0A%20%20%20%20que.append%284%29%0A%20%20%20%20print%28%22%E9%98%9F%E5%88%97%20que%20%3D%22,%20que%29%0A%0A%20%20%20%20%23%20%E8%AE%BF%E9%97%AE%E9%98%9F%E9%A6%96%E5%85%83%E7%B4%A0%0A%20%20%20%20front%20%3D%20que%5B0%5D%0A%20%20%20%20print%28%22%E9%98%9F%E9%A6%96%E5%85%83%E7%B4%A0%20front%20%3D%22,%20front%29%0A%0A%20%20%20%20%23%20%E5%85%83%E7%B4%A0%E5%87%BA%E9%98%9F%0A%20%20%20%20pop%20%3D%20que.popleft%28%29%0A%20%20%20%20print%28%22%E5%87%BA%E9%98%9F%E5%85%83%E7%B4%A0%20pop%20%3D%22,%20pop%29%0A%20%20%20%20print%28%22%E5%87%BA%E9%98%9F%E5%90%8E%20que%20%3D%22,%20que%29%0A%0A%20%20%20%20%23%20%E8%8E%B7%E5%8F%96%E9%98%9F%E5%88%97%E7%9A%84%E9%95%BF%E5%BA%A6%0A%20%20%20%20size%20%3D%20len%28que%29%0A%20%20%20%20print%28%22%E9%98%9F%E5%88%97%E9%95%BF%E5%BA%A6%20size%20%3D%22,%20size%29%0A%0A%20%20%20%20%23%20%E5%88%A4%E6%96%AD%E9%98%9F%E5%88%97%E6%98%AF%E5%90%A6%E4%B8%BA%E7%A9%BA%0A%20%20%20%20is_empty%20%3D%20len%28que%29%20%3D%3D%200%0A%20%20%20%20print%28%22%E9%98%9F%E5%88%97%E6%98%AF%E5%90%A6%E4%B8%BA%E7%A9%BA%20%3D%22,%20is_empty%29&cumulative=false&curInstr=3&heapPrimitives=nevernest&mode=display&origin=opt-frontend.js&py=311&rawInputLstJSON=%5B%5D&textReferences=false
diff --git a/docs-en/chapter_stack_and_queue/stack.md b/docs-en/chapter_stack_and_queue/stack.md
index e05cb87b3..4c47727b4 100755
--- a/docs-en/chapter_stack_and_queue/stack.md
+++ b/docs-en/chapter_stack_and_queue/stack.md
@@ -302,7 +302,7 @@ Typically, we can directly use the stack class built into the programming langua
```
-??? pythontutor "Visualizing Code"
+??? pythontutor "Code Visualization"
https://pythontutor.com/render.html#code=%22%22%22Driver%20Code%22%22%22%0Aif%20__name__%20%3D%3D%20%22__main__%22%3A%0A%20%20%20%20%23%20%E5%88%9D%E5%A7%8B%E5%8C%96%E6%A0%88%0A%20%20%20%20%23%20Python%20%E6%B2%A1%E6%9C%89%E5%86%85%E7%BD%AE%E7%9A%84%E6%A0%88%E7%B1%BB%EF%BC%8C%E5%8F%AF%E4%BB%A5%E6%8A%8A%20list%20%E5%BD%93%E4%BD%9C%E6%A0%88%E6%9D%A5%E4%BD%BF%E7%94%A8%0A%20%20%20%20stack%20%3D%20%5B%5D%0A%0A%20%20%20%20%23%20%E5%85%83%E7%B4%A0%E5%85%A5%E6%A0%88%0A%20%20%20%20stack.append%281%29%0A%20%20%20%20stack.append%283%29%0A%20%20%20%20stack.append%282%29%0A%20%20%20%20stack.append%285%29%0A%20%20%20%20stack.append%284%29%0A%20%20%20%20print%28%22%E6%A0%88%20stack%20%3D%22,%20stack%29%0A%0A%20%20%20%20%23%20%E8%AE%BF%E9%97%AE%E6%A0%88%E9%A1%B6%E5%85%83%E7%B4%A0%0A%20%20%20%20peek%20%3D%20stack%5B-1%5D%0A%20%20%20%20print%28%22%E6%A0%88%E9%A1%B6%E5%85%83%E7%B4%A0%20peek%20%3D%22,%20peek%29%0A%0A%20%20%20%20%23%20%E5%85%83%E7%B4%A0%E5%87%BA%E6%A0%88%0A%20%20%20%20pop%20%3D%20stack.pop%28%29%0A%20%20%20%20print%28%22%E5%87%BA%E6%A0%88%E5%85%83%E7%B4%A0%20pop%20%3D%22,%20pop%29%0A%20%20%20%20print%28%22%E5%87%BA%E6%A0%88%E5%90%8E%20stack%20%3D%22,%20stack%29%0A%0A%20%20%20%20%23%20%E8%8E%B7%E5%8F%96%E6%A0%88%E7%9A%84%E9%95%BF%E5%BA%A6%0A%20%20%20%20size%20%3D%20len%28stack%29%0A%20%20%20%20print%28%22%E6%A0%88%E7%9A%84%E9%95%BF%E5%BA%A6%20size%20%3D%22,%20size%29%0A%0A%20%20%20%20%23%20%E5%88%A4%E6%96%AD%E6%98%AF%E5%90%A6%E4%B8%BA%E7%A9%BA%0A%20%20%20%20is_empty%20%3D%20len%28stack%29%20%3D%3D%200%0A%20%20%20%20print%28%22%E6%A0%88%E6%98%AF%E5%90%A6%E4%B8%BA%E7%A9%BA%20%3D%22,%20is_empty%29&cumulative=false&curInstr=2&heapPrimitives=nevernest&mode=display&origin=opt-frontend.js&py=311&rawInputLstJSON=%5B%5D&textReferences=false
diff --git a/docs/chapter_hashing/hash_algorithm.md b/docs/chapter_hashing/hash_algorithm.md
index 3c1b73f5b..8593a74ec 100644
--- a/docs/chapter_hashing/hash_algorithm.md
+++ b/docs/chapter_hashing/hash_algorithm.md
@@ -316,7 +316,6 @@ $$
let mut dec_hasher = DefaultHasher::new();
dec.to_bits().hash(&mut dec_hasher);
let hash_dec = dec_hasher.finish();
- println!("小数 {} 的哈希值为 {}", dec, hash_dec);
// 小数 3.14159 的哈希值为 2566941990314602357
let str = "Hello 算法";
diff --git a/mkdocs-en.yml b/mkdocs-en.yml
index 6e0fe440a..87846ef54 100644
--- a/mkdocs-en.yml
+++ b/mkdocs-en.yml
@@ -67,13 +67,13 @@ nav:
- 5.2 Queue: chapter_stack_and_queue/queue.md
- 5.3 Double-ended Queue: chapter_stack_and_queue/deque.md
- 5.4 Summary: chapter_stack_and_queue/summary.md
- # - Chapter 6. Hash Table:
- # # [icon: material/table-search]
- # - chapter_hashing/index.md
- # - 6.1 Hash Table: chapter_hashing/hash_map.md
- # - 6.2 Hash Collision: chapter_hashing/hash_collision.md
- # - 6.3 Hash Algorithm: chapter_hashing/hash_algorithm.md
- # - 6.4 Summary: chapter_hashing/summary.md
+ - Chapter 6. Hash Table:
+ # [icon: material/table-search]
+ - chapter_hashing/index.md
+ - 6.1 Hash Table: chapter_hashing/hash_map.md
+ - 6.2 Hash Collision: chapter_hashing/hash_collision.md
+ - 6.3 Hash Algorithm: chapter_hashing/hash_algorithm.md
+ - 6.4 Summary: chapter_hashing/summary.md
# - Chapter 7. Tree:
# # [icon: material/graph-outline]
# - chapter_tree/index.md