I have a class called Heap that is a Vector of pointers to HeapItem objects
vector<HeapItem*> myHeap;
I want to create a deep copy of Heap so that I can delete all the items in the copy without affecting the original Heap.
EX:
OriginalHeap = new Heap();
OriginalHeap.Insert(HeapItem1);
OriginalHeap.Insert(HeapItem2);
OriginalHeap.Insert(HeapItem3);
CopyHeap = OriginalHeap;
CopyHeap.deleteMin();
print(OriginalHeap);
print(CopyHeap);
Output:
OriginalHeap = HeapItem1,HeapItem2,HeapItem3
CopyHeap = HeapItem2, HeapItem3
Since you introduce the notion of Heap class which is a wrapper for
vector<HeapItem*>
you can define copy constructor for this class that takes care of desired deep copying:One possible modification as was pointed out by Chris is to use
HeapItem
'sclone()
method if former is a polymorphic class - see comments to this answer.In addition, you might define copy assignment (if you want to be able to assigned one existing
Heap
to another one) and you sure want to define destructor to make sure memory is properly released when theHeap
object's life is over.You can also define
Heap
as a template class so that you'd be able to parameterize it with the type ofHeapItem
.