snowflake(雪花算法)是一个开源的分布式ID生成算法,结果是一个long型的ID。snowflake算法将64bit划分为多段,分开来标识机器、时间等信息,具体组成结构如下图所示:
位置(从右到左) | 大小 | 作用 |
---|---|---|
0~11bit | 12bits | 序列号,用来对同一个毫秒之内产生不同的ID,可记录4095个 |
12~21bit | 10bits | 10bit用来记录机器ID,总共可以记录1024台机器 |
22~62bit | 41bits | 用来记录时间戳,这里可以记录69年 |
63bit | 1bit | 符号位,不做处理 |
它有以下几个特点:
由于 -1 在二进制上表示是:
11111111 11111111 11111111 11111111 11111111 11111111 11111111 11111111
所以想要求得 41bits 的 timestamp 最大值可以将 -1 向左位移 41 位,得到:
11111111 11111111 11111110 00000000 00000000 00000000 00000000 00000000
那么再和 -1 进行 ^异或运算:
00000000 00000000 00000001 11111111 11111111 11111111 11111111 11111111
这就可以表示 41bits 的 timestamp 最大值,maxWorkerId和maxCenterId同理。
// Init 初始化
func (s *SnowFlake) Init(centerId, workerId int64) error {
s.epoch = int64(1622476800000) //设置起始时间戳:2022-01-01 00:00:00
s.centerId = centerId
s.workerId = workerId
s.centerIdBits = 4 // 支持的最大机房ID占位数,最大是15
s.workerIdBits = 6 // 支持的最大机器ID占位数,最大是63
s.timestampBits = 41 // 时间戳占用位数
s.maxTimeStamp = -1 ^ (-1 << s.timestampBits)
maxWorkerId := -1 ^ (-1 << s.workerIdBits)
maxCenterId := -1 ^ (-1 << s.centerIdBits)
// 参数校验
if int(centerId) > maxCenterId || centerId < 0 {
return errors.New(fmt.Sprintf("Center ID can't be greater than %d or less than 0", maxCenterId))
}
if int(workerId) > maxWorkerId || workerId < 0 {
return errors.New(fmt.Sprintf("Worker ID can't be greater than %d or less than 0", maxWorkerId))
}
s.sequenceBits = 12 // 序列在ID中占的位数,最大为4095
s.sequence = -1
s.lastTimestamp = -1 // 上次生成 ID 的时间戳
s.sequenceMask = -1 ^ (-1 << s.sequenceBits) // 计算毫秒内,最大的序列号
s.workerIdShift = s.sequenceBits // 机器ID向左移12位
s.centerIdShift = s.sequenceBits + s.workerIdBits // 机房ID向左移18位
s.timestampShift = s.sequenceBits + s.workerIdBits + s.centerIdBits // 时间截向左移22位
return nil
}
结果输出:
72644832480481280 <nil>
72644832480481281 <nil>
72644832480481282 <nil>
72644832480481283 <nil>
72644832480481284 <nil>
72644832480481285 <nil>
72644832480481286 <nil>
72644832480481287 <nil>
72644832480481288 <nil>
72644832480481289 <nil>
原创声明:本文系作者授权腾讯云开发者社区发表,未经许可,不得转载。
如有侵权,请联系 cloudcommunity@tencent.com 删除。
原创声明:本文系作者授权腾讯云开发者社区发表,未经许可,不得转载。
如有侵权,请联系 cloudcommunity@tencent.com 删除。