HDU2896 病毒侵襲 AC自動機
阿新 • • 發佈:2018-12-31
題目大意:給出n個病毒和n個網站,找出每一個網站中含有的病毒種類,並按病毒編號升序輸出,最後統計含有病毒的網站個數。
分析:比較裸的AC自動機的題,我們可以在構造tire樹的過程中順便把編號插入,然後詢問時紀錄病毒個數的同時用一個數組紀錄病毒的編號,然後排序輸出即可(WA若干次才發現忘把病毒按編號排序後再輸出了)。還有就是本題空間卡的很死,你要是按題意(每一個字元都是課件的ASC2可見程式碼)256來開tire樹的話肯定會MLE,試了幾次之後發現開到130就可以了。
實現程式碼如下:
#include <cstdio> #include <cstring> #include <iostream> #include <queue> #include <algorithm> using namespace std; #define son_num 130 #define maxn 10010 struct node { int code; int terminal; node *fail; node *next[son_num]; node() { fail=NULL; code=0; terminal=0; memset(next,NULL,sizeof(next)); } }; int ans[5]; //紀錄主串含有的病毒的編號 //構建Tire樹 void insert(node *root,char *str,int x) //x為該病毒的編號 { node *p=root; int i=0,index; while(str[i]) { index=str[i]; if(p->next[index]==NULL) p->next[index]=new node(); p=p->next[index]; i++; } p->code=x; p->terminal=1; } //尋找失敗指標 void build_fail(node *root) { queue <node *> que; root->fail=NULL; que.push(root); while(!que.empty()) { node *temp=que.front(); que.pop(); node *p=NULL; for(int i=0;i<son_num;i++) { if(temp->next[i]!=NULL) { if(temp==root) temp->next[i]->fail=root; else{ p=temp->fail; while(p!=NULL) { if(p->next[i]!=NULL) { temp->next[i]->fail=p->next[i]; break; } p=p->fail; } if(p==NULL) temp->next[i]->fail=root;} que.push(temp->next[i]); } } } } //詢問主串中含有多少個關鍵字 int query(node *root,char *str) { int i=0,cnt=0,index,len; len=strlen(str); node *p=root; while(str[i]) { index=str[i]; while(p->next[index]==NULL&&p!=root) p=p->fail; p=p->next[index]; if(p==NULL) p=root; node *temp=p; while(temp!=root&&temp->code) { ans[cnt]=temp->code; cnt+=p->terminal; temp=temp->fail; } i++; } return cnt; } int main() { int n,m; char str[205]; char web[maxn]; while(scanf("%d",&n)!=-1) { node *root=new node(); for(int i=1;i<=n;i++) { scanf("%s",str); insert(root,str,i); } build_fail(root); int cnt=0; //紀錄有多少個網站含有病毒 scanf("%d",&m); for(int i=1;i<=m;i++) { scanf("%s",web); bool flag=false; //標記該網站是否含有病毒 int num=query(root,web); if(num) { flag=true; printf("web %d:",i); sort(ans,ans+num); for(int j=0;j<num;j++) printf(" %d",ans[j]); printf("\n"); } if(flag) cnt++; } printf("total: %d\n",cnt); } return 0; }