103 lines
3.0 KiB
C#
103 lines
3.0 KiB
C#
using System.Text;
|
|
using HN.Infrastructure;
|
|
using HN.Infrastructure.Identity;
|
|
using Microsoft.AspNetCore.Authentication.JwtBearer;
|
|
using Microsoft.AspNetCore.Builder;
|
|
using Microsoft.AspNetCore.Hosting;
|
|
using Microsoft.AspNetCore.Http;
|
|
using Microsoft.AspNetCore.Identity;
|
|
using Microsoft.AspNetCore.Routing;
|
|
using Microsoft.Extensions.Configuration;
|
|
using Microsoft.Extensions.DependencyInjection;
|
|
using Microsoft.Extensions.Hosting;
|
|
using Microsoft.IdentityModel.Tokens;
|
|
|
|
namespace Api
|
|
{
|
|
public class Startup
|
|
{
|
|
public Startup(IConfiguration configuration)
|
|
{
|
|
Configuration = configuration;
|
|
}
|
|
|
|
public IConfiguration Configuration { get; }
|
|
|
|
// 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)
|
|
{
|
|
services.AddHN(Configuration).ResolveConnectedUserWith<HttpExecutingUserProvider>();
|
|
services.AddHttpContextAccessor();
|
|
|
|
// Permet d'avoir des routes en lowercase
|
|
services.Configure<RouteOptions>(options =>
|
|
{
|
|
options.LowercaseUrls = true;
|
|
options.LowercaseQueryStrings = true;
|
|
});
|
|
|
|
// Ajout de l'authentification
|
|
var tokenParams = new TokenValidationParameters
|
|
{
|
|
ValidateIssuer = true,
|
|
ValidateAudience = true,
|
|
ValidateLifetime = true,
|
|
ValidateIssuerSigningKey = true,
|
|
ValidIssuer = Configuration["JwtIssuer"],
|
|
ValidAudience = Configuration["JwtAudience"],
|
|
IssuerSigningKey = new SymmetricSecurityKey(Encoding.UTF8.GetBytes(Configuration["JwtSecurityKey"]))
|
|
};
|
|
|
|
services.AddSingleton(tokenParams);
|
|
|
|
services.AddIdentityCore<User>()
|
|
.AddRoles<Role>()
|
|
.AddEntityFrameworkStores<HNDbContext>()
|
|
.AddSignInManager();
|
|
|
|
services.AddAuthentication(JwtBearerDefaults.AuthenticationScheme)
|
|
.AddJwtBearer(o =>
|
|
{
|
|
o.TokenValidationParameters = tokenParams;
|
|
});
|
|
|
|
services.AddControllers();
|
|
services.AddSwaggerDocument(d =>
|
|
{
|
|
d.PostProcess = od =>
|
|
{
|
|
od.Info.Title = "Hacker news like API in .Net";
|
|
};
|
|
d.SchemaType = NJsonSchema.SchemaType.OpenApi3;
|
|
});
|
|
}
|
|
|
|
// This method gets called by the runtime. Use this method to configure the HTTP request pipeline.
|
|
public void Configure(IApplicationBuilder app, IWebHostEnvironment env)
|
|
{
|
|
app.UseOpenApi();
|
|
|
|
if (env.IsDevelopment())
|
|
{
|
|
app.UseDeveloperExceptionPage();
|
|
app.UseSwaggerUi3();
|
|
}
|
|
|
|
app.UseRouting();
|
|
|
|
app.UseAuthentication();
|
|
app.UseAuthorization();
|
|
|
|
app.UseEndpoints(endpoints =>
|
|
{
|
|
endpoints.MapControllers();
|
|
endpoints.MapGet("/", async context =>
|
|
{
|
|
await context.Response.WriteAsync("Hello World!");
|
|
});
|
|
});
|
|
}
|
|
}
|
|
}
|