1698. Number of Distinct Substrings in a String

MediumTrieStringSuffix ArrayHash FunctionRolling Hash
Leetcode Link

Problem Description

The problem requires calculating the total number of distinct substrings that can be formed from a given string s. A substring is defined as any sequence of characters that can be derived from the string by deleting zero or more characters from the beginning and zero or more characters from the end. For example, in the string "abc", some of the substrings include "a", "ab", "abc", and "b". The key here is to ensure that each substring is counted only once, even if it occurs multiple times in different positions of the string.

Intuition

The intuitive approach to solving this problem relies on generating all possible substrings of the given string and then counting the unique ones. To achieve this, two nested loops can be used where the outer loop iterates over the start position of a substring and the inner loop iterates over the end position. For each pair of start and end positions, a substring is extracted and stored in a set, which inherently eliminates duplicates due to its unordered collection of unique elements. After all possible substrings are added to the set, the number of distinct substrings can be determined by simply taking the size of the set.

This approach is easy to implement and understand, and although not the most efficient in terms of time complexity, it works well for strings of reasonable length.

Learn more about Trie patterns.

Not Sure What to Study? Take the 2-min Quiz to Find Your Missing Piece:

Which technique can we use to find the middle of a linked list?

Solution Approach

The solution's implementation relies on the concept of hash sets and comprehensions in Python. Here's a step-by-step explanation of the code provided:

  1. Initialize the length of the string n = len(s). This is required to control the loops' range.
  2. A set is created using a set comprehension ({}) that iterates through all possible start (i) and end (j) positions of the substrings. In Python, sets store only unique elements which means any duplicate substrings generated will not be added to the set.
  3. The outer loop begins at the first character (i starts at 0) and continues until the end of the string (i < n).
  4. The inner loop begins at the character immediately following the start position (j starts at i + 1) and continues to the end of the string (j <= n). This ensures that we consider all possible end positions for substrings starting at position i.
  5. During each iteration of the inner loop, a new substring s[i:j] is sliced from the original string s, with i inclusive and j exclusive.
  6. The sliced substring is then added to the set. If the substring already exists in the set, it's ignored, as sets do not store duplicates.
  7. After the looping, the set will contain all possible unique substrings of the original string.
  8. The total number of distinct substrings is the size of the set, which is obtained using the len() function on the set.

To summarize, the algorithm leverages a brute-force approach to generate all substrings and a data structure (set) that naturally handles the uniqueness constraint. It's excellent for its simplicity and ease of understanding. However, for large strings, this approach may lead to time-consuming operations because the number of substrings grows quadratically with the length of the input string.

Discover Your Strengths and Weaknesses: Take Our 2-Minute Quiz to Tailor Your Study Plan:

Which algorithm should you use to find a node that is close to the root of the tree?

Example Walkthrough

Let us consider a simple example using the string "abc" to illustrate the solution approach.

  1. First, we initialize the length of the string n = len(s). In our case, n would be 3, since "abc" is three characters long.
  2. We then create a set to store our substrings. This set will only keep unique elements.
  3. We start our outer loop, where i is our starting point of the substring. For our string "abc", i will take values 0, 1, and 2.
  4. For each value of i, the inner loop starts from i + 1 and continues until the end of the string. This is to ensure we cover all possible substrings starting at index i.
  5. As the loops execute, we generate substrings using s[i:j] and add them to our set. For i = 0, j will go from 1 to 3, generating "a", "ab", and "abc".
  6. We then move to i = 1, where j will go from 2 to 3, giving us substrings "b" and "bc".
  7. Lastly, for i = 2, j will only be 3, which gives us the substring "c".
  8. All these substrings are added to our set: {"a", "ab", "abc", "b", "bc", "c"}.
  9. After both loops have completed, we end up with a set containing all unique substrings.
  10. The total number of distinct substrings is simply the size of this set. Here, we have 6 unique substrings. Thus, the answer is 6.

Through this example, we can see how the proposed solution methodically enumerates all the substrings while enforcing uniqueness by utilizing the properties of a set.

Solution Implementation

