Last active
December 31, 2018 15:23
-
-
Save jacky860226/504c2b7579fc75226bf38a92959f38ba to your computer and use it in GitHub Desktop.
Longest Common Cyclic Subsequence
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<cstring> | |
| #include<algorithm> | |
| const int MAXN=1505; | |
| int h[MAXN][MAXN*2], v[MAXN][MAXN*2]; | |
| char B[MAXN*2]; | |
| int CLCS(const char *a, const char *b){ | |
| int m = strlen(a), n = strlen(b); | |
| strcpy(B,b); strcpy(B+n,b); | |
| for(int j=0; j<n*2; ++j) h[0][j] = j+1; | |
| for(int i=0; i<m; ++i){ | |
| for(int j=0; j<n*2; ++j){ | |
| if(a[i]==B[j]){ | |
| h[i+1][j] = v[i][j]; | |
| v[i][j+1] = h[i][j]; | |
| }else{ | |
| h[i+1][j] = std::max(h[i][j], v[i][j]); | |
| v[i][j+1] = std::min(h[i][j], v[i][j]); | |
| } | |
| } | |
| } | |
| int ans=0; | |
| for(int i=0; i<n; ++i){ | |
| int sum = 0; | |
| for(int j=0; j<n; ++j) | |
| if (h[m][j+i] <= i) ++sum; | |
| ans = std::max(ans,sum); | |
| } | |
| return ans; | |
| } |
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<cstring> | |
| #include<algorithm> | |
| using std::max; | |
| const int MAXN = 1505; | |
| enum traceType{LEFT,DIAG,UP}; | |
| int dp[MAXN*2][MAXN], pa[MAXN*2][MAXN]; | |
| char AA[MAXN*2]; | |
| void LCS(const char *a, const char *b, int m, int n){ | |
| for(int i=1; i<=m; ++i) | |
| for(int j=1; j<=n; ++j){ | |
| if(a[i-1]==b[j-1]) dp[i][j]=dp[i-1][j-1]+1; | |
| else dp[i][j]=max(dp[i][j-1], dp[i-1][j]); | |
| if(dp[i][j]==dp[i][j-1]) pa[i][j]=LEFT; | |
| else if(a[i-1]==b[j-1]) pa[i][j]=DIAG; | |
| else pa[i][j]=UP; | |
| } | |
| } | |
| int trace(int m, int n){ | |
| int res = 0; | |
| while(m&&n){ | |
| if(pa[m][n]==LEFT) --n; | |
| else if(pa[m][n]==UP) --m; | |
| else --m, --n, ++res; | |
| } | |
| return res; | |
| } | |
| void reRoot(int root,int m, int n){ | |
| int i=root, j=1; | |
| while(j<=n&&pa[i][j]!=DIAG) ++j; | |
| if(j>n) return; | |
| pa[i][j] = LEFT; | |
| while(i<m&&j<n){ | |
| if(pa[i+1][j]==UP) pa[++i][j]=LEFT; | |
| else if(pa[i+1][j+1]==DIAG) | |
| pa[++i][++j]=LEFT; | |
| else ++j; | |
| } | |
| while(i<m&&pa[++i][j]==UP) pa[i][j]=LEFT; | |
| } | |
| int CLCS(const char *a, const char *b){ | |
| int m=strlen(a), n=strlen(b); | |
| strcpy(AA,a); strcpy(AA+m,a); | |
| LCS(AA,b,m*2,n); | |
| int ans = dp[m][n]; | |
| for(int i=1; i<m; ++i){ | |
| reRoot(i,m*2,n); | |
| ans=max(ans,trace(m+i,n)); | |
| } | |
| return ans; | |
| } |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment