Go 利用crypto实现aes-128-cbc计算方法
高级加密标准(英语:Advanced Encryption Standard,缩写:AES),又称Rijndael加密法,是美国联邦政府采用的一种区块加密标准。这个标准用来替代原先的DES,已经被多方分析且广为全世界所使用。经过五年的甄选流程,高级加密标准由美国国家标准与技术研究院(NIST)于2001年11月26日发布于FIPS PUB 197,并在2002年5月26日成为有效的标准。现在,高级加密标准已然成为对称密钥加密中最流行的算法之一。
代码:
package main
import (
"bytes"
"crypto/aes"
"crypto/cipher"
"crypto/md5"
"fmt"
)
func main() {
fmt.Println("go crypto aes-128-cbc demo/example.")
message := []byte("https://const.net.cn/")
//指定密钥h
key := []byte("1234567812345678")
//加密
cipherText := AES_CBC_Encrypt(message, key)
fmt.Printf("加密后:%x\n", cipherText)
fmt.Printf("MD5后为:%x\n", md5.Sum(cipherText))
//解密
plainText := AES_CBC_Decrypt(cipherText, key)
fmt.Println("解密后为:", string(plainText))
}
//对明文进行填充
func Padding(plainText []byte, blockSize int) []byte {
//计算要填充的长度
n := blockSize - len(plainText)%blockSize
//对原来的明文填充n个n
temp := bytes.Repeat([]byte{byte(n)}, n)
plainText = append(plainText, temp...)
return plainText
}
//对密文删除填充
func UnPadding(cipherText []byte) []byte {
//取出密文最后一个字节end
end := cipherText[len(cipherText)-1]
//删除填充
cipherText = cipherText[:len(cipherText)-int(end)]
return cipherText
}
//AES加密(CBC模式)
func AES_CBC_Encrypt(plainText []byte, key []byte) []byte {
//指定加密算法,返回一个AES算法的Block接口对象
block, err := aes.NewCipher(key)
if err != nil {
panic(err)
}
//进行填充
plainText = Padding(plainText, block.BlockSize())
//指定初始向量vi,长度和block的块尺寸一致
iv := []byte("1234567812345678")
//指定分组模式,返回一个BlockMode接口对象
blockMode := cipher.NewCBCEncrypter(block, iv)
//加密连续数据库
cipherText := make([]byte, len(plainText))
blockMode.CryptBlocks(cipherText, plainText)
//返回密文
return cipherText
}
//AES解密(CBC模式)
func AES_CBC_Decrypt(cipherText []byte, key []byte) []byte {
//指定解密算法,返回一个AES算法的Block接口对象
block, err := aes.NewCipher(key)
if err != nil {
panic(err)
}
//指定初始化向量IV,和加密的一致
iv := []byte("1234567812345678")
//指定分组模式,返回一个BlockMode接口对象
blockMode := cipher.NewCBCDecrypter(block, iv)
//解密
plainText := make([]byte, len(cipherText))
blockMode.CryptBlocks(plainText, cipherText)
//删除填充
plainText = UnPadding(plainText)
return plainText
}
输出:
go run .
go crypto aes-128-cbc demo/example.
加密后:7c3d609dad2a0ba771088602d5c3ac8d74c4d9c6be86a925daa3964a4f567d0d
MD5后为:e209153d97b93e25ed7ec8ee05b39eb6
解密后为: https://const.net.cn/
验证:
echo -n "https://const.net.cn/" |openssl enc -aes-128-cbc -K 31323334353637383132333435363738 -iv 31323334353637383132333435363738 | hexdump -C
00000000 7c 3d 60 9d ad 2a 0b a7 71 08 86 02 d5 c3 ac 8d ||=`..*..q.......|
00000010 74 c4 d9 c6 be 86 a9 25 da a3 96 4a 4f 56 7d 0d |t......%...JOV}.|
00000020
echo -n "https://const.net.cn/" |openssl enc -aes-128-cbc -K 31323334353637383132333435363738 -iv 31323334353637383132333435363738 | openssl dgst -md5
(stdin)= e209153d97b93e25ed7ec8ee05b39eb6