【死磕算法】旋转字符串判断·kmp算法应用

旋转字符串:

某字符串str1的前面任意几个连续字符移动到str1字符串的后面,形成新的字符串str2,str2即为str1的旋转字符串。

如“1234”的旋转字符串有“1234”、“2341”、“3412”、“4123”。现给定两个字符串str1,str2,判断str2是str1的旋转字符串。

思路:

1、首先判断str1和str2的字符串长度是否相等,若不等,返回false;若相等,继续下一步;

2、如果长度相等,生成str1+str1的大字符串;

3、用kmp算法判断大字符串中是否包含str2。

str1的长度为N,此算法的时间复杂度为O(N)。

如:

str1 = “1234”,str1+str1 = “12341234”。不难发现,大字符串中任意长度为4的子串集合str1的旋转词集合是相等的。

代码实现:

class Rotation {
public:
    int next[200];
  
    void getnext(string B, int lenb){
        int i = 0;int j = -1;  next[0] = -1;
        while(i<lenb){
           if(j==-1 || B[i] == B[j]){
            i++;
            j++;
            next[i] = j;
         } 
           else
            j = next[j];
        }
        
    }
    int kmp(string A, int lena, string B, int lenb){
        getnext(B,lenb);
        int i = 0;int j = 0;
        while(i<lena && j<lenb){
           if( j ==-1 || A[i] == B[j]){
            i++;
            j++;
        }
        else
            j = next[j];
        }
      if(j ==lenb)
          return (i-j);
      else
          return -1;
    }
    bool chkRotation(string A, int lena, string B, int lenb) {
        // write code here
        if(lena !=lenb)
            return false;
        string A2 = A+A;
        lena = 2*lena;
        if(kmp(A2,lena,B,lenb)!=-1)
            return true;
        else
            return false;
    }
};

 

    原文作者:KMP算法
    原文地址: https://blog.csdn.net/gulaixiangjuejue/article/details/85011410
    本文转自网络文章,转载此文章仅为分享知识,如有侵权,请联系博主进行删除。
点赞