Problem Description
对于包含n(1<=n<=100000)个整数的序列,对于序列中的每一元素,在序列中查找其位置之后第一个大于它的值,如果找到,输出所找到的值,否则,输出-1。
Input
输入有多组,第一行输入t(1<=t<=10),表示输入的组数;
以后是 t 组输入:每组先输入n,表示本组序列的元素个数,之后依次输入本组的n个元素。
Output
输出有多组,每组之间输出一个空行(最后一组之后没有);
每组输出按照本序列元素的顺序,依次逐行输出当前元素及其查找结果,两者之间以-->间隔。
Example Input
2 4 12 20 15 18 5 20 15 25 30 6
Example Output
12-->20 20-->-1 15-->18 18-->-1 20-->25 15-->25 25-->30 30-->-1 6-->-1
Hint
本题数据量大、限时要求高,须借助栈来完成。
#include<stdio.h>
#include<string.h>
#include<stdlib.h>
#define INITSTACKSIZE 1000
#define INCREMENT 10
#define OVERFLOW -2
#define ERROR -1
#define OK 1
typedef int Elemtype;
typedef int Statu;
typedef struct node
{
int num;
int lager;
}number;
typedef struct Snode
{
Elemtype *base;
Elemtype *top;
int listsize;
}SqStack;
Statu InitStack(SqStack &S);
Statu PushStack(SqStack &S, Elemtype e);
Statu PopStack(SqStack &S, Elemtype &e);
Statu Compare(number a[], int n);
int main()
{
int t, i, n;
number a[100010];
scanf("%d", &t);
while(t--)
{
scanf("%d", &n);
for(i = 0; i < n; i++)
{
scanf("%d", &a[i].num);
}
Compare(a, n);
if(t)
printf("\n");
}
}
Statu InitStack(SqStack &S)
{
S.base = (Elemtype *)malloc(INITSTACKSIZE * sizeof(Elemtype));
if(!S.base)
exit(OVERFLOW);
S.top = S.base;
S.listsize = INITSTACKSIZE;
return OK;
}
Statu PopStack(SqStack &S, Elemtype &e)
{
if(S.base == S.top)
return ERROR;
e = *(--S.top);
return OK;
}
Statu PushStack(SqStack &S, Elemtype e)
{
if(S.top - S.base >= S.listsize)
{
S.base = (Elemtype *)realloc(S.base, (S.listsize + INCREMENT) * sizeof(Elemtype));
if(!S.base)
return ERROR;
S.top = S.base + S.listsize;
S.listsize += INCREMENT;
}
*S.top++ = e;
return OK;
}
Statu Compare(number a[], int n)
{
int i;
SqStack S;
InitStack(S);
for(i = n - 1; i >= 0; i--)
{
if(S.base == S.top)
{
PushStack(S, a[i].num);
a[i].lager = -1;
}
else
{
while(S.base != S.top && *(S.top - 1) <= a[i].num)
S.top--;
if(S.base == S.top)
{
PushStack(S, a[i].num);
a[i].lager = -1;
}
else
{
a[i].lager = *(S.top - 1);
PushStack(S, a[i].num);
}
}
}
for(i = 0; i < n; i++)
{
printf("%d-->%d\n", a[i].num, a[i].lager);
}
return OK;
}