38 lines
793 B
Go
38 lines
793 B
Go
package protectString
|
|
|
|
import (
|
|
"crypto/aes"
|
|
"crypto/cipher"
|
|
"crypto/rand"
|
|
"encoding/hex"
|
|
"fmt"
|
|
"io"
|
|
)
|
|
|
|
func Encrypt(stringToEncrypt string, keyString string) (encryptedString string) {
|
|
key, _ := hex.DecodeString(keyString)
|
|
plaintext := []byte(stringToEncrypt)
|
|
|
|
//Create a new Cipher Block from the key
|
|
block, err := aes.NewCipher(key)
|
|
if err != nil {
|
|
panic(err.Error())
|
|
}
|
|
|
|
//Create a new GCM
|
|
aesGCM, err := cipher.NewGCM(block)
|
|
if err != nil {
|
|
panic(err.Error())
|
|
}
|
|
|
|
//Create a nonce. Nonce should be from GCM
|
|
nonce := make([]byte, aesGCM.NonceSize())
|
|
if _, err = io.ReadFull(rand.Reader, nonce); err != nil {
|
|
panic(err.Error())
|
|
}
|
|
|
|
//Encrypt the data using aesGCM.Seal
|
|
ciphertext := aesGCM.Seal(nonce, nonce, plaintext, nil)
|
|
return fmt.Sprintf("%x", ciphertext)
|
|
}
|