I'm trying to implement a binary search tree class, but the compiler is throwing errors. The bstNode.h file is here:
template <class Item, class Key>
class bstNode
{
public:
bstNode();
bstNode(const Item& init_data, const Key& init_key, bstNode<Item, Key> *init_left, bstNode<Item, Key> *init_right);
~bstNode();
bstNode<Item, Key>* tree_copy(const bstNode<Item, Key>*& root);
private:
Item data;
Key key;
bstNode* left;
bstNode* right;
};
template <class Item, class Key>
//line 83 in the original code is below
bstNode<Item, Key>* bstNode<Item, Key>::tree_copy(const bstNode<Item, Key>*& root)
{
bstNode<Item, Key>* l_ptr;
bstNode<Item, Key>* r_ptr;
if (root == NULL) return NULL;
l_ptr = tree_copy(root -> left());
r_ptr = tree_copy(root -> right());
return new bstNode<Item, Key> (root -> data(), l_ptr, r_ptr);
}
The .h file compiles fine with an empty main function, but when I try it with the following bit of code in bstNode.cxx, it crashes, giving an error. The code is:
#include <cstddef>
#include <algorithm>
#include <math.h>
#include <iostream>
#include "bstNode.h"
using namespace std;
int main()
{
bstNode<int, size_t>* root_ptr = NULL;
bstNode<int, size_t>* copy_root_ptr = root_ptr -> tree_copy(root_ptr);
return 0;
}
And the error is:
bstNode.cxx: In function ‘int main()’:
bstNode.cxx:14: error: no matching function for call to ‘bstNode<int, long unsigned int>::tree_copy(bstNode<int, long unsigned int>*&)’
bstNode.h:83: note: candidates are: bstNode<Item, Key>* bstNode<Item, Key>::tree_copy(const bstNode<Item, Key>*&) [with Item = int, Key = long unsigned int]
The prototype is exactly the same as the function's implementation, sans the bstNode:: so I'm not sure what's going on. I'm using the g++ compiler. Any ideas? Much appreciated, thanks.
EDIT: I cut down on the code to try and highlight the problem.