Click here to Skip to main content
65,938 articles
CodeProject is changing. Read more.
Articles / web / ASP.NET

Generating an MD5 Hash from a String Using LINQ

5.00/5 (3 votes)
7 May 2013CPOL 18.3K  
Generating an MD5 hash from a string using LINQ.

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 :

C#
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: 

C#
//Your string value
string yourStringValue = "This is a test";
//Generate a hash for your strings (this appends each
//of the bytes of the value into a single hashed string
var hashValue = string.Join("", MD5.Create().ComputeHash(
   Encoding.ASCII.GetBytes(yourStringValue)).Select(s => s.ToString("x2")));
//For .NET 3.5 and below,  you will need to use the .ToArray() following the Select method: 
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 :

C#
public string GenerateMD5(string yourString)
{
   return string.Join("", MD5.Create().ComputeHash(
      Encoding.ASCII.GetBytes(yourString)).Select(s => s.ToString("x2")));
}

Example :

C#
var example = "This is a Test String"; //"This is a Test String"
var hashed = GenerateMD5(example);     //"7ae92fb767e5024552c90292d3cb1071"

License

This article, along with any associated source code and files, is licensed under The Code Project Open License (CPOL)