使用结构对两个堆栈进行排序

时间:2013-05-18 16:00:41

标签: sorting struct stack

有3个堆栈 - A,B,C

堆栈A和B已排序(堆栈顶部的数字最大)。堆栈C为空仅允许5个操作:

推, 流行, 最佳, 是空的, 创建

我们需要编写一个接收堆栈A和B的函数,将堆栈A和B中的所有数字移动到堆栈C,堆栈C必须排序(最大数字在顶部)。

我有算法:

  

将A的顶部与B的顶部进行比较

Pop the least element and push to stack C

Repeat step 2 until any of the stack ( A or B) becomes empty

Move remaining elements from non-empty stack to C. Now you have all the elements in C  but in ascending order. (That is least element at top).

Move all the elements from C to A. (Contents in A are in descending order)

Move all the elements from A to B. (Contents in B are in ascending order)

Move all the elements from B to C.

我开始编写代码,但有错误,我不知道为什么!

代码:

#include <stdio.h> 
#include <stdlib.h>
#include <conio.h>
#define MAX_MEMBERS 10
typedef struct
{
    int num;
}ITEM;

typedef struct
{
    ITEM a[MAX_MEMBERS];
    int top;
}STACK;

void create_stack(STACK *s)
{
    s->top=-1;
}

int is_empty(STACK *s)
{
    return s->top==-1;
}

int is_full(STACK *s)
{
    return s->top==MAX_MEMBERS-1;
}

ITEM pop(STACK *s)
{
    return s->a[s->top--];
}

void (STACK *s,ITEM *item)
{
    s->a[++s->top]=*item;
}

ITEM top(STACK *s)
{
    return s->a[s->top];
}

void sort (STACK *a,STACK *b,STACK *c)
{
    while(!is_empty(&a)||!is_empty(&b))
        if(top(&a)>top(&b))
            push(&c,pop(&b));

    if(!is_empty(&a))
    {
        while(!is_empty(&a))
            push(&c,pop(&a));
    }

    else
    {
        while(!is_empty(&b))
            push(&c,pop(&b));
    }

    while(!is_empty(&c))
        push(&a,pop(&c));

    while(!is_empty(&a))
        push(&b,pop(&a));

    while(!is_empty(&b))
        push(&c,pop(&b));

}

void main(void)
{
    STACK a,b,c;
    create_stack(&a);
    create_stack(&b);
    create_stack(&c);
    sort(&a,&b,&c);
}

1 个答案:

答案 0 :(得分:0)

您应该弹出最高元素并将其推送到C.

要以相反的顺序将所有元素推送到C,您需要C底部的最高元素(必须先按下该值)。如果a> b然后:弹出a,按c。

无论如何,您的代码似乎不是很安全。看看以下内容:

while(!is_empty(&a)||!is_empty(&b))
    if(top(&a)>top(&b))

让我们假设a是空的而b不是a.top等于-1而b.top的范围是0到MAX_MEMBERS - 1.由于其中一个堆栈不为空,条件为真。 通过调用top(&amp; a)执行以下代码:

返回[-1]; //错误:索引越界

This is how your code is resolved.
is_empty(&a) returns true
!is_empty(&a) returns false
(false || true) returns true

while(false || true)
    if( top(&a) > top(&b) )

无论如何,我怀疑你的代码甚至可以编译。

void (STACK *s,ITEM *item)
{
    s->a[++s->top]=*item;
}

这应该是:

void push(STACK *s,ITEM *item)
{
    s->a[++s->top]=*item;
}

还要考虑:

void main(void)
{
    STACK a,b,c;
    create_stack(&a); //stack a is created, contains no elements
    create_stack(&b); //stack b is created, contains no elements
    create_stack(&c); //stack c is created, contains no elements
    sort(&a,&b,&c); //sort which elements of the stack?
}