package aeshelper import ( "bytes" "crypto/aes" "crypto/cipher" "encoding/base64" "encoding/hex" "github.com/forgoer/openssl" ) const ( sKey = "ptQJqRKyICCTeo6w" // "dde4b1f8a9e6b814" ivParameter = "O3vZvOJSxQDP9hKT" // "dde4b1f8a9e6b814" ) // PswEncrypt 加密 func PswEncrypt(src string) (string, error) { key := []byte(sKey) iv := []byte(ivParameter) result, err := Aes128Encrypt([]byte(src), key, iv) if err != nil { return "", err } return base64.RawStdEncoding.EncodeToString(result), nil } // PswDecrypt 解密 func PswDecrypt(src string) (string, error) { key := []byte(sKey) iv := []byte(ivParameter) var result []byte var err error result, err = base64.StdEncoding.DecodeString(src) if err != nil { return "", err } origData, err := Aes128Decrypt(result, key, iv) if err != nil { return "", err } return string(origData), nil } func Aes128Encrypt(origData, key []byte, IV []byte) ([]byte, error) { if key == nil || len(key) != 16 { return nil, nil } if IV != nil && len(IV) != 16 { return nil, nil } block, err := aes.NewCipher(key) if err != nil { return nil, err } blockSize := block.BlockSize() origData = PKCS5Padding(origData, blockSize) blockMode := cipher.NewCBCEncrypter(block, IV[:blockSize]) crypted := make([]byte, len(origData)) // 根据CryptBlocks方法的说明,如下方式初始化crypted也可以 blockMode.CryptBlocks(crypted, origData) return crypted, nil } func Aes128Decrypt(crypted, key []byte, IV []byte) ([]byte, error) { if key == nil || len(key) != 16 { return nil, nil } if IV != nil && len(IV) != 16 { return nil, nil } block, err := aes.NewCipher(key) if err != nil { return nil, err } blockSize := block.BlockSize() blockMode := cipher.NewCBCDecrypter(block, IV[:blockSize]) origData := make([]byte, len(crypted)) blockMode.CryptBlocks(origData, crypted) origData = PKCS5UnPadding(origData) return origData, nil } func PKCS5Padding(ciphertext []byte, blockSize int) []byte { padding := blockSize - len(ciphertext)%blockSize padtext := bytes.Repeat([]byte{byte(padding)}, padding) return append(ciphertext, padtext...) } func PKCS5UnPadding(origData []byte) []byte { length := len(origData) // 去掉最后一个字节 unpadding 次 unpadding := int(origData[length-1]) return origData[:(length - unpadding)] } // 密码加密 func AesEcbEncrypt(origData string) string { //加密 dst, _ := openssl.AesECBEncrypt([]byte(origData), []byte(sKey), openssl.PKCS7_PADDING) return hex.EncodeToString(dst) } // 密码解密 func AesEcbDecrypt(origData string) string { value, _ := hex.DecodeString(origData) dst, _ := openssl.AesECBDecrypt(value, []byte(sKey), openssl.PKCS7_PADDING) return string(dst) }