我有一个 MySQL 数据库,现在我将所有日期时间字段生成为models.DateTimeField
. 有没有办法timestamp
代替?我希望能够在创建和更新等时自动更新。
django 上的文档没有这个?
实际上有一篇非常好的和信息丰富的文章。这里:http: //ianrolfe.livejournal.com/36017.html
页面上的解决方案略有弃用,所以我做了以下事情:
from django.db import models
from datetime import datetime
from time import strftime
class UnixTimestampField(models.DateTimeField):
"""UnixTimestampField: creates a DateTimeField that is represented on the
database as a TIMESTAMP field rather than the usual DATETIME field.
"""
def __init__(self, null=False, blank=False, **kwargs):
super(UnixTimestampField, self).__init__(**kwargs)
# default for TIMESTAMP is NOT NULL unlike most fields, so we have to
# cheat a little:
self.blank, self.isnull = blank, null
self.null = True # To prevent the framework from shoving in "not null".
def db_type(self, connection):
typ=['TIMESTAMP']
# See above!
if self.isnull:
typ += ['NULL']
if self.auto_created:
typ += ['default CURRENT_TIMESTAMP on update CURRENT_TIMESTAMP']
return ' '.join(typ)
def to_python(self, value):
if isinstance(value, int):
return datetime.fromtimestamp(value)
else:
return models.DateTimeField.to_python(self, value)
def get_db_prep_value(self, value, connection, prepared=False):
if value==None:
return None
# Use '%Y%m%d%H%M%S' for MySQL < 4.1
return strftime('%Y-%m-%d %H:%M:%S',value.timetuple())
要使用它,您所要做的就是:
timestamp = UnixTimestampField(auto_created=True)
在 MySQL 中,该列应显示为:
'timestamp' timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP ON UPDATE CURRENT_TIMESTAMP,
唯一的缺点是它只适用于 MySQL 数据库。但是您可以轻松地为其他人修改它。
要在插入和更新时自动更新,请使用以下命令:
created = DateTimeField(auto_now_add=True, editable=False, null=False, blank=False)
last_modified = DateTimeField(auto_now=True, editable=False, null=False, blank=False)
DateTimeField 应该存储 UTC(检查您的数据库设置,我从 Postgres 知道就是这种情况)。您可以通过以下方式l10n
在模板和格式中使用:
{{ object.created|date:'SHORT_DATETIME_FORMAT' }}
自 Unix 纪元以来的秒数:
{{ object.created|date:'U' }}
请参阅https://docs.djangoproject.com/en/1.10/ref/templates/builtins/#date
pip 包 django-unixdatetimefield 提供了一个 UnixDateTimeField 字段,您可以直接使用它(https://pypi.python.org/pypi/django-unixdatetimefield/)。
示例模型:
from django_unixdatetimefield import UnixDateTimeField
class MyModel(models.Model):
created_at = UnixDateTimeField()
Python ORM 查询:
>>> m = MyModel()
>>> m.created_at = datetime.datetime(2015, 2, 21, 19, 38, 32, 209148)
>>> m.save()
数据库:
sqlite> select created_at from mymodel;
1426967129
如果有兴趣,这里是源代码 - https://github.com/Niklas9/django-unixdatetimefield。
免责声明:我是这个 pip 包的作者。
django-extensions有一个有用的TimeStampedModel
:https ://django-extensions.readthedocs.io/en/latest/model_extensions.html