我的加密知识并不精彩,但我注意到的是CryptoJS加密的密文,完全相同的字符串/密钥每次执行加密时都不同,而在Coldfusion / Java中,我总能期望完全相同的加密字符串.我不确定这是否与编码相关,但我从来没有遇到过这个问题,之前接受来自任何其他系统的加密字符串,所以我希望这是我在CryptoJS中加密的方式不正确.
<cfoutput> <!--- Set String and Key ---> <cfset theKey = toBase64("1234567812345678")> <cfset string = "max.brenner@google.com.au"> <!--- CryptoJS AES Libraries ---> <script src="http://crypto-js.googlecode.com/svn/tags/3.1.2/build/rollups/aes.js"></script> <script src="http://crypto-js.googlecode.com/svn/tags/3.1.2/build/components/enc-base64-min.js"></script> <script> // Encrypt String using CryptoJS AES var encrypted = CryptoJS.AES.encrypt("#string#","#theKey#"); console.log(encrypted.toString()); // Decrypt String using CryptoJS AES var decrypted = CryptoJS.AES.decrypt(encrypted,"#theKey#"); console.log(decrypted.toString(CryptoJS.enc.Utf8)); </script> <!--- Coldfusion Decrypt String / FAILS ---> Decrypted: #decrypt(encryptedEmail,"#theKey#","AES","BASE64")# </cfoutput>
解决方法
> CryptoJS没有使用您的变量作为密钥.正如@ Miguel-F所提到的,当你传入一个字符串时,“it’s treated as a passphrase and used to derive [the] actual key and IV”.两者都是随机生成的,这就是你的加密结果不断变化的原因.但更重要的是,这意味着CryptoJS使用的密钥与CF代码中的密钥完全不同,这就是decrypt()失败的原因. (至少这是原因的一部分……)
>第二个问题是除了算法“AES”之外,还有两个必须匹配的加密设置:mode和padding scheme.虽然CryptoJS和ColdFusion对填充方案使用相同的默认值,但“模式”是不同的:
> ColdFusion uses “ECB”.“AES”实际上是“AES / ECB / PKCS5Padding”的缩写
> CryptoJS使用“CBC”,这需要额外的iv(initialization vector)值.
您需要确保双方的所有三个设置都相同.尝试在CF中使用CBC模式,因为它比ECB更安全.注意:它需要添加IV值.
CF代码:
<!--- this is the base64 encrypted value from CryptoJS ---> <cfset encrypted = "J2f66oiDpZkFlQu26BDKL6ZwgNwN7T3ixst4JtMyNIY="> <cfset rawString = "max.brenner@google.com.au"> <cfset base64Key = "MTIzNDU2NzgxMjM0NTY3OA=="> <cfset base64IV = "EBESExQVFhcYGRobHB0eHw=="> <cfset ivBytes = binaryDecode(base64IV,"base64")> <cfoutput> #decrypt(encrypted,base64Key,"AES/CBC/PKCS5Padding","base64",ivBytes)# </cfoutput>
CryptoJS :(调整原始示例)
<script src="http://crypto-js.googlecode.com/svn/tags/3.1.2/build/rollups/aes.js"></script> <script src="http://crypto-js.googlecode.com/svn/tags/3.1.2/build/components/enc-base64-min.js"></script> <script> var text = "#rawString#"; var key = CryptoJS.enc.Base64.parse("#base64Key#"); var iv = CryptoJS.enc.Base64.parse("#base64IV#"); var encrypted = CryptoJS.AES.encrypt(text,key,{iv: iv}); console.log(encrypted.toString()); var decrypted = CryptoJS.AES.decrypt(encrypted,{iv: iv}); console.log(decrypted.toString(CryptoJS.enc.Utf8)); </script>
编辑:
总而言之,客户是什么意思“别无选择,只能使用CryptoJS来执行加密”?为什么他们不能使用服务器端加密?我不是加密专家,但是在javascript中进行加密,并在客户端上公开密钥,开始时听起来并不安全……