Binary Indexed Tree
aka Fenwick Tree.
Motivation
Fenwick tree was proposed to solve the mutable range sum query problem.
It supports:
Fast point update in
O(logN)timeRange Query in
O(logN)time
Note that in addition to range sum, we can also use BIT to calculate range multiplication, range xor, range maximum number, range minimum number etc.
Binary Indexed

BIT nodes are indexed using the lowbit of their original index.

For those with lowest bits at index 0 (we count the bit index from the right), the value is directly saved into BIT. These are the leaf nodes of the BIT.

For those with lowest bits at index 1, they are located at the 2nd layer from the bottom. We not only add their own values to BIT, but also add their child values to it. Their child indices are one less than their own indices. For example, node[2] (00010) has node[1] (00001) as its child, so node[2] = A[2] + node[1] = 2 + 5 = 7

For those with lowest bits at index 2, they are located at the 3rd layer from the bottom. For example, node[4] (00100) has node[3] (00011) and node[2] (00010) as its direct children, so node[4] = A[4] + node[3] + node[2] = -3 + 9 + 7 = 13

Sum Query

To calculate sum(7) = A[1] + ... + A[7], we keep finding previous ranges by removing the lowbit from 7 = 111. So, sum(111) = node(111) + node(110) + node(100) = node[7] + node[6] + node[4]

Another example, sum(8) = sum(1000) = node(1000) = node[8]
Update

To add 10 to A[4], we need to update all the nodes containingA[4]. We find such nodes by adding lowbit. So, A[4] is contained by node[100] = node[4] and node[1000] = node[8].
Note
N + 1 elements.
When querying, keep REMOVING low bit. (find the previous intervals)
When updating, keep ADDing low bit. (updating the tree towards higher levels)
Implementation
The implementation for 307. Range Sum Query - Mutable (Medium)
The implementation for 1649. Create Sorted Array through Instructions (Hard)
Problems
Reference
Last updated
Was this helpful?