2825. Make String a Subsequence Using Cyclic Increments - Detailed Explanation
Problem Statement:
You are given two 0-indexed strings str1
and str2
. You can perform at most one operation on str1
. In this operation, you choose any set of indices in str1
and increment the character at each chosen index by one (cyclically). Incrementing cyclically means 'a'
becomes 'b'
, 'b'
becomes 'c'
, ..., and 'z'
wraps around to 'a'
.
The task is to determine whether it is possible to make str2
a subsequence of str1
by performing this operation at most once. A subsequence of a string is a new string that can be formed from the original string by deleting some (possibly zero) characters without changing the order of the remaining characters (i.e., characters can be skipped but the relative order of those kept is preserved).
Return true
if str2
can be a subsequence of str1
after at most one such cyclic increment operation, and false
if it cannot.
Examples:
-
Example 1:
- Input:
str1 = "abc"
,str2 = "ad"
- Output:
true
- Explanation: We can select index 2 of
str1
(the character'c'
) and increment it by one to get'd'
. After this operation,str1
becomes"abd"
. Now"ad"
is a subsequence of"abd"
(taking the first and last characters), so the result is true.
- Input:
-
Example 2:
- Input:
str1 = "zc"
,str2 = "ad"
- Output:
true
- Explanation: Select indices 0 and 1 in
str1
. Incrementing index 0 changes'z'
to'a'
, and incrementing index 1 changes'c'
to'd'
. After the operation,str1
becomes"ad"
, which exactly contains"ad"
as a subsequence (in fact, as the entire string). Therefore, return true.
- Input:
-
Example 3:
- Input:
str1 = "ab"
,str2 = "d"
- Output:
false
- Explanation: No matter which indices we increment (we could increment none, just the first character, just the second, or both), we cannot obtain a sequence that has
"d"
in order. For instance, incrementing'a'
->'b'
and'b'
->'c'
yields"bc"
, which does not contain"d"
. It can be shown that it's impossible to form"d"
as a subsequence of any string we get from at most one operation on"ab"
. Hence, false.
- Input:
Constraints:
1 <= str1.length <= 10^5
1 <= str2.length <= 10^5
str1
andstr2
consist only of lowercase English letters ('a'
to'z'
) .
Hints:
-
Hint 1: Each character in
str1
can either stay the same or be incremented once (to its next letter) in the single allowed operation. This means a characterx
instr1
can only serve as eitherx
or one step ahead ofx
(for example,'b'
can serve as'b'
or'c'
;'z'
can serve as'z'
or'a'
due to wrap-around). -
Hint 2: Think of the problem in terms of checking a subsequence. We want to see if
str2
can appear in order withinstr1
if we are allowed to tweak some characters ofstr1
by +1. A classic way to check a subsequence is using two pointers scanning through the strings. Consider how you might extend this technique to account for the allowed increments. -
Hint 3: Try a greedy approach: traverse
str1
and attempt to match characters ofstr2
from left to right. If the current character ofstr1
can be used (either as-is or incremented) to match the current character ofstr2
, take it and move to the next character ofstr2
. If not, skip the character instr1
. -
Hint 4: If you reach the end of
str2
(i.e., all characters ofstr2
have been matched in order), then it is possible to formstr2
as a subsequence. If you reach the end ofstr1
without matching all ofstr2
, then it's not possible. Focus on why this greedy approach works (hint: any earlier character instr1
that could have matched later instr2
would only make things harder if skipped incorrectly).
Multiple Approaches:
We will discuss two approaches to solve this problem:
Approach 1: Brute Force (Exhaustive Search / Backtracking)
Idea: A brute force way to solve the problem is to consider all possible ways to form a subsequence of str1
(with allowed increments) and check if str2
is one of those subsequences. Essentially, for each character in str1
, we have a choice: either skip it or use it (possibly incrementing it by one) to match the next character of str2
. We could explore all such choices using recursion or backtracking.
Method:
-
Recursion / DFS: Start with the first characters of
str1
andstr2
. At each positioni
instr1
and positionj
instr2
, consider two possibilities:- Skip
str1[i]
: Do not use this character in the subsequence. Move toi+1
instr1
(keepj
same, since we still need to match the samestr2[j]
). - Use
str1[i]
: Ifstr1[i]
can matchstr2[j]
(either directly or by incrementingstr1[i]
by one), then use this character to match. In this case, move to the next character ofstr2
(j+1
) and also move to the next character ofstr1
(i+1
). Ifstr1[i]
does not match or cannot be incremented to matchstr2[j]
, then this branch is not viable.
- Skip
-
If we manage to match all characters of
str2
(i.e., reachj == str2.length
), then return true. If we exhauststr1
(i.e.,i == str1.length
) without finishingstr2
, then this path fails. -
Backtracking through all possibilities will explore every subsequence of
str1
(under the increment rule) to see ifstr2
appears. We can use memoization (caching states defined by indices(i, j)
) to avoid re-computing results for the same positions repeatedly.
Example (Brute Force):
Consider str1 = "abc"
and str2 = "ad"
. We will try all ways:
- Start at
i=0, j=0
(str1[0]='a'
,str2[0]='a'
): We can either skip'a'
or use it.- Use
'a'
: It matchesstr2[0]
directly, so consume it and move toi=1, j=1
(now need to match'd'
fromstr2
).- At
i=1, j=1
(str1[1]='b'
,str2[1]='d'
):'b'
does not match'd'
, and incrementing'b'
would give'c'
, which still isn’t'd'
. So usingstr1[1]
for'd'
fails. We must skipstr1[1]
. - Skip to
i=2, j=1
(str1[2]='c'
,str2[1]='d'
): Now'c'
does not match'd'
directly, but incrementing'c'
gives'd'
, which does match. We use this match and move toj=2
(which is end ofstr2
). Success! We found a way to form "ad".
- At
- Skip
'a'
: Move toi=1, j=0
(str1[1]='b'
, still need to matchstr2[0]='a'
):'b'
cannot match'a'
(and'b'
incrementing to'c'
also isn’t'a'
), so this path fails. We would backtrack and try other possibilities (like skipping more characters), but in this small example the successful path was already found.
- Use
- The above exploration finds a valid sequence of choices (use
'a'
, skip'b'
, use'c'
incremented) that yields"ad"
, so the brute force would return true.
Why this is inefficient: In the worst case, the number of potential subsequences of str1
is enormous. Since each character of str1
can either be taken (maybe incremented) or not taken, the theoretical upper bound on possibilities is about 2^(n) subsequences (where n = length of str1
), which is not feasible to explore when n is large. Even with pruning and memoization, a naive brute-force or DFS could end up exploring a huge state space (up to ~n* m states in a DP memo, where m = length of str2
), which is too slow when n and m are on the order of 10^5. Therefore, we need a more efficient strategy.
Approach 2: Optimized Two-Pointer Greedy Approach
Idea: This approach is inspired by the classic subsequence checking algorithm, using a two-pointer technique. We will iterate through str1
once, and try to "collect" the characters of str2
in order. We maintain:
- Pointer
i
forstr1
(traversing from 0 tostr1.length-1
). - Pointer
j
forstr2
(tracking how many characters ofstr2
we have matched so far, from 0 tostr2.length-1
).
We will greedily match characters from str1
to str2
in sequence, allowing for the one-step increment flexibility:
- Initialize
i = 0
,j = 0
. - Iterate
i
throughstr1
:-
For each character
str1[i]
, check if it can fulfill the current needed characterstr2[j]
. There are two ways it can "match":- Direct match:
str1[i] == str2[j]
. - Cyclic increment match: Incrementing
str1[i]
by one (with'z'
->'a'
wrap-around) equalsstr2[j]
. In other words, eitherstr1[i] + 1 == str2[j]
(for non-z
chars) orstr1[i]
is'z'
andstr2[j]
is'a'
. For example, if we need'd'
and current char is'c'
, it's a match because'c'
can be incremented to'd'
.
- Direct match:
-
If either of these conditions is true, we can use
str1[i]
(with an increment if necessary) to matchstr2[j]
. In that case, incrementj
to move to the next character ofstr2
that we need to match. (We also effectively decide to incrementstr1[i]
in the hypothetical operation if it wasn’t already a direct match.) -
Regardless of a match or not, always increment
i
to move forward instr1
. If the character wasn’t useful for the currentstr2[j]
, we are simply skipping it.
-
- The loop continues until we either run out of characters in
str1
(i
reachesstr1.length
) or we have matched all characters ofstr2
(j
reachesstr2.length
). - After the loop, if
j == str2.length
, it means we have successfully matched every character ofstr2
in order. In that case, return true. Ifj < str2.length
(meaning some characters ofstr2
were not matched), return false.
This greedy approach effectively simulates choosing an optimal set of indices in str1
to increment (or leave) in a single pass.
Why it works: This approach is similar to the standard subsequence check. We always take a character from str1
to match str2
as soon as we can. If a character in str1
is not able to help (even after an increment) with the current str2
character, skipping it is safe because incrementing it later or using it out of order won’t help either. By the time we skip it, either it didn't match needed char or would never match any future needed char in order (since we move in sequence). Greedy works here because each decision (skip or use with/without increment) is locally optimal and leads to a globally correct outcome for subsequence problems. We also never go backwards—each character of str1
is considered once, and each character of str2
is matched at most once in order.
Example (Optimized):
Let's trace the optimized approach for str1 = "abc"
and str2 = "ad"
:
str1: a b c
^ ^
str2: a d
^ ^
(i and j pointers at start)
- Initialize
i=0, j=0
. i=0
:str1[0] = 'a'
,str2[0] = 'a'
. This is a direct match (we don't even need an increment). We use this character. So, incrementj
to 1 (now we need to match the next character ofstr2
). Nowj=1
(target is'd'
). Movei
to 1.i=1
:str1[1] = 'b'
,str2[1] = 'd'
. Check match:- Direct:
'b'
vs'd'
(not a match). - Increment: Incrementing
'b'
gives'c'
, which is still not'd'
. So this character can't help with the currentstr2[j]
. We skip it. (Keepj=1
unchanged, movei
to 2.)
- Direct:
i=2
:str1[2] = 'c'
,str2[1] = 'd'
. Check match:- Direct:
'c'
vs'd'
(not a match). - Increment:
'c'
incremented becomes'd'
, which does matchstr2[1]
. Great — that means if we increment this character in the operation, it will match. We take this match and incrementj
to 2.
- Direct:
- Now
j = 2
, which equalsstr2.length
. This means we've matched both characters ofstr2
in order. We can stop here and return true.
During this process, we've effectively determined that selecting index 2 of str1
for increment (and not needing to increment index 0) allows "ad" to appear as a subsequence. This matches the result from the example. Notice how we never had to physically modify str1
; we just conceptually checked matches. The pointers guided us to the needed indices (index 0 and 2 in this case) that would form the subsequence.
For another case, consider str1 = "ab"
and str2 = "d"
(from Example 3):
i=0
:'a'
vs'd'
→'a'
incremented becomes'b'
; still not'd'
. Skip.i=1
:'b'
vs'd'
→'b'
incremented becomes'c'
; not'd'
. Skip.- End of
str1
reached,j
still 0 (we never matched the'd'
). We return false. This matches the expectation that it’s impossible in that case.
Code Implementations:
Below are Python and Java implementations for both the brute force approach and the optimized approach. Each implementation includes a simple main
(or test snippet) demonstrating the usage with the example cases.
Python Implementation – Brute Force
This Python solution uses recursion with memoization to try all possible ways to form str2
as a subsequence of str1
. (Note: This approach is only feasible for small strings due to its high complexity.)
Explanation: The dfs(i, j)
recursively explores from position i
in str1
and position j
in str2
. We use lru_cache
to memoize results of states (i, j)
to avoid redundant calculations. We try skipping characters and matching characters (if possible) and stop when we either find a full match for str2
or exhaust all possibilities. The example tests will print True
, True
, False
for the three sample cases respectively.
Python Implementation – Optimized (Two Pointers)
This Python solution uses the two-pointer greedy method described above. It runs in linear time relative to the input lengths.
This function iterates through str1
once. It increments the j
pointer whenever a character match is found (taking into account the increment rule). After the loop, it returns whether j
reached the end of str2
(meaning all characters were matched). The test prints confirm the expected outputs.
Java Implementation – Brute Force
The Java solution uses a recursive backtracking approach similar to the Python brute force. We use a HashSet
to memoize visited states of (i, j)
to avoid infinite recursion or re-computation. This approach is also only suitable for small inputs due to its complexity.
Explanation: The canMakeSubsequence
method calls a helper dfs(i, j, ...)
that tries to match str2[j]
starting from str1[i]
. We skip or take characters as described. The visited
set stores (i,j)
states that have been fully explored and found to be unsuccessful, preventing re-checking them. The main
method demonstrates the function with the sample inputs, which will output:
Java Implementation – Optimized (Two Pointers)
This Java solution implements the two-pointer approach. It runs in linear time and uses constant extra space.
This code uses a simple loop to scan through str1
and advances j
whenever a character matches (considering the increment rule).
Complexity Analysis:
-
Brute Force Approach: The brute force (backtracking) approach in the worst case examines an exponential number of possibilities (each character can be taken or not, leading to roughly
O(2^n)
combinations in the worst scenario). With memoization, the state space is at mostO(n * m)
(n = length ofstr1
, m = length ofstr2
), but that can still be extremely large. Time complexity in the worst case is exponential, and even with pruning it can degrade towards O(n*m) in a dense exploration scenario. Space complexity is also high: the recursion stack can go up toO(n)
deep, and the memo table can hold up toO(n*m)
states in the worst case. This is impractical for large n, m (up to 10^5) and is why this approach is mainly for conceptual understanding or very small inputs. -
Optimized Two-Pointer Approach: This approach runs in linear time relative to the size of the input. We make a single pass through
str1
(with pointeri
) and at most one pass throughstr2
(pointerj
only moves forward). Each character ofstr1
andstr2
is processed at most once, so the time complexity is about O(n + m), which in big-O terms is O(n) if n is the length ofstr1
(assumingm <= n
, otherwise O(n+m) to be precise). In the worst case, ifstr1
length = 100k andstr2
length = 100k, this will do on the order of 200k comparisons, which is efficient. The space complexity is O(1) extra space, since we only use a few integer counters and a couple of char variables for comparisons. (We are not using any data structures that grow with input size, aside from the input strings themselves.)
Comparison: Clearly, the optimized approach is far superior for large strings, turning a potentially exponential problem into a linear scan by leveraging the greedy strategy. The brute force approach would only be feasible for very short strings due to its complexity.
Step-by-Step Walkthrough (Optimized Solution):
Let's do a detailed walkthrough of the optimized two-pointer solution using an example to see how it works step by step. We’ll use Example 1: str1 = "abc"
, str2 = "ad"
for illustration:
-
Initial State:
str1 = "abc"
,str2 = "ad"
.
Pointers:i = 0
(atstr1[0] = 'a'
),j = 0
(atstr2[0] = 'a'
).
We haven’t matched anything yet. -
Step 1: Compare
str1[0]
withstr2[0]
.str1[i] = 'a'
,str2[j] = 'a'
.- They are equal, which means we can match the first character of
str2
. We will use'a'
as-is (no increment needed). - Move
j
to the next position (j = 1
now, pointing tostr2[1] = 'd'
). This signifies that the first character ofstr2
("a") is matched and we are now looking to match the second character ("d"). - Move
i
to the next position instr1
(i = 1
, pointing tostr1[1] = 'b'
).
(So far, we have matched "a" from
str2
. Current matched subsequence instr1
is "a_ _" where underscore represents what we’ll match next.) -
Step 2: Compare
str1[1]
withstr2[1]
.str1[i] = 'b'
,str2[j] = 'd'
.- They are not equal. Check if incrementing
'b'
helps: incrementing'b'
gives'c'
(since 'b' -> 'c').'c'
is still not equal to'd'
. - This means
str1[1]
(which is 'b') cannot be used to match the current needed character ('d'). So we decide to skipstr1[1]
. - We do not change
j
(still need to match 'd'), but we incrementi
to move on (i = 2
, now pointing tostr1[2] = 'c'
).
(We skipped 'b'. It was not useful for matching 'd'. The subsequence match progress is still just "a_ _" — only the first character matched so far.)
-
Step 3: Compare
str1[2]
withstr2[1]
.str1[i] = 'c'
,str2[j] = 'd'
.- Directly, 'c' != 'd'. Check increment: incrementing
'c'
gives'd'
. Yes,'d'
matches the needed character! - This means we can use
str1[2]
, provided we increment it in our operation, to match the character 'd' fromstr2
. We take this match. - Move
j
to the next position (j = 2
). Nowj
equalsstr2.length
(which is 2), meaning we've matched all characters ofstr2
. - We can stop here, but for completeness, we'd also move
i
to 3 (i = 3
), which is beyond the length ofstr1
.
(Now we have matched "a" and "d" in sequence. The chosen indices in
str1
were 0 (used as 'a') and 2 (used as 'c' incremented to 'd'). The subsequence "ad" is formed successfully.) -
End: Since
j
reached the end ofstr2
, the algorithm will conclude withj == str2.length
and returntrue
. This indicates"ad"
can be formed as a subsequence of"abc"
with at most one cyclic increment operation (in fact, exactly one increment at index 2).
Visual summary of the operation on str1
: We identified that incrementing the character at index 2 was needed. If we actually perform the single allowed operation by choosing index 2, str1
transforms as:
Original str1: a b c
Operation: ^ (increment 'c' to 'd')
Transformed str1: a b d
Subsequence: ^ ^ (we take 'a' and 'd')
"ad"
is clearly a subsequence of the transformed "abd"
. The two-pointer algorithm found this transformation without explicitly constructing all options.
This step-by-step process can be applied to any input. Essentially, the algorithm is trying to align each character of str2
with a character in str1
or an increment of a character in str1
, in order. If at any point a str1
character cannot serve the needed match, it is skipped. If we manage to assign matches to all characters of str2
, the answer is true.
Common Mistakes & Edge Cases:
When solving this problem, watch out for these common pitfalls and consider edge cases:
-
Mixing up Subsequence vs. Substring: Remember that subsequence characters do not have to be contiguous in
str1
; they only need to appear in order. A mistake would be to try to matchstr2
as a contiguous block or to reorder characters. We must preserve the original order of characters fromstr1
. Always use the two-pointer technique or equivalent logic to respect order. -
Forgetting the Wrap-around from 'z' to 'a': The cyclic nature means
'z'
is effectively one step before'a'
. For example, ifstr2
needs an'a'
and you have a'z'
instr1
, that'z'
can be incremented to'a'
. Many errors can happen by neglecting this special case. In implementation, be careful to handle'z'
properly. In our checks, we explicitly consider ifcurrent_char == 'z'
andneeded_char == 'a'
as a valid match condition. -
Using Multiple Increments on the Same Character: You are only allowed to perform the increment operation once globally (although it can cover multiple characters in that one operation). This means each character in
str1
can be incremented at most one time. A common misunderstanding would be thinking you could increment a character twice to reach a target (you cannot do'a'
->'c'
in one operation; that would require two operations on the same character). Our solution accounts for this by only ever considering a one-step increment. If you find yourself thinking of changing a character by more than one alphabetical step, that path is invalid under the problem's constraints. -
Not Considering the Zero-Operation Scenario: It's possible that
str2
is already a subsequence ofstr1
without any changes. The problem says "at most once", which includes the possibility of zero operations. Make sure your logic doesn’t falsely require at least one increment. Ifstr2
is already a subsequence ofstr1
(all characters found in order naturally), you should return true immediately. The greedy approach naturally handles this (it would just match all characters without ever using the increment condition), but a mistake can occur if one tries a different method and forgets the no-op case. -
Edge Case: Length Mismatch: If
str2
is longer thanstr1
, then it's impossible to formstr2
as a subsequence (since even without any operations you can't get more characters thanstr1
has). Our algorithm implicitly handles this:j
can never reachm
ifm > n
. It’s good to check upfront: ifstr2.length > str1.length
, return false immediately as an optimization. Conversely, ifstr2
is empty (which in our constraints it isn't, but hypothetically), that’s trivially a subsequence of any string (return true). -
Edge Case: All characters require increment: Consider a case like
str1 = "zzz"
andstr2 = "aaa"
. Here each'z'
needs to wrap to'a'
. The algorithm will handle it by checking each'z'
against'a'
and seeing the increment possibility. If the lengths match, this should return true (increment every character ofstr1
). Make sure your implementation correctly allows'z' -> 'a'
. -
Not advancing the
str2
pointer correctly: Some might forget to only advancej
when a match is found. Advancingi
andj
unconditionally or incorrectly will break the logic. Ensure thatj
only moves forward when a character is matched (considering increment). If you advancej
when there's no match, you'll incorrectly drop a needed character fromstr2
. The provided two-pointer logic handles this by only doingj++
in the matching case.
By keeping these points in mind, you can avoid common mistakes. Test edge cases like very short strings, cases where no increment is needed, or cases where only the wrap-around letter can help.
Alternative Variations:
This problem is a twist on a classic subsequence check by adding a constraint of a single cyclic increment operation. There are a few ways this problem (or related problems) could be varied:
-
Unlimited or Multiple Operations: If we were allowed to increment characters multiple times (or perform many operations), the problem changes drastically. In fact, if any number of increments on any characters were allowed, any string
str1
could be transformed character-by-character into any other string of equal length, so the main limiting factor would only be the length and order. In such a scenario, as long asstr2
is not longer thanstr1
, you could always makestr2
a subsequence by transforming the appropriate characters in order. The interesting part of this given problem is that each character can only shift by at most one position in the alphabet, which restricts the transformations. -
Single-Character Increment Limit: Another variation could be if you were allowed to increment at most one character in
str1
(instead of any subset of characters in one operation). That would mean you could choose one index instr1
to increment by one, and you want to see ifstr2
is a subsequence after that single-character change. Solving that variation might involve checking each position ofstr1
as a candidate for increment and seeing if it yields a subsequence match — a potentially more expensive approach (but still manageable by trying at most n possibilities and doing a subsequence check each time). -
Different Operations: Instead of cyclic increments, imagine variations where you could replace a character with any other character (one substitution), or you could delete or insert characters (which moves into edit distance territory). Each of these would create a different type of problem:
-
One substitution to achieve a subsequence might be similar in approach (check if
str2
is subsequence allowing one mismatched character to still count via substitution). -
Allowing deletions from
str1
doesn't change anything (deletions only make subsequence easier to form). -
Insertions into
str1
effectively is the reverse of deletions (similar to checking ifstr2
is a subsequence ofstr1
because insertions instr1
can always be done to matchstr2
if needed, limited by number of insertions).
-
-
Subsequence with Shifts: The cyclic increment operation is basically a shift by +1. We could imagine a variation where instead of +1 shifts, you could shift characters by +k positions (mod 26) in one operation. If k is large or if multiple increments are allowed, it could open up more possibilities. The solution approach would need adjustment to check a range of possible matches instead of just the next character.
-
Counting or Minimizing Operations: A different problem could ask not just whether it's possible, but how many characters need to be incremented (or what is the minimum number of increments needed) to make
str2
a subsequence ofstr1
. That becomes a different challenge – likely a dynamic programming problem – where you try to minimize the modifications. Our current problem restricts it to at most one operation globally, which simplifies the decision to a yes/no.
Many of these variations would require more complex algorithms (often dynamic programming or more involved greedy strategies). However, the fundamental idea of scanning through one string to find a subsequence in another is a recurring theme.
Related Problems for Further Practice:
To strengthen understanding, it’s helpful to practice other problems that involve subsequences or two-pointer techniques:
-
392. Is Subsequence (Easy) – This is the classic subsequence checking problem. You have two strings s and t, and you need to check if s is a subsequence of t. It can be solved with a similar two-pointer approach (without any character transformations). Solving this will solidify the basic idea used in our optimized solution.
-
524. Longest Word in Dictionary through Deleting (Medium) – In this problem, you are given a string and a dictionary of words, and you need to find the longest word in the dictionary that is a subsequence of the given string. This also relies on subsequence checking (often repeatedly checking multiple candidates). It’s a good exercise in efficient subsequence verification.
-
2486. Append Characters to String to Make Subsequence (Medium) – This problem asks for the minimum number of characters that need to be appended to the end of a string
s
so that another stringt
becomes a subsequence ofs
. It uses the subsequence two-pointer idea to see how much oft
can be matched and how many characters are left unmatched . It’s a direct application of subsequence logic. -
792. Number of Matching Subsequences (Medium) – Here you are given one string and a list of many words, and you need to count how many of those words are subsequences of the string. A naive approach would check each word with a two-pointer scan (which could be costly if there are many words), so it requires thinking about optimizing multiple subsequence checks, possibly by pre-processing the positions of characters in the main string. This problem extends the subsequence concept to multiple queries.
-
(Advanced) Edit Distance problems (e.g., LeetCode 72) – Though more advanced, problems that involve inserting, deleting, or replacing characters to transform one string into another (like Edit Distance) are related in the sense of string transformations. They use dynamic programming to count minimum operations, which is different from our greedy check, but practicing them can give deeper insight into how allowing edits changes what subsequences/substrings can form.
GET YOUR FREE
Coding Questions Catalog
