Leetcode.303. 区域和检索 - 数组不可变

Leetcode.303. 区域和检索 - 数组不可变

难度:easy

Leetcode.303. 区域和检索 - 数组不可变_第1张图片

Leetcode.303. 区域和检索 - 数组不可变_第2张图片 

 

思路:

        最容易想到的是通过for循环来扫描统计,但这样的话每次检索的时间复杂度都是O(n),检索次数很多的话效率不高。

        很容易想到利用前缀和将时间复杂度降为O(1),每次只需要将前缀和数组两个元素做差即可。

        细节:注意preSum[0] = 0,preSum[i]存储的是闭区间下标0 ~ i-1的和;

代码:

class NumArray {
    // 存储前缀和,preSum[i]存储的是下标0 ~ i-1的和
    private int[] preSum;
    public NumArray(int[] nums) {
        preSum = new int[nums.length + 1];
        preSum[0] = 0;
        for (int i = 1; i < preSum.length; i++) {
            preSum[i] = preSum[i - 1] + nums[i - 1];
        }
    }
    
    public int sumRange(int left, int right) {
        return preSum[right + 1] - preSum[left];
    }
}

/**
 * Your NumArray object will be instantiated and called as such:
 * NumArray obj = new NumArray(nums);
 * int param_1 = obj.sumRange(left,right);
 */

复杂度分析:

  • 时间复杂度:初始化O(n),检索的时候是O(1),n为前缀和数组的长度
  • 空间复杂度:O(n),n为前缀和数组的长度

你可能感兴趣的:(LeetCode,#,前缀和,#,数组,leetcode,算法)