访问冲突在双向队列中写入

时间:2012-11-03 20:33:42

标签: c++ queue visual-studio-2012

我正在尝试用c ++创建一个双面队列。 我正在使用Visual Studio 2012并继续获取:

First-chance exception at 0x00D95A29 in Console_Assignment1.exe: 0xC0000005: Access violation writing location 0x00000008.

我认为我有一个指针问题(可能试图取消引用我不应该的东西)。 到目前为止,我没有找到问题的运气,我真的很感激第二次看。

(代码太长,无法粘贴,所以我只是复制我认为给我的问题的功能。) 也许只是一个小概述。我有一个节点类,它包含两个指向节点(下一个和上一个)和一个int(值)的指针。和一个包含两个指向节点(第一个和最后一个)和一个int(大小)的指针的队列类。

// enqueueBeg - adds a new node at the beginning of the queue.
void DBL_Queue::enqueueBeg(int insert_val)
{
node* new_node = new node(insert_val);  // Creates the new node.
new_node->setNext( this->getFirst() ); // Connects the new node to the first in the queue
this->getFirst()->setPrev( new_node ); // Connects the first node in the queue to the new one
this->setFirst( new_node );             // Sets the new node as the first in the queue
this->setSize ( this->get_queue_size() + 1 ); // adds 1 to the size of the list

// dequeueBeg - removes the first node of the queue.
int DBL_Queue::dequeueBeg()
{
int ret_value = this->getFirst()->getVal();
node* old_node = this->getFirst();
this->setFirst( this->getFirst()->getNext() ); // Sets the second node in the queue as the first.
this->getFirst()->setPrev( NULL ); // Removes the link between the new first new and the old one.
this->setSize( this->get_queue_size() - 1); // Removes 1 from queue size
delete old_node;  // Deletes the node that use to be first.
return ret_value; // Returns the value of the old node.

// DBL_Queue Destructor
DBL_Queue::~DBL_Queue()
{
if (this->first == NULL)   // if queue is empty do nothing
    return;
else 
{
    while (this->first->getNext() != NULL)  // go through all nodes and delete them one by one
    {
        node* deletion = this->getFirst();
        this->setFirst( this->getFirst()->getNext() );
        delete deletion;
    }
}
}

提前感谢您的帮助!

2 个答案:

答案 0 :(得分:0)

我认为这是你的问题:

 while (this->first->getNext() != NULL)  // go through all nodes and delete them one by one
{
    node* deletion = this->getFirst();
    this->setFirst( this->getFirst()->getNext() );
    delete deletion;
}

删除最后一个节点后,您将调用

this->setFirst( null );

因为this->getFirst()->getNext()将为空,对吧? 那么while(this->first->getNext()变为null->getNext()

为什么不

while(this->first != NULL)

编辑:除非你真的关心最小化析构函数的运行时间,否则为什么不

while(this->getFirst() != NULL) {this->dequeueBeg;}

答案 1 :(得分:0)

约阿希姆的评论: “您是否尝试过在调试器中运行?它可以帮助您找到崩溃的位置,还可以让您检查变量以帮助您查看可能导致它的原因。但是,您是否考虑过排队第一个节点时会发生什么? ,意味着没有当前的第一个节点(即this-> getFirst()返回NULL)?你的出列函数有类似的问题。“

是解决方案吗?我的问题是我没有处理插入空队列或正确删除最后一个节点。

全部谢谢!