使用SnowFlake算法生成唯一ID
阿新 • • 發佈:2017-09-02
stat ren 工作 blog tps bit 支持 ber 第一個
轉自:https://segmentfault.com/a/1190000007769660
考慮過的方法有
-
直接用時間戳,或者以此衍生的一系列方法
-
Mysql自帶的uuid
以上兩種方法都可以查到就不多做解釋了
最終選擇了Twitter的SnowFlake算法
這個算法的好處很簡單可以在每秒產生約400W個不同的16位數字ID(10進制)
原理很簡單
ID由64bit組成
其中 第一個bit空缺
41bit用於存放毫秒級時間戳
10bit用於存放機器id
12bit用於存放自增ID
除了最高位bit標記為不可用以外,其余三組bit占位均可浮動,看具體的業務需求而定。默認情況下41bit的時間戳可以支持該算法使用到2082年,10bit的工作機器id可以支持1023臺機器,序列號支持1毫秒產生4095個自增序列id。
下面是PHP源碼
<?php namespace App\Services; abstract class Particle { const EPOCH = 1479533469598; const max12bit = 4095; const max41bit = 1099511627775; static $machineId = null; public static function machineId($mId = 0) { self::$machineId = $mId; } public static function generateParticle() { /* * Time - 42 bits */ $time = floor(microtime(true) * 1000); /* * Substract custom epoch from current time */ $time -= self::EPOCH; /* * Create a base and add time to it */ $base = decbin(self::max41bit + $time); /* * Configured machine id - 10 bits - up to 1024 machines */ if(!self::$machineId) { $machineid = self::$machineId; } else { $machineid = str_pad(decbin(self::$machineId), 10, "0", STR_PAD_LEFT); } /* * sequence number - 12 bits - up to 4096 random numbers per machine */ $random = str_pad(decbin(mt_rand(0, self::max12bit)), 12, "0", STR_PAD_LEFT); /* * Pack */ $base = $base.$machineid.$random; /* * Return unique time id no */ return bindec($base); } public static function timeFromParticle($particle) { /* * Return time */ return bindec(substr(decbin($particle),0,41)) - self::max41bit + self::EPOCH; } } ?>
調用方法如下
Particle::generateParticle($machineId);//生成ID
Particle::timeFromParticle($particle);//反向計算時間戳
這裏我做了改良 如果機器ID傳0 就會去掉這10bit 因為有些時候我們可能用不到這麽多ID
使用SnowFlake算法生成唯一ID