1
  2
  3
  4
  5
  6
  7
  8
  9
 10
 11
 12
 13
 14
 15
 16
 17
 18
 19
 20
 21
 22
 23
 24
 25
 26
 27
 28
 29
 30
 31
 32
 33
 34
 35
 36
 37
 38
 39
 40
 41
 42
 43
 44
 45
 46
 47
 48
 49
 50
 51
 52
 53
 54
 55
 56
 57
 58
 59
 60
 61
 62
 63
 64
 65
 66
 67
 68
 69
 70
 71
 72
 73
 74
 75
 76
 77
 78
 79
 80
 81
 82
 83
 84
 85
 86
 87
 88
 89
 90
 91
 92
 93
 94
 95
 96
 97
 98
 99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
//! TAI64(N) timestamp generation, parsing and calculation.
//!
//! # Limitations
//!
//! Does not handle leap seconds. But libtai does not either. So we
//! should interoperate just fine 😣.

#![crate_name = "tai64"]
#![crate_type = "rlib"]
#![allow(unknown_lints, suspicious_arithmetic_impl)]
#![deny(warnings, missing_docs, unsafe_code, unused_import_braces, unused_qualifications)]
#![doc(html_root_url = "https://docs.rs/tai64/0.2.0")]

extern crate byteorder;
#[cfg(feature = "chrono")]
extern crate chrono;

use byteorder::{BigEndian, ByteOrder};

#[cfg(feature = "chrono")]
use chrono::{DateTime, NaiveDateTime, Utc};

use std::ops::{Add, Sub};
use std::time::{Duration, SystemTime, UNIX_EPOCH};

/// A `TAI64` label.
#[derive(Debug, PartialEq, Eq, PartialOrd, Ord, Copy, Clone, Hash)]
pub struct TAI64(pub u64);

/// A `TAI64N` timestamp.
///
/// Invariant: The nanosecond part <= 999999999.
#[derive(Debug, PartialEq, Eq, PartialOrd, Ord, Copy, Clone, Hash)]
pub struct TAI64N(pub TAI64, pub u32);

// To and from external representation.

impl TAI64 {
    /// Convert `TAI64` to external representation.
    pub fn to_external(&self) -> [u8; 8] {
        let mut result = [0u8; 8];
        BigEndian::write_u64(&mut result, self.0);
        result
    }

    /// Parse `TAI64` from external representation.
    pub fn from_external(ext: &[u8]) -> Option<Self> {
        if ext.len() != 8 {
            None
        } else {
            Some(TAI64(BigEndian::read_u64(ext)))
        }
    }
}

impl TAI64N {
    /// Convert `TAI64N` to external representation.
    pub fn to_external(&self) -> [u8; 12] {
        let mut result = [0u8; 12];
        result[..8].copy_from_slice(&self.0.to_external());
        BigEndian::write_u32(&mut result[8..], self.1);
        result
    }

    /// Parse `TAI64N` from external representation.
    pub fn from_external(ext: &[u8]) -> Option<Self> {
        if ext.len() != 12 {
            return None;
        }

        let s = TAI64::from_external(&ext[..8]).unwrap();
        let n = BigEndian::read_u32(&ext[8..]);

        if n <= 999_999_999 {
            Some(TAI64N(s, n))
        } else {
            None
        }
    }
}

impl TAI64N {
    /// Get `TAI64N` timestamp according to system clock.
    pub fn now() -> TAI64N {
        TAI64N::from_system_time(&SystemTime::now())
    }
}

// Operators.

const NANOSECONDS_PER_SECOND: u32 = 1_000_000_000;

impl Add<u64> for TAI64 {
    type Output = TAI64;

    fn add(self, x: u64) -> TAI64 {
        TAI64(self.0 + x)
    }
}

impl Sub<u64> for TAI64 {
    type Output = TAI64;

    fn sub(self, x: u64) -> TAI64 {
        TAI64(self.0 - x)
    }
}

impl Add<Duration> for TAI64N {
    type Output = TAI64N;

    fn add(self, d: Duration) -> TAI64N {
        let n = self.1 + d.subsec_nanos();
        let (carry, n) = if n >= NANOSECONDS_PER_SECOND {
            (1, n - NANOSECONDS_PER_SECOND)
        } else {
            (0, n)
        };
        TAI64N(self.0 + d.as_secs() + carry, n)
    }
}

impl Sub<Duration> for TAI64N {
    type Output = TAI64N;

    fn sub(self, d: Duration) -> TAI64N {
        let (carry, n) = if self.1 >= d.subsec_nanos() {
            (0, self.1 - d.subsec_nanos())
        } else {
            (1, NANOSECONDS_PER_SECOND + self.1 - d.subsec_nanos())
        };
        TAI64N(self.0 - carry - d.as_secs(), n)
    }
}

impl TAI64N {
    /// Calculate how much time passes since the `other` timestamp.
    ///
    /// Returns `Ok(Duration)` if `other` is ealier than `self`,
    /// `Err(Duration)` otherwise.
    pub fn duration_since(&self, other: &TAI64N) -> Result<Duration, Duration> {
        if self >= other {
            let (carry, n) = if self.1 >= other.1 {
                (0, self.1 - other.1)
            } else {
                (1, NANOSECONDS_PER_SECOND + self.1 - other.1)
            };
            let s = (self.0).0 - carry - (other.0).0;
            Ok(Duration::new(s, n))
        } else {
            Err(other.duration_since(self).unwrap())
        }
    }
}

// To and From unix timestamp.

// Unix epoch is 1970-01-01 00:00:10 TAI.

impl TAI64 {
    /// Convert unix timestamp to `TAI64`.
    pub fn from_unix(secs: i64) -> Self {
        TAI64(secs.checked_add(10 + (1 << 62)).unwrap() as u64)
    }

    /// Convert `TAI64` to unix timestamp.
    pub fn to_unix(&self) -> i64 {
        (self.0 as i64).checked_sub(10 + (1 << 62)).unwrap()
    }
}

// To and from SystemTime.

/// Unix EPOCH in TAI64N.
pub const UNIX_EPOCH_TAI64N: TAI64N = TAI64N(TAI64(10 + (1 << 62)), 0);

impl TAI64N {
    /// Convert `SystemTime` to `TAI64N`.
    pub fn from_system_time(t: &SystemTime) -> Self {
        match t.duration_since(UNIX_EPOCH) {
            Ok(d) => UNIX_EPOCH_TAI64N + d,
            Err(e) => UNIX_EPOCH_TAI64N - e.duration(),
        }
    }

    /// Convert `TAI64N`to `SystemTime`.
    pub fn to_system_time(&self) -> SystemTime {
        match self.duration_since(&UNIX_EPOCH_TAI64N) {
            Ok(d) => UNIX_EPOCH + d,
            Err(d) => UNIX_EPOCH - d,
        }
    }
}

impl From<SystemTime> for TAI64N {
    fn from(t: SystemTime) -> TAI64N {
        TAI64N::from_system_time(&t)
    }
}

// To and from chrono::DateTime<Utc>

#[cfg(feature = "chrono")]
impl TAI64N {
    /// Convert `chrono::DateTime<Utc>` to `TAI64N`
    pub fn from_datetime_utc(t: &DateTime<Utc>) -> Self {
        let unix_epoch: DateTime<Utc> =
            DateTime::from_utc(NaiveDateTime::from_timestamp(0, 0), Utc);

        let duration = t.signed_duration_since(unix_epoch);

        if duration.num_seconds() > 0 {
            UNIX_EPOCH_TAI64N + duration.to_std().unwrap()
        } else {
            UNIX_EPOCH_TAI64N - unix_epoch.signed_duration_since(*t).to_std().unwrap()
        }
    }

    /// Convert `TAI64N` to `chrono::DateTime<Utc>`
    pub fn to_datetime_utc(&self) -> DateTime<Utc> {
        let (secs, nanos) = match self.to_system_time().duration_since(UNIX_EPOCH) {
            Ok(duration) => (duration.as_secs() as i64, duration.subsec_nanos()),
            Err(e) => (
                -(e.duration().as_secs() as i64),
                e.duration().subsec_nanos(),
            ),
        };

        DateTime::from_utc(NaiveDateTime::from_timestamp(secs, nanos), Utc)
    }
}

#[cfg(feature = "chrono")]
impl From<DateTime<Utc>> for TAI64N {
    fn from(t: DateTime<Utc>) -> TAI64N {
        TAI64N::from_datetime_utc(&t)
    }
}

#[cfg(test)]
#[macro_use]
extern crate quickcheck;

#[cfg(test)]
mod tests {
    #[cfg(feature = "chrono")]
    extern crate chrono;

    use super::*;

    use std::time::{Duration, UNIX_EPOCH};

    #[cfg(feature = "chrono")]
    use self::chrono::prelude::*;

    use quickcheck::{Arbitrary, Gen};

    #[cfg(feature = "chrono")]
    #[test]
    fn known_answer() {
        // https://cr.yp.to/libtai/tai64.html:
        // The timestamp 1992-06-02 08:06:43 UTC should be TAI “40 00 00 00 2a 2b 2c 2d”.

        // There are 16 (positive) leap seconds between 1970-1-1 and
        // 1992-06-02. And chrono `NaiveDate` is in TAI scale. So add
        // 16 seconds.
        let t = NaiveDate::from_ymd(1992, 6, 2).and_hms(8, 6, 59);
        let unix_secs = t.timestamp();
        let tai64 = TAI64::from_unix(unix_secs);

        assert_eq!(tai64.0, 0x400000002a2b2c2d);
        assert_eq!(
            &tai64.to_external(),
            &[0x40, 0, 0, 0, 0x2a, 0x2b, 0x2c, 0x2d]
        );
    }

    #[test]
    fn before_epoch() {
        let t = UNIX_EPOCH - Duration::new(0, 1);
        let tai64n = TAI64N::from_system_time(&t);
        let t1 = tai64n.to_system_time();

        assert_eq!(t, t1);

        let t = UNIX_EPOCH - Duration::new(488294802189, 999999999);
        let tai64n = TAI64N::from_system_time(&t);
        let t1 = tai64n.to_system_time();

        assert_eq!(t, t1);

        let t = UNIX_EPOCH - Duration::new(73234, 68416841);
        let tai64n = TAI64N::from_system_time(&t);
        let t1 = tai64n.to_system_time();

        assert_eq!(t, t1);
    }

    impl Arbitrary for TAI64N {
        fn arbitrary<G: Gen>(g: &mut G) -> Self {
            let s = u64::arbitrary(g);
            let n = u32::arbitrary(g) % NANOSECONDS_PER_SECOND;
            TAI64N(TAI64(s), n)
        }
    }

    quickcheck!{
        // XXX: overflow?
        fn tai64n_add_sub(x: TAI64N, y: Duration) -> bool {
            x + y - y == x
        }

        fn duration_add_sub(x: TAI64N, y: TAI64N) -> bool {
            match x.duration_since(&y) {
                Ok(d) => {
                    assert_eq!(x, y + d);
                    assert_eq!(y, x - d);
                }
                Err(d) => {
                    assert_eq!(y, x + d);
                    assert_eq!(x, y - d);
                }
            }
            true
        }

        fn to_from_system_time(before_epoch: bool, d: Duration) -> bool {
            let st = if before_epoch {
                UNIX_EPOCH + d
            } else {
                UNIX_EPOCH - d
            };

            let st1 = TAI64N::from_system_time(&st).to_system_time();

            st == st1
        }
    }
}