N

(Leet Code c++)Range Sum Query 본문

Leet Code 알고리즘

(Leet Code c++)Range Sum Query

naeunchan 2021. 8. 2. 10:36
728x90
반응형

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.

단순 덧셈 문제.

 

우선 NumArray의 init 부분과 sumRange()를 채워야 한다.

init은 myNum = nums로 한다.

 

sumRange() 함수는 left ~ right 까지의 수를 모두 합해서 리턴하면 된다.

 

난이도가 easy여서 간단하게 구현이 가능하겠지만, 이 코드는 시간이 오래 걸린다.

나중에는 부분합을 이용해 풀어봐야 할 것 같다.

class NumArray {
private:
    vector<int> myNum;
    
public:
    NumArray(vector<int>& nums) {
        myNum = nums;
    }
    
    int sumRange(int left, int right) {
        int sum = 0;
        
        for(int i = left; i <= right; i++){
            sum += myNum[i];
        }
        
        return sum;
    }
};

/**
 * Your NumArray object will be instantiated and called as such:
 * NumArray* obj = new NumArray(nums);
 * int param_1 = obj->sumRange(left,right);
 */
728x90
반응형

'Leet Code 알고리즘' 카테고리의 다른 글

(Leet Code c++)Counting Bits  (0) 2021.08.03
(Leet Code c++)Power of Three  (0) 2021.08.03
(Leet Code c++)Word Pattern  (0) 2021.08.02
(Leet Code c++)Move Zeroes  (0) 2021.07.30
(Leet Code c++)First Bad Version  (0) 2021.07.30