2.B1024区间贪心

2.B1024区间贪心

问题描述:
给出N个开区间(x,y),从中选择尽可能多的开区间,使得这些开区间两两没有交集。例如对开区间(1,3),(2,4),(3,5),(6,7)来说,可以选出最多三个区间(1,3),(3,5),(6,7),他们互相没有交集。

输入格式:
第一行N为开区间个数,然后各区间x,y

输出格式:
最多区间个数

输入样例:

4
1 3
2 4
3 5
6 7

输出样例:

3
#include 

using namespace std;

const int maxn = 110;

struct Inteval{
	int x, y;//代表左右端点
}I[maxn];

bool cmp(Inteval a, Inteval b){
	if(a.x != b.x)
		return a.x > b.x;//先按左端点从大到小排序 
	else
		return a.y < b.y;//左端点相同的按右端点从小到大排序 
}

int main(){
	int n;
	cin >> n;
	for(int i = 0;i<n;i++){
		cin >> I[i].x >> I[i].y;
	}
	
	sort(I, I+n, cmp);
	//ans记录不相交区间个数,lastX记录上一个被选中区间的左端点
	int ans = 1, lastX = I[0].x;
	for(int i = 1;i<n;i++){
		if(I[i].y <= lastX){//如果该区间右端点在lastX左边 
			lastX = I[i].x;//以I[i]作为新选中的区间 
			ans++;//不相交区间个数+1 
		}
	} 
	cout << ans;
	return 0;
}

你可能感兴趣的:(算法练习,贪心算法,算法,c++)