您好我正在尝试从C book中的Algorithms编写KMP search的C#版本。 无法在我的算法中找到缺陷。有人会帮忙吗?
static int KMP(string p, string str) {
int m = p.Length;
int n = str.Length;
int i;
int j;
int[] next = new int[m];
next[0] = -1;
for (i = 0, j = -1; i < m; i++, j++, next[i] = j) {
//Getting index out of bounds
while (j > 0 && p[i] != p[j]) j = next[j];
}
for (i = 0, j = 0; i < n && j < m; i++, j++) {
while (j >= 0 && p[j] != str[i]) j = next[j];
if (j == m) return i - m;
}
return -1;
}
答案 0 :(得分:1)
简单的答案是在第一个循环中i ++在next [i] = j之前解决所以在搜索字符串的最后一个字符上试图将下一个[m + 1]设置为j - 这会导致索引超出范围例外。尝试更改顺序:
for (i = 0, j = -1; i < m; next[i] = j, i++, j++)
更重要的是,尝试将实现分解为可测试的部分。例如,您可以为第一个循环提取可测试方法,因为它正在构建搜索词的计算表。从:
开始public int[] BuildTable(string word)
{
// todo
}
和一些NUnit tests基于维基描述
[Test]
public void Should_get_computed_table_0_0_0_0_1_2_given_ABCDABD()
{
const string input = "ABCDABD";
var result = BuildTable(input);
result.Length.ShouldBeEqualTo(input.Length);
result[0].ShouldBeEqualTo(-1);
result[1].ShouldBeEqualTo(0);
result[2].ShouldBeEqualTo(0);
result[3].ShouldBeEqualTo(0);
result[4].ShouldBeEqualTo(0);
result[5].ShouldBeEqualTo(1);
result[6].ShouldBeEqualTo(2);
}
[Test]
public void Should_get_computed_table_0_1_2_3_4_5_given_AAAAAAA()
{
const string input = "AAAAAAA";
var result = BuildTable(input);
result.Length.ShouldBeEqualTo(input.Length);
result[0].ShouldBeEqualTo(-1);
result[1].ShouldBeEqualTo(0);
result[2].ShouldBeEqualTo(1);
result[3].ShouldBeEqualTo(2);
result[4].ShouldBeEqualTo(3);
result[5].ShouldBeEqualTo(4);
result[6].ShouldBeEqualTo(5);
}
接下来为KMP方法编写一个或多个测试。
[Test]
public void Should_get_15_given_text_ABC_ABCDAB_ABCDABCDABDE_and_word_ABCDABD()
{
const string text = "ABC ABCDAB ABCDABCDABDE";
const string word = "ABCDABD";
int location = KMP(word, text);
location.ShouldBeEqualTo(15);
}
然后使用算法的wiki描述中使用的结构实现它,它应该为你聚在一起。
public int KMP(string word, string textToBeSearched)
{
var table = BuildTable(word);
// rest of algorithm
}