# 724. Find Pivot Index

Given an array of integers nums, write a method that returns the "pivot" index of this array.

We define the pivot index as the index where the sum of the numbers to the left of the index is equal to the sum of the numbers to the right of the index.

If no such index exists, we should return -1. If there are multiple pivot indexes, you should return the left-most pivot index.

Example 1:

Input: 
nums = [1, 7, 3, 6, 5, 6]
Output: 3
Explanation: 
The sum of the numbers to the left of index 3 (nums[3] = 6) is equal to the sum of numbers to the right of index 3.
Also, 3 is the first index where this occurs.

Example 2:

Input: 
nums = [1, 2, 3]
Output: -1
Explanation: 
There is no index that satisfies the conditions in the problem statement.

# Solution

Approach 1: cumulative sums.

# Code (Python)

Approach 1:

class Solution:
    def pivotIndex(self, nums: List[int]) -> int:
        if not nums:
            return -1
        if len(nums) == 1:
            return 0
        sum_from_right = [nums[-1]]
        for i in range(len(nums) - 2, -1, -1):
            sum_from_right.append(sum_from_right[-1] + nums[i])
        sums = sum_from_right[::-1] + [0]
        if sums[1] == 0:
            return 0
        left_sum = 0
        for i in range(1, len(nums)):
            left_sum += nums[i-1]
            if left_sum == sums[i+1]:
                return i
        return -1

# Code (C++)

Approach 1:

Approach 2: