知识点:单调队列
难度:4
一开始看位置这么大,想离散化,发现绝对位置大小很重要,不能被离散化了,然后再看看题,就很明显了,就是单调队列,正着跑一遍,反着跑一遍,最后统计一下答案就行了,然后和以前的单调队列稍微不一样的是这里的我们判断是不是超过滑动窗口的长度了要用题目输入的位置数据,也要用while,因为可能队头出队多个元素,以前的按照下标的,每次只会出队一个,仅仅这一点不一样而已,其它的很简单
#include <bits/stdc++.h>
using namespace std;
const int N = 5e4 + 5;
int main() {
int n, d;
cin >> n >> d;
pair<int, int> a[N];
for (int i = 1; i <= n; i++) {
cin >> a[i].first >> a[i].second;
}
sort(a + 1, a + n + 1);
int tot[N] = {};
deque<int> q;
for (int i = 1; i <= n; i++) {
while (!q.empty() && a[q.front()].first + d + 1 <= a[i].first) {
q.pop_front();
}
while (!q.empty() && a[i].second >= a[q.back()].second) {
q.pop_back();
}
q.push_back(i);
if (a[q.front()].second >= a[i].second * 2) tot[i]++;
}
q.clear();
int ans = 0;
for (int i = n; i >= 1; i--) {
while (!q.empty() && a[q.front()].first - d - 1 >= a[i].first) {
q.pop_front();
}
while (!q.empty() && a[i].second >= a[q.back()].second) {
q.pop_back();
}
q.push_back(i);
if (a[q.front()].second >= a[i].second * 2) tot[i]++;
if (tot[i] == 2) ans++;
}
cout << ans;
return 0;
}