We use cookies (including Google cookies) to personalize ads and analyze traffic. By continuing to use our site, you accept our Privacy Policy.

Count Number of Homogenous Substrings

Difficulty: Medium


Problem Description

Given a string s, return the number of homogenous substrings of s. Since the answer may be too large, return it modulo 10^9 + 7. A string is homogenous if all the characters of the string are the same. A substring is a contiguous sequence of characters within a string.


Key Insights

  • Homogenous substrings can be formed from consecutive identical characters.
  • The number of homogenous substrings that can be formed from k consecutive identical characters is given by the formula k * (k + 1) / 2.
  • We can iterate through the string and count the lengths of consecutive identical characters to calculate the total number of homogenous substrings.

Space and Time Complexity

Time Complexity: O(n) - We traverse the string once. Space Complexity: O(1) - We use a constant amount of space.


Solution

To solve the problem, we will use a simple iteration approach. We will keep track of the count of consecutive characters and whenever we encounter a different character, we will use the formula to calculate the number of homogenous substrings for the previous character sequence. We will accumulate the total count and return the result mod 10^9 + 7.


Code Solutions

def count_homogenous(s: str) -> int:
    MOD = 10**9 + 7
    total_count = 0
    current_count = 1  # At least one character is considered homogenous

    for i in range(1, len(s)):
        if s[i] == s[i - 1]:
            current_count += 1
        else:
            current_count = 1  # Reset for new character
        total_count = (total_count + current_count) % MOD

    return total_count
← Back to All Questions