如何在Hangfire中使用.net core的默认依赖注入?
我是Hangfire的新手,正在寻找一个与asp.net核心兼容的例子.
请参阅GitHub上的完整示例https://github.com/gonzigonz/HangfireCore-Example.
现场网站http://hangfirecore.azurewebsites.net/
确保您拥有Hangfire的核心版本:
dotnet add package Hangfire.AspNetCore
通过定义a来配置IoC JobActivator
.以下是与默认的asp.net核心容器服务一起使用的配置:
public class HangfireActivator : Hangfire.JobActivator
{
private readonly IServiceProvider _serviceProvider;
public HangfireActivator(IServiceProvider serviceProvider)
{
_serviceProvider = serviceProvider;
}
public override object ActivateJob(Type type)
{
return _serviceProvider.GetService(type);
}
}
接下来在Startup.ConfigureServices
方法中注册hangfire作为服务:
services.AddHangfire(opt =>
opt.UseSqlServerStorage("Your Hangfire Connection string"));
在Startup.Configure
方法中配置hangfire .与您的问题相关,关键是配置hangfire以使用HangfireActivator
我们刚才定义的新内容.为此,您必须提供hangfire,IServiceProvider
这可以通过将其添加到Configure
方法的参数列表来实现.在运行时,DI将为您提供此服务:
public void Configure(
IApplicationBuilder app,
IHostingEnvironment env,
ILoggerFactory loggerFactory,
IServiceProvider serviceProvider)
{
...
// Configure hangfire to use the new JobActivator we defined.
GlobalConfiguration.Configuration
.UseActivator(new HangfireActivator(serviceProvider));
// The rest of the hangfire config as usual.
app.UseHangfireServer();
app.UseHangfireDashboard();
}
将作业排入队列时,请使用通常是您的界面的注册类型.除非您以这种方式注册,否则请勿使用具体类型.您必须使用在IoC注册的类型,否则Hangfire将无法找到它. 例如,您已经注册了以下服务:
services.AddScoped();
services.AddScoped();
然后你可以DbManager
使用该类的实例化版本入队:
BackgroundJob.Enqueue(() => dbManager.DoSomething());
但是你不能这样做MyService
.使用实例化版本进行入队将失败,因为DI将失败,因为只有接口已注册.在这种情况下,你会像这样入队:
BackgroundJob.Enqueue( ms => ms.DoSomething());
据我所知,您可以像使用任何其他服务一样使用.net核心依赖注入.
您可以使用包含要执行的作业的服务,这样可以执行
var jobId = BackgroundJob.Enqueue(x => x.SomeTask(passParamIfYouWish));
以下是Job Service类的示例
public class JobService : IJobService { private IClientService _clientService; private INodeServices _nodeServices; //Constructor public JobService(IClientService clientService, INodeServices nodeServices) { _clientService = clientService; _nodeServices = nodeServices; } //Some task to execute public async Task SomeTask(Guid subject) { // Do some job here Client client = _clientService.FindUserBySubject(subject); } }
在您的项目Startup.cs中,您可以正常添加依赖项
services.AddTransient< IClientService, ClientService>();
不确定这是否回答了你的问题
DoritoBandito的答案不完整或已弃用。
public class EmailSender { public EmailSender(IDbContext dbContext, IEmailService emailService) { _dbContext = dbContext; _emailService = emailService; } }
注册服务:
services.AddTransient(); services.AddTransient ();
入队:
BackgroundJob.Enqueue(x => x.Send(13, "Hello!"));
资料来源:http : //docs.hangfire.io/en/latest/background-methods/passing-dependencies.html