剑指 Offer 57 - II. 和为s的连续正数序列
剑指 Offer 57 - II. 和为s的连续正数序列
题目
链接
https://leetcode-cn.com/problems/he-wei-sde-lian-xu-zheng-shu-xu-lie-lcof/
问题描述
输入一个正整数 target ,输出所有和为 target 的连续正整数序列(至少含有两个数)。
序列内的数字由小到大排列,不同序列按照首个数字从小到大排列。
示例
输入:target = 9
输出:[[2,3,4],[4,5]]
提示
1 <= target <= 10^5
思路
滑动窗口,设置leftright两个标记,每次增加右边界,然后判断和。
复杂度分析
时间复杂度 O(n)
空间复杂度 O(n2)
代码
Java
public int[][] findContinuousSequence(int target) {
List<int[]> list = new ArrayList<>();
int left = 1;
int right = 1;
int sum = 0;
for (; right < target; right++) {
sum += right;
while (sum > target) {
sum -= left;
left++;
}
if (sum == target) {
int[] temp = new int[right - left + 1];
for (int i = 0; i < temp.length; i++) {
temp[i] = left + i;
}
list.add(temp);
}
}
int[][] res = new int[list.size()][];
for (int i = 0; i < res.length; i++) {
res[i] = list.get(i);
}
return res;
}