我已经为Stack ADT实现了几个功能。我试图在O(1)时间中找到最大值和最小值,并且我扩展了堆栈结构以实现此目的。这是我的代码:

 void mms_push(MMStack mms, int i) {

struct llnode *new = malloc(sizeof(struct llnode));
new->item = i;
if(mms->len!=0)
{
 new->next = mms->topnode;
 mms->topnode = new;
}
else
{
 new->next = NULL;
 mms->topnode = new;
}

if (mms->len == 0)
{
mms->topnode->minc = i;
mms->topnode->maxc = i;}
else
{
  if(mms->topnode->maxc < i)
  {
      mms->topnode->maxc = i;
  }

  if(i<mms->topnode->minc)
  {
      mms->topnode->minc = i;
  }


mms->len++;}


int mms_pop(MMStack mms) {
  assert(mms);
  int ret = mms->topnode->item;
  struct llnode *backup = mms->topnode;
  mms->topnode = mms->topnode->next;
  mms->len--;


  free(backup);
  return ret;
}


我使用的结构如下:

struct llnode
{

  int item;
  struct llnode *next;
  int minc;
  int maxc;
};

struct mmstack
{
  int len ;
  struct llnode *topnode;

};


typedef struct mmstack *MMStack;


我没有获得最大和最小值的正确值。如何更正代码,以便在堆栈中获得正确的max和min元素值?

提前致谢!

最佳答案

看一下这段代码:

if (mms->len == 0)
{
  mms->topnode->minc = i;
  mms->topnode->maxc = i;
}
else
{
  if(mms->topnode->maxc < i)
  {
      mms->topnode->maxc = i;
  }

  if(i<mms->topnode->minc)
  {
      mms->topnode->minc = i;
  }
}


请注意,在else分支中,您在初始化mms->topnode->mincmms->topnode->maxc之前先读取它们的值。我认为您打算在重新分配mms->topnode->minc之前先查看maxc / mms->topnode的值。要解决此问题,请尝试执行以下操作:

else
{
  mms->topnode->maxc = mms->topnode->next->maxc;
  mms->topnode->minc = mms->topnode->next->minc;

  if(mms->topnode->maxc < i)
  {
      mms->topnode->maxc = i;
  }

  if(i<mms->topnode->minc)
  {
      mms->topnode->minc = i;
  }
}


在与i比较之前,这两条额外的两行将最小值和最大值初始化为旧的最大值,这应确保它们得到一个值。

希望这可以帮助!

10-08 15:14