#include<bits/stdc++.h>
#include<set>
using namespace std;
set<int> s;
void insertValue(int x){
    //TODO 实现插入逻辑
    s.insert(x);
}
void eraseValue(int x){
    //TODO 实现删除逻辑
    s.erase(x);
}
int xInSet(int x){
    //TODO 实现存在性检查
    //return s.count(x);
    auto it=s.find(x);
    if(it !=s.end()){
        return 1;
    }else{
        return 0;
    }
}
int sizeOfSet(){
    //TODO 返回集合大小
    return s.size();
}
int getPre(int x){
    //TODO 实现找前驱
    auto it=s.lower_bound(x);//寻找不小于x的地址
    if(it != s.begin()){
        return *prev(it);
    }else{
        return -1;
    }
}
int getBack(int x){
    //TODO 实现找后继
    auto it=s.upper_bound(x);//寻找大于x的地址
    if(it !=s.end()){
        return *it;
    }else{
        return -1;
    }
}

int main(){
    int q,op,x;
    cin>>q;
    while(q--){
        cin>>op;
        if(op==1){
            cin>>x;
            insertValue(x);
        }
        if(op==2){
            cin>>x;
            eraseValue(x);
        }
        if(op==3){
            cin>>x;
            if(xInSet(x)){
                cout<<"YES\n";
            }else{
                cout<<"NO\n";
            }
        }
        if(op==4){
            cout<<sizeOfSet()<<endl;
        }
        if(op==5){
            cin>>x;
            cout<<getPre(x)<<endl;
        }
        if(op==6){
            cin>>x;
            cout<<getBack(x)<<endl;
        }
    }
    return 0;
}