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

Last Substring in Lexicographical Order

Difficulty: Hard


Problem Description

Given a string s, return the last substring of s in lexicographical order.


Key Insights

  • The problem requires finding the lexicographically maximum substring from all possible substrings of a given string.
  • A naive approach would involve generating all substrings and then sorting them, which is computationally expensive.
  • Instead, we can use a more efficient algorithm involving two pointers to track the maximum lexicographical substring while iterating through the string.

Space and Time Complexity

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


Solution

To solve the problem, we can utilize a single traversal of the string with two pointers. The idea is to maintain a start index for the maximum substring found so far and compare the current character with the maximum substring's character. If the current character is greater, we update our maximum substring start index. This approach ensures we only need to traverse the string once, yielding an optimal solution.


Code Solutions

def last_substring(s: str) -> str:
    max_start = 0  # Start index of the maximum substring
    n = len(s)
    
    for i in range(1, n):
        # If we find a character greater than the current maximum start,
        # we update the max_start
        if s[i] > s[max_start]:
            max_start = i
        # If we find the same character, we need to check the following characters
        elif s[i] == s[max_start]:
            # Check until the end or until we find a different character
            j = max_start + 1
            while j < n and s[j] == s[i]: 
                j += 1
            # If we find a greater character, update max_start
            if j < n and s[j] > s[max_start]:
                max_start = i
    return s[max_start:]
← Back to All Questions