在Go語言中,實現(xiàn)數(shù)據(jù)加密和解密可以使用標(biāo)準(zhǔn)庫中的"crypto"和"crypto/aes"包。以下是一個使用AES加密和解密的示例:
package main
import (
"crypto/aes"
"crypto/cipher"
"crypto/rand"
"encoding/base64"
"fmt"
"io"
)
func main() {
// 密鑰應(yīng)該是32字節(jié)長度的AES密鑰
key := []byte("0123456789abcdef")
// 原始數(shù)據(jù)
plaintext := []byte("Hello, World!")
// 加密數(shù)據(jù)
ciphertext, err := encrypt(plaintext, key)
if err != nil {
fmt.Println("Error encrypting:", err)
return
}
fmt.Printf("Encrypted text: %s\n", base64.StdEncoding.EncodeToString(ciphertext))
// 解密數(shù)據(jù)
decryptedText, err := decrypt(ciphertext, key)
if err != nil {
fmt.Println("Error decrypting:", err)
return
}
fmt.Printf("Decrypted text: %s\n", string(decryptedText))
}
func encrypt(plaintext []byte, key []byte) ([]byte, error) {
block, err := aes.NewCipher(key)
if err != nil {
return nil, err
}
nonce := make([]byte, 12)
if _, err := io.ReadFull(rand.Reader, nonce); err != nil {
return nil, err
}
aesgcm, err := cipher.NewGCM(block)
if err != nil {
return nil, err
}
ciphertext := aesgcm.Seal(nil, nonce, plaintext, nil)
return append(nonce, ciphertext...), nil
}
func decrypt(ciphertext []byte, key []byte) ([]byte, error) {
block, err := aes.NewCipher(key)
if err != nil {
return nil, err
}
if len(ciphertext) < 12 {
return nil, fmt.Errorf("ciphertext too short")
}
nonce, ciphertext := ciphertext[:12], ciphertext[12:]
aesgcm, err := cipher.NewGCM(block)
if err != nil {
return nil, err
}
plaintext, err = aesgcm.Open(nil, nonce, ciphertext, nil)
if err != nil {
return nil, err
}
return plaintext, nil
}
這個示例中,我們使用了AES-GCM加密模式。首先,我們創(chuàng)建一個AES密鑰,然后使用該密鑰加密一段原始數(shù)據(jù)。加密后的數(shù)據(jù)將以Base64編碼的形式輸出。接下來,我們使用相同的密鑰解密數(shù)據(jù),并輸出解密后的原始文本。
注意:在實際應(yīng)用中,請確保密鑰的長度和格式是正確的。在這個示例中,我們使用了一個32字節(jié)長度的十六進(jìn)制字符串作為密鑰。在實際應(yīng)用中,你可能需要從安全的來源獲取密鑰,并將其轉(zhuǎn)換為適當(dāng)?shù)母袷健?/p>