I have a hard time using Quartz 3.0.7 with ASP.NET Core 2.2 after I have defined two jobs that rely on a scoped service (ScopedDataAccess) that is a wrapper upon my database con
As i know, this is not possible with Quartz, i struggled with the same issues and the only solution i found was to use a ServiceLocator and create the scope explicitly in the Job.
I ended with something like that:
// Pseudo-Code
public class MyJob : IJob
{
private readonly IServiceLocator _serviceLocator;
public MyJob(IServiceLocator serviceLocator)
{
_serviceLocator = serviceLocator;
}
public async Task Execute(JobExecutionContext context)
{
using(_serviceLocator.BeginScope())
{
var worker = _serviceLocator.GetService();
await worker.DoWorkAsync();
}
}
}
In this case, your worker is still scoped but the job isn't anymore. So you can still use your Worker in other places in your solution and the scope still works.
You need to implement the ServiceLocator by yourself depending on the DI do you use and IServiceLocator
must also be defined by you.
Edit
In one of our projects we use this:
///
/// A simple service locator to hide the real IOC Container.
/// Lowers the anti-pattern of service locators a bit.
///
public interface IServiceLocator
{
///
/// Begins an new async scope.
/// The scope should be disposed explicitly.
///
///
IDisposable BeginAsyncScope();
///
/// Gets an instance of the given .
///
/// Type of the requested service.
/// The requested service instance.
TService GetInstance() where TService : class;
}
We use mostly SimpleInjector with this implementation:
///
/// SimpleInjector implementation of the service locator.
///
public class ServiceLocator : IServiceLocator
{
#region member vars
///
/// The SimpleInjector container.
///
private readonly Container _container;
#endregion
#region constructors and destructors
public ServiceLocator(Container container)
{
_container = container;
}
#endregion
#region explicit interfaces
///
public IDisposable BeginAsyncScope()
{
return AsyncScopedLifestyle.BeginScope(_container);
}
///
public TService GetInstance()
where TService : class
{
return _container.GetInstance();
}
}
As you can see, this is just a simple wrapper but helps to hide the real DI Framework from the consumers. I hope this helps a little bit to understand your needed implementation.