web-dev-qa-db-fra.com

Obtenir la chaîne SHA-256 d'une chaîne

J'ai un string et je veux hash avec la fonction SHA-256 hash en utilisant C #. Je veux quelque chose comme ça:

 string hashString = sha256_hash("samplestring");

Existe-t-il quelque chose dans le cadre pour faire cela?

27
Dariush Jafari

La mise en œuvre pourrait être comme ça

public static String sha256_hash(String value) {
  StringBuilder Sb = new StringBuilder();

  using (SHA256 hash = SHA256Managed.Create()) {
    Encoding enc = Encoding.UTF8;
    Byte[] result = hash.ComputeHash(enc.GetBytes(value));

    foreach (Byte b in result)
      Sb.Append(b.ToString("x2"));
  }

  return Sb.ToString();
}

Edit: Linq La mise en oeuvre est plus concise, mais probablement moins lisible:

public static String sha256_hash(String value) {
  using (SHA256 hash = SHA256Managed.Create()) {
    return String.Concat(hash
      .ComputeHash(Encoding.UTF8.GetBytes(value))
      .Select(item => item.ToString("x2")));
  }
} 

Éditer 2: .NET Core

public static String sha256_hash(string value)
{
    StringBuilder Sb = new StringBuilder();

    using (var hash = SHA256.Create())            
    {
        Encoding enc = Encoding.UTF8;
        Byte[] result = hash.ComputeHash(enc.GetBytes(value));

        foreach (Byte b in result)
            Sb.Append(b.ToString("x2"));
    }

    return Sb.ToString();
}
88
Dmitry Bychenko

Je cherchais une solution en ligne, et j'ai pu compiler ce qui suit à partir de la réponse de Dmitry:

public static String sha256_hash(string value)
{
    return (System.Security.Cryptography.SHA256.Create()
            .ComputeHash(Encoding.UTF8.GetBytes(value))
            .Select(item => item.ToString("x2")));
}
0
aaronsteers