0

我正在用 C++ 实现一个简单的优先级队列。

但是,当它运行时,它会打印出乱码。我是否以某种方式试图在我的代码中访问数组中的无效条目?

下面是代码。

另外,我的“删除”功能是否在某种程度上没有发挥作用?从概念上讲,我是否应该将 null 放入第一个条目并返回刚刚删除的内容?

谢谢。

[优先级.h]

#ifndef Priority_h
#define Priority_h


class Priority
{
    public:
        Priority(void);
        Priority(int s);
        ~Priority(void);

        void insert(long value);
        long remove();
        long peekMin();
        bool isEmpty();
        bool isFull();

        int maxSize;
        long queArray [5];
        int nItems; 

    private:

};

#endif

[优先级.cpp]

#include <iostream>
#include <string>
#include <sstream>
#include <stack>
#include "Priority.h"

using namespace std;

Priority::Priority(void)
{

}

Priority::Priority(int s)
{
    nItems = 0;
}

Priority::~Priority(void)
{

}

void Priority::insert(long item)    
{
      int j;

      if(nItems==0)                         // if no items,
            {
            queArray[0] = item; nItems++;
            }// insert at 0
      else                                // if items,
         {
         for(j=nItems-1; j=0; j--)         // start at end,
            {
            if( item > queArray[j] )      // if new item larger,
               queArray[j+1] = queArray[j]; // shift upward
            else                          // if smaller,
               break;                     // done shifting
            }  // end for
         queArray[j+1] = item;            // insert it
         nItems++;
         }  // end else (nItems > 0)

}

long Priority::remove()             
{ 
    return queArray[0];
}

long Priority::peekMin()            
{ 
    return queArray[nItems-1]; 
}

bool Priority::isEmpty()         
{ 
    return (nItems==0);
}

bool Priority::isFull()          
{
    return (nItems == maxSize); 
}

int main ()
{
      Priority thePQ; 
      thePQ.insert(30);
      thePQ.insert(50);
      thePQ.insert(10);
      thePQ.insert(40);
      thePQ.insert(20);

      while( !thePQ.isEmpty() )
         {
         long item = thePQ.remove();
         cout << item << " ";  // 10, 20, 30, 40, 50
         }  // end while
      cout << "" << endl;

    system("pause");
}
4

3 回答 3

4

这是一个错误:

     for(j=nItems-1; j=0; j--)         // start at end,
                      ^ this is assignment, not comparison.

我也不相信在

     queArray[j+1] = item;            // insert it

最后,您的默认构造函数无法初始化nItems

可能还有更多错误,但我会就此停止。

于 2013-03-20T18:38:33.780 回答
0

尝试在构造函数中初始化队列数组。

于 2013-03-20T18:40:04.110 回答
0

我同意这里的其他答案,但我会补充一点:

您的“删除”方法实际上并没有删除任何东西 - 它只是返回第一个元素 - 但它不会对数组本身做任何事情。

编辑说您的插入方法需要一些工作 - 它可能会或可能不会写入数组的末尾,但它肯定会混淆它在做什么。

于 2013-03-20T18:41:54.183 回答