3

有没有办法在linux中以编程方式获取给定时间字符串的UTC时间,例如

Tue Dec  14 10:30:23 PST 2012
Tue Jan  4 11:30:23 EST 2013

到 UTC 时间,不管(并且不改变)本地时区设置?

4

2 回答 2

6

更新:与最近的 tz 数据库的结果不同:EST 在给定日期产生相同的 utc 偏移量(与以前的结果比较)。虽然它不影响不同时区可能使用相同缩写的一般结论,因此相同的缩写可能对应不同的 UTC 偏移量。请参阅在 Python 中使用时区缩写名称解析日期/时间字符串?


诸如 EST 之类的缩写时区名称可能不明确。

例子

#!/bin/sh
for tz in Australia/Brisbane Australia/Sydney America/New_York
do date -u -d"TZ=\":$tz\" Tue Jan  4 11:30:23 EST 2013"
done

输出

Fri Jan  4 16:30:23 UTC 2013
Fri Jan  4 00:30:23 UTC 2013
Fri Jan  4 16:30:23 UTC 2013

两件事情:

  • 根据使用的时区,日期字符串可能会被解释为不同的时刻

  • date默默地忽略Australia/Brisbane应该是的时区,UTC+10date解释EST为属于不同的时区。没有EST它会产生正确的时间:

      $ date -u -d 'TZ=":Australia/Brisbane" Tue Jan  4 11:30:23 2013'
      Fri Jan  4 01:30:23 UTC 2013
    

To find all possible UTC times for given time and timezone abbreviation e.g., for 'Tue Jan 4 11:30:23 EST 2013':

#!/usr/bin/env python
from collections import defaultdict
from datetime import datetime
import pytz # $ sudo apt-get install python-tz
            # or if you can't install system-wide
            # $ pip install --user pytz

## Tue Dec  14 10:30:23 PST 2012
#naive_dt, tzname = datetime(2012, 12, 14, 10, 30, 23), 'PST'
## -> Fri Dec 14 18:30:23 2012 UTC

# Tue Jan  4 11:30:23 EST 2013
naive_dt, tzname = datetime(2013, 1, 4, 11, 30, 23), 'EST'
# Fri Jan  4 01:30:23 2013 UTC
# Fri Jan  4 00:30:23 2013 UTC
# Fri Jan  4 16:30:23 2013 UTC
# ambiguous
 
utc_times = defaultdict(list)
for zone in pytz.all_timezones:
    dt = pytz.timezone(zone).localize(naive_dt, is_dst=None)
    if dt.tzname() == tzname: # same timezone abbreviation
        utc_times[dt.astimezone(pytz.utc)].append(zone)

for utc_dt, timezones in utc_times.items():
    print("%s:\n\t%s" % (utc_dt.strftime('%c %Z'), '\n\t'.join(timezones)))

Output

All Tue Jan 4 11:30:23 EST 2013 interpretations as UTC with corresponding timezone names:

Fri Jan  4 01:30:23 2013 UTC:
    Australia/Brisbane
    Australia/Lindeman
    Australia/Queensland
Fri Jan  4 00:30:23 2013 UTC:
    Australia/ACT
    Australia/Canberra
    Australia/Currie
    Australia/Hobart
    Australia/Melbourne
    Australia/NSW
    Australia/Sydney
    Australia/Tasmania
    Australia/Victoria
Fri Jan  4 16:30:23 2013 UTC:
    America/Atikokan
    America/Cayman
    America/Coral_Harbour
    America/Detroit
    ...
    America/New_York
    ...
    America/Toronto
    Canada/Eastern
    EST
    EST5EDT
    Jamaica
    US/East-Indiana
    US/Eastern
    US/Michigan
于 2012-12-04T23:27:54.450 回答
2

date -u -d "Tue Dec 14 10:30:23 PST 2012"报告Fri Dec 14 18:30:23 UTC 2012。差异是因为 2012 年 12 月 14 日实际上是星期五,而不是星期二。它可能在有效输入下效果更好......

于 2012-12-04T17:13:39.400 回答