2015ICPC-沈阳-B

2015ICPC-沈阳-B

七月 12, 2020

B.Bazinga

题意
给出n<500个字符串每个字符串长度不超过2000 要求找到某个最大的i是的对于j<i 存在s[j]不是s[i]的子串

题解
首先想到m*n^2 的算法

再根据子串的传递性 :假如a是b的子串 且b是c的子串那么a也是c的子串

剪枝优化暴力 首先判断两个相邻的是否前一个s[j]是后一个的子串s[i]

若是则将前面的标记为1 一直比较s[i]与s[i+1] s[i+1]与s[i+2]….

对于某个子串s[x] ,x>i 若s[i]是s[x]的子串那么 s[j] ,j<i, 被标记为1的一定都是s[i]的子串也是s[x]的子串

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
#include <bits/stdc++.h>
using namespace std;
typedef long long ll;
#define endl '\n'
#define Turnoff std::ios::sync_with_stdio(false)

const int mod=2e3;
const int maxn = 500+5;


int n,m;
int nex[maxn];
char s[maxn][2005];

inline void getnex(char *b){
nex[0] = -1;
int len=strlen(b);
for(int i=1;i<=len-1;i++){
int j = nex[i-1];
while(j >= 0 && b[i] != b[j+1]) j = nex[j];
if(b[i] == b[j+1]) ++j;
nex[i] = j;
}
}
inline int kmp(char *a ,char *b){
int j = -1;
int lena=strlen(a),lenb=strlen(b);
getnex(b);
for(int i=0;i<lena;i++){
while(j >= 0 && a[i] != b[j+1]) j = nex[j];
if(a[i] == b[j+1]) ++j;
if(j == lenb-1) return i-lenb+2;
}
return -1;
}
bool vis[505];

int main(){
//Turnoff;
int t,cnt=1;
scanf("%d",&t);
while(t--){
int n;scanf("%d",&n);
memset(vis,0,sizeof vis);
for(int i=0;i<n;i++){
scanf("%s",&s[i]);
//vis[i]=0;
//cout<<s[i]<<endl;
}
for(int i=1;i<n;i++){
if(kmp(s[i],s[i-1])>=0){
vis[i-1]=1;
}
}
int ans=-1;
for(int i=n-1;i>=1;i--){
for(int j=0;j<i;j++){
//a=s[i],b=s[j];
//cout<<a<<" "<<b<<endl;
if(vis[j])continue;
if(kmp(s[i],s[j])>=0)continue;
//cout<<s[i]<<" "<<s[j]<<endl;
ans=i+1;
break;
}
if(ans>0)break;
}
//cout<<"Case #"<< cnt++ <<": ";
printf("Case #%d: %d\n",cnt++,ans);
//cout<<ans<<endl;

}
}