题干:
巴尼住在NYC。NYC具有从1开始的正整数编号的无数个交叉点。在交叉点 i 和 2i 之间以及 i和 2i + 1 之间存在双向道路,对任意整数 i 都满足。在任意两点之间都有且只有一条最短路。
最初任何人都可以通过任何道路免费。 但是后来发生了 q 个事件。 有两种类型的事件:
1. 政府制定新规。 一个规则可以用三个整数表示 v, u 和 w。经过这次操作,点 u 到点 v 路径上的所有点增加 w 元路费。
2. 巴尼从点 v 通过最短路移动到点 u。
现巴尼想知道,他的每一次移动需要花多少钱
Input
第一行包含一个整数 q (1 ≤ q ≤ 1 000).
之后 q 行,每行包含一个事件。加路费的事件都被描述成 1 v u w ,代表将点 u 到点 v 路径上所有点路费增加 w 元。移动的事件都被描述成 2 v u,表示巴尼从点 v 走到点 u.
1 ≤ v, u ≤ 1018, v ≠ u, 1 ≤ w ≤ 109。
Output
对于第二类的每个事件,打印Barney在此事件中通过的所有道路的通行费的总和,一行。 以相应事件的时间顺序打印答案。
Example
Input
7 1 3 4 30 1 4 1 2 1 3 6 8 2 4 3 1 6 1 40 2 3 7 2 2 4
Output
94 0 32
Note
In the example testcase:
Here are the intersections used:
- Intersections on the path are 3, 1, 2 and 4.
- Intersections on the path are 4, 2 and 1.
- Intersections on the path are only 3 and 6.
- Intersections on the path are 4, 2, 1 and 3. Passing fee of roads on the path are 32, 32 and 30 in order. So answer equals to 32 + 32 + 30 = 94.
- Intersections on the path are 6, 3 and 1.
- Intersections on the path are 3 and 7. Passing fee of the road between them is 0.
- Intersections on the path are 2 and 4. Passing fee of the road between them is 32 (increased by 30 in the first event and by 2 in the second).
解题报告:
注意到i,2i与 i,2i+1的搭配,考虑二叉树。因为最大的值是1e18,所以层数一定不会很多(最多也就60层吧?)所以对于更新和查询均可以暴力。用点权代表他和父节点的边权,一维map就可以解决。(二维map也可以,但是因为孩子节点的父节点是唯一的,所以孩子节点就可以当做这条边的特征元)
AC代码:
#include<cstdio>
#include<iostream>
#include<algorithm>
#include<queue>
#include<stack>
#include<map>
#include<vector>
#include<set>
#include<string>
#include<cmath>
#include<cstring>
#define FF first
#define SS second
#define ll long long
#define pb push_back
#define pm make_pair
using namespace std;
typedef pair<int,int> PII;
const int MAX = 2e5 + 5;
map<ll,ll> mp;
void add(ll u,ll v,ll w) {while(u!=v) {if(u>v) mp[u] += w,u /= 2;else mp[v] += w,v /= 2;}
}
ll sum(ll u,ll v) {ll res = 0;while(u!=v) {if(u>v) res += mp[u],u /= 2;else res += mp[v],v /= 2;}return res;
}
int main()
{int q,op;ll u,v,w;cin>>q;while(q--) {scanf("%d",&op);if(op == 1) {scanf("%lld%lld%lld",&u,&v,&w);add(u,v,w);}else {scanf("%lld%lld",&u,&v);printf("%lld\n",sum(u,v));}}return 0 ;
}