【树状数组维护最值】AcWing 2978. 最长上升子序列
2021-08-09 19:01:00
# ACM
回顾DP方式求解过程:
$p[i]$:原序列
$dp[i]$:以位置 $i$ 为结尾的最长上升子序列;
$dp_i = \max_{j=1}^{i-1}dp_j+1(p_j<p_i)$
也就是说只要知道 $i$ 位置前满足 $a_j<a_i$ 的最大 $dp_j$ 值即可;
权值树状数组维护 $[1,r]$ 的区间最大值,对于 $i$ 位置,在权值树状数组上查询 $[1,a_i-1]$ 的最大值 $t$,这样以 $i$ 为结尾的最长上升子序列的值就是 $t+1$;
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 #include <bits/stdc++.h> using namespace std; #define LL long long #define ls rt<<1 #define rs rt<<1|1 #define eps 1e-9 #define mod 1000000007 #define MAXN 100005 #define MS 100005 int n,m;int a[MS], b[MS], tot;int p[MS];int lowbit (int x) { return x&(-x); } void update (int pos,int val) { for (;pos<=n;pos+=lowbit (pos)) p[pos] = max (p[pos],val); } int query (int pos) { int ans = 0 ; for (;pos;pos-=lowbit (pos)) ans = max (ans,p[pos]); return ans; } void solve () { cin >> n; for (int i=1 ;i<=n;i++) cin >> a[i], b[i] = a[i]; sort (b+1 ,b+n+1 ); tot = 1 ; for (int i=2 ;i<=n;i++) if (b[i] != b[i-1 ]) b[++tot] = b[i]; int ans = 0 ; for (int i=1 ;i<=n;i++){ int pos = lower_bound (b+1 ,b+tot+1 ,a[i]) - b; int cc = query (pos-1 )+1 ; ans = max (ans,cc); update (pos,cc); } cout << ans << "\n" ; } int main () { ios::sync_with_stdio (false ); int ce; ce = 1 ; while (ce--){ solve (); } return 0 ; }
2021-08-09 19:01:00
# ACM