题目意思:
http://www.51nod.com/onlineJudge/questionCode.html#!problemId=1091
X轴上有N条线段,每条线段包括1个起点和终点。线段的重叠是这样来算的,[10 20]和[12 25]的重叠部分为[12 20]。
给出N条线段的起点和终点,从中选出2条线段,这两条线段的重叠部分是最长的。输出这个最长的距离。如果没有重叠,输出0。
Input
第1行:线段的数量N(2 <= N <= 50000)。 第2 - N + 1行:每行2个数,线段的起点和终点。(0 <= s , e <= 10^9)
Output
输出最长重复区间的长度。
Input 示例
5 1 5 2 4 2 8 3 7 7 9
Output 示例
4 题目分析: 贪心算法, AC代码:<span style="font-size:18px;">/** *贪心,按照线段左端点升序排序, *左端点相等,右端点降序排序 */ #include<iostream> #include<algorithm> #include<cmath> using namespace std; const int MAX=50005; struct Node{ int b,e; }; Node a[MAX]; int cmp(Node p1,Node p2){ if(p1.b<p2.b) return 1; else if(p1.b==p2.b&&p1.e>p2.e) return 1; return 0; } int main() { int n; while(cin>>n){ for(int i=0;i<n;i++){ cin>>a[i].b>>a[i].e; } sort(a,a+n,cmp); int res=0; Node s=a[0]; for(int i=1;i<n;i++){ if(a[i].e<=s.e){//线段i在线段i-1内 res=max(res,a[i].e-a[i].b); } else if(a[i].b<=s.e&&a[i].e>s.e){ res=max(res,s.e-a[i].b); s=a[i];//选择最靠后的线段 } } cout<<res<<endl; } return 0; }</span></span>
时间: 2024-10-27 19:09:10