Leetcode 303 Range Sum Query - Immutable

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]).

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

<h3>Çözüm</h3>
Dinamik programlama ile çözülebilir.
Liste yüklenirken oluşturulan bir listeye tüm sayılara kadar olan toplamlar hesaplanıp atanır.

```python
for i in range(len(nums)):
            self.sum[i+1] = self.sum[i] + nums[i]

Daha sonra istenilen aralıktaki toplamı bulmak için o aralığın indexlerine atanan değerlerin farkı alınır.

return self.sum[j+1] - self.sum[i]
class NumArray:

    def __init__(self, nums: List[int]):
        self.sum = [0 for i in range(len(nums)+1)]
        for i in range(len(nums)):
            self.sum[i+1] = self.sum[i] + nums[i] 
        

    def sumRange(self, i: int, j: int) -> int:
        return self.sum[j+1] - self.sum[i]