4

在 iOS 和我的 Python GAE 后端之间同步时,我想利用时间戳来获得一个干净的解决方案。

根据我的研究,这是创建可靠时间戳的最佳方法:

calendar.timegm((datetime.datetime.now()).utctimetuple())

我得到一个这样的整数:1382375236

在后端时,我想另外保存last_updated从时间戳派生的日期时间。这是人类可读的,适合快速检查。

def before_put(self):
    self.last_updated = datetime.utcfromtimestamp(self.timestamp)

但是,这失败并出现错误:

TypeError: a float is required

以准确的方式解决此问题的最佳方法是什么?

更新

我在这里也找到了这个建议 解决方案是将它除以1e3.

就我而言,这给了我一个奇怪的日期:

>>> datetime.datetime.utcfromtimestamp(1382375236 / 1e3)
datetime.datetime(1970, 1, 16, 23, 59, 35, 236000)

更新 2

整个模型是:

class Record(ndb.Model):
    user = ndb.KeyProperty(kind=User)
    record_date = ndb.DateProperty(required=True)
    rating = ndb.IntegerProperty(required=True)
    notes = ndb.TextProperty()
    last_updated = ndb.DateTimeProperty(required=True)
    timestamp = ndb.IntegerProperty(required=True)

    def __repr__(self):
        return '<record_date %r>' % self.record_date

    def before_put(self):
        self.last_updated = datetime.utcfromtimestamp(self.timestamp)

    def after_put(self):
        pass

    def put(self, **kwargs):
        self.before_put()
        super(Record, self).put(**kwargs)
        self.after_put()
4

1 回答 1

4

正如您所提到calendar.timegm的,以整数形式返回一个 unix 时间戳。unix 时间戳始终是自 1970 年 1 月 1 日以来的秒数。但是,时间戳的精度取决于实现:它可以表示为整数、长整数、浮点数或双精度数。

看来,在您的特定 python 版本中,datetime.utcfromtimestamp需要一个浮点数,因此您应该将秒数作为浮点数传递:

datetime.utcfromtimestamp(float(self.timestamp))

您发现的建议是指时间的不同表示形式 -自 1970 年 1 月 1 日以来的毫秒数。根据定义,这不是unix 时间戳。

于 2013-10-21T16:50:04.800 回答