데이터 업데이트가 가능한 상황에서의 구간 합(Interval Sum) 문제
바이너리 인덱스 트리(BIT: Binary Indexed Tree)
- 2진법 인덱스 구조를 활용해 구간 합 문제를 효과적으로 해결해 줄 수 있는 자료구조를 의미힌다.
- 펜윅 트리(fenwick tree)라고도 한다.
import sys
input = sys.stdin.readline
n, m, k = map(int, input().split())
arr = [0] * (n + 1)
tree = [0] * (n + 1)
def prefix_sum(i):
result = 0
while i > 0:
result += tree[i]
i -= (i & -i)
return result
def update(i, dif):
while i <= n:
tree[i] += dif
i += (i & -i)
def interval_sum(start, end):
return prefix_sum(end) - prefix_sum(start - 1)
for i in range(1, n + 1):
x = int(input())
arr[i] = x
update(i, x)
for i in range(m + k):
a, b, c = map(int, input().split())
if a == 1:
update(b, c - arr[b])
arr[b] = c
else:
print(interval_sum(b, c))