數列區間最大值(線段樹)
阿新 • • 發佈:2021-01-06
技術標籤:線段樹
輸入一串數字,給你 M 個詢問,每次詢問就給你兩個數字 X,Y,要求你說出 X 到 Y 這段區間內的最大數。
輸入格式
第一行兩個整數 N,M 表示數字的個數和要詢問的次數;
接下來一行為 N 個數;
接下來 M行,每行都有兩個整數 X,Y。
輸出格式
輸出共 M 行,每行輸出一個數。
資料範圍
1≤N≤105,
1≤M≤106,
1≤X≤Y≤N,
數列中的數字均不超過231−1
輸入樣例:
10 2
3 2 4 5 6 8 1 2 9 7
1 4
3 8
輸出樣例:
5
8
#include <cstdio>
#include <cstring>
#include <iostream>
#include <algorithm>
#include <climits>
using namespace std;
const int N = 100010;
int n, m;
int w[N];
struct Node
{
int l, r;
int maxv;
}tr[N * 4];
void pushup(int u)
{
tr[u].maxv = max(tr[u << 1].maxv,tr[u << 1 | 1].maxv);
}
void build (int u, int l, int r)
{
if(l==r)tr[u]={l,r,w[l]};
else{
tr[u] = {l, r};//賦值
int mid = l + r >> 1;
build(u << 1, l, mid), build(u << 1 | 1, mid + 1, r);
pushup(u);
}
}
int query(int u, int l, int r)
{
if(tr[u].l>=l&&tr[u].r<= r)return tr[u].maxv;
int mid=tr[u].l+tr[u].r>>1;//整個數的中點
int maxv=-1;
if(l<=mid)maxv=query(u<<1,l,r);
if(r>mid)maxv=max(maxv,query(u<<1|1,l,r));
pushup(u);
return maxv;
}
int main()
{
scanf("%d%d", &n, &m);
for (int i = 1; i <= n; i ++ ) scanf("%d", &w[i]);
build(1, 1, n);
int a,b;
while (m -- )
{
scanf("%d%d", &a, &b);
printf("%d\n", query(1, a, b));
}
return 0;
}