115. Distinct Subsequences
Problem Description
Given two strings s
and t
, the task is to calculate the number of distinct subsequences of s
that are equal to t
. A subsequence of a string is defined as a new string that is formed from the original string by deleting some (can be none) of the characters without disturbing the relative positions of the remaining characters. For example, "ace"
is a subsequence of "abcde"
but "aec"
is not. It's important to note that the problem specifies distinct subsequences, which means that each subsequence counts only once even if it can be formed in multiple ways.
The constraints of the problem ensure that any given answer fits within a 32-bit signed integer, thus eliminating the need to handle extremely large outputs that could otherwise result in overflow errors.
Intuition
The intuition behind the solution to this problem is to approach it using dynamic programming, which involves solving complex problems by breaking them down into simpler subproblems. The solution constructs a table that keeps track of the number of ways to form subsequences of varying lengths, progressively building up to the length of t
.
To get to the solution, let's define f[i][j]
as the number of distinct subsequences in s[0...i]
that equals t[0...j]
. However, to optimize space, we can use a one-dimensional array f[j]
which holds the counts for the current iteration. The value of f[j]
will be updated by considering two cases:
- If the current character in
s
(s[i]
) does not match the current character int
(t[j-1]
), the number of distinct subsequences is unchanged. - If
s[i]
matchest[j-1]
, the number of distinct subsequences is the sum of the subsequences without includings[i]
(which isf[j]
before update) and the subsequences includings[i]
, which is the same as the number of ways to formt[0...(j-1)]
froms[0...(i-1)]
, which is stored inf[j-1]
.
The initial state f[0]
is 1 as there is exactly one subsequence of any string s
that equals an empty string t
: the empty subsequence. We start populating the array f
from the end to the beginning to correctly use previously calculated values for the current state. After processing all characters of s
, the last element of this array, f[n]
(where n
is the length of t
), will contain the number of distinct subsequences of s
which equal t
, which is the final answer.
The provided solution code implements this dynamic programming approach efficiently in both time and space. The time complexity of this solution is O(length of s
* length of t
), and the space complexity is O(length of t
).
Learn more about Dynamic Programming patterns.
Solution Approach
The implementation begins by defining a one-dimensional array f
, where f[i]
will represent the number of distinct subsequences of s
that match the first i
characters of t
. The size of this array is n + 1
, where n
is the length of string t
. This allows us to store the results for all prefixes of t
, including an empty string as our base case which has exactly one matching subsequence (the empty subsequence itself).
Here are the steps of the implementation:
-
Initialize the array
f
with its first elementf[0]
equal to 1 and the rest set to 0. This corresponds to the fact that there is always one way to form the empty subsequencet
from any strings
. -
Iterate over the characters of the string
s
using a variablea
. -
For each
a
ins
, iterate over the stringt
backward fromn
down to 1 (inclusive). The reason for iterating backward is that we want to use the values from the previous step without them being overwritten, as we only keep one row in memory. -
Check if the current character
a
matches the character int
at the current indexj - 1
. -
If there is a match, update
f[j]
by addingf[j - 1]
to it. This represents that for the current character match, the new number of distinct subsequences can be found by adding the subsequences found without including the current charactera
froms
(f[j]
before the update) to the number of subsequences that were found for the previous character oft
(f[j - 1]
).
After the outer loop completes, f[n]
contains the total number of distinct subsequences of s
that match string t
. The code returns this value as the final answer.
This algorithm uses dynamic programming by storing intermediate results in an array and reusing them, and only requires O(n)
space where n
is the length of t
due to the one-dimensional array, which is a significant optimization over a naive two-dimensional approach.
The data structure used here is a simple array, and the pattern is dynamic programming with memoization to avoid redundant computations. The algorithm's time complexity is O(length of s * length of t)
and space complexity is O(length of t)
.
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 s = "babbbit"
and t = "bit"
. We want to find the number of distinct subsequences of s
that are equal to t
.
We will follow these steps:
Step 1: Initialize array f
of size length of t + 1
which is 4
in this case (t
has 3 characters, plus 1 for the base case). Set f[0] = 1
because there is one subsequence of any string that equals an empty string—namely, the empty subsequence itself. So f = [1, 0, 0, 0]
.
Step 2: Start iterating over characters in s
. For each character, iterate over t
backward:
-
When
a = b
: Iterate throught
in reverse:t[2] = 't'
doesn't matcha
, sof[3]
remains0
.t[1] = 'i'
doesn't matcha
, sof[2]
remains0
.t[0] = 'b'
matchesa
, sof[1]
is updated tof[1] + f[0]
, which becomes1
. The array is now[1, 1, 0, 0]
.
-
When
a = a
:- No matches, no updates, because there is no 'a' in
t
. The array remains[1, 1, 0, 0]
.
- No matches, no updates, because there is no 'a' in
-
When
a = b
again:t[2]
doesn't match, no update.t[1]
doesn't match, no update.t[0]
matches, sof[1]
becomesf[1] + f[0]
, now2
, array is[1, 2, 0, 0]
.
-
When
a = b
again:t[2]
doesn't match, no update.t[1]
doesn't match, no update.t[0]
matches,f[1]
becomesf[1] + f[0]
, now3
, array is[1, 3, 0, 0]
.
-
When
a = b
again: Still no changes fort[1]
andt[2]
, butf[1]
becomes4
becausef[1]
updates tof[1] + f[0]
. -
When
a = i
:t[2]
doesn't match, no update.t[1] = 'i'
matches, sof[2]
becomesf[2] + f[1]
, which is4
. Array is now[1, 4, 4, 0]
.
-
When
a = t
:t[2] = 't'
matches, sof[3]
becomesf[3] + f[2]
, now4
. The array is[1, 4, 4, 4]
.
After completing this process, we have f[n] = f[3] = 4
, so there are 4 distinct subsequences of s
that are equal to t
: "bbit", "bbit", "bbit", "bbit". Though they are formed from different positions in s
, each represents the same subsequence, so the count is 4.
To clarify, these subsequences are derived from the following indices of s
:
s[0]s[5]s[7]
- "bbit"s[1]s[5]s[7]
- "bbit"s[2]s[5]s[7]
- "bbit"s[3]s[5]s[7]
- "bbit"
This example illustrates the dynamic programming approach where we break down the problem into smaller subproblems and use a table (in this case, a one-dimensional array) to store intermediate results and avoid redundant calculations.
Solution Implementation
1class Solution:
2 def numDistinct(self, s: str, t: str) -> int:
3 # Length of the string 't' to find
4 target_length = len(t)
5 # Initialize a DP array with zeros and set the first element to 1
6 dp = [1] + [0] * target_length
7
8 # Loop through each character in string 's'
9 for char in s:
10 # Iterate backwards through the target 't'
11 for j in range(target_length, 0, -1):
12 # When the characters match, update the DP array
13 if char == t[j - 1]:
14 dp[j] += dp[j - 1]
15
16 # Return the last element in the DP array, which holds the answer
17 return dp[target_length]
18
1class Solution {
2 public int numDistinct(String s, String t) {
3 // Length of the target string 't'
4 int targetLength = t.length();
5
6 // dp array for storing the number of distinct subsequences
7 int[] dp = new int[targetLength + 1];
8
9 // Base case initialization: An empty string is a subsequence of any string
10 dp[0] = 1;
11
12 // Iterate through each character in the source string 's'
13 for (char sourceChar : s.toCharArray()) {
14 // Iterate backwards through the dp array
15 // This is done to ensure that we are using the results from the previous iteration
16 for (int j = targetLength; j > 0; --j) {
17 // Get the jth character of the target string 't'
18 char targetChar = t.charAt(j - 1);
19
20 // If the current characters in 's' and 't' match,
21 // we add the number of distinct subsequences up to the previous character
22 if (sourceChar == targetChar) {
23 dp[j] += dp[j - 1];
24 }
25 }
26 }
27
28 // Return the total distinct subsequences of 't' in 's'
29 return dp[targetLength];
30 }
31}
32
1class Solution {
2public:
3 int numDistinct(string source, string target) {
4 int targetLength = target.size(); // Get the length of the target string
5 unsigned long long dp[targetLength + 1]; // Create a dynamic programming array to store intermediate results
6 memset(dp, 0, sizeof(dp)); // Initialize the array with zeroes
7 dp[0] = 1; // Base case: an empty target has one match in any source
8
9 // Iterate over each character in the source string
10 for (char& sourceChar : source) {
11 // Iterate over the target string backwards, to avoid overwriting values we still need
12 for (int i = targetLength; i > 0; --i) {
13 char targetChar = target[i - 1];
14 // If the current source character matches this character in target,
15 // update the dp array to include new subsequence combinations
16 if (sourceChar == targetChar) {
17 dp[i] += dp[i - 1];
18 }
19 }
20 }
21 // The answer to the problem (number of distinct subsequences) is now in dp[targetLength]
22 return dp[targetLength];
23 }
24};
25
1function numDistinct(source: string, target: string): number {
2 // Length of the target string
3 const targetLength: number = target.length;
4
5 // Initialize an array to keep track of the number of distinct subsequences
6 const distinctSubseqCount: number[] = new Array(targetLength + 1).fill(0);
7
8 // Base case: An empty target has exactly one subsequence in any source string
9 distinctSubseqCount[0] = 1;
10
11 // Iterate over the source string to find distinct subsequences matching the target
12 for (const sourceChar of source) {
13 // Work backwards through the target string
14 // This prevents overwriting values that are still needed
15 for (let idx = targetLength; idx > 0; --idx) {
16 const targetChar = target[idx - 1];
17 // If the characters match, update the count of distinct subsequences
18 if (sourceChar === targetChar) {
19 distinctSubseqCount[idx] += distinctSubseqCount[idx - 1];
20 }
21 }
22 }
23 // Return the total number of distinct subsequences that match the entire target string
24 return distinctSubseqCount[targetLength];
25}
26
Time and Space Complexity
The given Python code defines a function numDistinct
that calculates the number of distinct subsequences of string s
that equal string t
. The time complexity and space complexity analysis are as follows:
-
Time Complexity: The time complexity of the code is
O(n * m)
, wheren
is the length of stringt
andm
is the length of strings
. This is because there is a double loop structure, where the outer loop iterates over each character ins
and the inner loop traverses the listf
backwards fromn
to1
. For each character ins
, the inner loop compares it with the characters int
and updatesf[j]
accordingly. -
Space Complexity: The space complexity of the code is
O(n)
, wheren
is the length of stringt
. The listf
hasn + 1
elements, corresponding to the number of characters int
plus one for the base case. No additional space is used that grows with the size ofs
, therefore, space complexity is linear with respect to the length oft
.
Learn more about how to find time and space complexity quickly using problem constraints.
Which of the following is a good use case for backtracking?
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!