链接:传送门
题意:给出N个点( Xi , Yi ),和点的最远位置M,询问是否有这样的四个点 (A,B,C,D)(A<B,C<D,A≠CorB≠D) ,AB的曼哈顿路径长度等于CD的曼哈顿路径长度
思路: N,M < 10^5 ,如果不仔细想的话可能会误认为复杂度为O( N^2 ),但是M最大是 10^5,也就是说所有的曼哈顿路径最长不会超过 2*10^5,当N > M,枚举超过 2M 时必定能找到一组解,所以直接暴力就ok了,所以这道题的复杂度应该是 O ( min(2M , N^2) )
新颖:这道题有趣在于可以用类似鸽巢定理的原理来进行判断复杂度!get!
/*************************************************************************
> File Name: hdu5762.cpp
> Author: WArobot
> Blog: http://www.cnblogs.com/WArobot/
> Created Time: 2017年04月29日 星期六 23时24分03秒
************************************************************************/
#include<bits/stdc++.h>
using namespace std;
const int maxn = 200010;
int t,n,m;
int vis[maxn];
struct point{
int x,y;
}po[maxn];
int manhattan(point a,point b){
return ( abs(a.x-b.x) + abs(a.y-b.y) );
}
int main(){
scanf("%d",&t);
while(t--){
memset(vis,0,sizeof(vis));
scanf("%d%d",&n,&m);
for(int i=0;i<n;i++){
scanf("%d%d",&po[i].x,&po[i].y);
}
bool ok = 0;
for(int i=0;i<n;i++){
for(int j=i+1;j<n;j++){
int dis = manhattan(po[i],po[j]);
vis[ dis ] ++;
if(vis[dis]>=2){
ok = 1; break;
}
}
}
if(ok) printf("YES
");
else printf("NO
");
}
return 0;
}