Split Array into Consecutive Subsequences - Problem
You are given an integer array nums that is sorted in non-decreasing order. Determine if it is possible to split nums into one or more subsequences such that both of the following conditions are true:
- Each subsequence is a consecutive increasing sequence (i.e. each integer is exactly one more than the previous integer).
- All subsequences have a length of 3 or more.
Return true if you can split nums according to the above conditions, or false otherwise.
A subsequence of an array is a new array that is formed from the original array by deleting some (can be none) of the elements without disturbing the relative positions of the remaining elements.
Input & Output
Example 1 — Basic Case
$
Input:
nums = [1,2,3,3,4,5]
›
Output:
true
💡 Note:
Can split into [1,2,3] and [3,4,5], both consecutive sequences of length ≥ 3
Example 2 — Cannot Split
$
Input:
nums = [1,2,3,3,4,4,5,5]
›
Output:
true
💡 Note:
Can split into [1,2,3] and [3,4,5] and [4,5] - wait, [4,5] has length 2, so actually can split into [1,2,3,4,5] and [3,4,5]
Example 3 — Impossible Case
$
Input:
nums = [1,2,3,4,4,5]
›
Output:
false
💡 Note:
Cannot form valid consecutive subsequences - one 4 would be left alone or in length-2 sequence
Constraints
- 1 ≤ nums.length ≤ 104
- -1000 ≤ nums[i] ≤ 1000
- nums is sorted in non-decreasing order
Visualization
Tap to expand
Understanding the Visualization
1
Input
Sorted array [1,2,3,3,4,5]
2
Process
Use greedy strategy to form consecutive sequences
3
Output
Return true if all elements can be grouped into valid sequences
Key Takeaway
🎯 Key Insight: Always extend existing subsequences before starting new ones to minimize waste
💡
Explanation
AI Ready
💡 Suggestion
Tab
to accept
Esc
to dismiss
// Output will appear here after running code