-
Notifications
You must be signed in to change notification settings - Fork 135
/
Copy pathbytes.go
112 lines (93 loc) · 2.39 KB
/
bytes.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
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
package tl
import (
"bytes"
"encoding/binary"
"errors"
"fmt"
)
func ToBytes(buf []byte) []byte {
var data = make([]byte, 0, ((len(buf)+4)/4+1)*4)
// store buf length
if len(buf) >= 0xFE {
ln := make([]byte, 4)
binary.LittleEndian.PutUint32(ln, uint32(len(buf)<<8)|0xFE)
data = append(data, ln...)
} else {
data = append(data, byte(len(buf)))
}
data = append(data, buf...)
// adjust actual length to fit % 4 = 0
if round := len(data) % 4; round != 0 {
data = append(data, make([]byte, 4-round)...)
}
return data
}
func ToBytesToBuffer(buf *bytes.Buffer, data []byte) {
if len(data) == 0 {
// fast path for empty slice
buf.Write(make([]byte, 4))
return
}
prevLen := buf.Len()
// store buf length
if len(data) >= 0xFE {
ln := make([]byte, 4)
binary.LittleEndian.PutUint32(ln, uint32(len(data)<<8)|0xFE)
buf.Write(ln)
} else {
buf.WriteByte(byte(len(data)))
}
buf.Write(data)
// adjust actual length to fit % 4 = 0
if round := (buf.Len() - prevLen) % 4; round != 0 {
for i := 0; i < 4-round; i++ {
buf.WriteByte(0)
}
}
}
func RemapBufferAsSlice(buf *bytes.Buffer, from int) {
serializedLen := buf.Len() - (from + 4)
bufPtr := buf.Bytes()
if serializedLen >= 0xFE {
binary.LittleEndian.PutUint32(bufPtr[from:], uint32(serializedLen<<8)|0xFE)
} else {
bufPtr[from] = byte(serializedLen)
copy(bufPtr[from+1:], bufPtr[from+4:])
buf.Truncate(buf.Len() - 3)
}
// bytes array padding
if pad := (buf.Len() - from) % 4; pad > 0 {
buf.Write(make([]byte, 4-pad))
}
}
func FromBytes(data []byte) (loaded []byte, buffer []byte, err error) {
if len(data) == 0 {
return nil, nil, errors.New("failed to load length, too short data")
}
offset := 1
ln := int(data[0])
if ln == 0xFE {
ln = int(binary.LittleEndian.Uint32(data)) >> 8
offset = 4
}
// bytes length should be dividable by 4, add additional offset to buffer if it is not
bufSz := ln + offset
if add := bufSz % 4; add != 0 {
bufSz += 4 - add
}
// if its end, we don't need to align by 4
if bufSz >= len(data) {
if len(data) < offset+ln {
return nil, nil, fmt.Errorf("failed to get payload with len %d, too short data", ln)
}
res := make([]byte, ln)
copy(res, data[offset:])
return res, nil, nil
}
if len(data) < bufSz {
return nil, nil, errors.New("failed to get payload, too short data")
}
res := make([]byte, ln)
copy(res, data[offset:])
return res, data[bufSz:], nil
}