-
-
Save chairco/4ec3a091572906a67cbb6520c18ea339 to your computer and use it in GitHub Desktop.
The Knuth-Morris-Pratt algorithm in Python
This file contains 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
#!/usr/bin/env python | |
# Knuth-Morris-Pratt demonstration | |
# Kyle Gorman <[email protected]> | |
# | |
# A naive Python implementation of a function that returns the (first) index of | |
# a sequence in a supersequence is the following: | |
def subsequence(needle, haystack): | |
""" | |
Naive subsequence indexer; None if not found | |
>>> needle = 'seven years ago'.split() | |
>>> haystack = 'four score and seven years ago our fathers'.split() | |
>>> print subsequence(needle, haystack) | |
3 | |
""" | |
for i in xrange(len(haystack) - len(needle) + 1): | |
if needle == haystack[i:i + len(needle)]: return i | |
# The outer loop runs |haystack| - |needle| times in the worst case, and the | |
# (implicit) inner loop results in complexity O(|needle| * (|haystack| - | |
# |needle|). Knuth, Morris, and Pratt (1977) develop a method which requires | |
# a fixed cost per "needle", plus O(|haystack|) worst-case search, for total | |
# worst-case time complexity O(2|needle| + |haystack|). The following class | |
# implements this method. | |
class KMP(object): | |
""" | |
Efficient subsequence indexer; returns None if not found | |
>>> needle = 'seven years ago'.split() | |
>>> haystack = 'four score and seven years ago our fathers'.split() | |
>>> print KMP(needle).search_in(haystack) | |
3 | |
""" | |
def __init__(self, needle): | |
self.needle = needle | |
self.table = [1] * (len(needle) + 1) | |
shift = 1 | |
for index, obj in enumerate(needle): | |
while shift <= index and obj != needle[index - shift]: | |
shift += self.table[index - shift] | |
self.table[index + 1] = shift | |
def __repr__(self): | |
return 'KMP(%r)' % needle | |
def search_in(self, haystack): | |
index = 0 | |
match = 0 | |
while index + match < len(haystack): | |
if self.needle[match] == haystack[index + match]: | |
match += 1 | |
if match == len(self.needle): return index | |
else: | |
if match == 0: index += 1 | |
else: | |
index += match - self.table[match] | |
## run tests | |
if __name__ == '__main__': | |
import doctest | |
doctest.testmod() |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment