I don't know what this algorithm does, but here are your functions, tail-recursivized:
object KnuthMorrisPrattAlgorithm {
def search(s: String, w: String): Int = {
if (w.isEmpty) {
return 0
}
val t = table(w)
def f(m: Int, i: Int): Int = {
if (m + i < s.length) {
if (w(i) == s(m + i)) {
if (i == w.length - 1) {
m
} else {
f(m, i + 1)
}
} else {
if (t(i) > -1) {
f(m + i - t(i), t(i))
} else {
f(m + 1, 0)
}
}
} else {
-1
}
}
f(0, 0)
}
def table(w: String): Seq[Int] = {
val t = Array(-1, 0) ++ Array.fill(w.size - 2)(0)
def f(pos: Int, cnd: Int): Array[Int] = {
if (pos < w.length) {
if (w(pos - 1) == w(cnd)) {
t(pos) = cnd + 1
f(pos + 1, cnd + 1)
} else if (cnd > 0) {
f(pos, t(cnd))
} else {
t(pos) = 0
f(pos + 1, cnd)
}
} else {
t
}
}
f(2, 0)
}
}
source
share