3

最後の真夜中のタイムスタンプを見つけたいです (入力のみが現在のタイムスタンプです)。最善の方法は何ですか?

グローバル モバイル アプリケーション用の Python スクリプトを作成しています。現在のタイムスタンプを使用したユーザーリクエスト。サーバー側では、タイムゾーンパラメーターに影響を与えずに、ユーザーの最後の真夜中のタイムスタンプを見つけたいと考えています。

調べたら解決した

import time
etime = int(time.time())
midnight = (etime - (etime % 86400)) + time.altzon

それは私のために働いた。しかし、私はtime.altzon機能と混同しています。異なるタイムゾーンのユーザーに問題を引き起こしますか?

4

1 に答える 1

5

クライアント (モバイル) の真夜中のタイムスタンプを取得するには、クライアントのタイムゾーンを知る必要があります。

from datetime import datetime
import pytz # pip install pytz

fmt = '%Y-%m-%d %H:%M:%S %Z%z'
tz = pytz.timezone("America/New_York") # supply client's timezone here

# Get correct date for the midnight using given timezone.

# due to we are interested only in midnight we can:

# 1. ignore ambiguity when local time repeats itself during DST change e.g.,
# 2012-04-01 02:30:00 EST+1100 and
# 2012-04-01 02:30:00 EST+1000
# otherwise we should have started with UTC time

# 2. rely on .now(tz) to choose timezone correctly (dst/no dst)
now = datetime.now(tz)
print(now.strftime(fmt))

# Get midnight in the correct timezone (taking into account DST)
midnight = tz.localize(now.replace(hour=0, minute=0, second=0, microsecond=0, tzinfo=None),
                       is_dst=None)
print(midnight.strftime(fmt))

# Convert to UTC (no need to call `tz.normalize()` due to UTC has no DST transitions)
dt = midnight.astimezone(pytz.utc)
print(dt.strftime(fmt))

# Get POSIX timestamp
print((dt - datetime(1970,1,1, tzinfo=pytz.utc)).total_seconds())

出力

2012-08-09 08:46:29 EDT-0400
2012-08-09 00:00:00 EDT-0400
2012-08-09 04:00:00 UTC+0000
1344484800.0

注:私のマシンでは、@ phihagの回答1344470400.0上記とは異なります(私のマシンはニューヨークにありません)。

于 2012-08-09T12:51:06.757 に答える