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

Numbers With Repeated Digits

Difficulty: Hard


Problem Description

Given an integer n, return the number of positive integers in the range [1, n] that have at least one repeated digit.


Key Insights

  • A number has repeated digits if any digit appears more than once.
  • Directly counting numbers with repeated digits can be inefficient for large n.
  • We can instead count numbers without repeated digits and subtract from the total count.
  • The range of n can be up to 10^9, which requires an efficient approach.

Space and Time Complexity

Time Complexity: O(1) for counting unique digit numbers, as it involves calculations based on the number of digits in n. Space Complexity: O(1), as we are using a fixed amount of space for variables regardless of the input size.


Solution

To solve this problem, we can use a combinatorial approach. The key idea is to count the numbers without repeated digits and then subtract that count from n. We can achieve this by:

  1. Determining the number of digits in n.
  2. Counting the unique digit numbers for each length shorter than n.
  3. Handling the numbers with the same length as n by ensuring the digits chosen do not exceed the digits in n at each position.
  4. Using a set or boolean array to track used digits while forming valid numbers.

Code Solutions

def numDupDigitsAtMostN(n: int) -> int:
    str_n = str(n)
    length = len(str_n)
    count = 0

    # Count numbers with fewer digits
    for i in range(1, length):
        count += 9 * perm(9, i - 1)

    # Count numbers with the same number of digits as n
    used = [False] * 10
    for i in range(length):
        digit = int(str_n[i])
        for j in range(1 if i == 0 else 0, digit):
            if not used[j]:
                count += perm(9 - i, length - i - 1)
        if used[digit]:
            break
        used[digit] = True
    else:
        count += 1  # Include n itself if no break occurred

    return n - count

def perm(m, n):
    result = 1
    for i in range(n):
        result *= m - i
    return result
← Back to All Questions