724. 寻找数组的中心下标
给你一个整数数组 nums
,请计算数组的 中心下标 。
数组 中心下标 是数组的一个下标,其左侧所有元素相加的和等于右侧所有元素相加的和。
如果中心下标位于数组最左端,那么左侧数之和视为 0
,因为在下标的左侧不存在元素。这一点对于中心下标位于数组最右端同样适用。
如果数组有多个中心下标,应该返回 最靠近左边 的那一个。如果数组不存在中心下标,返回 -1
。
示例 1:
输入: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 ,二者相等。
示例 2:
输入:nums = [1, 2, 3] 输出:-1 解释: 数组中不存在满足此条件的中心下标。
示例 3:
输入:nums = [2, 1, -1] 输出:0 解释: 中心下标是 0 。 左侧数之和 sum = 0 ,(下标 0 左侧不存在元素), 右侧数之和 sum = nums[1] + nums[2] = 1 + -1 = 0 。
提示:
1 <= nums.length <= 104
-1000 <= nums[i] <= 1000
注意:本题与主站 1991 题相同:https://leetcode.cn/problems/find-the-middle-index-in-array/
相似题目
原站题解
cpp 解法, 执行用时: 10 ms, 内存消耗: 33.3 MB, 提交时间: 2024-07-08 09:17:12
class Solution { public: int pivotIndex(vector<int>& nums) { int s = reduce(nums.begin(), nums.end(), 0); int left_s = 0; for (int i = 0; i < nums.size(); i++) { if (left_s * 2 == s - nums[i]) { return i; } left_s += nums[i]; } return -1; } };
java 解法, 执行用时: 0 ms, 内存消耗: 44.3 MB, 提交时间: 2024-07-08 09:16:54
class Solution { public int pivotIndex(int[] nums) { int s = 0; for (int num : nums) { s += num; } int leftS = 0; for (int i = 0; i < nums.length; i++) { if (leftS * 2 == s - nums[i]) { return i; } leftS += nums[i]; } return -1; } }
javascript 解法, 执行用时: 80 ms, 内存消耗: 52 MB, 提交时间: 2024-07-08 09:16:27
/** * @param {number[]} nums * @return {number} */ var pivotIndex = function(nums) { const s = _.sum(nums); let leftS = 0; for (let i = 0; i < nums.length; i++) { if (leftS * 2 === s - nums[i]) { return i; } leftS += nums[i]; } return -1; }
rust 解法, 执行用时: 0 ms, 内存消耗: 2.2 MB, 提交时间: 2024-07-08 09:16:07
impl Solution { pub fn pivot_index(nums: Vec<i32>) -> i32 { let s = nums.iter().sum::<i32>(); let mut left_s = 0; for (i, &x) in nums.iter().enumerate() { if left_s * 2 == s - x { return i as _; } left_s += x; } -1 } }
python3 解法, 执行用时: 40 ms, 内存消耗: 15.9 MB, 提交时间: 2022-07-07 14:38:28
class Solution: def pivotIndex(self, nums: List[int]) -> int: s = sum(nums) t = 0 for i, num in enumerate(nums): if t * 2 + num == s: return i t += num return -1
golang 解法, 执行用时: 24 ms, 内存消耗: 6.1 MB, 提交时间: 2021-06-16 16:51:38
func pivotIndex(nums []int) int { s := 0 for _, num := range nums { s += num } t := 0 for i, num := range nums { t += num if s + num == t * 2 { return i } } return -1 }