c/c++贪心算法求区间不相交

题目描述:

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

输入:

第一行输入N,表示有几个开区间
接下来输入N行,每行2个数,代表开区间的左右端点。

例如:
4
1 3
2 4
3 5
6 7

输出:

不相交开区间的个数
例如:
3

代码:

#include
#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=0, ans = 1;
	scanf_s("%d", &n);
	for (int i = 0; i < n; i++) {
		scanf_s("%d%d", &I[i].x, &I[i].y);
	}
	sort(I, I + n, cmp); // 把区间排序
	int lastX = I[0].x;
	for (int i = 1; i < n; i++) {
		if (I[i].y <= lastX) {
			lastX = I[i].x;
			ans++;	// 不相交区间个数+1
		}
	}

	printf("%d\n", ans);
}

你可能感兴趣的:(c++数据结构)