c# – 异步SHA256哈希

前端之家收集整理的这篇文章主要介绍了c# – 异步SHA256哈希前端之家小编觉得挺不错的,现在分享给大家,也给大家做个参考。
我有以下方法
public static string Sha256Hash(string input) {
    if(String.IsNullOrEmpty(input)) return String.Empty;
    using(HashAlgorithm algorithm = new SHA256CryptoServiceProvider()) {
        byte[] inputBytes = Encoding.UTF8.GetBytes(input);
        byte[] hashBytes = algorithm.ComputeHash(inputBytes);
        return BitConverter.ToString(hashBytes).Replace("-",String.Empty);
    }
}

有没有办法让它异步?我希望使用async和await关键字,但HashAlgorithm类不为此提供任何异步支持.

另一种方法是将所有逻辑封装在:

public static async string Sha256Hash(string input) {
     return await Task.Run(() => {
         //Hashing here...
     });
}

但这似乎并不干净,我不确定它是否是一种异步执行操作的正确(或有效)方式.

我该怎么做才能做到这一点?

解决方法

您正在进行的工作本质上是同步cpu绑定工作.它本身并不是异步的,就像网络IO一样.如果你想在另一个线程中运行一些同步cpu绑定工作并异步等待它完成,那么Task.Run确实是完成它的正确工具,假设操作足够长,需要异步执行它.

That said,there really isn’t any reason to expose an asynchronous wrapper over your synchronous method.通常同步公开方法更有意义,如果特定调用者需要它在另一个线程中异步运行,他们可以使用Task.Run明确指出对该特定调用的需要.

原文链接:https://www.f2er.com/csharp/98691.html

猜你在找的C#相关文章