在Go语言中,你可以使用crypto/aes
包来进行AES加解密操作。以下是一个简单的示例代码:
package main
import (
"crypto/aes"
"crypto/cipher"
"encoding/hex"
"fmt"
)
func main() {
key := []byte("0123456789abcdef") // 16字节的AES密钥
plaintext := []byte("Hello, AES!") // 要加密的明文
ciphertext, err := encrypt(plaintext, key)
if err != nil {
fmt.Println("加密失败:", err)
return
}
fmt.Printf("加密后的密文: %s\n", hex.EncodeToString(ciphertext))
decryptedText, err := decrypt(ciphertext, key)
if err != nil {
fmt.Println("解密失败:", err)
return
}
fmt.Printf("解密后的明文: %s\n", decryptedText)
}
func encrypt(plaintext []byte, key []byte) ([]byte, error) {
block, err := aes.NewCipher(key)
if err != nil {
return nil, fmt.Errorf("创建AES块失败: %w", err)
}
ciphertext := make([]byte, aes.BlockSize+len(plaintext))
initializationVector := ciphertext[:aes.BlockSize]
if _, err = rand.Read(initializationVector); err != nil { // 随机生成初始化向量IV
return nil, fmt.Errorf("生成随机IV失败: %w", err)
}
mode := cipher.NewCBCEncrypter(block, initializationVector)
mode.CryptBlocks(ciphertext[aes.BlockSize:], plaintext)
return ciphertext, nil
}
func decrypt(ciphertext []byte, key []byte) ([]byte, error) {
block, err := aes.NewCipher(key)
if err != nil {
return nil, fmt.Errorf("创建AES块失败: %w", err)
}
if len(ciphertext) < aes.BlockSize {
return nil, fmt.Errorf("密文长度错误")
}
initializationVector := ciphertext[:aes.BlockSize]
ciphertext = ciphertext[aes.BlockSize:]
mode := cipher.NewCBCDecrypter(block, initializationVector)
mode.CryptBlocks(ciphertext, ciphertext)
return ciphertext, nil
}
请注意,这只是一个简单的示例代码,并不考虑填充和其他安全性方面的细节。在实际使用中,请确保按照最佳实践进行加解密操作。
内容由零声教学AI助手提供,问题来源于学员提问