Date and time manipulation for modern Fortran. The fundamental time step is one millisecond.
First, get the code by cloning this repo:
git clone https://github.com/wavebitscientific/datetime-fortran
cd datetime-fortranor by downloading a release tarball. The latter is recommended if you want to build datetime-fortran with autotools and make.
You can build datetime-fortran with FPM, autotools, CMake, or by simply including the source file "src/datetime_module.f90" in your project. NOTE: Windows additionally requires "src/strptime.cpp" in your project.
As of version 1.7.0, datetime-fortran can be built using the Fortran Package Manager. Follow the directions on that page to install FPM if you haven't already.
To build, type:
fpm buildbinary artifacts are created in:
- Library and module files:
build/gfortran_debug/library - test executables:
build/gfortran_debug/tests.
To run the tests, type:
fpm test./configure
make check
make install
If you cloned the repo instead of downloading a release tarball,
run autoreconf -i first to generate the configure script.
cmake -B build
cmake --build buildbinary artifacts are created in:
- Library:
build/lib/libdatetime - module:
build/include/datetime.mod - test executable:
build/bin/datetime_tests
optionally, to install (replace "~/mylibs" with your desired install directory):
cmake -B build -DCMAKE_INSTALL_PREFIX=~/mylibs
cmake --install buildoptionally, to run self-tests:
cd build
ctest -VStart using datetime-fortran in your code by importing derived types from the module:
use datetime_module, only: datetime, timedelta, clockSee some basic examples here.
datetime-fortran library provides the following derived types: datetime, timedelta, clock and tm_struct.
Main date and time object, defined as:
type :: datetime
!! Main datetime class for date and time representation.
private
integer :: year = 1 !! year [1-HUGE(year)]
integer :: month = 1 !! month in year [1-12]
integer :: day = 1 !! day in month [1-31]
integer :: hour = 0 !! hour in day [0-23]
integer :: minute = 0 !! minute in hour [0-59]
integer :: second = 0 !! second in minute [0-59]
integer :: millisecond = 0 !! milliseconds in second [0-999]
real(kind=real64) :: tz = 0 !! timezone offset from UTC [hours]
contains
! getter functions
procedure,pass(self),public :: getYear
procedure,pass(self),public :: getMonth
procedure,pass(self),public :: getDay
procedure,pass(self),public :: getHour
procedure,pass(self),public :: getMinute
procedure,pass(self),public :: getSecond
procedure,pass(self),public :: getMillisecond
procedure,pass(self),public :: getTz
! public methods
procedure,pass(self),public :: isocalendar
procedure,pass(self),public :: isoformat
procedure,pass(self),public :: isValid
procedure,nopass, public :: now
procedure,pass(self),public :: secondsSinceEpoch
procedure,pass(self),public :: strftime
procedure,pass(self),public :: tm
procedure,pass(self),public :: tzOffset
procedure,pass(self),public :: utc
procedure,pass(self),public :: weekday
procedure,pass(self),public :: isoweekday
procedure,pass(self),public :: weekdayLong
procedure,pass(self),public :: isoweekdayLong
procedure,pass(self),public :: weekdayShort
procedure,pass(self),public :: isoweekdayShort
procedure,pass(self),public :: yearday
! private methods
procedure,pass(self),private :: addMilliseconds
procedure,pass(self),private :: addSeconds
procedure,pass(self),private :: addMinutes
procedure,pass(self),private :: addHours
procedure,pass(self),private :: addDays
! operator overloading procedures
procedure,pass(d0),private :: datetime_plus_timedelta
procedure,pass(d0),private :: timedelta_plus_datetime
procedure,pass(d0),private :: datetime_minus_datetime
procedure,pass(d0),private :: datetime_minus_timedelta
procedure,pass(d0),private :: eq
procedure,pass(d0),private :: neq
procedure,pass(d0),private :: gt
procedure,pass(d0),private :: ge
procedure,pass(d0),private :: lt
procedure,pass(d0),private :: le
generic :: operator(+) => datetime_plus_timedelta,&
timedelta_plus_datetime
generic :: operator(-) => datetime_minus_datetime,&
datetime_minus_timedelta
generic :: operator(==) => eq
generic :: operator(/=) => neq
generic :: operator(>) => gt
generic :: operator(>=) => ge
generic :: operator(<) => lt
generic :: operator(<=) => le
endtype datetimedatetime components are initialized by default, so all arguments are optional. Arguments may be provided as positional arguments, in the order of their declaration, or as keyword arguments, in any order. If both positional and keyword arguments are used, no positional arguments may appear after a keyword argument.
use datetime_module, only:datetime
type(datetime) :: a
! Initialize as default:
a = datetime() ! 0001-01-01 00:00:00
! Components can be specified by position:
a = datetime(1984, 12, 10) ! 1984-12-10 00:00:00
! Or by keyword:
a = datetime(month=1, day=1, year=1970) ! 1970-01-01 00:00:00
! Or combined:
a = datetime(2013, 2, minute=23, day=5) ! 2013-02-05 00:23:00
! With timezone offset:
a = datetime(2013, 2, minute=23, day=5, tz=-4) ! 2013-02-05 00:23:00 -0400
! Do not use positional after keyword arguments:
a = datetime(year=2013, 2, minute=23, day=5) ! ILLEGALNote that the current implementation of datetime does not support daylight saving time (DST) information.
pure elemental integer function getYear(self)
class(datetime),intent(in) :: selfReturns the year of a datetime instance.
pure elemental integer function getMonth(self)
class(datetime),intent(in) :: selfReturns the month of a datetime instance.
pure elemental integer function getDay(self)
class(datetime),intent(in) :: selfReturns the day of a datetime instance.
pure elemental integer function getHour(self)
class(datetime),intent(in) :: selfReturns the hour of a datetime instance.
pure elemental integer function getMinute(self)
class(datetime),intent(in) :: selfReturns the minute of a datetime instance.
pure elemental integer function getSecond(self)
class(datetime),intent(in) :: selfReturns the second of a datetime instance.
pure elemental integer function getMillisecond(self)
class(datetime),intent(in) :: selfReturns the millisecond of a datetime instance.
function isocalendar(self)
class(datetime),intent(in) :: self
integer,dimension(3) :: isocalendarReturns an array of 3 integers: year, week number, and week day, as defined by ISO 8601 week date. The ISO calendar is a widely used variant of the Gregorian calendar. The ISO year consists of 52 or 53 full weeks. A week starts on a Monday (1) and ends on a Sunday (7). The first week of an ISO year is the first (Gregorian) calendar week of a year containing a Thursday. This is called week number 1, and the ISO year of that Thursday is the same as its Gregorian year.
datetime%isocalendar() is equivalent to Python's datetime.datetime.isocalendar().
use datetime_module,only:datetime
type(datetime) :: a
a = datetime(2013,1,1)
print *, a % isocalendar() ! Prints: 2013 1 2pure elemental character(len=23) function isoformat(self,sep)
class(datetime), intent(in) :: self
character(len=1),intent(in),optional :: sepReturns a character string of length 23 that contains date and time in ISO 8601 format.
datetime%isoformat() is equivalent to Python's datetime.datetime.isoformat(), with the only difference being that datetime%isoformat() returns the milliseconds at the end of the string, where as datetime.datetime.isoformat() returns microseconds.
sep is an optional argument that specifies which character of length 1 will
separate date and time entries. If ommited, defaults to T.
use datetime_module,only:datetime
type(datetime) :: a
a = datetime(1984,12,10,13,5,0)
! Without arguments:
print *, a % isoformat() ! Prints 1984-12-10T13:05:00.000
! With a specified separator:
print *, a % isoformat(' ') ! Prints 1984-12-10 13:05:00.000pure elemental logical function isValid(self)
class(datetime),intent(in) :: selfReturns .true. if all datetime instance components
have valid values, and .false. otherwise. Components have valid values
if they are within the range indicated in datetime
derived type description.
Useful for debugging and validating user input.
use datetime_module,only:datetime
type(datetime) :: a
a = datetime(1984,12,10,13,5,0)
print *, a % isValid()! .true.
a = datetime(1984,13,10,13,5,0)
print *, a % isValid() ! .false.type(datetime) function now(self)
class(datetime),intent(in) :: selfReturns the datetime instance representing the current machine time. Does not support timezones.
self A datetime instance with current machine time.
use datetime_module,only:datetime
type(datetime) :: a
a = a % now() ! Assigns current machine time to ainteger function secondsSinceEpoch(self)
class(datetime),intent(in) :: selfReturns an integer number of seconds since the
UNIX Epoch, 1970-01-01 00:00:00 +0000 (UTC).
secondsSinceEpoch An integer scalar containing number of seconds since
UNIX Epoch.
use datetime_module,only:datetime
type(datetime) :: a
! Initialize:
a = datetime(2013,1,1)
print *, a%secondsSinceEpoch()character(len=maxstrlen) function strftime(self,format)
class(datetime), intent(in) :: self
character(len=*),intent(in) :: formatA datetime-bound method that serves as a wrapper around the
C routine strftime.
datetime%strftime takes only the format string as argument,
and returns the character string representation of the time
information contained in the datetime instance. Thus, this function
takes care of the conversion to tm_struct and calling the raw C strftime.
Because Fortran does not allow assumed-length character strings as
the type of the function result, a fixed length of MAXSTRLEN is used.
MAXSTRLEN is currently set to 99. It is assumed that the desired
time string is shorter than this value.
Any resulting string shorter than MAXSTRLEN is padded with spaces,
so it is best to trim the result using the TRIM intrinsic function
(see the usage example below).
This datetime-bound method is available since version 0.3.0.
format A character string describing the desired format of date and time.
Same as the format for the raw C strftime.
A character(len=maxstrlen) representation of datetime using format.
use datetime_module
type(datetime) :: a
a = a % now()
print *, a % isoformat()
print *, trim(a % strftime("%Y %B %d"))pure elemental type(tm_struct) function tm(self)
CLASS(datetime),intent(in) :: selfReturns a tm_struct instance that matches the time and date information in the caller datetime instance.
use datetime_module,only:datetime
type(datetime) :: a
type(tm_struct) :: tm
! Initialize:
a = datetime(2013,1,1)
! Get tm_struct from datetime:
tm = a % tm()pure elemental character(len=5) function tzOffset(self)
class(datetime),intent(in) :: selfGiven a datetime instance, returns a character string with timezone
offset in hours from UTC (Coordinated Universal Time), in format +hhmm
or -hhmm, depending on the sign, where hh are hours and mm are minutes.
None.
tzOffset A character(len=5) in the form +hhmm
or -hhmm, depending on the sign.
use datetime_module,only:datetime
type(datetime) :: a
type(tm_struct) :: tm
! Initialize a datetime instance with timezone offset of -4.75 hours:
a = datetime(2013,1,1,tz=-4.75)
! Write tzOffset on screen:
print *, a % tzOffset ! -0445 (offset of 4 hours and 45 minutes)pure elemental type(datetime) function utc(self)
class(datetime),intent(in) :: selfReturns the datetime instance at Coordinated Universal Time (UTC).
utc A datetime instance with at UTC (tz = 0).
use datetime_module,only:datetime
type(datetime) :: a
type(tm_struct) :: tm
! Initialize a datetime instance with timezone offset of -4.75 hours:
a = datetime(2013,1,1,tz=-4.75)
print *, a % isoformat() // a % tzOffset() ! 2013-01-01T00:00:00.000-0445
! Convert a to UTC:
a = a % utc()
print *, a % isoformat() // a % tzOffset() ! 2013-01-01T04:45:00.000+0000pure elemental integer function weekday(self)
class(datetime),intent(in) :: selfA datetime-bound method to calculate day of the week using Zeller's congruence. Returns an integer scalar in the range of [0-6], starting from Sunday.
use datetime_module,only:datetime
type(datetime) :: a
! Initialize:
a = datetime(2013,1,1)
print *, a % weekday() ! 2pure elemental character(len=9) function weekdayLong(self)
class(datetime),intent(in) :: selfReturns the full name of the day of the week.
use datetime_module,only:datetime
type(datetime) :: a
! Initialize:
a = datetime(2013,1,1)
print *, a % weekdayLong() ! Tuesdaypure elemental character(len=3) function weekdayShort(self)
class(datetime),intent(in) :: selfReturns the abbreviated (e.g. Mon) name of the day of the week.
use datetime_module,only:datetime
type(datetime) :: a
! Initialize:
a = datetime(2013,1,1)
print *, a % weekdayShort() ! Tuepure elemental integer function yearday(self)
class(datetime),intent(in) :: selfdatetime-bound procedure.
Returns integer day of the year (ordinal date).
Equals to 1 for any January 1, 365 for a December 31 on a non-leap year,
and 366 for a December 31 on a leap year.
use datetime_module,only:datetime
type(datetime) :: a
! Initialize:
a = datetime(2013,5,1)
print *, a % yearday() ! 121Represents a duration of time, and a difference between two datetime objects. It is defined as:
type :: timedelta
!! Class of objects that define difference between two datetime
!! instances.
private
integer :: days = 0 !! number of days
integer :: hours = 0 !! number of hours
integer :: minutes = 0 !! number of minutes
integer :: seconds = 0 !! number of seconds
integer :: milliseconds = 0 !! number of milliseconds
contains
! getter functions
procedure,pass(self),public :: getDays
procedure,pass(self),public :: getHours
procedure,pass(self),public :: getMinutes
procedure,pass(self),public :: getSeconds
procedure,pass(self),public :: getMilliseconds
! public methods
procedure,public :: total_seconds
! operator overloading procedures
procedure,private :: timedelta_plus_timedelta
procedure,private :: timedelta_minus_timedelta
procedure,private :: unary_minus_timedelta
procedure,private :: eq
procedure,private :: neq
procedure,private :: gt
procedure,private :: ge
procedure,private :: lt
procedure,private :: le
generic :: operator(+) => timedelta_plus_timedelta
generic :: operator(-) => timedelta_minus_timedelta,&
unary_minus_timedelta
generic :: operator(==) => eq
generic :: operator(/=) => neq
generic :: operator(>) => gt
generic :: operator(>=) => ge
generic :: operator(<) => lt
generic :: operator(<=) => le
endtype timedeltaAll arguments are optional and default to 0. Similarly to datetime objects, timedelta instances can be initialized using positional and/or keyword arguments. In addition, a timedelta object is a result of subtraction between two datetime objects.
use datetime_module
type(datetime) :: a,b
type(timedelta) :: c
! Initialize as default
c = timedelta()
! Positional arguments:
c = timedelta(0,1,15,0,0) ! 1 hour and 15 minutes
! Keyword arguments:
c = timedelta(days=1,hours=12) ! 1 day and 12 hours
! Difference between datetimes:
a = datetime(2013,5,12,22,0,0) ! 2013-05-12 22:00:00
b = datetime(2012,9,18,14,0,0) ! 2012-09-18 14:00:00
! Subtract to get timedelta:
c = a-bpure elemental real(kind=real_dp) function total_seconds(self)
class(timedelta), intent(in) :: selfA timedelta-bound method that returns a number of seconds contained in the time interval defined by the timedelta instance. This method is equivalent to Python's datetime.timedelta.total_seconds function.
total_seconds A total number of seconds (of type real(kind=real_dp))
contained in the timedelta instance.
use datetime_module,only:timedelta
type(timedelta) :: td
td = timedelta(days=5,hours=12,minutes=15,seconds=7,milliseconds=123)
print *, td%total_seconds() ! 476107.12300000002A generic clock object that contains start and stop times, tick increment and reset and tick methods. Most useful when needing to keep track of many datetime instances that change at different rates, for example, physical models with different time steps.
Definition:
type :: clock
!! A clock object with a start, stop and current times, tick interval
!! and tick methods.
type(datetime) :: startTime
type(datetime) :: stopTime
type(datetime) :: currentTime
type(timedelta) :: tickInterval
logical :: alarm = .false.
! Clock status flags
logical :: started = .false.
logical :: stopped = .false.
contains
procedure :: reset
procedure :: tick
endtype clockclock instance must be initialized
with some sane values of clock%startTime, clock%stopTime and clock%tickIncrement
in order to be useful.
use datetime_module
type(clock) :: myClock
type(datetime) :: myTime
! Initialize myTime
myTime = myTime%now()
! Initialize myClock
! Starts from myTime, stops 1 hour later, 1 minute per tick
myClock = clock(startTime = myTime, &
stopTime = myTime+timedelta(hours=1),&
tickInterval = timedelta(minutes=1))
do
call myClock % tick()
! Report current time after each tick
print *, myClock % currentTime % isoformat(' ')
! If clock has reached stopTime, exit loop
if(myClock % stopped)THEN
exit
endif
enddopure elemental subroutine reset(self)
class(clock),intent(inout) :: selfResets the clock to its start time.
call myClock%reset() ! Resets myClock%currentTime to myClock%startTimepure elemental subroutine tick(self)
class(clock),intent(inout) :: selfIncrements the currentTime of the clock instance by one tickInterval.
Sets the clock%stopped flag to .TRUE. if clock%currentTime equals
or exceeds clock%stopTime.
See clock for an example.
Time object compatible with C/C++ tm struct. Available mainly for the purpose of calling c_strftime and c_strptime procedures.
type,bind(c) :: tm_struct
!! A derived type provided for compatibility with C/C++ time struct.
!! Allows for calling strftime and strptime procedures through the
!! iso_c_binding.
integer(kind=c_int) :: tm_sec !! Seconds [0-60] (1 leap second)
integer(kind=c_int) :: tm_min !! Minutes [0-59]
integer(kind=c_int) :: tm_hour !! Hours [0-23]
integer(kind=c_int) :: tm_mday !! Day [1-31]
integer(kind=c_int) :: tm_mon !! Month [0-11]
integer(kind=c_int) :: tm_year !! Year - 1900
integer(kind=c_int) :: tm_wday !! Day of week [0-6]
integer(kind=c_int) :: tm_yday !! Days in year [0-365]
integer(kind=c_int) :: tm_isdst !! DST [-1/0/1]
endtype tm_structdatetime-fortran provides arithmetic and comparison operators for datetime and timedelta objects.
Addition (+) and subtraction (-) operators are available for
the following combination of derived type pairs:
-
datetime + timedelta, returns adatetimeinstance; -
timedelta + datetime, returns adatetimeinstance; -
timedelta + timedelta, returns atimedeltainstance; -
timedelta - timedelta, returns atimedeltainstance; -
datetime - datetime, returns atimedeltainstance; -
-timedelta(unary minus), returns atimedeltainstance.
Note that datetime - datetime operation accounts for timezone (tz)
offsets in each of the datetime instances.
The resulting timedeltathus includes the difference between timezones.
datetime-fortran supports following binary comparison operators for
datetime and timedelta objects:
==, /=, >, >=, < and <=.
Since version 1.0.5, all comparison operators respect the timezone parameter of the datetime instances, so the operands are first adjusted to UTC time before making the comparison.
function c_strftime(str,slen,format,tm) bind(c,name='strftime') result(rc)
character(kind=c_char),dimension(*),intent(out) :: str
integer(kind=c_int),value, intent(in) :: slen
character(kind=c_char),dimension(*),intent(in) :: format
type(tm_struct), intent(in) :: tm
integer(kind=c_int) :: rcAn interface to a C/C++ standard library routine.
Copies into str the content of format, expanding its format specifiers
into the corresponding values that represent the time described in tm,
with a limit of slen characters.
Note: This function was renamed from strftime to c_strftime in version 0.3.0 to avoid name conflict with datetime-bound method strftime. If working with datetime instances, use datetime%strftime instead.
str is the destination character string with the requested date and time.
slen is the maximum number of characters to be copied to str,
including the terminating null-character, char(0).
format is the character string containing any combination of regular characters and special format specifiers.
These format specifiers are replaced by the function to the corresponding values to represent the time specified in tm.
For more information on format specifiers see http://www.cplusplus.com/reference/ctime/strftime/.
tm is an instance of the type tm_struct, containing date and time values to be processed.
If the resulting string fits in less than slen characters including the terminating null-character,
the total number of characters copied to str (not including the terminating null-character) is returned.
Otherwise, zero is returned and the contents of the array are indeterminate.
use datetime_module
type(datetime) :: a
character(len=20) :: res
integer :: rc
a = a % now()
rc = c_strftime(res,20,"%Y %B %d"//CHAR(0),a%tm())function c_strptime(str,format,tm) bind(c,name='strptime') result(rc)
character(kind=c_char),dimension(*),intent(in) :: str
character(kind=c_char),dimension(*),intent(in) :: format
type(tm_struct), intent(out) :: tm
character(kind=c_char,len=1) :: rcAn interface to a C/C++ standard library routine.
Converts the character string str to values which are stored in tm, using the format specified by format.
Note: This function was renamed from strptime to c_strptime in version 0.3.0 to avoid name conflicts with strptime which operates on datetime instances. If working with datetime instances, use strptime instead.
str is the character string containing date and time information.
format is the character string containing any combination of regular characters and special format specifiers,
describing the date and time information in str.
tm is an instance of the type tm_struct, in which the date and time values will be filled upon successful completion
of the c_strptime function.
Upon successful completion, c_strptime returns the character following the last character parsed. Otherwise, a null character is returned.
Extracting time difference between two time strings using c_strptime and tm2date:
use datetime_module
type(datetime) :: date1,date2
type(tm_struct) :: ctime
type(timedelta) :: timediff
! Return code for strptime
character(len=1) :: rc
! Example times in "YYYYMMDD hhmmss" format
character(len=15) :: str1 = "20130512 091519"
character(len=15) :: str2 = "20131116 120418"
! Get tm_struct instance from str1
rc = c_strptime(str1,"%Y%m%d %H%M%S"//char(0),ctime)
date1 = tm2date(ctime)
! Get tm_struct instance from str2
rc = c_strptime(str2,"%Y%m%d %H%M%S"//char(0),ctime)
date2 = tm2date(ctime)
timediff = date2-date1
print *, timediff
print *, timediff % total_seconds()This example outputs the following:
188 2 48 58 1000
16253339.0000000
pure elemental real(kind=real_dp) function date2num(d)
type(datetime),intent(in) :: dReturns the number of days since 0001-01-01 00:00:00 UTC,
given a datetime instance d.
This function is similar in what it returns to analogous functions
in Python (matplotlib.dates.date2num)
and MATLAB's datenum.
Note that matplotlib.dates.date2num returns the number of days since 0001-01-01 00:00:00 UTC plus 1
(for historical reasons),
and MATLAB's datenum
returns the number of days since 0000-01-01 00:00:00 UTC.
In datetime-fortran, we choose the reference time of 0001-01-01 00:00:00 UTC
as we consider it to be the least astonishing for the average user.
Thus, MATLAB and Python users should be cautious when using
datetime-fortran's date2num() function.
Since version 1.0.5, date2num is timezone aware, i.e. the datetime instance is first converted to UTC before calculating the number of days.
date2num is the inverse function of num2date,
so by definition, a % utc() == num2date(date2num(a)) evaluates as .true.
for any datetime instance a.
d A datetime instance.
date2num A REAL(KIND=real64) number of days since 0001-01-01 00:00:00 UTC.
use datetime_module,only:datetime,date2num
type(datetime) :: a
! Initialize:
a = datetime(2013,1,1,6)
print *, date2num(a) ! 734869.25000000000pure function datetimeRange(d0,d1,t)
type(datetime), intent(in) :: d0
type(datetime), intent(in) :: d1
type(timedelta),intent(in) :: tGiven start and end datetime instances d0 and d1,
and time increment as timedelta instance t,
returns an array of datetime instances.
The number of elements is the number of whole time increments
contained between datetimes d0 and d1.
d0 A datetime instance with start time. Will be the first element
of the resulting array.
d1 A datetime instance with end time. Will be the equal to or greater than
the last element of the resulting array.
t A timedelta instance being the time increment for the resulting array.
datetimeRange An array of datetime instances of length
floor((d1-d0)/t)+1
type(datetime) :: a,b
type(timedelta) :: td
type(datetime),dimension(:),allocatable :: dtRange
a = datetime(2014,5,1)
b = datetime(2014,5,3)
td = timedelta(days=1)
dtRange = datetimeRange(a,b,td)
! Returns:
!
! dtRange = [datetime(2014,5,1),
! datetime(2014,5,2),
! datetime(2014,5,3)]
a = datetime(2014,5,1)
b = datetime(2014,5,3)
td = timedelta(hours=7)
dtRange = datetimeRange(a,b,td)
! Returns:
!
! dtRange = [datetime(2014,5,1,0),
! datetime(2014,5,1,7),
! datetime(2014,5,1,14),
! datetime(2014,5,1,21),
! datetime(2014,5,2, 4),
! datetime(2014,5,2,11),
! datetime(2014,5,2,18)]pure elemental integer function daysInMonth(month,year)
integer,intent(in) :: month
integer,intent(in) :: yearReturns the number of days in month for a given month and year.
This function is declared as elemental, so it can be called
with scalar or n-dimensional array arguments.
month Integer number of month in year. Valid values are in the range [1-12].
year Integer year.
Returns an integer number of days in requested month and year.
Returns 0 if month is not in valid range.
use datetime_module,only:daysInMonth
! January on leap year:
print *, daysInMonth(1,2012) ! 31
! February on leap year:
print *, daysInMonth(2,2012) ! 29
! February on non-leap year
print *, daysInMonth(2,2013) ! 28pure elemental integer Function daysInYear(year)
integer,intent(in) :: yearGiven an integer year, returns an integer number of days in that year.
Calls the isLeapYear function.
year An integer scalar or array containing the desired year number(s).
daysInYear An integer scalar or array. Represents the number of days in year.
use datetime_module,only:daysInYear
! Leap year:
print *, daysInYear(2012) ! 366
! Non-leap year:
print *, daysInYear(2013) ! 365pure elemental logical function isLeapYear(year)
integer,intent(in) :: yearReturns a logical value indicating whether the reqested year is a leap year.
year An integer scalar or array representing year number.
isLeapYear A logical scalar or array indicating whether a given year is leap year.
use datetime_module,only:isLeapYear
! Leap year:
print *, isLeapYear(2012) ! .true.
! Non-leap year:
print *, isLeapYear(2013) ! .false.pure elemental type(datetime) function num2date(num)
real(kind=real_dp),intent(in) :: numGiven the number of days since 0001-01-01 00:00:00 UTC, returns a
correspoding datetime instance.
This function is similar to analogous function in Python (matplotlib.dates.num2date).
num2date is the inverse function of date2num,
so by definition, a == num2date(date2num(a)) evaluates as .true.
for any datetime instance a.
Similarly, b == date2num(num2date(b)) evaluates as .true.
for any variable b of type real(kind=real64).
num Number of days since 0001-01-01 00:00:00 UTC.
num2date A datetime instance.
use datetime_module,only:datetime,num2date
type(datetime) :: a
a = num2date(734869.25d0) ! a becomes datetime(2013,1,1,6,0,0,0)type(datetime) function strptime(str,format)
character(len=*),intent(in) :: str
character(len=*),intent(in) :: formatA wrapper function around c_strptime.
Given a character string str with the format format, returns
an appropriate datetime instance containing that time information.
This function is analogous to Python's datetime.datetime.strptime() function.
Available since version 0.3.0.
str is the character string containing date and time information.
format is the character string containing any combination of regular characters and special format specifiers,
describing the date and time information in str.
Upon successful completion, strptime returns the datetime instance corresponding to the time information contained in str.
Extracting time difference between two time strings using strptime:
use datetime_module
type(datetime) :: date1,date2
type(timedelta) :: timediff
! Example times in "YYYYMMDD hhmmss" format
character(len=15) :: str1 = "20130512 091519"
character(len=15) :: str2 = "20131116 120418"
date1 = strptime(str1,"%Y%m%d %H%M%S")
date2 = strptime(str2,"%Y%m%d %H%M%S")
timediff = date2-date1
print *, timediff
print *, timediff%total_seconds()This example outputs the following:
188 2 48 58 1000
16253339.0000000
This is the same example as in c_strptime but with fewer necessary steps.
pure elemental type(datetime) function tm2date(ctime)
type(tm_struct),intent(in) :: ctimeGiven a tm_struct instance, returns a corresponding datetime instance. Mostly useful for obtaining a datetime instance after a tm_struct is returned from strptime.
ctime A tm_struct instance.
tm2date A datetime instance.
See example usage for strptime.
real(real64) function machinetimezone()returns the machine's time zone in hours.
None
real(real64) A tz value.
Extracting your local machine's time zone information.
type(datetime) :: date
date = datetime(1970, 1, 1, tz=machinetimezone())pure elemental type(datetime) function epochdatetime()
epochdatetime = datetime(1970,1,1,0,0,0,0,tz=0.)returns a datetime that corresponds to the UNIX epoch.
None
type(datetime) A datetime(1970,1,1,0,0,0,0,tz=0.0) value.
type(datetime) :: epochday
epochday = epochdatetime() pure elemental type(datetime) function localtime(epoch, tz)
! Returns a `datetime` instance from epoch.
! tz can be obtained from `machinetimezone`
integer(int64),intent(in) :: epoch
real(real64),intent(in) :: tz !! local machine time zone informationGenerating a datetime type from epoch and timezone.
epoch A epoch time (second)
tz A time zone (hour). This value can be generated by using machinetimezone
type(datetime) A datetime instance.
Convert the epoch seconds to an expression in your machine's time zone.
integer(int64), parameter :: epoch = 3600
real(real64) :: tz
type(datetime) :: date
tz = machinetimezone()
date = localtime(epoch, tz) pure elemental type(datetime) function gmtime(epoch)
! Returns a `datetime` instance from epoch.
integer(int64),intent(in) :: epochGenerating a datetime type from epoch.
epoch A epoch time (second)
type(datetime) A datetime instance.
Result is represented with UTC time.
Convert the epoch seconds to an expression in UTC time zone.
integer(int64) :: epoch = 3600
type(datetime) :: day
day = gmtime(epoch)