[Easy] 303. Range Sum Query - Immutable

문제

Given an integer array nums, handle multiple queries of the following type:

  1. Calculate the sum of the elements of nums between indices left and right inclusive where left <= right.

Implement the NumArray class:

  • NumArray(int[] nums) Initializes the object with the integer array nums.
  • int sumRange(int left, int right) Returns the sum of the elements of nums between indices left and right inclusive (i.e. nums[left] + nums[left + 1] + ... + nums[right]).

 

예시

Example 1:

Input
["NumArray", "sumRange", "sumRange", "sumRange"]
[[[-2, 0, 3, -5, 2, -1]], [0, 2], [2, 5], [0, 5]]
Output
[null, 1, -1, -3]

Explanation
NumArray numArray = new NumArray([-2, 0, 3, -5, 2, -1]);
numArray.sumRange(0, 2); // return (-2) + 0 + 3 = 1
numArray.sumRange(2, 5); // return 3 + (-5) + 2 + (-1) = -1
numArray.sumRange(0, 5); // return (-2) + 0 + 3 + (-5) + 2 + (-1) = -3

 

제약 조건

Constraints:

  • 1 <= nums.length <= 104
  • -105 <= nums[i] <= 105
  • 0 <= left <= right < nums.length
  • At most 104 calls will be made to sumRange.

 

해결 과정

우선 this를 이용하여 NumArray를 초기화 해주었다.

range 변수에 nums를 slice하여 값을 넣어준다. 이때, right + 1을 해야 우리가 원하는 배열로 자를 수 있다. (그냥 right로 자르면 right 인덱스 포함되지 않고 잘린다)

자른 range 배열을 reduce를 통해 총 합을 구하고 반환한다.

해결 코드

/**
 * @param {number[]} nums
 */
var NumArray = function(nums) {
    this.nums = nums;
};

/** 
 * @param {number} left 
 * @param {number} right
 * @return {number}
 */
NumArray.prototype.sumRange = function(left, right) {
    let range = this.nums.slice(left, right + 1);
    return range.reduce((sum, curr) => sum += curr, 0);
};

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

'leetCode' 카테고리의 다른 글

[Easy] 896. Monotonic Array  (0) 2022.06.09
[Easy] 28. Implement strStr()  (0) 2022.06.09
[Easy] 1603. Design Parking System  (0) 2022.06.08
[Easy] 404. Sum of Left Leaves  (0) 2022.06.06
[Easy] 104. Maximum Depth of Binary Tree  (0) 2022.06.06