web-dev-qa-db-ja.com

UTCタイムスタンプに変換

//parses some string into that format.
datetime1 = datetime.strptime(somestring, "%Y-%m-%dT%H:%M:%S")

//gets the seconds from the above date.
timestamp1 = time.mktime(datetime1.timetuple())

//adds milliseconds to the above seconds.
timeInMillis = int(timestamp1) * 1000

(そのコードの任意の時点で)日付をUTC形式に変換するにはどうすればよいですか?私は1世紀のように見えるものの間、APIを調べてきましたが、動作するものを見つけることができません。誰か助けてもらえますか?現在、東部時間になっていると思います(ただし、GMTにいますが、UTCが必要です)。

編集:私は最終的に見つけたものに最も近い男に答えを与えました。

datetime1 = datetime.strptime(somestring, someformat)
timeInSeconds = calendar.timegm(datetime1.utctimetuple())
timeInMillis = timeInSeconds * 1000

:)

12
Federer
def getDateAndTime(seconds=None):
 """
  Converts seconds since the Epoch to a time Tuple expressing UTC.
  When 'seconds' is not passed in, convert the current time instead.
  :Parameters:
      - `seconds`: time in seconds from the Epoch.
  :Return:
      Time in UTC format.
"""
return time.strftime("%Y-%m-%dT%H:%M:%SZ", time.gmtime(seconds))`

これにより、現地時間がUTCに変換されます

time.mktime(time.localtime(calendar.timegm(utc_time)))

http://feihonghsu.blogspot.com/2008/02/converting-from-local-time-to-utc.html

Struct_timeをseconds-since-the-Epochに変換するのがmktimeを使用している場合、この変換はローカルタイムゾーンです。 UTCだけでなく、特定のタイムゾーンを使用するように指示する方法はありません。標準の「time」パッケージは、時刻がローカルタイムゾーンにあることを常に想定しています。

3
user193287

datetime.utcfromtimestamp おそらくあなたが探しているものです:

>>> timestamp1 = time.mktime(datetime.now().timetuple())
>>> timestamp1
1256049553.0
>>> datetime.utcfromtimestamp(timestamp1)
datetime.datetime(2009, 10, 20, 14, 39, 13)
12
SilentGhost

utcoffset()メソッドを使用できると思います。

_utc_time = datetime1 - datetime1.utcoffset()
_

ドキュメントには、astimezone()メソッドを使用したこの例が示されています ここ

さらに、タイムゾーンを扱う場合は、 PyTZライブラリ を調べてください。これには、日時をさまざまなタイムゾーン(ESTとUTCの間を含む)に変換するための便利なツールがたくさんあります。

PyTZの場合:

_from datetime import datetime
import pytz

utc = pytz.utc
eastern = pytz.timezone('US/Eastern')

# Using datetime1 from the question
datetime1 = datetime.strptime(somestring, "%Y-%m-%dT%H:%M:%S")

# First, tell Python what timezone that string was in (you said Eastern)
eastern_time = eastern.localize(datetime1)

# Then convert it from Eastern to UTC
utc_time = eastern_time.astimezone(utc)
_
4
JJ Geewax

おそらく次の2つのうちの1つが必要です。

import time
import datetime

from email.Utils import formatdate

rightnow = time.time()

utc = datetime.datetime.utcfromtimestamp(rightnow)
print utc

print formatdate(rightnow) 

2つの出力は次のようになります

2009-10-20 14:46:52.725000
Tue, 20 Oct 2009 14:46:52 -0000
1
Michael Dillon