C # / OSX с БД в памяти - PullRequest
       9

C # / OSX с БД в памяти

0 голосов
/ 26 сентября 2018

Я разрабатываю API на основе C # для Mac, и происходит сбой .net, когда я пытаюсь получить доступ к DbContext в функции «Запуск / настройка», следуя этому руководству: https://stormpath.com/blog/tutorial-entity-framework-core-in-memory-database-asp-net-core

    public void ConfigureServices(IServiceCollection services)
    {
        services.AddCors();
        services.AddDbContext<ApiContext>(opt => opt.UseInMemoryDatabase());
        services.AddMvc().SetCompatibilityVersion(CompatibilityVersion.Version_2_1);

        // configure strongly typed settings objects
        var appSettingsSection = Configuration.GetSection("AppSettings");
        services.Configure<AppSettings>(appSettingsSection);

        // configure jwt authentication
        var appSettings = appSettingsSection.Get<AppSettings>();
        var key = Encoding.ASCII.GetBytes(appSettings.Secret);
        services.AddAuthentication(x =>
        {
            x.DefaultAuthenticateScheme = JwtBearerDefaults.AuthenticationScheme;
            x.DefaultChallengeScheme = JwtBearerDefaults.AuthenticationScheme;
        })
        .AddJwtBearer(x =>
        {
            x.RequireHttpsMetadata = false;
            x.SaveToken = true;
            x.TokenValidationParameters = new TokenValidationParameters
            {
                ValidateIssuerSigningKey = true,
                IssuerSigningKey = new SymmetricSecurityKey(key),
                ValidateIssuer = false,
                ValidateAudience = false
            };
        });

        // configure DI for application services
        services.AddScoped<IUserService, UserService>();
        services.AddScoped<IClientAccountService, ClientAccountService>();
        services.AddScoped<ISearchService, SearchService>();
    }

    // This method gets called by the runtime. Use this method to configure the HTTP request pipeline.
    public void Configure(IApplicationBuilder app, IHostingEnvironment env, ILoggerFactory loggerFactory)
    {
        loggerFactory.AddConsole(Configuration.GetSection("Logging"));
        loggerFactory.AddDebug();

        // global cors policy
        app.UseCors(x => x
            .AllowAnyOrigin()
            .AllowAnyMethod()
            .AllowAnyHeader()
            .AllowCredentials());

        app.UseAuthentication();

        var context = app.ApplicationServices.GetService<ApiContext>();
        AddTestData(context);

        app.UseMvc();
    }

Его сбой в сети86, где он пытается получить ApiContext из ApplicationServices:

var context = app.ApplicationServices.GetService<ApiContext>();

С: Необработанное исключение: System.InvalidOperationException: Невозможно разрешить ограниченную службу VimvestPro.Data.ApiContext из корневого каталога.провайдер.

1 Ответ

0 голосов
/ 26 сентября 2018

Вы напрямую решаете сервис с областью действия из контейнера приложения, который не разрешен.Если вы добавите ApiContext в качестве параметра в метод Configure, он создаст область и добавит контекст в ваш метод.

public void Configure(IApplicationBuilder app, IHostingEnvironment env, ILoggerFactory loggerFactory, ApiContext context)
{
  ...
  AddTestData(context);
  ...
}
...