我目前有一个二叉搜索树设置,利用模板让我可以轻松地更改二叉搜索树中的数据类型。目前,我无法重载包含要存储在树中的数据的 studentRecord 类。我需要重载此类中的比较运算符,以便我的 BST 可以根据其中一个内容(在本例中为学生 ID)正确比较两个对象。但是,尽管重载了 studentRecord 中的运算符,但仍然没有进行正确的比较。
详情如下:
目前,bst 对象 studentTree 已创建,类型为
bst<studentRecord *> studentTree;
studentRecord 是以下类:
// studentRecord class
class studentRecord{
public:
// standard constructors and destructors
studentRecord(int studentID, string lastName, string firstName, string academicYear){ // constructor
this->studentID=studentID;
this->lastName=lastName;
this->firstName=firstName;
this->academicYear=academicYear;
}
friend bool operator > (studentRecord &record1, studentRecord &record2){
if (record1.studentID > record2.studentID)
cout << "Greater!" << endl;
else
cout << "Less then!" << endl;
return (record1.studentID > record2.studentID);
}
private:
// student information
string studentID;
string lastName;
string firstName;
string academicYear;
};
每当将新项目添加到我的 BST 时,都必须将它们相互比较。因此,我想重载 studentRecord 类,以便在发生此比较过程时比较 studentID(否则将进行无效比较)。
但是,我的插入函数从不使用我的重载比较函数。相反,它似乎是以其他方式比较这两个对象,导致 BST 中的排序无效。下面是我的插入函数的一部分——重要的是要注意 toInsert 和 nodePtr->data 都应该是 studentRecord 类型,因为正在发生模板过程。
// insert (private recursive function)
template<typename bstType>
void bst<bstType>::insert(bstType & toInsert, bstNodePtr & nodePtr){
// check to see if the nodePtr is null, if it is, we've found our insertion point (base case)
if (nodePtr == NULL){
nodePtr = new bst<bstType>::bstNode(toInsert);
}
// else, we are going to need to keep searching (recursive case)
// we perform this operation recursively, to allow for rotations (if AVL tree support is enabled)
// check for left
else if (toInsert < (nodePtr->data)){ // go to the left (item is smaller)
// perform recursive insert
insert(toInsert,nodePtr->left);
// AVL tree sorting
if(getNodeHeight(nodePtr->left) - getNodeHeight(nodePtr->right) == 2 && AVLEnabled)
if (toInsert < nodePtr->left->data)
rotateWithLeftChild(nodePtr);
else
doubleRotateWithLeftChild(nodePtr);
}
此外,这是 BST 类定义的一部分
// BST class w/ templates
template <typename bstType>
class bst{
private: // private data members
// BST node structure (inline class)
class bstNode{
public: // public components in bstNode
// data members
bstType data;
bstNode* left;
bstNode* right;
// balancing information
int height;
// constructor
bstNode(bstType item){
left = NULL;
right = NULL;
data = item;
height = 0;
}
// destructor
// no special destructor is required for bstNode
};
// BST node pointer
typedef bstNode* bstNodePtr;
public: // public functions.....
关于可能导致这种情况的任何想法?我是否重载了错误的类或错误的函数?感谢您提供任何帮助-我似乎迷路了,因为同时发生了许多不同的事情。