问题:我应该如何在 Postgres 中存储 Go 的 time.Location?

在 Postgres 中,我存储用户提供给我的数据:

   Column   |           Type           | Collation | Nullable | Default
------------+--------------------------+-----------+----------+---------
 id         | uuid                     |           | not null |
 value      | numeric                  |           |          |
 date       | timestamp with time zone |           |          |

现在,我提出了维护生成数据的原始时区的要求。timestamp with timezone被规范化为数据库的时区并且原始时区丢失了,所以我必须手动将date从规范化的时区恢复回来,然后再将其返回给用户。

大多数解决方案建议在表中添加一个额外的列并将原始时区信息与时间戳一起存储:

   Column   |           Type           | Collation | Nullable | Default
------------+--------------------------+-----------+----------+---------
 id         | uuid                     |           | not null |
 value      | numeric                  |           |          |
 date       | timestamp with time zone |           |          |
 tz         | text                     |           |          |

那么鉴于我正在使用Go,我应该从time.Time中提取哪些信息存储在tz中以进行最精确和无缝的恢复?

date.Location().String()似乎不正确,因为它可能会返回相对的值Local

我应该如何将tz中的信息恢复到time.Time?

time.LoadLocation(tz)的结果够好吗?

解答

保存后,我将使用Time.Zone()获取区域名称和偏移量:

func (t Time) Zone() (name string, offset int)

然后在从数据库中查询这样的时间戳时,可以使用time.FixedZone()构造一个time.Location:

func FixedZone(name string, offset int) *Location

并使用Time.In()切换到该位置。

**请注意!**这将恢复您在同一时区中“看似”的时间戳,但如果您需要对其应用操作(例如添加天数),结果可能会不一样。这样做的原因是因为time.FixedZone()返回一个具有固定偏移量的时区,例如,它对夏令时一无所知,而您保存的原始时间戳可能有一个time.Location确实知道这些事情。

这是这种偏差的一个例子。 3 月有夏令时,因此我们将使用指向 3 月 1 日的时间戳,并在其上加上 1 个月,这导致时间戳在夏令时之后。

cet, err := time.LoadLocation("CET")
if err != nil {
    panic(err)
}

t11 := time.Date(2019, time.March, 1, 12, 0, 0, 0, cet)
t12 := t11.AddDate(0, 1, 0)
fmt.Println(t11, t12)

name, offset := t11.Zone()
cet2 := time.FixedZone(name, offset)
t21 := t11.UTC().In(cet2)
t22 := t21.AddDate(0, 1, 0)
fmt.Println(t21, t22)

now := time.Date(2019, time.April, 2, 0, 0, 0, 0, time.UTC)
fmt.Println("Time since t11:", now.Sub(t11))
fmt.Println("Time since t21:", now.Sub(t21))
fmt.Println("Time since t12:", now.Sub(t12))
fmt.Println("Time since t22:", now.Sub(t22))

这将输出(在Go Playground上尝试):

2019-03-01 12:00:00 +0100 CET 2019-04-01 12:00:00 +0200 CEST
2019-03-01 12:00:00 +0100 CET 2019-04-01 12:00:00 +0100 CET
Time since t11: 757h0m0s
Time since t21: 757h0m0s
Time since t12: 14h0m0s
Time since t22: 13h0m0s

可以看到,1个月相加后的输出时间是一样的,只是区域偏移量不同,所以他们指定了不同的时间瞬间(通过显示与任意时间的时间差来证明)。原始有 2 小时的偏移量,因为它知道我们跳过的 1 个月内发生的夏令时,而“恢复”时间戳的区域不知道这一点,因此结果具有相同的 1 小时偏移量。在添加后的时间戳中,甚至现实生活中的区域名称也发生了变化:从CETCEST,同样,恢复的时间戳的区域也不知道这一点。

Logo

PostgreSQL社区为您提供最前沿的新闻资讯和知识内容

更多推荐