题目链接:hdu2609
题目大意:给n段01串,问这些串***有几组同构串。同构串定义:两个字符串存在 分别从x,y下标开始直到x-1,y-1(循环表示)字符都相等的表示,则这两个串同构。
解题思路:用暴力O(n^2)搜索的话显然会超时,这里引进O(n)的 字符串最小表示法,并且将串利用set去重。
最小/大表示法:
同kmp的next数组类似,都是利用减少重复状态搜索的思路进行优化。
最小表示法过程模拟图:
细节
最小表示法和最大表示法的改写只需将>和<的内容对调就行
AC代码+两种写法
#include <cstdio>
#include <cstring>
#include <cstdlib>
#include <cmath>
#include <iostream>
#include <algorithm>
#include <string>
#include <deque>
#include <queue>
#include <set>
#include <map>
#include <stack>
#include <vector>
#include <utility>
using namespace std;
set<string> st;
inline int Min (int a, int b) {
return a>b?b:a;
}
string min_Show (string &str) {
int i = 0, j = 1, k = 0;
int len = str.size();
while (i < len && j < len && k < len) {
int cmp = str[(i + k) % len] - str[(j + k) % len];
if(cmp == 0) {
k++;
}else {
if(cmp > 0) {
i = i + k + 1;
}else {
j = j + k + 1;
}
if(i == j) {
j++;
}
k = 0;
}
}
i = Min (i,j);
return string(str.begin() + i, str.end()) + string(str.begin(), str.begin() + i);
}
string min_Show2 (string &str) {
int i = 0, j = 1, k = 0;
int len = str.size();
while (i < len && j < len ) {
for (k = 0; k < len && str[(i + k) % len] == str[(j + k) % len]; k++) ;
if(k == len) {
break;
}
if(str[(i + k) % len] > str[(j + k) % len]) {
i = i + k + 1;
}else {
j = j + k + 1;
}
if(i == j) {
j++;
}
}
i = Min (i,j);
return string(str.begin() + i, str.end()) + string(str.begin(), str.begin() + i);
}
int main() {
int n;
string tmp;
ios::sync_with_stdio(false); //注意关闭流同步后不能和c输入混用
while (cin >> n) {
st.clear();
while (n--) {
cin >> tmp;
st.insert(min_Show1 (tmp));
}
cout << st.size() << '\n';
}
return 0;
}