LintCode 138 子数组之和
描述
给定一个整数数组,找到和为 0 的子数组。你的代码应该返回满足要求的子数组的起始位置和结束位置
注:至少有一个子数组的和为 0
样例 1:
输入: [-3, 1, 2, -3, 4]
输出: [0,2] 或 [1,3]
样例解释: 返回任意一段和为0的区间即可。
样例 2:
输入: [-3, 1, -4, 2, -3, 4]
输出: [1,5]
解题思路:前缀和
参考代码:
public class Solution {
/**
* @param nums: A list of integers
* @return: A list of integers includes the index of the first number and the index of the last number
*/
public List<Integer> subarraySum(int[] nums) {
int n = nums.length;
int[] sum = new int[n+1];
Map<Integer, Integer> map = new HashMap<>();
map.put(0,0);
List<Integer> ans = new ArrayList<>();
for (int i=1; i<=n; i++) {
sum[i] = sum[i-1]+ nums[i-1];
if (map.containsKey(sum[i])) {
ans.add(map.get<