How to properly store password locally

前端 未结 3 1453
萌比男神i
萌比男神i 2021-02-19 17:42

I\'ve been reading this article from MSDN on Rfc2898DeriveBytes. Here is the sample encryption code they provide.

string pwd1 = passwordargs[0];
// Create a byte         


        
3条回答
  •  日久生厌
    2021-02-19 18:07

    You should store the password as a one-way hash and the salt used to create that password. This way you are absolutely sure that the password for the user can never be DECRYPTED. Never use any two-way encryption for this particular task, as you risk exposing user information to would-be attackers.

    void Main()
    {
        string phrase, salt, result;
        phrase = "test";
        result = Sha256Hash(phrase, out salt);
    
        Sha256Compare(phrase, result, salt);
    }
    
    public string Sha256Hash(string phrase, out string salt)
    {
        salt = Create256BitSalt();
        string saltAndPwd = String.Concat(phrase, salt);
        Encoding encoder = Encoding.Default;
        SHA256Managed sha256hasher = new SHA256Managed();
        byte[] hashedDataBytes = sha256hasher.ComputeHash(encoder.GetBytes(saltAndPwd));
        string hashedPwd = Encoding.Default.GetString(hashedDataBytes);
        return hashedPwd;
    }
    
    public bool Sha256Compare(string phrase, string hash, string salt)
    {
        string saltAndPwd = String.Concat(phrase, salt);
        Encoding encoder = Encoding.Default;
        SHA256Managed sha256hasher = new SHA256Managed();
        byte[] hashedDataBytes = sha256hasher.ComputeHash(encoder.GetBytes(saltAndPwd));
        string hashedPwd = Encoding.Default.GetString(hashedDataBytes);
        return string.Compare(hash, hashedPwd, false) == 0;
    }
    
    public string Create256BitSalt()
    {
        int _saltSize = 32;
        byte[] ba = new byte[_saltSize];
        RNGCryptoServiceProvider.Create().GetBytes(ba);
        return Encoding.Default.GetString(ba);
    }
    

    You could also figure out another method for obtaining the salt, but I have made mine to that it computes 2048 bits worth of random data. You could just use a random long you generate but that would be a lot less secure. You won't be able to use SecureString because SecureString isn't Serializable. Which the whole point of DPAPI. There are ways to get the data out but you end up having to jump a few hurdles to do it.

    FWIW, PBKDF2 (Password-Based Key Derivation Function 2) is basically the same thing as SHA256 except slower (a good thing). On its own both are very secure. If you combined PBKDF2 with an SHA256 as your salt then you'd have a very secure system.

提交回复
热议问题