在一个平面上,如果有两个点(x,y),(a,b),如果说(x,y)支配了(a,b),这是指x>=a,y>=b;
用图形来看就是(a,b)坐落在以(x,y)为右上角的一个无限的区域内。
给定n个点的集合,一定存在若干个点,它们不会被集合中的任何一点所支配,这些点叫做极大值点。
编程找出所有的极大点,按照x坐标由小到大,输出极大点的坐标。
此题为贪心,我们排序完之后就可以按栈来储存。
代码走起:
#include<iostream>
#include<algorithm>
using namespace std;
int n,top=-1;
struct S{
int x,y;
}a[500001],stack[500001];
bool cmp(S a,S b){return a.x>b.x || (a.x == b.x && a.y > b.y);}
int main(){
cin>>n;
for(int i=0;i<n;i++) scanf("%d %d",&a[i].x,&a[i].y);
sort(a,a+n,cmp);
int my=a[0].y;
stack[++top]=a[0];
for(int i=1;i<n;i++){
if(a[i].y>my){
my=a[i].y ;
stack[++top]=a[i];
}
}
printf("(%d,%d)",stack[top].x,stack[top].y) ;
top--;
while(top>-1){
printf(",(%d,%d)",stack[top].x,stack[top].y) ;
top--;
}
return 0;
}