在unique_ptr上调用reset后出现分段错误

时间:2019-06-04 22:33:44

标签: c++11 pointers segmentation-fault smart-pointers unique-ptr

在unique_ptr上调用reset时出现分段错误:

Node* tree::left_rotate(Node* node) {
    Node* temp = node->right.get();
    node->right.reset(temp->left.get());
    temp->left.reset(node); // **Here is segmentation fault happens**
    if(node->right.get()) {
        node->right->parent = node;
    }
    temp->parent = node->parent;
    if(node->parent) {
        if(node == node->parent->left.get()) {
            node->parent->left.reset(temp);
            node->parent = node->parent->left.get();
        } else if(node == node->parent->right.get()) {
            node->parent->right.reset(temp);
            node->parent = node->parent->right.get();
        }
    }
    return temp;
}

节点具有以下结构:

class Node {
    public:
        int data;
        Node* parent;
        std::unique_ptr<Node> left;
        std::unique_ptr<Node> right;
    public:
        Node() : data(0) {          
        }
        explicit Node(int d) : data(d),
                               parent(nullptr),
                               left(nullptr),
                               right(nullptr) {}        
};

gdb报告:

  

线程1收到信号SIGSEGV,分段错误。 0x00404ae5英寸   std :: unique_ptr> ::〜unique_ptr(       this = 0xfeeefefa,__in_chrg =)       在C:/程序文件(x86)/mingw-w64/i686-8.1.0-posix-dwarf-rt_v6-rev0/mingw32/lib/gcc/i686-w64-mingw32/8.1.0/include/c ++ / bits / unique_ptr.h:273   273 if(__ptr!= nullptr)

上一个堆栈帧的报告:

#2  0x004047e8 in std::default_delete<Node>::operator() (this=0xfe1de4,
    __ptr=0xfeeefeee)
    at C:/Program Files (x86)/mingw-w64/i686-8.1.0-posix-dwarf-rt_v6-rev0/mingw32/lib/gcc/i686-w64-mingw32/8.1.0/include/c++/bits/unique_ptr.h:81
81              delete __ptr;

所以这似乎是双重删除。如何解决这个问题?也许值得将临时指针用作 shared_ptr

1 个答案:

答案 0 :(得分:1)

Node* temp = node->right.get();

temp是指向节点右节点的原始指针

node->right.reset(temp->left.get());

将节点的右节点重置为临时节点的左节点,从而删除原始节点的右侧节点(临时节点指向该节点)。这意味着临时原始指针现在指向已删除的节点。

temp->left.reset(node); // **Here is segmentation fault happens**

由于删除了temp,对其进行解引用以使其成为左节点会导致不良情况。

一个简单的想法,也许首先使用release()而不是get()来接管该节点的右节点的所有权?