Ultra-precise date and time handling in Rust for scientific applications with leap second support
Project description
hifitime 3
Scientifically accurate date and time handling with guaranteed nanosecond precision for 32,768 years before 01 January 1900 and 32,767 years after that reference epoch.
Formally verified to not crash on operations on epochs and durations using the Kani
model checking.
Features
- Initialize a high precision Epoch from the system time in UTC
- Leap seconds (as announced by the IETF on a yearly basis)
- UTC representation with ISO8601 and RFC3339 formatting and blazing fast parsing (45 nanoseconds)
- Trivial support of time arithmetic: addition (e.g.
2.hours() + 3.seconds()
), subtraction (e.g.2.hours() - 3.seconds()
), round/floor/ceil operations (e.g.2.hours().round(3.seconds())
) - Supports ranges of Epochs and TimeSeries (linspace of
Epoch
s andDuration
s) - Trivial conversion between many time scales
- High fidelity Ephemeris Time / Dynamic Barycentric Time (TDB) computations from ESA's Navipedia
- Julian dates and Modified Julian dates
- Embedded device friendly:
no-std
andconst fn
where possible
This library is validated against NASA/NAIF SPICE for the Ephemeris Time to Universal Coordinated Time computations: there are exactly zero nanoseconds of difference between SPICE and hifitime for the computation of ET and UTC after 01 January 1972. Refer to the leap second section for details. Other examples are validated with external references, as detailed on a test-by-test basis.
Supported time scales
- Temps Atomique International (TAI)
- Universal Coordinated Time (UTC)
- Terrestrial Time (TT)
- Ephemeris Time (ET) without the small perturbations as per NASA/NAIF SPICE leap seconds kernel
- Dynamic Barycentric Time (TDB), a higher fidelity ephemeris time
- Global Positioning System (GPST)
- Galileo System Time (GST)
- BeiDou Time (BDT)
- UNIX
Non-features
- Time-agnostic / date-only epochs. Hifitime only supports the combination of date and time, but the
Epoch::{at_midnight, at_noon}
is provided as a helper function.
Usage
Put this in your Cargo.toml
:
[dependencies]
hifitime = "3.7"
Examples:
Time creation
use hifitime::{Epoch, Unit, TimeUnits};
use core::str::FromStr;
#[cfg(feature = "std")]
{
// Initialization from system time is only available when std feature is enabled
let now = Epoch::now().unwrap();
println!("{}", now);
}
let mut santa = Epoch::from_gregorian_utc_hms(2017, 12, 25, 01, 02, 14);
assert_eq!(santa.to_mjd_utc_days(), 58112.043217592590);
assert_eq!(santa.to_jde_utc_days(), 2458112.5432175924);
assert_eq!(
santa + 3600 * Unit::Second,
Epoch::from_gregorian_utc_hms(2017, 12, 25, 02, 02, 14),
"Could not add one hour to Christmas"
);
assert_eq!(
santa + 60.0.minutes(),
Epoch::from_gregorian_utc_hms(2017, 12, 25, 02, 02, 14),
"Could not add one hour to Christmas"
);
assert_eq!(
santa + 1.hours(),
Epoch::from_gregorian_utc_hms(2017, 12, 25, 02, 02, 14),
"Could not add one hour to Christmas"
);
let dt = Epoch::from_gregorian_utc_hms(2017, 1, 14, 0, 31, 55);
assert_eq!(dt, Epoch::from_str("2017-01-14T00:31:55 UTC").unwrap());
// And you can print it too, although by default it will print in UTC
assert_eq!(format!("{}", dt), "2017-01-14T00:31:55 UTC".to_string());
Time differences, time unit, and duration handling
Comparing times will lead to a Duration type. Printing that will automatically select the unit.
use hifitime::{Epoch, Unit, Duration, TimeUnits};
let at_midnight = Epoch::from_gregorian_utc_at_midnight(2020, 11, 2);
let at_noon = Epoch::from_gregorian_utc_at_noon(2020, 11, 2);
assert_eq!(at_noon - at_midnight, 12 * Unit::Hour);
assert_eq!(at_noon - at_midnight, 1 * Unit::Day / 2);
assert_eq!(at_midnight - at_noon, -1.days() / 2);
let delta_time = at_noon - at_midnight;
assert_eq!(format!("{}", delta_time), "12 h".to_string());
// And we can multiply durations by a scalar...
let delta2 = 2 * delta_time;
assert_eq!(format!("{}", delta2), "1 days".to_string());
// Or divide them by a scalar.
assert_eq!(format!("{}", delta2 / 2.0), "12 h".to_string());
// And of course, these comparisons account for differences in time scales
let at_midnight_utc = Epoch::from_gregorian_utc_at_midnight(2020, 11, 2);
let at_noon_tai = Epoch::from_gregorian_tai_at_noon(2020, 11, 2);
assert_eq!(format!("{}", at_noon_tai - at_midnight_utc), "11 h 59 min 23 s".to_string());
Timeunits and frequency units are trivially supported. Hifitime only supports up to nanosecond precision (but guarantees it for 64 millenia), so any duration less than one nanosecond is truncated.
use hifitime::{Epoch, Unit, Freq, Duration, TimeUnits};
// One can compare durations
assert!(10.seconds() > 5.seconds());
assert!(10.days() + 1.nanoseconds() > 10.days());
// Those durations are more precise than floating point since this is integer math in nanoseconds
let d: Duration = 1.0.hours() / 3 - 20.minutes();
assert!(d.abs() < Unit::Nanosecond);
assert_eq!(3 * 20.minutes(), Unit::Hour);
// And also frequencies but note that frequencies are converted to Durations!
// So the duration of that frequency is compared, hence the following:
assert!(10 * Freq::Hertz < 5 * Freq::Hertz);
assert!(4 * Freq::MegaHertz > 5 * Freq::MegaHertz);
// And asserts on the units themselves
assert!(Freq::GigaHertz < Freq::MegaHertz);
assert!(Unit::Second > Unit::Millisecond);
Iterating over times ("linspace" of epochs)
Finally, something which may come in very handy, line spaces between times with a given step.
use hifitime::{Epoch, Unit, TimeSeries};
let start = Epoch::from_gregorian_utc_at_midnight(2017, 1, 14);
let end = Epoch::from_gregorian_utc_at_noon(2017, 1, 14);
let step = 2 * Unit::Hour;
let time_series = TimeSeries::inclusive(start, end, step);
let mut cnt = 0;
for epoch in time_series {
println!("{}", epoch);
cnt += 1
}
// Check that there are indeed six two-hour periods in a half a day,
// including start and end times.
assert_eq!(cnt, 7)
Design
No software is perfect, so please report any issue or bugs on Github.
Duration
Under the hood, a Duration is represented as a 16 bit signed integer of centuries (i16
) and a 64 bit unsigned integer (u64
) of the nanoseconds past that century. The overflowing and underflowing of nanoseconds is handled by changing the number of centuries such that the nanoseconds number never represents more than one century (just over four centuries can be stored in 64 bits).
Advantages:
- Exact precision of a duration: using a floating point value would cause large durations (e.g. Julian Dates) to have less precision than smaller durations. Durations in hifitime have exactly one nanosecond of precision for 65,536 years.
- Skipping floating point operations allows this library to be used in embedded devices without a floating point unit.
- Duration arithmetics are exact, e.g. one third of an hour is exactly twenty minutes and not "0.33333 hours."
Disadvantages:
- Most astrodynamics applications require the computation of a duration in floating point values such as when querying an ephemeris. This design leads to an overhead of about 5.2 nanoseconds according to the benchmarks (
Duration to f64 seconds
benchmark). You may run the benchmarks withcargo bench
.
Printing and parsing
When Durations are printed, only the units whose value is non-zero is printed. For example, 5.hours() + 256.0.milliseconds() + 1.0.nanoseconds()
will be printed as "5 h 256 ms 1 ns".
use hifitime::{Duration, Unit, TimeUnits};
use core::str::FromStr;
assert_eq!(
format!(
"{}",
5.hours() + 256.0.milliseconds() + 1.0.nanoseconds()
),
"5 h 256 ms 1 ns"
);
assert_eq!(
format!(
"{}",
5.days() + 1.0.nanoseconds()
),
"5 days 1 ns"
);
assert_eq!(
Duration::from_str("5 h 256 ms 1 ns").unwrap(),
5 * Unit::Hour + 256 * Unit::Millisecond + Unit::Nanosecond
);
Epoch
The Epoch is simply a wrapper around a Duration. All epochs are stored in TAI duration with respect to 01 January 1900 at noon (the official TAI epoch). The choice of TAI meets the Standard of Fundamental Astronomy (SOFA) recommendation of opting for a glitch-free time scale (i.e. without discontinuities like leap seconds or non-uniform seconds like TDB).
Printing and parsing
Epochs can be formatted and parsed in the following time scales:
- UTC:
{epoch}
- TAI:
{epoch:x}
- TT:
{epoch:X}
- TDB:
{epoch:e}
- ET:
{epoch:E}
- UNIX:
{epoch:p}
- GPS:
{epoch:o}
use hifitime::{Epoch, TimeScale};
use core::str::FromStr;
let epoch = Epoch::from_gregorian_utc_hms(2022, 9, 6, 23, 24, 29);
assert_eq!(format!("{epoch}"), "2022-09-06T23:24:29 UTC");
assert_eq!(format!("{epoch:x}"), "2022-09-06T23:25:06 TAI");
assert_eq!(format!("{epoch:X}"), "2022-09-06T23:25:38.184000000 TT");
assert_eq!(format!("{epoch:E}"), "2022-09-06T23:25:38.182538909 ET");
assert_eq!(format!("{epoch:e}"), "2022-09-06T23:25:38.182541259 TDB");
assert_eq!(format!("{epoch:p}"), "1662506669"); // UNIX seconds
assert_eq!(format!("{epoch:o}"), "1346541887000000000"); // GPS nanoseconds
// RFC3339 parsing with time scales
assert_eq!(
Epoch::from_gregorian_utc_hms(1994, 11, 5, 13, 15, 30),
Epoch::from_str("1994-11-05T08:15:30-05:00").unwrap()
);
assert_eq!(
Epoch::from_gregorian_utc_hms(1994, 11, 5, 13, 15, 30),
Epoch::from_str("1994-11-05T13:15:30Z").unwrap()
);
// Same test with different time systems
// TAI
assert_eq!(
Epoch::from_gregorian_tai_hms(1994, 11, 5, 13, 15, 30),
Epoch::from_str("1994-11-05T08:15:30-05:00 TAI").unwrap()
);
assert_eq!(
Epoch::from_gregorian_tai_hms(1994, 11, 5, 13, 15, 30),
Epoch::from_str("1994-11-05T13:15:30Z TAI").unwrap()
);
// TDB
assert_eq!(
Epoch::from_gregorian_hms(1994, 11, 5, 13, 15, 30, TimeScale::TDB),
Epoch::from_str("1994-11-05T08:15:30-05:00 TDB").unwrap()
);
assert_eq!(
Epoch::from_gregorian_hms(1994, 11, 5, 13, 15, 30, TimeScale::TDB),
Epoch::from_str("1994-11-05T13:15:30Z TDB").unwrap()
);
Leap second support
Leap seconds allow TAI (the absolute time reference) and UTC (the civil time reference) to not drift too much. In short, UTC allows humans to see the sun at zenith at noon, whereas TAI does not worry about that. Leap seconds are introduced to allow for UTC to catch up with the absolute time reference of TAI. Specifically, UTC clocks are "stopped" for one second to make up for the accumulated difference between TAI and UTC. These leap seconds are announced several months in advance by IERS, cf. in the IETF leap second reference.
The "placement" of these leap seconds in the formatting of a UTC date is left up to the software: there is no common way to handle this. Some software prevents a second tick, i.e. at 23:59:59 the UTC clock will tick for two seconds (instead of one) before hoping to 00:00:00. Some software, like hifitime, allow UTC dates to be formatted as 23:59:60 on strictly the days when a leap second is inserted. For example, the date 2016-12-31 23:59:60 UTC
is a valid date in hifitime because a leap second was inserted on 01 Jan 2017.
Important
Prior to the first leap second, NAIF SPICE claims that there were nine seconds of difference between TAI and UTC: this is different from the Standard of Fundamental Astronomy (SOFA). SOFA's iauDat
function will return non-integer leap seconds from 1960 to 1972. It will return an error for dates prior to 1960. Hifitime only accounts for leap seconds announced by IERS in its computations: there is a ten (10) second jump between TAI and UTC on 01 January 1972. This allows the computation of UNIX time to be a specific offset of TAI in hifitime. However, the prehistoric (pre-1972) leap seconds as returned by SOFA are available in the leap_seconds()
method of an epoch if the iers_only
parameter is set to false.
Ephemeris Time vs Dynamic Barycentric Time (TDB)
In theory, as of January 2000, ET and TDB should now be identical. However, the NASA NAIF leap seconds files (e.g. naif00012.tls) use a simplified algorithm to compute the TDB:
Equation [4], which ignores small-period fluctuations, is accurate to about 0.000030 seconds.
In order to provide full interoperability with NAIF, hifitime uses the NAIF algorithm for "ephemeris time" and the ESA algorithm for "dynamical barycentric time." Hence, if exact NAIF behavior is needed, use all of the functions marked as et
instead of the tdb
functions, such as epoch.to_et_seconds()
instead of epoch.to_tdb_seconds()
.
Changelog
3.8.0
Thanks again to @gwbres for his work in this release!
- Fix CI of the formal verification and upload artifacts, cf. #179
- Introduce time of week construction and conversion by @gwbres, cf.#180 and #188
- Fix minor typo in
src/timeunits.rs
by @gwbres, cf. #189 - Significantly extend formal verification of
Duration
andEpoch
, and introducekani::Arbitrary
toDuration
andEpoch
for users to formally verify their use of time, cf. #192 - It is now possible to specify a Leap Seconds file (in IERS format) using the
LeapSecondsFile::from_path
(requires thestd
feature to read the file), cf. #43. - UT1 time scale is now supported! You must build a
Ut1Provider
structure with data from the JPL Earth Orientation Parameters, or just useUt1Provider::download_short_from_jpl()
to automatically download the data from NASA JPL. strptime
andstrftime
equivalents from C89 are now supported, cf. #181. Please refer to the documentation for important limitations and how to build a custom formatter.- ISO Day of Year and Day In Year are now supported for initialization of an Epoch (provided a time scale and a year), and formatting, cf. #182.
- Python: the representation of an epoch is now in the time scale it was initialized in
3.7.0
Huge thanks to @gwbres who put in all of the work for this release. These usability changes allow Rinex to use hifitime, check out this work.
- timescale.rs: derive serdes traits when feasible by @gwbres in https://github.com/nyx-space/hifitime/pull/167
- timecale.rs: introduce format/display by @gwbres in https://github.com/nyx-space/hifitime/pull/168
- readme: fix BeiDou typo by @gwbres in https://github.com/nyx-space/hifitime/pull/169
- epoch: derive Hash by @gwbres in https://github.com/nyx-space/hifitime/pull/170
- timescale: identify GNSS timescales from standard 3 letter codes by @gwbres in https://github.com/nyx-space/hifitime/pull/171
- timescale: standard formatting is now available by @gwbres in https://github.com/nyx-space/hifitime/pull/174
- epoch, duration: improve and fix serdes feature by @gwbres in https://github.com/nyx-space/hifitime/pull/175
- epoch, timescale: implement default trait by @gwbres in https://github.com/nyx-space/hifitime/pull/176
3.6.0
- Galileo System Time and BeiDou Time are now supported, huge thanks to @gwbres for all that work!
- Significant speed improvement in the initialization of Epochs from their Gregorian representation, thanks @conradludgate for #160.
- Epoch and Duration now have a
min
andmax
function which respectively returns a copy of the epoch/duration that is the smallest or the largest betweenself
andother
, cf. #164. - [Python] Duration and Epochs now support the operators
>
,>=
,<
,<=
,==
, and!=
. Epoch now supportsinit_from_gregorian
with a time scape, like in Rust. Epochs can also be subtracted from one another using thetimedelta
function, cf. #162. - TimeSeries can now be formatted in different time scales, cf. #163
3.5.0
- Epoch now store the time scale that they were defined in: this allows durations to be added in their respective time scales. For example, adding 36 hours to 1971-12-31 at noon when the Epoch is initialized in UTC will lead to a different epoch than adding that same duration to an epoch initialized at the same time in TAI (because the first leap second announced by IERS was on 1972-01-01), cf. the
test_add_durations_over_leap_seconds
test. - RFC3339 and ISO8601 fully supported for initialization of an Epoch, including the offset, e.g.
Epoch::from_str("1994-11-05T08:15:30-05:00")
, cf. #73. - Python package available on PyPI! To build the Python package, you must first install
maturin
and then build with thepython
feature flag. For example,maturin develop -F python && python
will build the Python package in debug mode and start a new shell where the package can be imported. - Fix bug when printing Duration::MIN (or any duration whose centuries are minimizing the number of centuries).
- TimeSeries can now be formatted
- Epoch can now be
ceil
-ed,floor
-ed, andround
-ed according to the time scale they were initialized in, cf. #145. - Epoch can now be initialized from Gregorian when specifying the time system:
from_gregorian
,from_gregorian_hms
,from_gregorian_at_noon
,from_gregorian_at_midnight
. - Fix bug in Duration when performing operations on durations very close to
Duration::MIN
(i.e. minus thirty-two centuries). - Duration parsing now supports multiple units in a string and does not use regular expressions. THis allows it to work with
no-std
. - Epoch parsing no longer requires
regex
. - Functions are not more idiomatic: all of the
as_*
functions becometo_*
andin_*
also becomesto_*
, cf. #155.
3.4.0
- Ephemeris Time and Dynamical Barycentric Time fixed to use the J2000 reference epoch instead of the J1900 reference epoch. This is a potentially breaking change if you relied on the previous one century error when converting from/to ET/TDB into/from UTC and storing the data as a string. There is no difference if the original representation was used.
- Ephemeris Time now strictly matches NAIF SPICE: the error between SPICE and hifitime is now zero nanoseconds. after the introduction of the first leap second. Prior to the first leap second, NAIF SPICE claims that there were nine seconds of difference between TAI and UTC: this is different from SOFA. Hifitime instead does not account for leap seconds in prehistoric (pre-1972) computations at all.
- The Standard of Fundamentals of Astronomy (SOFA) leap seconds from 1960 to 1972 are now available with the
leap_seconds() -> Option<f64>
function on an instance of Epoch. Importantly, no difference in the behavior of hifitime should be noticed here: the prehistoric leap seconds are ignored in all calculations in hifitime and only provided to meet the SOFA calculations. Epoch
andDuration
now have the C memory representation to allow for hifitime to be embedded in C more easily.Epoch
andDuration
can now be encoded or decoded as ASN1 DER with theasn1der
crate feature (disabled by default).
3.3.0
- Formal verification of the normalization operation on
Duration
, which in turn guarantees thatEpoch
operations cannot panic, cf. #127 - Fix
len
andsize_hint
forTimeSeries
, cf. #131, reported by @d3v-null, thanks for the find! Epoch
now implementsEq
andOrd
, cf. #133, thanks @mkolopanis for the PR!Epoch
can now be printed in different time systems with format modifiers, cf. #130- (minor)
as_utc_duration
inEpoch
is now public, cf. #129 - (minor) The whole crate now uses
num-traits
thereby skipping the explicit use oflibm
. Basically, operations onf64
look like normal Rust again, cf. #128 - (minor) Move the tests to their own folder to make it obvious that this is thoroughly tested
3.2.0
- Fix no-std implementation by using
libm
for non-core f64 operations - Add UNIX timestamp, thanks @mkolopanis
- Enums now derive
Eq
and some deriveOrd
(where relevant) #118 - Use const fn where possible and switch to references where possible #119
- Allow extracting the centuries and nanoseconds of a
Duration
andEpoch
, respectively with to_parts and to_tai_parts #122 - Add
ceil
,floor
,round
operations toEpoch
andDuration
3.1.0
- Add
#![no_std]
support - Add
to_parts
toDuration
to extract the centuries and nanoseconds of a duration - Allow building an
Epoch
from its duration and parts in TAI system - Add pure nanosecond (
u64
) constructor and getter for GPST since GPS based clocks will count in nanoseconds
Possibly breaking change
Errors::ParseError
no longer contains aString
but an enumParsingErrors
instead. This is considered possibly breaking because it would only break code in the cases where a datetime parsing or unit parsing was caught and handled (uncommon). Moreover, the output is stillDisplay
-able.
3.0.0
- Backend rewritten from TwoFloat to a struct of the centuries in
i16
and nanoseconds inu64
. Thanks to @pwnorbitals for proposing the idea in #107 and writing the proof of concept. This leads to at least a 2x speed up in most calculations, cf. this comment. - Fix GPS epoch, and addition of a helper functions in
Epoch
by @cjordan
2.2.3
- More deterministic
as_jde_tdb_days()
inEpoch
. In version 2.2.1, the ephemeris time and TDB days were identical down to machine precision. After a number of validation cases in the rotation equations of the IAU Earth to Earth Mean Equator J2000 frame, the new formulation was shown to lead to less rounding errors when requesting the days. These rounding errors prevented otherwise trivial test cases. However, it adds an error of 40.2 nanoseconds when initializing an Epoch with the days in ET and requesting the TDB days.
Note: this was originally published as 2.2.2 but I'd forgotten to update one of the tests with the 40.2 ns error.
Project details
Release history Release notifications | RSS feed
Download files
Download the file for your platform. If you're not sure which to choose, learn more about installing packages.
Source Distribution
Built Distributions
Hashes for hifitime-3.8.0-pp39-pypy39_pp73-manylinux_2_17_x86_64.manylinux2014_x86_64.whl
Algorithm | Hash digest | |
---|---|---|
SHA256 | 46ce63945fffd75b48ef746c4564de43ba2b4342650c1f8a642bbbc2b5c8e3f3 |
|
MD5 | e040dc4cbe61cc932e9fcb7b054ecfe6 |
|
BLAKE2b-256 | 7251921ebb1b9c12ee32ed59490555bcc3e765ac25ca5e05086741563b7e8834 |
Hashes for hifitime-3.8.0-pp38-pypy38_pp73-manylinux_2_17_x86_64.manylinux2014_x86_64.whl
Algorithm | Hash digest | |
---|---|---|
SHA256 | 303ae04ef41f13fdbe33b6b62da214cdd6e3a95786e0ff935d96cd227622a133 |
|
MD5 | 9fc7c8c0da2b2554721a231d69791b14 |
|
BLAKE2b-256 | ea8c26046ccd2d5f8576dceb4ea1d72a7e1c66ce87806a779d7d8de788bc6750 |
Hashes for hifitime-3.8.0-pp37-pypy37_pp73-manylinux_2_17_x86_64.manylinux2014_x86_64.whl
Algorithm | Hash digest | |
---|---|---|
SHA256 | 9395488b8a19b64cf96a496b81becaa95785dcbe81f388ffe397db66077f04e2 |
|
MD5 | 6ea68e5da1f63403c1824fa32289cd92 |
|
BLAKE2b-256 | e4bd7fe46e755031b88004b7edc93ad1abb057d826e1bfdf3396afc7b8120f55 |
Hashes for hifitime-3.8.0-cp311-none-win_amd64.whl
Algorithm | Hash digest | |
---|---|---|
SHA256 | d9498a439d1b54beb499335f94262f8637a48fb8b708fd2befcaaf31ede7e378 |
|
MD5 | 56c051501499513000227c1d99b31a5b |
|
BLAKE2b-256 | 7088c91bd39a83db5620bb0d86734e7ddb67a7f0e625374e1a765f715e17af29 |
Hashes for hifitime-3.8.0-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl
Algorithm | Hash digest | |
---|---|---|
SHA256 | a04e4288b314f4b950f5dcfc1724748ae37c580c8a8efd21684278777252c3b7 |
|
MD5 | d0a3578255b510e1b60e3ea8f77e6908 |
|
BLAKE2b-256 | 46434bdd70fbce2df90ffb303fdbac355bce7305f4218703d969570f08a13560 |
Hashes for hifitime-3.8.0-cp311-cp311-macosx_10_9_x86_64.macosx_11_0_arm64.macosx_10_9_universal2.whl
Algorithm | Hash digest | |
---|---|---|
SHA256 | faf015bd1920d616b26c91538203f7412731b7f250a47c0c4d0fe177eb3c412f |
|
MD5 | d2318b4926651e0aff4ace9c59681b65 |
|
BLAKE2b-256 | 0c532dcf0e0253e0828b0f50a736e281b44026619d9f68e3720302e2a0059fd7 |
Hashes for hifitime-3.8.0-cp310-none-win_amd64.whl
Algorithm | Hash digest | |
---|---|---|
SHA256 | 795f53916227422ca2cfc81e96f3f8cbc33a3d7ce10e05d853025a2fcdc3e947 |
|
MD5 | 3b0e7e141636b78417ef7d89d8350a97 |
|
BLAKE2b-256 | d03370a3b954600e5046f126ff6037ef0c044b8632e715c9731e215c9324cf18 |
Hashes for hifitime-3.8.0-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl
Algorithm | Hash digest | |
---|---|---|
SHA256 | a84aec445cd5f8144b0ff3f5ffec919473af738689cd7ae6bd032b726386f560 |
|
MD5 | 90d8a6740f34fce67c23cd8388df9e2e |
|
BLAKE2b-256 | 18a80d078750a7a71cdfdd992ebb6d6b34b8851fcad503701c4d1597453eb69a |
Hashes for hifitime-3.8.0-cp310-cp310-macosx_10_9_x86_64.macosx_11_0_arm64.macosx_10_9_universal2.whl
Algorithm | Hash digest | |
---|---|---|
SHA256 | 3433728dcdeae4569052e738d3821c864bf9c4f41efd3543ae93f6d6f4e9edda |
|
MD5 | e039cf8429b21fce7a5da88ecbd60baf |
|
BLAKE2b-256 | 4f2398ea8acfcde8c4c1009525c557e7abe8acbda11e611cd34677773acb08c3 |
Hashes for hifitime-3.8.0-cp39-none-win_amd64.whl
Algorithm | Hash digest | |
---|---|---|
SHA256 | 82aa98dc9b59cff5d1d10dcd981ae3d29bc30c9d587632c213e7e7add641978b |
|
MD5 | 86eebbaca22c98f16f4b40309b070e91 |
|
BLAKE2b-256 | 4385d026f17f18051cf1bf6bec50064d6c9522ff57d987ba2cb3cf1a1f7365f7 |
Hashes for hifitime-3.8.0-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl
Algorithm | Hash digest | |
---|---|---|
SHA256 | 78833c1f78579432c38da1cba5a4ecd79c5b9b3767954d6b19478485fcdff304 |
|
MD5 | 3181970a06c359fc8b9e9dd9c05b2b5a |
|
BLAKE2b-256 | a7e85ea34030b37d39c133c415b19792d081fa9a142fb359bfd0bdaca521021a |
Hashes for hifitime-3.8.0-cp39-cp39-macosx_10_9_x86_64.macosx_11_0_arm64.macosx_10_9_universal2.whl
Algorithm | Hash digest | |
---|---|---|
SHA256 | 03ae45b81ebd7a72ec82ecfe8aa1dfe91c85fce48defa9f5a2e1a1c59c7021c0 |
|
MD5 | 7efbe40e4503c62594a490ea4ab74f15 |
|
BLAKE2b-256 | a733e98cdffdeb173dd4b55317dd4b32a016a03b9980431c07776bea73195266 |
Hashes for hifitime-3.8.0-cp38-none-win_amd64.whl
Algorithm | Hash digest | |
---|---|---|
SHA256 | 6be057c6a2b72f26a893e835c50dca2e27db780d948b2a81f102e03c900ca07e |
|
MD5 | 90f5ce4aa8f9c5a75cd1949532e3b3ce |
|
BLAKE2b-256 | 769ce919ac571383459c88cb351b5d787ffd357c0c70e0ccb1fa2d5831bb316c |
Hashes for hifitime-3.8.0-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl
Algorithm | Hash digest | |
---|---|---|
SHA256 | 1258931030d29578749f94de30000a2e228051c33186b6cd58751ec45f08fc9a |
|
MD5 | 24a7f06a28d28c1794adeeaba548828a |
|
BLAKE2b-256 | 08f1fe47f5207d08b187bf1d814a7d6e45a4da4231f55389d975d68058ad3d2b |
Hashes for hifitime-3.8.0-cp38-cp38-macosx_10_9_x86_64.macosx_11_0_arm64.macosx_10_9_universal2.whl
Algorithm | Hash digest | |
---|---|---|
SHA256 | c9f502baef4309d5ed4d14cc0c95f0f4634728f0bf80ca27ab769f68a3c5bd7c |
|
MD5 | 5cf75acd910528e7e9f060a71b10cb32 |
|
BLAKE2b-256 | f7a1ce032740f80b0933bffe61aebecb275b8106eeb8a46a78f54e892279372c |
Hashes for hifitime-3.8.0-cp37-none-win_amd64.whl
Algorithm | Hash digest | |
---|---|---|
SHA256 | 02a154ea92fae538244b1ed550c9f84ca779a16f7068caffaaac9445419dfe93 |
|
MD5 | 3853165723ca3bdb148940ba45083d11 |
|
BLAKE2b-256 | 06007d6eb8e4e62a2264c256ab79738486cbef5057c55e89634c40211fa0b292 |
Hashes for hifitime-3.8.0-cp37-cp37m-manylinux_2_17_x86_64.manylinux2014_x86_64.whl
Algorithm | Hash digest | |
---|---|---|
SHA256 | ce6c272ff83b333fe0f9d239aec7b5d2d51ff8fc18832deee775a3f555f153d1 |
|
MD5 | 5d27a49353e35653348ac4c3cc90e59b |
|
BLAKE2b-256 | f0a8c396ff8a415b1a1e5874c61b24acb985c70cf9b6e304e4034f9ce9eeaf2b |
Hashes for hifitime-3.8.0-cp37-cp37m-macosx_10_9_x86_64.macosx_11_0_arm64.macosx_10_9_universal2.whl
Algorithm | Hash digest | |
---|---|---|
SHA256 | 56840a826f88e145a71531774371f42cf66718dc4435f5afe8aa0b2fcd7db05e |
|
MD5 | 07b1441dbfc43c059388e4d3203fbb90 |
|
BLAKE2b-256 | 1db890317e03ffd7fe400d52c978f197a6c7d1ae259c33d1fef4b78fb1345fce |