我正在试图找出为什么我从单链表实现中得到一个seg-error。
我创建了一个名为dq1的Deque类型的对象,编译器在程序完成后调用它的析构函数 - 析构函数调用remove_front()来处理head的一些move()。我相信这就是问题所在,但我似乎无法弄清楚它究竟在哪里。
调试器信息 - 不知道该怎么做?
#0 0x4013ea std::unique_ptr<Node, std::default_delete<Node> >::get(this=0x8) (/usr/include/c++/6/bits/unique_ptr.h:305)
#1 0x401586 std::unique_ptr<Node, std::default_delete<Node> >::operator bool(this=0x8) (/usr/include/c++/6/bits/unique_ptr.h:319)
#2 0x40140b std::operator!=<Node, std::default_delete<Node> >(std::unique_ptr<Node, std::default_delete<Node> > const&, decltype(nullptr))(__x=<error reading variable: Cannot access memory at address 0x8>) (/usr/include/c++/6/bits/unique_ptr.h:670)
#3 0x401132 Deque::size(this=0x7fffffffe520) (Deque.cpp:75)
#4 0x4010f2 Deque::empty(this=0x7fffffffe520) (Deque.cpp:66)
#5 0x4016dd main() (/test.cpp:12)
Deque.cpp
#include "Deque.h"
#include <iostream>
#include <memory>
#include <utility>
#include <stdexcept>
using std::cout;
using std::endl;
using std::move;
Deque::~Deque()
{
while (!empty()) remove_front();
}
void Deque::insert_front(int a)
{
std::unique_ptr<Node> new_node;
new_node->val = move(a);
new_node->next = move(head); // head is wiped.
head = move(new_node); //head is init. with new_node val*/
}
int Deque::remove_front()
{
if (empty()) {throw std::runtime_error(std::string("Empty"));};
std::unique_ptr<Node> old;
int return_value = head->val;
old = move(head);
head = move(old->next);
delete &old;
return return_value;
}
bool Deque::empty() const
{
return (size() == 0);
}
int Deque::size() const
{
int size_val = 0;
const Node* p = head.get();
while ( p != NULL)
{
size_val++;
p = p->next.get();
}
return size_val;
}
TEST.CPP
#include <iostream>
#include "Deque.h"
using std::cout;
using std::endl;
int main()
{
Deque dq1;
return 0;
}
deque.h
#include "Node.h"
#include <memory>
class Deque{
public:
Deque() = default;
Deque(const Deque&);
~Deque(); //must use constant space
Deque& operator=(const Deque&){return *this;};
void insert_front(int);
int remove_front();
bool empty() const;
private:
friend Node;
std::unique_ptr<Node> head ;
std::unique_ptr<Node> tail ;
};
Node.h
#include "Node.h"
std::ostream& operator<<(std::ostream& out, const Node& n) {
return out << &n << ": " << n.val << " -> " << n.next.get();
}
答案 0 :(得分:1)
你有UB就在这里:
std::unique_ptr<Node> new_node;
new_node->val = move(a);
您创建了一个默认初始化的新指针(指向nullptr
)并取消引用它。如果你有C ++ 14或更高版本,或者只是用std::make_unique
初始化它,你应该用new
初始化它:
std::unique_ptr<Node> new_node = std::make_unique<Node>(); // C++14 or later
std::unique_ptr<Node> new_node( new Node ); // pre C++14
此行也有问题:
delete &old;
这条线没有任何意义。你得到指针本身的地址,它被创建为局部变量并尝试删除它。如果你试图删除old
所指向的数据,那就是以太错误 - std::unique_ptr
的整点就是自动执行此操作。
该成员:
std::unique_ptr<Node> tail ;
这在设计上是错误的,尽管你似乎没有在你的代码中使用它。这假设您将有多个std::unique_ptr
指向同一个对象。但是这个指针是唯一的所有权。
你似乎也在Deque::size()
中遇到了问题,但如果没有看到来源就无法说出那里的错误。
在析构函数中,您不需要做任何事情(尽管如果正确实现其他方法也不会有害) - std::unqiue_ptr
会递归破坏所有数据。