While working on another blog post, I encountered the need to generate a MD5 hash by passing in a string value and didn’t see any very appealing solutions off-hand that didn’t involve iterating through a loop. I elected to visit everyone’s favorite friend, LINQ to handle this.
The Problem
You need to generate an MD5 hash using a string, but you want a quick and easy way to do it.
The Solution
Firstly, you will need to ensure that you are referencing the appropriate namespace (System.Security.Cryptography) to work with MD5 hashes by adding the following using statement :
using System.Security.Cryptography;
Now, just use the following LINQ statement that will allow you to pass in your value and generate an MD5 hash of the string:
string yourStringValue = "This is a test";
var hashValue = string.Join("", MD5.Create().ComputeHash(
Encoding.ASCII.GetBytes(yourStringValue)).Select(s => s.ToString("x2")));
var hashValue = string.Join("", MD5.Create().ComputeHash(
Encoding.ASCII.GetBytes(yourStringValue)).Select(s => s.ToString("x2")).ToArray());
Or if you would prefer it as a method :
public string GenerateMD5(string yourString)
{
return string.Join("", MD5.Create().ComputeHash(
Encoding.ASCII.GetBytes(yourString)).Select(s => s.ToString("x2")));
}
Example :
var example = "This is a Test String";
var hashed = GenerateMD5(example);