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

Number of Days Between Two Dates

Difficulty: Easy


Problem Description

Write a program to count the number of days between two dates. The two dates are given as strings, their format is YYYY-MM-DD.


Key Insights

  • The input dates are guaranteed to be valid and within the range of 1971 to 2100.
  • The task involves calculating the absolute difference in days between two given dates.
  • Dates can be compared lexicographically since they are formatted as YYYY-MM-DD, which allows for easy sorting and comparison.

Space and Time Complexity

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


Solution

To solve this problem, we can:

  1. Parse the input date strings into a format that can be easily manipulated, such as a date object.
  2. Calculate the difference between the two date objects in terms of days.
  3. Return the absolute value of this difference.

We will use a date handling library or built-in date functions to simplify the calculations and ensure accuracy when accounting for leap years and month lengths.


Code Solutions

from datetime import datetime

def days_between_dates(date1: str, date2: str) -> int:
    # Parse the input date strings to date objects
    d1 = datetime.strptime(date1, "%Y-%m-%d")
    d2 = datetime.strptime(date2, "%Y-%m-%d")
    
    # Calculate the difference in days and return the absolute value
    return abs((d1 - d2).days)
← Back to All Questions