题目的意思很是简单,说是有一个四边形的迷宫。某一个位置有个宝物在某一点,迷宫中还有很多的墙。问最少需要凿开多少门才能拿到宝物。
思路:直接枚举所有墙的端点+宝物的位置作为一条线段, 求出与之相交的最少线段数。就是答案。
nyoj Code:
#include <cstdio>
#include <cstring>
#include <cmath>
#include <algorithm>
using namespace std;
const int N = 35;
const int INF = 0xffffff;
const double eps = 1e-8;
struct POINT{
double x, y;
};
struct LINE{
POINT a, b;
}l[N];
int n;
double cross(POINT o, POINT a, POINT b){
return (a.x - o.x) * (b.y - o.y) - (a.y - o.y) * (b.x - o.x);
}
int Judge(POINT X, POINT Y){
int ans = 0;
for(int i = 0; i < n; i ++){
// printf("cross = %.2lf\n", cross(X, l[i].a, l[i].b) * cross(Y, l[i].a, l[i].b));
if(cross(X, l[i].a, l[i].b) * cross(Y, l[i].a, l[i].b) < -eps)
ans ++;
}
// printf("ans = %d\n", ans);
return ans;
}
int main(){
int T;
scanf("%d", &T);
while(T --){
scanf("%d", &n);
if(n == 0){
puts("1");
continue;
}
for(int i = 0; i < n; i ++){
scanf("%lf %lf %lf %lf", &l[i].a.x, &l[i].a.y, &l[i].b.x, &l[i].b.y);
}
POINT d;
scanf("%lf %lf", &d.x, &d.y);
int ans = INF;
for(int i = 0; i < n; i++){
ans = min(Judge(l[i].a, d), ans);
ans = min(Judge(l[i].b, d), ans);
// printf("ans = %d\n", ans);
}
printf("%d\n", ans + 1);
}
return 0;
}
Poj的数据较强。
需要注意的点:
1.即使墙的数目为0,也需要知道宝物的位置。
2.Poj这道题是输入一组数据,但是好像是多线程。
3.判断相交直接叉积小于0就好。