无法返回模板化的struct对象指针

时间:2015-06-30 03:41:31

标签: c++ templates pointers

我在课堂上编写所有方法原型,它们的定义将在它之外。这是我的AVL课程设置:

template <class type>
class avlTree : public binarySearchTree<type>
{
public:
    avlTree();      //default constructor
    ~avlTree();     //destructor
    const type & findMin() const;
    const type & findMax() const;
    bool isEmpty() const;
    void printTree() const;
    void makeEmpty();
    void insert(const type & newData);
    void remove(const type & deleteItem);

private:
    template<class type>
    struct avlNode
    {
        type info;
        avlNode *left;
        avlNode *right;
        int height;

        avlNode(const type & data, avlNode *ll, avlNode *rl, int h = 0)
            : info{ data }, left{ ll }, right{ rl }, height{ h } {}
    };

    avlNode<type> * root;

    void insert(const type & newData, avlNode<type> * & p);
    void remove(const type & deleteItem, avlNode<type> * & p);
    avlNode<type>* findMin(avlNode<type> * p);  //these two methods are where I'm having problems.
    avlNode<type>* findMax(avlNode<type> * p);

};

我在编写内部(私有)findMin()findMax()定义时遇到问题。为了增加清晰度,不是实际算法而是返回avlNode对象指针的语法。类中的原型没有显示错误,但是当我尝试在类之外编写它的定义时,Intellisense不会显示,当我尝试编码p->member时,本地p指针没有显示其成员。通常Intellsense会显示带有成员的下拉菜单,但它没有显示。所以我知道存在某种语法错误。我认为它可能与模板的设置方式有关,但我不确定。那么我做错了什么?

我的方法定义我遇到了问题:

template <class type>
typename avlTree<type>::avlNode* avlTree<type>::findMin(avlNode * p)
{
    if (p == nullptr)
        return nullptr;
    if (p->left == nullptr)  //when I hover over 'p->left' that's when Intellisense says '<unknown> avlTree<type>::avlNode::left'
        return p;
    return findMin(p->left);  //same thing here
}

1 个答案:

答案 0 :(得分:2)

这应该这样做:

template <typename type>
avlTree<type>::avlNode<type>* 
    avlTree<type>::findMin(avlNode<type>* p) {
  // ...
}

如果您还没有意识到这一点,那么您就不需要将avlNode本身作为模板。您正在实现不必要的灵活性,avlTree<int>::avlNode<long>是一个事物,但实际上从未实际利用上述灵活性。使avlNode成为一个简单的非模板成员类 - 这将大大简化问题。