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

Convert Date to Binary

Difficulty: Easy


Problem Description

You are given a string date representing a Gregorian calendar date in the yyyy-mm-dd format. Convert the date to its binary representation by converting the year, month, and day to their binary representations without any leading zeroes and writing them down in year-month-day format. Return the binary representation of date.


Key Insights

  • The date is formatted as yyyy-mm-dd, where yyyy is the year, mm is the month, and dd is the day.
  • Each component must be converted to binary without leading zeros.
  • The binary representations must be concatenated with hyphens separating the year, month, and day.

Space and Time Complexity

Time Complexity: O(1) - The operations depend only on the fixed-length string and the conversions are constant time. Space Complexity: O(1) - Only a few integer variables are used, regardless of the input size.


Solution

To solve the problem, we can follow these steps:

  1. Split the input string date into year, month, and day using the hyphen as a delimiter.
  2. Convert each of these components (year, month, day) from decimal to binary using built-in functions.
  3. Remove any leading zeros from each binary string.
  4. Concatenate the binary strings with hyphens to form the final result. This approach utilizes string manipulation and integer conversion operations.

Code Solutions

def convert_date_to_binary(date: str) -> str:
    # Split the date into year, month, and day
    year, month, day = date.split('-')
    
    # Convert each part to binary and remove leading zeros
    binary_year = bin(int(year))[2:]  # Skip the '0b' prefix
    binary_month = bin(int(month))[2:]  # Skip the '0b' prefix
    binary_day = bin(int(day))[2:]  # Skip the '0b' prefix
    
    # Concatenate the binary strings with hyphens
    return f"{binary_year}-{binary_month}-{binary_day}"
← Back to All Questions