-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathstring.go
91 lines (76 loc) · 1.83 KB
/
string.go
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
package uuid
// String returns a string representation of the UUID in the following format:
// 00000000-0000-0000-0000-000000000000
func (u UUID) String() string {
return bytesToString(u)
}
// StringHex returns a hex string representation of the UUID.
func (u UUID) StringHex() string {
data := bytesToHexData(u)
return string(data[:])
}
// bytesToString converts a byte array of uuid data to a string.
func bytesToString(b [16]byte) string {
hexData := bytesToHexData(b)
// Now copy the data into the proper format
var result [STRING_LENGTH]byte
for i, j := 0, 0; i < len(result); i++ {
switch i {
case 8, 13, 18, 23:
result[i] = '-'
default:
result[i] = hexData[j]
j++
}
}
return string(result[:])
}
const (
zeroByte = byte('0')
nineByte = byte('9')
aByte = byte('a')
offsetNineA = aByte - nineByte - 1
)
// bytesToHexData converts a byte array of data to the hex representation of that data.
func bytesToHexData(b [16]byte) [32]byte {
var upperBits [16]byte
var lowerBits [16]byte
copy(upperBits[:], b[:])
copy(lowerBits[:], b[:])
for i, v := range upperBits {
upperBits[i] = v >> 4
}
for i, v := range lowerBits {
lowerBits[i] = v & 0x0F
}
// Raise both by '0'
for i, v := range upperBits {
upperBits[i] = v + zeroByte
}
for i, v := range lowerBits {
lowerBits[i] = v + zeroByte
}
// If larger than '9', raise by 'a' - '9' - 1, so that the character is in the range 'a' - 'f'
for i, v := range upperBits {
if v > nineByte {
upperBits[i] = v + offsetNineA
} else {
upperBits[i] = v
}
}
for i, v := range lowerBits {
if v > nineByte {
lowerBits[i] = v + offsetNineA
} else {
lowerBits[i] = v
}
}
// Now copy the data into the result
var result [32]byte
for i := range upperBits {
j := i * 2
result[j] = upperBits[i]
result[j + 1] = lowerBits[i]
}
return result
}