DDSA
Advertisement

467. Unique Substrings in Wraparound String

Time: O(n)
Space: O(1)

Approach

Track the longest consecutive run ending at each character; sum of per-character maximums is the total unique substring count.

467.cs
C#
// Approach: Track the longest consecutive run ending at each character;
// sum of per-character maximums is the total unique substring count.
// Time: O(n) Space: O(1)

public class Solution
{
    public int FindSubstringInWraproundString(string p)
    {
        int maxLength = 1;
        // count[i] := the number of substrings ending in ('a' + i)
        int[] count = new int[26];

        for (int i = 0; i < p.Length; ++i)
        {
            if (i > 0 && (p[i] - p[i - 1] == 1 || p[i - 1] - p[i] == 25))
                ++maxLength;
            else
                maxLength = 1;
            int index = p[i] - 'a';
            count[index] = Math.Max(count[index], maxLength);
        }

        return count.Sum();
    }
}
Advertisement
Was this solution helpful?