Last active
September 9, 2024 08:51
-
-
Save davidbuzz/df4113f22dd0df5f3787b644ed6c5db1 to your computer and use it in GitHub Desktop.
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
| import time | |
| from datetime import date, timedelta | |
| import datetime | |
| import calendar | |
| # test code by davidbuzz, sept 2019 | |
| #NOTES: | |
| #GPS time was zero at 0h 6-Jan-1980 and since it is not perturbed by leap seconds GPS is now ahead of UTC by 18 seconds. | |
| #TAI is currently ahead of UTC by 37 seconds, and like gps, does not have leap seconds. TAI is always ahead of GPS by 19 seconds. | |
| # adding a leap second to UTC essentially pushes it further BEHIND GPS each time it's done. | |
| # local now, as time.. | |
| now_secs = time.time() #time in seconds since the epoch as a floating point number. | |
| print now_secs | |
| print 'local:',time.asctime(time.localtime(now_secs)) | |
| l = time.strftime("%Y-%m-%d %H:%M:%S", time.localtime(now_secs)) | |
| print l | |
| # same time, as UTC not local: | |
| print 'utc :',time.asctime(time.gmtime(now_secs)) | |
| us = time.gmtime(now_secs) | |
| u = time.strftime("%Y-%m-%d %H:%M:%S", us) | |
| print u | |
| # we'll use this format a lot... | |
| datetimeformat = "%Y-%m-%d %H:%M:%S" | |
| print "--------------------------------------------------------------------------------------------" | |
| print "basic sanity check of builtin functions by running time zero, epoch, through them" | |
| print "--------------" | |
| # UTC at epoch time.. ( these are the reverse of each other ) | |
| gm_epoch = time.gmtime(0) # return struct_time in UTC of the epoch at time zero. | |
| epoch_secs = calendar.timegm(gm_epoch) # turns above into secs-since-epoch in UTC | |
| if epoch_secs != 0: | |
| print("EPOCH omg, python is so broken") | |
| else: | |
| print("\nEPOCH python says UTC conversion is ok.\n") | |
| print "--------------------------------------------------------------------------------------------" | |
| print "basic sanity check of builtin functions by running current time in utc through them" | |
| print "--------------" | |
| # UTC at current time.. ( these are the reverse of each other ) | |
| now_epoch = time.gmtime(now_secs) # return struct_time in UTC of the epoch at time zero. | |
| now_secs2 = calendar.timegm(now_epoch) # turns above into secs-since-epoch in UTC | |
| if now_secs2 != int(now_secs) : # the int() is because time.time returns a higher-res float value thats better than 1 second accurate. | |
| print("NOW omg, python is so broken:") | |
| print now_secs2, now_secs | |
| else: | |
| print("NOW python says UTC conversion is ok.") | |
| print "\n--------------------------------------------------------------------------------------------" | |
| print "first implementation of gps<->utc and back again..." | |
| print "--------------" | |
| def utctoweekseconds(utc,leapseconds): | |
| """ Returns the GPS week, the GPS day, and the seconds | |
| and microseconds since the beginning of the GPS week """ | |
| import datetime, calendar | |
| global datetimeformat | |
| epoch = datetime.datetime.strptime("1980-01-06 00:00:00",datetimeformat) | |
| tdiff = utc -epoch + datetime.timedelta(seconds=leapseconds) | |
| gpsweek = tdiff.days // 7 | |
| gpsdays = tdiff.days - 7*gpsweek | |
| gpsseconds = tdiff.seconds + 86400* (tdiff.days -7*gpsweek) | |
| return gpsweek,gpsseconds #,gpsdays,tdiff.microseconds | |
| def weeksecondstoutc(gpsweek,gpsseconds,leapseconds): | |
| import datetime, calendar | |
| global datetimeformat | |
| epoch = datetime.datetime.strptime("1980-01-06 00:00:00",datetimeformat) | |
| elapsed = datetime.timedelta(days=(gpsweek*7),seconds=(gpsseconds+leapseconds)) | |
| return datetime.datetime.strftime(epoch + elapsed,datetimeformat) | |
| # given the UTC value from time.gmtime(time.time) representing now, make a datetime object from it.. | |
| dt = datetime.datetime.strptime(u,datetimeformat) | |
| # | |
| (gpsweek,gpsseconds) = utctoweekseconds(dt,18) | |
| print 'utc TO gps week, gps secs ',(gpsweek,gpsseconds) | |
| # the above output comares correctly to http://leapsecond.com/java/gpsclock.htm | |
| # there is currently a 18sec lag going from gps time to utc time due to leap seconds in utc | |
| g = weeksecondstoutc(gpsweek,gpsseconds,-18) | |
| print 'utc FROM gps+leap',u ,"\n" | |
| # compare the two implementations and see if they match | |
| u_dt = datetime.datetime.strptime(u,datetimeformat) | |
| g_dt = datetime.datetime.strptime(g,datetimeformat) | |
| diff = u_dt-g_dt | |
| #print diff,"\n",u_dt,"\n",g_dt | |
| # perfect conversion? | |
| if g == u : | |
| print "1.perfect conversion through both functions back to original utc" | |
| else: | |
| print "1.broken conversion through both functions back to original utc:" | |
| # import a differnt implementation to be sure we have it right, optional. | |
| try: | |
| import leapseconds # from https://gist.github.com/zed/92df922103ac9deb1a05 | |
| except ImportError as e: | |
| pass | |
| # make this optional for this script to succeed... | |
| import sys | |
| modulename = 'leapseconds' | |
| if modulename in sys.modules: | |
| print "\n--------------------------------------------------------------------------------------------" | |
| print "optional second implementation of gps<->utc and back again..." | |
| print "--------------" | |
| u_dt = datetime.datetime.strptime(u,datetimeformat) | |
| lsu = leapseconds.utc_to_gps(u_dt) | |
| print 'gpstime from utc (ahead):', lsu | |
| lsg_dt = datetime.datetime.strptime(str(lsu),datetimeformat) | |
| lsg = leapseconds.gps_to_utc(lsg_dt) | |
| print 'utc time back from gps:', lsg | |
| if str(lsg) == str(u_dt): | |
| print "2.perfect conversion through both functions back to original utc" | |
| else: | |
| print "2.broken conversion through both functions back to original utc:" | |
| print str(lsg),"\n",str(u_dt) | |
| print "\n--------------------------------------------------------------------------------------------" | |
| print "final test implementation of gps<->utc and back again taken from pymavlink.." | |
| print "--------------" | |
| def _gpsTimeToTime(self, week, msec): | |
| '''convert GPS week and TOW to a time in seconds since 1970''' | |
| epoch = 86400*(10*365 + int((1980-1969)/4) + 1 + 6 - 2) | |
| return epoch + 86400*7*week + msec*0.001 - 15 | |
| # test copy of broken pymavlink with some fixed values ( and use millisecs, not secs) | |
| t = _gpsTimeToTime(0, gpsweek, gpsseconds*1000); | |
| print time.ctime(t) | |
| print "_gpsTimeToTime() calculations on NOW are off by %d seconds"% ( t - now_secs +1) | |
| # week zero, milliseconds 0, | |
| secs_since_1970_utc = _gpsTimeToTime(0, 0, 0); | |
| print time.ctime(secs_since_1970_utc) | |
| print "_gpsTimeToTime() calculations on EPOCH(zero) are off by %d seconds"% ( t - 0) | |
| print "--------------" | |
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
| #!/usr/bin/env python | |
| """Get TAI-UTC difference in seconds for a given time using tzdata. | |
| i.e., find the number of seconds that must be added to UTC to compute | |
| TAI for any timestamp at or after the given time[1]. | |
| >>> from datetime import datetime | |
| >>> import leapseconds | |
| >>> leapseconds.dTAI_UTC_from_utc(datetime(2005, 1, 1)) | |
| datetime.timedelta(0, 32) | |
| >>> leapseconds.utc_to_tai(datetime(2015, 7, 1)) | |
| datetime.datetime(2015, 7, 1, 0, 0, 36) | |
| >>> leapseconds.tai_to_utc(datetime(2015, 7, 1, 0, 0, 36)) | |
| datetime.datetime(2015, 7, 1, 0, 0) | |
| >>> leapseconds.tai_to_utc(datetime(2015, 7, 1, 0, 0, 35)) # leap second | |
| datetime.datetime(2015, 7, 1, 0, 0) | |
| >>> leapseconds.tai_to_utc(datetime(2015, 7, 1, 0, 0, 34)) | |
| datetime.datetime(2015, 6, 30, 23, 59, 59) | |
| Python 2.6+, Python 3, Jython, Pypy support. | |
| [1]: https://github.com/eggert/tz/blob/master/leap-seconds.list | |
| [2]: https://github.com/eggert/tz/blob/master/tzfile.h | |
| [3]: https://github.com/eggert/tz/blob/master/zic.c | |
| [4]: http://datacenter.iers.org/eop/-/somos/5Rgv/latest/16 | |
| """ | |
| from __future__ import with_statement | |
| from collections import namedtuple | |
| from datetime import datetime, timedelta | |
| from struct import Struct | |
| from warnings import warn | |
| __all__ = ['leapseconds', 'LeapSecond', | |
| 'dTAI_UTC_from_utc', 'dTAI_UTC_from_tai', | |
| 'tai_to_utc', 'utc_to_tai', | |
| 'gps_to_utc', 'utc_to_gps', | |
| 'tai_to_gps', 'gps_to_tai'] | |
| __version__ = "0.1.0" | |
| # from timezone/tzfile.h [2] (the file is in public domain) | |
| """ | |
| struct tzhead { | |
| char tzh_magic[4]; /* TZ_MAGIC */ | |
| char tzh_version[1]; /* '\0' or '2' or '3' as of 2013 */ | |
| char tzh_reserved[15]; /* reserved--must be zero */ | |
| char tzh_ttisgmtcnt[4]; /* coded number of trans. time flags */ | |
| char tzh_ttisstdcnt[4]; /* coded number of trans. time flags */ | |
| char tzh_leapcnt[4]; /* coded number of leap seconds */ | |
| char tzh_timecnt[4]; /* coded number of transition times */ | |
| char tzh_typecnt[4]; /* coded number of local time types */ | |
| char tzh_charcnt[4]; /* coded number of abbr. chars */ | |
| }; | |
| # from zic.c[3] (the file is in public domain) | |
| convert(const int_fast32_t val, char *const buf) | |
| { | |
| register int i; | |
| register int shift; | |
| unsigned char *const b = (unsigned char *) buf; | |
| for (i = 0, shift = 24; i < 4; ++i, shift -= 8) | |
| b[i] = val >> shift; | |
| } | |
| # val = 0x12345678 | |
| # (val >> 24) & 0xff, (val >> 16) & 0xff, (val >> 8) & 0xff, val & 0xff | |
| # 0x12 0x34 0x56 0x78 | |
| # therefore "coded number" means big-endian 32-bit integer | |
| """ | |
| dTAI_GPS = timedelta(seconds=19) # constant offset | |
| LeapSecond = namedtuple('LeapSecond', 'utc dTAI_UTC') # tai = utc + dTAI_UTC | |
| sentinel = LeapSecond(utc=datetime.max, dTAI_UTC=timedelta(0)) | |
| def leapseconds(tzfiles=['/usr/share/zoneinfo/right/UTC', | |
| '/usr/lib/zoneinfo/right/UTC'], | |
| use_fallback=False): | |
| """Extract leap seconds from *tzfiles*.""" | |
| for filename in tzfiles: | |
| try: | |
| file = open(filename, 'rb') | |
| except IOError: | |
| continue | |
| else: | |
| break | |
| else: # no break | |
| if not use_fallback: | |
| raise ValueError('Unable to open any tzfile: %s' % (tzfiles,)) | |
| else: | |
| return _fallback() | |
| with file: | |
| header = Struct('>4s c 15x 6i') # see struct tzhead above | |
| (magic, version, _, _, leapcnt, timecnt, typecnt, | |
| charcnt) = header.unpack_from(file.read(header.size)) | |
| if magic != "TZif".encode(): | |
| raise ValueError('Wrong magic %r in tzfile: %s' % ( | |
| magic, file.name)) | |
| if version not in '\x0023'.encode(): | |
| warn('Unsupported version %r in tzfile: %s' % ( | |
| version, file.name), RuntimeWarning) | |
| if leapcnt == 0: | |
| raise ValueError("No leap seconds in tzfile: %s" % ( | |
| file.name)) | |
| """# from tzfile.h[2] (the file is in public domain) | |
| . . .header followed by. . . | |
| tzh_timecnt (char [4])s coded transition times a la time(2) | |
| tzh_timecnt (unsigned char)s types of local time starting at above | |
| tzh_typecnt repetitions of | |
| one (char [4]) coded UT offset in seconds | |
| one (unsigned char) used to set tm_isdst | |
| one (unsigned char) that's an abbreviation list index | |
| tzh_charcnt (char)s '\0'-terminated zone abbreviations | |
| tzh_leapcnt repetitions of | |
| one (char [4]) coded leap second transition times | |
| one (char [4]) total correction after above | |
| """ | |
| file.read(timecnt * 5 + typecnt * 6 + charcnt) # skip | |
| result = [LeapSecond(datetime(1972, 1, 1), timedelta(seconds=10))] | |
| nleap_seconds = 10 | |
| tai_epoch_as_tai = datetime(1970, 1, 1, 0, 0, 10) | |
| buf = Struct(">2i") | |
| for _ in range(leapcnt): # read leap seconds | |
| t, cnt = buf.unpack_from(file.read(buf.size)) | |
| dTAI_UTC = nleap_seconds + cnt | |
| utc = tai_epoch_as_tai + timedelta(seconds=t - dTAI_UTC + 1) | |
| assert utc - datetime(utc.year, utc.month, utc.day) == timedelta(0) | |
| result.append(LeapSecond(utc, timedelta(seconds=dTAI_UTC))) | |
| result.append(sentinel) | |
| return result | |
| def _fallback(): | |
| """Leap seconds list if no tzfiles are available.""" | |
| return [ | |
| LeapSecond(utc=datetime(1972, 1, 1, 0, 0), dTAI_UTC=timedelta(0, 10)), | |
| LeapSecond(utc=datetime(1972, 7, 1, 0, 0), dTAI_UTC=timedelta(0, 11)), | |
| LeapSecond(utc=datetime(1973, 1, 1, 0, 0), dTAI_UTC=timedelta(0, 12)), | |
| LeapSecond(utc=datetime(1974, 1, 1, 0, 0), dTAI_UTC=timedelta(0, 13)), | |
| LeapSecond(utc=datetime(1975, 1, 1, 0, 0), dTAI_UTC=timedelta(0, 14)), | |
| LeapSecond(utc=datetime(1976, 1, 1, 0, 0), dTAI_UTC=timedelta(0, 15)), | |
| LeapSecond(utc=datetime(1977, 1, 1, 0, 0), dTAI_UTC=timedelta(0, 16)), | |
| LeapSecond(utc=datetime(1978, 1, 1, 0, 0), dTAI_UTC=timedelta(0, 17)), | |
| LeapSecond(utc=datetime(1979, 1, 1, 0, 0), dTAI_UTC=timedelta(0, 18)), | |
| LeapSecond(utc=datetime(1980, 1, 1, 0, 0), dTAI_UTC=timedelta(0, 19)), | |
| LeapSecond(utc=datetime(1981, 7, 1, 0, 0), dTAI_UTC=timedelta(0, 20)), | |
| LeapSecond(utc=datetime(1982, 7, 1, 0, 0), dTAI_UTC=timedelta(0, 21)), | |
| LeapSecond(utc=datetime(1983, 7, 1, 0, 0), dTAI_UTC=timedelta(0, 22)), | |
| LeapSecond(utc=datetime(1985, 7, 1, 0, 0), dTAI_UTC=timedelta(0, 23)), | |
| LeapSecond(utc=datetime(1988, 1, 1, 0, 0), dTAI_UTC=timedelta(0, 24)), | |
| LeapSecond(utc=datetime(1990, 1, 1, 0, 0), dTAI_UTC=timedelta(0, 25)), | |
| LeapSecond(utc=datetime(1991, 1, 1, 0, 0), dTAI_UTC=timedelta(0, 26)), | |
| LeapSecond(utc=datetime(1992, 7, 1, 0, 0), dTAI_UTC=timedelta(0, 27)), | |
| LeapSecond(utc=datetime(1993, 7, 1, 0, 0), dTAI_UTC=timedelta(0, 28)), | |
| LeapSecond(utc=datetime(1994, 7, 1, 0, 0), dTAI_UTC=timedelta(0, 29)), | |
| LeapSecond(utc=datetime(1996, 1, 1, 0, 0), dTAI_UTC=timedelta(0, 30)), | |
| LeapSecond(utc=datetime(1997, 7, 1, 0, 0), dTAI_UTC=timedelta(0, 31)), | |
| LeapSecond(utc=datetime(1999, 1, 1, 0, 0), dTAI_UTC=timedelta(0, 32)), | |
| LeapSecond(utc=datetime(2006, 1, 1, 0, 0), dTAI_UTC=timedelta(0, 33)), | |
| LeapSecond(utc=datetime(2009, 1, 1, 0, 0), dTAI_UTC=timedelta(0, 34)), | |
| LeapSecond(utc=datetime(2012, 7, 1, 0, 0), dTAI_UTC=timedelta(0, 35)), | |
| LeapSecond(utc=datetime(2015, 7, 1, 0, 0), dTAI_UTC=timedelta(0, 36)), | |
| LeapSecond(utc=datetime(2017, 1, 1, 0, 0), dTAI_UTC=timedelta(0, 37)), | |
| sentinel] | |
| def dTAI_UTC_from_utc(utc_time): | |
| """TAI time = utc_time + dTAI_UTC_from_utc(utc_time).""" | |
| return _dTAI_UTC(utc_time, lambda ls: ls.utc) | |
| def dTAI_UTC_from_tai(tai_time): | |
| """UTC time = tai_time - dTAI_UTC_from_tai(tai_time).""" | |
| return _dTAI_UTC(tai_time, lambda ls: ls.utc + ls.dTAI_UTC) | |
| def _dTAI_UTC(time, leapsecond_to_time, leapseconds=leapseconds): | |
| """Get TAI-UTC difference in seconds for a given time. | |
| >>> from datetime import datetime, timedelta | |
| >>> _dTAI_UTC(datetime(1972, 1, 1), lambda ls: ls.utc) | |
| datetime.timedelta(0, 10) | |
| >>> tai = lambda ls: ls.utc + ls.dTAI_UTC | |
| >>> _dTAI_UTC(datetime(2015, 7, 1, 0, 0, 34), tai) | |
| datetime.timedelta(0, 35) | |
| >>> _dTAI_UTC(datetime(2015, 7, 1, 0, 0, 35), tai) # leap second | |
| datetime.timedelta(0, 35) | |
| >>> _dTAI_UTC(datetime(2015, 7, 1, 0, 0, 36), tai) | |
| datetime.timedelta(0, 36) | |
| Bulletin C 51 says "NO leap second will be introduced at the end | |
| of June 2016."[4] and therefore UTC-TAI is still 36 | |
| at 27 June 2016: | |
| >>> _dTAI_UTC(datetime(2016, 6, 27), lambda ls: ls.utc) | |
| datetime.timedelta(0, 36) | |
| """ | |
| leapseconds_list = leapseconds() | |
| transition_times = list(map(leapsecond_to_time, leapseconds_list)) | |
| if time < transition_times[0]: | |
| raise ValueError("Dates before %s are not supported, got %r" % ( | |
| transition_times[0], time)) | |
| for i, (start, end) in enumerate(zip(transition_times, | |
| transition_times[1:])): | |
| if start <= time < end: | |
| return leapseconds_list[i].dTAI_UTC | |
| assert 0 | |
| def tai_to_utc(tai_time): | |
| """Convert TAI time given as datetime object to UTC time.""" | |
| return tai_time - dTAI_UTC_from_tai(tai_time) | |
| def utc_to_tai(utc_time): | |
| """Convert UTC time given as datetime object to TAI time.""" | |
| return utc_time + dTAI_UTC_from_utc(utc_time) | |
| def gps_to_utc(gps_time): | |
| """Convert GPS time given as datetime object to UTC time.""" | |
| return tai_to_utc(gps_to_tai(gps_time)) | |
| def utc_to_gps(utc_time): | |
| """Convert UTC time given as datetime object to GPS time.""" | |
| return tai_to_gps(utc_to_tai(utc_time)) | |
| def tai_to_gps(tai_time): | |
| """Convert TAI time given as datetime object to GPS time.""" | |
| return tai_time - dTAI_GPS | |
| def gps_to_tai(gps_time): | |
| """Convert GPS time given as datetime object to TAI time.""" | |
| return gps_time + dTAI_GPS | |
| if __name__ == "__main__": | |
| import doctest | |
| doctest.testmod() | |
| import json | |
| assert all(ls.dTAI_UTC == timedelta(seconds=ls.dTAI_UTC.seconds) | |
| for ls in leapseconds()) # ~+200 leap second until 2100 | |
| print(json.dumps([dict(utc=t.utc, tai=t.utc + t.dTAI_UTC, | |
| dTAI_UTC=t.dTAI_UTC.seconds) | |
| for t in leapseconds()], | |
| default=str, indent=4, sort_keys=True)) |
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
| python ~/bin/convert_gps_to_utc_time.py | |
| 1569546809.34 | |
| local: Fri Sep 27 11:13:29 2019 | |
| 2019-09-27 11:13:29 | |
| utc : Fri Sep 27 01:13:29 2019 | |
| 2019-09-27 01:13:29 | |
| -------------------------------------------------------------------------------------------- | |
| basic sanity check of builtin functions by running time zero, epoch, through them | |
| -------------- | |
| EPOCH python says UTC conversion is ok. | |
| -------------------------------------------------------------------------------------------- | |
| basic sanity check of builtin functions by running current time in utc through them | |
| -------------- | |
| NOW python says UTC conversion is ok. | |
| -------------------------------------------------------------------------------------------- | |
| first implementation of gps<->utc and back again... | |
| -------------- | |
| utc TO gps week, gps secs (2072, 436427) | |
| utc FROM gps+leap 2019-09-27 01:13:29 | |
| 1.perfect conversion through both functions back to original utc | |
| -------------------------------------------------------------------------------------------- | |
| optional second implementation of gps<->utc and back again... | |
| -------------- | |
| gpstime from utc (ahead): 2019-09-27 01:13:47 | |
| utc time back from gps: 2019-09-27 01:13:29 | |
| 2.perfect conversion through both functions back to original utc | |
| -------------------------------------------------------------------------------------------- | |
| final test implementation of gps<->utc and back again taken from pymavlink.. | |
| -------------- | |
| Fri Sep 27 11:13:32 2019 | |
| _gpsTimeToTime() calculations on NOW are off by 3 seconds | |
| Sun Jan 6 09:59:45 1980 | |
| _gpsTimeToTime() calculations on EPOCH(zero) are off by 1569546812 seconds | |
| -------------- |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment