hifitime


Namehifitime JSON
Version 3.9.0 PyPI version JSON
download
home_pagehttps://nyxspace.com/
SummaryUltra-precise date and time handling in Rust for scientific applications with leap second support
upload_time2024-01-04 14:35:11
maintainerNone
docs_urlNone
authorChristopher Rabotin <christopher.rabotin@gmail.com>
requires_python>=3.7
licenseApache-2.0
keywords date time science leap-second no-std
VCS
bugtrack_url
requirements No requirements were recorded.
Travis-CI No Travis.
coveralls test coverage No coveralls.
            # Introduction to Hifitime

Hifitime is a powerful Rust and Python library designed for time management. It provides extensive functionalities with precise operations for time calculation in different time scales, making it suitable for engineering and scientific applications where general relativity and time dilation matter. Hifitime guarantees nanosecond precision for 65,536 years around 01 January 1900 TAI. Hifitime is also formally verified using the [`Kani` model checker](https://model-checking.github.io/kani/), read more about it [this verification here](https://model-checking.github.io/kani-verifier-blog/2023/03/31/how-kani-helped-find-bugs-in-hifitime.html).

Most users of Hifitime will only need to rely on the `Epoch` and `Duration` structures, and optionally the `Weekday` enum for week based computations. Scientific applications may make use of the `TimeScale` enum as well.

## Usage

First, install `hifitime` either with `cargo add hifitime` in your Rust project or `pip install hifitime` in Python.

If building from source, note that the Python package is only built if the `python` feature is enabled.

### Epoch ("datetime" equivalent)

**Create an epoch in different time scales.**

```rust
use hifitime::prelude::*;
use core::str::FromStr;
// Create an epoch in UTC
let epoch = Epoch::from_gregorian_utc(2000, 2, 29, 14, 57, 29, 37);
// Or from a string
let epoch_from_str = Epoch::from_str("2000-02-29T14:57:29.000000037 UTC").unwrap();
assert_eq!(epoch, epoch_from_str);
// Creating it from TAI will effectively show the number of leap seconds in between UTC an TAI at that epoch
let epoch_tai = Epoch::from_gregorian_tai(2000, 2, 29, 14, 57, 29, 37);
// The difference between two epochs is a Duration
let num_leap_s = epoch - epoch_tai;
assert_eq!(format!("{num_leap_s}"), "32 s");

// Trivially convert to another time scale
// Either by grabbing a subdivision of time in that time scale
assert_eq!(epoch.to_gpst_days(), 7359.623402777777); // Compare to the GPS time scale

// Or by fetching the exact duration
let mjd_offset = Duration::from_str("51603 days 14 h 58 min 33 s 184 ms 37 ns").unwrap();
assert_eq!(epoch.to_mjd_tt_duration(), mjd_offset); // Compare to the modified Julian days in the Terrestrial Time time scale.
```

In Python:
```python
>>> from hifitime import *
>>> epoch = Epoch("2000-02-29T14:57:29.000000037 UTC")
>>> epoch
2000-02-29T14:57:29.000000037 UTC
>>> epoch_tai = Epoch.init_from_gregorian_tai(2000, 2, 29, 14, 57, 29, 37)
>>> epoch_tai
2000-02-29T14:57:29.000000037 TAI
>>> epoch.timedelta(epoch_tai)
32 s
>>> epoch.to_gpst_days()
7359.623402777777
>>> epoch.to_mjd_tt_duration()
51603 days 14 h 58 min 33 s 184 ms 37 ns
>>> 
```

**Hifitime provides several date time formats like RFC2822, ISO8601, or RFC3339.**

```rust
use hifitime::efmt::consts::{ISO8601, RFC2822, RFC3339};
use hifitime::prelude::*;

let epoch = Epoch::from_gregorian_utc(2000, 2, 29, 14, 57, 29, 37);
// The default Display shows the UTC time scale
assert_eq!(format!("{epoch}"), "2000-02-29T14:57:29.000000037 UTC");
// Format it in RFC 2822
let fmt = Formatter::new(epoch, RFC2822);
assert_eq!(format!("{fmt}"), format!("Tue, 29 Feb 2000 14:57:29"));

// Or in ISO8601
let fmt = Formatter::new(epoch, ISO8601);
assert_eq!(
    format!("{fmt}"),
    format!("2000-02-29T14:57:29.000000037 UTC")
);

// Which is somewhat similar to RFC3339
let fmt = Formatter::new(epoch, RFC3339);
assert_eq!(
    format!("{fmt}"),
    format!("2000-02-29T14:57:29.000000037+00:00")
);
```

**Need some custom format? Hifitime also supports the C89 token, cf. [the documentation](https://docs.rs/hifitime/latest/hifitime/efmt/format/struct.Format.html).**

```rust
use core::str::FromStr;
use hifitime::prelude::*;

let epoch = Epoch::from_gregorian_utc_hms(2015, 2, 7, 11, 22, 33);

// Parsing with a custom format
assert_eq!(
    Epoch::from_format_str("Sat, 07 Feb 2015 11:22:33", "%a, %d %b %Y %H:%M:%S").unwrap(),
    epoch
);

// And printing with a custom format
let fmt = Format::from_str("%a, %d %b %Y %H:%M:%S").unwrap();
assert_eq!(
    format!("{}", Formatter::new(epoch, fmt)),
    "Sat, 07 Feb 2015 11:22:33"
);
```

**You can also grab the current system time in UTC, if the `std` feature is enabled (default), and find the next or previous day of the week.**
```rust
use hifitime::prelude::*;

#[cfg(feature = "std")]
{
    let now = Epoch::now().unwrap();
    println!("{}", now.next(Weekday::Tuesday));
    println!("{}", now.previous(Weekday::Sunday));
}
```

**Oftentimes, we'll want to query something at a fixed step between two epochs. Hifitime makes this trivial with `TimeSeries`.**

```rust
use hifitime::prelude::*;

let start = Epoch::from_gregorian_utc_at_midnight(2017, 1, 14);
let end = start + 12.hours();
let step = 2.hours();

let time_series = TimeSeries::inclusive(start, end, step);
let mut cnt = 0;
for epoch in time_series {
    #[cfg(feature = "std")]
    println!("{}", epoch);
    cnt += 1
}
// Check that there are indeed seven two-hour periods in a half a day,
// including start and end times.
assert_eq!(cnt, 7)
```

In Python:
```python
>>> from hifitime import *
>>> start = Epoch.init_from_gregorian_utc_at_midnight(2017, 1, 14)
>>> end = start + Unit.Hour*12
>>> iterator = TimeSeries(start, end, step=Unit.Hour*2, inclusive=True)
>>> for epoch in iterator:
...     print(epoch)
... 
2017-01-14T00:00:00 UTC
2017-01-14T02:00:00 UTC
2017-01-14T04:00:00 UTC
2017-01-14T06:00:00 UTC
2017-01-14T08:00:00 UTC
2017-01-14T10:00:00 UTC
2017-01-14T12:00:00 UTC
>>> 

```

### Duration

```rust
use hifitime::prelude::*;
use core::str::FromStr;

// Create a duration using the `TimeUnits` helping trait.
let d = 5.minutes() + 7.minutes() + 35.nanoseconds();
assert_eq!(format!("{d}"), "12 min 35 ns");

// Or using the built-in enums
let d_enum = 12 * Unit::Minute + 35.0 * Unit::Nanosecond;

// But it can also be created from a string
let d_from_str = Duration::from_str("12 min 35 ns").unwrap();
assert_eq!(d, d_from_str);
```

**Hifitime guarantees nanosecond precision, but most human applications don't care too much about that. Durations can be rounded to provide a useful approximation for humans.**

```rust
use hifitime::prelude::*;

// Create a duration using the `TimeUnits` helping trait.
let d = 5.minutes() + 7.minutes() + 35.nanoseconds();
// Round to the nearest minute
let rounded = d.round(1.minutes());
assert_eq!(format!("{rounded}"), "12 min");

// And this works on Epochs as well.
let previous_post = Epoch::from_gregorian_utc_hms(2015, 2, 7, 11, 22, 33);
let example_now = Epoch::from_gregorian_utc_hms(2015, 8, 17, 22, 55, 01);

// We'll round to the nearest fifteen days
let this_much_ago = example_now - previous_post;
assert_eq!(format!("{this_much_ago}"), "191 days 11 h 32 min 29 s");
let about_this_much_ago_floor = this_much_ago.floor(15.days());
assert_eq!(format!("{about_this_much_ago_floor}"), "180 days");
let about_this_much_ago_ceil = this_much_ago.ceil(15.days());
assert_eq!(format!("{about_this_much_ago_ceil}"), "195 days");
```

In Python:

```python
>>> from hifitime import *
>>> d = Duration("12 min 32 ns")
>>> d.round(Unit.Minute*1)
12 min
>>> d
12 min 32 ns
>>> 
```

[![hifitime on crates.io][cratesio-image]][cratesio]
[![hifitime on docs.rs][docsrs-image]][docsrs]
[![minimum rustc: 1.70](https://img.shields.io/badge/minimum%20rustc-1.70-yellowgreen?logo=rust)](https://www.whatrustisit.com)
[![Build Status](https://github.com/nyx-space/hifitime/actions/workflows/tests.yml/badge.svg?branch=master)](https://github.com/nyx-space/hifitime/actions)
[![Build Status](https://github.com/nyx-space/hifitime/actions/workflows/formal_verification.yml/badge.svg?branch=master)](https://github.com/nyx-space/hifitime/actions)
[![codecov](https://codecov.io/gh/nyx-space/hifitime/branch/master/graph/badge.svg?token=l7zU57rUGs)](https://codecov.io/gh/nyx-space/hifitime)

[cratesio-image]: https://img.shields.io/crates/v/hifitime.svg
[cratesio]: https://crates.io/crates/hifitime
[docsrs-image]: https://docs.rs/hifitime/badge.svg
[docsrs]: https://docs.rs/hifitime/

# Comparison with `time` and `chrono`

First off, both `time` and `chrono` are fantastic libraries in their own right. There's a reason why they have millions and millions of downloads. Secondly, hifitime was started in October 2017, so quite a while before the revival of `time` (~ 2019).

One of the key differences is that both `chrono` and `time` separate the concepts of "time" and "date." Hifitime asserts that this is physically invalid: both a time and a date are an offset from a reference in a given time scale. That's why, Hifitime does not separate the components that make up a date, but instead, only stores a fixed duration with respect to TAI. Moreover, Hifitime is formally verified with a model checker, which is much more thorough than property testing.

More importantly, neither `time` nor `chrono` are suitable for astronomy, astrodynamics, or any physics that must account for time dilation due to relativistic speeds or lack of the Earth as a gravity source (which sets the "tick" of a second).

Hifitime also natively supports the UT1 time scale (the only "true" time) if built with the `ut1` feature.

# Features

 * [x] Initialize a high precision Epoch from the system time in UTC
 * [x] Leap seconds (as announced by the IETF on a yearly basis)
 * [x] UTC representation with ISO8601 and RFC3339 formatting and blazing fast parsing (45 nanoseconds)
 * [x] 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())`)
 * [x] Supports ranges of Epochs and TimeSeries (linspace of `Epoch`s and `Duration`s)
 * [x] Trivial conversion between many time scales
 * [x] High fidelity Ephemeris Time / Dynamic Barycentric Time (TDB) computations from [ESA's Navipedia](https://gssc.esa.int/navipedia/index.php/Transformations_between_Time_Systems#TDT_-_TDB.2C_TCB)
 * [x] Julian dates and Modified Julian dates
 * [x] Embedded device friendly: `no-std` and `const 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](#leap-second-support) 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 helper functions.

# Design
No software is perfect, so please report any issue or bug on [Github](https://github.com/nyx-space/hifitime/issues/new).

## 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:
1. 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.
2. Skipping floating point operations allows this library to be used in embedded devices without a floating point unit.
3. Duration arithmetics are exact, e.g. one third of an hour is exactly twenty minutes and not "0.33333 hours."

Disadvantages:
1. 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 with `cargo bench`.

## 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)](https://www.iausofa.org/) 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}`

## 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](https://www.ietf.org/timezones/data/leap-seconds.list).

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)](https://www.iausofa.org/). 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](https://www.ietf.org/timezones/data/leap-seconds.list)** 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](./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](https://gssc.esa.int/navipedia/index.php/Transformations_between_Time_Systems#TDT_-_TDB.2C_TCB) 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.9.0 (WIP)

+ Update to der version 0.7.x.
+ Introduce %y formatter by @gwbres in https://github.com/nyx-space/hifitime/pull/268
+ **Possible breaking change**: Fix day of year computation by @ChristopherRabotin in https://github.com/nyx-space/hifitime/pull/273

## 3.8.5

Changes from 3.8.2 are only dependency upgrades until this release.

Minimum Supported Rust version bumped from 1.64 to **1.70**.

## 3.8.2
+ Clarify README and add a section comparing Hifitime to `time` and `chrono`, cf. [#221](https://github.com/nyx-space/hifitime/issues/221)
+ Fix incorrect printing of Gregorian dates prior to to 1900, cf. [#204](https://github.com/nyx-space/hifitime/issues/204)

## 3.8.1 (unreleased)
+ Fix documentation for the formatter, cf. [#202](https://github.com/nyx-space/hifitime/pull/202)
+ Update MSRV to 1.59 for rayon v 1.10

## 3.8.0
Thanks again to [@gwbres](https://github.com/gwbres) for his work in this release!

+ Fix CI of the formal verification and upload artifacts, cf. [#179](https://github.com/nyx-space/hifitime/pull/179)
+ Introduce time of week construction and conversion by [@gwbres](https://github.com/gwbres), cf.[#180](https://github.com/nyx-space/hifitime/pull/180) and [#188](https://github.com/nyx-space/hifitime/pull/188)
+ Fix minor typo in `src/timeunits.rs` by [@gwbres](https://github.com/gwbres), cf. [#189](https://github.com/nyx-space/hifitime/pull/189)
+ Significantly extend formal verification of `Duration` and `Epoch`, and introduce `kani::Arbitrary` to `Duration` and `Epoch` for users to formally verify their use of time, cf. [#192](https://github.com/nyx-space/hifitime/pull/192)
+ It is now possible to specify a Leap Seconds file (in IERS format) using the `LeapSecondsFile::from_path` (requires the `std` feature to read the file), cf. [#43](https://github.com/nyx-space/hifitime/issues/43).
+ UT1 time scale is now supported! You must build a `Ut1Provider` structure with data from the JPL Earth Orientation Parameters, or just use `Ut1Provider::download_short_from_jpl()` to automatically download the data from NASA JPL.
+ `strptime` and `strftime` equivalents from C89 are now supported, cf. [#181](https://github.com/nyx-space/hifitime/issues/181). Please refer to the [documentation](https://docs.rs/hifitime/latest/hifitime/efmt/format/struct.Format.html) 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](https://github.com/nyx-space/hifitime/issues/182).
+ **Python:** the representation of an epoch is now in the time scale it was initialized in

## 3.7.0
Huge thanks to [@gwbres](https://github.com/gwbres) who put in all of the work for this release. These usability changes allow [Rinex](https://crates.io/crates/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](https://github.com/gwbres) for all that work!
+ Significant speed improvement in the initialization of Epochs from their Gregorian representation, thanks [@conradludgate](https://github.com/conradludgate) for [#160](https://github.com/nyx-space/hifitime/pull/160).
+ Epoch and Duration now have a `min` and `max` function which respectively returns a copy of the epoch/duration that is the smallest or the largest between `self` and `other`, cf. [#164](https://github.com/nyx-space/hifitime/issues/164).
+ [Python] Duration and Epochs now support the operators `>`, `>=`, `<`, `<=`, `==`, and `!=`. Epoch now supports `init_from_gregorian` with a time scape, like in Rust. Epochs can also be subtracted from one another using the `timedelta` function, cf. [#162](https://github.com/nyx-space/hifitime/issues/162).
+ TimeSeries can now be formatted in different time scales, cf. [#163](https://github.com/nyx-space/hifitime/issues/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](https://github.com/nyx-space/hifitime/issues/73).
+ Python package available on PyPI! To build the Python package, you must first install `maturin` and then build with the `python` 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, and `round`-ed according to the time scale they were initialized in, cf. [#145](https://github.com/nyx-space/hifitime/issues/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 become `to_*` and `in_*` also becomes `to_*`, cf.  [#155](https://github.com/nyx-space/hifitime/issues/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)](https://www.iausofa.org/2021_0512_C.html) 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` and `Duration` now have the C memory representation to allow for hifitime to be embedded in C more easily.
+ `Epoch` and `Duration` can now be encoded or decoded as ASN1 DER with the `asn1der` crate feature (disabled by default).

## 3.3.0
+ Formal verification of the normalization operation on `Duration`, which in turn guarantees that `Epoch` operations cannot panic, cf. [#127](https://github.com/nyx-space/hifitime/issues/127)
+ Fix `len` and `size_hint` for `TimeSeries`, cf. [#131](https://github.com/nyx-space/hifitime/issues/131), reported by [@d3v-null](https://github.com/d3v-null), thanks for the find!
+ `Epoch` now implements `Eq` and `Ord`, cf. [#133](https://github.com/nyx-space/hifitime/pull/133), thanks [@mkolopanis](https://github.com/mkolopanis) for the PR!
+ `Epoch` can now be printed in different time systems with format modifiers, cf. [#130](https://github.com/nyx-space/hifitime/issues/130)
+ (minor) `as_utc_duration` in `Epoch` is now public, cf. [#129](https://github.com/nyx-space/hifitime/issues/129)
+ (minor) The whole crate now uses `num-traits` thereby skipping the explicit use of `libm`. Basically, operations on `f64` look like normal Rust again, cf. [#128](https://github.com/nyx-space/hifitime/issues/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](https://github.com/mkolopanis)
+ Enums now derive `Eq` and some derive `Ord` (where relevant) [#118](https://github.com/nyx-space/hifitime/issues/118)
+ Use const fn where possible and switch to references where possible [#119](https://github.com/nyx-space/hifitime/issues/119)
+ Allow extracting the centuries and nanoseconds of a `Duration` and `Epoch`, respectively with to_parts and to_tai_parts [#122](https://github.com/nyx-space/hifitime/issues/122)
+ Add `ceil`, `floor`, `round` operations to `Epoch` and `Duration`
## 3.1.0
+ Add `#![no_std]` support
+ Add `to_parts` to `Duration` 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 a `String` but an enum `ParsingErrors` 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 still `Display`-able.
## 3.0.0
+ Backend rewritten from TwoFloat to a struct of the centuries in `i16` and nanoseconds in `u64`. Thanks to [@pwnorbitals](https://github.com/pwnorbitals) for proposing the idea in #[107](https://github.com/nyx-space/hifitime/issues/107) and writing the proof of concept. This leads to at least a 2x speed up in most calculations, cf. [this comment](https://github.com/nyx-space/hifitime/pull/107#issuecomment-1040702004).
+ Fix GPS epoch, and addition of a helper functions in `Epoch` by [@cjordan](https://github.com/cjordan)

# Important Update on Versioning Strategy

We want to inform our users of an important change in Hifitime's versioning approach. Starting with version 3.9.0, minor version updates may include changes that could potentially break backward compatibility. While we strive to maintain stability and minimize disruptions, this change allows us to incorporate significant improvements and adapt more swiftly to evolving user needs. We recommend users to carefully review the release notes for each update, even minor ones, to understand any potential impacts on their existing implementations. Our commitment to providing a robust and dynamic time management library remains steadfast, and we believe this change in versioning will better serve the evolving demands of our community.


            

Raw data

            {
    "_id": null,
    "home_page": "https://nyxspace.com/",
    "name": "hifitime",
    "maintainer": null,
    "docs_url": null,
    "requires_python": ">=3.7",
    "maintainer_email": null,
    "keywords": "date,time,science,leap-second,no-std",
    "author": "Christopher Rabotin <christopher.rabotin@gmail.com>",
    "author_email": "Christopher Rabotin <christopher.rabotin@gmail.com>",
    "download_url": "https://files.pythonhosted.org/packages/4e/fb/59aa8349508bbc84c60983a5987c2a87cbe57568a3b02c0ed0ec094f33b1/hifitime-3.9.0.tar.gz",
    "platform": null,
    "description": "# Introduction to Hifitime\n\nHifitime is a powerful Rust and Python library designed for time management. It provides extensive functionalities with precise operations for time calculation in different time scales, making it suitable for engineering and scientific applications where general relativity and time dilation matter. Hifitime guarantees nanosecond precision for 65,536 years around 01 January 1900 TAI. Hifitime is also formally verified using the [`Kani` model checker](https://model-checking.github.io/kani/), read more about it [this verification here](https://model-checking.github.io/kani-verifier-blog/2023/03/31/how-kani-helped-find-bugs-in-hifitime.html).\n\nMost users of Hifitime will only need to rely on the `Epoch` and `Duration` structures, and optionally the `Weekday` enum for week based computations. Scientific applications may make use of the `TimeScale` enum as well.\n\n## Usage\n\nFirst, install `hifitime` either with `cargo add hifitime` in your Rust project or `pip install hifitime` in Python.\n\nIf building from source, note that the Python package is only built if the `python` feature is enabled.\n\n### Epoch (\"datetime\" equivalent)\n\n**Create an epoch in different time scales.**\n\n```rust\nuse hifitime::prelude::*;\nuse core::str::FromStr;\n// Create an epoch in UTC\nlet epoch = Epoch::from_gregorian_utc(2000, 2, 29, 14, 57, 29, 37);\n// Or from a string\nlet epoch_from_str = Epoch::from_str(\"2000-02-29T14:57:29.000000037 UTC\").unwrap();\nassert_eq!(epoch, epoch_from_str);\n// Creating it from TAI will effectively show the number of leap seconds in between UTC an TAI at that epoch\nlet epoch_tai = Epoch::from_gregorian_tai(2000, 2, 29, 14, 57, 29, 37);\n// The difference between two epochs is a Duration\nlet num_leap_s = epoch - epoch_tai;\nassert_eq!(format!(\"{num_leap_s}\"), \"32 s\");\n\n// Trivially convert to another time scale\n// Either by grabbing a subdivision of time in that time scale\nassert_eq!(epoch.to_gpst_days(), 7359.623402777777); // Compare to the GPS time scale\n\n// Or by fetching the exact duration\nlet mjd_offset = Duration::from_str(\"51603 days 14 h 58 min 33 s 184 ms 37 ns\").unwrap();\nassert_eq!(epoch.to_mjd_tt_duration(), mjd_offset); // Compare to the modified Julian days in the Terrestrial Time time scale.\n```\n\nIn Python:\n```python\n>>> from hifitime import *\n>>> epoch = Epoch(\"2000-02-29T14:57:29.000000037 UTC\")\n>>> epoch\n2000-02-29T14:57:29.000000037 UTC\n>>> epoch_tai = Epoch.init_from_gregorian_tai(2000, 2, 29, 14, 57, 29, 37)\n>>> epoch_tai\n2000-02-29T14:57:29.000000037 TAI\n>>> epoch.timedelta(epoch_tai)\n32 s\n>>> epoch.to_gpst_days()\n7359.623402777777\n>>> epoch.to_mjd_tt_duration()\n51603 days 14 h 58 min 33 s 184 ms 37 ns\n>>> \n```\n\n**Hifitime provides several date time formats like RFC2822, ISO8601, or RFC3339.**\n\n```rust\nuse hifitime::efmt::consts::{ISO8601, RFC2822, RFC3339};\nuse hifitime::prelude::*;\n\nlet epoch = Epoch::from_gregorian_utc(2000, 2, 29, 14, 57, 29, 37);\n// The default Display shows the UTC time scale\nassert_eq!(format!(\"{epoch}\"), \"2000-02-29T14:57:29.000000037 UTC\");\n// Format it in RFC 2822\nlet fmt = Formatter::new(epoch, RFC2822);\nassert_eq!(format!(\"{fmt}\"), format!(\"Tue, 29 Feb 2000 14:57:29\"));\n\n// Or in ISO8601\nlet fmt = Formatter::new(epoch, ISO8601);\nassert_eq!(\n    format!(\"{fmt}\"),\n    format!(\"2000-02-29T14:57:29.000000037 UTC\")\n);\n\n// Which is somewhat similar to RFC3339\nlet fmt = Formatter::new(epoch, RFC3339);\nassert_eq!(\n    format!(\"{fmt}\"),\n    format!(\"2000-02-29T14:57:29.000000037+00:00\")\n);\n```\n\n**Need some custom format? Hifitime also supports the C89 token, cf. [the documentation](https://docs.rs/hifitime/latest/hifitime/efmt/format/struct.Format.html).**\n\n```rust\nuse core::str::FromStr;\nuse hifitime::prelude::*;\n\nlet epoch = Epoch::from_gregorian_utc_hms(2015, 2, 7, 11, 22, 33);\n\n// Parsing with a custom format\nassert_eq!(\n    Epoch::from_format_str(\"Sat, 07 Feb 2015 11:22:33\", \"%a, %d %b %Y %H:%M:%S\").unwrap(),\n    epoch\n);\n\n// And printing with a custom format\nlet fmt = Format::from_str(\"%a, %d %b %Y %H:%M:%S\").unwrap();\nassert_eq!(\n    format!(\"{}\", Formatter::new(epoch, fmt)),\n    \"Sat, 07 Feb 2015 11:22:33\"\n);\n```\n\n**You can also grab the current system time in UTC, if the `std` feature is enabled (default), and find the next or previous day of the week.**\n```rust\nuse hifitime::prelude::*;\n\n#[cfg(feature = \"std\")]\n{\n    let now = Epoch::now().unwrap();\n    println!(\"{}\", now.next(Weekday::Tuesday));\n    println!(\"{}\", now.previous(Weekday::Sunday));\n}\n```\n\n**Oftentimes, we'll want to query something at a fixed step between two epochs. Hifitime makes this trivial with `TimeSeries`.**\n\n```rust\nuse hifitime::prelude::*;\n\nlet start = Epoch::from_gregorian_utc_at_midnight(2017, 1, 14);\nlet end = start + 12.hours();\nlet step = 2.hours();\n\nlet time_series = TimeSeries::inclusive(start, end, step);\nlet mut cnt = 0;\nfor epoch in time_series {\n    #[cfg(feature = \"std\")]\n    println!(\"{}\", epoch);\n    cnt += 1\n}\n// Check that there are indeed seven two-hour periods in a half a day,\n// including start and end times.\nassert_eq!(cnt, 7)\n```\n\nIn Python:\n```python\n>>> from hifitime import *\n>>> start = Epoch.init_from_gregorian_utc_at_midnight(2017, 1, 14)\n>>> end = start + Unit.Hour*12\n>>> iterator = TimeSeries(start, end, step=Unit.Hour*2, inclusive=True)\n>>> for epoch in iterator:\n...     print(epoch)\n... \n2017-01-14T00:00:00 UTC\n2017-01-14T02:00:00 UTC\n2017-01-14T04:00:00 UTC\n2017-01-14T06:00:00 UTC\n2017-01-14T08:00:00 UTC\n2017-01-14T10:00:00 UTC\n2017-01-14T12:00:00 UTC\n>>> \n\n```\n\n### Duration\n\n```rust\nuse hifitime::prelude::*;\nuse core::str::FromStr;\n\n// Create a duration using the `TimeUnits` helping trait.\nlet d = 5.minutes() + 7.minutes() + 35.nanoseconds();\nassert_eq!(format!(\"{d}\"), \"12 min 35 ns\");\n\n// Or using the built-in enums\nlet d_enum = 12 * Unit::Minute + 35.0 * Unit::Nanosecond;\n\n// But it can also be created from a string\nlet d_from_str = Duration::from_str(\"12 min 35 ns\").unwrap();\nassert_eq!(d, d_from_str);\n```\n\n**Hifitime guarantees nanosecond precision, but most human applications don't care too much about that. Durations can be rounded to provide a useful approximation for humans.**\n\n```rust\nuse hifitime::prelude::*;\n\n// Create a duration using the `TimeUnits` helping trait.\nlet d = 5.minutes() + 7.minutes() + 35.nanoseconds();\n// Round to the nearest minute\nlet rounded = d.round(1.minutes());\nassert_eq!(format!(\"{rounded}\"), \"12 min\");\n\n// And this works on Epochs as well.\nlet previous_post = Epoch::from_gregorian_utc_hms(2015, 2, 7, 11, 22, 33);\nlet example_now = Epoch::from_gregorian_utc_hms(2015, 8, 17, 22, 55, 01);\n\n// We'll round to the nearest fifteen days\nlet this_much_ago = example_now - previous_post;\nassert_eq!(format!(\"{this_much_ago}\"), \"191 days 11 h 32 min 29 s\");\nlet about_this_much_ago_floor = this_much_ago.floor(15.days());\nassert_eq!(format!(\"{about_this_much_ago_floor}\"), \"180 days\");\nlet about_this_much_ago_ceil = this_much_ago.ceil(15.days());\nassert_eq!(format!(\"{about_this_much_ago_ceil}\"), \"195 days\");\n```\n\nIn Python:\n\n```python\n>>> from hifitime import *\n>>> d = Duration(\"12 min 32 ns\")\n>>> d.round(Unit.Minute*1)\n12 min\n>>> d\n12 min 32 ns\n>>> \n```\n\n[![hifitime on crates.io][cratesio-image]][cratesio]\n[![hifitime on docs.rs][docsrs-image]][docsrs]\n[![minimum rustc: 1.70](https://img.shields.io/badge/minimum%20rustc-1.70-yellowgreen?logo=rust)](https://www.whatrustisit.com)\n[![Build Status](https://github.com/nyx-space/hifitime/actions/workflows/tests.yml/badge.svg?branch=master)](https://github.com/nyx-space/hifitime/actions)\n[![Build Status](https://github.com/nyx-space/hifitime/actions/workflows/formal_verification.yml/badge.svg?branch=master)](https://github.com/nyx-space/hifitime/actions)\n[![codecov](https://codecov.io/gh/nyx-space/hifitime/branch/master/graph/badge.svg?token=l7zU57rUGs)](https://codecov.io/gh/nyx-space/hifitime)\n\n[cratesio-image]: https://img.shields.io/crates/v/hifitime.svg\n[cratesio]: https://crates.io/crates/hifitime\n[docsrs-image]: https://docs.rs/hifitime/badge.svg\n[docsrs]: https://docs.rs/hifitime/\n\n# Comparison with `time` and `chrono`\n\nFirst off, both `time` and `chrono` are fantastic libraries in their own right. There's a reason why they have millions and millions of downloads. Secondly, hifitime was started in October 2017, so quite a while before the revival of `time` (~ 2019).\n\nOne of the key differences is that both `chrono` and `time` separate the concepts of \"time\" and \"date.\" Hifitime asserts that this is physically invalid: both a time and a date are an offset from a reference in a given time scale. That's why, Hifitime does not separate the components that make up a date, but instead, only stores a fixed duration with respect to TAI. Moreover, Hifitime is formally verified with a model checker, which is much more thorough than property testing.\n\nMore importantly, neither `time` nor `chrono` are suitable for astronomy, astrodynamics, or any physics that must account for time dilation due to relativistic speeds or lack of the Earth as a gravity source (which sets the \"tick\" of a second).\n\nHifitime also natively supports the UT1 time scale (the only \"true\" time) if built with the `ut1` feature.\n\n# Features\n\n * [x] Initialize a high precision Epoch from the system time in UTC\n * [x] Leap seconds (as announced by the IETF on a yearly basis)\n * [x] UTC representation with ISO8601 and RFC3339 formatting and blazing fast parsing (45 nanoseconds)\n * [x] 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())`)\n * [x] Supports ranges of Epochs and TimeSeries (linspace of `Epoch`s and `Duration`s)\n * [x] Trivial conversion between many time scales\n * [x] High fidelity Ephemeris Time / Dynamic Barycentric Time (TDB) computations from [ESA's Navipedia](https://gssc.esa.int/navipedia/index.php/Transformations_between_Time_Systems#TDT_-_TDB.2C_TCB)\n * [x] Julian dates and Modified Julian dates\n * [x] Embedded device friendly: `no-std` and `const fn` where possible\n\nThis 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](#leap-second-support) section for details. Other examples are validated with external references, as detailed on a test-by-test basis.\n\n## Supported time scales\n\n+ Temps Atomique International (TAI)\n+ Universal Coordinated Time (UTC)\n+ Terrestrial Time (TT)\n+ Ephemeris Time (ET) without the small perturbations as per NASA/NAIF SPICE leap seconds kernel\n+ Dynamic Barycentric Time (TDB), a higher fidelity ephemeris time\n+ Global Positioning System (GPST)\n+ Galileo System Time (GST)\n+ BeiDou Time (BDT)\n+ UNIX\n## Non-features\n* Time-agnostic / date-only epochs. Hifitime only supports the combination of date and time, but the `Epoch::{at_midnight, at_noon}` is provided as helper functions.\n\n# Design\nNo software is perfect, so please report any issue or bug on [Github](https://github.com/nyx-space/hifitime/issues/new).\n\n## Duration\nUnder 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).\n\nAdvantages:\n1. 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.\n2. Skipping floating point operations allows this library to be used in embedded devices without a floating point unit.\n3. Duration arithmetics are exact, e.g. one third of an hour is exactly twenty minutes and not \"0.33333 hours.\"\n\nDisadvantages:\n1. 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 with `cargo bench`.\n\n## Epoch\nThe 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)](https://www.iausofa.org/) recommendation of opting for a glitch-free time scale (i.e. without discontinuities like leap seconds or non-uniform seconds like TDB).\n\n### Printing and parsing\n\nEpochs can be formatted and parsed in the following time scales:\n\n+ UTC: `{epoch}`\n+ TAI: `{epoch:x}`\n+ TT: `{epoch:X}`\n+ TDB: `{epoch:e}`\n+ ET: `{epoch:E}`\n+ UNIX: `{epoch:p}`\n+ GPS: `{epoch:o}`\n\n## Leap second support\n\nLeap 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](https://www.ietf.org/timezones/data/leap-seconds.list).\n\nThe \"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.\n\n### Important\nPrior 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)](https://www.iausofa.org/). 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](https://www.ietf.org/timezones/data/leap-seconds.list)** 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.\n\n## Ephemeris Time vs Dynamic Barycentric Time (TDB)\nIn theory, as of January 2000, ET and TDB should now be identical. _However_, the NASA NAIF leap seconds files (e.g. [naif00012.tls](./naif00012.tls)) use a simplified algorithm to compute the TDB:\n> Equation \\[4\\], which ignores small-period fluctuations, is accurate to about 0.000030 seconds.\n\nIn order to provide full interoperability with NAIF, hifitime uses the NAIF algorithm for \"ephemeris time\" and the [ESA algorithm](https://gssc.esa.int/navipedia/index.php/Transformations_between_Time_Systems#TDT_-_TDB.2C_TCB) 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()`.\n\n\n# Changelog\n\n## 3.9.0 (WIP)\n\n+ Update to der version 0.7.x.\n+ Introduce %y formatter by @gwbres in https://github.com/nyx-space/hifitime/pull/268\n+ **Possible breaking change**: Fix day of year computation by @ChristopherRabotin in https://github.com/nyx-space/hifitime/pull/273\n\n## 3.8.5\n\nChanges from 3.8.2 are only dependency upgrades until this release.\n\nMinimum Supported Rust version bumped from 1.64 to **1.70**.\n\n## 3.8.2\n+ Clarify README and add a section comparing Hifitime to `time` and `chrono`, cf. [#221](https://github.com/nyx-space/hifitime/issues/221)\n+ Fix incorrect printing of Gregorian dates prior to to 1900, cf. [#204](https://github.com/nyx-space/hifitime/issues/204)\n\n## 3.8.1 (unreleased)\n+ Fix documentation for the formatter, cf. [#202](https://github.com/nyx-space/hifitime/pull/202)\n+ Update MSRV to 1.59 for rayon v 1.10\n\n## 3.8.0\nThanks again to [@gwbres](https://github.com/gwbres) for his work in this release!\n\n+ Fix CI of the formal verification and upload artifacts, cf. [#179](https://github.com/nyx-space/hifitime/pull/179)\n+ Introduce time of week construction and conversion by [@gwbres](https://github.com/gwbres), cf.[#180](https://github.com/nyx-space/hifitime/pull/180) and [#188](https://github.com/nyx-space/hifitime/pull/188)\n+ Fix minor typo in `src/timeunits.rs` by [@gwbres](https://github.com/gwbres), cf. [#189](https://github.com/nyx-space/hifitime/pull/189)\n+ Significantly extend formal verification of `Duration` and `Epoch`, and introduce `kani::Arbitrary` to `Duration` and `Epoch` for users to formally verify their use of time, cf. [#192](https://github.com/nyx-space/hifitime/pull/192)\n+ It is now possible to specify a Leap Seconds file (in IERS format) using the `LeapSecondsFile::from_path` (requires the `std` feature to read the file), cf. [#43](https://github.com/nyx-space/hifitime/issues/43).\n+ UT1 time scale is now supported! You must build a `Ut1Provider` structure with data from the JPL Earth Orientation Parameters, or just use `Ut1Provider::download_short_from_jpl()` to automatically download the data from NASA JPL.\n+ `strptime` and `strftime` equivalents from C89 are now supported, cf. [#181](https://github.com/nyx-space/hifitime/issues/181). Please refer to the [documentation](https://docs.rs/hifitime/latest/hifitime/efmt/format/struct.Format.html) for important limitations and how to build a custom formatter.\n+ 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](https://github.com/nyx-space/hifitime/issues/182).\n+ **Python:** the representation of an epoch is now in the time scale it was initialized in\n\n## 3.7.0\nHuge thanks to [@gwbres](https://github.com/gwbres) who put in all of the work for this release. These usability changes allow [Rinex](https://crates.io/crates/rinex) to use hifitime, check out this work.\n+ timescale.rs: derive serdes traits when feasible by @gwbres in https://github.com/nyx-space/hifitime/pull/167\n+ timecale.rs: introduce format/display by @gwbres in https://github.com/nyx-space/hifitime/pull/168\n+ readme: fix BeiDou typo by @gwbres in https://github.com/nyx-space/hifitime/pull/169\n+ epoch: derive Hash by @gwbres in https://github.com/nyx-space/hifitime/pull/170\n+ timescale: identify GNSS timescales from standard 3 letter codes by @gwbres in https://github.com/nyx-space/hifitime/pull/171\n+ timescale: standard formatting is now available by @gwbres in https://github.com/nyx-space/hifitime/pull/174\n+ epoch, duration: improve and fix serdes feature by @gwbres in https://github.com/nyx-space/hifitime/pull/175\n+ epoch, timescale: implement default trait by @gwbres in https://github.com/nyx-space/hifitime/pull/176\n\n## 3.6.0\n+ Galileo System Time and BeiDou Time are now supported, huge thanks to [@gwbres](https://github.com/gwbres) for all that work!\n+ Significant speed improvement in the initialization of Epochs from their Gregorian representation, thanks [@conradludgate](https://github.com/conradludgate) for [#160](https://github.com/nyx-space/hifitime/pull/160).\n+ Epoch and Duration now have a `min` and `max` function which respectively returns a copy of the epoch/duration that is the smallest or the largest between `self` and `other`, cf. [#164](https://github.com/nyx-space/hifitime/issues/164).\n+ [Python] Duration and Epochs now support the operators `>`, `>=`, `<`, `<=`, `==`, and `!=`. Epoch now supports `init_from_gregorian` with a time scape, like in Rust. Epochs can also be subtracted from one another using the `timedelta` function, cf. [#162](https://github.com/nyx-space/hifitime/issues/162).\n+ TimeSeries can now be formatted in different time scales, cf. [#163](https://github.com/nyx-space/hifitime/issues/163)\n\n## 3.5.0\n+ 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.\n+ 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](https://github.com/nyx-space/hifitime/issues/73).\n+ Python package available on PyPI! To build the Python package, you must first install `maturin` and then build with the `python` 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.\n+ Fix bug when printing Duration::MIN (or any duration whose centuries are minimizing the number of centuries).\n+ TimeSeries can now be formatted\n+ Epoch can now be `ceil`-ed, `floor`-ed, and `round`-ed according to the time scale they were initialized in, cf. [#145](https://github.com/nyx-space/hifitime/issues/145).\n+ 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`.\n+ Fix bug in Duration when performing operations on durations very close to `Duration::MIN` (i.e. minus thirty-two centuries).\n+ Duration parsing now supports multiple units in a string and does not use regular expressions. THis allows it to work with `no-std`.\n+ Epoch parsing no longer requires `regex`.\n+ Functions are not more idiomatic: all of the `as_*` functions become `to_*` and `in_*` also becomes `to_*`, cf.  [#155](https://github.com/nyx-space/hifitime/issues/155).\n\n## 3.4.0\n+ 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.\n+ 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.\n+ The [_Standard of Fundamentals of Astronomy_ (SOFA)](https://www.iausofa.org/2021_0512_C.html) 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.\n+ `Epoch` and `Duration` now have the C memory representation to allow for hifitime to be embedded in C more easily.\n+ `Epoch` and `Duration` can now be encoded or decoded as ASN1 DER with the `asn1der` crate feature (disabled by default).\n\n## 3.3.0\n+ Formal verification of the normalization operation on `Duration`, which in turn guarantees that `Epoch` operations cannot panic, cf. [#127](https://github.com/nyx-space/hifitime/issues/127)\n+ Fix `len` and `size_hint` for `TimeSeries`, cf. [#131](https://github.com/nyx-space/hifitime/issues/131), reported by [@d3v-null](https://github.com/d3v-null), thanks for the find!\n+ `Epoch` now implements `Eq` and `Ord`, cf. [#133](https://github.com/nyx-space/hifitime/pull/133), thanks [@mkolopanis](https://github.com/mkolopanis) for the PR!\n+ `Epoch` can now be printed in different time systems with format modifiers, cf. [#130](https://github.com/nyx-space/hifitime/issues/130)\n+ (minor) `as_utc_duration` in `Epoch` is now public, cf. [#129](https://github.com/nyx-space/hifitime/issues/129)\n+ (minor) The whole crate now uses `num-traits` thereby skipping the explicit use of `libm`. Basically, operations on `f64` look like normal Rust again, cf. [#128](https://github.com/nyx-space/hifitime/issues/128)\n+ (minor) Move the tests to their own folder to make it obvious that this is thoroughly tested\n\n## 3.2.0\n+ Fix no-std implementation by using `libm` for non-core f64 operations\n+ Add UNIX timestamp, thanks [@mkolopanis](https://github.com/mkolopanis)\n+ Enums now derive `Eq` and some derive `Ord` (where relevant) [#118](https://github.com/nyx-space/hifitime/issues/118)\n+ Use const fn where possible and switch to references where possible [#119](https://github.com/nyx-space/hifitime/issues/119)\n+ Allow extracting the centuries and nanoseconds of a `Duration` and `Epoch`, respectively with to_parts and to_tai_parts [#122](https://github.com/nyx-space/hifitime/issues/122)\n+ Add `ceil`, `floor`, `round` operations to `Epoch` and `Duration`\n## 3.1.0\n+ Add `#![no_std]` support\n+ Add `to_parts` to `Duration` to extract the centuries and nanoseconds of a duration\n+ Allow building an `Epoch` from its duration and parts in TAI system\n+ Add pure nanosecond (`u64`) constructor and getter for GPST since GPS based clocks will count in nanoseconds\n### Possibly breaking change\n+ `Errors::ParseError` no longer contains a `String` but an enum `ParsingErrors` 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 still `Display`-able.\n## 3.0.0\n+ Backend rewritten from TwoFloat to a struct of the centuries in `i16` and nanoseconds in `u64`. Thanks to [@pwnorbitals](https://github.com/pwnorbitals) for proposing the idea in #[107](https://github.com/nyx-space/hifitime/issues/107) and writing the proof of concept. This leads to at least a 2x speed up in most calculations, cf. [this comment](https://github.com/nyx-space/hifitime/pull/107#issuecomment-1040702004).\n+ Fix GPS epoch, and addition of a helper functions in `Epoch` by [@cjordan](https://github.com/cjordan)\n\n# Important Update on Versioning Strategy\n\nWe want to inform our users of an important change in Hifitime's versioning approach. Starting with version 3.9.0, minor version updates may include changes that could potentially break backward compatibility. While we strive to maintain stability and minimize disruptions, this change allows us to incorporate significant improvements and adapt more swiftly to evolving user needs. We recommend users to carefully review the release notes for each update, even minor ones, to understand any potential impacts on their existing implementations. Our commitment to providing a robust and dynamic time management library remains steadfast, and we believe this change in versioning will better serve the evolving demands of our community.\n\n",
    "bugtrack_url": null,
    "license": "Apache-2.0",
    "summary": "Ultra-precise date and time handling in Rust for scientific applications with leap second support",
    "version": "3.9.0",
    "project_urls": {
        "Homepage": "https://nyxspace.com/",
        "Source Code": "https://github.com/nyx-space/hifitime"
    },
    "split_keywords": [
        "date",
        "time",
        "science",
        "leap-second",
        "no-std"
    ],
    "urls": [
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "94c6cc3eba03dc2ddcb7c579219ec8f88fb4155e754938ab4695eb50ac0774b0",
                "md5": "d9fc54790553184389a24ddfc7910ab9",
                "sha256": "465879a0a6a179bd7068ef066f83145b4178cecfa70d9ab6ad94fc5fa01d8f6b"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl",
            "has_sig": false,
            "md5_digest": "d9fc54790553184389a24ddfc7910ab9",
            "packagetype": "bdist_wheel",
            "python_version": "cp310",
            "requires_python": ">=3.7",
            "size": 4792455,
            "upload_time": "2024-01-04T14:31:41",
            "upload_time_iso_8601": "2024-01-04T14:31:41.474953Z",
            "url": "https://files.pythonhosted.org/packages/94/c6/cc3eba03dc2ddcb7c579219ec8f88fb4155e754938ab4695eb50ac0774b0/hifitime-3.9.0-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "f6c2ba75a568430ebde85e44e566c6d8878255f44944986993cac0691ff44f9b",
                "md5": "bc95c88c00054f221621247c21e53d62",
                "sha256": "149fc8c71524aa9752fc616b0dd279ecdf94b2f5cd7204a5b35ed2737b95630e"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-cp310-cp310-manylinux_2_17_armv7l.manylinux2014_armv7l.whl",
            "has_sig": false,
            "md5_digest": "bc95c88c00054f221621247c21e53d62",
            "packagetype": "bdist_wheel",
            "python_version": "cp310",
            "requires_python": ">=3.7",
            "size": 4149785,
            "upload_time": "2024-01-04T14:31:44",
            "upload_time_iso_8601": "2024-01-04T14:31:44.584058Z",
            "url": "https://files.pythonhosted.org/packages/f6/c2/ba75a568430ebde85e44e566c6d8878255f44944986993cac0691ff44f9b/hifitime-3.9.0-cp310-cp310-manylinux_2_17_armv7l.manylinux2014_armv7l.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "ea45c78a0b50fe1f83181e69fba8aea26a47603593fd860bd74e4c859e2eed47",
                "md5": "7d992f459e17abfa00af6a3a4c8df430",
                "sha256": "f034e765ab7675605b5c3de43de0b85750de18950d24a5cd5d88d55996ebb4c7"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-cp310-cp310-manylinux_2_17_i686.manylinux2014_i686.whl",
            "has_sig": false,
            "md5_digest": "7d992f459e17abfa00af6a3a4c8df430",
            "packagetype": "bdist_wheel",
            "python_version": "cp310",
            "requires_python": ">=3.7",
            "size": 4637758,
            "upload_time": "2024-01-04T14:31:46",
            "upload_time_iso_8601": "2024-01-04T14:31:46.957822Z",
            "url": "https://files.pythonhosted.org/packages/ea/45/c78a0b50fe1f83181e69fba8aea26a47603593fd860bd74e4c859e2eed47/hifitime-3.9.0-cp310-cp310-manylinux_2_17_i686.manylinux2014_i686.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "679aee3737f7b08fb80d6088f0b5716796d72b8370dfbe38dc229c133f705e9d",
                "md5": "cbdb71843d70c81cacf98844aef4105d",
                "sha256": "b21a7978e1aa4cfc4d4f4571688d98106d2864a7e7865dcdc08239be7ea28145"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-cp310-cp310-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl",
            "has_sig": false,
            "md5_digest": "cbdb71843d70c81cacf98844aef4105d",
            "packagetype": "bdist_wheel",
            "python_version": "cp310",
            "requires_python": ">=3.7",
            "size": 4725592,
            "upload_time": "2024-01-04T14:31:49",
            "upload_time_iso_8601": "2024-01-04T14:31:49.789443Z",
            "url": "https://files.pythonhosted.org/packages/67/9a/ee3737f7b08fb80d6088f0b5716796d72b8370dfbe38dc229c133f705e9d/hifitime-3.9.0-cp310-cp310-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "b75e6710125f91ec61c9b18b994e58d3a45af589296b47202458e679449ecff2",
                "md5": "16ebe476b62f821bd936d99a217c63a2",
                "sha256": "e4e1172e04f023894496de31d0f592b81d250da6da34c6e09bf6ccd5cb1d12ab"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-cp310-cp310-manylinux_2_17_s390x.manylinux2014_s390x.whl",
            "has_sig": false,
            "md5_digest": "16ebe476b62f821bd936d99a217c63a2",
            "packagetype": "bdist_wheel",
            "python_version": "cp310",
            "requires_python": ">=3.7",
            "size": 4676461,
            "upload_time": "2024-01-04T14:31:52",
            "upload_time_iso_8601": "2024-01-04T14:31:52.698115Z",
            "url": "https://files.pythonhosted.org/packages/b7/5e/6710125f91ec61c9b18b994e58d3a45af589296b47202458e679449ecff2/hifitime-3.9.0-cp310-cp310-manylinux_2_17_s390x.manylinux2014_s390x.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "05213a5c3c63245169d79daed1030bf91a4c09546e47c0b3b23fc10d7eed00df",
                "md5": "608676a44941e7fb33d92d6c00d89057",
                "sha256": "1414afa61658c7993298d77ab010e60feaf350393d19bba2cdce10c9f5415511"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "has_sig": false,
            "md5_digest": "608676a44941e7fb33d92d6c00d89057",
            "packagetype": "bdist_wheel",
            "python_version": "cp310",
            "requires_python": ">=3.7",
            "size": 4569336,
            "upload_time": "2024-01-04T14:31:55",
            "upload_time_iso_8601": "2024-01-04T14:31:55.408205Z",
            "url": "https://files.pythonhosted.org/packages/05/21/3a5c3c63245169d79daed1030bf91a4c09546e47c0b3b23fc10d7eed00df/hifitime-3.9.0-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "14afeb3d0ef70249ab238f3f6a2e76260c606859cd168910397072384d445465",
                "md5": "e13173795772292419973a56d9725482",
                "sha256": "2984a3c8ec14e425b2f620d9350c25fc7f8742b37ef4e2b81ca6f1f7e115f3d5"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-cp310-none-win32.whl",
            "has_sig": false,
            "md5_digest": "e13173795772292419973a56d9725482",
            "packagetype": "bdist_wheel",
            "python_version": "cp310",
            "requires_python": ">=3.7",
            "size": 1317183,
            "upload_time": "2024-01-04T14:31:58",
            "upload_time_iso_8601": "2024-01-04T14:31:58.206961Z",
            "url": "https://files.pythonhosted.org/packages/14/af/eb3d0ef70249ab238f3f6a2e76260c606859cd168910397072384d445465/hifitime-3.9.0-cp310-none-win32.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "748262e8f71262714843314953f70fa7f2fc03b66c14370b904240cb9961ef1e",
                "md5": "ab99e132d60dd18b95252cd21e0d2250",
                "sha256": "2d493d17f341ef857ed24264df2e92d3318abc765094e95286a30dd81076da69"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-cp310-none-win_amd64.whl",
            "has_sig": false,
            "md5_digest": "ab99e132d60dd18b95252cd21e0d2250",
            "packagetype": "bdist_wheel",
            "python_version": "cp310",
            "requires_python": ">=3.7",
            "size": 1369629,
            "upload_time": "2024-01-04T14:32:00",
            "upload_time_iso_8601": "2024-01-04T14:32:00.801937Z",
            "url": "https://files.pythonhosted.org/packages/74/82/62e8f71262714843314953f70fa7f2fc03b66c14370b904240cb9961ef1e/hifitime-3.9.0-cp310-none-win_amd64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "aec6afcea32b50d85bb9f6b13ed94e62bceef37c9196010dfa2f83c1c9110b13",
                "md5": "40cf2e71344fb29ccab5dd3742859349",
                "sha256": "1286b18dc59a6b3ae0f1a3413aec912ee84f088151608c3195b94129bad35c0f"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-cp311-cp311-macosx_10_12_x86_64.whl",
            "has_sig": false,
            "md5_digest": "40cf2e71344fb29ccab5dd3742859349",
            "packagetype": "bdist_wheel",
            "python_version": "cp311",
            "requires_python": ">=3.7",
            "size": 1650174,
            "upload_time": "2024-01-04T14:32:04",
            "upload_time_iso_8601": "2024-01-04T14:32:04.094176Z",
            "url": "https://files.pythonhosted.org/packages/ae/c6/afcea32b50d85bb9f6b13ed94e62bceef37c9196010dfa2f83c1c9110b13/hifitime-3.9.0-cp311-cp311-macosx_10_12_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "579362c6888a2117acb74fc7f9229f48d09c4dd94bd653fc4e5d08a38fc28623",
                "md5": "5eb449b9f8bfa0503f4c4105bec84107",
                "sha256": "9378218f6feeabc3bac9e443ff7d04acd2ab4fb6eab24dea8b5510babc119372"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-cp311-cp311-macosx_11_0_arm64.whl",
            "has_sig": false,
            "md5_digest": "5eb449b9f8bfa0503f4c4105bec84107",
            "packagetype": "bdist_wheel",
            "python_version": "cp311",
            "requires_python": ">=3.7",
            "size": 1622472,
            "upload_time": "2024-01-04T14:32:06",
            "upload_time_iso_8601": "2024-01-04T14:32:06.798655Z",
            "url": "https://files.pythonhosted.org/packages/57/93/62c6888a2117acb74fc7f9229f48d09c4dd94bd653fc4e5d08a38fc28623/hifitime-3.9.0-cp311-cp311-macosx_11_0_arm64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "753b94c570c3c328c39ed386d7aa73b015709f58059b2ee7620bd4d0ca221be5",
                "md5": "53076b7fa033f72f19544c52afeab78a",
                "sha256": "7c97e8c8986426809312b9130c1401bac5c416dbe7b46df9e53f7a418e883023"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl",
            "has_sig": false,
            "md5_digest": "53076b7fa033f72f19544c52afeab78a",
            "packagetype": "bdist_wheel",
            "python_version": "cp311",
            "requires_python": ">=3.7",
            "size": 4792513,
            "upload_time": "2024-01-04T14:32:09",
            "upload_time_iso_8601": "2024-01-04T14:32:09.542189Z",
            "url": "https://files.pythonhosted.org/packages/75/3b/94c570c3c328c39ed386d7aa73b015709f58059b2ee7620bd4d0ca221be5/hifitime-3.9.0-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "2237e41add4d8df21e38225cd19035d8ae754a96d08de0eb32109c54132983a5",
                "md5": "1c29b0d1620f270f343cd91b176dc2eb",
                "sha256": "3e12333edfe158c11242ec281c86fb831d338c07c026dd70d5889813b57dab6e"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-cp311-cp311-manylinux_2_17_armv7l.manylinux2014_armv7l.whl",
            "has_sig": false,
            "md5_digest": "1c29b0d1620f270f343cd91b176dc2eb",
            "packagetype": "bdist_wheel",
            "python_version": "cp311",
            "requires_python": ">=3.7",
            "size": 4147164,
            "upload_time": "2024-01-04T14:32:12",
            "upload_time_iso_8601": "2024-01-04T14:32:12.950451Z",
            "url": "https://files.pythonhosted.org/packages/22/37/e41add4d8df21e38225cd19035d8ae754a96d08de0eb32109c54132983a5/hifitime-3.9.0-cp311-cp311-manylinux_2_17_armv7l.manylinux2014_armv7l.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "f7e9ffd1d7cff9663d255c20537722d501782154c07397c1bf1d8a6ec566bcd0",
                "md5": "136ce64cb17551469772cfc591f4c1f0",
                "sha256": "8199d9b9d7fa215cbc103e7a55fc260a7a9c3129bac0f592347e4820baeba7c5"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-cp311-cp311-manylinux_2_17_i686.manylinux2014_i686.whl",
            "has_sig": false,
            "md5_digest": "136ce64cb17551469772cfc591f4c1f0",
            "packagetype": "bdist_wheel",
            "python_version": "cp311",
            "requires_python": ">=3.7",
            "size": 4637962,
            "upload_time": "2024-01-04T14:32:15",
            "upload_time_iso_8601": "2024-01-04T14:32:15.257552Z",
            "url": "https://files.pythonhosted.org/packages/f7/e9/ffd1d7cff9663d255c20537722d501782154c07397c1bf1d8a6ec566bcd0/hifitime-3.9.0-cp311-cp311-manylinux_2_17_i686.manylinux2014_i686.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "a151effd29abe7d792a959b18e3f6455e33d375018442079268b9bdd60a32e0b",
                "md5": "8fecccf380cf7dedfcf4b42a41fc1797",
                "sha256": "7d27fbf43647499781d0c55c2b2b3413e94632feaba10b021c5ea12f862bdea0"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-cp311-cp311-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl",
            "has_sig": false,
            "md5_digest": "8fecccf380cf7dedfcf4b42a41fc1797",
            "packagetype": "bdist_wheel",
            "python_version": "cp311",
            "requires_python": ">=3.7",
            "size": 4725675,
            "upload_time": "2024-01-04T14:32:17",
            "upload_time_iso_8601": "2024-01-04T14:32:17.789406Z",
            "url": "https://files.pythonhosted.org/packages/a1/51/effd29abe7d792a959b18e3f6455e33d375018442079268b9bdd60a32e0b/hifitime-3.9.0-cp311-cp311-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "a6ec8dfcd1908d59785bb3320f07f40b08e90e3e7aa4f19f05a0b242fe71d130",
                "md5": "62bac7a701e3d1f037a10d099990ad4f",
                "sha256": "65e6ca7868fe9f2de8ffc3e44cc337fac7040484319e06872a3ba2755af697d1"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-cp311-cp311-manylinux_2_17_s390x.manylinux2014_s390x.whl",
            "has_sig": false,
            "md5_digest": "62bac7a701e3d1f037a10d099990ad4f",
            "packagetype": "bdist_wheel",
            "python_version": "cp311",
            "requires_python": ">=3.7",
            "size": 4676062,
            "upload_time": "2024-01-04T14:32:20",
            "upload_time_iso_8601": "2024-01-04T14:32:20.719035Z",
            "url": "https://files.pythonhosted.org/packages/a6/ec/8dfcd1908d59785bb3320f07f40b08e90e3e7aa4f19f05a0b242fe71d130/hifitime-3.9.0-cp311-cp311-manylinux_2_17_s390x.manylinux2014_s390x.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "628bad196d3eb0db9fc2a6b47a1259fe5f55b5079b1058b9408ad2412de3231c",
                "md5": "93ceb833032cdbb6d4f7e1236730df02",
                "sha256": "dd2cd51718a85cf2a71b97bd1159fc0e1c7ef778d1ff74c65be411e9530364fa"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "has_sig": false,
            "md5_digest": "93ceb833032cdbb6d4f7e1236730df02",
            "packagetype": "bdist_wheel",
            "python_version": "cp311",
            "requires_python": ">=3.7",
            "size": 4569616,
            "upload_time": "2024-01-04T14:32:23",
            "upload_time_iso_8601": "2024-01-04T14:32:23.886818Z",
            "url": "https://files.pythonhosted.org/packages/62/8b/ad196d3eb0db9fc2a6b47a1259fe5f55b5079b1058b9408ad2412de3231c/hifitime-3.9.0-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "19894ee00746d57b908118bf3bb5d7c2b295017a0af17e0a7260b04ac763fa07",
                "md5": "23abc229fa7615f8ebf4eabb301b4a3f",
                "sha256": "e17bb105436cc04de73a34388cc5a702405b8f899e04a70d328aa23a358bfffe"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-cp311-none-win32.whl",
            "has_sig": false,
            "md5_digest": "23abc229fa7615f8ebf4eabb301b4a3f",
            "packagetype": "bdist_wheel",
            "python_version": "cp311",
            "requires_python": ">=3.7",
            "size": 1318562,
            "upload_time": "2024-01-04T14:32:26",
            "upload_time_iso_8601": "2024-01-04T14:32:26.002733Z",
            "url": "https://files.pythonhosted.org/packages/19/89/4ee00746d57b908118bf3bb5d7c2b295017a0af17e0a7260b04ac763fa07/hifitime-3.9.0-cp311-none-win32.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "6574a68ca381a006da27e064f291025034ed2f999f0400cb80ca3fa9d7655a31",
                "md5": "74cca1e918cf02b872ee975475c416bb",
                "sha256": "07699a0ac0909941182b20b11a829d61f2e6a0ad23ed74a1302816d67427109b"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-cp311-none-win_amd64.whl",
            "has_sig": false,
            "md5_digest": "74cca1e918cf02b872ee975475c416bb",
            "packagetype": "bdist_wheel",
            "python_version": "cp311",
            "requires_python": ">=3.7",
            "size": 1370468,
            "upload_time": "2024-01-04T14:32:28",
            "upload_time_iso_8601": "2024-01-04T14:32:28.026298Z",
            "url": "https://files.pythonhosted.org/packages/65/74/a68ca381a006da27e064f291025034ed2f999f0400cb80ca3fa9d7655a31/hifitime-3.9.0-cp311-none-win_amd64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "907f1498fd6248f725138e5e2b6b8575cd5e9eaabad151b1213c39e3458f21db",
                "md5": "df511b34684a56071aea5ed6855a7e0f",
                "sha256": "8ac761a7c44bdee1e6b134f80296f6d4c7757ad55a7bc798f876b8d51cada00a"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-cp312-cp312-macosx_10_12_x86_64.whl",
            "has_sig": false,
            "md5_digest": "df511b34684a56071aea5ed6855a7e0f",
            "packagetype": "bdist_wheel",
            "python_version": "cp312",
            "requires_python": ">=3.7",
            "size": 1646783,
            "upload_time": "2024-01-04T14:32:30",
            "upload_time_iso_8601": "2024-01-04T14:32:30.621007Z",
            "url": "https://files.pythonhosted.org/packages/90/7f/1498fd6248f725138e5e2b6b8575cd5e9eaabad151b1213c39e3458f21db/hifitime-3.9.0-cp312-cp312-macosx_10_12_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "7cc4d753e85de8f0e24846e1a018f39812dba2f46b2f30ee19e117809859f12c",
                "md5": "e43b766152092fa14ac6cbde4665a362",
                "sha256": "cdd3591e0ceca3405598bb7c6da108e69f776ac6556e7c67fde65c5937d9c431"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-cp312-cp312-macosx_11_0_arm64.whl",
            "has_sig": false,
            "md5_digest": "e43b766152092fa14ac6cbde4665a362",
            "packagetype": "bdist_wheel",
            "python_version": "cp312",
            "requires_python": ">=3.7",
            "size": 1622135,
            "upload_time": "2024-01-04T14:32:32",
            "upload_time_iso_8601": "2024-01-04T14:32:32.602916Z",
            "url": "https://files.pythonhosted.org/packages/7c/c4/d753e85de8f0e24846e1a018f39812dba2f46b2f30ee19e117809859f12c/hifitime-3.9.0-cp312-cp312-macosx_11_0_arm64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "5606a58c5a1d4e8ac59b2f31c7c1972ebe392cf87cac87b01f56dcfe1b907677",
                "md5": "c1ca28abda36e62fcea684854554ae62",
                "sha256": "d3435b96d7611738687987219b91fb373e3700a2aa9e6c1a9f510f721d032814"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl",
            "has_sig": false,
            "md5_digest": "c1ca28abda36e62fcea684854554ae62",
            "packagetype": "bdist_wheel",
            "python_version": "cp312",
            "requires_python": ">=3.7",
            "size": 4781983,
            "upload_time": "2024-01-04T14:32:34",
            "upload_time_iso_8601": "2024-01-04T14:32:34.750119Z",
            "url": "https://files.pythonhosted.org/packages/56/06/a58c5a1d4e8ac59b2f31c7c1972ebe392cf87cac87b01f56dcfe1b907677/hifitime-3.9.0-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "5308384eef7dfc446f5e48de271b5eaa81b69e200e0bd57ddf3420df0d700a37",
                "md5": "a79b18105a8e43825b017de5b889137b",
                "sha256": "4c96c82f88c3e2f9a132237b078f949fa7fdeef880d8418b44b9da49b26f4acb"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-cp312-cp312-manylinux_2_17_armv7l.manylinux2014_armv7l.whl",
            "has_sig": false,
            "md5_digest": "a79b18105a8e43825b017de5b889137b",
            "packagetype": "bdist_wheel",
            "python_version": "cp312",
            "requires_python": ">=3.7",
            "size": 4137986,
            "upload_time": "2024-01-04T14:32:37",
            "upload_time_iso_8601": "2024-01-04T14:32:37.191154Z",
            "url": "https://files.pythonhosted.org/packages/53/08/384eef7dfc446f5e48de271b5eaa81b69e200e0bd57ddf3420df0d700a37/hifitime-3.9.0-cp312-cp312-manylinux_2_17_armv7l.manylinux2014_armv7l.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "88bbb113ddb6fa9934ea907148f29a7bbd1a605f363452d6e08a23a14238e91d",
                "md5": "11b834554f80fdaa6b9157f880ad8fd4",
                "sha256": "88ac700e28240697999e15d7ec30a54d0ede5fe911f2bb94c1821be888391abd"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-cp312-cp312-manylinux_2_17_i686.manylinux2014_i686.whl",
            "has_sig": false,
            "md5_digest": "11b834554f80fdaa6b9157f880ad8fd4",
            "packagetype": "bdist_wheel",
            "python_version": "cp312",
            "requires_python": ">=3.7",
            "size": 4625056,
            "upload_time": "2024-01-04T14:32:39",
            "upload_time_iso_8601": "2024-01-04T14:32:39.882105Z",
            "url": "https://files.pythonhosted.org/packages/88/bb/b113ddb6fa9934ea907148f29a7bbd1a605f363452d6e08a23a14238e91d/hifitime-3.9.0-cp312-cp312-manylinux_2_17_i686.manylinux2014_i686.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "ed86345eb6e2c2c69311f5fc3871c81ea44c68cb4103676c20760d73efb6d6ef",
                "md5": "da68a04a7587df2d14398dcfdb5738be",
                "sha256": "2b53c60c33784b194e28e72021fbb142386231989abc2a5f5441aad1f1594c59"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-cp312-cp312-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl",
            "has_sig": false,
            "md5_digest": "da68a04a7587df2d14398dcfdb5738be",
            "packagetype": "bdist_wheel",
            "python_version": "cp312",
            "requires_python": ">=3.7",
            "size": 4713924,
            "upload_time": "2024-01-04T14:32:42",
            "upload_time_iso_8601": "2024-01-04T14:32:42.750363Z",
            "url": "https://files.pythonhosted.org/packages/ed/86/345eb6e2c2c69311f5fc3871c81ea44c68cb4103676c20760d73efb6d6ef/hifitime-3.9.0-cp312-cp312-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "46bf24e8bc20cfe65f65ef4940616581987915956f7e91e008cda428a6327cff",
                "md5": "c3fe2e5c147e3aa3504cca3e98231ce0",
                "sha256": "05aa50af58dfd975063619dbb02266014a4eed5164ef5cab06d319f9781c1e52"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-cp312-cp312-manylinux_2_17_s390x.manylinux2014_s390x.whl",
            "has_sig": false,
            "md5_digest": "c3fe2e5c147e3aa3504cca3e98231ce0",
            "packagetype": "bdist_wheel",
            "python_version": "cp312",
            "requires_python": ">=3.7",
            "size": 4674363,
            "upload_time": "2024-01-04T14:32:45",
            "upload_time_iso_8601": "2024-01-04T14:32:45.136171Z",
            "url": "https://files.pythonhosted.org/packages/46/bf/24e8bc20cfe65f65ef4940616581987915956f7e91e008cda428a6327cff/hifitime-3.9.0-cp312-cp312-manylinux_2_17_s390x.manylinux2014_s390x.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "c7d0da32040f4d98365404ffc3c79da2868d6fc61e5b830254f86cd301547481",
                "md5": "9e91e8e70a234fea08e7e97ddd661ea0",
                "sha256": "e0e6dd94fd0abd3da31e6e5af1aef8383b0e170f0331ce522aa7749f8dd36c4d"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "has_sig": false,
            "md5_digest": "9e91e8e70a234fea08e7e97ddd661ea0",
            "packagetype": "bdist_wheel",
            "python_version": "cp312",
            "requires_python": ">=3.7",
            "size": 4559192,
            "upload_time": "2024-01-04T14:32:48",
            "upload_time_iso_8601": "2024-01-04T14:32:48.060323Z",
            "url": "https://files.pythonhosted.org/packages/c7/d0/da32040f4d98365404ffc3c79da2868d6fc61e5b830254f86cd301547481/hifitime-3.9.0-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "d4f46035b9b541c96a37fead880fec9aac2706e80a0dd6ac91ac00ae138c2ce4",
                "md5": "3687131b46a1a4357131da54a2e8e0f0",
                "sha256": "d7236c8f94b8a59d5313cb84d7f492e0c6af900b6bb91b7f9d4154e9a45df359"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-cp312-none-win32.whl",
            "has_sig": false,
            "md5_digest": "3687131b46a1a4357131da54a2e8e0f0",
            "packagetype": "bdist_wheel",
            "python_version": "cp312",
            "requires_python": ">=3.7",
            "size": 1318974,
            "upload_time": "2024-01-04T14:32:50",
            "upload_time_iso_8601": "2024-01-04T14:32:50.207923Z",
            "url": "https://files.pythonhosted.org/packages/d4/f4/6035b9b541c96a37fead880fec9aac2706e80a0dd6ac91ac00ae138c2ce4/hifitime-3.9.0-cp312-none-win32.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "4b16d09f576ae766acb1bfd3a7cb428f1052c940e3b1bda44f5a1cf9f88056dd",
                "md5": "60036f00af58d7f4f66f8ab52c965b2b",
                "sha256": "17164116e5847ab1073d1723cbfa9af02abbd9b60bcaa88a8c506b8049ad6a83"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-cp312-none-win_amd64.whl",
            "has_sig": false,
            "md5_digest": "60036f00af58d7f4f66f8ab52c965b2b",
            "packagetype": "bdist_wheel",
            "python_version": "cp312",
            "requires_python": ">=3.7",
            "size": 1368651,
            "upload_time": "2024-01-04T14:32:53",
            "upload_time_iso_8601": "2024-01-04T14:32:53.675915Z",
            "url": "https://files.pythonhosted.org/packages/4b/16/d09f576ae766acb1bfd3a7cb428f1052c940e3b1bda44f5a1cf9f88056dd/hifitime-3.9.0-cp312-none-win_amd64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "3e84d52db4e2253e6e8e0951923fba6fb016b96b587bcd1a4e869d6a5811d345",
                "md5": "4a9a829d65b71b6195a0b3c5f52ec69a",
                "sha256": "d66f2f100187d074d7b59f1e1f38ec6a00223db573e1a8b01184f25b83ee96e6"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-cp313-cp313-manylinux_2_17_aarch64.manylinux2014_aarch64.whl",
            "has_sig": false,
            "md5_digest": "4a9a829d65b71b6195a0b3c5f52ec69a",
            "packagetype": "bdist_wheel",
            "python_version": "cp313",
            "requires_python": ">=3.7",
            "size": 4781982,
            "upload_time": "2024-01-04T14:32:55",
            "upload_time_iso_8601": "2024-01-04T14:32:55.775630Z",
            "url": "https://files.pythonhosted.org/packages/3e/84/d52db4e2253e6e8e0951923fba6fb016b96b587bcd1a4e869d6a5811d345/hifitime-3.9.0-cp313-cp313-manylinux_2_17_aarch64.manylinux2014_aarch64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "d9f9f668d6cb9de4ef0287e089b8df61dc2f818ea516b8dea444c975702fc48a",
                "md5": "94e641e67bca1c37e9b9e36d6fa1b5d9",
                "sha256": "2471bf9e4b6cf8a32dd6cbe8d022b42e3b419098d8e34d39540ac51be27ea053"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-cp313-cp313-manylinux_2_17_armv7l.manylinux2014_armv7l.whl",
            "has_sig": false,
            "md5_digest": "94e641e67bca1c37e9b9e36d6fa1b5d9",
            "packagetype": "bdist_wheel",
            "python_version": "cp313",
            "requires_python": ">=3.7",
            "size": 4137985,
            "upload_time": "2024-01-04T14:32:58",
            "upload_time_iso_8601": "2024-01-04T14:32:58.206871Z",
            "url": "https://files.pythonhosted.org/packages/d9/f9/f668d6cb9de4ef0287e089b8df61dc2f818ea516b8dea444c975702fc48a/hifitime-3.9.0-cp313-cp313-manylinux_2_17_armv7l.manylinux2014_armv7l.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "018261a97f6f9cde9f8576455f04db0b9e14dfaf8ef1f29a2e72f4e3dfa188ff",
                "md5": "50bc86fbbb857f528c8ad3a7fc53cffc",
                "sha256": "6976bfe2e464ddb525d89768bda70198fc64b793f5bf5fbcf9988c049dec7c41"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-cp313-cp313-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl",
            "has_sig": false,
            "md5_digest": "50bc86fbbb857f528c8ad3a7fc53cffc",
            "packagetype": "bdist_wheel",
            "python_version": "cp313",
            "requires_python": ">=3.7",
            "size": 4713925,
            "upload_time": "2024-01-04T14:33:00",
            "upload_time_iso_8601": "2024-01-04T14:33:00.721715Z",
            "url": "https://files.pythonhosted.org/packages/01/82/61a97f6f9cde9f8576455f04db0b9e14dfaf8ef1f29a2e72f4e3dfa188ff/hifitime-3.9.0-cp313-cp313-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "330b1136056926360b3e506b41cc738fd358249b48f725b7e5df99acd0adf15e",
                "md5": "094bb9157689ee999d5387d1a42f97f4",
                "sha256": "96953ff60304f3d6e6057419e63d078d8d5e369c5d5da65bc564b3d85e06d008"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-cp313-cp313-manylinux_2_17_s390x.manylinux2014_s390x.whl",
            "has_sig": false,
            "md5_digest": "094bb9157689ee999d5387d1a42f97f4",
            "packagetype": "bdist_wheel",
            "python_version": "cp313",
            "requires_python": ">=3.7",
            "size": 4674361,
            "upload_time": "2024-01-04T14:33:03",
            "upload_time_iso_8601": "2024-01-04T14:33:03.523670Z",
            "url": "https://files.pythonhosted.org/packages/33/0b/1136056926360b3e506b41cc738fd358249b48f725b7e5df99acd0adf15e/hifitime-3.9.0-cp313-cp313-manylinux_2_17_s390x.manylinux2014_s390x.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "262e9c194cd9eef4a88f444dee45ed39df727675a7249516f2bee13f67ff5fb0",
                "md5": "2748799d3b478715985a766c512df4ab",
                "sha256": "fb452d1d02266a551ccc35317c0681af36daf2204018cf8a4dcb217660ffc7d8"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-cp37-cp37m-manylinux_2_17_aarch64.manylinux2014_aarch64.whl",
            "has_sig": false,
            "md5_digest": "2748799d3b478715985a766c512df4ab",
            "packagetype": "bdist_wheel",
            "python_version": "cp37",
            "requires_python": ">=3.7",
            "size": 4792463,
            "upload_time": "2024-01-04T14:33:05",
            "upload_time_iso_8601": "2024-01-04T14:33:05.828343Z",
            "url": "https://files.pythonhosted.org/packages/26/2e/9c194cd9eef4a88f444dee45ed39df727675a7249516f2bee13f67ff5fb0/hifitime-3.9.0-cp37-cp37m-manylinux_2_17_aarch64.manylinux2014_aarch64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "f84544cd5e51e6aaf63c8904f4e989635dcb980cbd8e9c8444db321586fcbeb9",
                "md5": "ce48d45cdceaa6f3ebb173aa097e6b8c",
                "sha256": "a25cc02eb4b12a66d72da2c384ac6403765f6e6c0cf75f043a94074119b300db"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-cp37-cp37m-manylinux_2_17_armv7l.manylinux2014_armv7l.whl",
            "has_sig": false,
            "md5_digest": "ce48d45cdceaa6f3ebb173aa097e6b8c",
            "packagetype": "bdist_wheel",
            "python_version": "cp37",
            "requires_python": ">=3.7",
            "size": 4147291,
            "upload_time": "2024-01-04T14:33:08",
            "upload_time_iso_8601": "2024-01-04T14:33:08.332905Z",
            "url": "https://files.pythonhosted.org/packages/f8/45/44cd5e51e6aaf63c8904f4e989635dcb980cbd8e9c8444db321586fcbeb9/hifitime-3.9.0-cp37-cp37m-manylinux_2_17_armv7l.manylinux2014_armv7l.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "dd7671aa5fb2be8dd4b86ac8025362f4581619438f692fe54668f334b9749333",
                "md5": "8dda638f498e9e1572b68bb946f4250d",
                "sha256": "70eb635b5fa578d8817cbe1fa493d22809aae43e51c88e929c3337cc2bbd135a"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-cp37-cp37m-manylinux_2_17_i686.manylinux2014_i686.whl",
            "has_sig": false,
            "md5_digest": "8dda638f498e9e1572b68bb946f4250d",
            "packagetype": "bdist_wheel",
            "python_version": "cp37",
            "requires_python": ">=3.7",
            "size": 4637387,
            "upload_time": "2024-01-04T14:33:10",
            "upload_time_iso_8601": "2024-01-04T14:33:10.703616Z",
            "url": "https://files.pythonhosted.org/packages/dd/76/71aa5fb2be8dd4b86ac8025362f4581619438f692fe54668f334b9749333/hifitime-3.9.0-cp37-cp37m-manylinux_2_17_i686.manylinux2014_i686.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "f9232d7905a0d42264b04ccb56913ca1464f38cba5729775f4660355fa2a8661",
                "md5": "cc36cbb366b8db5802c999f958a6e7f1",
                "sha256": "e5a6fecad70b60af6e9cd4b26826face43edad63a1befd715f79b06e6665e1d8"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-cp37-cp37m-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl",
            "has_sig": false,
            "md5_digest": "cc36cbb366b8db5802c999f958a6e7f1",
            "packagetype": "bdist_wheel",
            "python_version": "cp37",
            "requires_python": ">=3.7",
            "size": 4728125,
            "upload_time": "2024-01-04T14:33:13",
            "upload_time_iso_8601": "2024-01-04T14:33:13.830569Z",
            "url": "https://files.pythonhosted.org/packages/f9/23/2d7905a0d42264b04ccb56913ca1464f38cba5729775f4660355fa2a8661/hifitime-3.9.0-cp37-cp37m-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "7e9fb6700c92290c3f9616b34e8d34bc1ccd2fec0314e1c4e0519df5483248e2",
                "md5": "626f8364c55a1d0bc7ddb06eb398009d",
                "sha256": "cf5661d1dc775930d2e9c29fd7163e6155000d4f89c643fc336ca0441a767fd9"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-cp37-cp37m-manylinux_2_17_s390x.manylinux2014_s390x.whl",
            "has_sig": false,
            "md5_digest": "626f8364c55a1d0bc7ddb06eb398009d",
            "packagetype": "bdist_wheel",
            "python_version": "cp37",
            "requires_python": ">=3.7",
            "size": 4675451,
            "upload_time": "2024-01-04T14:33:16",
            "upload_time_iso_8601": "2024-01-04T14:33:16.345297Z",
            "url": "https://files.pythonhosted.org/packages/7e/9f/b6700c92290c3f9616b34e8d34bc1ccd2fec0314e1c4e0519df5483248e2/hifitime-3.9.0-cp37-cp37m-manylinux_2_17_s390x.manylinux2014_s390x.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "42ca538acc897e74b039bf819fbe2cb036304d8eb7da8d3de0b16e42c081aab3",
                "md5": "eb0f344392eee4f5b47d53fd6f7ccef0",
                "sha256": "75437051f502475c129a6f99eabacfadd59200d2beb0e177a38fceb63ce9d243"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-cp37-cp37m-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "has_sig": false,
            "md5_digest": "eb0f344392eee4f5b47d53fd6f7ccef0",
            "packagetype": "bdist_wheel",
            "python_version": "cp37",
            "requires_python": ">=3.7",
            "size": 4571280,
            "upload_time": "2024-01-04T14:33:18",
            "upload_time_iso_8601": "2024-01-04T14:33:18.609157Z",
            "url": "https://files.pythonhosted.org/packages/42/ca/538acc897e74b039bf819fbe2cb036304d8eb7da8d3de0b16e42c081aab3/hifitime-3.9.0-cp37-cp37m-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "e5bc22a4c017e2ab8e52e0cdd4b91691591287a872a9490e7215c95bc10a75da",
                "md5": "55731ed190ecffaf2720e2278c5dac7e",
                "sha256": "86549e887fb92d54d3f24d55485fc96b7faa4aa82084192639fc6157694da26d"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-cp37-none-win32.whl",
            "has_sig": false,
            "md5_digest": "55731ed190ecffaf2720e2278c5dac7e",
            "packagetype": "bdist_wheel",
            "python_version": "cp37",
            "requires_python": ">=3.7",
            "size": 1317222,
            "upload_time": "2024-01-04T14:33:21",
            "upload_time_iso_8601": "2024-01-04T14:33:21.362841Z",
            "url": "https://files.pythonhosted.org/packages/e5/bc/22a4c017e2ab8e52e0cdd4b91691591287a872a9490e7215c95bc10a75da/hifitime-3.9.0-cp37-none-win32.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "9e81af2886fce0393a0d9dd663e5092b1937714cfc75681c651c718dc339b7be",
                "md5": "7e73320b1956f7a3a3e1da3d4126e055",
                "sha256": "a00422f8733629bfc0ae3d3b9f9b60f9d2c1f52bd5e3ef7ffa3d3b9c70123f5b"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-cp37-none-win_amd64.whl",
            "has_sig": false,
            "md5_digest": "7e73320b1956f7a3a3e1da3d4126e055",
            "packagetype": "bdist_wheel",
            "python_version": "cp37",
            "requires_python": ">=3.7",
            "size": 1369235,
            "upload_time": "2024-01-04T14:33:24",
            "upload_time_iso_8601": "2024-01-04T14:33:24.525567Z",
            "url": "https://files.pythonhosted.org/packages/9e/81/af2886fce0393a0d9dd663e5092b1937714cfc75681c651c718dc339b7be/hifitime-3.9.0-cp37-none-win_amd64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "79230037a1378929387b405c1eb23a36c5dae5406a6d6d8a8b582d593b33b2df",
                "md5": "e666076b88392c8a4d50029b36e32930",
                "sha256": "fec597c18bdfde71686e1926bc056b31da9f6c3d0ef3a52bf853cce3a09e03a3"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl",
            "has_sig": false,
            "md5_digest": "e666076b88392c8a4d50029b36e32930",
            "packagetype": "bdist_wheel",
            "python_version": "cp38",
            "requires_python": ">=3.7",
            "size": 4790832,
            "upload_time": "2024-01-04T14:33:26",
            "upload_time_iso_8601": "2024-01-04T14:33:26.614716Z",
            "url": "https://files.pythonhosted.org/packages/79/23/0037a1378929387b405c1eb23a36c5dae5406a6d6d8a8b582d593b33b2df/hifitime-3.9.0-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "c67cc3c99611a04db6da9cc5b2f1b0cdc690ad4376a8059f697c349489a47f3c",
                "md5": "421f7f0436416b57b9d6817f15a88893",
                "sha256": "bdcb3336007edbab8c7f54ff1239fddd22b0eae846492d43bf6c18aa76256472"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-cp38-cp38-manylinux_2_17_armv7l.manylinux2014_armv7l.whl",
            "has_sig": false,
            "md5_digest": "421f7f0436416b57b9d6817f15a88893",
            "packagetype": "bdist_wheel",
            "python_version": "cp38",
            "requires_python": ">=3.7",
            "size": 4147112,
            "upload_time": "2024-01-04T14:33:29",
            "upload_time_iso_8601": "2024-01-04T14:33:29.643940Z",
            "url": "https://files.pythonhosted.org/packages/c6/7c/c3c99611a04db6da9cc5b2f1b0cdc690ad4376a8059f697c349489a47f3c/hifitime-3.9.0-cp38-cp38-manylinux_2_17_armv7l.manylinux2014_armv7l.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "50999a32643e801299e5f9d9153dfcfd8ca27dd538f0d860960d007ab86b70f1",
                "md5": "99e5a07006bb8eadc4dcd1f2183eb382",
                "sha256": "25e3e73b5d70e003d3f62393ead78258cb935e5c2070de098b91c6d5ca67a342"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-cp38-cp38-manylinux_2_17_i686.manylinux2014_i686.whl",
            "has_sig": false,
            "md5_digest": "99e5a07006bb8eadc4dcd1f2183eb382",
            "packagetype": "bdist_wheel",
            "python_version": "cp38",
            "requires_python": ">=3.7",
            "size": 4637291,
            "upload_time": "2024-01-04T14:33:32",
            "upload_time_iso_8601": "2024-01-04T14:33:32.263203Z",
            "url": "https://files.pythonhosted.org/packages/50/99/9a32643e801299e5f9d9153dfcfd8ca27dd538f0d860960d007ab86b70f1/hifitime-3.9.0-cp38-cp38-manylinux_2_17_i686.manylinux2014_i686.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "d8fd79c941fcf5f0872e9c2adff22aabc67016ba8caaedcc73aaf9ccbdf23486",
                "md5": "c46ed4c7c3a2f031364806e13b339192",
                "sha256": "6496ac3a62a9daf09e09cdcc0d3677f997bd3067d6107949c188e5e935122290"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-cp38-cp38-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl",
            "has_sig": false,
            "md5_digest": "c46ed4c7c3a2f031364806e13b339192",
            "packagetype": "bdist_wheel",
            "python_version": "cp38",
            "requires_python": ">=3.7",
            "size": 4725762,
            "upload_time": "2024-01-04T14:33:34",
            "upload_time_iso_8601": "2024-01-04T14:33:34.902667Z",
            "url": "https://files.pythonhosted.org/packages/d8/fd/79c941fcf5f0872e9c2adff22aabc67016ba8caaedcc73aaf9ccbdf23486/hifitime-3.9.0-cp38-cp38-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "5a44f9c80504b1286406ccc0bc9747329bf7c87c75c700feab6b5cb351a6bf27",
                "md5": "8e69ae9a45d737d8f0caaa7985881940",
                "sha256": "a9726506034edaea69d64a48829f2640838531a5345c014451c5fd06f4265af4"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-cp38-cp38-manylinux_2_17_s390x.manylinux2014_s390x.whl",
            "has_sig": false,
            "md5_digest": "8e69ae9a45d737d8f0caaa7985881940",
            "packagetype": "bdist_wheel",
            "python_version": "cp38",
            "requires_python": ">=3.7",
            "size": 4674615,
            "upload_time": "2024-01-04T14:33:37",
            "upload_time_iso_8601": "2024-01-04T14:33:37.342428Z",
            "url": "https://files.pythonhosted.org/packages/5a/44/f9c80504b1286406ccc0bc9747329bf7c87c75c700feab6b5cb351a6bf27/hifitime-3.9.0-cp38-cp38-manylinux_2_17_s390x.manylinux2014_s390x.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "ab7548c5f29689f58eeafde4af7cb7b014966b9d76455d90e7b8ed02646fec31",
                "md5": "619615918d3e1267aa3f33f297c470a6",
                "sha256": "8713198eec55ca60c9e098e41993695f1711cea2e693e17672c597093b54e1df"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "has_sig": false,
            "md5_digest": "619615918d3e1267aa3f33f297c470a6",
            "packagetype": "bdist_wheel",
            "python_version": "cp38",
            "requires_python": ">=3.7",
            "size": 4568998,
            "upload_time": "2024-01-04T14:33:40",
            "upload_time_iso_8601": "2024-01-04T14:33:40.807462Z",
            "url": "https://files.pythonhosted.org/packages/ab/75/48c5f29689f58eeafde4af7cb7b014966b9d76455d90e7b8ed02646fec31/hifitime-3.9.0-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "80751e12d9827fa14fa632e11f18e335430973e17a618bee7a26b8d46dbf571b",
                "md5": "9f441d766b9ad35dd8b66694fde7c646",
                "sha256": "e285ffbe87ac904cf835b5963a1841959c358cc7b011ca00148b35d2dfc23f33"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-cp38-none-win32.whl",
            "has_sig": false,
            "md5_digest": "9f441d766b9ad35dd8b66694fde7c646",
            "packagetype": "bdist_wheel",
            "python_version": "cp38",
            "requires_python": ">=3.7",
            "size": 1317325,
            "upload_time": "2024-01-04T14:33:43",
            "upload_time_iso_8601": "2024-01-04T14:33:43.813167Z",
            "url": "https://files.pythonhosted.org/packages/80/75/1e12d9827fa14fa632e11f18e335430973e17a618bee7a26b8d46dbf571b/hifitime-3.9.0-cp38-none-win32.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "284efc9c7a48a48c4d760652e6ca1840d4bcea09c3f949510108113c7cff03f8",
                "md5": "8b1ec5ce99b511f27bf3f62cee9fb569",
                "sha256": "988a76cf1df2cea0190f606fa5f91de353e0c146bf2b5af17855236c0b9c5d57"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-cp38-none-win_amd64.whl",
            "has_sig": false,
            "md5_digest": "8b1ec5ce99b511f27bf3f62cee9fb569",
            "packagetype": "bdist_wheel",
            "python_version": "cp38",
            "requires_python": ">=3.7",
            "size": 1369145,
            "upload_time": "2024-01-04T14:33:46",
            "upload_time_iso_8601": "2024-01-04T14:33:46.312529Z",
            "url": "https://files.pythonhosted.org/packages/28/4e/fc9c7a48a48c4d760652e6ca1840d4bcea09c3f949510108113c7cff03f8/hifitime-3.9.0-cp38-none-win_amd64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "33efac00e838ebe699496f0bda01a18dfa56fb4e13e45f356c06ef4e1dd535fd",
                "md5": "002d269cd32d04a2a45fb8e56a407fdd",
                "sha256": "08bad8c2a57d46dcef0c5f79be9e5b6f085769fb8958fbe4b9604b56e7535680"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl",
            "has_sig": false,
            "md5_digest": "002d269cd32d04a2a45fb8e56a407fdd",
            "packagetype": "bdist_wheel",
            "python_version": "cp39",
            "requires_python": ">=3.7",
            "size": 4792850,
            "upload_time": "2024-01-04T14:33:49",
            "upload_time_iso_8601": "2024-01-04T14:33:49.390864Z",
            "url": "https://files.pythonhosted.org/packages/33/ef/ac00e838ebe699496f0bda01a18dfa56fb4e13e45f356c06ef4e1dd535fd/hifitime-3.9.0-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "51df99ebb2169d4f5778d5dde4729fbc92f60024f94a76e7a0aa2d3700b906f2",
                "md5": "38ddc419abed441263b2a5a1c1c36508",
                "sha256": "b5af6a21029dc442c46c00c8d9f77d19dce1fff6b8b8d9cef9cfd575d3552067"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-cp39-cp39-manylinux_2_17_armv7l.manylinux2014_armv7l.whl",
            "has_sig": false,
            "md5_digest": "38ddc419abed441263b2a5a1c1c36508",
            "packagetype": "bdist_wheel",
            "python_version": "cp39",
            "requires_python": ">=3.7",
            "size": 4147554,
            "upload_time": "2024-01-04T14:33:51",
            "upload_time_iso_8601": "2024-01-04T14:33:51.543457Z",
            "url": "https://files.pythonhosted.org/packages/51/df/99ebb2169d4f5778d5dde4729fbc92f60024f94a76e7a0aa2d3700b906f2/hifitime-3.9.0-cp39-cp39-manylinux_2_17_armv7l.manylinux2014_armv7l.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "28e67d387aafd0f78e66a2617ff83c076d11aa9003878cf790e57cd104b89ce2",
                "md5": "75c11542c51d5d1bfaddb6c9982084da",
                "sha256": "246099194985138fa6080fd49f1b37207eeb1ae9d3acb6b5446436c6100feb15"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-cp39-cp39-manylinux_2_17_i686.manylinux2014_i686.whl",
            "has_sig": false,
            "md5_digest": "75c11542c51d5d1bfaddb6c9982084da",
            "packagetype": "bdist_wheel",
            "python_version": "cp39",
            "requires_python": ">=3.7",
            "size": 4637953,
            "upload_time": "2024-01-04T14:33:53",
            "upload_time_iso_8601": "2024-01-04T14:33:53.782578Z",
            "url": "https://files.pythonhosted.org/packages/28/e6/7d387aafd0f78e66a2617ff83c076d11aa9003878cf790e57cd104b89ce2/hifitime-3.9.0-cp39-cp39-manylinux_2_17_i686.manylinux2014_i686.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "cee12f1f4c14260ab71a0ac780c09c589a1fd715a76376404df4942e31ec0f95",
                "md5": "84f7f42e0c68b08688e80ea519087aad",
                "sha256": "403f616178c7e710832cfd70abd2641d921ac407eccb319ec77e058e6d978af5"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-cp39-cp39-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl",
            "has_sig": false,
            "md5_digest": "84f7f42e0c68b08688e80ea519087aad",
            "packagetype": "bdist_wheel",
            "python_version": "cp39",
            "requires_python": ">=3.7",
            "size": 4726736,
            "upload_time": "2024-01-04T14:33:56",
            "upload_time_iso_8601": "2024-01-04T14:33:56.399628Z",
            "url": "https://files.pythonhosted.org/packages/ce/e1/2f1f4c14260ab71a0ac780c09c589a1fd715a76376404df4942e31ec0f95/hifitime-3.9.0-cp39-cp39-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "35ae43754010950f54c9d56a3dd28d4929a6afe616dabb56db47ec0d86227d96",
                "md5": "7ac68c1f4277889f803e3ca9b74f7dfd",
                "sha256": "acf1af300b6930873be2c63c2015d289ed761a9cbf53d79eb25fbdd365e69282"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-cp39-cp39-manylinux_2_17_s390x.manylinux2014_s390x.whl",
            "has_sig": false,
            "md5_digest": "7ac68c1f4277889f803e3ca9b74f7dfd",
            "packagetype": "bdist_wheel",
            "python_version": "cp39",
            "requires_python": ">=3.7",
            "size": 4676970,
            "upload_time": "2024-01-04T14:33:59",
            "upload_time_iso_8601": "2024-01-04T14:33:59.314993Z",
            "url": "https://files.pythonhosted.org/packages/35/ae/43754010950f54c9d56a3dd28d4929a6afe616dabb56db47ec0d86227d96/hifitime-3.9.0-cp39-cp39-manylinux_2_17_s390x.manylinux2014_s390x.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "9e8a036331af02c42329358972ecfe7010acd35daf48668ed48539915590aa7a",
                "md5": "35e322f291b02602379f48fa8666dd35",
                "sha256": "cf9559526731bb8287edde31261d4e39df4a3586e726ab721ea5371fef9af3b2"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "has_sig": false,
            "md5_digest": "35e322f291b02602379f48fa8666dd35",
            "packagetype": "bdist_wheel",
            "python_version": "cp39",
            "requires_python": ">=3.7",
            "size": 4570871,
            "upload_time": "2024-01-04T14:34:01",
            "upload_time_iso_8601": "2024-01-04T14:34:01.981194Z",
            "url": "https://files.pythonhosted.org/packages/9e/8a/036331af02c42329358972ecfe7010acd35daf48668ed48539915590aa7a/hifitime-3.9.0-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "39fcfaf0be914c7ceea53f8b40ee3e75877cee294be3f908c1504ee5a38fe746",
                "md5": "f8fd7ff8dbf41c2735019b3849c1c7dd",
                "sha256": "281a0986fddcbed90bed8742ac0cf485ad8c298fb6e2d93b7c49081009615ecb"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-cp39-none-win32.whl",
            "has_sig": false,
            "md5_digest": "f8fd7ff8dbf41c2735019b3849c1c7dd",
            "packagetype": "bdist_wheel",
            "python_version": "cp39",
            "requires_python": ">=3.7",
            "size": 1317839,
            "upload_time": "2024-01-04T14:34:04",
            "upload_time_iso_8601": "2024-01-04T14:34:04.473535Z",
            "url": "https://files.pythonhosted.org/packages/39/fc/faf0be914c7ceea53f8b40ee3e75877cee294be3f908c1504ee5a38fe746/hifitime-3.9.0-cp39-none-win32.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "d8d407805538f30a01ddce679b4ae11174662c1bf7594df291fdb510dcb1ba53",
                "md5": "344528fce49ce168d94d461e63ea5e69",
                "sha256": "2acb84fef8fa8c773a0bc54d8666b0b62d9f71558f0714eece624fda6d313bed"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-cp39-none-win_amd64.whl",
            "has_sig": false,
            "md5_digest": "344528fce49ce168d94d461e63ea5e69",
            "packagetype": "bdist_wheel",
            "python_version": "cp39",
            "requires_python": ">=3.7",
            "size": 1369896,
            "upload_time": "2024-01-04T14:34:06",
            "upload_time_iso_8601": "2024-01-04T14:34:06.490254Z",
            "url": "https://files.pythonhosted.org/packages/d8/d4/07805538f30a01ddce679b4ae11174662c1bf7594df291fdb510dcb1ba53/hifitime-3.9.0-cp39-none-win_amd64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "e2dafae1a9726100225c9302dc06f7eaf3f2e778db389654382e533a1110250c",
                "md5": "cbbf449d376376f4844a66e84b7fc9f6",
                "sha256": "7fd030209fdba983d570390510917be0b6e6209cab22294370acdc8ce5c20e7e"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-pp310-pypy310_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl",
            "has_sig": false,
            "md5_digest": "cbbf449d376376f4844a66e84b7fc9f6",
            "packagetype": "bdist_wheel",
            "python_version": "pp310",
            "requires_python": ">=3.7",
            "size": 4794413,
            "upload_time": "2024-01-04T14:34:09",
            "upload_time_iso_8601": "2024-01-04T14:34:09.271537Z",
            "url": "https://files.pythonhosted.org/packages/e2/da/fae1a9726100225c9302dc06f7eaf3f2e778db389654382e533a1110250c/hifitime-3.9.0-pp310-pypy310_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "77a6d6b22fbb8d72b2c0425abfc011123e9c5f2da909b2698b7b3f246ef6e722",
                "md5": "e674d5442ad559eb6fc3d2f5ed63c18f",
                "sha256": "c8535004a8be514791a6e3fc1ef61d8e14081db3780844f713afd9e4616a27b7"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-pp310-pypy310_pp73-manylinux_2_17_armv7l.manylinux2014_armv7l.whl",
            "has_sig": false,
            "md5_digest": "e674d5442ad559eb6fc3d2f5ed63c18f",
            "packagetype": "bdist_wheel",
            "python_version": "pp310",
            "requires_python": ">=3.7",
            "size": 4147220,
            "upload_time": "2024-01-04T14:34:11",
            "upload_time_iso_8601": "2024-01-04T14:34:11.473511Z",
            "url": "https://files.pythonhosted.org/packages/77/a6/d6b22fbb8d72b2c0425abfc011123e9c5f2da909b2698b7b3f246ef6e722/hifitime-3.9.0-pp310-pypy310_pp73-manylinux_2_17_armv7l.manylinux2014_armv7l.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "12eb977d56c119155d1da576c8ec1e90f7be2aec9e2c60f0df89ba635c50c6f0",
                "md5": "98db99d571608210744ed36afcb84f8b",
                "sha256": "df9892f4631fd26a5fdc1d403349da46fda3339189b356d45326cf3f8b8337d0"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-pp310-pypy310_pp73-manylinux_2_17_i686.manylinux2014_i686.whl",
            "has_sig": false,
            "md5_digest": "98db99d571608210744ed36afcb84f8b",
            "packagetype": "bdist_wheel",
            "python_version": "pp310",
            "requires_python": ">=3.7",
            "size": 4637465,
            "upload_time": "2024-01-04T14:34:13",
            "upload_time_iso_8601": "2024-01-04T14:34:13.726833Z",
            "url": "https://files.pythonhosted.org/packages/12/eb/977d56c119155d1da576c8ec1e90f7be2aec9e2c60f0df89ba635c50c6f0/hifitime-3.9.0-pp310-pypy310_pp73-manylinux_2_17_i686.manylinux2014_i686.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "b0fc3b3c8d1a61110fe2367016b63f1762179aece28969eb8d4867c48ee925da",
                "md5": "7b8b7a95ec7629500291b6dde79bca1a",
                "sha256": "c2a16dfb355995fa49d40db7aebac7b7e3f4e9a63d495556febbfc3b9ab768a8"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-pp310-pypy310_pp73-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl",
            "has_sig": false,
            "md5_digest": "7b8b7a95ec7629500291b6dde79bca1a",
            "packagetype": "bdist_wheel",
            "python_version": "pp310",
            "requires_python": ">=3.7",
            "size": 4728465,
            "upload_time": "2024-01-04T14:34:16",
            "upload_time_iso_8601": "2024-01-04T14:34:16.203350Z",
            "url": "https://files.pythonhosted.org/packages/b0/fc/3b3c8d1a61110fe2367016b63f1762179aece28969eb8d4867c48ee925da/hifitime-3.9.0-pp310-pypy310_pp73-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "2b2d63f878003b5dd18335d3365525cdfc924ee41ab6f95edbf9f08246df935e",
                "md5": "6bc222d70c233a1b2fb3ebbac453f91d",
                "sha256": "0b07d1c54be615dc58ba93f1297412cba3fbcd7d369d4d24768a2c2b6e8bd550"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-pp310-pypy310_pp73-manylinux_2_17_s390x.manylinux2014_s390x.whl",
            "has_sig": false,
            "md5_digest": "6bc222d70c233a1b2fb3ebbac453f91d",
            "packagetype": "bdist_wheel",
            "python_version": "pp310",
            "requires_python": ">=3.7",
            "size": 4676103,
            "upload_time": "2024-01-04T14:34:18",
            "upload_time_iso_8601": "2024-01-04T14:34:18.919083Z",
            "url": "https://files.pythonhosted.org/packages/2b/2d/63f878003b5dd18335d3365525cdfc924ee41ab6f95edbf9f08246df935e/hifitime-3.9.0-pp310-pypy310_pp73-manylinux_2_17_s390x.manylinux2014_s390x.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "ed3c14ef2b45e8d81dc6f2b5651871151cadb5b0f6c50580bb21d0cf3174a54d",
                "md5": "b934f4796ca3d01f108d74f1c670a65d",
                "sha256": "a39543cf41f1920a2b9473dc86959942223b595b23b2eed601647327c3f71ddd"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-pp310-pypy310_pp73-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "has_sig": false,
            "md5_digest": "b934f4796ca3d01f108d74f1c670a65d",
            "packagetype": "bdist_wheel",
            "python_version": "pp310",
            "requires_python": ">=3.7",
            "size": 4571585,
            "upload_time": "2024-01-04T14:34:21",
            "upload_time_iso_8601": "2024-01-04T14:34:21.287157Z",
            "url": "https://files.pythonhosted.org/packages/ed/3c/14ef2b45e8d81dc6f2b5651871151cadb5b0f6c50580bb21d0cf3174a54d/hifitime-3.9.0-pp310-pypy310_pp73-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "eaef32b78353ccf3d352aef66bb7b27fdb467ac66d8c27a5dfb6e66c3f3f7760",
                "md5": "a12b846968989458ed65724f1363d030",
                "sha256": "ea83c041f90bf55c8fe9b59cb1e8bd7f0f1d11c53235b39a36b5e3176256125d"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-pp37-pypy37_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl",
            "has_sig": false,
            "md5_digest": "a12b846968989458ed65724f1363d030",
            "packagetype": "bdist_wheel",
            "python_version": "pp37",
            "requires_python": ">=3.7",
            "size": 4796892,
            "upload_time": "2024-01-04T14:34:23",
            "upload_time_iso_8601": "2024-01-04T14:34:23.720293Z",
            "url": "https://files.pythonhosted.org/packages/ea/ef/32b78353ccf3d352aef66bb7b27fdb467ac66d8c27a5dfb6e66c3f3f7760/hifitime-3.9.0-pp37-pypy37_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "93fbafb2c3628b57e82082f92cd6f9e2c723c1cf70f106ebbd4362f9ef093fa9",
                "md5": "9e63070b1a471d49dfbabecee47c0cb6",
                "sha256": "453394878e75ca4af2d0daf3d16213598859d1cd8aa25e8fceed9a39cfb87138"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-pp37-pypy37_pp73-manylinux_2_17_armv7l.manylinux2014_armv7l.whl",
            "has_sig": false,
            "md5_digest": "9e63070b1a471d49dfbabecee47c0cb6",
            "packagetype": "bdist_wheel",
            "python_version": "pp37",
            "requires_python": ">=3.7",
            "size": 4150113,
            "upload_time": "2024-01-04T14:34:26",
            "upload_time_iso_8601": "2024-01-04T14:34:26.434020Z",
            "url": "https://files.pythonhosted.org/packages/93/fb/afb2c3628b57e82082f92cd6f9e2c723c1cf70f106ebbd4362f9ef093fa9/hifitime-3.9.0-pp37-pypy37_pp73-manylinux_2_17_armv7l.manylinux2014_armv7l.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "385520c213a500d7681b6f39eaf445d33cd7d0bd3c17c1810411835341a8369b",
                "md5": "f7b21e67ba6f4829d91d781ea43b92c3",
                "sha256": "936625280965b2c6df5226f265b6ac8864415719264892cc03ec2635f050cec0"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-pp37-pypy37_pp73-manylinux_2_17_i686.manylinux2014_i686.whl",
            "has_sig": false,
            "md5_digest": "f7b21e67ba6f4829d91d781ea43b92c3",
            "packagetype": "bdist_wheel",
            "python_version": "pp37",
            "requires_python": ">=3.7",
            "size": 4640519,
            "upload_time": "2024-01-04T14:34:29",
            "upload_time_iso_8601": "2024-01-04T14:34:29.422502Z",
            "url": "https://files.pythonhosted.org/packages/38/55/20c213a500d7681b6f39eaf445d33cd7d0bd3c17c1810411835341a8369b/hifitime-3.9.0-pp37-pypy37_pp73-manylinux_2_17_i686.manylinux2014_i686.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "3c89df03667d4a40080fb4e38f05fb9eb1db1e95fd9452c073debbbb0ca2e47a",
                "md5": "8826be067653504c1c42e6df43beaf96",
                "sha256": "f6f8d2879ee95b958e4fb147278ed822e5d78e63123c345a77cc3a5796456603"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-pp37-pypy37_pp73-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl",
            "has_sig": false,
            "md5_digest": "8826be067653504c1c42e6df43beaf96",
            "packagetype": "bdist_wheel",
            "python_version": "pp37",
            "requires_python": ">=3.7",
            "size": 4730988,
            "upload_time": "2024-01-04T14:34:31",
            "upload_time_iso_8601": "2024-01-04T14:34:31.922010Z",
            "url": "https://files.pythonhosted.org/packages/3c/89/df03667d4a40080fb4e38f05fb9eb1db1e95fd9452c073debbbb0ca2e47a/hifitime-3.9.0-pp37-pypy37_pp73-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "f3f25cf46c567b4f0dabb695830f79c4f83e5032b560f769dbcff7eb429119b6",
                "md5": "874a7a4aba66ca140c340c0aca52824c",
                "sha256": "84e76eaa9124afe15b8bff2bf791d5386b0de4504f89cd50b955123800768b9c"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-pp37-pypy37_pp73-manylinux_2_17_s390x.manylinux2014_s390x.whl",
            "has_sig": false,
            "md5_digest": "874a7a4aba66ca140c340c0aca52824c",
            "packagetype": "bdist_wheel",
            "python_version": "pp37",
            "requires_python": ">=3.7",
            "size": 4677565,
            "upload_time": "2024-01-04T14:34:34",
            "upload_time_iso_8601": "2024-01-04T14:34:34.154460Z",
            "url": "https://files.pythonhosted.org/packages/f3/f2/5cf46c567b4f0dabb695830f79c4f83e5032b560f769dbcff7eb429119b6/hifitime-3.9.0-pp37-pypy37_pp73-manylinux_2_17_s390x.manylinux2014_s390x.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "b393f89f350f83426fe2bf84fee9069d0a57cf619f11ac5f97eb6fb681380b4d",
                "md5": "04d4a08caca96f72945b5ac98e03ac82",
                "sha256": "3134a04b7983b37aec17e635761645e5aa435a3cb3e8e4c4284c6dc188ee9b24"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-pp37-pypy37_pp73-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "has_sig": false,
            "md5_digest": "04d4a08caca96f72945b5ac98e03ac82",
            "packagetype": "bdist_wheel",
            "python_version": "pp37",
            "requires_python": ">=3.7",
            "size": 4574469,
            "upload_time": "2024-01-04T14:34:36",
            "upload_time_iso_8601": "2024-01-04T14:34:36.738574Z",
            "url": "https://files.pythonhosted.org/packages/b3/93/f89f350f83426fe2bf84fee9069d0a57cf619f11ac5f97eb6fb681380b4d/hifitime-3.9.0-pp37-pypy37_pp73-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "d7af47523b7c119d0f57a53b19a3d06923deb35c55500cf8812b712b5bed0b66",
                "md5": "7a5326e55610281f38413969aa9e4b63",
                "sha256": "1ad78e7e8740b734d790cb1f8a013b5646eabb184d366ae83ac5decf75d91f25"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-pp38-pypy38_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl",
            "has_sig": false,
            "md5_digest": "7a5326e55610281f38413969aa9e4b63",
            "packagetype": "bdist_wheel",
            "python_version": "pp38",
            "requires_python": ">=3.7",
            "size": 4794536,
            "upload_time": "2024-01-04T14:34:39",
            "upload_time_iso_8601": "2024-01-04T14:34:39.443183Z",
            "url": "https://files.pythonhosted.org/packages/d7/af/47523b7c119d0f57a53b19a3d06923deb35c55500cf8812b712b5bed0b66/hifitime-3.9.0-pp38-pypy38_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "8d2f239c13e309a3d82a1e722b95dec25545f536a0afd713a20ca04eb20ff1f0",
                "md5": "714fd797867ff14ae85dc72002e04c30",
                "sha256": "a0f94d0c13eb3284fd9d52cde6f0529981cbcc10b637da46fb4e269a5b1b9804"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-pp38-pypy38_pp73-manylinux_2_17_armv7l.manylinux2014_armv7l.whl",
            "has_sig": false,
            "md5_digest": "714fd797867ff14ae85dc72002e04c30",
            "packagetype": "bdist_wheel",
            "python_version": "pp38",
            "requires_python": ">=3.7",
            "size": 4147003,
            "upload_time": "2024-01-04T14:34:41",
            "upload_time_iso_8601": "2024-01-04T14:34:41.856223Z",
            "url": "https://files.pythonhosted.org/packages/8d/2f/239c13e309a3d82a1e722b95dec25545f536a0afd713a20ca04eb20ff1f0/hifitime-3.9.0-pp38-pypy38_pp73-manylinux_2_17_armv7l.manylinux2014_armv7l.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "8efa5ad6553336d73d6de9caf2c84ba992cbef9cf3254f142dfefe2be61ca4d4",
                "md5": "cf67b3d449fd3b79dbe2e5813272cf3f",
                "sha256": "2ff4904085019897c518a871f1afa789e5652c659e0bb42c4c861f9e3d1b550b"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-pp38-pypy38_pp73-manylinux_2_17_i686.manylinux2014_i686.whl",
            "has_sig": false,
            "md5_digest": "cf67b3d449fd3b79dbe2e5813272cf3f",
            "packagetype": "bdist_wheel",
            "python_version": "pp38",
            "requires_python": ">=3.7",
            "size": 4639590,
            "upload_time": "2024-01-04T14:34:44",
            "upload_time_iso_8601": "2024-01-04T14:34:44.552375Z",
            "url": "https://files.pythonhosted.org/packages/8e/fa/5ad6553336d73d6de9caf2c84ba992cbef9cf3254f142dfefe2be61ca4d4/hifitime-3.9.0-pp38-pypy38_pp73-manylinux_2_17_i686.manylinux2014_i686.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "9246a39f51c2703c84920554132c2ea6613412df87c6edda7bb4b301f28c10cb",
                "md5": "ec81cb5c559319d57688611402690840",
                "sha256": "5d97f9cf07a40a6649e077224b252e1125c00ccd5f23c6dbf4b1cf86178cf234"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-pp38-pypy38_pp73-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl",
            "has_sig": false,
            "md5_digest": "ec81cb5c559319d57688611402690840",
            "packagetype": "bdist_wheel",
            "python_version": "pp38",
            "requires_python": ">=3.7",
            "size": 4729426,
            "upload_time": "2024-01-04T14:34:47",
            "upload_time_iso_8601": "2024-01-04T14:34:47.682676Z",
            "url": "https://files.pythonhosted.org/packages/92/46/a39f51c2703c84920554132c2ea6613412df87c6edda7bb4b301f28c10cb/hifitime-3.9.0-pp38-pypy38_pp73-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "41077e2a2aa75448b6a1baf398b035b6a20d5da675dcafcd1ebe239cadfd21b3",
                "md5": "6730ffbb3c14e0fd4851fcc2c3200060",
                "sha256": "978ea28d9a5e063776887e2452cf418c5106884f3d7353a0baf271322b1a9190"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-pp38-pypy38_pp73-manylinux_2_17_s390x.manylinux2014_s390x.whl",
            "has_sig": false,
            "md5_digest": "6730ffbb3c14e0fd4851fcc2c3200060",
            "packagetype": "bdist_wheel",
            "python_version": "pp38",
            "requires_python": ">=3.7",
            "size": 4674185,
            "upload_time": "2024-01-04T14:34:50",
            "upload_time_iso_8601": "2024-01-04T14:34:50.558440Z",
            "url": "https://files.pythonhosted.org/packages/41/07/7e2a2aa75448b6a1baf398b035b6a20d5da675dcafcd1ebe239cadfd21b3/hifitime-3.9.0-pp38-pypy38_pp73-manylinux_2_17_s390x.manylinux2014_s390x.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "d24359acc461b98eb7ed55cd16329f4e710d865481352531cac95f9fc38fbd23",
                "md5": "391faaaac5ed4e517680fbaa12efc4a1",
                "sha256": "0b68538a261a1dcf0df2718bbcc1491bba14cf7733fe5bf5c4d4de19f5232678"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-pp38-pypy38_pp73-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "has_sig": false,
            "md5_digest": "391faaaac5ed4e517680fbaa12efc4a1",
            "packagetype": "bdist_wheel",
            "python_version": "pp38",
            "requires_python": ">=3.7",
            "size": 4571127,
            "upload_time": "2024-01-04T14:34:53",
            "upload_time_iso_8601": "2024-01-04T14:34:53.333205Z",
            "url": "https://files.pythonhosted.org/packages/d2/43/59acc461b98eb7ed55cd16329f4e710d865481352531cac95f9fc38fbd23/hifitime-3.9.0-pp38-pypy38_pp73-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "f4b4484429e0c805ad90a4fe5e961b16db3b159511946207d1911df45bfbf20e",
                "md5": "f657050a0410813bcc66ce1fb9ea0b9b",
                "sha256": "86a1f9c0ec85bc320c77fdf2b6862a6993311882c7ecea41f1e83db1a7b2ff54"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-pp39-pypy39_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl",
            "has_sig": false,
            "md5_digest": "f657050a0410813bcc66ce1fb9ea0b9b",
            "packagetype": "bdist_wheel",
            "python_version": "pp39",
            "requires_python": ">=3.7",
            "size": 4794528,
            "upload_time": "2024-01-04T14:34:56",
            "upload_time_iso_8601": "2024-01-04T14:34:56.141836Z",
            "url": "https://files.pythonhosted.org/packages/f4/b4/484429e0c805ad90a4fe5e961b16db3b159511946207d1911df45bfbf20e/hifitime-3.9.0-pp39-pypy39_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "f96330d308fdc49df147c04694c17b6310e9adfdfdcc7813a365a88250699af1",
                "md5": "4a0bd57403bad0345afe814c5184f7de",
                "sha256": "5bd983b5262eb6aaeba824da4a4495553fa9ac7f9eaa2a06f1f22c8b4f2490fb"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-pp39-pypy39_pp73-manylinux_2_17_armv7l.manylinux2014_armv7l.whl",
            "has_sig": false,
            "md5_digest": "4a0bd57403bad0345afe814c5184f7de",
            "packagetype": "bdist_wheel",
            "python_version": "pp39",
            "requires_python": ">=3.7",
            "size": 4147021,
            "upload_time": "2024-01-04T14:34:58",
            "upload_time_iso_8601": "2024-01-04T14:34:58.494247Z",
            "url": "https://files.pythonhosted.org/packages/f9/63/30d308fdc49df147c04694c17b6310e9adfdfdcc7813a365a88250699af1/hifitime-3.9.0-pp39-pypy39_pp73-manylinux_2_17_armv7l.manylinux2014_armv7l.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "f694614052ec49ffe6bdb2f7d8fc4c420cd7bf2985326fb4c946b8688cce1058",
                "md5": "da2f40f8c2fcda456aa460118fa7e8b6",
                "sha256": "924ff54f06af079286df2c818e6079f5aa28aa977f52883c1b68e7d07086685e"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-pp39-pypy39_pp73-manylinux_2_17_i686.manylinux2014_i686.whl",
            "has_sig": false,
            "md5_digest": "da2f40f8c2fcda456aa460118fa7e8b6",
            "packagetype": "bdist_wheel",
            "python_version": "pp39",
            "requires_python": ">=3.7",
            "size": 4637331,
            "upload_time": "2024-01-04T14:35:00",
            "upload_time_iso_8601": "2024-01-04T14:35:00.870994Z",
            "url": "https://files.pythonhosted.org/packages/f6/94/614052ec49ffe6bdb2f7d8fc4c420cd7bf2985326fb4c946b8688cce1058/hifitime-3.9.0-pp39-pypy39_pp73-manylinux_2_17_i686.manylinux2014_i686.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "3fc1f09bc0efc88cc8cbc5f0a120d00143545f638e7e48b0b0b245b7e1ddd427",
                "md5": "e7a0012f2df496fe811fd36ee0523434",
                "sha256": "93b6eb25556b68d419b72911231344d91654dc36f2ebd1d7f4a841d1534f0c1e"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-pp39-pypy39_pp73-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl",
            "has_sig": false,
            "md5_digest": "e7a0012f2df496fe811fd36ee0523434",
            "packagetype": "bdist_wheel",
            "python_version": "pp39",
            "requires_python": ">=3.7",
            "size": 4728377,
            "upload_time": "2024-01-04T14:35:04",
            "upload_time_iso_8601": "2024-01-04T14:35:04.103463Z",
            "url": "https://files.pythonhosted.org/packages/3f/c1/f09bc0efc88cc8cbc5f0a120d00143545f638e7e48b0b0b245b7e1ddd427/hifitime-3.9.0-pp39-pypy39_pp73-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "02d03e2661fbe642c49b4d25a99493d99bea32f27f0395533a8f32d6e2335cdd",
                "md5": "cf80ebb4e79b3c93a7ccb5a81b87c6b1",
                "sha256": "20d70076cc7941174ee5080c5dcb1b87f622d09750079b28423a5f572279dd06"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-pp39-pypy39_pp73-manylinux_2_17_s390x.manylinux2014_s390x.whl",
            "has_sig": false,
            "md5_digest": "cf80ebb4e79b3c93a7ccb5a81b87c6b1",
            "packagetype": "bdist_wheel",
            "python_version": "pp39",
            "requires_python": ">=3.7",
            "size": 4675661,
            "upload_time": "2024-01-04T14:35:06",
            "upload_time_iso_8601": "2024-01-04T14:35:06.574815Z",
            "url": "https://files.pythonhosted.org/packages/02/d0/3e2661fbe642c49b4d25a99493d99bea32f27f0395533a8f32d6e2335cdd/hifitime-3.9.0-pp39-pypy39_pp73-manylinux_2_17_s390x.manylinux2014_s390x.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "3a9387cb3239306982f296ede350b847a2d664837719cfcb24fff3888f657cd3",
                "md5": "7a8690da6cf8505ad4cb951214dda039",
                "sha256": "77dff3492c78de4424ba72fe8071cdb2d3e36ea65fd9a00b9712b862e4e6e07a"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0-pp39-pypy39_pp73-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "has_sig": false,
            "md5_digest": "7a8690da6cf8505ad4cb951214dda039",
            "packagetype": "bdist_wheel",
            "python_version": "pp39",
            "requires_python": ">=3.7",
            "size": 4571852,
            "upload_time": "2024-01-04T14:35:08",
            "upload_time_iso_8601": "2024-01-04T14:35:08.941228Z",
            "url": "https://files.pythonhosted.org/packages/3a/93/87cb3239306982f296ede350b847a2d664837719cfcb24fff3888f657cd3/hifitime-3.9.0-pp39-pypy39_pp73-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "4efb59aa8349508bbc84c60983a5987c2a87cbe57568a3b02c0ed0ec094f33b1",
                "md5": "32010a920be5b6d321e94ea4264454bf",
                "sha256": "091140d58cf6efa515b2a4b130d3f4c97c763773089d85b05a95f2c02fa8bcf4"
            },
            "downloads": -1,
            "filename": "hifitime-3.9.0.tar.gz",
            "has_sig": false,
            "md5_digest": "32010a920be5b6d321e94ea4264454bf",
            "packagetype": "sdist",
            "python_version": "source",
            "requires_python": ">=3.7",
            "size": 126048,
            "upload_time": "2024-01-04T14:35:11",
            "upload_time_iso_8601": "2024-01-04T14:35:11.413442Z",
            "url": "https://files.pythonhosted.org/packages/4e/fb/59aa8349508bbc84c60983a5987c2a87cbe57568a3b02c0ed0ec094f33b1/hifitime-3.9.0.tar.gz",
            "yanked": false,
            "yanked_reason": null
        }
    ],
    "upload_time": "2024-01-04 14:35:11",
    "github": true,
    "gitlab": false,
    "bitbucket": false,
    "codeberg": false,
    "github_user": "nyx-space",
    "github_project": "hifitime",
    "travis_ci": false,
    "coveralls": false,
    "github_actions": true,
    "lcname": "hifitime"
}
        
Elapsed time: 0.23056s