Я работаю с .net core API и разрешаю свою зависимость с помощью autofac.Однако, так или иначе, я не могу разрешить зависимость для моего общего репозитория.
Может кто-нибудь подсказать, что я сделал неправильно.
startup.cs
var builder = new ContainerBuilder();
builder.RegisterType<UnitOfWork>().As<IUnitOfWork>()
.InstancePerLifetimeScope();
builder.RegisterType<DatabaseFactory>().As<IDatabaseFactory>()
.InstancePerLifetimeScope();
//This is the place which is not working for me
builder.RegisterGeneric(typeof(Repository<>)).As(typeof(IRepository<>)).InstancePerLifetimeScope();
builder.RegisterAssemblyTypes(typeof(SizeRepository).Assembly)
.Where(t => t.Name.EndsWith("Repository"))
.AsImplementedInterfaces()
.InstancePerLifetimeScope();
builder.RegisterAssemblyTypes(typeof(UserService).Assembly)
.Where(t => t.Name.EndsWith("Service"))
.AsImplementedInterfaces()
.InstancePerLifetimeScope();
builder.Populate(services);
var container = builder.Build();
//Create the IServiceProvider based on the container.
return new AutofacServiceProvider(container);
UnitOfWork.cs
using System.Threading.Tasks;
namespace MakeTalk.Data.Infrastructure
{
public class UnitOfWork : IUnitOfWork
{
#region Local variable
private readonly IDatabaseFactory databaseFactory;
private MakeTalkEntities dataContext;
#endregion
#region Constructor
public UnitOfWork(IDatabaseFactory databaseFactory)
{
this.databaseFactory = databaseFactory;
}
#endregion
#region Property
protected MakeTalkEntities DataContext => dataContext ?? (dataContext = databaseFactory.Get());
#endregion
#region Methods
/// <summary>
/// Commit changes
/// </summary>
/// <history>Created : 01-04-2018</history>
public void Commit()
{
DataContext.SaveChanges();
}
/// <summary>
/// Commit Async changes
/// </summary>
/// <returns></returns>
/// <history>Created : 01-04-2018</history>
public async Task<int> CommitAsync()
{
return await DataContext.SaveChangesAsync();
}
#endregion
}
}
Repository.cs
using System;
using System.Collections.Generic;
using System.Linq;
using System.Linq.Expressions;
using System.Threading.Tasks;
using Microsoft.EntityFrameworkCore;
namespace MakeTalk.Data.Infrastructure
{
public class Repository<T> : IRepository<T> where T : class
{
#region Variable / Properties
private MakeTalkEntities dataContext;
private readonly DbSet<T> dbSet;
protected MakeTalkEntities DataContext => dataContext ?? (dataContext = DatabaseFactory.Get());
protected IDatabaseFactory DatabaseFactory
{
get;
private set;
}
#endregion
#region Constructor
protected Repository(IDatabaseFactory databaseFactory)
{
DatabaseFactory = databaseFactory;
dbSet = DataContext.Set<T>();
}
#endregion
#region Sync Methods
// all methods ...
#endregion
}
}
DatabaseFactory.cs
using Microsoft.EntityFrameworkCore;
namespace MakeTalk.Data.Infrastructure
{
public class DatabaseFactory : Disposable, IDatabaseFactory
{
private MakeTalkEntities dataContext;
public MakeTalkEntities Get()
{
return dataContext ?? (dataContext = new MakeTalkEntities(new DbContextOptions<MakeTalkEntities>()));
}
protected override void DisposeCore()
{
dataContext?.Dispose();
}
}
}
MakeTalkEntities.cs
using Microsoft.EntityFrameworkCore;
using MakeTalk.Data.Configuration;
using MakeTalk.Model;
namespace MakeTalk.Data
{
public class MakeTalkEntities : DbContext
{
#region Constructor
public MakeTalkEntities(DbContextOptions options)
{
}
#endregion
#region DB Properties
// db sets
#endregion
#region Methods
protected override void OnConfiguring(DbContextOptionsBuilder optionsBuilder)
{
// ReSharper disable once AssignNullToNotNullAttribute
optionsBuilder.UseSqlServer("Some-Connection");
base.OnConfiguring(optionsBuilder);
}
protected override void OnModelCreating(ModelBuilder modelBuilder)
{
// all configutaion
base.OnModelCreating(modelBuilder);
}
#endregion
}
}
Что-то не так?с кодом?Я могу разрешить другие мои репозиторий и службы, только что столкнувшиеся с проблемой общего репозитория builder.RegisterGeneric (typeof (Repository <>)). As (typeof (IRepository <>)). InstancePerLifetimeScope ();
Во время использования этого общего репозитория я получаю следующую ошибку
Autofac.Core.DependencyResolutionException: ошибка произошла во время активации определенной регистрации.Смотрите внутреннее исключение для деталей.Регистрация: Activator = CommonService (ReflectionActivator), Services = [MakeTalk.Service.ICommonService], Lifetime = Autofac.Core.Lifetime.CurrentScopeLifetime, Sharing = Shared, Ownership = OwnedByLifetimeScope ---> Произошла ошибка во время активации определенной регистрации,Смотрите внутреннее исключение для деталей.Регистрация: Активатор = Репозиторий 1 (ReflectionActivator), Services = [MakeTalk.Data.Infrastructure.IRepository
1 [[MakeTalk.Model.ExhibitionRequestStatus, MakeTalk.Model, Версия = 1.0.0.0, Культура = нейтральный, PublicKeyToken = null]]], Lifetime = Autofac.Core.Lifetime.CurrentScopeLifetime, Sharing =Shared, Ownership = OwnedByLifetimeScope ---> Нет конструкторов для типа 'MakeTalk.Data.Infrastructure.Repository 1[MakeTalk.Model.ExhibitionRequestStatus]' can be found with the constructor finder 'Autofac.Core.Activators.Reflection.DefaultConstructorFinder'. (See inner exception for details.) (See inner exception for details.) ---> Autofac.Core.DependencyResolutionException: An error occurred during the activation of a particular registration. See the inner exception for details. Registration: Activator = Repository
1 (ReflectionActivator), Services = [MakeTalk.Data.Infrastructure.IRepository 1[[MakeTalk.Model.ExhibitionRequestStatus, MakeTalk.Model, Version=1.0.0.0, Culture=neutral, PublicKeyToken=null]]], Lifetime = Autofac.Core.Lifetime.CurrentScopeLifetime, Sharing = Shared, Ownership = OwnedByLifetimeScope ---> No constructors on type 'MakeTalk.Data.Infrastructure.Repository
1 [MakeTalk.Model.ExgressionRequestStatus]'можно найти с помощью поиска конструкторов' Autofac.Core.Activators.Reflection.DefaultConstructorFinder '.(Подробности см. Во внутреннем исключении.) ---> Autofac.Core.DependencyResolutionException: нет конструкторов для типа 'MakeTalk.Data.Infrastructure.Repository 1[MakeTalk.Model.ExhibitionRequestStatus]' can be found with the constructor finder 'Autofac.Core.Activators.Reflection.DefaultConstructorFinder'.
at Autofac.Core.Activators.Reflection.ReflectionActivator.ActivateInstance(IComponentContext context, IEnumerable
1 параметров) в Autofac.Core.Resolving.InstanceLookup.Activate (IEnumerable 1 parameters)
--- End of inner exception stack trace ---
at Autofac.Core.Resolving.InstanceLookup.Activate(IEnumerable
1 параметров) в Autofac.Core.Lifetime.LifetimeScope.GetOrCreateAndShare (идентификатор Guid, Func 1 creator)
at Autofac.Core.Resolving.InstanceLookup.Execute()
at Autofac.Core.Resolving.ResolveOperation.GetOrCreateInstance(ISharingLifetimeScope currentOperationScope, IComponentRegistration registration, IEnumerable
1 параметров) в Autofac.Core.Activators.Reflection.ConstructorParameterBinding.Instantiate () в Autofac.Core.Activators.RefctivatorR.ActivateInstance (контекст IComponentContext, параметры IEnumerable 1 parameters)
at Autofac.Core.Resolving.InstanceLookup.Activate(IEnumerable
1) --- конец трассировки стека внутренних исключений --- в Autofac.Core.Resolving.InstanceLookup.Activate (создатель IEnumerable 1 parameters)
at Autofac.Core.Lifetime.LifetimeScope.GetOrCreateAndShare(Guid id, Func
1) в Autofac.Core.Resolving.InstanceLookup.Execute () в Autofac.Core.измеряемые параметры 1 parameters, Object& instance)
at Autofac.ResolutionExtensions.ResolveOptionalService(IComponentContext context, Service service, IEnumerable
1) в Microsoft.Extensions.DependencyInjection.ActivatorUtilities.GetService (IServiceProvider sp, тип Тип, тип requiredBy, логическое значение isDefaultParameterRequired) в lambda_method (Closure, IServiceProvider, Object []) в Microsoft.Arolc.CoreCore.ControllerActivatorProvider. <> C__DisplayClass4_0.b__0 (ControllerContext controllerContext) в Microsoft.AspNetCore.Mvc.Controllers.ControllerFactoryProvider. <> C__DisplayClass5_0.g__CreateController.область действия, объект и состояние, логическое значение & isCompleted) в Microsoft.AspNetCore.Mvc.Internal.ControllerActionInvoker.InvokeInnerFilterAsync () в Microsoft.AspNetCore.Mvc.Internal.ResourceInvoker.InvokeNextResourceFilter () в Resource.Inc.контекст)в Microsoft.AspNetCore.Mvc.Internal.ResourceInvoker.Next (состояние и следующее, область и область действия, объект и состояние, логическое значение и isCompleted) в Microsoft.AspNetCore.Mvc.Internal.ResourceInvoker.InvokeFilterPipelineAsync () в Microsoft.AspNetCore.ource.Mc.c.InvokeAsync () в Microsoft.AspNetCore.Routing.EndpointMiddleware.Invoke (HttpContext httpContext) в Microsoft.AspNetCore.Routing.EndpointRoutingMiddleware.Invoke (HttpContext httpContext) в Microsoft *AspNetCore.DxtExtepeTextInD.*