コード例 #1
0
        private static string GetConnectionString()
        {
            var configuration = new ConfigurationBuilder()
                                .SetBasePath(Path.GetDirectoryName(Assembly.GetExecutingAssembly().Location))
                                .AddJsonFile("contextSettings.json", false, true)
                                .Build();

            var envFilepath = configuration.GetValue <string>("EnvFilepath") ?? null;

            if (!string.IsNullOrEmpty(envFilepath) && File.Exists(envFilepath))
            {
                DotNetEnv.Env.Load(envFilepath);
            }

            var dbSettings = OptionsClient.GetData(configuration.GetSection("Database").Get <DatabaseSettings>());

            return(dbSettings.ConnectionString);
        }
コード例 #2
0
ファイル: CommonService.cs プロジェクト: yangirov/TextBooker
 public CommonService(
     ILogger logger,
     IMailSender mailSender,
     IVersionService versionService,
     IConfiguration config,
     IHttpClientFactory clientFactory,
     GoogleSettings googleOptions
     ) : base(logger)
 {
     this.mailSender    = mailSender;
     this.clientFactory = clientFactory;
     this.googleOptions = googleOptions;
     systemInfo         = new SystemInfo()
     {
         Version    = versionService.Get(),
         Name       = config.GetValue <string>("SystemInfo:Name"),
         AdminEmail = OptionsClient.GetData(config.GetValue <string>("SystemInfo:AdminEmail"))
     };
 }
コード例 #3
0
        public void ConfigureServices(IServiceCollection services)
        {
            if (HostingEnvironment.IsDevelopment())
            {
                var envFilepath = Configuration.GetValue <string>("EnvFilepath") ?? null;
                if (!string.IsNullOrEmpty(envFilepath) && File.Exists(envFilepath))
                {
                    DotNetEnv.Env.Load(envFilepath);
                }
            }

            services.AddSingleton(Configuration);

            var dbSettings = OptionsClient.GetData(Configuration.GetSection("Database").Get <DatabaseSettings>());

            services.AddSingleton(dbSettings);

            var jwtSettings = OptionsClient.GetData(Configuration.GetSection("Jwt").Get <JwtSettings>());

            services.AddSingleton(jwtSettings);

            var emailSettings = OptionsClient.GetData(Configuration.GetSection("Email").Get <EmailSettings>());

            services.AddSingleton(emailSettings);

            var googleSettings = OptionsClient.GetData(Configuration.GetSection("Google").Get <GoogleSettings>());

            services.AddSingleton(googleSettings);

            var fileSettings = OptionsClient.GetData(Configuration.GetSection("FileStore").Get <FileStoreSettings>());

            services.AddSingleton(fileSettings);

            var logger = new LoggerConfiguration()
                         .ReadFrom.Configuration(Configuration)
                         .WriteTo.LokiHttp(
                new NoAuthCredentials(OptionsClient.GetData(Configuration.GetValue <string>("Serilog:LokiUrl"))),
                new LogLabelProvider(Configuration, HostingEnvironment)
                )
                         .Destructure.ByMaskingProperties("Password", "Token")
                         .CreateLogger();

            services.AddSingleton <ILogger>(logger);

            services
            .AddMvcCore(options =>
            {
                options.Filters.Add(typeof(ModelValidationFilter));
            })
            .AddCors()
            .AddControllersAsServices()
            .AddFormatterMappings()
            .AddNewtonsoftJson()
            .AddApiExplorer()
            .AddDataAnnotations();

            services
            .AddResponseCompression()
            .AddControllers();

            services
            .AddLocalization()
            .AddMemoryCache();

            services.AddSingleton <IHttpContextAccessor, HttpContextAccessor>();
            services.AddHttpClient(HttpClientNames.GoogleRecaptcha);

            services.AddEntityFrameworkNpgsql().AddDbContextPool <TextBookerContext>(options =>
            {
                options.UseNpgsql(dbSettings.ConnectionString, builder =>
                {
                    builder.EnableRetryOnFailure();
                });

                options.UseSnakeCaseNamingConvention();
                options.EnableSensitiveDataLogging(false);
                options.UseQueryTrackingBehavior(QueryTrackingBehavior.NoTracking);
            }, dbSettings.PoolSize);

            services
            .AddHealthChecks()
            .AddDbContextCheck <TextBookerContext>();

            services
            .AddAuthorization()
            .AddAuthentication(JwtBearerDefaults.AuthenticationScheme)
            .AddJwtBearer(options =>
            {
                options.RequireHttpsMetadata      = false;
                options.SaveToken                 = true;
                options.TokenValidationParameters = new TokenValidationParameters
                {
                    ValidateIssuer           = true,
                    ValidateAudience         = true,
                    ValidateLifetime         = true,
                    ValidateIssuerSigningKey = true,
                    ValidIssuer      = jwtSettings.Issuer,
                    ValidAudience    = jwtSettings.Issuer,
                    IssuerSigningKey = new SymmetricSecurityKey(Encoding.UTF8.GetBytes(jwtSettings.Key)),
                    ClockSkew        = TimeSpan.FromDays(30)
                };
            });

            var swaggerTitle = Configuration.GetValue <string>("SystemInfo:Name");

            services.AddSwaggerGen(c =>
            {
                c.SwaggerDoc("v1.0", new OpenApiInfo {
                    Title = swaggerTitle, Version = "v1.0"
                });

                var currentAssembly = Assembly.GetExecutingAssembly();
                var xmlDocs         = currentAssembly
                                      .GetReferencedAssemblies()
                                      .Union(new AssemblyName[] { currentAssembly.GetName() })
                                      .Select(a => Path.Combine(Path.GetDirectoryName(currentAssembly.Location), $"{a.Name}.xml"))
                                      .Where(f => File.Exists(f)).ToArray();

                Array.ForEach(xmlDocs, (d) =>
                {
                    c.IncludeXmlComments(d);
                });

                c.AddSecurityDefinition("Bearer", new OpenApiSecurityScheme
                {
                    Description = "JWT Authorization header using the Bearer scheme. Example: \"Authorization: Bearer {token}\"",
                    Name        = "Authorization",
                    In          = ParameterLocation.Header,
                    Type        = SecuritySchemeType.ApiKey
                });

                c.AddSecurityRequirement(new OpenApiSecurityRequirement()
                {
                    {
                        new OpenApiSecurityScheme
                        {
                            Reference = new OpenApiReference
                            {
                                Type = ReferenceType.SecurityScheme,
                                Id   = "Bearer"
                            },
                            Scheme = "oauth2",
                            Name   = "Bearer",
                            In     = ParameterLocation.Header,
                        },
                        Array.Empty <string>()
                    }
                });
            });

            var mapper = new MapperConfiguration(cfg => cfg.AddMaps(BusinessLogicAssembly.Value)).CreateMapper();

            services.AddSingleton(mapper);

            services.AddMetrics(Program.Metrics);

            services.AddSingleton <IVersionService, VersionService>();
            services.AddTransient <IMailSender, MailSender>();
            services.AddTransient <ICommonService, CommonService>();
            services.AddTransient <IUserService, UserService>();
            services.AddTransient <ISiteSettingsService, SiteSettingsService>();
            services.AddTransient <IPageService, PageService>();
            services.AddTransient <IBlockService, BlockService>();
            services.AddTransient <IFileService, FileService>();
            services.AddTransient <ISiteGenerator, SiteGenerator>();
        }
