题意:。。。
策略如题。
思路:我们先假设只求某一区间的最大值,我们只需要利用线段树的模板,只需要初始化和询问的时候小小的修改一下,改成祖先结点储存的不再是子节点的和而是两个子节点之间的最大值,这样我们可以求出最大值了,最小值也是这样求。
注意:因为询问的时候既要求最大值又要求最小值,所以要返回结构体。
代码:
#include <stdio.h>
#include <string.h>
#define M 100005
struct node{
int left, right;
int max, min;
};
node s[M*4];
void creat(int left, int right, int pos){
s[pos].left = left;
s[pos].right = right;
if(left == right){
scanf("%d", &s[pos].min);
s[pos].max = s[pos].min;
return;
}
int mid = (right+left)>>1;
creat(left, mid, pos<<1);
creat(mid+1, right, pos<<1|1);
s[pos].max = s[pos<<1].max>s[pos<<1|1].max?s[pos<<1].max:s[pos<<1|1].max;
s[pos].min = s[pos<<1].min<s[pos<<1|1].min?s[pos<<1].min:s[pos<<1|1].min;
}
node query(int left, int right, int pos){ //要返回结构体
if(left == s[pos].left&&right == s[pos].right){
return s[pos];
}
int mid = (s[pos].left+s[pos].right)>>1;
if(right <= mid) return query(left, right, pos<<1);
else if(left > mid) return query(left, right, pos<<1|1);
else{
node temp1 = query(left, mid, pos<<1);
node temp2 = query(mid+1, right, pos<<1|1);
node temp;
temp.max = temp1.max>temp2.max?temp1.max:temp2.max;
temp.min = temp1.min<temp2.min?temp1.min:temp2.min;
return temp;
}
}
int main(){
int n, q, a, b;
scanf("%d%d", &n, &q);
creat(1, n, 1);
while(q --){
scanf("%d%d", &a, &b);
node temp = query(a, b, 1);
printf("%d\n", temp.max-temp.min);
}
return 0;
}
题目链接: http://acm.nyist.net/JudgeOnline/problem.php?pid=119