724. 寻找数组的中心下标(面试题打卡/前缀和/简单)
来源:力扣(LeetCode)
链接:https://leetcode.cn/problems/find-pivot-index
题干:
给你一个整数数组 nums ,请计算数组的 中心下标 。
数组 中心下标 是数组的一个下标,其左侧所有元素相加的和等于右侧所有元素相加的和。
如果中心下标位于数组最左端,那么左侧数之和视为 0 ,因为在下标的左侧不存在元素。这一点对于中心下标位于数组最右端同样适用。
如果数组有多个中心下标,应该返回 最靠近左边 的那一个。如果数组不存在中心下标,返回 -1 。
提示:
1 <= nums.length <= 104
-1000 <= nums[i] <= 1000
示例:
输入:nums = [1, 7, 3, 6, 5, 6]
输出:3
解释:
中心下标是 3 。
左侧数之和 sum = nums[0] + nums[1] + nums[2] = 1 + 7 + 3 = 11 ,
右侧数之和 sum = nums[4] + nums[5] = 5 + 6 = 11 ,二者相等输入:nums = [1, 2, 3]
输出:-1
解释:
数组中不存在满足此条件的中心下标。输入:nums = [2, 1, -1]
输出:0
解释:
中心下标是 0 。
左侧数之和 sum = 0 ,(下标 0 左侧不存在元素),
右侧数之和 sum = nums[1] + nums[2] = 1 + -1 = 0 。
题解:
前缀和
class Solution {public int pivotIndex(int[] nums) {int n = nums.length;int[] sum = new int[n + 1];for(int i = 0; i < n; i++)sum[i] = sum[(i - 1) < 0 ? 0 : (i - 1)] + nums[i];if(sum[n - 1] - sum[0] == 0) // 下标0为中心的情况return 0;for(int i = 0; i < n - 1; i++) { // 遍历所有点,判断if(2 * sum[i] == sum[n - 1] - nums[i + 1])return i + 1;}return -1;}
}