08离散化
作者:互联网
离散化
模拟了map的操作
适用:用来处理数据量较少,但数据范围较大的问题。
做法:1. 用hash来映射每一个数 2. 排序去重 3.每次根据数值查找对应key
假定有一个无限长的数轴,数轴上每个坐标上的数都是 0。
现在,我们首先进行 n 次操作,每次操作将某一位置 x 上的数加 c。
接下来,进行 m 次询问,每个询问包含两个整数 l 和 r,你需要求出在区间 [l, r] 之间的所有数的和。
#include <iostream>
#include <vector>
#include <algorithm>
using namespace std;
// 模拟了map的操作
typedef pair<int, int> PII;
const int N = 3 * 1e5 + 10;
int n, m;
vector<int> alls;
vector<PII> add, query;
int a[N], s[N];
// 查找x所映射的下标+1,方便接下来的前缀和处理
int find(int x) {
int l = 0, r = alls.size() - 1;
while (l < r) {
int mid = l + r >> 1;
if (alls[mid] >= x) r = mid;
else l = mid + 1;
}
return l + 1;
}
int main() {
cin >> n >> m;
// 某个位置相加
for (int i = 0; i < n; i ++ ) {
int x, c;
scanf("%d%d", &x, &c);
alls.push_back(x);
add.push_back({x, c});
}
// 询问
for (int i = 0; i < m; i ++ ) {
int l, r;
scanf("%d%d", &l, &r);
alls.push_back(l);
alls.push_back(r);
query.push_back({l, r});
}
// 排序去重
sort(alls.begin(), alls.end());
alls.erase(unique(alls.begin(), alls.end()), alls.end());
// 处理相加
for (int i = 0; i < add.size(); i ++ ) {
a[find(add[i].first)] += add[i].second;
}
// 前缀和
for (int i = 1; i <= alls.size(); i ++ ) s[i] = s[i - 1] + a[i];
// 处理询问
for (int i = 0; i < query.size(); i ++ ) {
int l, r;
l = find(query[i].first);
r = find(query[i].second);
printf("%d\n", s[r] - s[l - 1]);
}
return 0;
}
标签:int,08,back,mid,离散,add,alls,push 来源: https://blog.csdn.net/weixin_44692221/article/details/116563910