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

Check if The Number is Fascinating

Difficulty: Easy


Problem Description

You are given an integer n that consists of exactly 3 digits. We call the number n fascinating if, after the following modification, the resulting number contains all the digits from 1 to 9 exactly once and does not contain any 0's: Concatenate n with the numbers 2 * n and 3 * n. Return true if n is fascinating, or false otherwise.


Key Insights

  • The input number n must be a 3-digit integer (100 <= n <= 999).
  • To determine if n is fascinating, we need to concatenate n with 2 * n and 3 * n.
  • After concatenation, we check if the resulting string contains all digits from 1 to 9 exactly once, without any 0's.
  • We can use a set to track unique digits and ensure the count matches the required criteria.

Space and Time Complexity

Time Complexity: O(1) - The operations involve a constant number of digits (up to 9). Space Complexity: O(1) - We use a fixed-size set to track digit occurrences.


Solution

To solve the problem, we will:

  1. Calculate the values of n, 2 * n, and 3 * n.
  2. Concatenate these three values into a single string.
  3. Use a set to track unique digits found in the concatenated string.
  4. Finally, check if the set contains exactly the digits from '1' to '9'.

Code Solutions

def is_fascinating(n: int) -> bool:
    # Calculate 2*n and 3*n
    two_n = 2 * n
    three_n = 3 * n
    
    # Concatenate n, 2*n, and 3*n into a single string
    concatenated = str(n) + str(two_n) + str(three_n)
    
    # Create a set to hold unique digits
    digit_set = set(concatenated)
    
    # Check if the set contains all digits from '1' to '9'
    return len(digit_set) == 9 and all(d in digit_set for d in '123456789')
← Back to All Questions