1 回答

TA貢獻2012條經驗 獲得超12個贊
CFB 模式使用與每個加密步驟加密的位相對應的段大小,請參閱CFB。
Go 僅支持 128 位 (CFB128) 的段大小,至少沒有更深層次的修改(參見此處和此處)。相反,PyCryptodome 中的段大小是可配置的,默認為 8 位 (CFB8),s。在這里。發布的 Python 代碼使用此默認值,因此這兩個代碼不兼容。由于段大小在Go代碼中是不可調整的,所以在Python代碼中必須設置為CFB128:
cipher = AES.new(key, AES.MODE_CFB, iv, segment_size=128)
此外,密文在 Python 代碼中是十六進制編碼的,因此它必須在 Go 代碼中進行十六進制解碼,這在發布的代碼中尚未發生。
通過這兩個更改,可以解密使用 Python 代碼生成的密文。
以下 Go 代碼中的密文是使用 Python 代碼使用 128 位的段大小和密碼短語創建的my passphrase
,并成功解密:
package main
import (
"crypto/aes"
"crypto/cipher"
"crypto/sha256"
"encoding/hex"
"fmt"
)
func main() {
ciphertextHex := "546ddf226c4c556c7faa386940f4fff9b09f7e3a2ccce2ed26f7424cf9c8cd743e826bc8a2854bb574df9f86a94e7b2b1e63886953a6a3eb69eaa5fa03d69ba5" // Fix 1: Apply CFB128 on the Python side
fmt.Println(Decrypt(ciphertextHex)) // The quick brown fox jumps over the lazy dog
}
func PKCS5UnPadding(src []byte) []byte {
length := len(src)
unpadding := int(src[length-1])
return src[:(length - unpadding)]
}
func Decrypt(ciphertext string) string {
h := sha256.New()
//h.Write([]byte(os.Getenv("SECRET")))
h.Write([]byte("my passphrase")) // Apply passphrase from Python side
key := h.Sum(nil)
//ciphertext_bytes := []byte(ciphertext)
ciphertext_bytes, _ := hex.DecodeString(ciphertext) // Fix 2. Hex decode ciphertext
block, err := aes.NewCipher(key)
if err != nil {
panic(err)
}
iv := ciphertext_bytes[:aes.BlockSize]
if len(ciphertext) < aes.BlockSize {
panic("ciphertext too short")
}
ciphertext_bytes = ciphertext_bytes[aes.BlockSize:]
stream := cipher.NewCFBDecrypter(block, iv)
stream.XORKeyStream(ciphertext_bytes, ciphertext_bytes)
plaintext := PKCS5UnPadding(ciphertext_bytes)
return string(plaintext)
}
安全:
使用摘要作為密鑰派生函數是不安全的。應用專用的密鑰派生函數,如 PBKDF2。
靜態或丟失的鹽也是不安全的。為每次加密使用隨機生成的鹽。將非秘密鹽與密文(類似于 IV)連接起來,例如
salt|IV|ciphertext
。該變體
no_iv=True
應用靜態 IV(零 IV),這是不安全的,不應使用。正確的方法在 variant 中有描述no_iv=False
。CFB 是一種流密碼模式,因此不需要填充/解填充,因此可以在兩側刪除。
- 1 回答
- 0 關注
- 268 瀏覽
添加回答
舉報