uuid.go 2.1 KB

1234567891011121314151617181920212223242526272829303132333435363738394041424344454647484950515253545556575859606162636465666768697071727374757677787980818283848586878889909192939495969798
  1. package uuid
  2. import (
  3. crand "crypto/rand"
  4. "encoding/hex"
  5. "errors"
  6. "fmt"
  7. mrand "math/rand"
  8. "regexp"
  9. "strings"
  10. "time"
  11. )
  12. // seeded indicates if math/rand has been seeded
  13. var seeded bool = false
  14. // uuidRegex matches the UUID string
  15. var uuidRegex *regexp.Regexp = regexp.MustCompile(`^\{?([a-fA-F0-9]{8})-?([a-fA-F0-9]{4})-?([a-fA-F0-9]{4})-?([a-fA-F0-9]{4})-?([a-fA-F0-9]{12})\}?$`)
  16. // UUID type.
  17. type UUID [16]byte
  18. // Hex returns a hex string representation of the UUID in xxxxxxxx-xxxx-xxxx-xxxx-xxxxxxxxxxxx format.
  19. func (this UUID) Hex() string {
  20. x := [16]byte(this)
  21. return fmt.Sprintf("%02x%02x%02x%02x-%02x%02x-%02x%02x-%02x%02x-%02x%02x%02x%02x%02x%02x",
  22. x[0], x[1], x[2], x[3], x[4],
  23. x[5], x[6],
  24. x[7], x[8],
  25. x[9], x[10], x[11], x[12], x[13], x[14], x[15])
  26. }
  27. // Rand generates a new version 4 UUID.
  28. func Rand() UUID {
  29. var x [16]byte
  30. randBytes(x[:])
  31. x[6] = (x[6] & 0x0F) | 0x40
  32. x[8] = (x[8] & 0x3F) | 0x80
  33. return x
  34. }
  35. // FromStr returns a UUID based on a string.
  36. // The string could be in the following format:
  37. //
  38. // xxxxxxxx-xxxx-xxxx-xxxx-xxxxxxxxxxxx
  39. //
  40. // xxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxx
  41. //
  42. // {xxxxxxxx-xxxx-xxxx-xxxx-xxxxxxxxxxxx}
  43. //
  44. // If the string is not in one of these formats, it'll return an error.
  45. func FromStr(s string) (id UUID, err error) {
  46. if s == "" {
  47. err = errors.New("Empty string")
  48. return
  49. }
  50. parts := uuidRegex.FindStringSubmatch(s)
  51. if parts == nil {
  52. err = errors.New("Invalid string format")
  53. return
  54. }
  55. var array [16]byte
  56. slice, _ := hex.DecodeString(strings.Join(parts[1:], ""))
  57. copy(array[:], slice)
  58. id = array
  59. return
  60. }
  61. // MustFromStr behaves similarly to FromStr except that it'll panic instead of
  62. // returning an error.
  63. func MustFromStr(s string) UUID {
  64. id, err := FromStr(s)
  65. if err != nil {
  66. panic(err)
  67. }
  68. return id
  69. }
  70. // randBytes uses crypto random to get random numbers. If fails then it uses math random.
  71. func randBytes(x []byte) {
  72. length := len(x)
  73. n, err := crand.Read(x)
  74. if n != length || err != nil {
  75. if !seeded {
  76. mrand.Seed(time.Now().UnixNano())
  77. }
  78. for length > 0 {
  79. length--
  80. x[length] = byte(mrand.Int31n(256))
  81. }
  82. }
  83. }