在分布式系统中,需要生成全局UID的场合还是比较多的,twitter的snowflake解决了这种需求,实现也还是很简单的,除去配置信息,核心代码就是毫秒级时间41位+机器ID 10位+毫秒内序列12位。

该项目地址为:https://github.com/twitter/snowflake是用Scala实现的。

python版详见开源项目https://github.com/erans/pysnowflake。

核心代码为其IdWorker这个类实现,其原理结构如下,我分别用一个0表示一位,用—分割开部分的作用:

1 0---0000000000 0000000000 0000000000 0000000000 0 --- 00000 ---00000 ---0000000000 00

在上面的字符串中,第一位为未使用(实际上也可作为long的符号位),接下来的41位为毫秒级时间,然后5位datacenter标识位,5位机器ID(并不算标识符,实际是为线程标识),然后12位该毫秒内的当前毫秒内的计数,加起来刚好64位,为一个Long型。

这样的好处是,整体上按照时间自增排序,并且整个分布式系统内不会产生ID碰撞(由datacenter和机器ID作区分),并且效率较高,经测试,snowflake每秒能够产生26万ID左右,完全满足需要。

且看其核心代码:

1 </pre>
2 /** Copyright 2010-2012 Twitter, Inc.*/
3 package com.twitter.service.snowflake
4  
5 import com.twitter.ostrich.stats.Stats
6 import com.twitter.service.snowflake.gen._
7 import java.util.Random
8 import com.twitter.logging.Logger
9  
10 /**
11  * An object that generates IDs.
12  * This is broken into a separate class in case
13  * we ever want to support multiple worker threads
14  * per process
15  */
16 class IdWorker(val workerId: Long, val datacenterId: Long, private val reporter: Reporter, var sequence: Long = 0L)
17 extends Snowflake.Iface {
18   private[this] def genCounter(agent: String) = {
19     Stats.incr("ids_generated")
20     Stats.incr("ids_generated_%s".format(agent))
21   }
22   private[this] val exceptionCounter = Stats.getCounter("exceptions")
23   private[this] val log = Logger.get
24   private[this] val rand = new Random
25  
26   val twepoch = 1288834974657L
27  
28  //机器标识位数
29  
30   private[this] val workerIdBits = 5L
31  
32 //数据中心标识位数
33   private[this] val datacenterIdBits = 5L
34  
35 //机器ID最大值
36   private[this] val maxWorkerId = -1L ^ (-1L << workerIdBits)
37  
38 //数据中心ID最大值
39   private[this] val maxDatacenterId = -1L ^ (-1L << datacenterIdBits)
40  
41 //毫秒内自增位
42   private[this] val sequenceBits = 12L
43  
44 //机器ID偏左移12位
45  
46   private[this] val workerIdShift = sequenceBits
47  
48 //数据中心ID左移17位
49   private[this] val datacenterIdShift = sequenceBits + workerIdBits
50  
51 //时间毫秒左移22位
52   private[this] val timestampLeftShift = sequenceBits + workerIdBits + datacenterIdBits
53   private[this] val sequenceMask = -1L ^ (-1L << sequenceBits)
54  
55   private[this] var lastTimestamp = -1L
56  
57   // sanity check for workerId
58   if (workerId > maxWorkerId || workerId < 0) {
59     exceptionCounter.incr(1)
60     throw new IllegalArgumentException("worker Id can't be greater than %d or less than 0".format(maxWorkerId))
61   }
62  
63   if (datacenterId > maxDatacenterId || datacenterId < 0) {
64     exceptionCounter.incr(1)
65     throw new IllegalArgumentException("datacenter Id can't be greater than %d or less than 0".format(maxDatacenterId))
66   }
67  
68   log.info("worker starting. timestamp left shift %d, datacenter id bits %d, worker id bits %d, sequence bits %d, workerid %d",
69     timestampLeftShift, datacenterIdBits, workerIdBits, sequenceBits, workerId)
70  
71   def get_id(useragent: String): Long = {
72     if (!validUseragent(useragent)) {
73       exceptionCounter.incr(1)
74       throw new InvalidUserAgentError
75     }
76  
77     val id = nextId()
78     genCounter(useragent)
79  
80     reporter.report(new AuditLogEntry(id, useragent, rand.nextLong))
81     id
82   }
83  
84   def get_worker_id(): Long = workerId
85   def get_datacenter_id(): Long = datacenterId
86   def get_timestamp() = System.currentTimeMillis
87  
88   protected[snowflake] def nextId(): Long = synchronized {
89     var timestamp = timeGen()
90  
91  //时间错误
92  
93     if (timestamp < lastTimestamp) {
94       exceptionCounter.incr(1)
95       log.error("clock is moving backwards.  Rejecting requests until %d.", lastTimestamp);
96       throw new InvalidSystemClock("Clock moved backwards.  Refusing to generate id for %d milliseconds".format(
97         lastTimestamp - timestamp))
98     }
99  
100     if (lastTimestamp == timestamp) {
101 //当前毫秒内,则+1
102       sequence = (sequence + 1) & sequenceMask
103       if (sequence == 0) {
104 //当前毫秒内计数满了,则等待下一秒
105         timestamp = tilNextMillis(lastTimestamp)
106       }
107     else {
108       sequence = 0
109     }
110  
111     lastTimestamp = timestamp
112 //ID偏移组合生成最终的ID,并返回ID   
113  
114 ((timestamp - twepoch) << timestampLeftShift) |
115       (datacenterId << datacenterIdShift) |
116       (workerId << workerIdShift) |
117       sequence
118   }
119  
120 //等待下一个毫秒的到来 
121  
122 protected def tilNextMillis(lastTimestamp: Long): Long = {
123     var timestamp = timeGen()
124     while (timestamp <= lastTimestamp) {
125       timestamp = timeGen()
126     }
127     timestamp
128   }
129  
130   protected def timeGen(): Long = System.currentTimeMillis()
131  
132   val AgentParser = """([a-zA-Z][a-zA-Z\-0-9]*)""".r
133  
134   def validUseragent(useragent: String): Boolean = useragent match {
135     case AgentParser(_) => true
136     case _ => false
137   }
138 }
139 <pre>

上述为twitter的实现,下面且看一个Java实现,貌似为淘宝的朋友写的。

1 public class IdWorker {
2  private final long workerId;
3  private final static long twepoch = 1361753741828L;
4  private long sequence = 0L;
5  private final static long workerIdBits = 4L;
6  public final static long maxWorkerId = -1L ^ -1L << workerIdBits;
7  private final static long sequenceBits = 10L;
8  
9  private final static long workerIdShift = sequenceBits;
10  private final static long timestampLeftShift = sequenceBits + workerIdBits;
11  public final static long sequenceMask = -1L ^ -1L << sequenceBits;
12  
13  private long lastTimestamp = -1L;
14  
15  public IdWorker(final long workerId) {
16   super();
17   if (workerId > this.maxWorkerId || workerId < 0) {
18    throw new IllegalArgumentException(String.format(
19      "worker Id can't be greater than %d or less than 0",
20      this.maxWorkerId));
21   }
22   this.workerId = workerId;
23  }
24  
25  public synchronized long nextId() {
26   long timestamp = this.timeGen();
27   if (this.lastTimestamp == timestamp) {
28    this.sequence = (this.sequence + 1) & this.sequenceMask;
29    if (this.sequence == 0) {
30     System.out.println("###########" + sequenceMask);
31     timestamp = this.tilNextMillis(this.lastTimestamp);
32    }
33   else {
34    this.sequence = 0;
35   }
36   if (timestamp < this.lastTimestamp) {
37    try {
38     throw new Exception(
39       String.format(
40         "Clock moved backwards.  Refusing to generate id for %d milliseconds",
41         this.lastTimestamp - timestamp));
42    catch (Exception e) {
43     e.printStackTrace();
44    }
45   }
46  
47   this.lastTimestamp = timestamp;
48   long nextId = ((timestamp - twepoch << timestampLeftShift))
49     | (this.workerId << this.workerIdShift) | (this.sequence);
50 //  System.out.println("timestamp:" + timestamp + ",timestampLeftShift:"
51 //    + timestampLeftShift + ",nextId:" + nextId + ",workerId:"
52 //    + workerId + ",sequence:" + sequence);
53   return nextId;
54  }
55  
56  private long tilNextMillis(final long lastTimestamp) {
57   long timestamp = this.timeGen();
58   while (timestamp <= lastTimestamp) {
59    timestamp = this.timeGen();
60   }
61   return timestamp;
62  }
63  
64  private long timeGen() {
65   return System.currentTimeMillis();
66  }
67   
68   
69  public static void main(String[] args){
70   IdWorker worker2 = new IdWorker(2);
71   System.out.println(worker2.nextId());
72  
73    
74  }
75  
76 }

再来看一个php的实现

1 <?php
2 class Idwork
3 {
4 const debug = 1;
5 static $workerId;
6 static $twepoch = 1361775855078;
7 static $sequence = 0;
8 const workerIdBits = 4;
9 static $maxWorkerId = 15;
10 const sequenceBits = 10;
11 static $workerIdShift = 10;
12 static $timestampLeftShift = 14;
13 static $sequenceMask = 1023;
14 private  static $lastTimestamp = -1;
15  
16 function __construct($workId){
17 if($workId > self::$maxWorkerId || $workId< 0 )
18 {
19 throw new Exception("worker Id can't be greater than 15 or less than 0");
20 }
21 self::$workerId=$workId;
22  
23 echo 'logdebug->__construct()->self::$workerId:'.self::$workerId;
24 echo '</br>';
25  
26 }
27  
28 function timeGen(){
29 //获得当前时间戳
30 $time explode(' ', microtime());
31 $time2substr($time[0], 2, 3);
32 $timestramp $time[1].$time2;
33 echo 'logdebug->timeGen()->$timestramp:'.$time[1].$time2;
34 echo '</br>';
35 return  $time[1].$time2;
36 }
37 function  tilNextMillis($lastTimestamp) {
38 $timestamp $this->timeGen();
39 while ($timestamp <= $lastTimestamp) {
40 $timestamp $this->timeGen();
41 }
42  
43 echo 'logdebug->tilNextMillis()->$timestamp:'.$timestamp;
44 echo '</br>';
45 return $timestamp;
46 }
47  
48 function  nextId()
49 {
50 $timestamp=$this->timeGen();
51 echo 'logdebug->nextId()->self::$lastTimestamp1:'.self::$lastTimestamp;
52 echo '</br>';
53 if(self::$lastTimestamp == $timestamp) {
54 self::$sequence = (self::$sequence + 1) & self::$sequenceMask;
55 if (self::$sequence == 0) {
56     echo "###########".self::$sequenceMask;
57     $timestamp $this->tilNextMillis(self::$lastTimestamp);
58     echo 'logdebug->nextId()->self::$lastTimestamp2:'.self::$lastTimestamp;
59     echo '</br>';
60   }
61 else {
62 self::$sequence  = 0;
63     echo 'logdebug->nextId()->self::$sequence:'.self::$sequence;
64     echo '</br>';
65 }
66 if ($timestamp < self::$lastTimestamp) {
67    throw new Excwption("Clock moved backwards.  Refusing to generate id for ".(self::$lastTimestamp-$timestamp)." milliseconds");
68    }
69 self::$lastTimestamp  $timestamp;
70 echo 'logdebug->nextId()->self::$lastTimestamp3:'.self::$lastTimestamp;
71 echo '</br>';
72  
73 echo 'logdebug->nextId()->(($timestamp - self::$twepoch << self::$timestampLeftShift )):'.((sprintf('%.0f'$timestamp) - sprintf('%.0f', self::$twepoch) ));
74 echo '</br>';
75 $nextId = ((sprintf('%.0f'$timestamp) - sprintf('%.0f', self::$twepoch)  )) | ( self::$workerId << self::$workerIdShift ) | self::$sequence;
76 echo 'timestamp:'.$timestamp.'-----';
77 echo 'twepoch:'.sprintf('%.0f', self::$twepoch).'-----';
78 echo 'timestampLeftShift ='.self::$timestampLeftShift.'-----';
79 echo 'nextId:'.$nextId.'----';
80 echo 'workId:'.self::$workerId.'-----';
81 echo 'workerIdShift:'.self::$workerIdShift.'-----';
82 return $nextId;
83 }
84  
85 }
86 $Idwork new Idwork(1);
87 $a$Idwork->nextId();
88 $Idwork new Idwork(2);
89 $a$Idwork->nextId();
90 ?>

转载: 邓的博客

本文链接地址: twitter的分布式自增ID算法snowflake实现分析及其Java、php和python版

Twitter的分布式自增ID算法Snowflake实现分析及其Java、Php和Python版相关推荐

  1. [详解]Twitter开源分布式自增ID算法snowflake,附演算验证过程

    1.snowflake简介 互联网快速发展的今天,分布式应用系统已经见怪不怪,在分布式系统中,我们需要各种各样的ID,既然是ID那么必然是要保证全局唯一,除此之外,不同当业务还需要不同的特性,比如像并 ...

  2. Twitter的分布式自增ID算法snowflake (Java版)

    概述 分布式系统中,有一些需要使用全局唯一ID的场景,这种时候为了防止ID冲突可以使用36位的UUID,但是UUID有一些缺点,首先他相对比较长,另外UUID一般是无序的. 有些时候我们希望能使用一种 ...

  3. Twitter的分布式自增ID算法snowflake

    全局ID 要做到幂等性的交易接口,需要有一个唯一的标识,来标志交易是同一笔交易.而这个交易ID由谁来分配是一件比较头疼的事.因为这个标识要能做到全局唯一. 如果由一个中心系统来分配,那么每一次交易都需 ...

  4. 分布式自增ID算法-Snowflake详解

    1.Snowflake简介 互联网快速发展的今天,分布式应用系统已经见怪不怪,在分布式系统中,我们需要各种各样的ID,既然是ID那么必然是要保证全局唯一,除此之外,不同当业务还需要不同的特性,比如像并 ...

  5. 基于.NET Standard的分布式自增ID算法--Snowflake

    概述 本篇文章主要讲述分布式ID生成算法中最出名的Snowflake算法.搞.NET开发的,数据库主键最常见的就是int类型的自增主键和GUID类型的uniqueidentifier. 那么为何还要引 ...

  6. UUID实现之一twitter的分布式自增IDsnowflake算法

    Twitter的分布式自增ID算法snowflake (Java版) 概述 分布式系统中,有一些需要使用全局唯一ID的场景,这种时候为了防止ID冲突可以使用36位的UUID,但是UUID有一些缺点,首 ...

  7. snowflake做主键 自增_自增ID算法snowflake - C#版

    急景流年,铜壶滴漏,时光缱绻如画,岁月如诗如歌.转载一篇博客来慰藉,易逝的韶华. 使用UUID或者GUID产生的ID没有规则 Snowflake算法是Twitter的工程师为实现递增而不重复的ID实现 ...

  8. mysql snowflake_自增ID算法snowflake

    使用UUID或者GUID产生的ID没有规则 Snowflake算法是Twitter的工程师为实现递增而不重复的ID实现的 概述 分布式系统中,有一些需要使用全局唯一ID的场景,这种时候为了防止ID冲突 ...

  9. 分布式自增ID算法---雪花算法 (snowflake,Java版)---算法001

    一般情况,实现全局唯一ID,有三种方案,分别是通过中间件方式.UUID.雪花算法. 方案一,通过中间件方式,可以是把数据库或者redis缓存作为媒介,从中间件获取ID.这种呢,优点是可以体现全局的递增 ...

最新文章

  1. iOS Podfile里面的use_frameworks!引发的血案
  2. python微信好友分析源代码_Python实现微信好友的数据分析
  3. 推荐算法炼丹笔记:如何让你的推荐系统具有可解释性?
  4. DTStructure分治法与最大子列和问题
  5. 第十二期:七种优秀的浏览器兼容性测试工具
  6. 小米用户画像_腾讯企鹅智库发布手机品牌用户画像:华为一二线城市用户少于小米...
  7. 【操作系统】独立进程与协作进程
  8. android自定义底部中间突出导航栏,Android选中突出背景效果的底部导航栏功能
  9. Intel 64/x86_64/IA-32/x86处理器 - SIMD指令集 - SSE扩展(7) - 混洗指令 解组合指令
  10. 微金融php源码下载,ThinkPHP金融微盘微交易系统平台源码
  11. x264源代码简单分析:x264_slice_write()
  12. 秋叶一键重装系统连接服务器失败,秋叶一键重装系统win7系统安装和使用DAEMONToolsLite的方法【图文教程】...
  13. 使用计算机录制声音10,Win10怎么录制电脑内部声音 Windows10电脑自身录音教程
  14. Hadoop3.1.3搭建集群
  15. 东大22春《马克思主义基本原理概论》在线平时作业1百分非答案
  16. GCC官方文档13 SSA
  17. JavaScript中栈内存与堆内存分别是什么?
  18. 关于Bmob的一些浅述
  19. 2021-07-27_TPM描述
  20. php wget下载图片,如何通过php或wget从Slack下载图像

热门文章

  1. k8s如何设置虚拟内存_绝地求生内存优化设置教程(建议收藏)
  2. java程序中可以有几个构造方法_java中多个构造方法可以相互引用么?
  3. c语言数组数据用指针查找,c语言数组与指针_指针篇_2011.ppt
  4. NVIDIA显示下载Java_大佬们!我的NVIDIA Geforce Experience 一直下载更新怎么办?
  5. 三十二、VsCode前端的开发工具介绍和使用
  6. 学习视觉和语言的多粒度对齐?字节提出新多模态预训练方法 X-VLM:代码已开源!...
  7. 直播 | ICML 2021论文解读:具有局部和全局结构的自监督图表征学习
  8. ​超越Transformer!AAAI 2021最佳论文:高效长序列预测模型
  9. NLP免费直播 | 两周详解BERT、知识图谱、对话生成、图卷积神经网络
  10. 卡片游戏 数学期望