Created
November 3, 2016 13:03
-
-
Save tamarous/7df299a96b058dc417544138dce3529e to your computer and use it in GitHub Desktop.
KMP 算法
This file contains hidden or 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
#include <stdio.h> | |
#include <stdlib.h> | |
#include <string.h> | |
void compute_prefix(const char *pattern, int next[]) { | |
int i; | |
int j = -1; | |
const int m = strlen(pattern); | |
next[0] = j; | |
for(i=1;i < m;i++) { | |
while(j > -1 && pattern[j+1] != pattern[i] ) | |
j = next[j]; | |
if(pattern[j] == pattern[j+1] ) | |
j++; | |
next[i] = j; | |
} | |
} | |
int kmp(const char *text, const char *pattern) | |
{ | |
int i; | |
int j = -1; | |
const int n = strlen(text); | |
const int m = strlen(pattern); | |
if (n == 0 && m == 0) return 0; | |
if (m == 0) return 0; | |
int *next = (int *)malloc(sizeof(int) * m); | |
compute_prefix(pattern,next); | |
for(i = 0;i < n;i++) { | |
while(j > -1 && pattern[j+1] != text[i]) | |
{ | |
j = next[j]; | |
} | |
if ( text[i] == pattern[j+1] ) j++; | |
if( j == m-1) { | |
free(next); | |
return i-j; | |
} | |
} | |
free(next); | |
return -1; | |
} | |
int main() | |
{ | |
char text[] = "ABC ABCDAB ABCDABCDABDE"; | |
char pattern[] = "ABCDABD"; | |
char *ch = text; | |
int i = kmp(text,pattern); | |
if(i >= 0) { | |
printf("matched @: %s\n",ch+i); | |
} else { | |
printf("mismatch!\n"); | |
} | |
return 0; | |
} |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment