To find the difference between two dates in Python, one can use the timedelta class which is present in the datetime library. The timedelta class stores the difference between two datetime objects.
To find the difference between two dates in form of minutes, the attribute seconds of timedelta object can be used which can be further divided by 60 to convert to minutes.
Example 1:
The following program takes two datetime objects and finds the difference between them in minutes.
Python3
import datetime
a = datetime.datetime( 2017 , 6 , 21 , 18 , 25 , 30 )
b = datetime.datetime( 2017 , 5 , 16 , 8 , 21 , 10 )
c = a - b
print ( 'Difference: ' , c)
minutes = c.total_seconds() / 60
print ( 'Total difference in minutes: ' , minutes)
minutes = c.seconds / 60
print ( 'Difference in minutes: ' , minutes)
|
Output:
Difference: 36 days, 10:04:20
Difference in minutes: 604.3333333333334
Time Complexity : O(1)
Space Complexity : O(1)
Example 2:
To get a more appropriate answer divmod() can be used which will return the fractional part of the minutes in terms of seconds:
Python3
import datetime
a = datetime.datetime( 2017 , 6 , 21 , 18 , 25 , 30 )
b = datetime.datetime( 2017 , 5 , 16 , 8 , 21 , 10 )
c = a - b
print ( 'Difference: ' , c)
minutes = divmod (c.total_seconds(), 60 )
print ( 'Total difference in minutes: ' , minutes[ 0 ], 'minutes' ,
minutes[ 1 ], 'seconds' )
minutes = divmod (c.seconds, 60 )
print ( 'Total difference in minutes: ' , minutes[ 0 ], 'minutes' ,
minutes[ 1 ], 'seconds' )
|
Output:
Difference: 36 days, 10:04:20
Difference in minutes: 604 minutes 20 seconds
Time Complexity : O(1)
Space Complexity : O(1)
Whether you're preparing for your first job interview or aiming to upskill in this ever-evolving tech landscape,
GeeksforGeeks Courses are your key to success. We provide top-quality content at affordable prices, all geared towards accelerating your growth in a time-bound manner. Join the millions we've already empowered, and we're here to do the same for you. Don't miss out -
check it out now!
Last Updated :
28 Feb, 2023
Like Article
Save Article