Last active
October 27, 2016 19:53
-
-
Save cbruegg/dada72b6c39e906d093b to your computer and use it in GitHub Desktop.
An implementation of the Knuth-Morris-Pratt String matching algorithm in Kotlin.
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
/** | |
* For each i in [0, length), this function computes | |
* the length of the longest suffix of a substring of pattern from 0 to i | |
* that is also a prefix of the pattern itself. | |
*/ | |
private fun computePrefixFunction(pattern: CharSequence): IntArray { | |
val resultTable = IntArray(pattern.length) | |
var matches = 0 | |
for (i in 1..pattern.length - 1) { | |
while (matches > 0 && pattern[matches] != pattern[i]) { | |
matches = resultTable[matches] | |
} | |
if (pattern[matches] == pattern[i]) { | |
matches++ | |
} | |
resultTable[i] = matches | |
} | |
return resultTable | |
} | |
/** | |
* Returns a list of indices where the pattern occurs in this String. This method | |
* searches character by character and thus does not support regular expressions | |
* as input for the pattern. | |
* | |
* @param [pattern] The pattern to look for in this String. Regular expressions | |
* are not supported | |
* @param [ignoreCase] If true, characters are matched even if one is upper and the other is | |
* lower case | |
* | |
* @return A list of indices where the supplied [pattern] starts in the text. | |
*/ | |
public fun CharSequence.occurrencesOf(pattern: CharSequence, ignoreCase: Boolean = false): Sequence<Int> { | |
if (isEmpty() || pattern.isEmpty()) { | |
return emptySequence() | |
} | |
if (pattern.length == 1) { | |
return indices.asSequence().filter { this[it].equals(pattern[0], ignoreCase) } | |
} | |
// Non-trivial pattern matching, perform computation | |
// using Knuth-Morris-Pratt | |
val prefixFunction = computePrefixFunction(pattern) | |
var i = 0 | |
var matches = 0 | |
return generateSequence { | |
while (i < length) { | |
while (matches > 0 && !pattern[matches].equals(this[i], ignoreCase)) { | |
matches = prefixFunction[matches - 1] | |
} | |
if (pattern[matches].equals(this[i], ignoreCase)) { | |
matches++ | |
} | |
if (matches == pattern.length) { | |
matches = prefixFunction[matches - 1] | |
i++ | |
return@generateSequence i - pattern.length | |
} | |
i++ | |
} | |
return@generateSequence null | |
} | |
} |
Looks nice 👍
Oh, yes indeed. That would have been better of course, I've changed it and also renamed pi
to resultTable
for clarity.
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment
Did you mean
val pi
to be anIntArray
instead of anArray<Int>
?