307. Range Sum Query - Mutable

Problem:

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

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

Example:

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.

Solutions:

class NumArray {
public:
    NumArray(vector<int>& nums) {
        int n = nums.size();
        bits = vector<int> (n+1 , 0);
        this->nums = vector<int> (n, 0); // don't reuse the name
        for (int i = 0; i < nums.size(); ++i) {
            update(i, nums[i]);
        }
    }

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

    void add(int i, int diff) {
        while (i <= nums.size()) {
            bits[i] += diff;
            i += lowbit(i);
        }
    }

    int sum(int i) {
        int sum = 0;
        while (i > 0) {
            sum += bits[i];
            i -= lowbit(i);
        }
        return sum;
    }

    int sumRange(int i, int j) {
        return sum(j + 1) - sum(i);
    }

    inline int lowbit(int i) {
        return i & (-i);
    }

private:
    vector<int> bits;
    vector<int> nums;
};

/**
 * 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);
 */

results matching ""

    No results matching ""