AcWing 802. 区间和
原题链接
简单
作者:
L-China
,
2022-11-27 17:55:18
,
所有人可见
,
阅读 338
C++
#include<iostream>
#include <vector>
#include<algorithm>
using namespace std;
typedef pair<int, int> PII; // 存所有读入进来的操作数
const int N = 3e5 + 10;
int n, m;
int a[N], s[N];//a数组是存的那个数,s数组是前缀和
vector<int> alls; // 存的所有要离散化的值
vector<PII> add,query; // 第一种操作是加上一个数,第二个操作是求
int find(int x){ //求一下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 r + 1;
}
/*vector<int> ::iterator unique(vector<int> &a){
int j = 0;
for (int i = 0; i < a.size(); i ++)
if (!i || a[i] != a[i - 1])
a[j ++] = a[i];
// a[0] ~ a[j - 1] 所有a中不重复的数
return a.begin() + j;
} */
int main(){
cin >> n >> m;
for (int i = 0; i < n; i ++){
int x, c;
cin >> x >> c;
add.push_back({x, c});
alls.push_back(x); // 将 x 加入到离散化的数组里面去
}
for (int i = 0; i < m; i ++){
int l, r;
cin >> l >> r;
query.push_back({l, r});
alls.push_back(l); // 将左右区间加入到待离散化的数组里面去
alls.push_back(r);
}
//去重
sort(alls.begin(), alls.end());
/* unique将alls.begin(), alls.end()里面所有的重复元素删掉,
把所有不重复的元素放到数组的前面去,返回的的是新数组的最后一个位置
然后把新数组的这个位置到这个结尾的位置终端的元素删掉,剩下的就是不重复的元素了*/
alls.erase(unique(alls.begin(), alls.end()), alls.end());
// 处理插入
for (auto item : add){
int x = find(item.first);
a[x] += item.second;
}
// 预处理前缀和
for (int i = 1; i <= alls.size(); i ++){
s[i] = s[i - 1] + a[i];
}
// 处理询问
for (auto item : query){
int l = find(item.first), r = find(item.second);
cout << s[r] - s[l - 1] << endl;
}
return 0;
}
orz