我有以下代码来构建依赖项:
private static void InitializeContainer(HttpConfiguration config)
{
var builder = new ContainerBuilder();
var controllers = AssemblyUtils.GetAssemblies(true);
controllers.Add(Assembly.GetExecutingAssembly());
builder.RegisterApiControllers(controllers.ToArray()).PropertiesAutowired();
builder
.RegisterAssemblyTypes(
new List<Assembly>(AssemblyUtils.GetAssemblies(false))
{
Assembly.GetExecutingAssembly()
}.ToArray())
.Where(t =>
t.GetCustomAttributes(typeof(IocContainerMarkerAttribute), false).Any() ||
t.IsSubclassOf(typeof(HandlerAspectAttribute)) ||
typeof(ICoreContract).IsAssignableFrom(t))
.AsImplementedInterfaces().InstancePerDependency()
.PropertiesAutowired().OwnedByLifetimeScope();
var container = builder.Build();
GlobalConfiguration.Configuration.DependencyResolver =
new AutofacWebApiDependencyResolver(container);
config.DependencyResolver =
GlobalConfiguration.Configuration.DependencyResolver;
}
处理程序:
public class ArchieveDocumentCommandHandler
: IHandler<ArchieveDocumentCommand>, IDisposable
{
public IServiceMessageDispatcher Dispatcher { get; set; }
public IDocumentRepository DocumentRepository { get; set; }
public IFileSystemProvider FileSystemProvider { get; set; }
public ICoreSettingRepository CoreSettingRepository { get; set; }
public void Handles(ArchieveDocumentCommand message) { }
public void Dispose() { }
}
但是不知何故,Autofac在请求完成后没有在对象中调用Dispose
方法。我读到了有关生命周期的范围,但由于在这种情况下是Autofac管理范围,我无法理解发生了什么。
我在这里做错了吗?
更新
public class CommandsController : ApiController
{
[HttpPost]
public HttpResponseMessage Deliver()
{
...
var handler = GlobalConfiguration.Configuration.DependencyResolver.GetService(typeof(ICommandValidator<>).MakeGenericType(message.GetType()));
if (handler == null)
{
return new Dictionary<string, string>();
}
return (Dictionary<string, string>)handler.GetType()
.InvokeMember("ValidateCommand", BindingFlags.InvokeMethod | BindingFlags.Instance | BindingFlags.Public, null, handler, new object[] { message });
}
}
我使用的autofac web api版本也是:3.1.1 这也打破了一些现有的功能:
控制器本身:
public class AProtectedReadModelController : ApiController
{ }
public class AssessmentController : AProtectedReadModelController
{
[Route("queries/risk/assessment")]
[HttpGet]
public ProcessInitialScreenModel GetProcessInitialScreen()
{
return ...;
}
}
未加载。
答案 0 :(得分:2)
您遇到的挑战是因为您试图直接从DependencyResolver
解析对象,而不是使用请求生命周期范围。
当您使用Web API时,&#34;请求生命周期范围&#34;由入站请求消息管理。当您从根DependencyResolver
解决问题时,它将在应用程序/顶级解析,而不是作为请求的一部分。这就是为什么你没有看到任何处置的原因 - 因为拥有的生命范围并没有被处置,因为拥有的生命范围是根本的。
我对请求生命周期范围进行了长时间的讨论,作为这个问题的答案:Transitioning to AutofacWebApiDependencyResolver from MVC's DependencyResolver - Where is .Current?
虽然另一个问题涉及测试场景,但它的答案仍然存在 - 如果您需要手动解决某些问题(如果可能的话,我建议不要这样做 - 服务地点不是很好),那么您需要在与请求消息关联的请求范围之外执行此操作。
// In the controller...
var validatorType = typeof(ICommandValidator<>)
.MakeGenericType(message.GetType());
var handler = this.Request
.GetDependencyScope()
.GetService(validatorType);