DotNET中PasswordDeriveBytes.CryptDeriveKey的Java实现
新老系统分别基于 Java 和.NET,老系统中使用 PasswordDeriveBytes.CryptDeriveKey
进行 3DES 密钥的生成。为实现新老系统的互操作性,需要使用 Java 实现密钥生成逻辑。
为什么要使用密钥生成器
对于对称加密算法,需要使用一个密钥将明文加密为密文,那这个密钥如何产生呢?一个最简单的做法就是将用户提供的密码直接转成字节数组作为密钥。但这会导致如下问题:
- 各种加密算法所要求的密钥长度不尽相同。以 3DES 为例,所需的密钥长度为 192 位,即需要用户提供 24 字节的密码,否则会导致密钥位数不够。还有一种做法是自动填充字符以满足密钥长度,这会导致密码中会有相同的字符进行加解密,使密文更容易被破解。
- 用户输入的密码一般只包含 a-z,A-Z,0-9,也可能包含一些符号。这意味着每个字节只能使用 70-75 种可能的组合。另外,并不是每个符号都会使用偶数频率。在英语密码的单个字节中熵的各种估计值从 1.3 到 4 位不等。这意味着为了生成一个好的 256 位密钥,你需要一个长度为 64 到 197 字节的密码。
.NET 中 PasswordDeriveBytes 类介绍
为了解决上述问题,.NET 提供了 PasswordDeriveBytes 类进行密钥的生成,可以实现屏蔽不同加密算法所需密钥长度的不同,生成指定加密算法的合适密钥长度。示例代码如下:
|
|
通过查看 PasswordDeriveBytes 类源码发现,CryptDeriveKey 方法最终是调用了微软的加密 dll 实现
|
|
Java 实现方式
由于微软的加密 dll 并没有开源,所以 Java 中并没有 PasswordDeriveBytes.CryptDeriveKey 的官方实现。同时也查找了.NET 的开源实现 Mono 中的相关源码,发现此方法也没有开源实现,见 mono源码。
通过搜索,发现有和我遇到相同问题的解决方法,但经测试,发现并不能实现.NET 和 Java 的互通。
最后尝试参考 C++ implementation of CryptDeriveKey 和 CryptDeriveKey方法介绍 自己实现密钥生成算法,算法说明如下:
- Form a 64-byte buffer by repeating the constant 0x36 64 times. Let k be the length of the hash value that is represented by the input parameter hBaseData. Set the first k bytes of the buffer to the result of an XOR operation of the first k bytes of the buffer with the hash value that is represented by the input parameter hBaseData.
- Form a 64-byte buffer by repeating the constant 0x5C 64 times. Set the first k bytes of the buffer to the result of an XOR operation of the first k bytes of the buffer with the hash value that is represented by the input parameter hBaseData.
- Hash the result of step 1 by using the same hash algorithm as that used to compute the hash value that is represented by the hBaseData parameter.
- Hash the result of step 2 by using the same hash algorithm as that used to compute the hash value that is represented by the hBaseData parameter.
- Concatenate the result of step 3 with the result of step 4.
- Use the first n bytes of the result of step 5 as the derived key.
按照此步骤进行实现后,经测试,发现部分字节会与正确字节相差 1,例如:
|
|
对字节二进制进行分析后发现可能是做了奇偶校验。具体逻辑为:如果二进制中 1 的个数为偶数,判断最低位为 0 时,将最低位设置为 1,当最低位为 1 时,设置为 0,保证 1 的个数为奇数。
结合上述逻辑,生成密钥代码如下:
|
|