1673. Find the Most Competitive Subsequence
Problem Description
You are given an integer array nums and a positive integer k. Your task is to find the most competitive subsequence of nums that has exactly k elements.
A subsequence is a sequence derived from the original array by deleting some (possibly zero) elements without changing the order of the remaining elements.
When comparing two subsequences of the same length, one subsequence is considered more competitive than another if, at the first position where they differ, it has a smaller number. For example:
- [1,3,4]is more competitive than- [1,3,5]because they first differ at the last position, where- 4 < 5
- [2,3]is more competitive than- [3,4]because they first differ at the first position, where- 2 < 3
The solution uses a monotonic stack approach. As we traverse the array, we maintain a stack that will eventually contain our answer. For each element:
- We check if we can remove larger elements from the stack to make our subsequence more competitive
- We only remove an element from the stack if: the current element is smaller than the stack's top element AND we have enough remaining elements to still form a subsequence of size k
- The condition len(stk) + n - i > kensures we don't remove too many elements - it checks that the current stack size plus the remaining unprocessed elements is greater thank
- We only add the current element if the stack size is less than k
This greedy approach ensures we always try to keep smaller elements earlier in our subsequence, making it as competitive as possible.
Intuition
The key insight is that we want to build the lexicographically smallest subsequence of size k. To make a subsequence as competitive as possible, we should prioritize placing smaller numbers at earlier positions.
Think of it like building a team where you can only pick k players from a lineup. You want the strongest possible team, and strength is determined by comparing players position by position from left to right. The first difference determines which team is better.
As we scan through the array, we face a decision at each element: should we include it in our subsequence or not? If we encounter a smaller element, we might want to go back and remove some larger elements we've already chosen - but only if we have enough elements remaining to still form a complete subsequence of size k.
This naturally leads to a stack-based greedy approach. The stack represents our current candidate subsequence. When we see a new element:
- If it's smaller than what's on top of our stack, we'd prefer to use this smaller element instead - it would make our subsequence more competitive
- But we can only remove the larger element if we'll still have enough elements left to reach size k
- The condition len(stk) + n - i > kchecks exactly this: current stack size + remaining elements must be greater thankfor us to safely remove an element
This greedy strategy works because once we've chosen to keep a smaller element at an earlier position, we never need to reconsider that decision. Any subsequence with a larger element at that position would be less competitive, regardless of what comes after.
The beauty of this approach is that it processes each element exactly once while maintaining the optimal subsequence at each step, giving us an efficient O(n) solution.
Learn more about Stack, Greedy and Monotonic Stack patterns.
Solution Approach
We use a monotonic stack to build the most competitive subsequence. The stack maintains our current candidate subsequence as we traverse the array from left to right.
Here's the step-by-step implementation:
- 
Initialize an empty stack stkto store our subsequence and get the array lengthn.
- 
Traverse the array using enumeration to have both index iand valuev:for i, v in enumerate(nums):
- 
For each element, check if we should remove elements from the stack: while stk and stk[-1] > v and len(stk) + n - i > k: stk.pop()This condition has three parts: - stk- stack is not empty
- stk[-1] > v- the top element is larger than the current element (we found a more competitive option)
- len(stk) + n - i > k- we have enough remaining elements to still form a subsequence of size- k- n - irepresents the number of elements left to process (including current)
- If len(stk) + n - i = k, we can't afford to remove any more elements
 
 
- 
Add the current element if there's room: if len(stk) < k: stk.append(v)We only add the current element if we haven't reached the required size kyet.
- 
Return the stack which now contains the most competitive subsequence of size k.
Example walkthrough with nums = [3,5,2,6] and k = 2:
- Process 3: stack =[3]
- Process 5: stack =[3,5](reached sizek)
- Process 2:2 < 5and we can afford to remove (4 - 2 + 1 > 2), so pop5; then2 < 3and we can afford to remove (3 - 2 + 1 > 2), so pop3; add2: stack =[2]
- Process 6: add6: stack =[2,6]
- Result: [2,6]
The time complexity is O(n) since each element is pushed and popped at most once. The space complexity is O(k) for the stack.
Ready to land your dream job?
Unlock your dream job with a 5-minute evaluator for a personalized learning plan!
Start EvaluatorExample Walkthrough
Let's walk through the solution with nums = [2, 4, 3, 3, 5, 4, 9, 6] and k = 4.
We'll use a stack to build our competitive subsequence, checking at each step if we can make improvements.
Initial state: stk = [], n = 8
Step 1: Process nums[0] = 2
- Stack is empty, add 2
- stk = [2]
Step 2: Process nums[1] = 4
- Check: Can we remove 2? No, because 4 > 2 (we want smaller elements)
- Stack size (1) < k (4), so add 4
- stk = [2, 4]
Step 3: Process nums[2] = 3
- Check: Can we remove 4? Yes! Because 3 < 4 AND len(stk) + n - i = 2 + 8 - 2 = 8 > k
- Pop 4, now stk = [2]
- Check: Can we remove 2? No, because 3 > 2
- Stack size (1) < k (4), so add 3
- stk = [2, 3]
Step 4: Process nums[3] = 3
- Check: Can we remove 3? No, because 3 = 3 (not smaller)
- Stack size (2) < k (4), so add 3
- stk = [2, 3, 3]
Step 5: Process nums[4] = 5
- Check: Can we remove 3? No, because 5 > 3
- Stack size (3) < k (4), so add 5
- stk = [2, 3, 3, 5](reached size k!)
Step 6: Process nums[5] = 4
- Check: Can we remove 5? Yes! Because 4 < 5 AND len(stk) + n - i = 4 + 8 - 5 = 7 > k
- Pop 5, now stk = [2, 3, 3]
- Check: Can we remove 3? No, because 4 > 3
- Stack size (3) < k (4), so add 4
- stk = [2, 3, 3, 4]
Step 7: Process nums[6] = 9
- Check: Can we remove 4? No, because 9 > 4
- Stack size already equals k, don't add 9
- stk = [2, 3, 3, 4]
Step 8: Process nums[7] = 6
- Check: Can we remove 4? No, because 6 > 4
- Stack size already equals k, don't add 6
- stk = [2, 3, 3, 4]
Final result: [2, 3, 3, 4]
This subsequence is the most competitive because it starts with the smallest possible elements while maintaining the original order and having exactly k elements.
Solution Implementation
1class Solution:
2    def mostCompetitive(self, nums: List[int], k: int) -> List[int]:
3        """
4        Find the most competitive subsequence of length k from nums.
5        A subsequence is more competitive if it's lexicographically smaller.
6      
7        Args:
8            nums: List of integers
9            k: Length of the desired subsequence
10          
11        Returns:
12            The most competitive subsequence of length k
13        """
14        # Use a monotonic stack to maintain the smallest possible subsequence
15        stack = []
16        n = len(nums)
17      
18        # Process each element in the array
19        for index, value in enumerate(nums):
20            # Remove larger elements from stack if we have enough remaining elements
21            # to fill up to k elements total
22            # Condition: stack[-1] > value ensures we only remove larger elements
23            # Condition: len(stack) + n - index > k ensures we have enough elements left
24            while stack and stack[-1] > value and len(stack) + n - index > k:
25                stack.pop()
26          
27            # Only add elements if we haven't reached k elements yet
28            if len(stack) < k:
29                stack.append(value)
30      
31        return stack
321class Solution {
2    public int[] mostCompetitive(int[] nums, int k) {
3        // Use a stack to maintain the most competitive subsequence
4        Deque<Integer> stack = new ArrayDeque<>();
5        int n = nums.length;
6      
7        // Iterate through each element in the array
8        for (int i = 0; i < n; i++) {
9            // Remove elements from stack that are greater than current element
10            // Only remove if we have enough remaining elements to fill k positions
11            // stack.size() + (n - i) > k ensures we can still form a subsequence of length k
12            while (!stack.isEmpty() && stack.peek() > nums[i] && stack.size() + n - i > k) {
13                stack.pop();
14            }
15          
16            // Add current element if stack size is less than k
17            if (stack.size() < k) {
18                stack.push(nums[i]);
19            }
20        }
21      
22        // Convert stack to result array
23        int[] result = new int[k];
24        // Pop from stack in reverse order to maintain the correct sequence
25        for (int i = k - 1; i >= 0; i--) {
26            result[i] = stack.pop();
27        }
28      
29        return result;
30    }
31}
321class Solution {
2public:
3    vector<int> mostCompetitive(vector<int>& nums, int k) {
4        vector<int> stack;  // Monotonic stack to maintain the most competitive subsequence
5        int n = nums.size();
6      
7        for (int i = 0; i < n; ++i) {
8            // Remove larger elements from stack if:
9            // 1. Stack is not empty
10            // 2. Top element is greater than current element
11            // 3. We have enough remaining elements to fill k positions
12            //    (current stack size + remaining elements > k)
13            while (!stack.empty() && 
14                   stack.back() > nums[i] && 
15                   stack.size() + (n - i) > k) {
16                stack.pop_back();
17            }
18          
19            // Add current element if we haven't reached size k yet
20            if (stack.size() < k) {
21                stack.push_back(nums[i]);
22            }
23        }
24      
25        return stack;
26    }
27};
281/**
2 * Finds the most competitive subsequence of length k from the given array.
3 * A subsequence is more competitive if it is lexicographically smaller.
4 * 
5 * @param nums - The input array of numbers
6 * @param k - The length of the subsequence to find
7 * @returns The most competitive subsequence of length k
8 */
9function mostCompetitive(nums: number[], k: number): number[] {
10    // Stack to maintain the most competitive subsequence
11    const stack: number[] = [];
12    const arrayLength: number = nums.length;
13  
14    // Iterate through each element in the input array
15    for (let i = 0; i < arrayLength; i++) {
16        // Remove elements from stack if:
17        // 1. Stack is not empty
18        // 2. Top element is greater than current element (making it less competitive)
19        // 3. We have enough remaining elements to fill k positions
20        while (stack.length > 0 && 
21               stack[stack.length - 1] > nums[i] && 
22               stack.length + arrayLength - i > k) {
23            stack.pop();
24        }
25      
26        // Add current element if stack hasn't reached size k
27        if (stack.length < k) {
28            stack.push(nums[i]);
29        }
30    }
31  
32    return stack;
33}
34Time and Space Complexity
Time Complexity: O(n)
The algorithm iterates through the array once with the for loop, visiting each element exactly once. Although there's a while loop inside that performs pop operations, each element can be pushed onto the stack at most once and popped at most once throughout the entire execution. This means the total number of operations across all iterations is at most 2n, resulting in an amortized time complexity of O(n), where n is the length of the array nums.
Space Complexity: O(k)
The stack stk is constrained to never exceed size k due to the condition if len(stk) < k before appending elements. The maximum space used by the stack is therefore k elements. The only other variables used are constants (i, v, n), which take O(1) space. Thus, the overall space complexity is O(k), where k is the desired size of the most competitive subsequence.
Learn more about how to find time and space complexity quickly.
Common Pitfalls
Pitfall 1: Incorrect Remaining Elements Calculation
The Problem: A common mistake is incorrectly calculating the number of remaining elements when deciding whether to pop from the stack. Developers often write:
- n - i - 1(off by one, excludes current element)
- n - i + 1(off by one, counts one extra)
- len(stack) + (n - i - 1) >= k(using >= instead of >)
Why It Happens:
The confusion arises from zero-based indexing. When at index i, there are n - i elements remaining (including the current one), not n - i - 1.
Incorrect Example:
while stack and stack[-1] > value and len(stack) + n - i - 1 > k:
    stack.pop()
