问题
I have some string and I want to hash it with the SHA-256 hash function using C#. I want something like this:
 string hashString = sha256_hash(\"samplestring\");
Is there something built into the framework to do this?
回答1:
The implementation could be like that
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 implementation is more concise, but, probably, less readable:
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")));
  }
} 
Edit 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();
}
回答2:
I was looking for an in-line solution, and was able to compile the below from Dmitry's answer:
public static String sha256_hash(string value)
{
    return (System.Security.Cryptography.SHA256.Create()
            .ComputeHash(Encoding.UTF8.GetBytes(value))
            .Select(item => item.ToString("x2")));
}
来源:https://stackoverflow.com/questions/16999361/obtain-sha-256-string-of-a-string