1class Solution:
2    def countDistinct(self, text: str) -> int:
3        # Calculate the length of the input string
4        length_of_text = len(text)
5      
6        # Use a set comprehension to generate all unique substrings
7        # The set will automatically eliminate duplicate substrings
8        unique_substrings = {
9            text[start:end] for start in range(length_of_text) 
10            for end in range(start + 1, length_of_text + 1)
11        }
12      
13        # The length of the set of unique substrings gives us the count of distinct substrings
14        return len(unique_substrings)
15
1class Solution {
2    public int countDistinct(String s) {
3        // Create a HashSet to store the unique substrings
4        Set<String> uniqueSubstrings = new HashSet<>();
5        int lengthOfString = s.length(); // Get the length of the input string
6
7        // Iterate over all possible starting points for the substrings
8        for (int start = 0; start < lengthOfString; ++start) {
9            // Iterate over all possible ending points for the substrings
10            for (int end = start + 1; end <= lengthOfString; ++end) {
11                // Extract the substring from start to end index (exclusive) and add it to the Set
12                uniqueSubstrings.add(s.substring(start, end));
13            }
14        }
15      
16        // Return the size of the Set, which represents the count of distinct substrings
17        return uniqueSubstrings.size();
18    }
19}
20
1#include <string>
2#include <unordered_set>
3
4class Solution {
5public:
6    // Function to count the number of distinct substrings in a given string
7    int countDistinct(std::string s) {
8        // Using an unordered set to store unique substrings for O(1) average time complexity for insertions and lookups
9        std::unordered_set<std::string_view> uniqueSubstrings;
10      
11        // Size of the input string
12        int length = s.size();
13        // Variable to represent the current substring
14        std::string_view currentSubstring;
15        // String_view of the input string to optimize substring operations
16        std::string_view stringView = s;
17      
18        // Iterate over all possible starting points for substrings in s
19        for (int i = 0; i < length; ++i) {
20            // Iterate over all possible ending points for substrings, starting from the next character
21            for (int j = i + 1; j <= length; ++j) {
22                // Create a substring from the current starting and ending points
23                currentSubstring = stringView.substr(i, j - i);
24                // Insert the current substring into the set of unique substrings
25                uniqueSubstrings.insert(currentSubstring);
26            }
27        }
28      
29        // The size of the set represents the number of distinct substrings in s
30        return uniqueSubstrings.size();
31    }
32};
33
1// Importing Set from JavaScript's standard library
2import { Set } from 'core-js';
3
4// Function to count the number of distinct substrings in a given string
5function countDistinct(s: string): number {
6  // Using a Set to store unique substrings for efficient insertions and uniqueness checks
7  let uniqueSubstrings: Set<string> = new Set<string>();
8
9  // Length of the input string
10  let length: number = s.length;
11
12  // Iterating over all possible starting indexes for substrings in s
13  for (let i = 0; i < length; ++i) {
14    // Iterating over all possible ending indexes for substrings, starting from the next character
15    for (let j = i + 1; j <= length; ++j) {
16      // Extracting a substring from the current starting and ending indexes
17      let currentSubstring: string = s.substring(i, j);
18      // Inserting the current substring into the set of unique substrings
19      uniqueSubstrings.add(currentSubstring);
20    }
21  }
22
23  // The size of the set represents the number of distinct substrings in s
24  return uniqueSubstrings.size;
25}
26
27export { countDistinct }; // Exporting countDistinct for other modules to use
28
Not Sure What to Study? Take the 2-min Quiz:

Given a sorted array of integers and an integer called target, find the element that equals to the target and return its index. Select the correct code that fills the ___ in the given code snippet.

1def binary_search(arr, target):
2    left, right = 0, len(arr) - 1
3    while left ___ right:
4        mid = (left + right) // 2
5        if arr[mid] == target:
6            return mid
7        if arr[mid] < target:
8            ___ = mid + 1
9        else:
10            ___ = mid - 1
11    return -1
12
1public static int binarySearch(int[] arr, int target) {
2    int left = 0;
3    int right = arr.length - 1;
4
5    while (left ___ right) {
6        int mid = left + (right - left) / 2;
7        if (arr[mid] == target) return mid;
8        if (arr[mid] < target) {
9            ___ = mid + 1;
10        } else {
11            ___ = mid - 1;
12        }
13    }
14    return -1;
15}
16
1function binarySearch(arr, target) {
2    let left = 0;
3    let right = arr.length - 1;
4
5    while (left ___ right) {
6        let mid = left + Math.trunc((right - left) / 2);
7        if (arr[mid] == target) return mid;
8        if (arr[mid] < target) {
9            ___ = mid + 1;
10        } else {
11            ___ = mid - 1;
12        }
13    }
14    return -1;
15}
16

Time and Space Complexity

The given Python code snippet defines a function that counts the distinct substrings of a given string s. To analyze the complexity, let's consider n to be the length of the input string s.

Time Complexity: O(n^3)

The time complexity of the given function is O(n^3) for the following reasons:

  1. Two nested loops iterate over the string to generate all possible substrings, which leads to O(n^2) complexity.

  2. For each iteration, a substring is created using slicing s[i:j]. In Python, slicing a string is O(k) where k is the number of characters in the substring. In the worst case, k can be n leading to O(n) for the slicing operation.

  3. These two combined give us a total of O(n^2) * O(n) = O(n^3) complexity since for each pair (i, j), a new substring of the string s can be created with O(n) complexity.

Space Complexity: O(n^2)

The space complexity of the given function is O(n^2) for the following reasons:

  1. A set is used to store the distinct substrings. In the worst case, the number of distinct substrings of a string of length n is the sum of the series 1 + 2 + 3 + ... + n, which results in n(n + 1)/2 substrings, equating to an O(n^2) space complexity.

  2. Even though string slicing itself does not take additional space since it's creating new strings that reference the same characters within the original string, in Python, slicing creates new objects and the total space in the set would be the sum of the length of all unique substrings.

Considering these points, the complexities are as follows:

  • Time Complexity: O(n^3)
  • Space Complexity: O(n^2)

Learn more about how to find time and space complexity quickly using problem constraints.

Fast Track Your Learning with Our Quick Skills Quiz:

The three-steps of Depth First Search are:

  1. Identify states;
  2. Draw the state-space tree;
  3. DFS on the state-space tree.

Recommended Readings


Got a question? Ask the Teaching Assistant anything you don't understand.

Still not clear? Ask in the Forum,  Discord or Submit the part you don't understand to our editors.


TA 👨‍🏫