4

我正在尝试将密码存储在我想稍后检索的文件中。哈希不是一个选项,因为我需要密码以供以后连接到远程服务器。

以下代码运行良好,但即使密钥相同,每次都会创建不同的输出。这很糟糕,因为当应用程序关闭并重新启动时,我将无法再检索我的密码。如何将密码存储在文件中并稍后检索?

public class EncyptDecrypt {

    static System.Security.Cryptography.TripleDESCryptoServiceProvider keyProv = new System.Security.Cryptography.TripleDESCryptoServiceProvider();

    public static System.Security.Cryptography.TripleDESCryptoServiceProvider KeyProvider {
        get {
            keyProv.Key = new byte[] { /* redacted with prejudice */ };
            return keyProv;
        }
    }

    public static string Encrypt(string text, SymmetricAlgorithm key) {

        if (text.Equals(string.Empty)) return text;

        // Create a memory stream.
        MemoryStream ms = new MemoryStream();

        // Create a CryptoStream using the memory stream and the
        // CSP DES key.
        CryptoStream encStream = new CryptoStream(ms, key.CreateEncryptor(), CryptoStreamMode.Write);

        // Create a StreamWriter to write a string
        // to the stream.
        StreamWriter sw = new StreamWriter(encStream);

        // Write the plaintext to the stream.
        sw.WriteLine(text);

        // Close the StreamWriter and CryptoStream.
        sw.Close();
        encStream.Close();

        // Get an array of bytes that represents
        // the memory stream.
        byte[] buffer = ms.ToArray();

        // Close the memory stream.
        ms.Close();

        // Return the encrypted byte array.
        return System.Convert.ToBase64String(buffer);
    }

    // Decrypt the byte array.
    public static string Decrypt(string cypherText, SymmetricAlgorithm key) {

        if (cypherText.Equals(string.Empty)) return cypherText;

        string val;

        try {
            // Create a memory stream to the passed buffer.
            MemoryStream ms = new MemoryStream(System.Convert.FromBase64String(cypherText));

            // Create a CryptoStream using the memory stream and the
            // CSP DES key.
            CryptoStream encStream = new CryptoStream(ms, key.CreateDecryptor(), CryptoStreamMode.Read);

            // Create a StreamReader for reading the stream.
            StreamReader sr = new StreamReader(encStream);

            // Read the stream as a string.
            val = sr.ReadLine();

            // Close the streams.
            sr.Close();
            encStream.Close();
            ms.Close();
        }
        catch (System.Exception) {

            return string.Empty;
        }

        return val;
    }
}
4

3 回答 3

8

我相信正在发生的事情是加密提供者正在随机生成一个 IV。指定这个,它应该不再不同。

编辑:您可以通过设置 IV 属性在“keyProvider”中执行此操作。

于 2008-09-23T01:22:56.960 回答
3

根据 CreateEncryptor 的文档:

如果当前 IV 属性是空引用(在 Visual Basic 中为 Nothing),则调用 GenerateIV 方法来创建新的随机 IV。

这将使密文每次都不同。

注意:这里讨论了一种解决方法,我建议您可以在明文前面加上 mac ...然后密文的第一个块实际上是 IV,但它都是可重复的

于 2008-09-23T01:27:18.993 回答
2

您需要指定一个 IV(初始化向量),即使您生成一个随机向量。如果您使用随机 IV,那么您必须将其与密文一起存储,以便稍后在解密时使用它,或者您可以从其他一些数据中导出 IV(例如,如果您正在加密密码,您可以从用户名)。

于 2009-01-21T17:04:21.720 回答