链接:https://ac.nowcoder.com/acm/problem/16864
来源:牛客网
时间限制:C/C++ 1秒,其他语言2秒
空间限制:C/C++ 262144K,其他语言524288K
64bit IO Format: %lld
题目描述
在进行文法分析的时候,通常需要检测一个单词是否在我们的单词列表里。为了提高查找和定位的速度,通常都要画出与单词列表所对应的单词查找树,其特点如下:
l 根节点不包含字母,除根节点外每一个节点都仅包含一个大写英文字母;
l 从根节点到某一节点,路径上经过的字母依次连起来所构成的字母序列,称为该节点对应的单词。单词列表中的每个词,都是该单词查找树某个节点所对应的单词;
l 在满足上述条件下,该单词查找树的节点数最少。
例:图一的单词列表对应图二的单词查找树
对一个确定的单词列表,请统计对应的单词查找树的节点数(包括根节点)
输入描述:
为一个单词列表,每一行仅包含一个单词和一个换行/回车符。每个单词仅由大写的英文字符组成,长度不超过63个字符。文件总长度不超过32K,至少有一行数据。
输出描述:
该文件中仅包含一个整数和一个换行/回车符。该整数为单词列表对应的单词查找树的节点数。
示例1
输入
复制
A AN ASP AS ASC ASCII BAS BASIC
输出
复制
13
字典树入门https://blog.csdn.net/qq_43333395/article/details/89289170
#include<bits/stdc++.h>
using namespace std;
typedef long long ll;
const int maxn=4e5;
const int maxc=26;
char s[66];
struct TRIE{
int next[maxn][maxc];
//bool isw[maxn];//查询整个单词用
int root=1;
int tot=0;
int base;
void init(){
for(int i=0;i<=tot;i++) {
memset(next[i],0,sizeof(next[i]));
//isw[i]=false;
}
tot=1;
}
void add(char s[],int now){
int len=strlen(s);
for(int i=0;i<len;i++){
int c=s[i]-base;
if(!next[now][c]){
next[now][c]=++tot;
}
now=next[now][c];
}
//isw[now]=true;//标记该单词末位字母的尾节点
}
bool find(char s[],int now){
int len=strlen(s);
for(int i=0;i<len;i++){
int c=s[i]-base;
if(!next[now][c]) return false;
now=next[now][c];
}
return true;
//查询整个单词时,应该return isw[now]
}
}trie;
int main(){
trie.init();
trie.base='A';
while(~scanf("%s",s)){
trie.add(s,trie.root);
}
printf("%d\n",trie.tot);
return 0;
}