0%

Leetcode307-rangeSumQuery-Mutable

Description

Given an integer array nums, find the sum of the elements between indices i and j (i ≤ j), inclusive.

The update(i, val) function modifies nums by updating the element at index i to val.

Example

1
2
3
4
5
Given nums = [1, 3, 5]

sumRange(0, 2) -> 9
update(1, 2)
sumRange(0, 2) -> 8

Note:

  1. The array is only modifiable by the update function.
  2. You may assume the number of calls to update and sumRange function is distributed evenly.

Solution

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
class NumArray {
private int[] nums;
private int[] BIT;
public NumArray(int[] nums) {
this.nums = nums;
this.BIT = new int[nums.length + 1];
for (int i=0; i<nums.length; i++){
add(i, nums[i]);
}
}

private void add(int k, int delt){
k++;
while (k <= nums.length){
BIT[k] += delt;
k += k & (-k);
}
}

public void update(int i, int val) {
int diff = val - nums[i];
nums[i] = val;
add(i, diff);
}

private int getSum(int k){
int temp = 0;
k++;
while (k>0){
temp += BIT[k];
k -= k & (-k);
}
return temp;
}

public int sumRange(int i, int j) {
return getSum(j) - getSum(i - 1);
}
}

/**
* Your NumArray object will be instantiated and called as such:
* NumArray obj = new NumArray(nums);
* obj.update(i,val);
* int param_2 = obj.sumRange(i,j);
*/