从 C++ 转到 Go 后,当操作时间变量的时候,Go 原生的 time 包用起来简直不要太舒服,再也不用自己写轮子了。我之前就写过一篇文章介绍了 time 的常用用法。
不过在开发过程中其实也遇到 time 在 AddDate 的一个坑,因此撰此薄文分享一下。
AddDate
有三个参数,分别是年、月、日。在官方文档中,对 time.AddDate
方法的说明如下:
AddDate returns the time corresponding to adding the given number of years, months, and days
to t. For example, AddDate(-1, 2, 3) applied to January 1, 2011 returns March 4, 2010.
AddDate normalizes its result in the same way that Date does, so, for example, adding one
month to October 31 yields December 1, the normalized form for November 31.
简单翻译一下:
AddDate
根据指定的年、月、日数字,加到原来的 time
类型值上并返回。比如对于 2011-1-1 这个日期,执行 AddDate(-1, 2, 3)
会返回 2010-3-4AddDate
将它的结果按实际日期进行标准化,所以,比如在10月31日加上一个月,会返回12月1日,而不是11月31日。上文解释的第二段就是坑所在:AddDate
函数中,year
参数等于 365 天,month
参数等于 30 天。实际上,在日常生活中,如果真有一个人在10月31日说:“下个月”(AddDate(0, 1, 0)
),大部分人会理解为11月30日,而不是官方例子给出的12月1日!
其实问题的解决也不难,首先确立以下逻辑:
好了,不用自己写轮子了,我已经造好了这样的一个轮子,timeconv,实现了 AddDate
函数如下:
package main
import (
"fmt"
"time"
"github.com/Andrew-M-C/go.timeconv"
)
func main() {
t := time.Date(2019, 1, 31, 0, 0, 0, 0, time.UTC) // 2019-01-31
nt := t.AddDate(0, 1, 0) // 后推一个月
fmt.Printf("%v\n", nt) // 2019-03-03 00:00:00 +0000 UTC, 不是我们想要的
nt = timeconv.AddDate(t, 0, 1, 0)
fmt.Printf("%v\n", nt) // 2019-02-28 00:00:00 +0000 UTC,这就对了
}
本文章采用 知识共享署名-非商业性使用-相同方式共享 4.0 国际许可协议 进行许可。
原作者: amc,欢迎转载,但请注明出处。
原文标题:《Go time 包中的 AddDate 的逻辑避坑指南》
发布日期:2021-03-19
原创声明:本文系作者授权腾讯云开发者社区发表,未经许可,不得转载。
如有侵权,请联系 cloudcommunity@tencent.com 删除。
原创声明:本文系作者授权腾讯云开发者社区发表,未经许可,不得转载。
如有侵权,请联系 cloudcommunity@tencent.com 删除。