如安在ASP.Net Core中利用 IHostedService的要领

在我们应用措施中经常会有一些执行靠山任务和任务调治的需求,那如安在 ASP.Net Core 中实现呢? 可以操作 Azure WebJobs 可能其他一些第三方任务调治框架,如:Quartz 和 Hangfire。

ASP.Net Core 中,也可以将 靠山任务 作为托管处事的模式,所谓的 托管处事 只需要实现框架中的 IHostedService 接口并席卷进你需要的业务逻辑作为靠山任务,这篇文章将会接头如安在 ASP.Net Core 中构建托管处事。

建设托管处事

要想建设托管处事,只需要实现 IHostedService 接口即可,下面就是 IHostedService 接口的声明。

public interface IHostedService { Task StartAsync(CancellationToken cancellationToken); Task StopAsync(CancellationToken cancellationToken); }

这一节中我们在 ASP.Net Core 中做一个极简版的 托管处事, 首先自界说一个 MyFirstHostedService 托管类,代码如下:

public class MyFirstHostedService : IHostedService { protected async override Task ExecuteAsync(CancellationToken token) { throw new NotImplementedException(); } }  

建设 BackgroundService

有一点要留意,上一节的 MyFirstHostedService 实现了 IHostedService 接口,实际开拓中并不需要这样做,因为 .Net Core 中已经提供了抽象类 BackgroundService,所以接下来重写抽象类的 ExecuteAsync 要领即可,如下代码所示:

public class MyFirstHostedService : BackgroundService { protected async override Task ExecuteAsync(CancellationToken token) { throw new NotImplementedException(); } }

下面的代码片断展示了一个简朴的 Log 要领,用于记录当前时间到文件中,这个要领由 托管处事 触发。

private async Task Log() { using (StreamWriter sw = new StreamWriter(@"D:\log.txt",true)) { await sw.WriteLineAsync(DateTime.Now.ToLongTimeString()); } }

利用 ExecuteAsync 要领

接下来看看如何实现 ExecuteAsync 要领,这个要领的逻辑就是周期性(second/s)的挪用 Log() 要领,如下代码所示:

protected async override Task ExecuteAsync(CancellationToken token) { while (!token.IsCancellationRequested) { await Log(); await Task.Delay(1000, token); } }

好了,下面是完整的 MyFirstHostedService 类代码,仅供参考。

using Microsoft.Extensions.Hosting; using System; using System.IO; using System.Threading; using System.Threading.Tasks; namespace HostedServicesApp { public class MyFirstHostedService : BackgroundService { protected async override Task ExecuteAsync(CancellationToken token) { while (!token.IsCancellationRequested) { await Log(); await Task.Delay(1000, token); } } private async Task Log() { using (StreamWriter sw = new StreamWriter(@"D:\log.txt",true)) { await sw.WriteLineAsync(DateTime.Now.ToLongTimeString()); } } } }

托管处事注册

托管处事类已经写好了,要想注入到 Asp.NET Core 中,需要在 Startup.ConfigureServices 中将 托管处事类 注入到 ServiceCollection 中,如下代码所示:

public void ConfigureServices(IServiceCollection services) { services.AddHostedService<MyFirstHostedService>(); services.AddMvc().SetCompatibilityVersion(CompatibilityVersion.Version_2_2); }

当把应用措施跑起来后,你会瞥见措施每秒城市往 D:\log.txt 文件中记录日志。

在 IHostedService 中提供的 StartAsync 和 StopAsync 可用于在 ASP.NET Core 中执行或遏制靠山任务,你可以用它在你的应用措施中更新数据或其他操纵,尚有这些周期性业务逻辑是跑在靠山线程中的,这样就不会导致主请求线程的阻塞。

译文链接:https://www.infoworld.com/article/3390741/how-to-use-ihostedservice-in-aspnet-core.html

到此这篇关于如安在ASP.Net Core中利用 IHostedService的要领的文章就先容到这了,更多相关ASP.Net Core利用 IHostedService内容请搜索剧本之家以前的文章或继承欣赏下面的相关文章但愿各人今后多多支持剧本之家!

您大概感乐趣的文章:

内容版权声明:除非注明,否则皆为本站原创文章。

转载注明出处:https://www.heiqu.com/wsdxzy.html