我正在实现一个trie,它也会在到达单词结束时打印定义。我正在使用字符串进行定义。但是当我将定义分配给字符串时,代码会崩溃。
#include <bits/stdc++.h>
#define ALPHABET_SIZE 26
#define CHAR_TO_INDEX(c) ((int)c - (int)'0')
using namespace std;
typedef struct trienode{
string definition; //For Definition of the word
bool isLeaf;
struct trienode *children[ALPHABET_SIZE];
}node;
node* getnode()
{
int i;
node *t=new node();
t->isLeaf=false;
for(i=0;i<26;i++)
{
t->children[i]=NULL;
}
return t;
}
void insert(node *root,string s)
{
node *crawler=root;
int level,index,length=s.length();
for(level=0;level<length;level++)
{
index= CHAR_TO_INDEX(s[level]);
if(crawler->children[index]==NULL)
{
crawler->children[index]=getnode();
}
crawler=crawler->children[index];
}
crawler->definition= "Definition of" + s; //Here is the code crashing,when I am assigning the definition
crawler->isLeaf=true;
}
答案 0 :(得分:0)
您的代码存在很多问题。
我看到的越大,(我猜)导致崩溃的问题在于以下行
#define CHAR_TO_INDEX(c) ((int)c - (int)'0')
当CHAR_TO_INDEX()
是表示数字的字符(从c
到0
)时,9
宏旨在返回从0到9的索引值。 / p>
问题是当c
介于a
和z
之间或(我想)A
和{之间Z
时,您可以使用它来获取0到25之间的数字{1}}。
示例:当c
为r
时,(int)'r' - (int)'0')
为114 - 48 = 66
。因此,您尝试在只有26个广告位的children
的第66行访问。
要解决此问题,您可以用这种方式重写CHAR_TO_INDEX()
#define CHAR_TO_INDEX(c) (c - (int)'a')
并以这种方式调用
index = CHAR_TO_INDEX( std::tolower( s[level] ) );
但是我觉得使用宏是个坏主意,所以我建议你用一些检查定义一个简单的函数;像这样的东西
int charToIndec (int ch)
{
if ( (ch < int(`a`)) || (ch > int(`z`)) )
; // throw something
return ch - int(`a`);
}
其他建议,没有特别的顺序......
你使用的是C ++,而不是C;所以trienode
不需要那个typedef;你可以简单地写一下
struct trienode {
string definition; //For Definition of the word
bool isLeaf;
trienode *children[ALPHABET_SIZE];
};
并简单地将结构用作trienode
再说一遍:你使用的是C ++,而不是C;所以我不明白为什么你写一个函数getnode()
应该是(恕我直言)trienode
的构造函数;
trienode () : definition(""), isLeaf(false)
{
for ( int i = 0 ; i < ALPHABET_SIZE ; ++i )
children[i] = NULL;
}
应该以这种方式使用
crawler->children[index]= new trienode;
无论如何,您已将ALPHABET_SIZE
定义为26;记得在任何地方使用它而不是26(当26是children
的维度时);所以用26
getnode()
中的ALPHABET_SIZE
包含;什么是bits/stdc++.h
?在不知道它,我甚至不知道它是否是C ++标准包括。建议:使用标准包括。
最后一个建议:您对节点使用new
;记得delete
分配的节点;如果您可以使用C ++ 11编译器,请考虑使用std::unique_ptr
来避免这种需要的假设。
p.s:抱歉我的英语不好。