【贪心】线段覆盖


题目描述 Description

    给定x轴上的N(0

输入描述 Input Description

    输入第一行是一个整数N。接下来有N行,每行有二个空格隔开的整数,表示一条线段的二个端点的坐标。

输出描述 Output Description

    输出第一行是一个整数表示最多剩下的线段数。

样例输入 Sample Input

3

6  3

1  3

2  5

样例输出 Sample Output

2

数据范围及提示 Data Size & Hint

0


本题可以用贪心,也可以用DP,这里采用贪心求解。

用结构体将每条线段进行保存后,用重载运算符和排序的方法对线段的右端进行非降序排序,之后再进行贪心判断顺序相邻线段是否符合题意,即有无内部公共点,若有公共点,则移至下一线段,由此得出题解。

#include
#include
using namespace std;
struct line
{
	int l, r;

}a[101];
bool operator<(const line& a,const line& b) {
	return a.r < b.r;

}
int main() {
	int n,tot=1;
	cin >> n;
	for (int i = 1; i <= n; i++) {
		cin >> a[i].l >> a[i].r;
		if (a[i].l>a[i].r) swap(a[i].l, a[i].r);
	}
	sort(a + 1, a + n + 1);
	int end = a[1].r;
	for (int i = 2; i <= n; i++) {
		if (a[i].l >= end) {
			tot++;
			end = a[i].r;
	}
	}
	cout << tot << endl;
	return 0;
}



你可能感兴趣的:(算法)