-
Notifications
You must be signed in to change notification settings - Fork 0
/
encoding.go
78 lines (72 loc) · 2 KB
/
encoding.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
package anenc
import (
"crypto/sha256"
"encoding/base64"
"encoding/hex"
"io"
)
// =====================================================================================================================
// ENCODING -- BASE64
// =====================================================================================================================
func Base64Enc(b []byte) []byte {
base64Text := make([]byte, base64.StdEncoding.EncodedLen(len(b)))
base64.StdEncoding.Encode(base64Text, []byte(b))
return base64Text
}
func Base64Dec(b []byte) ([]byte, error) {
// Note: if decoding failes this will return empty string.
base64Text := make([]byte, base64.StdEncoding.DecodedLen(len(b)))
if l, err := base64.StdEncoding.Decode(base64Text, b); err != nil {
return nil, err
} else {
return base64Text[:l], nil
}
}
func MustBase64Dec(b []byte, fallback []byte) []byte {
if out, err := Base64Dec(b); err != nil {
return fallback
} else {
return out
}
}
func HexEnc(b []byte) []byte {
dst := make([]byte, hex.EncodedLen(len(b)))
hex.Encode(dst, b)
return dst
}
func HexDec(b []byte) ([]byte, error) {
dst := make([]byte, hex.DecodedLen(len(b)))
if n, err := hex.Decode(dst, b); err != nil {
return nil, err
} else {
return dst[:n], nil
}
}
func MustHexDec(b, fallback []byte) []byte {
if out, err := HexDec(b); err != nil {
return fallback
} else {
return out
}
}
// =====================================================================================================================
// SHA 256 HASHING
// =====================================================================================================================
func SHA256(data []byte) [32]byte {
return sha256.Sum256(data)
}
func SHA256i(ior io.Reader) ([]byte, error) {
hash := sha256.New()
if _, err := io.Copy(hash, ior); err != nil {
return nil, err
}
sum := hash.Sum(nil)
return sum, nil
}
func MustSHA256i(ior io.Reader, fallback []byte) []byte {
if out, err := SHA256i(ior); err != nil {
return fallback
} else {
return out
}
}