我正在尝试显示从 BST 的根节点到目标节点的路径。我的功能在前两层工作得很好,但在那之后就搞砸了。例如,测试编号为 6、9、4、11、10(按此顺序插入)。如果我搜索 6、9 或 4,它会起作用(例如:“6 9”)。但是如果我尝试 11 或 10,它会同时显示它们,并且会乱序显示。我有点不知道为什么。任何想法都会很棒!
template <class T>
void BST<T>::displayPath(T searchKey, BST<T> *node)
{
if (searchKey == node->mData)
{
cout << node->mData << " ";
}
else if (searchKey < node->mData )
{
cout << node->mData << " ";
displayPath(searchKey, node->mLeft);
}
else// (searchKey > node->mData)
{
cout << node->mData << " ";
displayPath(searchKey, node->mRight);
}
}
这是插入功能。数字按上述顺序插入。
template <class T>
void BST<T>::insert(BST<T> *&node, T data)
{
// If the tree is empty, make a new node and make it
// the root of the tree.
if (node == NULL)
{
node = new BST<T>(data, NULL, NULL);
return;
}
// If num is already in tree: return.
if (node->mData == data)
return;
// The tree is not empty: insert the new node into the
// left or right subtree.
if (data < node->mData)
insert(node->mLeft, data);
else
insert(node->mRight, data);
}