题意:一些小岛在x轴的上半部分,要安装雷达探测这些小岛在x轴上,给出雷达探测的半径,要求输出最少的雷达数量。

题解:区间覆盖问题,因为探测形状是圆形,所以先和半径计算出每个小岛能被探测到的左右范围,然后根据右边界从左到右排序,如果相邻两个小岛的左右边界有重合说明可以在一个圆内,否则数量加一。

#include <stdio.h>
#include <string.h>
#include <cmath>
#include <algorithm>
using namespace std;
const int N = 1005;
struct Point {
	double l, r;
}p[N];

int cmp(Point a, Point b) {
	if (a.r != b.r)
		return a.r < b.r;
	return a.l > b.l;
}

int main() {
	int n, d, cases = 1, ans, a, b;
	while (scanf("%d%d", &n, &d) && (n + d)) {
		int flag = 0;
		for (int i = 0; i < n; i++) {
			scanf("%d%d", &a, &b);
			if (b > d) {
				flag = 1;
				continue;
			}
			p[i].l = a - sqrt(d * d - b * b);
			p[i].r = a + sqrt(d * d - b * b);
		}
		if (flag) {
			printf("Case %d: -1\n", cases++);
			continue;
		}
		ans = 1;
		sort(p, p + n, cmp);
		double temp = p[0].r;
		for (int i = 1; i < n; i++) {
			if (p[i].l <= temp) 
				continue;
			ans++;
			temp = p[i].r;
		}
		printf("Case %d: %d\n", cases++, ans);
	}
	return 0;
}