https://ac.nowcoder.com/acm/problem/17508
1.判断固定区间长度有无值的问题
2.每个指纹锁占领的那段区域不会出现其他的指纹锁
开始想用二分查找:无法数组实现(主要是菜)
解:
set集合 :
自动去重、自动排序、insert、erase实现插入删除
ask询问操作:
1、看大于给定的值x的后面k位有没有值 方法 迭代器it=set.lower_bound(x)
2、看小于给定的值x的前面k位有没有值 方法 it-- abs(*it-x)<=k
增加同上
del删除操作:
看x-k后面的2k位有没有值 方法 it=lower_bound(x-k) 直到*it-x>k为止
代码:
#include<iostream>
#include<cstdio>
#include<algorithm>
#include<cstring>
#include<set>
#include<queue>
using namespace std;
typedef long long ll;
set<ll>se;
set<ll>::iterator it;
ll m,k;
void add(ll x){
it = se.lower_bound(x);
if(*it-x<=k){
return ;
}
it--;
if(x-*it<=k){
return ;
}
se.insert(x);
}
void del(ll x){
for(it = se.lower_bound(x-k);it!=se.end();){
if(*it-x>k)break;
int y = *it;
it++;
se.erase(y);
}
}
bool ask(ll x){
it = se.lower_bound(x);
if(*it-x<=k){
return true;
}
it--;
if(x-*it<=k){
return true;
}
return false;
}
void init(){
se.insert(1e8);
se.insert(-1e8);
}
int main(){
ios::sync_with_stdio(false);
cin.tie(NULL);
init();
cin>>m>>k;
string op;
ll num;
while(m--){
cin>>op>>num;
if(op[0]=='a'){
add(num);
}else if(op[0]=='d'){
del(num);
}else{
bool flag = ask(num);
if(flag){
cout<<"Yes"<<endl;
}else{
cout<<"No"<<endl;
}
}
}
return 0;
}
法二:
// 重写set的cmp 不太理解这个 套着用
//应用场景: 固定区间长度的去重
#include<iostream>
#include<cstdio>
#include<algorithm>
#include<cstring>
#include<set>
#include<queue>
using namespace std;
typedef long long ll;
ll k,m;
struct cmp{
bool operator() (const int& u,const int& v) const{
if(abs(u-v)<=k)return false;//两个点之间的距离为k的时候直接返回false,表示不用装进去了,就不要这个数了。
return u<v;//升序排序
}
};
set<ll,cmp>se;
int main(){
ios::sync_with_stdio(false);
cin.tie(NULL);
cin>>m>>k;
string op;
ll num;
while(m--){
cin>>op>>num;
if(op[0]=='a'){
se.insert(num);
}else if(op[0]=='d'){
se.erase(num);
}else{
if(se.find(num)!=se.end()){
cout<<"Yes"<<endl;
}else{
cout<<"No"<<endl;
}
}
}
return 0;
}