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

A Number After a Double Reversal

Difficulty: Easy


Problem Description

Given an integer num, reverse num to get reversed1, then reverse reversed1 to get reversed2. Return true if reversed2 equals num. Otherwise, return false.


Key Insights

  • Reversing an integer involves reversing its digits and discarding leading zeros.
  • The operation is idempotent when applied twice: reversing the reversed integer should yield the original integer.
  • The problem can be simplified by directly checking if reversing the number twice results in the original number.

Space and Time Complexity

Time Complexity: O(n) - where n is the number of digits in the integer. Space Complexity: O(1) - no additional data structures are used that grow with input size.


Solution

To solve the problem, we will:

  1. Reverse the digits of the integer.
  2. Reverse the result of the first reversal.
  3. Compare the final result with the original integer to determine equality.

The algorithm primarily involves string manipulation to reverse the digits, ensuring leading zeros are discarded automatically.


Code Solutions

def isSameAfterReversals(num: int) -> bool:
    # Convert number to string and reverse it
    reversed1 = int(str(num)[::-1])
    # Reverse the reversed number again
    reversed2 = int(str(reversed1)[::-1])
    # Check if the double reversed number equals the original
    return reversed2 == num
← Back to All Questions