0

我有下一个 KMP 实现:

#include <stdio.h>
#include <stdlib.h>
#include <string.h>

int kmp(char substr[], char str[])
{
   int i, j, N, M;

   N = strlen(str);
   M = strlen(substr);

   int *d = (int*)malloc(M * sizeof(int));
   d[0] = 0;

   for(i = 0, j = 0; i < M; i++)
   {
      while(j > 0 && substr[j] != substr[i])
      {
         j = d[j - 1];
      }

      if(substr[j] == substr[i])
      {
         j++;
         d[i] = j;
      }
   }

   for(i = 0, j = 0; i < N; i++)
   {
      while(j > 0 && substr[j] != str[i])
      {
         j = d[j - 1];
      }

      if(substr[j] == str[i])
      {
         j++;
      }

      if(j == M)
      {
         free(d);
         return i - j + 1;
      }
   }

   free(d);

   return -1;
}

int main(void)
{
   char substr[] = "World",
      str[] = "Hello World!";

   int pos = kmp(substr, str);

   printf("position starts at: %i\r\n", pos);

   return 0;
}

你可以在这里测试它:http: //liveworkspace.org/code/d2e7b3be72083c72ed768720f4716f80

它适用于小字符串,并且我已经用大循环对其进行了测试,这样一切都很好。

但是,如果我将要搜索的子字符串和完整字符串更改为:

char substr[] = "%end%",
str[] = "<h1>The result is: <%lua% oleg = { x = 0xa }
         table.insert(oleg, y) oleg.y = 5 print(oleg.y) %end%></h1>";

只有在第一次尝试之后,这个实现才会失败......

拜托,您能帮我修复 KMP 的实现,以使算法与字符串中的此类数据一起工作...

4

1 回答 1

2

在你偏离源头的地方,源头有

while(j>0 && p[j]!=p[i]) j = d[j-1];
    if(p[j]==p[i])
        j++;
        d[i]=j;

当你有

while(j > 0 && substr[j] != substr[i])
{
    j = d[j - 1];
}
if(substr[j] == substr[i])
{
    j++;
    d[i] = j;
}

被来源的缩进所欺骗。在源代码中,分支周围没有大括号if(),因此只有增量j++;if;控制。d[i] = j;是无条件的。

然后,源有错误,可能是由于索引的不寻常使用。设置数组的正确方法是

int *d = (int*)malloc(M * sizeof(int));
d[0] = 0;

for(i = 1, j = 0; i < M; i++)
{
    while(j > 0 && substr[j-1] != substr[i-1])
    {
        j = d[j - 1];
    }

    if(substr[j] == substr[i])
        j++;
    d[i] = j;
}

但这很令人困惑,因为这里的设置使用索引i-1andj-1以及iandj来确定d[i]. 通常的实现方式是不同的;它在 C#中的实现方式。由于这是您在大多数来源中找到的形式,因此说服自己相信其正确性要容易得多。

于 2012-06-29T10:07:52.073 回答