生成惟一ID的簡單方法

可行方案

1.生成[0,1)的隨機數的Math.random

//我此次運行生成的是:0.5834165740043102 
Math.random();

2.獲取當前時間戳Date.now

//如今時間戳是1482645606622
Date.now();

3.將10進制轉換爲其餘進制的字符串 Number.toString

//將1482645606622轉換成二進制:10101100100110100100100001001000011011110 
(1482645606622).toString(2);

//轉換成16進制:159349090de MongDB中的ObjectID就是24位16進制數 
(1482645606622).toString(16);

//最大進制支持轉爲36進制,使用字符是0-9a-z :ix48wvry 
(1482645606622).toString(36);

改進版本一:隨機數  + toString()

1.隨機數版本 

/**
 * 生成一個用不重複的ID
 */
function GenNonDuplicateID(){
  return Math.random().toString()
}

//生成一個相似 0.1283460319177394的ID
GenNonDuplicateID()

2.隨機數版本16進製版本

/**
 * 生成一個用不重複的ID
 */
function GenNonDuplicateID(){
  return Math.random().toString(16)
}

//函數將生成相似 0.c1615913fa915 的ID
GenNonDuplicateID()

3.隨機數版本36進製版本 

/**
 * 生成一個用不重複的ID
 */
function GenNonDuplicateID(){
  return Math.random().toString(36)
}

//函數將生成相似 0.hefy7uw6ddzwidkwcmxkzkt9 的ID
GenNonDuplicateID()

4.隨機數版本36進製版本

/**
 * 生成一個用不重複的ID
 */
function GenNonDuplicateID(){
  return Math.random().toString(36).substr(2)
}

//函數將生成相似 8dlv9vabygks2cbg1spds4i 的ID
GenNonDuplicateID()

總結

優點:使用toString的進制轉化能夠實現更短的字符串表示更多的範圍dom

缺點:用一個隨機數做爲ID,隨着使用次數的累積,必然會出現相同的兩個ID函數

改進版本二

1.引入時間戳 + 36進製版本 

/**
 * 生成一個用不重複的ID
 */
function GenNonDuplicateID(){
  let idStr = Date.now().toString(36)
  idStr += Math.random().toString(36).substr(2)
  return idStr
}

//函數將生成相似 ix49sfsnt7514k5wpflyb5l2vtok9y66r 的ID
GenNonDuplicateID()

2.引入時間戳 + 36進製版本 + 隨機數長度控制 

/**
 * 生成一個用不重複的ID
 */
function GenNonDuplicateID(randomLength){
  let idStr = Date.now().toString(36)
  idStr += Math.random().toString(36).substr(2,randomLength)
  return idStr
}

// GenNonDuplicateID(3) 將生成相似 ix49wl2978w 的ID
GenNonDuplicateID(3)

可是,這樣生成的ID前面幾位老是相同。ui

3. 引入時間戳 + 隨機數前置 36進制 + 隨機數長度控制 

/**
 * 生成一個用不重複的ID
 */
function GenNonDuplicateID(randomLength){
  return Number(Math.random().toString().substr(2,randomLength) + Date.now()).toString(36)
}
//GenNonDuplicateID()將生成 rfmipbs8ag0kgkcogc 相似的ID
GenNonDuplicateID()

總結

只使用時間戳,有個能在同一時間多人訪問生成的是同樣的。加上隨機數能夠實現惟一。再加上自定義長度,使UUID更靈活。code

總結

萬能方案:ip

/**
 * 生成一個用不重複的ID
 * @param { Number } randomLength 
 */
function getUuiD(randomLength){
  return Number(Math.random().toString().substr(2,randomLength) + Date.now()).toString(36)
}
相關文章
相關標籤/搜索