I had just completed writing date
, which is a
library for extending <chrono>
into the realm of calendars, and I was
looking around for the most challenging date time problem I could find with which I could
demonstrate the power of this new library. "I know," I said to myself, "I'll handle all
of the world's time zones, and maybe even leap seconds!" Thus began my journey into a
rabbit hole which I knew existed, but had never truly appreciated the intricacies of.
This library adds timezone and leap second support to this date
library. This is a separate library from date
because many clients of date
do not need timezone
nor leap second support, and this support does not come for free (though the cost is quite
reasonable).
This library is a complete parser of the IANA Time Zone Database. This database contains timezone information that represents the history of local time for many representative locations around the globe. It is updated every few months to reflect changes made by political bodies to time zone boundaries, UTC offsets, and daylight-saving rules. The database also maintains a list of leap seconds from 1972 through the present.
The IANA Time Zone Database contains four specific types of data:
Zone: A geographic location with a human-readable name (e.g. "America/New_York") which specifies the offset from UTC and an abbreviation for the zone. This data includes daylight saving rules, if applicable, for the zone. This data is not only the rules currently in effect for the region, but also includes specifications dating back to at least 1970, and in most cases dating back to the mid 1800's (when uniform time was first introduced across regions larger than individual towns and cities).
Rule: A specification for a single daylight-saving rule. This helps implement and consolidate the specifications of Zones.
link: This is an alternative name for a Zone.
leap: The date of the insertion of a leap second.
The library documented herein provides access to all of this data, and offers
efficient and convenient ways to compute with it. And this is all done based on the date
library, which in turn is based on the C++11/14
<chrono>
library. So once you've learned those fundamental libraries,
the learning curve for this library is greatly eased.
Here is an overview of all the types we are going to talk about at some point. They are all fully covered in the reference section. This link is just there to give you a view of everything on one quick page so that you don't get lost or overwhelmed. Many of these types will never need to be explicitly named in typical use cases.
tz_types.jpeg
Everything documented below is in namespace date
. Explicit references to
this namespace in example code below is intentionally omitted in the hopes of reducing
verbosity.
One of the first things people want to do is find out what the current local time it is. Here is a complete program to print out the local time in human readable format:
#include "tz.h" #include <iostream> int main() { using namespace date; using namespace std::chrono; auto t = make_zoned(current_zone(), system_clock::now()); std::cout << t << '\n'; }
This just output for me:
2016-05-14 18:33:24.205124 EDT
There are some noteworthy points about this program:
This is a <chrono>
-based system. The current time is
found with std::chrono::system_clock::now()
.
The computer's current local time zone is not assumed. If anything is assumed that
would be UTC, since this is the time zone that system_clock
tracks
(unspecified but de facto standard).
Specifying you want to convert system_clock::time_point
s to the
current local time zone is as easy as calling date::current_zone()
and pairing that with a system_clock::time_point
using
date::make_zoned
. This creates a zoned_time
.
This zoned_time
maintains whatever precision it was given. On my
platform system_clock::now()
has microseconds precision, so in this
example, t
has microseconds precision as well.
Then t
is simply streamed out. By default the output
represents all of the precision it is given.
Everything about the above program can be customized: the precision, the formatting, and the time zone. But by default, things just work, and don't throw away information.
For example let's say we wanted to limit the precision to milliseconds. This can
be done by inserting floor<milliseconds>
in one place. This
makes t
have just a precision of milliseconds
and that is reflected in the streaming operator with no further effort:
auto t = make_zoned(current_zone(), floor<milliseconds>(system_clock::now())); std::cout << t << '\n'; // 2016-05-14 18:33:24.205 EDT
Seconds precision is just as easy:
auto t = make_zoned(current_zone(), floor<seconds>(system_clock::now())); std::cout << t << '\n'; // 2016-05-14 18:33:24 EDT
The entire time_get
/ time_put
formatting capability is
also at your fingertips (and at any precision):
auto t = make_zoned(current_zone(), system_clock::now()); std::cout << format("%a, %b %d, %Y at %I:%M %p %Z", t) << '\n'; // Sat, May 14, 2016 at 06:33 PM EDT
Using any std::locale
your OS supports:
auto t = make_zoned(current_zone(), floor<seconds>(system_clock::now())); std::cout << format(locale("de_DE"), "%a, %b %d, %Y at %T %Z", t) << '\n'; // Sa, Mai 14, 2016 at 18:33:24 EDT
From the previous section:
Hmm... German locale in an American time zone.
We can fix that easily too:
auto zone = locate_zone("Europe/Berlin"); auto t = make_zoned(zone, floor<seconds>(system_clock::now())); std::cout << format(locale("de_DE"), "%a, %b %d, %Y at %T %Z", t) << '\n'; // So, Mai 15, 2016 at 00:33:24 CEST
The date::locate_zone()
function looks up the IANA time zone with the name
"Europe/Berlin" and returns a const time_zone*
which has no ownership
issues and can be freely and cheaply copied around. It is not possible for
locate_zone()
to return nullptr
, though it might throw
an exception if pushed far enough (e.g. locate_zone("Disney/Mickey_Mouse")
).
You can also call make_zoned
with the time zone name right in the call:
auto t = make_zoned("Europe/Berlin", floor<seconds>(system_clock::now()));
The first way is very slightly more efficient if you plan on using zone
multiple times since it then only has to be looked up once.
time_zone
from one time zone to another?
So far we've only looked at converting from system_clock::now()
to
a local, or specific time zone. We've used make_zoned
with the
first argument being either current_zone()
or a specification for
some other time zone, and the second argument being a
system_clock::time_point
. So far so good.
But now I have a video-conference meeting on the first Monday of May, 2016 at 9am New York time. I need to communicate that meeting with partners in London and Sydney. And the computation is taking place on a computer in New Zealand (or some other unrelated time zone). What does that look like?
#include "tz.h" #include <iostream> int main() { using namespace date::literals; using namespace std::chrono_literals; auto meet_nyc = make_zoned("America/New_York", date::local_days{mon[1]/may/2016} + 9h); auto meet_lon = make_zoned("Europe/London", meet_nyc); auto meet_syd = make_zoned("Australia/Sydney", meet_nyc); std::cout << "The New York meeting is " << meet_nyc << '\n'; std::cout << "The London meeting is " << meet_lon << '\n'; std::cout << "The Sydney meeting is " << meet_syd << '\n'; }
The output is the following. But before you forward it, send a generous bonus to the guys in Australia.
The New York meeting is 2016-05-02 09:00:00 EDT The London meeting is 2016-05-02 14:00:00 BST The Sydney meeting is 2016-05-02 23:00:00 AEST
The first time, meet_nyc
is a pairing of a time zone ("America/New_York")
with a local time (mon[1]/may/2016
at 09:00). Note that this
input is exactly reflected in the output:
The New York meeting is 2016-05-02 09:00:00 EDT
The next line creates meet_lon
with the zoned_time
meet_nyc
and a new time zone: "Europe/London". The effect of this pairing
is to create a time_point
with the exact same UTC time point, but
associated with a different time_zone
for localization purposes. That is,
after this "converting construction", an invariant is that
meet_lon.get_sys_time() == meet_nyc.get_sys_time()
, even though these
two objects refer to different time zones.
The same recipe is followed for creating meet_syd
. The default formatting
for these zoned_time
s is to output the local date and time followed
by the current time zone abbreviation.
Summary: zoned_time
is a pairing of local or UTC time with a time_zone
.
The result is a well-specified point in time. And it carries with it the ability to
serve as a translator to any other time_point
which carries time zone
information (to any precision).
local_time
vs sys_time
Let's say I want to refer to the New Years Day party at 2017-01-01 00:00:00. I don't
want to refer to a specific party at some geographical location. I want to refer to
the fact that this moment is celebrated in different parts of the world according to
local times. This is called a local_time
.
auto new_years = local_time<days>{2017_y/jan/1} + 0h + 0m + 0s;
A local_time<D>
can be created with any duration D
and
is a std::chrono::time_point
except that
local_time<D>::clock
has no now()
function. There is
no time zone associated with local_time
.
local_time
is not the time associated with the current local time the computer is set to.
local_time
is a time associated with an as yet
unspecified time zone. Only when you pair a local_time
with a
time_zone
do you get a concrete point in time that can be converted
to UTC and other time zones: a zoned_time
.
There also exist convenience type aliases:
using local_seconds = local_time<std::chrono::seconds>; using local_days = local_time<days>;
In summary: When is 1min after New Years 2017?
auto t = local_days{jan/1/2017} + 1min; cout << t << '\n'; // 2017-01-01 00:01
When is 1min after New Years 2017 UTC?
auto t = sys_days{jan/1/2017} + 1min; cout << t << '\n'; // 2017-01-01 00:01
This effectively means that year_month_day
is also ambiguous as to
whether it refers to a local (timezone-less) time or to UTC. You have to
specify which when you use it. But that is the nature of how people use dates
(points in time with days precision). "There will be a celebration on New Years."
In many contexts the time zone is intentionally left unspecified.
When is 1min after New Years 2017 in New York?
zoned_seconds t{"America/New_York", local_days{jan/1/2017} + 1min}; cout << t << '\n'; // 2017-01-01 00:01:00 EST
What time will it be in New York when it is 1min after New Years 2017 UTC?
zoned_seconds t{"America/New_York", sys_days{jan/1/2017} + 1min}; cout << t << '\n'; // 2016-12-31 19:01:00 EST
We now have 5 concepts and their associated types:
Calendars: These are day-precision time points that are typically field structures (multiple fields that create a unique "name" for a day).
Example calendars include year_month_day
and
year_month_weekday
. Other examples could include the ISO
week-based calendar, the Julian calendar, the Islamic calendar, the Hebrew
calendar, the Chinese calendar, the Mayan calendar, etc.
Calendars can convert to and from both sys_days
and
local_days
. These two conversions involve identical arithmetic, but
have semantic differences.
Once these conversions are implemented, the calendars are not only interoperable
with zoned_time
, but are also interoperable with each other. That
is dates in the Chinese calendar can easily be converted to or from dates in the
Mayan calendar even though these two calendars have no knowledge of the other.
Disclaimer: "date.h" provides only the year_month_day
and
year_month_weekday
calendars.
sys_time
: This is a serial time point and a
std::chrono::time_point
of arbitrary precision. It has
sys_seconds
and sys_days
convenience precisions.
sys_time
is a time_point
associated with the return of
system_clock::now()
and represents
Unix Time which very
closely approximates UTC.
local_time
: This is a serial time point and a
std::chrono::time_point
of arbitrary precision. It has
local_seconds
and local_days
convenience precisions.
local_time
is a time_point
associated with no time
zone, and no clock::now()
. It is the void*
of
time_point
s.
time_zone
: This represents a specific geographical area, and all
time zone related information for this area over all time. This includes a
name for the area, and for any specific point in time, the UTC offset, the
abbreviation, and additional information.
zoned_time
: This is a pairing of a time_zone
and a
sys_time
(of precision seconds or finer). It can also be
equivalently viewed as a pairing of a time_zone
and a
local_time
. Once constructed it represents a valid point in time,
and the time_zone
, sys_time
and
local_time
can all be extracted. There exists a
zoned_seconds
convenience precision.
time_zone
s are retrieved from a time zone database. The database
also holds information about leap seconds. To make computing with leap
seconds easier, there is a clock that takes leap seconds into account:
utc_clock
. This clock has an associated family of time points
called utc_time
.
Full formatting and parsing facilities are available with time_put
-like
formatting strings.
Interesting things can happen to the apparent time when you travel across the globe at high speeds. So departure and arrival times of airplane flights make for good examples involving time zone arithmetic.
#include "tz.h" #include <iostream> int main() { using namespace std::chrono_literals; using namespace date; auto departure = make_zoned("America/New_York", local_days{dec/30/1978} + 12h + 1min); auto flight_length = 14h + 44min; auto arrival = make_zoned("Asia/Tehran", departure.get_sys_time() + flight_length); std::cout << "departure NYC time: " << departure << '\n'; std::cout << "flight time is " << make_time(flight_length) << '\n'; std::cout << "arrival Tehran time: " << arrival << '\n'; }
The output of the above program is:
departure NYC time: 1978-12-30 12:01:00 EST flight time is 14:44 arrival Tehran time: 1978-12-31 11:45:00 IRST
The departure time is formed by transforming the local calendar date time into a
local_time
and pairing that with the "America/New_York"
time_zone
to form a zoned_time
. The flight time is
just an ordinary chrono::duration
.
The arrival time is formed by retrieving the departure time in terms of
sys_time
, adding the length of the flight, and pairing that
sys_time
with the "Asia/Tehran" time_zone
to form a
zoned_time
.
By doing the arithmetic (addition of the flight time) in the UTC (well system) time zone, we do not have to worry about things like daylight savings time, or other political changes to the either UTC offset. For example if we change one line to look at the same flight 24 hours later:
auto departure = make_zoned("America/New_York", local_days{dec/31/1978} + 12h + 1min);
Then the output changes to:
departure NYC time: 1978-12-31 12:01:00 EST flight time is 14:44 arrival Tehran time: 1979-01-01 11:15:00 IRST
Now we have the flight arriving 30min earlier. This is because the time zone "Asia/Tehran" undergoes an offset change while the plane is in the air, shifting its UTC offset to 30min earlier. Is this the final word on this example? Almost. If accuracy down to the second is required (it is not for a flight arrival), then additional effort needs to be expended. Because there was also a leap second insertion while the plane was in the air. This can be taken into account with the following code:
#include "tz.h" #include <iostream> int main() { using namespace std::chrono_literals; using namespace date; auto departure = make_zoned("America/New_York", local_days{dec/31/1978} + 12h + 1min); auto departure_utc = to_utc_time(departure.get_sys_time()); auto flight_length = 14h + 44min; auto arrival = make_zoned("Asia/Tehran", to_sys_time(departure_utc + flight_length)); std::cout << "departure NYC time: " << departure << '\n'; std::cout << "flight time is " << make_time(flight_length) << '\n'; std::cout << "arrival Tehran time: " << arrival << '\n'; }
This is just like the previous example except that the arithmetic (departure
time + flight length) is done in utc_time
instead of
sys_time
. To accomplish this, there is a conversion from
sys_time
to utc_time
before the arithmetic, and
another conversion from utc_time
to sys_time
after the
arithmetic. And the result changes to:
departure NYC time: 1978-12-31 12:01:00 EST flight time is 14:44 arrival Tehran time: 1979-01-01 11:14:59 IRST
A common task in dealing with dates and times is converting from one string format to another. This library is extremely flexible in handling this task. As an example, let's say that you need to convert strings that look like this:
Sun Sep 16 01:03:52 -0500 1973
Into strings that look like this:
1973-09-16T06:03:52.000Z
That is, given a local time with UTC offset, you need to not only update the format to something more modern, but it also has to be converted to the UTC timezone and to a precision of milliseconds. The code to do this is quite straight forward:
std::string convert(const std::string& input) { using namespace std; using namespace std::chrono; using namespace date; istringstream stream{input}; sys_time<milliseconds> t; stream >> parse("%a %b %d %T %z %Y", t); if (stream.fail()) throw runtime_error("failed to parse " + input); return format("%FT%TZ", t); }
Let's walk through this:
First, date::parse
works with istream
s so you can parse from
files, from strings, or anything else that is an istream
.
Second, while we don't need to parse to a precision of milliseconds, we need to
format to that precision. It is easy just to parse into a
milliseconds-precision sys_time
so that we can then just format it
back out with no change. If we needed to parse at finer precision than
formatting, then we would need to parse at the higher precision, truncate it (by
some rounding mode — truncate
, floor,
ceil
or round
), and then format the truncated value.
To have the parse
interpret the string as a local time offset by the
UTC offset, we need to ask for a sys_time
to be parsed, and use
the %z
in the proper location. The parse
function will
then subtract the UTC offset to give us the proper sys_time
value.
If parse
fails to find everything in the parse/format string,
exactly as specified, it will set failbit
in the istream
.
Finally, once we know we have a successfully parsed
sys_time<milliseconds>
it is a very simple matter to format
it back out in whatever format is desired. As confirmed in the
Reference, %S
and %T
are
sensitive to the precision of the time point argument, and so there is no need
for extension formatting flags to indicate fractional seconds. %S
and %T
just work.
Everything specified below is in namespace date
, and accessed via the
header "tz.h"
.
The following data structure is the time zone database, and the following functions access it.
struct TZ_DB { std::string version; std::vector<time_zone> zones; std::vector<link> links; std::vector<leap> leaps; std::vector<Rule> rules; };The
TZ_DB database is a singleton. And access to it is read-only, except for reload_tzdb()
which re-initializes it. Eachvector
is sorted to enable fast lookup. You don't have to explicitly program binary search lookups on it. That is handled by the API. But you can explicitly iterate over and inspect this database. And knowing that it is sorted may be of benefit to your inspection logic.All information in the IANA time zone database is represented in the above
TZ_DB
data structure, except for the comments in the database. Thus it is up to you, the client of this library, to decide what to do with this data. This library makes it especially easy and convenient to extract the data in the way that is most commonly used (e.g. time conversions among time zones). But it represents all of the data, and hides none of it.const TZ_DB& get_tzdb();Effects: If this is the first access to the database, will initialize the database. If
tz.cpp
was compiled with the configuration macroAUTO_DOWNLOAD == 1
, initialization will include checking the IANA website for the latest version, and downloading the latest version if your local version is out of date, or doesn't exist at the location referred to by theinstall
configuration variable intz.cpp
. Iftz.cpp
was compiled withAUTO_DOWNLOAD == 0
, you will have to download and decompress the IANA database from the IANA website and place it at the location referred to by theinstall
configuration variable.
AUTO_DOWNLOAD == 1
requires linkingtz.cpp
tolibcurl
.Returns: A
const
reference to the database.Thread Safety: It is safe to call this function from multiple threads at one time. There will be no race to initialize the singleton database as long as your compiler implements threadsafe function-local statics as specified by C++11.
Throws:
std::runtime_error
if for any reason a reference can not be returned to a validTZ_DB
.const time_zone* locate_zone(const std::string& tz_name);Effects: Calls
get_tzdb()
which will initialize the timezone database if this is the first reference to the database.Returns: If a
time_zone
is found for whichname() == tz_name
, returns a pointer to thattime_zone
. Otherwise if alink
is found wheretz_name == link.name()
, then a pointer is returned to thetime_zone
for whichzone.name() == link.target()
[Note: Alink
is an alternative name for atime_zone
. — end note]Throws: Any exception propagated from
get_tzdb()
. If aconst time_zone*
can not be found as described in the Returns clause, throws astd::runtime_error
. [Note: On non-exceptional return, the return value is always a pointer to a validtime_zone
. — end note]const time_zone* current_zone();Effects: Callslocate_zone()
which will initialize the timezone database if this is the first reference to the database.Returns: A
const time_zone*
referring to the time zone which your computer has set as its local time zone.Throws: Any exception propagated from
locate_zone()
. [Note: On non-exceptional return, the return value is always a pointer to a validtime_zone
. — end note]const TZ_DB& reload_tzdb();Effects:
If If
tz.cpp
was compiled with the configuration macroAUTO_DOWNLOAD == 1
, this function first checks the latest version at the IANA website. If the IANA website is unavailable, or if the latest version is already installed, there are no effects. Otherwise, a new version is available. It is downloaded and installed, and then the program re-initializes theTZ_DB
singleton from the new disk files.If
tz.cpp
was compiled with the configuration macroAUTO_DOWNLOAD == 0
, this function re-initializes theTZ_DB
singleton from the disk files. You can manually replace the database without ill-effects after your program has calledget_tzdb()
and before it callsreload_tzdb()
, as there is no access to the files on disk between the first call toget_tzdb()
and subsequent calls toreload_tzdb()
.Returns: A
const
reference to the database.Thread Safety: This function is not thread safe. You must provide your own synchronization among threads accessing the time zone database to safely use this function. If this function re-initializes the database (as it always does when
AUTO_DOWNLOAD == 0
), all outstandingconst time_zone*
are invalidated (including those held withinzoned_time
objects). And afterwards, all outstandingsys_info
may hold obsolete data.Throws:
std::runtime_error
if for any reason a reference can not be returned to a validTZ_DB
.The following functions are available only if you compile with the configuration macro
HAS_REMOTE_API == 1
. Use of this API requires linking tolibcurl
.AUTO_DOWNLOAD == 1
requiresHAS_REMOTE_API == 1
. You will be notified at compile time ifAUTO_DOWNLOAD == 1
andHAS_REMOTE_API == 0
. IfHAS_REMOTE_API == 1
, thenAUTO_DOWNLOAD
defaults to1
, otherwiseAUTO_DOWNLOAD
defaults to0
. On Windows,HAS_REMOTE_API
defaults to0
. Everywhere else it defaults to1
. This is becauselibcurl
comes preinstalled everywhere but Windows, but it is available for Windows.[Note: Even with
AUTO_DOWNLOAD == 1
, there are no thread-safety issues with this library unless one of the following functions are explicitly called by your code:const TZ_DB& reload_tzdb(); bool remote_download(const std::string& version); bool remote_install(const std::string& version);Once your program has initialized the
TZ_DB
singleton, that singleton can never be changed without explicit use ofreload_tzdb()
. — end note]std::string remote_version();Returns: The latest database version number from the IANA website. If the IANA website can not be reached, or if it can be reached but the latest version number is unexpectedly not available, the empty string is returned.
Note: If non-empty, this can be compared with
get_tzdb().version
to discover if you have the latest database installed.bool remote_download(const std::string& version);Effects: If
version == remote_version()
this function will download the compressed tar file holding the latest time zone database from the IANA website. The tar file will be placed at the location indicated by theinstall
configuration variable intz.cpp
.Returns:
true
if the database was successfully downloaded, elsefalse
.Thread safety: If called by multiple threads, there will be a race on the creation of the tar file at
install
.bool remote_install(const std::string& version);Effects: If
version
refers to the file successfully downloaded byremote_download()
this function will remove the existing time zone database atinstall
, then extract a new database from the tar file and place it atinstall
, and finally will delete the tar file.This function does not cause your program to re-initialize itself from this new database. In order to do that, you must call
reload_tzdb()
(orget_tzdb()
if the database has yet to be initialized). Iftz.cpp
was compiled withAUTO_DOWNLOAD == 1
, thenreload_tzdb()
uses this API to check if the database is out of date, and reinitializes it with a freshly downloaded database only if it needs to. Indeed, ifAUTO_DOWNLOAD == 1
there is never any need to callremote_download()
orremote_install()
explicitly. You can just callreload_tzdb()
instead. This API is only exposed so that you can take care of this manually if desired (HAS_REMOTE_API == 1 && AUTO_DOWNLOAD == 0
).Returns:
true
if the database was successfully replaced by the tar file , elsefalse
.Thread safety: If called by multiple threads, there will be a race on the creation of the new database at
install
.Everything else in this library concerns read-only access to this database, and intuitive ways to compute with that information, even while being oblivious to the fact that you are accessing a database.
The entire database on disk occupies less than half of the disk space consumed by an average Beatles song. Don't sweat multiple copies of it. It will easily fit in your smart toaster.
choose
For some conversions from
local_time
to asys_time
,choose::earliest
orchoose::latest
can be used to convert a non-existent or ambiguouslocal_time
into asys_time
, instead of throwing an exception.enum class choose {earliest, latest};
nonexistent_local_time
nonexistent_local_time
is thrown when one attempts to convert a non-existentlocal_time
to asys_time
without specifyingchoose::earliest
orchoose::latest
.class nonexistent_local_time : public std::runtime_error { public: // Construction is undocumented };[Example:
#include "tz.h" #include <iostream> int main() { using namespace date; using namespace std::chrono_literals; try { auto zt = make_zoned("America/New_York", local_days{sun[2]/mar/2016} + 2h + 30min); } catch (const nonexistent_local_time& e) { std::cout << e.what() << '\n'; } }Which outputs:
2016-03-13 02:30:00 is in a gap between 2016-03-13 02:00:00 EST and 2016-03-13 03:00:00 EDT which are both equivalent to 2016-03-13 07:00:00 UTC— end example:]
ambiguous_local_time
ambiguous_local_time
is thrown when one attempts to convert an ambiguouslocal_time
to asys_time
without specifyingchoose::earliest
orchoose::latest
.class ambiguous_local_time : public std::runtime_error { public: // Construction is undocumented };[Example:
#include "tz.h" #include <iostream> int main() { using namespace date; using namespace std::chrono_literals; try { auto zt = make_zoned("America/New_York", local_days{sun[1]/nov/2016} + 1h + 30min); } catch (const ambiguous_local_time& e) { std::cout << e.what() << '\n'; } }Which outputs:
2016-11-06 01:30:00 is ambiguous. It could be 2016-11-06 01:30:00 EDT == 2016-11-06 05:30:00 UTC or 2016-11-06 01:30:00 EST == 2016-11-06 06:30:00 UTC— end example:]
sys_info
This structure can be obtained from the combination of a
time_zone
and either asys_time
, orlocal_time
. It can also be obtained from azoned_time
which is effectively apair
of atime_zone
andsys_time
.This structure represents a lower-level API. Typical conversions from
sys_time
tolocal_time
will use this structure implicitly, not explicitly.struct sys_info { sys_seconds begin; sys_seconds end; std::chrono::seconds offset; std::chrono::minutes save; std::string abbrev; };The
begin
andend
fields indicate that for the associatedtime_zone
andtime_point
, theoffset
andabbrev
are in effect in the range[begin, end)
. This information can be used to efficiently iterate the transitions of atime_zone
.The
offset
field indicates the UTC offset in effect for the associatedtime_zone
andtime_point
. The relationship betweenlocal_time
andsys_time
is:offset = local_time - sys_timeThe
save
field is "extra" information not normally needed for conversion betweenlocal_time
andsys_time
. Ifsave != 0min
, thissys_info
is said to be on "daylight saving" time, andoffset - save
suggests what thistime_zone
might use if it were off daylight saving. However this information should not be taken as authoritative. The only sure way to get such information is to query thetime_zone
with atime_point
that returns ansys_info
wheresave == 0min
. There is no guarantee whattime_point
might return such ansys_info
except that it is guaranteed not to be in the range[begin, end)
(ifsave != 0min
for thissys_info
).The
abbrev
field indicates the current abbreviation used for the associatedtime_zone
andtime_point
. Abbreviations are not unique among thetime_zone
s, and so one can not reliably map abbreviations back to atime_zone
and UTC offset.You can stream out a
sys_info
:std::ostream& operator<<(std::ostream& os, const sys_info& r);
local_info
This structure represents a lower-level API. Typical conversions from
local_time
tosys_time
will use this structure implicitly, not explicitly.struct local_info { enum {unique, nonexistent, ambiguous} result; sys_info first; sys_info second; };When a
local_time
tosys_time
conversion is unique,result == unique
,first
will be filled out with the correctsys_info
andsecond
will be zero-initialized. If the conversion stems from a nonexistentlocal_time
thenresult == nonexistent
,first
will be filled out with thesys_info
that ends just prior to thelocal_time
andsecond
will be filled out with thesys_info
that begins just after thelocal_time
. If the conversion stems from an ambiguouslocal_time
thenresult == ambiguous
,first
will be filled out with thesys_info
that ends just after thelocal_time
andsecond
will be filled out with thesys_info
that starts just before thelocal_time
.You can stream out a
local_info
:std::ostream& operator<<(std::ostream& os, const local_info& r);
time_zone
A
time_zone
represents all time zone transitions for a specific geographic area.time_zone
construction is undocumented, and done for you during the database initialization. You can gainconst
access to atime_zone
via functions such aslocate_zone
.class time_zone { public: time_zone(const time_zone&) = delete; time_zone& operator=(const time_zone&) = delete; const std::string& name() const; template <class Duration> sys_info get_info(sys_time<Duration> st) const; template <class Duration> local_info get_info(local_time<Duration> tp) const; template <class Duration> sys_time<typename std::common_type<Duration, std::chrono::seconds>::type> to_sys(local_time<Duration> tp) const; template <class Duration> sys_time<typename std::common_type<Duration, std::chrono::seconds>::type> to_sys(local_time<Duration> tp, choose z) const; template <class Duration> local_time<typename std::common_type<Duration, std::chrono::seconds>::type> to_local(sys_time<Duration> tp) const; }; bool operator==(const time_zone& x, const time_zone& y); bool operator!=(const time_zone& x, const time_zone& y); bool operator< (const time_zone& x, const time_zone& y); bool operator> (const time_zone& x, const time_zone& y); bool operator<=(const time_zone& x, const time_zone& y); bool operator>=(const time_zone& x, const time_zone& y); std::ostream& operator<<(std::ostream& os, const time_zone& z)const std::string& time_zone::name() const;Returns: The name of the
time_zone
.Example: "America/New_York".
Note: Here is an unofficial list of
time_zone
names: https://en.wikipedia.org/wiki/List_of_tz_database_time_zones.template <class Duration> sys_info time_zone::get_info(sys_time<Duration> st) const;Returns: A
sys_info
i
for whichst
is in the range[i.begin, i.end)
.template <class Duration> local_info time_zone::get_info(local_time<Duration> tp) const;Returns: A
local_info
fortp
.template <class Duration> sys_time<typename std::common_type<Duration, std::chrono::seconds>::type> time_zone::to_sys(local_time<Duration> tp) const;Returns: A
sys_time
that is at least as fine asseconds
, and will be finer if the argumenttp
has finer precision. Thissys_time
is the UTC equivalent oftp
according to the rules of thistime_zone
.Throws: If the conversion from
tp
to asys_time
is ambiguous, throwsambiguous_local_time
. If the conversion fromtp
to asys_time
is nonexistent, throwsnonexistent_local_time
.template <class Duration> sys_time<typename std::common_type<Duration, std::chrono::seconds>::type> time_zone::to_sys(local_time<Duration> tp, choose z) const;Returns: A
sys_time
that is at least as fine asseconds
, and will be finer if the argumenttp
has finer precision. Thissys_time
is the UTC equivalent oftp
according to the rules of thistime_zone
. If the conversion fromtp
to asys_time
is ambiguous, returns the earliersys_time
ifz == choose::earliest
, and returns the latersys_time
ifz == choose::latest
. If thetp
represents a non-existent time between two UTCtime_point
s, then the two UTCtime_point
s will be the same, and that UTCtime_point
will be returned.template <class Duration> local_time<typename std::common_type<Duration, std::chrono::seconds>::type> time_zone::to_local(sys_time<Duration> tp) const;Returns: The
local_time
associated withtp
and thistime_zone
.bool operator==(const time_zone& x, const time_zone& y);Returns:
x.name() == y.name()
.bool operator!=(const time_zone& x, const time_zone& y);Returns:
!(x == y)
.bool operator<(const time_zone& x, const time_zone& y);Returns:
x.name() < y.name()
.bool operator>(const time_zone& x, const time_zone& y);Returns:
y < x
.bool operator<=(const time_zone& x, const time_zone& y);Returns:
!(y < x)
.bool operator>=(const time_zone& x, const time_zone& y);Returns:
!(x < y)
.std::ostream& operator<<(std::ostream& os, const time_zone& z)Produces an output that is probably more meaningful to me than it is to you. I found it useful for debugging this library.
zoned_time
zoned_time
represents a logical paring oftime_zone
and atime_point
with precisionDuration
. Ifseconds
is not implicitly convertible toDuration
, the instantiation is ill-formed. [Note: There existtime_zone
s with UTC offsets that require a precision ofseconds
. — end note:]template <class Duration> class zoned_time { const time_zone* zone_; // exposition only sys_time<Duration> tp_; // exposition only public: zoned_time(const zoned_time&) = default; zoned_time& operator=(const zoned_time&) = default; zoned_time(sys_time<Duration> st); explicit zoned_time(const time_zone* z); explicit zoned_time(const std::string& name); template <class Duration2, class = std::enable_if_t < std::is_convertible<sys_time<Duration2>, sys_time<Duration>>{} >> zoned_time(const zoned_time<Duration2>& zt) noexcept; zoned_time(const time_zone* z, local_time<Duration> tp); zoned_time(const std::string& name, local_time<Duration> tp); zoned_time(const time_zone* z, local_time<Duration> tp, choose c); zoned_time(const std::string& name, local_time<Duration> tp, choose c); zoned_time(const time_zone* z, const zoned_time<Duration>& zt); zoned_time(const std::string& name, const zoned_time<Duration>& zt); zoned_time(const time_zone* z, const zoned_time<Duration>& zt, choose); zoned_time(const std::string& name, const zoned_time<Duration>& zt, choose); zoned_time(const time_zone* z, const sys_time<Duration>& st); zoned_time(const std::string& name, const sys_time<Duration>& st); zoned_time& operator=(sys_time<Duration> st); zoned_time& operator=(local_time<Duration> ut); operator sys_time<Duration>() const; explicit operator local_time<Duration>() const; const time_zone* get_time_zone() const; local_time<Duration> get_local_time() const; sys_time<Duration> get_sys_time() const; sys_info get_info() const; }; using zoned_seconds = zoned_time<std::chrono::seconds>; template <class Duration1, class Duration2> bool operator==(const zoned_time<Duration1>& x, const zoned_time<Duration2>& y); template <class Duration1, class Duration2> bool operator!=(const zoned_time<Duration1>& x, const zoned_time<Duration2>& y);An invariant of
zoned_time<Duration>
is that it always refers to a validtime_zone
, and represents a point in time that exists and is not ambiguous.zoned_time<Duration>::zoned_time(const zoned_time&) = default; zoned_time<Duration>& zoned_time<Duration>::operator=(const zoned_time&) = default;The copy members transfer the associated
time_zone
from the source to the destination. After copying, source and destination compare equal. IfDuration
hasnoexcept
copy members, thenzoned_time<Duration>
hasnoexcept
copy members.zoned_time<Duration>::zoned_time(sys_time<Duration> st);Effects: Constructs a
zoned_time
zt
such thatzt.get_time_zone()->name() == "UTC"
, andzt.get_sys_time() == st
.explicit zoned_time<Duration>::zoned_time(const time_zone* z);Requires:
z
refers to a validtime_zone
.Effects: Constructs a
zoned_time
zt
such thatzt.get_time_zone()-> == z
, andzt.get_sys_time() == sys_seconds{}
.explicit zoned_time<Duration>::zoned_time(const std::string& name);Effects: Equivalent to construction with
locate_zone(name)
.Throws: Any exception propagating out of
locate_zone(name)
.template <class Duration2, class = std::enable_if_t < std::is_convertible<sys_time<Duration2>, sys_time<Duration>>{} >> zoned_time<Duration>::zoned_time(const zoned_time<Duration2>& y) noexcept;Effects: Constructs a
zoned_time
x
such thatx == y
.zoned_time<Duration>::zoned_time(const time_zone* z, local_time<Duration> tp);Requires:
z
refers to a validtime_zone
.Effects: Constructs a
zoned_time
zt
such thatzt.get_time_zone()-> == z
, andzt.get_local_time() == tp
.Throws: Any exception that
z->to_sys(tp)
would throw.zoned_time<Duration>::zoned_time(const std::string& name, local_time<Duration> tp);Effects: Equivalent to construction with
{locate_zone(name), tp}
.zoned_time<Duration>::zoned_time(const time_zone* z, local_time<Duration> tp, choose c);Requires:
z
refers to a validtime_zone
.Effects: Constructs a
zoned_time
zt
such thatzt.get_time_zone()-> == z
, andzt.get_sys_time() == z->to_sys(tp, c)
.zoned_time<Duration>::zoned_time(const std::string& name, local_time<Duration> tp, choose c);Effects: Equivalent to construction with
{locate_zone(name), tp, c}
.zoned_time<Duration>::zoned_time(const time_zone* z, const zoned_time<Duration>& y);Requires:
z
refers to a validtime_zone
.Effects: Constructs a
zoned_time
zt
such thatzt.get_time_zone()-> == z
, andzt.get_sys_time() == y.get_sys_time()
.zoned_time<Duration>::zoned_time(const std::string& name, const zoned_time<Duration>& y);Effects: Equivalent to construction with
{locate_zone(name), y}
.zoned_time<Duration>::zoned_time(const time_zone* z, const zoned_time<Duration>& y, choose);Requires:
z
refers to a validtime_zone
.Effects: Constructs a
zoned_time
zt
such thatzt.get_time_zone()-> == z
, andzt.get_sys_time() == y.get_sys_time()
.Note: The
choose
parameter is allowed here, but has no impact.zoned_time<Duration>::zoned_time(const std::string& name, const zoned_time<Duration>& y, choose);Effects: Equivalent to construction with
{locate_zone(name), y}
.Note: The
choose
parameter is allowed here, but has no impact.zoned_time<Duration>::zoned_time(const time_zone* z, const sys_time<Duration>& st);Requires:
z
refers to a validtime_zone
.Effects: Constructs a
zoned_time
zt
such thatzt.get_time_zone()-> == z
, andzt.get_sys_time() == st
.zoned_time<Duration>::zoned_time(const std::string& name, const sys_time<Duration>& st);Effects: Equivalent to construction with
{locate_zone(name), st}
.zoned_time<Duration>& zoned_time<Duration>::operator=(sys_time<Duration> st);Effects: After assignment
get_sys_time() == st
. This assignment has no effect on the return value ofget_time_zone()
.Returns:
*this
.zoned_time<Duration>& zoned_time<Duration>::operator=(local_time<Duration> lt);Effects: After assignment
get_local_time() == lt
. This assignment has no effect on the return value ofget_time_zone()
.Returns:
*this
.zoned_time<Duration>::operator sys_time<Duration>() const;Returns:
get_sys_time()
.explicit zoned_time<Duration>::operator local_time<Duration>() const;Returns:
get_local_time()
.const time_zone* zoned_time<Duration>::get_time_zone() const;Returns:
zone_
.local_time<Duration> zoned_time<Duration>::get_local_time() const;Returns:
zone_->to_local(tp_)
.sys_time<Duration> zoned_time<Duration>::get_sys_time() const;Returns:
tp_
.sys_info zoned_time<Duration>::get_info() const;Returns:
zone_->get_info(tp_)
.template <class Duration1, class Duration2> bool operator==(const zoned_time<Duration1>& x, const zoned_time<Duration2>& y);Returns:
x.zone_ == y.zone_ && x.tp_ == y.tp_
.template <class Duration1, class Duration2> bool operator!=(const zoned_time<Duration1>& x, const zoned_time<Duration2>& y);Returns:
!(x == y)
.template <class CharT, class Traits, class Duration> std::basic_ostream<class CharT, class Traits>& operator<<(std::basic_ostream<class CharT, class Traits>& os, const zoned_time<Duration>& t)Effects: Streams
t
toos
using the format "%F %T %Z" and the value returned fromt.get_local_time()
.Returns:
os
.
make_zoned
There exist several overloaded functions named
make_zoned
which serve as factory functions forzoned_time<Duration>
and will deduce the correctDuration
from the argument list. In every case the correct return type iszoned_time<std::common_type_t<Duration, std::chrono::seconds>>
.template <class Duration> zoned_time<std::common_type_t<Duration, std::chrono::seconds>> make_zoned(sys_time<Duration> tp)Returns:
{tp}
.template <class Duration> zoned_time<std::common_type_t<Duration, std::chrono::seconds>> make_zoned(const time_zone* zone, local_time<Duration> tp)Returns:
{zone, tp}
.template <class Duration> zoned_time<std::common_type_t<Duration, std::chrono::seconds>> make_zoned(const std::string& name, local_time<Duration> tp)Returns:
{name, tp}
.template <class Duration> zoned_time<std::common_type_t<Duration, std::chrono::seconds>> make_zoned(const time_zone* zone, local_time<Duration> tp, choose c)Returns:
{zone, tp, c}
.template <class Duration> zoned_time<std::common_type_t<Duration, std::chrono::seconds>> make_zoned(const std::string& name, local_time<Duration> tp, choose c)Returns:
{name, tp, c}
.template <class Duration> zoned_time<std::common_type_t<Duration, std::chrono::seconds>> make_zoned(const time_zone* zone, const zoned_time<Duration>& zt)Returns:
{zone, zt}
.template <class Duration> zoned_time<std::common_type_t<Duration, std::chrono::seconds>> make_zoned(const std::string& name, const zoned_time<Duration>& zt)Returns:
{name, zt}
.template <class Duration> zoned_time<std::common_type_t<Duration, std::chrono::seconds>> make_zoned(const time_zone* zone, const zoned_time<Duration>& zt, choose c)Returns:
{zone, zt, c}
.template <class Duration> zoned_time<std::common_type_t<Duration, std::chrono::seconds>> make_zoned(const std::string& name, const zoned_time<Duration>& zt, choose c)Returns:
{name, zt, c}
.template <class Duration> zoned_time<std::common_type_t<Duration, std::chrono::seconds>> make_zoned(const time_zone* zone, const sys_time<Duration>& st)Returns:
{zone, st}
.template <class Duration> zoned_time<std::common_type_t<Duration, std::chrono::seconds>> make_zoned(const std::string& name, const sys_time<Duration>& st)Returns:
{name, st}
.
format
template <class CharT, class Traits, class Duration> std::basic_string<class CharT, class Traits> format(const std::locale& loc, std::basic_string<class CharT, class Traits> format, const local_time<Duration>& tp); template <class CharT, class Traits, class Duration> std::basic_string<class CharT, class Traits> format(std::basic_string<class CharT, class Traits> format, const local_time<Duration>& tp); template <class CharT, class Traits, class Duration> std::basic_string<class CharT, class Traits> format(const std::locale& loc, std::basic_string<class CharT, class Traits> format, const zoned_time<Duration>& tp); template <class CharT, class Traits, class Duration> std::basic_string<class CharT, class Traits> format(std::basic_string<class CharT, class Traits> format, const zoned_time<Duration>& tp); template <class CharT, class Traits, class Duration> std::basic_string<class CharT, class Traits> format(const std::locale& loc, std::basic_string<class CharT, class Traits> format, const sys_time<Duration>& tp); template <class CharT, class Traits, class Duration> std::basic_string<class CharT, class Traits> format(std::basic_string<class CharT, class Traits> format, const sys_time<Duration>& tp); // const CharT* formats template <class CharT, class Duration> std::basic_string<class CharT> format(const std::locale& loc, const CharT* format, const local_time<Duration>& tp); template <class CharT, class Duration> std::basic_string<class CharT> format(const CharT* format, const local_time<Duration>& tp); template <class CharT, class Duration> std::basic_string<class CharT> format(const std::locale& loc, const CharT* format, const zoned_time<Duration>& tp); template <class CharT, class Duration> std::basic_string<class CharT> format(const CharT* format, const zoned_time<Duration>& tp); template <class CharT, class Duration> std::basic_string<class CharT> format(const std::locale& loc, const CharT* format, const sys_time<Duration>& tp); template <class CharT, class Duration> std::basic_string<class CharT> format(const CharT* format, const sys_time<Duration>& tp);Effects: These functions create a formatted time stamp using the arguments, returning the result in a
std::string
.If a
locale
is passed in, then thatlocale
is used for any formatting that requires alocale
. If nolocale
is passed in, then if alocale
is required for formatting, a default constructedlocale
will be used (which makes a copy of the globallocale
).The
format
string follows the rules as specified forstd::time_put
with the following exceptions:
If
%S
or%T
appears in theformat
string and the argumenttp
has precision finer than seconds, then seconds are formatted as a decimal floating point number with a fixed format and a precision matching that of the precision oftp
. The character for the decimal point is localized according to thelocale
.If
%z
appears in the format, the behavior depends on the type oftp
:
local_time
: An exception of typestd::runtime_error
is thrown.zoned_time
: The offset associated withtp.get_time_zone()
is used.sys_time
:"+0000"
is used.If
%z
is modified by eitherE
orO
(that is,%Ez
or%Oz
), then a colon is inserted between the hours and minutes:+00:00
.If
%Z
appears in the format, the behavior depends on the type oftp
:
local_time
: An exception of typestd::runtime_error
is thrown.zoned_time
: The abbreviation associated withtp.get_time_zone()
is used.sys_time
:"UTC"
is used.For the overloads taking a
zoned_time
it is the value returned bytz.get_local_time()
that is formatted.Returns: The formatted string.
parse
One can parse in a
sys_time<Duration>
or alocal_time<Duration>
. Optionally, one can also pass in a reference to astd::string
in order to capture the time zone abbreviation, or one can pass in a reference to astd::chrono::minutes
to capture a time zone UTC offset (formatted as+0000
), or one can pass in both in either order.template <class CharT, class Traits, class Duration> void parse(std::basic_istream<CharT, Traits>& is, const std::basic_string<CharT, Traits>& format, sys_time<Duration>& tp); template <class CharT, class Traits, class Duration> void parse(std::basic_istream<CharT, Traits>& is, const std::basic_string<CharT, Traits>& format, sys_time<Duration>& tp, std::basic_string<CharT, Traits>& abbrev); template <class CharT, class Traits, class Duration> void parse(std::basic_istream<CharT, Traits>& is, const std::basic_string<CharT, Traits>& format, sys_time<Duration>& tp, std::chrono::minutes& offset); template <class CharT, class Traits, class Duration> void parse(std::basic_istream<CharT, Traits>& is, const std::basic_string<CharT, Traits>& format, sys_time<Duration>& tp, std::basic_string<CharT, Traits>& abbrev, std::chrono::minutes& offset); template <class CharT, class Traits, class Duration> void parse(std::basic_istream<CharT, Traits>& is, const std::basic_string<CharT, Traits>& format, sys_time<Duration>& tp, std::chrono::minutes& offset, std::basic_string<CharT, Traits>& abbrev); template <class CharT, class Traits, class Duration> void parse(std::basic_istream<CharT, Traits>& is, const std::basic_string<CharT, Traits>& format, local_time<Duration>& tp); template <class CharT, class Traits, class Duration> void parse(std::basic_istream<CharT, Traits>& is, const std::basic_string<CharT, Traits>& format, local_time<Duration>& tp, std::basic_string<CharT, Traits>& abbrev); template <class CharT, class Traits, class Duration> void parse(std::basic_istream<CharT, Traits>& is, const std::basic_string<CharT, Traits>& format, local_time<Duration>& tp, std::chrono::minutes& offset); template <class CharT, class Traits, class Duration> void parse(std::basic_istream<CharT, Traits>& is, const std::basic_string<CharT, Traits>& format, local_time<Duration>& tp, std::basic_string<CharT, Traits>& abbrev, std::chrono::minutes& offset); template <class CharT, class Traits, class Duration> void parse(std::basic_istream<CharT, Traits>& is, const std::basic_string<CharT, Traits>& format, local_time<Duration>& tp, std::chrono::minutes& offset, std::basic_string<CharT, Traits>& abbrev); // const CharT* formats template <class CharT, class Traits, class Duration> void parse(std::basic_istream<CharT, Traits>& is, const CharT* format, sys_time<Duration>& tp); template <class CharT, class Traits, class Duration> void parse(std::basic_istream<CharT, Traits>& is, const CharT* format, sys_time<Duration>& tp, std::basic_string<CharT, Traits>& abbrev); template <class CharT, class Traits, class Duration> void parse(std::basic_istream<CharT, Traits>& is, const CharT* format, sys_time<Duration>& tp, std::chrono::minutes& offset); template <class CharT, class Traits, class Duration> void parse(std::basic_istream<CharT, Traits>& is, const CharT* format, sys_time<Duration>& tp, std::basic_string<CharT, Traits>& abbrev, std::chrono::minutes& offset); template <class CharT, class Traits, class Duration> void parse(std::basic_istream<CharT, Traits>& is, const CharT* format, sys_time<Duration>& tp, std::chrono::minutes& offset, std::basic_string<CharT, Traits>& abbrev); template <class CharT, class Traits, class Duration> void parse(std::basic_istream<CharT, Traits>& is, const CharT* format, local_time<Duration>& tp); template <class CharT, class Traits, class Duration> void parse(std::basic_istream<CharT, Traits>& is, const CharT* format, local_time<Duration>& tp, std::basic_string<CharT, Traits>& abbrev); template <class CharT, class Traits, class Duration> void parse(std::basic_istream<CharT, Traits>& is, const CharT* format, local_time<Duration>& tp, std::chrono::minutes& offset); template <class CharT, class Traits, class Duration> void parse(std::basic_istream<CharT, Traits>& is, const CharT* format, local_time<Duration>& tp, std::basic_string<CharT, Traits>& abbrev, std::chrono::minutes& offset); template <class CharT, class Traits, class Duration> void parse(std::basic_istream<CharT, Traits>& is, const CharT* format, local_time<Duration>& tp, std::chrono::minutes& offset, std::basic_string<CharT, Traits>& abbrev);Effects: These functions attempt to parse a
time_point
out ofis
according toformat
. If the parse is unsuccessful, callsis.setstate(std::ios::failbit)
which may throw an exception.tp
,abbrev
, andoffset
are altered only in the event of a successful parse.The
format
string follows the rules as specified forstd::time_get
with the following exceptions:
If
%F
appears in theformat
string it is interpreted as%Y-%m-%d
.If
%S
or%T
appears in theformat
string and the argumenttp
has precision finer than seconds, then the seconds are parsed as adouble
, and if that parse is successful contributes to the time stamp as ifround<Duration>(duration<double>{s})
wheres
is a local variable holding the parseddouble
.If
%z
appears in theformat
string and an offset is successfully parsed, the overloads takingsys_time
interprets the parsed time as a local time and subtracts the offset prior to assigning the value totp
, resulting in a value oftp
representing a UTC timestamp. The overloads takinglocal_time
require a valid parse of the offset, but then ignore the offset in assigning a value to thelocal_time<Duration>& tp
. Ifoffset
is passed in, on successful parse it will hold the value represented by%z
if present, or will be assigned0min
if%z
is not present.The format of the offset is
+/-hhmm
. The leading plus or minus sign is required. If the format string was modified (i.e.%Ez
or%Oz
), a colon is required between hours and minutes, and the leading hours digit is optional:+/-[h]h:mm
.If
%Z
appears in theformat
string then an abbreviation is required in that position for a successful parse. The abbreviation will be parsed as astd::string
(delimited by white space). The parsed abbreviation does not have to be a valid time zone abbreviation, and has no impact on the value parsed intotp
. Using the overloads that take astd::string&
one can discover what that parsed abbreviation is. On successful parse,abbrev
will be assigned the value represented by%Z
if present, or assigned the empty string if%Z
is not present.Note: There is no unique mapping from a time zone abbreviation to a
time_zone
. But given a time zone abbreviation and asys_time
orlocal_time
, one could make a list of potentialtime_zone
s. Given a UTC offset, one might even narrow that list down further.Furthermore, for every signature
parse(std::basic_istream<CharT, Traits>& is, Args...)
there exists an input manipulatorparse(Args...)
that can be used like this:istream >> parse("%F %T", tp);
utc_clock
class utc_clock { public: using duration = std::chrono::system_clock::duration; using rep = duration::rep; using period = duration::period; using time_point = std::chrono::time_point<utc_clock>; static constexpr bool is_steady = false; static time_point now() noexcept; }; template <class Duration> using utc_time = std::chrono::time_point<utc_clock, Duration>; using utc_seconds = utc_time<std::chrono::seconds>;In contrast to
sys_time
which does not take leap seconds into account,utc_clock
and its associatedtime_point
,utc_time
, counts time, including leap seconds, since 1970-01-01 00:00:00 UTC. It also provides functions for converting betweenutc_time
andsys_time
. These functions consultget_tzdb().leaps
to decide how many seconds to add/subtract in performing those conversions.static utc_clock::time_point utc_clock::now() noexcept;Returns:
to_utc_time(system_clock::now())
.template <class Duration> sys_time<std::common_type_t<Duration, std::chrono::seconds>> to_sys_time(utc_time<Duration> u)Returns: A
sys_time
t
, such thatto_utc_time(t) == u
if such a mapping exists. Otherwiseu
represents atime_point
during a leap second insertion and the last representable value ofsys_time
prior to the insertion of the leap second is returned.template <class Duration> utc_time<std::common_type_t<Duration, std::chrono::seconds>> to_utc_time(sys_time<Duration> t)Returns: A
utc_time
u
, such thatu.time_since_epoch() - t.time_since_epoch()
is equal to the number of leap seconds that were inserted betweent
and 1970-01-01. Ift
is ambiguous on this issue (i.e. corresponds to the date of leap second insertion), then the conversion counts that leap second as inserted.template <class Duration> utc_time<std::common_type_t<Duration, std::chrono::seconds>> to_utc_time(tai_time<Duration> t) noexceptReturns:
utc_time<common_type_t<Duration, seconds>>{t.time_since_epoch()} - 378691210s
Note:
378691210s == sys_days{1970y/jan/1} - sys_days{1958y/jan/1} + 10s
template <class Duration> utc_time<std::common_type_t<Duration, std::chrono::seconds>> to_utc_time(gps_time<Duration> t) noexceptReturns:
utc_time<common_type_t<Duration, seconds>>{t.time_since_epoch()} + 315964809s
Note:
315964809s == sys_days{1980y/jan/sun[1]} - sys_days{1970y/jan/1} + 9s
template <class CharT, class Traits, class Duration> std::basic_ostream<class CharT, class Traits>& operator<<(std::basic_ostream<class CharT, class Traits>& os, const utc_time<Duration>& t)Effects: Streams
t
toos
using the format "%F %T". This differs from streamingsys_time
only by the use of60
for the seconds specifier when the value represents an inserted leap second.Returns:
os
.
tai_clock
class tai_clock { public: using duration = std::chrono::system_clock::duration; using rep = duration::rep; using period = duration::period; using time_point = std::chrono::time_point<tai_clock>; static constexpr bool is_steady = false; static time_point now() noexcept; }; template <class Duration> using tai_time = std::chrono::time_point<tai_clock, Duration>; using tai_seconds = tai_time<std::chrono::seconds>;
tai_time
counts physical seconds continuously likeutc_itme
, but when printed out, always has 60 seconds per minute. It's epoch is 1958-01-01 and is offset ahead ofutc_time
by 10s in 1970-01-01. With each leap second, the offset fromutc_time
grows by another second.static tai_clock::time_point tai_clock::now() noexcept;Returns:
to_tai_time(system_clock::now())
.template <class Duration> sys_time<typename std::common_type<Duration, std::chrono::seconds>::type> to_sys_time(tai_time<Duration> t)Equivalent to:
return to_sys_time(to_utc_time(t))
.template <class Duration> tai_time<typename std::common_type<Duration, std::chrono::seconds>::type> to_tai_time(sys_time<Duration> t)Equivalent to:
return to_tai_time(to_utc_time(t))
.template <class Duration> tai_time<std::common_type_t<Duration, std::chrono::seconds>> to_tai_time(utc_time<Duration> u) noexceptReturns:
tai_time<common_type_t<Duration, seconds>>{t.time_since_epoch()} + 378691210s
Note:
378691210s == sys_days{1970y/jan/1} - sys_days{1958y/jan/1} + 10s
template <class Duration> tai_time<typename std::common_type<Duration, std::chrono::seconds>::type> to_tai_time(gps_time<Duration> t) noexceptReturns:
tai_time<common_type_t<Duration, seconds>>{t.time_since_epoch()} + 694656019s
Note:
694656019s == sys_days{1980y/jan/sun[1]} - sys_days{1958y/jan/1} + 19s
template <class CharT, class Traits, class Duration> std::basic_ostream<class CharT, class Traits>& operator<<(std::basic_ostream<class CharT, class Traits>& os, const tai_time<Duration>& t)Effects: Creates a
sys_time
fromt
as if by:auto tp = sys_time<common_type_t<Duration, seconds>>{t.time_since_epoch()} - (sys_days{1970_y/jan/1} - sys_days{1958_y/jan/1});And then streams that
sys_time
:os << tp
.Returns:
os
.
gps_clock
class gps_clock { public: using duration = std::chrono::system_clock::duration; using rep = duration::rep; using period = duration::period; using time_point = std::chrono::time_point<gps_clock>; static constexpr bool is_steady = false; static time_point now() noexcept; }; template <class Duration> using gps_time = std::chrono::time_point<gps_clock, Duration>; using gps_seconds = gps_time<std::chrono::seconds>;
gps_time
counts physical seconds continuously likeutc_itme
, but when printed out, always has 60 seconds per minute. It's epoch is 1980-01-06 and was equivalent to UTC at that time. If drifts ahead of UTC with each inserted leap second. It is always exactly 19s behind TAI.static gps_clock::time_point gps_clock::now() noexcept;Returns:
to_gps_time(system_clock::now())
.template <class Duration> sys_time<typename std::common_type<Duration, std::chrono::seconds>::type> to_sys_time(gps_time<Duration> t)Equivalent to:
return to_sys_time(to_utc_time(t))
.template <class Duration> gps_time<typename std::common_type<Duration, std::chrono::seconds>::type> to_gps_time(sys_time<Duration> t)Equivalent to:
return to_gps_time(to_utc_time(t))
.template <class Duration> gps_time<std::common_type_t<Duration, std::chrono::seconds>> to_gps_time(utc_time<Duration> u) noexceptReturns:
gps_time<common_type_t<Duration, seconds>>{t.time_since_epoch()} - 315964809s
Note:
315964809s == sys_days{1980y/jan/sun[1]} - sys_days{1970y/jan/1} + 9s
template <class Duration> gps_time<typename std::common_type<Duration, std::chrono::seconds>::type> to_gps_time(tai_time<Duration> t) noexceptReturns:
gps_time<common_type_t<Duration, seconds>>{t.time_since_epoch()} - 694656019s
Note:
694656019s == sys_days{1980y/jan/sun[1]} - sys_days{1958y/jan/1} + 19s
template <class CharT, class Traits, class Duration> std::basic_ostream<class CharT, class Traits>& operator<<(std::basic_ostream<class CharT, class Traits>& os, const gps_time<Duration>& t)Effects: Creates a
sys_time
fromt
as if by:auto tp = sys_time<common_type_t<Duration, seconds>>{t.time_since_epoch()} + (sys_days{1980y/jan/sun[1]} - sys_days{1970y/jan/1});And then streams that
sys_time
:os << tp
.Returns:
os
.[Example:
The following code prints out equivalent time stamps to millisecond precision for times near the 2015-06-30 leap second insertion. Note that the mapping to
sys_time
during the leap second collapses down to the last instant prior to the leap second. But the maping between UTC, TAI and GPS is all one-to-one.#include "tz.h" #include <iostream> int main() { using namespace date; using namespace std::chrono; auto start = to_utc_time(sys_days{2015_y/jul/1} - 500ms); auto end = start + 2s; for (auto utc = start; utc < end; utc += 100ms) { auto sys = to_sys_time(utc); auto tai = to_tai_time(utc); auto gps = to_gps_time(utc); std::cout << sys << " SYS == " << utc << " UTC == " << tai << " TAI == " << gps << " GPS\n"; } }Output:
2015-06-30 23:59:59.500 SYS == 2015-06-30 23:59:59.500 UTC == 2015-07-01 00:00:34.500 TAI == 2015-07-01 00:00:15.500 GPS 2015-06-30 23:59:59.600 SYS == 2015-06-30 23:59:59.600 UTC == 2015-07-01 00:00:34.600 TAI == 2015-07-01 00:00:15.600 GPS 2015-06-30 23:59:59.700 SYS == 2015-06-30 23:59:59.700 UTC == 2015-07-01 00:00:34.700 TAI == 2015-07-01 00:00:15.700 GPS 2015-06-30 23:59:59.800 SYS == 2015-06-30 23:59:59.800 UTC == 2015-07-01 00:00:34.800 TAI == 2015-07-01 00:00:15.800 GPS 2015-06-30 23:59:59.900 SYS == 2015-06-30 23:59:59.900 UTC == 2015-07-01 00:00:34.900 TAI == 2015-07-01 00:00:15.900 GPS 2015-06-30 23:59:59.999 SYS == 2015-06-30 23:59:60.000 UTC == 2015-07-01 00:00:35.000 TAI == 2015-07-01 00:00:16.000 GPS 2015-06-30 23:59:59.999 SYS == 2015-06-30 23:59:60.100 UTC == 2015-07-01 00:00:35.100 TAI == 2015-07-01 00:00:16.100 GPS 2015-06-30 23:59:59.999 SYS == 2015-06-30 23:59:60.200 UTC == 2015-07-01 00:00:35.200 TAI == 2015-07-01 00:00:16.200 GPS 2015-06-30 23:59:59.999 SYS == 2015-06-30 23:59:60.300 UTC == 2015-07-01 00:00:35.300 TAI == 2015-07-01 00:00:16.300 GPS 2015-06-30 23:59:59.999 SYS == 2015-06-30 23:59:60.400 UTC == 2015-07-01 00:00:35.400 TAI == 2015-07-01 00:00:16.400 GPS 2015-06-30 23:59:59.999 SYS == 2015-06-30 23:59:60.500 UTC == 2015-07-01 00:00:35.500 TAI == 2015-07-01 00:00:16.500 GPS 2015-06-30 23:59:59.999 SYS == 2015-06-30 23:59:60.600 UTC == 2015-07-01 00:00:35.600 TAI == 2015-07-01 00:00:16.600 GPS 2015-06-30 23:59:59.999 SYS == 2015-06-30 23:59:60.700 UTC == 2015-07-01 00:00:35.700 TAI == 2015-07-01 00:00:16.700 GPS 2015-06-30 23:59:59.999 SYS == 2015-06-30 23:59:60.800 UTC == 2015-07-01 00:00:35.800 TAI == 2015-07-01 00:00:16.800 GPS 2015-06-30 23:59:59.999 SYS == 2015-06-30 23:59:60.900 UTC == 2015-07-01 00:00:35.900 TAI == 2015-07-01 00:00:16.900 GPS 2015-07-01 00:00:00.000 SYS == 2015-07-01 00:00:00.000 UTC == 2015-07-01 00:00:36.000 TAI == 2015-07-01 00:00:17.000 GPS 2015-07-01 00:00:00.100 SYS == 2015-07-01 00:00:00.100 UTC == 2015-07-01 00:00:36.100 TAI == 2015-07-01 00:00:17.100 GPS 2015-07-01 00:00:00.200 SYS == 2015-07-01 00:00:00.200 UTC == 2015-07-01 00:00:36.200 TAI == 2015-07-01 00:00:17.200 GPS 2015-07-01 00:00:00.300 SYS == 2015-07-01 00:00:00.300 UTC == 2015-07-01 00:00:36.300 TAI == 2015-07-01 00:00:17.300 GPS 2015-07-01 00:00:00.400 SYS == 2015-07-01 00:00:00.400 UTC == 2015-07-01 00:00:36.400 TAI == 2015-07-01 00:00:17.400 GPS— end example]
leap
class leap { public: leap(const leap&) = default; leap& operator=(const leap&) = default; // Undocumented constructors sys_seconds date() const; }; bool operator==(const leap& x, const leap& y); bool operator!=(const leap& x, const leap& y); bool operator< (const leap& x, const leap& y); bool operator> (const leap& x, const leap& y); bool operator<=(const leap& x, const leap& y); bool operator>=(const leap& x, const leap& y); template <class Duration> bool operator==(const const leap& x, const sys_time<Duration>& y); template <class Duration> bool operator==(const sys_time<Duration>& x, const leap& y); template <class Duration> bool operator!=(const leap& x, const sys_time<Duration>& y); template <class Duration> bool operator!=(const sys_time<Duration>& x, const leap& y); template <class Duration> bool operator< (const leap& x, const sys_time<Duration>& y); template <class Duration> bool operator< (const sys_time<Duration>& x, const leap& y); template <class Duration> bool operator> (const leap& x, const sys_time<Duration>& y); template <class Duration> bool operator> (const sys_time<Duration>& x, const leap& y); template <class Duration> bool operator<=(const leap& x, const sys_time<Duration>& y); template <class Duration> bool operator<=(const sys_time<Duration>& x, const leap& y); template <class Duration> bool operator>=(const leap& x, const sys_time<Duration>& y); template <class Duration> bool operator>=(const sys_time<Duration>& x, const leap& y);
leap
is a copyable class that is constructed and stored in the time zone database when initialized. You can explicitly convert it to asys_seconds
with the member functiondate()
and that will be the date of the leap second insertion.leap
is equality and less-than comparable, both with itself, and withsys_time<Duration>
.
link
class link { public: link(const link&) = default; link& operator=(const link&) = default; // Undocumented constructors const std::string& name() const; const std::string& target() const; }; bool operator==(const link& x, const link& y); bool operator!=(const link& x, const link& y); bool operator< (const link& x, const link& y); bool operator> (const link& x, const link& y); bool operator<=(const link& x, const link& y); bool operator>=(const link& x, const link& y);A
link
is an alternative name for atime_zone
. The alternative name isname()
. The name of thetime_zone
for which this is an alternative name istarget()
.link
s will be constructed for you when the time zone database is initialized.
You will need the following four source files:
date.h
,
tz.h
,
tz_private.h
and
tz.cpp
.
These sources are located at the github repository
https://github.com/HowardHinnant/date.
Compile tz.cpp
along with your other sources while providing pointers to your compiler for the location
of the header files (i.e. tz.h
).
You can also customize the build by defining macros (e.g. on the command line) as follows:
INSTALL
This is the location of your uncompressed IANA Time Zone Database -- tzdataYYYYv.tar.gz (or where you want the software to install it for you if you compile with
AUTO_DOWNLOAD == 1
).If specified,
"/tzdata"
will be appended to whatever you supply ("\tzdata"
on Windows).Default:
"~/Downloads/tzdata"
("%homedrive%\%homepath%\downloads\tzdata"
on Windows).Example: Put the database in the current directory:
-DINSTALL=.Warning: When coupled with
AUTO_DOWNLOAD=1
, this will overwrite everthing atINSTALL/tzdata
if it already exists. Set with care.HAS_REMOTE_API
If
HAS_REMOTE_API
is 1 then the remote API exists, else it doesn't:std::string remote_version(); bool remote_download(const std::string& version); bool remote_install(const std::string& version);The remote API requires linking against
libcurl
(https://curl.haxx.se/libcurl). On macOS and Linux this is done with-lcurl
.libcurl
comes pre-installed on macOS and Linux, but not on Windows. However one can download it for Windows.Default:
1
on Linux and macOS,0
on Windows.Example: Disable the remote API:
-DHAS_REMOTE_API=0AUTO_DOWNLOAD
If
AUTO_DOWNLOAD
is1
then first access to the timezone database will install it if it hasn't been installed, and if it has, will use the remote API to install the latest version if not already installed.If
AUTO_DOWNLOAD
is not enabled, you are responsible for keeping your IANA Time Zone Database up to date. New versions of it are released several times a year. This library is not bundled with a specific version of the database already installed, nor is any specific version of the database blessed.If
AUTO_DOWNLOAD
is1
thenHAS_REMOTE_API
must be1
, else a compile-time error will be emitted.Default: Equal to
HAS_REMOTE_API
.Example: Disable automatic downloading of the timezone database:
-DAUTO_DOWNLOAD=0Warning: This will overwrite everthing at
INSTALL/tzdata
if it already exists.USE_SHELL_API
If
USE_SHELL_API
is1
thenstd::system
is used to execute commands for downloading the timezone database. This may be useful (for example) if yourtar
utility is installed in some place other than/usr/bin/tar
.If
USE_SHELL_API
is0
thenfork
is used to execute commands for downloading the timezone database (CreateProcess
on Windows).Default:
1
.Example: Enable the use of the shell API:
-DUSE_SHELL_API=1
Example compile command I commonly use on macOS:
clang++ -std=c++14 test.cpp -I../date ../date/tz.cpp -O3 -lcurl
If you want to enable HAS_REMOTE_API
and/or AUTO_DOWNLOAD
on
Windows you will have to manually install
curl and
7-zip into their default locations.
If you do not enable HAS_REMOTE_API
, you will need to also install
http://unicode.org/repos/cldr/trunk/common/supplemental/windowsZones.xml into your
install
location. This will be done for you if you have enabled
HAS_REMOTE_API
and let AUTO_DOWNLOAD
default to 1.
mingw users: -lpthread
is required.
In addition to four aforementioned source files you will need following files:
ios.h
,
ios.cpp
.
In Xcode in [Your Target]->Build Settings->Other C Flags set following flags: -DHAS_REMOTE_API=0
, -DUSE_SHELL_API
, -x objective-c++
.
Also you have to add IANA database archive (*.tar.gz
) manually to your project, automatic download for iOS is not supported, this archive will be unpacked automatically into subdirectory Library/tzdata of installed application.
A database parser is nothing without its database. I would like to thank the founding contributor of the IANA Time Zone Database Arthur David Olson. I would also like to thank the entire group of people who continually maintain it, and especially the IESG-designated TZ Coordinator, Paul Eggert. Without the work of these people, this software would have no data to parse.
I would also like to thank Jiangang Zhuang and Bjarne Stroustrup for invaluable feedback for the timezone portion of this library, which ended up also influencing the date.h library.
And I would also especially like to thank contributors to this library: gmcode, Ivan Pizhenko, tomy2105 and Ville Voutilainen.