This would keep one more element than necessary, potentially missing optimal solutions.
Correct Solution:
while stack and stack[-1] > value and len(stack) + n - i > k:
    stack.pop()
Pitfall 2: Forgetting the Stack Size Check Before Appending
The Problem:
Adding elements unconditionally without checking if the stack has reached size k:
# Wrong - adds all elements that survive the while loop
for i, v in enumerate(nums):
    while stack and stack[-1] > v and len(stack) + n - i > k:
        stack.pop()
    stack.append(v)  # Missing size check!
Why It Happens:
It's easy to assume that after popping larger elements, we should always add the current element. However, we might already have k elements in our stack.
Example of Failure:
With nums = [2,4,3,3,5,4,9,6] and k = 4, without the size check, you might end up with more than 4 elements.
Correct Solution: Always check the stack size before appending:
if len(stack) < k:
    stack.append(v)
Pitfall 3: Using Wrong Comparison in the While Loop Condition
The Problem:
Using >= instead of > in the remaining elements check:
# Wrong - too conservative
while stack and stack[-1] > value and len(stack) + n - i >= k:
    stack.pop()
Why It Happens: The logic seems intuitive: "if we have at least k elements total, we can pop." But this is incorrect.
The Issue:
When len(stack) + n - i == k, we have exactly enough elements to form our subsequence. If we pop now, we'll be left with fewer than k elements total, making it impossible to form a valid subsequence.
Correct Solution: Use strict inequality:
while stack and stack[-1] > value and len(stack) + n - i > k:
    stack.pop()
We can only pop when we have MORE than k elements available in total.
Which of the following uses divide and conquer strategy?
Recommended Readings
Stack Intro Imagine you have a pile of books on your desk If you want to add a new book you place it on top If you want to read a book you take it from the top And if you simply want to see which book is on the top you
Greedy Introduction div class responsive iframe iframe src https www youtube com embed WTslqPbj7I title YouTube video player frameborder 0 allow accelerometer autoplay clipboard write encrypted media gyroscope picture in picture web share allowfullscreen iframe div When do we use greedy Greedy algorithms tend to solve optimization problems Typically they will ask you to calculate the max min of some value Commonly you may see this phrased in the problem as max min longest shortest largest smallest etc These keywords can be identified by just scanning
Monotonic Stack Deque Intro If you'd prefer a video div class responsive iframe iframe src https www youtube com embed Dq_ObZwTY_Q title YouTube video player frameborder 0 allow accelerometer autoplay clipboard write encrypted media gyroscope picture in picture web share allowfullscreen iframe div The word monotonic means a list or
Want a Structured Path to Master System Design Too? Don’t Miss This!