在 C# 和 NodeJS 中生成 PBKDF2 密钥

本文关键字:PBKDF2 密钥 NodeJS | 更新日期: 2023-09-27 18:36:02

我正在尝试使用 AES192 和基于 PBKDF2 密码/盐的密钥在 C# 中加密字节数组,并在 NodeJS 中解密相同的数据。 但是,我的密钥生成在 NodeJS 和 C# 中产生了不同的结果。

C# 代码如下所示:

    private void getKeyAndIVFromPasswordAndSalt(string password, byte[] salt, SymmetricAlgorithm symmetricAlgorithm, ref byte[] key, ref byte[] iv)
    {
        Rfc2898DeriveBytes rfc2898DeriveBytes = new Rfc2898DeriveBytes(password, salt);
        key = rfc2898DeriveBytes.GetBytes(symmetricAlgorithm.KeySize / 8);
        iv = rfc2898DeriveBytes.GetBytes(symmetricAlgorithm.BlockSize / 8);
    }
    private byte[] encrypt(byte[] unencryptedBytes, string password, int keySize)
    {
        RijndaelManaged aesEncryption = new RijndaelManaged();
        aesEncryption.KeySize = keySize;
        aesEncryption.BlockSize = 128;
        byte[] key = new byte[keySize];
        byte[] iv = new byte[128];
        getKeyAndIVFromPasswordAndSalt(password, Encoding.ASCII.GetBytes("$391Ge3%£2gfR"), aesEncryption, ref key, ref iv);
        aesEncryption.Key = key;
        aesEncryption.IV = iv;
        Console.WriteLine("iv: {0}", Convert.ToBase64String(aesEncryption.IV));
        Console.WriteLine("key: {0}", Convert.ToBase64String(aesEncryption.Key));
        ICryptoTransform crypto = aesEncryption.CreateEncryptor();
        // The result of the encryption and decryption            
        return crypto.TransformFinalBlock(unencryptedBytes, 0, unencryptedBytes.Length);
    }

NodeJS代码是这样的:

    crypto.pbkdf2("Test", "$391Ge3%£2gfR", 1000, 192/8, (err, key) => {
        var binkey = new Buffer(key, 'ascii');
        var biniv = new Buffer("R6taODpFa1/A7WhTZVszvA==", 'base64');
        var decipher = crypto.createDecipheriv('aes192', binkey, biniv);
        console.log("KEY: " + binkey.toString("base64"));
        var decodedLIL = decipher.update(decryptedBuffer);
        console.log(decodedLIL);
        return;
    });

IV 是硬编码的,因为我无法弄清楚如何使用 pbkdf2 计算它。 我已经浏览了nodeJS文档以获取更多帮助,但我对这里发生的事情感到茫然。

任何协助将不胜感激。

在 C# 和 NodeJS 中生成 PBKDF2 密钥

我看到的问题之一是井号 ( £ 的编码。 默认情况下,crypto.pbkdf2将密码和盐编码为二进制数组,其中每个字符被截断为最低的 8 位(意味着井号成为字节0xA3)。

但是,C# 代码将盐转换为 ASCII,其中每个字符被截断为最低的 7 位(这意味着井号变为字节0x23)。此外,它还使用 Rfc2898DeriveBytes 构造函数,该构造函数采用字符串作为密码。不幸的是,文档没有说明使用什么编码将字符串转换为字节。幸运的是,Rfc2898DeriveBytes 确实有另一个构造函数,它采用一个字节数组作为密码,并且还采用迭代计数参数,此处为 1000。

因此,您应该通过将每个字符截断为 8 位来将密码和盐字符串转换为字节数组,就像 Node.js 默认所做的那样。下面是一个示例:

var bytes=new byte[password.Length];
for(var i=0;i<bytes.Length;i++){
  bytes[i]=(byte)(password[i]&0xFF);
}