2370. Longest Ideal Subsequence
Problem Description
The LeetCode problem presented asks us to find the length of the longest ideal subsequence from a given string s
. An ideal subsequence is one that satisfies two conditions. First, it must be a subsequence of s
, which means it can be formed by removing some or no characters from s
without changing the order of the remaining characters. Second, for every pair of adjacent letters in this subsequence, the absolute difference in their alphabetical order must be less than or equal to a given integer k
.
To explain further, a subsequence
is different from a substring
since a substring
is contiguous and appears in the same order within the original string, whereas a subsequence
is not required to be contiguous but must appear in the same relative order.
The problem statement also clarifies that the alphabetical order difference isn't cyclic, meaning that the difference between a
and z
is considered to be 25, not 1.
Intuition
To solve this problem, we can use dynamic programming, which involves breaking the problem into smaller subproblems and solving each subproblem just once, storing the solution in a table for easy access when solving subsequent subproblems.
The intuition behind the approach is to consider each character in the string s
one by one and determine the length of the longest ideal subsequence ending with that character. For each character, we need to find the previous character in the subsequence that can be connected to it (based on the condition about the alphabetical difference) for which the subsequence length is the longest possible.
We create a dictionary d
that keeps track of the last occurrence index for each character that can be a candidate for forming a subsequence. We also maintain an array dp
where dp[i]
represents the length of the longest ideal subsequence ending at s[i]
.
For each character s[i]
in the string, we iterate over every lowercase letter and check if it can form a sequence with s[i]
, satisfying the absolute difference condition. If it's a valid character, we update dp[i]
to the maximum of its current value or 1 plus the length of the subsequence ending with the valid character found in our dictionary d
. By doing this iteratively, we build upon the solutions of the subproblems until we reach the end of the string. Finally, the answer is the maximum value in the dp
array, which represents the length of the longest ideal subsequence we can obtain from s
.
Learn more about Dynamic Programming patterns.
Solution Approach
The implementation of the solution provided follows the dynamic programming approach to tackle the problem of finding the longest ideal subsequence.
Firstly, we initialize an array dp
with all elements as 1
, because the minimum length of an ideal subsequence that can end at any character is at least 1
– the character itself. We also create a dictionary d
to keep track of the last index where each character occurred while checking the sequence.
The core of the solution code is a nested loop. The outer loop iterates through the string s
, and the inner loop iterates through all lowercase ASCII letters to check whether they can form an ideal subsequence with the current character s[i]
. Here's a breakdown of each element of the code:
n = len(s)
: We determine the length of the given strings
.dp = [1] * n
: Creates a listdp
withn
elements, all initialized to1
.d = {s[0]: 0}
: Initializes the dictionaryd
with the first character of the strings
as the key and0
as its index.for i in range(1, n)
: Outer loop to traverse the strings
starting from index1
since index0
is used for initialization.a = ord(s[i])
: Converts the current characters[i]
to its ASCII value to facilitate comparison based on alphabetical order.- Inside the outer loop is an inner loop:
for b in ascii_lowercase
:abs(a - ord(b)) > k
: Checks if the absolute difference between the ASCII values of the characters is greater thank
, which means they cannot form an ideal sequence.if b in d
: If characterb
is within the differencek
, and it's in dictionaryd
, then it's a candidate for creating or extending an ideal subsequence.dp[i] = max(dp[i], dp[d[b]] + 1)
: Here, the dynamic programming comes into play. We update thedp[i]
with the maximum of its current value or the length of the ideal subsequence ending withb
plus one (to include the current characters[i]
).
d[s[i]] = i
: We update or add the current character and its index to dictionaryd
to keep track of the last position it was seen.return max(dp)
: After filling thedp
table, the length of the longest ideal subsequence will be the maximum value in thedp
list.
By keeping track of the ideal subsequences ending with different characters and building upon each other, this algorithm efficiently finds the longest one possible.
Ready to land your dream job?
Unlock your dream job with a 2-minute evaluator for a personalized learning plan!
Start EvaluatorExample Walkthrough
Let's consider a string s = "abcd"
and k = 2
, which signifies the maximum allowed absolute difference in the alphabetical order.
To illustrate the solution approach, we'll walk through the example step-by-step:
-
Initialization: We have
n = 4
since the length ofs
is 4. We create adp
list of lengthn
initialized with all1
s because the minimum subsequence length ending at each character is 1 (the character itself). We also have a dictionary,d
, which will keep track of the last seen index for each character. -
Starting Point: With
s[0] = 'a'
, we initialized
with{'a': 0}
. Since 'a' is the first character,dp[0] = 1
. -
Iteration with
i = 1
fors[i] = 'b'
:- We check if 'a' can form an ideal subsequence with 'b'. Since
abs(ord('a') - ord('b')) = 1
which is less than or equal tok
, 'a' can form an ideal subsequence with 'b'. - Thus, we update
dp[1]
with the maximum ofdp[1]
anddp['a' index] + 1
. Sincedp[0] = 1
, this meansdp[1]
becomes2
. - Update
d
to include'b': 1
.
- We check if 'a' can form an ideal subsequence with 'b'. Since
-
Iteration with
i = 2
fors[i] = 'c'
:- We check 'a' and 'b' to form an ideal subsequence with 'c'. Both are within
k
distance. - Since both 'a' and 'b' can precede 'c', we choose the one that provides the longest subsequence.
dp[2]
is updated tomax(dp[2], dp['b' index] + 1)
, which is3
. - Update
d
to include'c': 2
.
- We check 'a' and 'b' to form an ideal subsequence with 'c'. Both are within
-
Iteration with
i = 3
fors[i] = 'd'
:- Repeat the above step for 'd', checking 'a', 'b', and 'c'. Again, all are within
k
distance. - We again choose the best predecessor, which is 'c' in this case. We update
dp[3]
tomax(dp[3], dp['c' index] + 1)
, which is4
. - Update
d
to include'd': 3
.
- Repeat the above step for 'd', checking 'a', 'b', and 'c'. Again, all are within
-
Finish: We have processed all characters in
s
. Thedp
array is[1, 2, 3, 4]
, and thus the length of the longest ideal subsequence ismax(dp)
which is4
.
In this example, the longest ideal subsequence we can form from "abcd" with k = 2
is "abcd" itself, with the length of 4
. However, for strings with repeating characters or larger alphabetic differences, we would see more variation in the dp
updates based on which preceding characters provide the longer ideal subsequence according to the k
condition.
Solution Implementation
1from string import ascii_lowercase
2
3class Solution:
4 def longestIdealString(self, s: str, k: int) -> int:
5 # The length of the input string
6 string_length = len(s)
7
8 # Initialize the dp array where dp[i] represents the length of the longest ideal substring ending at index i
9 dp = [1] * string_length
10
11 # Dictionary to keep track of the last index of each character we have encountered so far.
12 last_index_dict = {s[0]: 0}
13
14 # Iterate through the string starting from the first character
15 for i in range(1, string_length):
16 # Get the ascii value of the current character
17 current_char_ascii = ord(s[i])
18
19 # Loop through all lowercase letters to find characters within the ideal distance from the current character
20 for b in ascii_lowercase:
21 if abs(current_char_ascii - ord(b)) > k:
22 # If the ascii difference is greater than k, skip this character
23 continue
24 # If the character is within the ideal distance and we've seen this character before
25 if b in last_index_dict:
26 # Update the dp value by considering the length of the ideal substring ending at the last index of character b plus the current character
27 dp[i] = max(dp[i], dp[last_index_dict[b]] + 1)
28
29 # Update the last index for the current character
30 last_index_dict[s[i]] = i
31
32 # Return the maximum value in the dp array which represents the length of the longest ideal substring
33 return max(dp)
34
1class Solution {
2 public int longestIdealString(String s, int k) {
3 int lengthOfString = s.length(); // The length of the string s.
4 int longestLength = 1; // Initialize the answer to 1 character as the minimum length of ideal string.
5 int[] dynamicProgramming = new int[lengthOfString]; // Array to store the length of the longest ideal substring ending at each character.
6 Arrays.fill(dynamicProgramming, 1); // At minimum, each character itself is an ideal string.
7
8 // HashMap to keep track of the last index of each character that is part of the longest ideal string so far.
9 Map<Character, Integer> lastSeenCharacterMap = new HashMap<>(26);
10
11 // Place the first character in the map to start the process.
12 lastSeenCharacterMap.put(s.charAt(0), 0);
13
14 // Iterate through each character in the string starting from the second character.
15 for (int i = 1; i < lengthOfString; ++i) {
16 char currentChar = s.charAt(i); // The current character for which we are finding the ideal string.
17
18 // Check closeness of every character in the alphabet to the current character within the limit k.
19 for (char prevChar = 'a'; prevChar <= 'z'; ++prevChar) {
20 // If the absolute difference in ASCII value is within the limit k, we proceed.
21 if (Math.abs(currentChar - prevChar) > k) {
22 continue;
23 }
24 // If the previous character has been seen and is part of an ideal string,
25 // we update the DP table by taking the max of the current dp value or
26 // the dp value of the previous character's last index plus one.
27 if (lastSeenCharacterMap.containsKey(prevChar)) {
28 dynamicProgramming[i] = Math.max(dynamicProgramming[i], dynamicProgramming[lastSeenCharacterMap.get(prevChar)] + 1);
29 }
30 }
31
32 // Update the last seen index of the current character to be the current index.
33 lastSeenCharacterMap.put(currentChar, i);
34 // Update longestLength to be the maximum of itself and the current length of the longest ideal string ending at i.
35 longestLength = Math.max(longestLength, dynamicProgramming[i]);
36 }
37
38 // Return the length of the longest ideal string that can be formed from the input string.
39 return longestLength;
40 }
41}
42
1class Solution {
2public:
3 int longestIdealString(string s, int k) {
4 int stringLength = s.size(); // The length of the input string
5 int longestLength = 1; // Initialize the longest length with 1, as the minimum ideal string length is 1
6 vector<int> dp(stringLength, 1); // Dynamic programming table with a base case of 1 for each character
7 unordered_map<char, int> lastOccurrence; // Stores the last occurrence index of each character encountered
8
9 // Initialize the last occurrence for the first character in the string
10 lastOccurrence[s[0]] = 0;
11
12 // Iterate over the string starting from the second character
13 for (int i = 1; i < stringLength; ++i) {
14 char currentChar = s[i]; // Current character being processed
15
16 // Try extending the ideal string including all characters within 'k' distance of current character
17 for (char otherChar = 'a'; otherChar <= 'z'; ++otherChar) {
18 // If the other character is more than 'k' distance away, skip it
19 if (abs(currentChar - otherChar) > k) continue;
20
21 // Check if we have seen the other character before and extend the ideal string length if possible
22 if (lastOccurrence.count(otherChar))
23 dp[i] = max(dp[i], dp[lastOccurrence[otherChar]] + 1);
24 }
25
26 // Update the last occurrence index for the current character
27 lastOccurrence[currentChar] = i;
28
29 // Update the longest length found so far
30 longestLength = max(longestLength, dp[i]);
31 }
32
33 // Return the length of the longest ideal string found
34 return longestLength;
35 }
36};
37
1function longestIdealString(s: string, k: number): number {
2 // Create a dynamic programming array initialized to 0.
3 // This array represents the length of the longest ideal subsequence ending with each letter.
4 const longestSubseqLengths = new Array(26).fill(0);
5
6 // Iterate over each character in the input string.
7 for (const char of s) {
8 // Get the index (0-25) corresponding to the current character.
9 const index = char.charCodeAt(0) - 'a'.charCodeAt(0);
10 // Temporary variable to hold the maximum subsequence length found so far.
11 let maxLength = 0;
12
13 // Iterate over all possible characters to update the current character's maximum length.
14 for (let i = 0; i < 26; i++) {
15 // If the current character is within 'k' distance of character at index 'i'
16 // in the alphabet, update the max length if a longer subsequence is found.
17 if (Math.abs(index - i) <= k) {
18 maxLength = Math.max(maxLength, longestSubseqLengths[i] + 1);
19 }
20 }
21
22 // Update the longest subsequence length ending with the current character.
23 longestSubseqLengths[index] = Math.max(longestSubseqLengths[index], maxLength);
24 }
25
26 // Return the maximum value in the dynamic programming array,
27 // which is the length of the longest ideal subsequence found.
28 return longestSubseqLengths.reduce((maxValue, currentLength) => Math.max(maxValue, currentLength), 0);
29}
30
Time and Space Complexity
The time complexity of the given code is O(n * 26 * k)
where n
is the length of the input string s
and k
is the maximum difference allowed for the ideal string. For each character in the string s
, the code iterates over all 26 letters in the ascii_lowercase
(regardless of k
because it checks all possibilities within the range) to find characters within the allowed difference k
. Therefore, we look at all possible 26
characters for each of the n
positions in the worst case. Additionally, for each character b
in ascii_lowercase
, we look up in dictionary d
which has an average-case lookup time of O(1)
. Hence, we multiply 26 by this constant lookup time, which doesn’t change the O-notation.
The space complexity of the code is O(n)
because the dp
array is of size n
, where n
is the size of the input string s
. The dictionary d
also stores up to n
index values for all unique characters that have been seen. In this case, the number of unique keys in the dictionary is bounded by the size of the ascii_lowercase
set, which is a constant (26
), so it does not change the overall space complexity which is dominated by the dp
array.
Learn more about how to find time and space complexity quickly using problem constraints.
Which of the tree traversal order can be used to obtain elements in a binary search tree in sorted order?
Recommended Readings
What is Dynamic Programming Prerequisite DFS problems dfs_intro Backtracking problems backtracking Memoization problems memoization_intro Pruning problems backtracking_pruning Dynamic programming is an algorithmic optimization technique that breaks down a complicated problem into smaller overlapping sub problems in a recursive manner and uses solutions to the sub problems to construct a solution
LeetCode Patterns Your Personal Dijkstra's Algorithm to Landing Your Dream Job The goal of AlgoMonster is to help you get a job in the shortest amount of time possible in a data driven way We compiled datasets of tech interview problems and broke them down by patterns This way we
Recursion Recursion is one of the most important concepts in computer science Simply speaking recursion is the process of a function calling itself Using a real life analogy imagine a scenario where you invite your friends to lunch https algomonster s3 us east 2 amazonaws com recursion jpg You first
Want a Structured Path to Master System Design Too? Don’t Miss This!