在PostgreSQL中使用UTC当前时间作为默认值

我有一个TIMESTAMP WITHOUT TIME ZONE类型的列,并希望将其默认为UTC的当前时间。获取当前UTC时间很简单:

postgres=# select now() at time zone 'utc';
timezone
----------------------------
2013-05-17 12:52:51.337466
(1 row)

为列使用当前时间戳:

postgres=# create temporary table test(id int, ts timestamp without time zone default current_timestamp);
CREATE TABLE
postgres=# insert into test values (1) returning ts;
ts
----------------------------
2013-05-17 14:54:33.072725
(1 row)

但那使用当地时间。试图强制将其转换为UTC会导致语法错误:

postgres=# create temporary table test(id int, ts timestamp without time zone default now() at time zone 'utc');
ERROR:  syntax error at or near "at"
LINE 1: ...int, ts timestamp without time zone default now() at time zo...
265467 次浏览

将其包装在函数中:

create function now_utc() returns timestamp as $$
select now() at time zone 'utc';
$$ language sql;


create temporary table test(
id int,
ts timestamp without time zone default now_utc()
);

甚至不需要函数。只需要在默认表达式周围加上括号:

create temporary table test(
id int,
ts timestamp without time zone default (now() at time zone 'utc')
);

是什么

now()::timestamp

如果其他时间戳不带时区,则此强制转换将为当前时间生成匹配类型的“时间戳不带时区”。

不过,我想看看其他人对这个选择的看法。我仍然不相信自己对“有/没有”时区的理解。

< p >编辑: 在这里添加Michael Ekoka的评论,因为它澄清了一个重要的观点:

< p >警告。这个问题是关于生成UTC的默认时间戳 恰巧没有存储时区的时间戳列(也许 因为如果你都知道了,就没有必要存储时区了 你的时间戳也一样)。你的解决方案就是 生成一个本地时间戳(对于大多数人来说,这是不必要的 将其设置为UTC)并将其存储为初始时间戳(不是初始时间戳)

.指定它的时区)

还有另一个解决方案:

timezone('utc', now())
函数已经存在: 时区(UTC的::文本,现在())< / p >

这是两个等价解:

(在下面的代码中,你应该用'UTC'代替,用now()代替时间戳)

  1. timestamp AT TIME ZONE zone - sql标准
  2. timezone(zone, timestamp) -可以说可读性更强

函数timezone(zone, timestamp)等价于符合sql的构造timestamp AT TIME zone zone。


解释:

  • 既可以指定为文本字符串(例如,'UTC'),也可以指定为间隔(例如,INTERVAL '-08:00') -这里是所有可用时区的列表
  • 时间戳可以是类型为时间戳的任何值
  • now()返回类型为时间戳的值(正是我们所需要的),并附加了数据库的默认时区(例如2018-11-11T12:07:22.3+05:00)。
  • timezone('UTC', now())将当前时间(类型为带时区的时间戳)转换为UTC中的无时区等价时间。
    例如,SELECT timestamp with time zone '2020-03-16 15:00:00-05' AT TIME ZONE 'UTC'将返回2020-03-16T20:00:00Z.

文档:时区()