golang实现aes
时间: 2024-01-23 13:14:08 浏览: 163
以下是使用Golang实现AES加密和解密的示例代码:
```go
package main
import (
"crypto/aes"
"crypto/cipher"
"crypto/rand"
"encoding/base64"
"fmt"
"io"
)
func main() {
// 原始数据
plaintext := []byte("Hello, World!")
// 生成随机的AES密钥
key := make([]byte, 32)
if _, err := io.ReadFull(rand.Reader, key); err != nil {
panic(err.Error())
}
// 创建AES加密器
block, err := aes.NewCipher(key)
if err != nil {
panic(err.Error())
}
// 创建GCM模式的加密器
aesGCM, err := cipher.NewGCM(block)
if err != nil {
panic(err.Error())
}
// 生成随机的Nonce
nonce := make([]byte, aesGCM.NonceSize())
if _, err = io.ReadFull(rand.Reader, nonce); err != nil {
panic(err.Error())
}
// 加密数据
ciphertext := aesGCM.Seal(nil, nonce, plaintext, nil)
// 将密钥、Nonce和密文进行Base64编码
encodedKey := base64.StdEncoding.EncodeToString(key)
encodedNonce := base64.StdEncoding.EncodeToString(nonce)
encodedCiphertext := base64.StdEncoding.EncodeToString(ciphertext)
fmt.Println("Encoded Key:", encodedKey)
fmt.Println("Encoded Nonce:", encodedNonce)
fmt.Println("Encoded Ciphertext:", encodedCiphertext)
// 解密数据
decodedKey, _ := base64.StdEncoding.DecodeString(encodedKey)
decodedNonce, _ := base64.StdEncoding.DecodeString(encodedNonce)
decodedCiphertext, _ := base64.StdEncoding.DecodeString(encodedCiphertext)
// 创建AES解密器
decBlock, err := aes.NewCipher(decodedKey)
if err != nil {
panic(err.Error())
}
// 创建GCM模式的解密器
decGCM, err := cipher.NewGCM(decBlock)
if err != nil {
panic(err.Error())
}
// 解密数据
plaintext, err = decGCM.Open(nil, decodedNonce, decodedCiphertext, nil)
if err != nil {
panic(err.Error())
}
fmt.Println("Decrypted Plaintext:", string(plaintext))
}
```
阅读全文