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

Day of the Week

Difficulty: Easy


Problem Description

Given a date, return the corresponding day of the week for that date. The input is given as three integers representing the day, month and year respectively. Return the answer as one of the following values {"Sunday", "Monday", "Tuesday", "Wednesday", "Thursday", "Friday", "Saturday"}.


Key Insights

  • The problem requires determining the day of the week for a given date.
  • The input includes day, month, and year as integers.
  • The valid range for dates is between the years 1971 and 2100.
  • The solution can utilize known algorithms for calculating the day of the week, such as Zeller's Congruence or Python's built-in date functionalities.

Space and Time Complexity

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


Solution

To solve the problem, we can use a reliable algorithm like Zeller's Congruence or leverage the built-in date handling capabilities of programming languages. The algorithm calculates the day of the week based on the input date using mathematical formulas. In languages like Python, we can simply use the datetime library to achieve this easily.


Code Solutions

from datetime import datetime

def day_of_the_week(day: int, month: int, year: int) -> str:
    # Create a date object using the input day, month, and year
    date = datetime(year, month, day)
    # Return the corresponding day of the week as a string
    return date.strftime("%A")  # %A gives the full weekday name
← Back to All Questions