1

我遇到了这个问题,我们被要求存储一个字符串和一个否。与它相关联,我们应该从列表中删除最小编号(及其字符串),并删除存储在它之后的编号(和字符串)。输入是编号,字符串对和输入的流of -1 表示我们需要从列表中删除最少量的及其上方的对。输出应该是最小编号项目上方的项目数。例如 2 abcd 1 aabb 3 dbbb -1 o/p 1 (因为最小值是 1 aabb 并且后面只有一项,即 3 dbbb;我们的列表现在只包含 2 abcd)。另一个 -1 会产生 o/p 0。我已经尝试过使用链表,但它似乎比预期花费更多的时间。我需要一个更好的数据结构或算法。这是我的代码:

#include<stdio.h>
#include<string.h>
#include<stdlib.h>
typedef struct data
    {
        int no,pos;
        char *st;
        struct data *next;
    }data;
void insert(data *start,int n,char *s);
void minimum(data *start);
int total=0,min=100001,posn=0;//total=total no of nodes,rem=nodes after minimum
data *temp;
int main()
    {
        int N,n;
        data *start;
        start=(data*)malloc(sizeof(data));
        start->pos=0;
        start->no=100002;
        start->next=NULL;
        char c,s[16];
        scanf("%d",&N);
        while(N)
            {
                scanf("%d",&n);
                if(n!=-1)
                    {
                        scanf("%c",&c);
                        scanf("%s",s);
                        total++;
                        posn++;
                        insert(start,n,s);
                    }
                else
                    {
                        printf("%d %s\n",total-(temp->next->pos),temp->next->st);
                        posn=temp->pos;
                        total=temp->pos;
                        temp->next=NULL;
                        minimum(start);
                    }
                N--;
            }
    }
void insert(data *start,int n,char *s)
    {
    while(start->next!=NULL)
        start=start->next;
    if(n<=min)
        {
            temp=start;
            min=n;
        }
    start->next=(data*)malloc(sizeof(data));
    start=start->next;
    start->no=n;
    start->st=(char*)malloc(sizeof(char)*(strlen(s)));
    strcpy(start->st,s);
    start->pos=posn;
    start->next=NULL;
    return;
    }
void minimum(data *start)
    {
        min=100001;
        while(start->next!=NULL)
            {
                if(start->next->no<=min)
                    {
                        min=start->next->no;
                        temp=start;
                        start=start->next;
                    }
            }
        return;
    }

任何帮助,将不胜感激。

4

1 回答 1

0

那么这里是您的代码的一些问题:

  1. start=start->next;应该在每次迭代中完成,而不仅仅是在找到新的最小值时。
  2. 您总是缺少列表的头部,迭代while(start != NULL)(并检查start->no而不是下一个节点)。(这似乎start是一个虚拟变量,如果确实如此 - 你只是错过了它 - 这很好)。
  3. 您缺少该minimum()函数的返回类型,它不应该是void. 如果您的列表包含ints,则返回类型应该是int,并且当您用完循环时应该是return min;。(如果您有兴趣返回附加的最小字符串,请存储一个额外的变量char* minElement,在您修改时修改它,并在循环耗尽时min返回它(minelement )。 (请注意,将答案存储在全局变量中是一种不好的做法,更好的方法是从函数中返回它)
  4. 您应该将 min 初始化为INT_MAX一个任意数字。

关于优化问题:

如果您只对找到最小元素感兴趣,那么就是专门为它设计的数据结构!它是用于检索最小值的简单且非常有效的数据结构。

另请注意,如果您的数据结构不支持删除,您可以在每次插入时缓存 min,类似于此伪代码的行:

添加到插入功能:

if (newValue < min):
   min <- newValue

和 min 很简单,就像检索缓存的min.

于 2012-12-05T08:09:08.727 回答