我有一个像
这样的类型的dllpublic class MyDbContext {
[...]
}
在这个库中我还有IPackage
实现,它在容器中注册了MyDbContext
,如
public void RegisterServices( Container container ) {
container.Register<MyDbContext>( Lifestyle.Scoped );
}
然后从两种不同类型的应用程序引用此程序集: - 一个web api项目 - 一个asp.net mvc应用程序
这是web api项目的初始化
var container = new Container();
container.Options.DefaultScopedLifestyle = new AsyncScopedLifestyle();
InitializeContainer( container );
container.RegisterWebApiControllers( GlobalConfiguration.Configuration );
container.Verify();
这是mvc应用程序的初始化
var container = new Container();
container.Options.DefaultScopedLifestyle = new WebRequestLifestyle();
InitializeContainer( container );
container.RegisterMvcControllers( Assembly.GetExecutingAssembly() );
container.Verify();
当我从Rebus队列(在mvc应用程序中)收到消息时,容器会尝试实例化这样的消息处理程序
public class MyHandler : BaseMessageHandler, IHandleMessages<MyMessage>, IHandleMessages<IFailed<MyMessage>>
{
public MyHandler( ILog logger, MyDbContext context ) {
_logger = logger;
_context = context;
}
}
但我收到错误
Rebus.Retry.ErrorTracking.InMemErrorTracker - 处理ID为85feff07-01a6-4195-8deb-7c8f1b62ecc3的消息时未处理的异常1:SimpleInjector.ActivationException:MyDbContext注册为&#39; Web Request&#39;生活方式,但实例是在活动(Web请求)范围的上下文之外请求的。
使用以下堆栈跟踪
at SimpleInjector.Scope.GetScopelessInstance[TImplementation](ScopedRegistration`1 registration)
at SimpleInjector.Scope.GetInstance[TImplementation](ScopedRegistration`1 registration, Scope scope)
at SimpleInjector.Advanced.Internal.LazyScopedRegistration`1.GetInstance(Scope scope)
at lambda_method(Closure )
at SimpleInjector.InstanceProducer.GetInstance()
at SimpleInjector.Container.GetInstance[TService]()
我还尝试在mvc应用程序中设置Async Scoped Lifestyle,但错误基本相同。
答案 0 :(得分:4)
Rebus在后台线程上运行处理程序,而不是在Web请求线程上运行。这意味着不可能将WebRequestLifestyle
用作Rebus管道的一部分。
您应确保在执行处理程序之前显式启动异步作用域。你可以用装饰/代理来做到这一点。
最重要的是,你应该为MVC应用程序使用混合生活方式,因为MVC使用WebRequestLifestyle
而不是'AsyncScopedLifestyle。
您可以在MVC应用程序中应用您的混合生活方式,如下所示:
container.Options.DefaultScopedLifestyle = Lifestyle.CreateHybrid(
defaultLifestyle: new AsyncScopedLifestyle(),
fallbackLifestyle: new WebRequestLifestyle());
你的装饰者应该如下:
public sealed class AsyncScopedMessageHandler<T> : IHandleMessages<T>
{
private readonly Container container;
private readonly Func<IHandleMessages<T>> decorateeFactory;
public AsyncScopedMessageHandler(Container container, Func<IHandleMessages<T>> factory)
{
this.container = container;
this.decorateeFactory = factory;
}
public async Task Handle(T message) {
using (AsyncScopedLifestyle.BeginScope(this.container)) {
var decoratee = this.decorateeFactory.Invoke();
await decoratee.Handle(message);
}
}
}
您可以按如下方式注册装饰者:
container.RegisterDecorator(
typeof(IHandleMessages<>),
typeof(AsyncScopedMessageHandler<>),
Lifestyle.Singleton);
您应该在MVC和Web API项目中注册此装饰器。