AC自动机&HDU-2896

上一次所使用的模板和练习题适用于输入的待匹配的串不唯一的情况下,也就是该串可能会多次输入。而这次这道题,要求每个模式串只输入一次。以下是AC代码。

#include 
#include 
#include 
#include 
using namespace std;
int sum=0;
struct node{
    node* fail;
    node* nnext[128];
    int ncount;
    node()
    {
        fail=NULL;
        memset(nnext,NULL,sizeof(nnext));
        ncount=0;
    }
}* root;
char model[205];
char str[10005];
void tire(char* model0,int num0)
{
    node* p=root;
    int i=0,index;
    while(model0[i])
    {
        index=model0[i++];
        if(p->nnext[index]==NULL)
            p->nnext[index]=new node;
        p=p->nnext[index];
    }
    p->ncount=num0;
}
int vis[505];
void set_fail()
{
    queue q;
    q.push(root);
    root->fail=NULL;
    node* tmp;
    node* p;
    while(!q.empty())
    {
        tmp=q.front();
        q.pop();
        for(int i=0;i<128;i++)
        {
            if(tmp->nnext[i]!=NULL)
            {
                if(tmp==root)
                    tmp->nnext[i]->fail=root;
                else
                {
                    p=tmp->fail;
                    while(p!=NULL)
                    {
                        if(p->nnext[i]!=NULL)
                        {
                            tmp->nnext[i]->fail=p->nnext[i];
                            break;
                        }
                        p=p->fail;
                    }
                    if(p==NULL)
                    {
                        tmp->nnext[i]->fail=root;
                    }
                }
                q.push(tmp->nnext[i]);
            }
        }
    }
}
bool find_model(char* str0)
{
    bool flag=0;
    int i=0,index;
    node* p=root;
    node* tmp;
    while(str0[i])
    {
        index=str0[i++];
        while(p->nnext[index]==NULL&&p!=root)
            p=p->fail;
        p=p->nnext[index];
        if(p==NULL)
            p=root;
        tmp=p;
        while(tmp!=root)
        {
            if(tmp->ncount!=0)
            {
                flag=1;
                vis[tmp->ncount]=1;
            }

            tmp=tmp->fail;
        }

    }
    return flag;
}

int main()
{
    root=new node;
    int n1,n2;
    scanf("%d",&n1);
    for(int i=0;i

遇到的问题及解决方法:
1:首先是遇到了超过内存的问题,因为我在代码里写了new node,解决的办法是在提交的时候语言选择c++。
2:还有就是忽略了输入的字符是所有的可见字符,之前仍然是用26个字母开的数组,结果出错。解决方法是开128大小的数组,直接用其ascii码作为索引。
3:没有深入理解AC自动机的第三个关键步骤查找,所以导致代码写错。

你可能感兴趣的:(AC自动机&HDU-2896)