|
| 1 | +/* |
| 2 | + * Implements the Rabin-Karp algorithm for pattern searching. |
| 3 | + * |
| 4 | + * The Rabin-Karp algorithm is a string searching algorithm that uses hashing to find patterns in strings. |
| 5 | + * It is faster than naive string matching algorithms because it avoids comparing every character in the text. |
| 6 | + * |
| 7 | + * This implementation uses a rolling hash function to efficiently compute the hash values of substrings. |
| 8 | + * It also uses a modulo operator to reduce the size of the hash values, which helps to prevent hash collisions. |
| 9 | + * |
| 10 | + * The algorithm returns an array of indices where the pattern is found in the text. If the pattern is not |
| 11 | + * found, the algorithm returns an empty array. |
| 12 | + * |
| 13 | + * [Reference](https://en.wikipedia.org/wiki/Rabin%E2%80%93Karp_algorithm) |
| 14 | + */ |
| 15 | + |
| 16 | +const BASE = 256 // The number of characters in the alphabet |
| 17 | +const MOD = 997 // A prime number used for the hash function |
| 18 | + |
| 19 | +function rabinKarpSearch(text, pattern) { |
| 20 | + const patternLength = pattern.length |
| 21 | + const textLength = text.length |
| 22 | + const hashPattern = hash(pattern, patternLength) |
| 23 | + const hashText = [] |
| 24 | + const indices = [] |
| 25 | + |
| 26 | + // Calculate the hash of the first substring in the text |
| 27 | + hashText[0] = hash(text, patternLength) |
| 28 | + |
| 29 | + // Precompute BASE^(patternLength-1) % MOD |
| 30 | + const basePow = Math.pow(BASE, patternLength - 1) % MOD |
| 31 | + |
| 32 | + for (let i = 1; i <= textLength - patternLength + 1; i++) { |
| 33 | + // Update the rolling hash by removing the first character |
| 34 | + // and adding the next character in the text |
| 35 | + hashText[i] = |
| 36 | + (BASE * (hashText[i - 1] - text.charCodeAt(i - 1) * basePow) + |
| 37 | + text.charCodeAt(i + patternLength - 1)) % |
| 38 | + MOD |
| 39 | + |
| 40 | + // In case of hash collision, check character by character |
| 41 | + if (hashText[i] < 0) { |
| 42 | + hashText[i] += MOD |
| 43 | + } |
| 44 | + |
| 45 | + // Check if the hashes match and perform a character-wise comparison |
| 46 | + if (hashText[i] === hashPattern) { |
| 47 | + if (text.substring(i, i + patternLength) === pattern) { |
| 48 | + indices.push(i) // Store the index where the pattern is found |
| 49 | + } |
| 50 | + } |
| 51 | + } |
| 52 | + |
| 53 | + return indices |
| 54 | +} |
| 55 | + |
| 56 | +function hash(str, length) { |
| 57 | + let hashValue = 0 |
| 58 | + for (let i = 0; i < length; i++) { |
| 59 | + hashValue = (hashValue * BASE + str.charCodeAt(i)) % MOD |
| 60 | + } |
| 61 | + return hashValue |
| 62 | +} |
| 63 | + |
| 64 | +export { rabinKarpSearch } |
0 commit comments