2030. Smallest K Length Subsequence With Occurrences of a Letter
Problem Description
Given a string s, we need to find the lexicographically smallest subsequence of length k that contains the character letter exactly repetition number of times.
** Constraints:**
- 1 <= k <= s.length <= 1000
- 1 <= repetition <= k <= 1000
- 1 <= letter.length == 1
- s and letter consist of only lowercase English letters.
Example
Let's walk through an example:
Input: s = "leetcode", k = 4, letter = 'e', repetition = 2
Output: "eecd"
Explanation: The lexicographically smallest subsequence that meets the requirement is "eecd" with 2 'e' characters.
Approach
The main idea of the solution is to use a stack data structure to maintain the desired subsequence characters. We can iterate through the input string, and for each character, we try to keep the stack in lexicographically increasing order if the remaining characters and constraints allow us to do so.
There are three cases we need to cover:
- If the character is equal to
letter, push it onto the stack and decrement therequiredcount. - If the character is not equal to
letterand we can still push more characters onto the stack to meet the length ofk, push the character. - If the character is equal to
letterbut our stack is already full (stack.size() == k), don't push it to the stack.
Finally, we convert the stack into a string and return it as the answer.
ASCII Illustration
Suppose s = "leetcode", k = 4, letter = 'e', repetition = 2
Initial state:
stack = []required = 2nLetters = 3(number of 'letter' in the input string)
Processing each character of the input string:
s[0]: 'l'
stack = ['l']
s[1]: 'e'
stack = ['e'](pop 'l' since we need to add 'e')
s[2]: 'e'
stack = ['e', 'e']
s[3]: 't'
- Ignore (since we've already added the required number of 'e')
s[4]: 'c'
stack = ['e', 'e', 'c']
s[5]: 'o'
- Ignore (since adding 'o' would make the sequence lexographically larger)
s[6]: 'd'
stack = ['e', 'e', 'c', 'd'](our final subsequence)
s[7]: 'e'
- Ignore (already added the required number of 'e')
Final answer: "eecd".
Solution in Python
python class Solution: def smallestSubsequence(self, s: str, k: int, letter: str, repetition: int) -> str: ans = "" stack = [] required = repetition nLetters = s.count(letter) for i in range(len(s)): c = s[i] while stack and stack[-1] > c and len(stack) + len(s) - i - 1 >= k and (stack[-1] != letter or nLetters > required): popped = stack.pop() if popped == letter: required += 1 if len(stack) < k: if c == letter: stack.append(c) required -= 1 elif k > len(stack) + required: stack.append(c) if c == letter: nLetters -= 1 return "".join(stack)
Solution in Java
java
import java.util.*;
class Solution {
public String smallestSubsequence(String s, int k, char letter, int repetition) {
String ans = "";
List<Character> stack = new ArrayList<>();
int required = repetition;
int nLetters = (int) s.chars().filter(c -> c == letter).count();
for (int i = 0; i < s.length(); ++i) {
char c = s.charAt(i);
while (!stack.isEmpty() && stack.get(stack.size() - 1) > c && stack.size() + s.length() - i - 1 >= k && (stack.get(stack.size() - 1) != letter || nLetters > required)) {
char popped = stack.remove(stack.size() - 1);
if (popped == letter)
++required;
}
if (stack.size() < k)
if (c == letter) {
stack.add(c);
--required;
} else if (k > stack.size() + required) {
stack.add(c);
}
if (c == letter)
--nLetters;
}
for (char c : stack)
ans += c;
return ans;
}
}
Solution in JavaScript
javascript class Solution { smallestSubsequence(s, k, letter, repetition) { let ans = ""; let stack = []; let required = repetition; let nLetters = s.split(letter).length - 1; for (let i = 0; i < s.length; ++i) { const c = s[i]; while (stack.length > 0 && stack[stack.length - 1] > c && stack.length + s.length - i - 1 >= k && (stack[stack.length - 1] != letter || nLetters > required)) { const popped = stack.pop(); if (popped == letter) ++required; } if (stack.length < k) if (c == letter) { stack.push(c); --required; } else if (k > stack.length + required) { stack.push(c); } if (c == letter) --nLetters; } return stack.join(""); } }
Solution in C++
cpp
#include <vector>
#include <string>
#include <algorithm>
class Solution {
public:
std::string smallestSubsequence(std::string s, int k, char letter, int repetition) {
std::string ans;
std::vector<char> stack;
int required = repetition;
int nLetters = count(begin(s), end(s), letter);
for (int i = 0; i < s.length(); ++i) {
const char c = s[i];
while (!stack.empty() && stack.back() > c &&
stack.size() + s.length() - i - 1 >= k &&
(stack.back() != letter || nLetters > required)) {
const char popped = stack.back();
stack.pop_back();
if (popped == letter)
++required;
}
if (stack.size() < k)
if (c == letter) {
stack.push_back(c);
--required;
} else if (k > stack.size() + required) {
stack.push_back(c);
}
if (c == letter)
--nLetters;
}
for (const char c : stack)
ans += c;
return ans;
}
};
Solution in C#
csharp using System; using System.Collections.Generic; public class Solution { public string SmallestSubsequence(string s, int k, char letter, int repetition) { string ans = ""; List<char> stack = new List<char>(); int required = repetition; int nLetters = s.Length - s.Replace(letter.ToString(), "").Length; for (int i = 0; i < s.Length; ++i) { char c = s[i]; while (stack.Count > 0 && stack[^1] > c && stack.Count + s.Length - i - 1 >= k && (stack[^1] != letter || nLetters > required)) { char popped = stack[stack.Count - 1]; stack.RemoveAt(stack.Count - 1); if (popped == letter) ++required; } if (stack.Count < k) if (c == letter) { stack.Add(c); --required; } else if (k > stack.Count + required) { stack.Add(c); } if (c == letter) --nLetters; } foreach (char c in stack) ans += c; return ans; } }
Explanation of the Solutions
In this problem, we need to find the smallest subsequence of length k containing the character letter exactly repetition times. We use a stack to push the characters of the input string while maintaining the lexicographically smallest subsequence.
Let's discuss the intuition and code implementation of each solution language.
Python Solution
The python solution defines a class Solution with a method smallestSubsequence that takes three parameters: s, k, letter, and repetition.
- Initialize an empty stack (
stack = []), a variablerequiredequal torepetition, and a variablenLettersequal to the count of occurrences of theletterin the input strings. - Iterate through the input string using the loop
for i in range(len(s)). At each iteration, store the current character in variablec, and handle three cases mentioned before. - If the character is higher in the lexicographical order, then pop it from the stack to maintain the lexicographically smallest subsequence.
- If the character is equal to the letter and the stack size is less than k, push c to the stack and decrease the required count.
- If the character is different from the letter and the stack size plus required is less than k, push c to the stack.
- If the character is equal to the letter, decrease the nLetters count.
- Join the stack to form a string and return it as the answer.
Java Solution
The Java solution is similar to the Python solution but uses a List
JavaScript Solution
In the JavaScript solution, we use the method split to count the occurrences of the letter in the input string s. The rest of the code follows the same steps as in the Python solution, but we use methods push and pop to add and remove elements from the stack, respectively.
C++ Solution
The C++ solution uses a vector of char to hold the subsequence characters. It uses the count method of the algorithm library to count the occurrences of the letter in the input string s. The code follows the same steps as in the Python solution, and the stack is a vector of char.
C# Solution
The C# solution uses a List
Ready to land your dream job?
Unlock your dream job with a 5-minute evaluator for a personalized learning plan!
Start EvaluatorWhich algorithm is best for finding the shortest distance between two points in an unweighted graph?
Recommended Readings
Stack Intro New to stacks This article provides a quick review For a comprehensive beginner friendly lesson on stacks check out our Foundation Course Stack module courses foundation stack_lifo_model Imagine you have a pile of books on your desk If you want to add a new book you place it on top
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!