69 lines
1.5 KiB
Go
69 lines
1.5 KiB
Go
package encryption
|
|
|
|
import (
|
|
"bytes"
|
|
"crypto/aes"
|
|
"crypto/cipher"
|
|
"crypto/md5"
|
|
"encoding/hex"
|
|
)
|
|
|
|
var (
|
|
SALT string = "c-1ha$i#nfon901"
|
|
)
|
|
|
|
func AesKey(id string) []byte {
|
|
var aesKey string
|
|
|
|
h := md5.New()
|
|
h.Write([]byte(id + SALT))
|
|
aesKey = hex.EncodeToString(h.Sum(nil))
|
|
|
|
return []byte(aesKey)
|
|
}
|
|
|
|
func PKCS7Padding(ciphertext []byte, blockSize int) []byte {
|
|
padding := blockSize - len(ciphertext)%blockSize
|
|
padtext := bytes.Repeat([]byte{byte(padding)}, padding)
|
|
return append(ciphertext, padtext...)
|
|
}
|
|
|
|
func PKCS7UnPadding(origData []byte) []byte {
|
|
length := len(origData)
|
|
unpadding := int(origData[length-1])
|
|
return origData[:(length - unpadding)]
|
|
}
|
|
|
|
//AES加密,CBC
|
|
func AesEncrypt(origData []byte, id string) ([]byte, error) {
|
|
|
|
key := AesKey(id)
|
|
|
|
block, err := aes.NewCipher(key)
|
|
if err != nil {
|
|
return nil, err
|
|
}
|
|
blockSize := block.BlockSize()
|
|
origData = PKCS7Padding(origData, blockSize)
|
|
blockMode := cipher.NewCBCEncrypter(block, key[:blockSize])
|
|
crypted := make([]byte, len(origData))
|
|
blockMode.CryptBlocks(crypted, origData)
|
|
return crypted, nil
|
|
}
|
|
|
|
//AES解密
|
|
func AesDecrypt(crypted []byte, id string) ([]byte, error) {
|
|
key := AesKey(id)
|
|
|
|
block, err := aes.NewCipher(key)
|
|
if err != nil {
|
|
return nil, err
|
|
}
|
|
blockSize := block.BlockSize()
|
|
blockMode := cipher.NewCBCDecrypter(block, key[:blockSize])
|
|
origData := make([]byte, len(crypted))
|
|
blockMode.CryptBlocks(origData, crypted)
|
|
origData = PKCS7UnPadding(origData)
|
|
return origData, nil
|
|
}
|