Cloak/internal/util/util.go

91 lines
2.1 KiB
Go
Raw Normal View History

2018-10-07 17:09:45 +00:00
package util
import (
2018-10-20 20:41:01 +00:00
"crypto/aes"
"crypto/cipher"
2020-02-01 23:46:46 +00:00
"crypto/rand"
2018-10-07 17:09:45 +00:00
"io"
"net"
2019-08-19 22:23:41 +00:00
"time"
2020-02-01 23:46:46 +00:00
log "github.com/sirupsen/logrus"
2018-10-07 17:09:45 +00:00
)
2019-06-09 14:03:28 +00:00
func AESGCMEncrypt(nonce []byte, key []byte, plaintext []byte) ([]byte, error) {
block, err := aes.NewCipher(key)
if err != nil {
return nil, err
}
aesgcm, err := cipher.NewGCM(block)
if err != nil {
return nil, err
}
return aesgcm.Seal(nil, nonce, plaintext, nil), nil
2018-10-20 20:41:01 +00:00
}
2019-06-09 14:03:28 +00:00
func AESGCMDecrypt(nonce []byte, key []byte, ciphertext []byte) ([]byte, error) {
block, err := aes.NewCipher(key)
if err != nil {
return nil, err
}
aesgcm, err := cipher.NewGCM(block)
if err != nil {
return nil, err
}
plain, err := aesgcm.Open(nil, nonce, ciphertext, nil)
if err != nil {
return nil, err
}
return plain, nil
2018-10-20 20:41:01 +00:00
}
2020-02-01 23:46:46 +00:00
func CryptoRandRead(buf []byte) {
_, err := rand.Read(buf)
if err == nil {
return
}
waitDur := [10]time.Duration{5 * time.Millisecond, 10 * time.Millisecond, 30 * time.Millisecond, 50 * time.Millisecond,
100 * time.Millisecond, 300 * time.Millisecond, 500 * time.Millisecond, 1 * time.Second,
3 * time.Second, 5 * time.Second}
for i := 0; i < 10; i++ {
log.Errorf("Failed to get cryptographic random bytes: %v. Retrying...", err)
_, err = rand.Read(buf)
if err == nil {
return
}
time.Sleep(time.Millisecond * waitDur[i])
}
log.Fatal("Cannot get cryptographic random bytes after 10 retries")
}
2018-11-07 21:16:13 +00:00
// ReadTLS reads TLS data according to its record layer
//func ReadTLS(conn net.Conn, buffer []byte) (n int, err error) {
//}
2018-10-07 17:09:45 +00:00
2019-08-19 22:23:41 +00:00
func Pipe(dst net.Conn, src net.Conn, srcReadTimeout time.Duration) {
2019-09-01 19:23:45 +00:00
// The maximum size of TLS message will be 16380+14+16. 14 because of the stream header and 16
2019-08-03 13:58:48 +00:00
// because of the salt/mac
// 16408 is the max TLS message size on Firefox
2019-09-01 19:23:45 +00:00
buf := make([]byte, 16378)
2019-08-19 22:23:41 +00:00
if srcReadTimeout != 0 {
src.SetReadDeadline(time.Now().Add(srcReadTimeout))
}
2019-08-03 13:58:48 +00:00
for {
2019-08-19 22:23:41 +00:00
if srcReadTimeout != 0 {
src.SetReadDeadline(time.Now().Add(srcReadTimeout))
}
2019-08-03 13:58:48 +00:00
i, err := io.ReadAtLeast(src, buf, 1)
if err != nil {
2019-08-19 22:23:41 +00:00
dst.Close()
src.Close()
2019-08-03 13:58:48 +00:00
return
}
2020-04-04 15:10:43 +00:00
_, err = dst.Write(buf[:i])
2019-08-03 13:58:48 +00:00
if err != nil {
2019-08-19 22:23:41 +00:00
dst.Close()
src.Close()
2019-08-03 13:58:48 +00:00
return
}
}
}