Skip to content

Instantly share code, notes, and snippets.

@mehmetalierol
Created September 22, 2018 20:23
Show Gist options
  • Star 0 You must be signed in to star a gist
  • Fork 0 You must be signed in to fork a gist
  • Save mehmetalierol/c726928299dd64b9d0f885cd9ce65bf0 to your computer and use it in GitHub Desktop.
Save mehmetalierol/c726928299dd64b9d0f885cd9ce65bf0 to your computer and use it in GitHub Desktop.
using Microsoft.AspNetCore.Builder;
using Microsoft.AspNetCore.Hosting;
using Microsoft.Extensions.Configuration;
using Microsoft.Extensions.DependencyInjection;
using Microsoft.Extensions.Logging;
using Company.Application.WebApi.Interfaces;
using Company.Application.WebApi.Controllers;
using Company.Application.Data.Context;
using Company.Application.Common.UnitofWork;
using Microsoft.EntityFrameworkCore;
using AutoMapper;
using Microsoft.AspNetCore.Http;
using Microsoft.AspNetCore.Identity;
using Company.Application.Data.Entities;
using System;
using Microsoft.AspNetCore.Mvc.Infrastructure;
using Microsoft.AspNetCore.Mvc;
using Microsoft.AspNetCore.Mvc.Routing;
using Company.Application.Common.Paging.Interface;
using Company.Application.Common.Paging;
namespace Company.Application.WebApi
{
public class Startup
{
#region Variables
IConfiguration _config { get; }
#endregion
#region Constructor
public Startup(IConfiguration config)
{
_config = config;
}
#endregion
// This method gets called by the runtime. Use this method to add services to the container.
// For more information on how to configure your application, visit https://go.microsoft.com/fwlink/?LinkID=398940
public void ConfigureServices(IServiceCollection services)
{
#region LoggingSection
//appsettings.json dosyasında bulunan Logging ayarları olarak hangi seviyede loglama yapılacağını bildiriyor ve sonradan eklediğimiz
//FilePrefix, LogDirectory, FileSizeLimit alanlarını da manuel olarak ayar dosyasından çekerek gerekli atamaları yapıyoruz
//Böylece bu ayarları değiştirmek için projeyi yeniden deploy etmemiz gerekmeyecek.
services.AddLogging(builder => builder.AddFile(options => {
options.FileName = _config["Logging:Options:FilePrefix"]; // Log dosyasının isminin nasıl başlayacağını belirtiyoruz
options.LogDirectory = _config["Logging:Options:LogDirectory"]; // Log dosyaları hangi klasöre yazılacak
options.FileSizeLimit = int.Parse(_config["Logging:Options:FileSizeLimit"]); // Maksimum log dosya boyutu ne kadar olacak, byte üzerinden hesaplanır. (appsettings.json dosyasında bu değer 20971520 olarak belirledik. Bu değer 20 megabyte ın byte halidir.)
}));
#endregion
#region ApplicationDbContextSection
services.AddDbContext<ApplicationDbContext>();
services.AddScoped<DbContext, ApplicationDbContext>();
#endregion
#region DependencyInjectionSection
//Dependency injection ile çözümleme yapabilmek için burada hangi interface üzerinden projede instance alınmak istenirse hangi sınıfın dönüleceğini belirliyoruz.
//eğer buradaki bağımlılıklardan birini değiştireceksek tek yapmamız gereken o interface'e karşılık gelen sınıfı değiştirmek olacak.
services.AddScoped<IUnitofWork, UnitofWork>();
services.AddTransient(typeof(IPagingLinks<>), typeof(PagingLinks<>));
services.AddScoped<ILanguageController, LanguageController>();
services.AddScoped<IUserController, UserController>();
services.AddSingleton<IHttpContextAccessor, HttpContextAccessor>();
services.AddSingleton<IActionContextAccessor, ActionContextAccessor>();
services.AddScoped<IUrlHelper>(factory =>
{
var actionContext = factory.GetService<IActionContextAccessor>()
.ActionContext;
return new UrlHelper(actionContext);
});
#endregion
#region IdentitySection
//Identity yapısını ekliyoruz ve kendi oluşturduğumuz sınıfları veriyoruz.
services.AddIdentity<ApplicationUser, ApplicationRole>()
.AddEntityFrameworkStores<DbContext>();
//Identity ile ilgili kurallar
services.Configure<IdentityOptions>(options =>
{
// Parola ayarları
options.Password.RequireDigit = true;
options.Password.RequireLowercase = true;
options.Password.RequireNonAlphanumeric = true;
options.Password.RequireUppercase = true;
options.Password.RequiredLength = 6;
options.Password.RequiredUniqueChars = 1;
// Kullanıcının kilitlenmesi ile ilgili kurallar
options.Lockout.DefaultLockoutTimeSpan = TimeSpan.FromMinutes(5);
options.Lockout.MaxFailedAccessAttempts = 5;
options.Lockout.AllowedForNewUsers = false;
// Yeni kullanıcı kuralları
options.User.AllowedUserNameCharacters =
"abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ0123456789-._@+";
options.User.RequireUniqueEmail = true;
options.SignIn.RequireConfirmedEmail = false;
});
#endregion
#region AutoMapperSection
//Auto mapper'ı ekliyoruz
services.AddAutoMapper();
#endregion
#region CorsSection
//Cors ayarları
services.AddCors(options =>
{
options.AddPolicy("CorsPolicy",
builder => builder
//.WithOrigins("http://localhost:4200")
.AllowAnyOrigin()
//.WithMethods("GET", "POST")
.AllowAnyMethod()
//.WithHeaders("accept", "content-type", "origin", "No-Auth")
.AllowAnyHeader()
.AllowCredentials());
});
#endregion
#region MvcSection
services.AddMvc();
#endregion
}
// This method gets called by the runtime. Use this method to configure the HTTP request pipeline.
public void Configure(IApplicationBuilder app, IHostingEnvironment env)
{
#region EnvironmentSection
if (env.IsDevelopment())
{
app.UseDeveloperExceptionPage();
}
#endregion
#region IdentitySection
app.UseAuthentication();
#endregion
#region CorsSection
app.UseCors("CorsPolicy");
#endregion
#region MvcSection
app.UseStatusCodePages();
app.UseMvc(routes =>
{
routes.MapRoute("default", "{controller}/{action}");
});
#endregion
}
}
}
Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment