0

我看过很多关于这个错误的帖子。但我没有动态保留内存或在析构函数中做任何事情:这个程序是用于在操作系统中选择柱面的 SSJF 算法。

我有一个名为 IO 的简单类:

class IO
{
    public:
            IO();
            IO(int,int);
            void setIO(int,int);
            ~IO();
            int trackNo;
            int arrival;
            int start;
            int end;
            bool finished;
};

这是该类的实现:

IO::IO(int arr, int tNum)
{
    this->arrival = arr;
    this->trackNo = tNum;
    this->start = 0;
    this->end = 0;
}    
IO::IO()
{

}

IO::~IO()
{

}    
void IO::setIO(int t1, int t2)
{
    this->trackNo = t1;
    this->arrival = t2;
}

最后是主程序的一部分:

list<IO> myList;
....
myList.push_back(tmpIO); //Add to the list
...
list<IO> wt_list;

后来我尝试做一些操作。我删除了一些不相关的部分。

    //list<IO>::iterator itMin;
    while(myList.size()>0)
    {
        //If it is the first input just get it
        if(f)
        {

            IO selected = myList.front();
            curr_time += selected.arrival + selected.trackNo;
            f=false;
            cout << selected.arrival<<endl;
            lastPos = selected.trackNo;
            myList.pop_front();

        }
        //Check if there is any item to add to queue
        while(myList.front().arrival <  curr_time)
        {
            wt_list.push_back(myList.front());
             myList.pop_front(); //Error is coming from this line
        }

        while(wt_list.size()>0)
        {

        }

错误信息:

malloc: * 对象 0x10f68b3e0 的错误:未分配被释放的指针 *在 malloc_error_break 中设置断点以进行调试

任何人都可以帮助我并解释为什么我会收到此错误以及如何跳过它?

4

1 回答 1

1

我能想出的重现此错误的最简单代码如下所示:

#include <list>

int main()
{
    std::list<int> mylist;
    mylist.pop_front();
}

我可以通过执行以下操作来防止错误:

#include <list>

int main()
{
    std::list<int> mylist;
    if (!mylist.empty())
    {
        mylist.pop_front();
    }
}

你在打电话:

myList.pop_front();

...在一个while-loop 内,而后者又在一个while-loop 内,该 -loop 也调用myList.pop_front().

我只能建议你调试你的代码,看看pop_front()调用 了多少次mylist。我的钱mylist.size()不止一次,因此我在评论中的问题(新的重点):

myList 抛出错误时有多少项?

也许最简单的解决方法是更换......

    //Check if there is any item to add to queue
    while(myList.front().arrival <  curr_time)
    {
        wt_list.push_back(myList.front());
         myList.pop_front(); //Error is coming from this line
    }

    while(wt_list.size()>0)
    {

    }

...和...

    while (!mylist.empty() && myList.front().arrival < curr_time)
    {
        wt_list.push_back(myList.front());
        myList.pop_front();
    }

    while (!wt_list.empty())
    {
    }

...但很难从您提供的片段中分辨出来。

于 2013-10-23T16:42:56.447 回答