2743. Count Substrings Without Repeating Character

MediumHash TableStringSliding Window
Leetcode Link

Problem Description

The problem at hand requires us to examine a string s that is composed exclusively of lowercase English letters. Our objective is to determine the count of substrings that are considered 'special'. A substring is categorised as 'special' when it does not include any character that appears at least twice. In essence, it must be devoid of any repeating characters. For instance, in the string "pop", the substring "po" qualifies as a 'special' substring, while the complete string "pop" does not, as the character 'p' appears more than once.

To be clear, a substring is defined as a consecutive sequence of characters located within a string. For instance, "abc" is a substring of "abcd", but "acd" is not, since it is not contiguous.

Our task is to deduce the total count of such 'special' substrings within the given string s.

Intuition

The solution hinges on the observation that the start of a new 'special' substring is marked by the addition of a non-repeating character, and this substring extends until a character repeats. Once a character repeats, the substring is no longer 'special', so we must adjust our starting index to ensure all following substrings being counted do not contain repeating characters.

Here's the step-by-step approach to arriving at the solution:

  1. Use two pointers – say i to scan through the string, and j to mark the start of the current 'special' substring. Initialize a counter (using Counter from Python's collections module) to keep track of the occurrences of each character within the current window delimited by i and j.

  2. Iterate through the string. For each character c at index i, increment its count in the counter.

  3. If the count of the current character c goes beyond 1, which means it's repeated, we need to advance the j pointer to reduce the count back to not more than 1. We do this by moving j to the right and decrementing counts of the characters at j until cnt[c] is at most 1.

  4. The number of 'special' substrings that end with the character at index i is i - j + 1. This is because we can form a 'special' substring by choosing any starting index from j up to i.

  5. Keep adding this count to an accumulator, ans, which holds the total count of 'special' substrings.

  6. Continue this process until the entire string has been scanned, and return the count ans.

By following this approach, we systematically explore all possible 'special' substrings within the string, by expanding and shrinking the window of characters under consideration, always ensuring that no character within the window repeats.

Learn more about Sliding Window patterns.

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

Which of the tree traversal order can be used to obtain elements in a binary search tree in sorted order?

Solution Approach

The implementation for this solution uses a sliding window pattern along with a dictionary (in Python, this is implemented via the Counter class from the collections module) in order to keep track of the frequency of characters within the current window.

Here's a step-by-step explanation of the code:

  • cnt = Counter(): We initialize a Counter to maintain the frequency of each character in the current window.
  • ans = 0: This is our accumulator for the total count of 'special' substrings.
  • j = 0: This is the starting index of our sliding window.

We go through the string using a for loop.

1for i, c in enumerate(s):
2    cnt[c] += 1

With each iteration, we:

  1. Increment the counter for the current character c.

  2. Then, we enter a while loop which runs as long as the current character's count is more than 1, indicating a repeat.

1while cnt[c] > 1:
2    cnt[s[j]] -= 1

Inside the loop:

  • We decrement the count of the character at the current start of our window j, effectively removing it from our current consideration.
  • We move our window start j forward by one.

This loop helps maintain the invariant that our sliding window [j, i] only contains non-repeating characters.

  1. After ensuring no duplicates in the window [j, i], we update our answer with the number of new 'special' substrings ending at i:
1ans += i - j + 1
  • Here, i - j + 1 represents the number of 'special' substrings that can be formed where the last letter is at index i. This is because any substring starting from j to i up to this point is guaranteed to be 'special'.
  1. Finally, after the loop finishes, we return ans, which now contains the total count of all 'special' substrings.

This algorithm uses the sliding window pattern, which is efficient and elegantly handles the continuous checking of the substrings by maintaining a valid set of characters between the i and j pointers. The use of a Counter abstracts away the low-level details of frequency management and provides easy and fast updates for the frequencies of characters in the current window.

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

What's the output of running the following function using input 56?

1KEYBOARD = {
2    '2': 'abc',
3    '3': 'def',
4    '4': 'ghi',
5    '5': 'jkl',
6    '6': 'mno',
7    '7': 'pqrs',
8    '8': 'tuv',
9    '9': 'wxyz',
10}
11
12def letter_combinations_of_phone_number(digits):
13    def dfs(path, res):
14        if len(path) == len(digits):
15            res.append(''.join(path))
16            return
17
18        next_number = digits[len(path)]
19        for letter in KEYBOARD[next_number]:
20            path.append(letter)
21            dfs(path, res)
22            path.pop()
23
24    res = []
25    dfs([], res)
26    return res
27
1private static final Map<Character, char[]> KEYBOARD = Map.of(
2    '2', "abc".toCharArray(),
3    '3', "def".toCharArray(),
4    '4', "ghi".toCharArray(),
5    '5', "jkl".toCharArray(),
6    '6', "mno".toCharArray(),
7    '7', "pqrs".toCharArray(),
8    '8', "tuv".toCharArray(),
9    '9', "wxyz".toCharArray()
10);
11
12public static List<String> letterCombinationsOfPhoneNumber(String digits) {
13    List<String> res = new ArrayList<>();
14    dfs(new StringBuilder(), res, digits.toCharArray());
15    return res;
16}
17
18private static void dfs(StringBuilder path, List<String> res, char[] digits) {
19    if (path.length() == digits.length) {
20        res.add(path.toString());
21        return;
22    }
23    char next_digit = digits[path.length()];
24    for (char letter : KEYBOARD.get(next_digit)) {
25        path.append(letter);
26        dfs(path, res, digits);
27        path.deleteCharAt(path.length() - 1);
28    }
29}
30
1const KEYBOARD = {
2    '2': 'abc',
3    '3': 'def',
4    '4': 'ghi',
5    '5': 'jkl',
6    '6': 'mno',
7    '7': 'pqrs',
8    '8': 'tuv',
9    '9': 'wxyz',
10}
11
12function letter_combinations_of_phone_number(digits) {
13    let res = [];
14    dfs(digits, [], res);
15    return res;
16}
17
18function dfs(digits, path, res) {
19    if (path.length === digits.length) {
20        res.push(path.join(''));
21        return;
22    }
23    let next_number = digits.charAt(path.length);
24    for (let letter of KEYBOARD[next_number]) {
25        path.push(letter);
26        dfs(digits, path, res);
27        path.pop();
28    }
29}
30

Example Walkthrough

Let's consider a small example to illustrate the solution approach.

Assume the string s is "ababc".

Here's how the algorithm works for this string:

  1. Initialize cnt as an empty Counter.

  2. Initialize ans = 0 and j = 0.

  3. Iterate over each character of the string, with i being the position in the loop.

    • For i = 0 (c = 'a'):
      • cnt['a'] becomes 1.
      • No characters are repeated, so ans becomes 0 + 1 = 1.
    • For i = 1 (c = 'b'):
      • cnt['b'] becomes 1.
      • Still no repeated characters, so ans becomes 1 + 2 = 3 (substrings "ab" and "b").
    • For i = 2 (c = 'a'):
      • cnt['a'] becomes 2 (as 'a' is encountered again).
      • cnt['a'] is greater than 1, so we increment j to 1 and decrement cnt['a'] by 1, making it 1.
      • Update ans to become 3 + 2 = 5 (new substrings "aba", "ba").
    • For i = 3 (c = 'b'):
      • cnt['b'] becomes 2.
      • cnt['b'] is more than 1, so we increment j to 2 and decrement cnt['b'] to 1.
      • Update ans to become 5 + 2 = 7 (new substrings "ab", "b").
    • For i = 4 (c = 'c'):
      • cnt['c'] becomes 1.
      • No repeated characters, so ans becomes 7 + 3 = 10 (substrings "abc", "bc", "c").
  4. Once we finish iterating, we end up with ans = 10, which is the total count of 'special' substrings.

By following these steps, we can see how the sliding window keeps a valid range by updating the j index whenever a repeat character is found and how the count of ans is calculated based on the positions of i and j.

Solution Implementation

1from collections import Counter
2
3class Solution:
4    def numberOfSpecialSubstrings(self, s: str) -> int:
5        # Initialize a counter to keep track of the frequency of letters
6        char_counter = Counter()
7      
8        # `total_special_substrings` will hold the count of all special substrings
9        total_special_substrings = 0
10      
11        # `start_index` is the index at which the current evaluation of the substring starts
12        start_index = 0
13      
14        # Iterate over the string, with `i` as the current index and `char` as the current character
15        for i, char in enumerate(s):
16            # Update the frequency of the current character in the counter
17            char_counter[char] += 1
18          
19            # If the frequency of the current character is more than one,
20            # increment the start_index and decrement the frequency of the
21            # character at start_index to ensure we are checking for a special substring
22            while char_counter[char] > 1:
23                char_counter[s[start_index]] -= 1
24                start_index += 1
25          
26            # A special substring is one where all characters are unique. Since we
27            # move the `start_index` to maintain unique characters in the substring,
28            # the difference `i - start_index + 1` gives us the number of new unique
29            # special substrings ending at index `i`.
30            total_special_substrings += i - start_index + 1
31      
32        # Return the total count of special substrings found
33        return total_special_substrings
34
1class Solution {
2
3    // Method to count the number of special substrings
4    // A special substring consists of a unique character
5    public int numberOfSpecialSubstrings(String s) {
6        int n = s.length(); // Length of the string
7        int specialSubstrCount = 0; // Counter for special substrings
8        int[] charCount = new int[26]; // Count array for each character 'a'-'z'
9      
10        // Using two pointers, 'start' and 'end', to define the current substring
11        for (int start = 0, end = 0; start < n; ++start) {
12            // 'currentCharIdx' is the index based on the current character
13            int currentCharIdx = s.charAt(start) - 'a';
14            // Increase the count for the current character
15            ++charCount[currentCharIdx];
16          
17            // If there is more than one occurrence of the character, move 'end' forward
18            // to reduce the count of the character at the 'end' pointer
19            while (charCount[currentCharIdx] > 1) {
20                --charCount[s.charAt(end++) - 'a'];
21            }
22
23            // The number of special substrings that end at 'start' equals 'start' - 'end' + 1
24            // because all substrings between 'end' and 'start' (inclusive) are special
25            specialSubstrCount += start - end + 1;
26        }
27      
28        return specialSubstrCount; // Return the total count of special substrings
29    }
30}
31
1class Solution {
2public:
3    // This method counts special substrings within a given string.
4    // A special substring is defined as a substring with characters occurring only once.
5    int numberOfSpecialSubstrings(string s) {
6        int n = s.size(); // Length of the string
7        int count[26] = {}; // Array to count occurrences of each character
8        int answer = 0; // Total count of special substrings
9
10        // Two pointers, 'i' for the current end of substring
11        // and 'j' for the beginning of the current special substring
12        for (int i = 0, j = 0; i < n; ++i) {
13            int charIndex = s[i] - 'a'; // Convert current character to index (0-25)
14            ++count[charIndex]; // Increment the count for this character
15          
16            // Ensure the current character only appears once
17            while (count[charIndex] > 1) {
18                // If it appears more than once, move the start pointer 'j' forward
19                --count[s[j++] - 'a'];
20            }
21
22            // Add the length of the current special substring to the total
23            // The length is 'i - j + 1' for substring from j to i inclusive
24            answer += i - j + 1;
25        }
26
27        return answer; // Return the total number of special substrings
28    }
29};
30
1function numberOfSpecialSubstrings(s: string): number {
2    // Helper function to get the index of a character 'a' to 'z' as 0 to 25.
3    const getCharIndex = (char: string) => char.charCodeAt(0) - 'a'.charCodeAt(0);
4  
5    // Length of the input string
6    const lengthOfString = s.length;
7  
8    // Array to store the count of each character
9    const charCount: number[] = Array(26).fill(0);
10  
11    // Initialize the answer to count the number of special substrings
12    let specialSubstringsCount = 0;
13  
14    // Two pointers for the sliding window approach
15    for (let i = 0, j = 0; i < lengthOfString; ++i) {
16        // Get the index of the current character
17        const currentIndex = getCharIndex(s[i]);
18      
19        // Increment the count for this character
20        ++charCount[currentIndex];
21      
22        // Ensure that we have at most one of each character in the current sliding window
23        while (charCount[currentIndex] > 1) {
24            // If more than one, decrement the count of the leftmost character
25            --charCount[getCharIndex(s[j++])];
26        }
27      
28        // The number of special substrings ending at the current position 'i' is the width of the current window
29        specialSubstringsCount += i - j + 1;
30    }
31  
32    // Return the total count of special substrings
33    return specialSubstringsCount;
34}
35
Not Sure What to Study? Take the 2-min Quiz:

How many ways can you arrange the three letters A, B and C?

Time and Space Complexity

Time Complexity

The time complexity of the algorithm is determined by the for-loop and the while-loop inside of it.

  • The for-loop runs n times, where n is the length of the string s. In each iteration, the algorithm performs a constant amount of work by updating the Counter object and calculating the ans.
  • The while-loop can execute more than once per for-loop iteration. However, each character from the string s can only cause at most two operations on the Counter: one increment and one decrement. Therefore, despite being nested, the while-loop won't result in more than 2n operations overall due to the two-pointer approach.

Combining these observations, the for-loop complexity O(n) and the while-loop total complexity O(n), we have a total time complexity of O(n + n) = O(n).

Space Complexity

For space complexity, the principal storage consumer is the Counter object, which at most will contain a number of keys equal to the number of distinct characters in the string s.

  • If the alphabet size is constant and small relative to n (such as the English alphabet of 26 letters), the space complexity can be considered O(1).
  • In a broader perspective where the alphabet size is not constant or the number of distinct characters is proportional to n, the space complexity is O(k), where k is the number of distinct characters in the string s.

Considering the most general case, the space complexity is O(k).

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

Fast Track Your Learning with Our Quick Skills Quiz:

Which of the following is equvalent to O(3*2^n + n^3 + n!+ log n)?


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 👨‍🏫