-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathkmp.py
50 lines (43 loc) · 1.11 KB
/
kmp.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
def prefix(s):
v = [0] * len(s)
for i in range(1, len(s)):
k = v[i - 1]
while k > 0 and s[k] != s[i]:
k = v[k - 1]
if s[k] == s[i]:
k = k + 1
v[i] = k
return v
def kmp(s, t):
index = -1
f = prefix(s)
k = 0
for i in range(len(t)):
while k > 0 and s[k] != t[i]:
k = f[k - 1]
if s[k] == t[i]:
k = k + 1
if k == len(s):
index = i - len(s) + 1
break
return index
def test():
tests = [
["000110", "01", 2],
["abcdef", "de", 3],
["acgtagtcgtc", "gtcg", 5],
["atgcatcg", "gta", -1],
["abababcb", "ababcb", 2]]
for t in tests:
status = None
haystack = t[0]
needle = t[1]
ground_true = t[2]
response = kmp(needle, haystack)
if response == ground_true:
status = "OK"
else:
status = "ERROR"
print("Tested haystack '{0}' and needle '{1}', ground true: {2}, found: {3}. {4}".format(
haystack, needle, ground_true, response, status))
test()