BST不断收到分段错误

时间:2011-04-27 13:09:10

标签: c++ g++ binary-search-tree

编辑:通过gdb运行它

Program received signal SIGSEGV, Segmentation fault.
0x0000000000400e4c in Tree::findKey(std::basic_string<char, std::char_traits<char>, std::allocator<char> >&, int, Tree::Node*) ()

我的第一个BST代码需要一些帮助,我一直遇到分段错误,我认为这是内存泄漏?如果是这样我不知道在哪里/如何解决这里是我认为导致问题的代码。是因为我没有设置复制构造函数吗??

tree.cpp文件

Tree::Tree()
{
  root = NULL;
}

bool Tree::insert(int k, string s)
{
  return insert(root, k, s);
}
//HELPER Call find data with key function
bool Tree::findKey(string& s, int k)
{
    return findKey(s, k, root);
}
bool Tree::insert(Node*& currentRoot, int k, string s)
{
  if(currentRoot == NULL){
    currentRoot = new Node;
    currentRoot->key = k;
    currentRoot->data = s;
    currentRoot->left = NULL;
    currentRoot->right = NULL;
    return true;
  }
  else if (currentRoot->key == k)
    return false;
  else if (currentRoot->key > k)
    return insert(currentRoot->left, k, s);
  else
    return insert (currentRoot->right,k, s);
}
bool Tree::findKey(string& s, int k, Node* currentRoot)
{
    if (currentRoot->key == k){
        s = root->data;
        return true;
    }
    else if (root->key < k)
        return findKey (s, k, root->right);
    else if (root->key > k)
        return findKey (s, k, root->left);
    else
        return false;
}

的main.cpp

int main()
{
string sout;
  Tree test;
    test.insert(1, "a");
    test.insert(2, "b");
    test.insert(3, "c");
    test.findKey(sout, 3);
    cout<<sout<<endl;
  return 0;
}

2 个答案:

答案 0 :(得分:2)

当我查看你的方法时,我看到了一些可能的段错误。 想想边缘情况。

这里会发生什么?:

Tree test; 
test.findKey(sout, 3);

Tree test;
test.insert(1, "a");
test.findKey(sout, 3);

修复这些案例并继续。

答案 1 :(得分:2)

bool Tree::findKey(string& s, int k, Node* currentRoot)
{
    if (currentRoot->key == k){
        s = root->data;
        return true;
    }
    else if (root->key < k)
        return findKey (s, k, root->right);
    else if (root->key > k)
        return findKey (s, k, root->left);
    else
        return false;
}

您始终使用root而不是currentRoot,因此您不会真正下降树并在某个时刻获得堆栈溢出。此外,如果currentRootNULL,您错过了检查,因为如果您访问它,那么您将获得一个很好的段错误(这就是@tgmath的意思)。

bool Tree::findKey(string& s, int k, Node* currentRoot)
{
    if(currentRoot == NULL)
        return false;
    // as before ...
}