hdu 1251 统计难题(字典树)

Problem Description
Ignatius最近遇到一个难题,老师交给他很多单词(只有小写字母组成,不会有重复的单词出现),现在老师要他统计出以某个字符串为前缀的单词数量(单词本身也是自己的前缀).
 

Input
输入数据的第一部分是一张单词表,每行一个单词,单词的长度不超过10,它们代表的是老师交给Ignatius统计的单词,一个空行代表单词表的结束.第二部分是一连串的提问,每行一个提问,每个提问都是一个字符串.

注意:本题只有一组测试数据,处理到文件结束.
 

Output
对于每个提问,给出以该字符串为前缀的单词的数量.
 

Sample Input

banana band bee absolute acm ba b band abc
 

Sample Output

2 3 1 0 题意是判断一个前缀在单词中出现了几次,这里用了字典树。 AC代码
#include
#include
#include
struct node
{
    struct node *child[26];      //指针数组
    int cnt;                     //每一个字符出现的次数
};
struct node *root;
void insert(char *s)             //建树函数
{
    int len=strlen(s);
    if(len==0)  return;
    struct node *now,*next;
    now=root;
    for(int i=0;ichild[s[i]-'a']!=0)         //如果该字符出现了,则将它的次数加1
        {
            now=now->child[s[i]-'a'];
            now->cnt=now->cnt+1;
        }
        else                               //如果该字符第一次出现,则新建立一个节点
        {
            next=(struct node *)malloc(sizeof(struct node));
            for(int j=0;j<26;j++)
                next->child[j]=0;
            now->child[s[i]-'a']=next;
            now=next;
            now->cnt=1;                        //出现次数为1
        }
    }
}
int find(char *s)                             //查找函数
{
    struct node *now;
    now=root;
    now->cnt=0;
    int len=strlen(s);
    if(len==0)  return 0;
    for(int i=0;ichild[s[i]-'a']!=0)
            now=now->child[s[i]-'a'];
        else
            return 0;
    }
    return now->cnt;                        //返回查找串的最后一个字符出现的次数,则为整个串出现的次数
}
int main()
{
    //freopen("in.txt","r",stdin);
    char temp[15],str[15];
    root=(struct node *)malloc(sizeof(struct node));
    for(int i=0;i<26;i++)
        root->child[i]=0;
    root->cnt=2;
    while(gets(temp))
    {
        if(strcmp(temp,"")==0)  break;
        insert(temp);
    }
    while(scanf("%s",str)!=EOF)
    {
        int ans=find(str);
        printf("%d\n",ans);
    }
    return 0;
}


你可能感兴趣的:(字符串)