非常简单,我需要使用此预先存在的代码进行课堂测验。我们将必须实现某种功能。我想知道应该使用哪种功能?我不是很擅长当场编码,并且希望尽可能做好准备。
练习版本让我们执行了称为Top5()的此功能,该功能打印出了BST的最高5个元素。因此,我完成了此操作,并编写了自己的版本最低版本3(),该版本返回BST中最低的第三位元素。我只是想知道,还有其他可以解决的类似困难的事情,我是否可以改善呢? (简而言之,我不想迷惑自己)。
class BTnode {
public:
int key;
BTnode *left, *right, *parent;
BTnode(int key, BTnode *left, BTnode *right, BTnode *parent) :
key(key), left(left), right(right), parent(parent) {};
};
// Desc: A binary search tree (root)
// Inv: All keys in root->left <= root->key <= all keys in root->right
class BST {
private:
// Desc: The root of the BST (NULL if empty)
BTnode *root;
// Desc: Helper function for .insert(key)
BTnode *insertH(BTnode *root, int key);
// this is the data members.
void BST::top5H(BTnode* node, int* count) const{
if(node->right){
top5H(node->right, count);
}
if(*count == 5){
return;
}
cout << node->key << " ";
(*count)++;
if(node->left){
top5H(node->left, count);
}
}
//try to find 5 highest.
void BST::top5() const {
int* count = new int(0);
top5H(root, count);
cout << endl;
free(count);
} // top5
// this is my implementation of top5().
void BST::lowest3H(BTnode* node, int* count, int* arr) const{
if(node->left){
lowest3H(node->left, count, arr);
}
if(*count == 3){
return;
}
cout << node->key << " ";
arr[*count] = node->key;
(*count)++;
if(node->right){
lowest3H(node->right, count, arr);
}
}
//try to find 3rd lowest.
void BST::lowest3() const {
int * arr = NULL;
arr = new int[100];
int* count = new int(0);
int min;
int temp;
lowest3H(root, count, arr);
for(int i = 0; i < 3; i++){
min = i;
for(int j = i+1; j < 100; j++){
if(arr[j] < arr[min]){
min = j;
}
}
temp = min;
arr[min] = arr[i];
arr[i] = arr[temp];
cout << arr[i];
}
cout << endl << arr[2] << endl;
free(count);
}
//This is my implementation of lowest3()
这些工作,对于我得到的BST,假定它们将为我们提供结构良好的示例,所以没有极端情况。