croc/src/crypt/crypt.go

58 lines
1.3 KiB
Go
Raw Normal View History

2018-09-22 05:17:57 +02:00
package crypt
import (
"crypto/aes"
"crypto/cipher"
"crypto/rand"
"crypto/sha256"
"golang.org/x/crypto/pbkdf2"
)
2019-04-28 01:49:00 +02:00
type encryption struct {
key []byte
passphrase []byte
2019-04-28 01:49:00 +02:00
salt []byte
2018-09-22 05:17:57 +02:00
}
// New generates a new encryption, using the supplied passphrase and
// an optional supplied salt.
2019-04-28 01:49:00 +02:00
func New(passphrase []byte, salt []byte) (e encryption, err error) {
e.passphrase = passphrase
if salt == nil {
2019-04-28 01:49:00 +02:00
e.salt = make([]byte, 8)
// http://www.ietf.org/rfc/rfc2898.txt
// Salt.
2019-04-28 01:49:00 +02:00
rand.Read(e.salt)
} else {
2019-04-28 01:49:00 +02:00
e.salt = salt
}
2019-04-28 01:49:00 +02:00
e.key = pbkdf2.Key([]byte(passphrase), e.salt, 100, 32, sha256.New)
return
}
2019-04-28 01:49:00 +02:00
func (e encryption) Salt() []byte {
return e.salt
}
// Encrypt will generate an encryption, prefixed with the IV
2019-04-28 01:49:00 +02:00
func (e encryption) Encrypt(plaintext []byte) []byte {
// generate a random iv each time
2018-09-22 05:17:57 +02:00
// http://nvlpubs.nist.gov/nistpubs/Legacy/SP/nistspecialpublication800-38d.pdf
// Section 8.2
ivBytes := make([]byte, 12)
2018-09-22 05:17:57 +02:00
rand.Read(ivBytes)
b, _ := aes.NewCipher(e.key)
2018-09-22 05:17:57 +02:00
aesgcm, _ := cipher.NewGCM(b)
encrypted := aesgcm.Seal(nil, ivBytes, plaintext, nil)
return append(ivBytes, encrypted...)
2018-09-22 05:17:57 +02:00
}
// Decrypt an encryption
2019-04-28 01:49:00 +02:00
func (e encryption) Decrypt(encrypted []byte) (plaintext []byte, err error) {
b, _ := aes.NewCipher(e.key)
2018-09-22 05:17:57 +02:00
aesgcm, _ := cipher.NewGCM(b)
plaintext, err = aesgcm.Open(nil, encrypted[:12], encrypted[12:], nil)
2018-09-22 05:17:57 +02:00
return
}