2021-05-12 14:32:11
GoLang中生成UUID唯一標識的實現
2021-05-08 16:00:13
1、什麼是UUID
UUID簡介
通用唯一識別碼(英語:Universally Unique Identifier,簡稱UUID)是一種軟體建構的標準,亦為自由軟體基金會組織在分散式計算環境領域的一部份。
UUID的目的,是讓分散式系統中的所有元素,都能有唯一的辨識資訊,而不需要通過中央控制端來做辨識資訊的指定。
如此一來,每個人都可以建立不與其它人衝突的UUID。
在這樣的情況下,就不需考慮資料庫建立時的名稱重複問題。目前最廣泛應用的UUID,是微軟公司的全域性唯一識別符號(GUID),而其他重要的應用,則有Linux ext2/ext3檔案系統、LUKS加密分割區、GNOME、KDE、Mac OS X等等。
2、Go中現有的UUID第三方生成辦法
目前,golang中的uuid還沒有納入標準庫,我們使用github上的開源庫:
go get -u github.com/satori/go.uuid
使用:
package main import ( "fmt" "github.com/satori/go.uuid" ) func main() { id := uuid.NewV4() ids := id.String() }
3、自定義的 UUIDGenerator實現
功能:
UUIDGenerator 可以生成全域性唯一的字串形式的ID,ID由兩部分構成,一部分是使用者指定的字首,另一部分是數位,數位的最大值為 4294967295;
UUIDGenerator 可以生成全域性唯一的無符號整形數位,數位範圍 0- 4294967295
程式碼
package utils import "fmt" const ( MAXUINT32 = 4294967295 DEFAULT_UUID_CNT_CACHE = 512 ) type UUIDGenerator struct { Prefix string idGen uint32 internalChan chan uint32 } func NewUUIDGenerator(prefix string) *UUIDGenerator { gen := &UUIDGenerator{ Prefix: prefix, idGen: 0, internalChan: make(chan uint32, DEFAULT_UUID_CNT_CACHE), } gen.startGen() return gen } //開啟 goroutine, 把生成的數位形式的UUID放入緩衝管道 func (this *UUIDGenerator) startGen() { go func() { for { if this.idGen == MAXUINT32 { this.idGen = 1 } else { this.idGen += 1 } this.internalChan <- this.idGen } }() } //獲取帶字首的字串形式的UUID func (this *UUIDGenerator) Get() string { idgen := <-this.internalChan return fmt.Sprintf("%s%d", this.Prefix, idgen) } //獲取uint32形式的UUID func (this *UUIDGenerator) GetUint32() uint32 { return <-this.internalChan }
測試用例:
package utils import ( "testing" "fmt" ) func TestUUIDGenerator(t *testing.T) { //新建UUIDGennerator UUIDFactory := NewUUIDGenerator("idtest") //獲取UUID for i:= 0; i < 50; i++{ fmt.Println(UUIDFactory.Get()) } //獲取uint32 形式的UUID for i := 0; i < 50; i++{ fmt.Println(UUIDFactory.GetUint32()) } }
結果
idtest1
idtest2
idtest3
idtest4
idtest5
6
7
8
9
10
PASS
補充:golang 的 UUID 使用
安裝
go get github.com/satori/go.uuid
使用
幾種 UUID 的產生方式:
Version 1, based on timestamp and MAC address (RFC 4122) Version 2, based on timestamp, MAC address and POSIX UID/GID (DCE 1.1) Version 3, based on MD5 hashing (RFC 4122) Version 4, based on random numbers (RFC 4122) Version 5, based on SHA-1 hashing (RFC 4122)
範例程式碼:
package main import ( "fmt" "github.com/satori/go.uuid" ) func main() { // Creating UUID Version 4 // panic on error u1 := uuid.Must(uuid.NewV4()) fmt.Printf("UUIDv4: %sn", u1) // or error handling u2, err := uuid.NewV4() if err != nil { fmt.Printf("Something went wrong: %s", err) return } fmt.Printf("UUIDv4: %sn", u2) // Parsing UUID from string input u2, err := uuid.FromString("6ba7b810-9dad-11d1-80b4-00c04fd430c8") if err != nil { fmt.Printf("Something went wrong: %s", err) } fmt.Printf("Successfully parsed: %s", u2) }
以上為個人經驗,希望能給大家一個參考,也希望大家多多支援it145.com。如有錯誤或未考慮完全的地方,望不吝賜教。
相關文章