标签:
【申明:本文仅限于自我归纳总结和相互交流,有纰漏还望各位指出。 联系邮箱:Mr_chenping@163.com】
题目:
求两个串中的第一个最长子串(神州数码曾经试题).如"abractyeyt","dgdsaeactyey"的最大子串为"actyey".
题目分析:
1、这里仅仅是实现了简单的字符串算法(最大支持字符串长度64),主要是展示算法思想
2、思路是把2个字符串每一个字符的匹配关系,映射到一张二维数组表中,匹配写1,非匹配写0
算法实现:
#include <stdio.h> #include <string.h> #include <stdlib.h> /* ** 最长支持的字符串大小 */ #define MAX_SIZE 64 /* ** 解法就是用一个矩阵来记录两个字符串中全部位置的两个字符之间的 ** 匹配情况,若是匹配则为1,否则为0,然后求出对角线最长的1序列,其 ** 相应的位置就是最长匹配子串的位置. */ char *str_max_match(const char *s1, const char *s2) { if(!s1 || !s2) return 0; int l1 = strlen(s1); int l2 = strlen(s2); int M[MAX_SIZE][MAX_SIZE] = {0}; int i = 0, j = 0, max_len = 0, end = 0; for(i=0; i<l1; ++i) { for(j=0; j<l2; ++j) { if(s1[i] == s2[j]) { if(i == 0 || j == 0) M[i][j] = 1; else M[i][j] = M[i-1][j-1] + 1; } /*record the max len*/ if(M[i][j] > max_len) { max_len = M[i][j]; end = i; } } } int start = end - max_len + 1; #if 0 char *re = calloc(1, max_len + 1); for(i=start; i<=end; ++i) re[i-start] = s1[i]; #else char *re = strndup(s1 + start, max_len); #endif return re; } int main(int argc, char *argv[]) { char *re = str_max_match(argv[1], argv[2]); printf("%s---->%s<-----%s\n", argv[1], re, argv[2]); free(re); return 0; }
标签:
原文地址:http://www.cnblogs.com/gcczhongduan/p/5076674.html