我最近做了一个 26array 并试图模拟一个字典。
我似乎无法弄清楚如何制作这个。我尝试过传入整数的链表而不是字符串。我当前的代码创建了 26 个节点(az),然后每个节点都有 26 个节点(az)。我想用整数实现一种方法,比如(1-26)。这些 int 节点将表示项目,而我想要传入的 int 链表将包含一组我想要在树中表示的 int,类似于字符串。
示例:传入集合 {1, 6 , 8},而不是诸如“hello”之类的字符串
#include <iostream>
using namespace std;
class N26
{
private:
struct N26Node
{
bool isEnd;
struct N26Node *children[26];
}*head;
public:
N26();
~N26();
void insert(string word);
bool isExists(string word);
void printPath(char searchKey);
};
N26::N26()
{
head = new N26Node();
head->isEnd = false;
}
N26::~N26()
{
}
void N26::insert(string word)
{
N26Node *current = head;
for(int i = 0; i < word.length(); i++)
{
int letter = (int)word[i] - (int)'a';
if(current->children[letter] == NULL)
{
current->children[letter] = new N26Node();
}
current = current->children[letter];
}
current->isEnd = true;
}
/* Pre: A search key
* Post: True is the search key is found in the tree, otherwise false
* Purpose: To determine if a give data exists in the tree or not
******************************************************************************/
bool N26::isExists(string word)
{
N26Node *current = head;
for(int i=0; i<word.length(); i++)
{
if(current->children[((int)word[i]-(int)'a')] == NULL)
{
return false;
}
current = current->children[((int)word[i]-(int)'a')];
}
return current->isEnd;
}