题目链接:HDU 5316 Magician
题意:给出n个数的序列,有两种操作:0 a b表示询问[a,b]区间中美丽子序列的最大和,1 a b 表示将a位置上的数修改为b。
美丽子序列的定义是 在原来的序列中挑出几个数组成一个序列要求他们的下标(指的是在原序列中的下标)奇偶性不同。
思路:用线段树维护一个区间中 奇奇,奇偶,偶奇,偶偶四种状态的最大和,其中(奇奇就表示区间两个端点的都为奇数,如[1,3])
之后就是线段树的基本操作了。
AC代码:
#include <stdio.h> #include <string.h> #include <algorithm> using namespace std; #define LL __int64 #define MAXN 100010 #define INF 200000000000000LL #define lson l,m,rt<<1 #define rson m+1,r,rt<<1|1 struct node { LL sum[5]; }; struct node tree[MAXN<<2]; int cnt; node Union(node a, node b){ node c; //奇奇0 c.sum[0]=max(a.sum[0], b.sum[0]); c.sum[0]=max(c.sum[0], a.sum[0]+b.sum[2]);//奇奇+偶奇 c.sum[0]=max(c.sum[0], a.sum[1]+b.sum[0]);//奇偶+奇奇 //奇偶1 c.sum[1]=max(a.sum[1], b.sum[1]); c.sum[1]=max(c.sum[1], a.sum[0]+b.sum[3]);//奇奇+偶偶 c.sum[1]=max(c.sum[1], a.sum[1]+b.sum[1]);//奇偶+奇偶 //偶奇2 c.sum[2]=max(a.sum[2], b.sum[2]); c.sum[2]=max(c.sum[2], a.sum[3]+b.sum[0]);//偶偶+奇奇 c.sum[2]=max(c.sum[2], a.sum[2]+b.sum[2]);//偶奇+偶奇 //偶偶3 c.sum[3]=max(a.sum[3], b.sum[3]); c.sum[3]=max(c.sum[3], a.sum[2]+b.sum[3]);//偶奇+偶偶 c.sum[3]=max(c.sum[3], a.sum[3]+b.sum[1]);//偶偶+奇偶 return c; } void PushUp(int rt){ tree[rt]=Union(tree[rt<<1], tree[rt<<1|1]); } void build(int l, int r, int rt){ if(l==r){ if(cnt%2) { scanf("%I64d", &tree[rt].sum[0]); tree[rt].sum[1]=tree[rt].sum[2]=tree[rt].sum[3]=-INF; }else { scanf("%I64d", &tree[rt].sum[3]); tree[rt].sum[1]=tree[rt].sum[2]=tree[rt].sum[0]=-INF; } cnt++; return ; } int m=(l+r)/2; build(lson); build(rson); PushUp(rt); } void Update(int p, LL val, int l, int r, int rt){ if(l==r && p==l){ if(p%2) tree[rt].sum[0]=val; else tree[rt].sum[3]=val; return ; } int m=(l+r)/2; if(p<=m) Update(p, val, lson); else Update(p, val, rson); PushUp(rt); } node Query(int L, int R, int l, int r, int rt){ if(L <= l && r <= R){ return tree[rt]; } int m=(l+r)/2; if(L <= m && m < R) return Union(Query(L, R, lson), Query(L, R, rson));//通过Union的方式来合并两个区间 if(L <= m) return Query(L, R, lson); if(m < R) return Query(L, R, rson); } int main(){ int t, a, b; int n, q, op; scanf("%d",&t); while(t--){ scanf("%d %d", &n, &q); cnt=1; build(1, n, 1); while(q--){ scanf("%d %d %d", &op, &a, &b); if(op==0){ node ans=Query(a, b, 1, n, 1); LL sum=max(ans.sum[0], max(ans.sum[1], max(ans.sum[2], ans.sum[3]))); printf("%I64d\n", sum); }else Update(a, (LL)b, 1, n, 1); } } return 0; } /* 10 6 5 2 3 -1 10 -2 20 1 6 1 0 1 6 */
版权声明:本文为博主原创文章,未经博主允许不得转载。
原文地址:http://blog.csdn.net/u012377575/article/details/47145883