3

在歌曲“God Wrote in LISP Code”中,他们说用 C(或 C++)“只有上帝才能造树”;我开始相信了。

我有一个树类的开始,但是我的类在销毁时出现段错误,说错误是我的队列free_spaces,尽管我不明白为什么。此外,随机错误似乎潜伏在这里和那里。

我以前从未使用过这样的模板,所以可能存在一些隐藏的滥用行为。

任何帮助,将不胜感激。

头文件.h

#include<vector>
#include<queue>
#include<iostream>
using namespace std;

template <class T>
class node {
    public:
        int leftChild,parent;
        bool empty;
        T data;
        node() : leftChild(-1), parent(-1), empty(true) {}
};

template <class T>
class AvlTree {
    private:
        vector< node<T> > nodes;
        queue<int> free_spaces;
        int root;

        int newnode(int parent){
            int index=nodes.size();
            nodes.push_back(node<T>());
            nodes[index].parent=parent;
            return index;
        }

    public:
        AvlTree(){
            nodes.push_back(node<T>());
            root=0;
        }

        void grow(){
            nodes[root].leftChild=newnode(root);
        }
};

主文件

#include "header.h"

int main(){
    AvlTree<int> bob;
    bob.grow();
    cerr<<"Made it to end."<<endl;
}
4

2 回答 2

5

问题在于以下代码行:

nodes[parent].leftChild=newnode(parent);

只需用它替换它即可修复它:

int left = newnode(parent);
nodes[parent].left = left;

这最终归结为评估的顺序。问题是该newnode()函数修改了向量长度。这样做可能会强制std::vector<>重新分配内存以增长(即如果当前容量不够)。如果您遇到这种情况,nodes[parent].left左侧的表达式(如果在newnode()调用之前进行评估)将指向可能无效的内存位置。

于 2012-12-10T01:18:41.563 回答
0

Valgrind 显示此错误:

==23995== Invalid write of size 4
==23995==    at 0x400F68: AvlTree<int>::grow() (/tmp/header.h:39)
==23995==    by 0x400BC6: main (/tmp/t.cc:5)
==23995==  Address 0x5967770 is 0 bytes inside a block of size 16 free'd
==23995==    at 0x4C29DFD: operator delete(void*) (/coregrind/m_replacemalloc/vg_replace_malloc.c:456)
==23995==    by 0x401FC5: __gnu_cxx::new_allocator<node<int> >::deallocate(node<int>*, unsigned long) (/usr/include/c++/4.4/ext/new_allocator.h:95)
==23995==    by 0x40187B: std::_Vector_base<node<int>, std::allocator<node<int> > >::_M_deallocate(node<int>*, unsigned long) (/usr/include/c++/4.4/bits/stl_vector.h:146)
==23995==    by 0x401743: std::vector<node<int>, std::allocator<node<int> > >::_M_insert_aux(__gnu_cxx::__normal_iterator<node<int>*, std::vector<node<int>, std::allocator<node<int> > > >, node<int> const&) (/usr/include/c++/4.4/bits/vector.tcc:361)
==23995==    by 0x40106B: std::vector<node<int>, std::allocator<node<int> > >::push_back(node<int> const&) (/usr/include/c++/4.4/bits/stl_vector.h:741)
==23995==    by 0x40131A: AvlTree<int>::newnode(int) (/tmp/header.h:24)
==23995==    by 0x400F67: AvlTree<int>::grow() (/tmp/header.h:39)
==23995==    by 0x400BC6: main (/tmp/t.cc:5)

这应该足以让您找到错误。

于 2012-12-10T01:04:22.247 回答