美文网首页
[Leetcode] 111. Range Sum Query

[Leetcode] 111. Range Sum Query

作者: 时光杂货店 | 来源:发表于2017-03-30 19:28 被阅读15次

    题目

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

    Example:

    Given nums = [-2, 0, 3, -5, 2, -1]

    sumRange(0, 2) -> 1
    sumRange(2, 5) -> -1
    sumRange(0, 5) -> -3

    Note:

    • You may assume that the array does not change.
    • There are many calls to sumRange function.

    解题之法

    class NumArray {
    public:
        NumArray(vector<int> &nums) {
            dp.resize(nums.size() + 1, 0);
            for (int i = 1; i <= nums.size(); ++i) {
                dp[i] = dp[i - 1] + nums[i - 1];
            }
        }
        int sumRange(int i, int j) {
            return dp[j + 1] - dp[i];
        }
        
    private:
        vector<int> dp;
    };
    

    分析

    这道题让我们检索一个数组的某个区间的所有数字之和,题目中给了两条条件,首先数组内容不会变化,其次有很多的区间和检索。那么我们用传统的遍历相加来求每次区间和检索,十分的不高效,而且无法通过OJ。
    所以这道题的难点就在于是否能想到来用建立累计直方图的思想来建立一个累计和的数组dp,其中dp[i]表示[0, i]区间的数字之和,那么[i,j]就可以表示为dp[j+1]-dp[i]。

    相关文章

      网友评论

          本文标题:[Leetcode] 111. Range Sum Query

          本文链接:https://www.haomeiwen.com/subject/ijmpottx.html