Calculate MD5-Hash

A simple method that generates a MD5 hash from a given string. It should be compatible with PHP's md5() function (just lowercase the string).

/// <summary>
/// Calculates a MD5 hash from the given string and uses the given
/// encoding.
/// </summary>
/// <param name="Input">Input string</param>
/// <param name="UseEncoding">Encoding method</param>
/// <returns>MD5 computed string</returns>
public static string CalculateMD5(string Input, Encoding UseEncoding)
{
    System.Security.Cryptography.MD5CryptoServiceProvider CryptoService;
    CryptoService = new System.Security.Cryptography.MD5CryptoServiceProvider();
 
    byte[] InputBytes = UseEncoding.GetBytes(Input);
    InputBytes = CryptoService.ComputeHash(InputBytes);
    return BitConverter.ToString(InputBytes).Replace("-", "");
}
 
/// <summary>
/// Calculates a MD5 hash from the given string. 
/// (By using the default encoding)
/// </summary>
/// <param name="Input">Input string</param>
/// <returns>MD5 computed string</returns>
public static string CalculateMD5(string Input)
{
    // That's just a shortcut to the base method
    return CalculateMD5(Input, System.Text.Encoding.Default);
}
Snippet Details



// The example below shows how to verify a password
// by using a MD5-hash:
 
// Password could be from user input
string PlainPassword	= "secret password";
string HashedPassword	= CalculateMD5(PlainPassword);
 
// This hash may come from the database
string StoredPassword	= "A584EFAFA8F9EA7FE5CF18442F32B07B";
 
// Are the hashes equal?
if (HashedPassword == StoredPassword)
    MessageBox.Show("Correct password!");
else
    MessageBox.Show("Sorry, bad password :-(");

Sorry folks, comments have been deactivated for now due to the large amount of spam.

Please try to post your questions or problems on a related programming board, a suitable mailing list, a programming chat-room,
or use a QA website like stackoverflow because I'm usually too busy to answer any mails related
to my code snippets. Therefore please just mail me if you found a serious bug... Thank you!


Older comments:

None.