题面
思路
这道题看似难的一匹,实际上也难的一批还好,甚至n^2 DP都有50分呢.
原谅我一失手成千古恨。
50分思路
就是sort后根据条件DP
if (LIS[i].b>LIS[j].a) f[i]=max(f[j]+LIS[i].h,f[i]);
然后更新MAXX的值输出即可
100分思路
首先,为什么我单调队列只有90啊啊啊啊啊!!!(其实是因为有一个贪心所以导致单调队列太长了)
用优先队列优化,既然当前位置的值是由前i个位置推来的,那么要让结果最大也就是要取前i个节点的最大值了(其实单调性,优先队列以及线段树或树状数组都可以啊)
于是乎,标程也得以推出。
代码
#include<bits/stdc++.h>
using namespace std;
long long n,f[100005],MAXX=-1;
struct hanoi{long long x,y,h;}LIS[100005];
bool cmp(hanoi x,hanoi y){if (x.y==y.y) return x.x>y.x;return x.y>y.y;}
struct node{long long n,num;bool operator <(const node &now)const{return num<now.num;}};
priority_queue<node> q;
int main()
{
freopen("hanoi.in","r",stdin);
freopen("hanoi.out","w",stdout);
cin>>n;
for (int i=1;i<=n;i++) cin>>LIS[i].x>>LIS[i].y>>LIS[i].h;
sort(LIS+1,LIS+n+1,cmp);
q.push((node){0,0});
for (int i=1;i<=n;i++)
{
while (q.top().n>=LIS[i].y) q.pop();
f[i]=q.top().num+LIS[i].h;
q.push((node){LIS[i].x,f[i]});
MAXX=max(MAXX,f[i]);
}
cout<<MAXX<<endl;
return 0;
}