コード例 #4
0
        public void Configure(IApplicationBuilder app, IWebHostEnvironment env)
        {
            if (env.IsDevelopment())
            {
                app.UseDeveloperExceptionPage();
            }

            app.UseSwagger();
            app.UseSwaggerUI(c =>
            {
                var swaggerJsonBasePath = string.IsNullOrWhiteSpace(c.RoutePrefix) ? "." : "..";
                c.SwaggerEndpoint($"{swaggerJsonBasePath}/swagger/v1.0/swagger.json", Configuration.GetValue <string>("SystemInfo:Name"));
            });

            var basePath = Path.Combine(OptionsClient.GetData(Configuration.GetValue <string>("FileStore:BasePath")));

            if (!Directory.Exists(basePath))
            {
                Directory.CreateDirectory(basePath);
            }

            app.UseStaticFiles(new StaticFileOptions()
            {
                FileProvider     = new PhysicalFileProvider(basePath),
                HttpsCompression = HttpsCompressionMode.Compress
            });

            app.UseCors(builder => builder
                        .AllowAnyOrigin()
                        .AllowAnyMethod()
                        .AllowAnyHeader());

            app.UseResponseCompression();

            var headersOptions = new ForwardedHeadersOptions
            {
                ForwardedHeaders      = ForwardedHeaders.XForwardedFor,
                RequireHeaderSymmetry = false,
                ForwardLimit          = null
            };

            headersOptions.KnownNetworks.Clear();
            headersOptions.KnownProxies.Clear();
            app.UseForwardedHeaders(headersOptions);

            app.UseMetricsAllMiddleware();

            app.Use(async(context, next) =>
            {
                await next.Invoke();
                Middlewares.AutoDiscoverRoutes(context);
            });

            app.UseRouting();

            app.UseAuthentication();
            app.UseAuthorization();

            app.UseEndpoints(endpoints =>
            {
                endpoints.MapHealthChecks("/health");
                endpoints.MapControllers();
            });
        }