Q4.4.6.1. 区间最长不上升子串
差分, 转化为连续区间上最长 >=0 或 <=0 的区间
每个节点维护区间 前缀最大值, 后缀最大值, 区间答案, 区间长度
类似“小白逛公园”
点击查看代码
#include <iostream>
#include <stdio.h>
#include <string.h>
#include <algorithm>
#include <utility>
#include <queue>
using namespace std;
const int N = 50005;
int n, m;
int val[N], tmp[N]; // val 为原来数组, tmp 为差分数组
struct SegTree {
	struct Node {
		int lmax, rmax, res, cnt; // 前缀最大值, 后缀最大值, 区间答案, 区间长度
	} tr[N * 4];
	// 合并区间
	static Node merge(const Node &l, const Node &r) {
		return {
			(l.lmax == l.cnt ? l.cnt + r.lmax : l.lmax), // 左边是否全部 >=0 或 <=0 ?
			(r.rmax == r.cnt ? r.cnt + l.rmax : r.rmax), // 右边是否全部 >=0 或 <=0 ?
			max(l.rmax + r.lmax, max(l.res, r.res)), // res 的组成部分
			l.cnt + r.cnt
		};
	}
	static inline int ls(int u) { return u << 1; }
	static inline int rs(int u) { return u << 1 | 1; }
	// 建树
	void build(int u, int l, int r) {
		if(l == r) // 叶子节点: 初始值与 tmp[u]>=0 有关
			tr[u].cnt = 1, tr[u].lmax = tr[u].rmax = tr[u].res = (tmp[l] >= 0);
		else {
			int mid = (l + r) >> 1;
			build(ls(u), l, mid);
			build(rs(u), mid + 1, r);
			tr[u] = merge(tr[ls(u)], tr[rs(u)]); // 合并左儿子和右儿子的信息
		}
	}
	// 区间查询
	Node query(int u, int l, int r, int x, int y) {
		if(x <= l && r <= y) return tr[u];
		else {
			int mid = (l + r) >> 1;
			if(y <= mid) return query(ls(u), l, mid, x, y);
			if(x > mid) return query(rs(u), mid + 1, r, x, y);
			return merge(query(ls(u), l, mid, x, y), query(rs(u), mid + 1, r, x, y));
		}
	}
} tr1, tr2; // 差分>=0 和 差分<=0
inline int read() {
	int x = 0, f = 0, c = getchar();
	while(!isdigit(c)) {
		if(c == '-') f = 1;
		c = getchar();
	}
	while(isdigit(c)) {
		x = (x << 1) + (x << 3) + (c ^ 48);
		c = getchar();
	}
	return f ? -x : x;
}
int main() {
	// scanf("%d", &n);
	n = read();
	for(int i = 1; i <= n; i ++) /* scanf("%d", val + i); */val[i] = read();
	for(int i = 1; i <= n; i ++) tmp[i] = val[i] - val[i - 1];
	tr1.build(1, 1, n);
	for(int i = 1; i <= n; i ++) tmp[i] = val[i - 1] - val[i];
	tr2.build(1, 1, n);
	// scanf("%d", &m);
	m = read();
	for(int i = 1, l, r; i <= m; i ++) {
		// scanf("%d%d", &l, &r);
		l = read(), r = read();
		if(l == r) puts("1");
		else
			printf("%d\n", max(tr1.query(1, 1, n, l + 1, r).res, tr2.query(1, 1, n, l + 1, r).res) + 1);
	}
	return 0;
}
 
                
            
         
         浙公网安备 33010602011771号
浙公网安备 33010602011771号