【题目描述】
给你一个整数数组 nums
,请计算数组的 中心下标 。
数组 中心下标 是数组的一个下标,其左侧所有元素相加的和等于右侧所有元素相加的和。
如果中心下标位于数组最左端,那么左侧数之和视为 0
,因为在下标的左侧不存在元素。这一点对于中心下标位于数组最右端同样适用。
如果数组有多个中心下标,应该返回 最靠近左边 的那一个。如果数组不存在中心下标,返回 -1
。
https://leetcode.cn/problems/find-pivot-index/
【示例】
【代码】admin
package com.company;
import java.util.*;
// 2022-02-13
class Solution {
public int pivotIndex(int[] nums) {
for (int i = 0; i < nums.length; i++){
if (check(nums, i)){
return i;
}
}
// 没有符合要求的
return -1;
}
private boolean check(int[] nums, int index) {
int sum1 = 0;
int sum2 = 0;
// 计算左侧
for (int i = 0; i < index; i++){
sum1 += nums[i];
}
// 计算右侧
for (int i = index + 1; i < nums.length; i++){
sum2 += nums[i];
}
return sum1 == sum2;
}
}
public class Test {
public static void main(String[] args) {
new Solution().pivotIndex(new int[] {1, 7, 3, 6, 5, 6}); // 输出:2
new Solution().pivotIndex(new int[] {1, 2, 3}); // 输出:-1
new Solution().pivotIndex(new int[] {2, 1, -1}); // 输出:0
}
}
package com.company;
import java.util.*;
// 2022-02-13
class Solution {
public int pivotIndex(int[] nums) {
int preSum = 0;
int sum = Arrays.stream(nums).sum();
int leftSum = 0;
for (int i = 0; i < nums.length; i++){
if (leftSum == sum - nums[i] - leftSum){
return i;
}
leftSum += nums[i];
}
return -1;
}
}
public class Test {
public static void main(String[] args) {
new Solution().pivotIndex(new int[] {1, 7, 3, 6, 5, 6}); // 输出:2
new Solution().pivotIndex(new int[] {1, 2, 3}); // 输出:-1
new Solution().pivotIndex(new int[] {2, 1, -1}); // 输出:0
}
}