我正在尝试实现一个配对堆(https://en.wikipedia.org/wiki/Pairing_heap),但我似乎在编写赋值运算符和复制构造函数时遇到了麻烦。我的默认构造函数以及我的 push 和 pop 函数似乎都可以工作。但是,当我尝试通过复制构造创建新堆或进行分配时,我会在复制期间或第一次后续操作时出现段错误。我已经包含了我认为是以下问题的相关代码段。如果有人能给我一些关于如何进行的建议,将不胜感激。
template<typename T>
PairingHeap<T>::PairingHeap(const PairingHeap& other) {
length = 0;
copy(other.root);
}
template<typename T>
PairingHeap<T>& PairingHeap<T>::operator=(const PairingHeap & rhs) {
length = 0;
if(root != rhs.root){
destroy(root);
copy(rhs.root);
}
return *this;
}
void destroy(Node* A){
if( A != NULL ){
destroy( A->child );
destroy( A->sibling );
delete A;
}
}
void copy(Node* A){
if(A == nullptr) return;
else push(A->elt);
if(A->child != nullptr) copy(A->child);
if(A->sibling != nullptr) copy(A->sibling);
}
template<typename T>
typename PairingHeap<T>::Node* PairingHeap<T>::push(const T& val ) {
length++;
Node* node = new Node(val);
if(root == NULL)
root = node;
else root = meld(root, node);
return node;
}
Node* meld(Node* A, Node* B){
if(B == nullptr)
return nullptr;
if(A->elt < B->elt){
B->prev = A->prev;
A->prev = B;
A->sibling = B->child;
if(A->sibling != nullptr)
A->sibling->prev = A;
B->child = A;
A = B;
return A;
}
else{
B->prev = A;
A->sibling = B->sibling;
if(A->sibling != nullptr)
A->sibling->prev = A;
B->sibling = A->child;
if(B->sibling != nullptr)
B->sibling->prev = B;
A->child = B;
return A;
}
}
template<typename T>
void PairingHeap<T>::pop() {
Node *oldRoot = root;
if(root->child == nullptr)
root = nullptr;
else
root = merge(root->child);
delete oldRoot;
length--;
}
Node* merge(Node* A)
std::vector<Node*> v;
if(A == nullptr || A->sibling == nullptr)
return A;
for(int i = 0; A != nullptr; i++){
v.push_back(A);
A->prev->sibling = nullptr;
A = A->sibling;
}
for(int i = 1; i < (int)v.size(); i++){
v[i] = meld(v[i-1],v[i]);
}
return v[v.size()-1];
}