Merge pull request 'feature/12-identity' (#19) from feature/12-identity into develop
Reviewed-on: https://git.cuqmbr.xyz/Autobus/autobus-api/pulls/19
This commit is contained in:
commit
beb7102e83
@ -7,21 +7,20 @@
|
||||
</PropertyGroup>
|
||||
|
||||
<ItemGroup>
|
||||
<PackageReference Include="HotChocolate.AspNetCore" Version="13.5.1" />
|
||||
<PackageReference Include="HotChocolate.Types" Version="13.5.1" />
|
||||
<PackageReference Include="MediatR" Version="12.1.1" />
|
||||
<PackageReference Include="Microsoft.EntityFrameworkCore.Design" Version="7.0.13">
|
||||
<IncludeAssets>runtime; build; native; contentfiles; analyzers; buildtransitive</IncludeAssets>
|
||||
<PrivateAssets>all</PrivateAssets>
|
||||
</PackageReference>
|
||||
<PackageReference Include="Microsoft.Extensions.Configuration.Abstractions" Version="7.0.0" />
|
||||
<PackageReference Include="Microsoft.Extensions.DependencyInjection" Version="7.0.0" />
|
||||
<PackageReference Include="Swashbuckle.AspNetCore" Version="6.5.0" />
|
||||
</ItemGroup>
|
||||
|
||||
<ItemGroup>
|
||||
<ProjectReference Include="..\AutobusApi.Application\AutobusApi.Application.csproj" />
|
||||
<ProjectReference Include="..\AutobusApi.Domain\AutobusApi.Domain.csproj" />
|
||||
<ProjectReference Include="..\AutobusApi.Infrastructure\AutobusApi.Infrastructure.csproj" />
|
||||
<ProjectReference Include="..\AutobusApi.Persistence\AutobusApi.Persistence.csproj" />
|
||||
</ItemGroup>
|
||||
|
||||
</Project>
|
||||
|
12
AutobusApi.Api/Controllers/BaseController.cs
Normal file
12
AutobusApi.Api/Controllers/BaseController.cs
Normal file
@ -0,0 +1,12 @@
|
||||
using MediatR;
|
||||
using Microsoft.AspNetCore.Mvc;
|
||||
|
||||
namespace AutobusApi.Api.Controllers;
|
||||
|
||||
[ApiController]
|
||||
[Route("[controller]")]
|
||||
public class BaseController : ControllerBase
|
||||
{
|
||||
private IMediator _mediator;
|
||||
protected IMediator Mediator => _mediator ??= HttpContext.RequestServices.GetService<IMediator>();
|
||||
}
|
35
AutobusApi.Api/Controllers/IdentityController.cs
Normal file
35
AutobusApi.Api/Controllers/IdentityController.cs
Normal file
@ -0,0 +1,35 @@
|
||||
using AutobusApi.Application.Common.Models.Identity;
|
||||
using AutobusApi.Application.Identity.Commands.Register;
|
||||
using AutobusApi.Application.Identity.Commands.RenewAccessToken;
|
||||
using AutobusApi.Application.Identity.Commands.RevokeRefreshToken;
|
||||
using AutobusApi.Application.Identity.Queries.Login;
|
||||
using Microsoft.AspNetCore.Mvc;
|
||||
|
||||
namespace AutobusApi.Api.Controllers;
|
||||
|
||||
public class IdentityController : BaseController
|
||||
{
|
||||
[HttpPost("register")]
|
||||
public async Task Register([FromBody] RegisterCommand command, CancellationToken cancellationToken)
|
||||
{
|
||||
await Mediator.Send(command, cancellationToken);
|
||||
}
|
||||
|
||||
[HttpPost("login")]
|
||||
public async Task<TokensModel> Login([FromBody] LoginQuery query, CancellationToken cancellationToken)
|
||||
{
|
||||
return await Mediator.Send(query, cancellationToken);
|
||||
}
|
||||
|
||||
[HttpPost("renewAccessToken")]
|
||||
public async Task<TokensModel> RenewAccessToken([FromBody] RenewAccessTokenCommand command, CancellationToken cancellationToken)
|
||||
{
|
||||
return await Mediator.Send(command, cancellationToken);
|
||||
}
|
||||
|
||||
[HttpPost("revokeRefreshToken")]
|
||||
public async Task RevokeRefreshToken([FromBody] RevokeRefreshTokenCommand command, CancellationToken cancellationToken)
|
||||
{
|
||||
await Mediator.Send(command, cancellationToken);
|
||||
}
|
||||
}
|
129
AutobusApi.Api/Middlewares/GlobalExceptionHandlerMiddleware.cs
Normal file
129
AutobusApi.Api/Middlewares/GlobalExceptionHandlerMiddleware.cs
Normal file
@ -0,0 +1,129 @@
|
||||
using AutobusApi.Application.Common.Exceptions;
|
||||
using Microsoft.AspNetCore.Mvc;
|
||||
|
||||
namespace AutobusApi.Api.Middlewares;
|
||||
|
||||
public class GlobalExceptionHandlerMiddleware : IMiddleware
|
||||
{
|
||||
private readonly Dictionary<Type, Func<HttpContext, Exception, Task>> _exceptionHandlers;
|
||||
|
||||
public GlobalExceptionHandlerMiddleware()
|
||||
{
|
||||
// Register known exception types and handlers.
|
||||
_exceptionHandlers = new()
|
||||
{
|
||||
{ typeof(ValidationException), HandleValidationException },
|
||||
{ typeof(RegistrationException), HandleRegistrationException },
|
||||
{ typeof(LoginException), HandleLoginException },
|
||||
{ typeof(RenewAccessTokenException), HandleRenewAccessTokenException },
|
||||
{ typeof(RevokeRefreshTokenException), HandleRevokeRefreshTokenException },
|
||||
};
|
||||
}
|
||||
|
||||
public async Task InvokeAsync(HttpContext context, RequestDelegate next)
|
||||
{
|
||||
try
|
||||
{
|
||||
await next(context);
|
||||
}
|
||||
catch (Exception exception)
|
||||
{
|
||||
var exceptionType = exception.GetType();
|
||||
|
||||
if (_exceptionHandlers.ContainsKey(exceptionType))
|
||||
{
|
||||
await _exceptionHandlers[exceptionType].Invoke(context, exception);
|
||||
return;
|
||||
}
|
||||
|
||||
await HandleUnhandledExceptionException(context, exception);
|
||||
}
|
||||
}
|
||||
|
||||
private async Task HandleValidationException(HttpContext context, Exception exception)
|
||||
{
|
||||
var ex = (ValidationException) exception;
|
||||
|
||||
context.Response.StatusCode = StatusCodes.Status400BadRequest;
|
||||
context.Response.ContentType = "application/problem+json";
|
||||
|
||||
await context.Response.WriteAsJsonAsync(new HttpValidationProblemDetails(ex.Errors)
|
||||
{
|
||||
Status = StatusCodes.Status400BadRequest,
|
||||
Type = "https://datatracker.ietf.org/doc/html/rfc7231#section-6.5.1",
|
||||
Detail = "Check provided information."
|
||||
});
|
||||
}
|
||||
|
||||
private async Task HandleRegistrationException(HttpContext context, Exception exception)
|
||||
{
|
||||
context.Response.StatusCode = StatusCodes.Status400BadRequest;
|
||||
context.Response.ContentType = "application/problem+json";
|
||||
|
||||
await context.Response.WriteAsJsonAsync(new ProblemDetails()
|
||||
{
|
||||
Status = StatusCodes.Status400BadRequest,
|
||||
Type = "https://datatracker.ietf.org/doc/html/rfc7231#section-6.5.1",
|
||||
Title = "Registration failed.",
|
||||
Detail = "Check your credentials."
|
||||
});
|
||||
}
|
||||
|
||||
private async Task HandleLoginException(HttpContext context, Exception exception)
|
||||
{
|
||||
context.Response.StatusCode = StatusCodes.Status400BadRequest;
|
||||
context.Response.ContentType = "application/problem+json";
|
||||
|
||||
await context.Response.WriteAsJsonAsync(new ProblemDetails()
|
||||
{
|
||||
Status = StatusCodes.Status400BadRequest,
|
||||
Type = "https://datatracker.ietf.org/doc/html/rfc7231#section-6.5.1",
|
||||
Title = "Login failed.",
|
||||
Detail = "Provided email and/or password are invalid."
|
||||
});
|
||||
}
|
||||
|
||||
private async Task HandleRenewAccessTokenException(HttpContext context, Exception exception)
|
||||
{
|
||||
context.Response.StatusCode = StatusCodes.Status400BadRequest;
|
||||
context.Response.ContentType = "application/problem+json";
|
||||
|
||||
await context.Response.WriteAsJsonAsync(new ProblemDetails()
|
||||
{
|
||||
Status = StatusCodes.Status400BadRequest,
|
||||
Type = "https://datatracker.ietf.org/doc/html/rfc7231#section-6.5.1",
|
||||
Title = "Access token renewal failed.",
|
||||
Detail = "Check validity of your refresh token."
|
||||
});
|
||||
}
|
||||
|
||||
private async Task HandleRevokeRefreshTokenException(HttpContext context, Exception exception)
|
||||
{
|
||||
context.Response.StatusCode = StatusCodes.Status400BadRequest;
|
||||
context.Response.ContentType = "application/problem+json";
|
||||
|
||||
await context.Response.WriteAsJsonAsync(new ProblemDetails()
|
||||
{
|
||||
Status = StatusCodes.Status400BadRequest,
|
||||
Type = "https://datatracker.ietf.org/doc/html/rfc7231#section-6.5.1",
|
||||
Title = "Refresh token revocation failed.",
|
||||
Detail = "Check validity of your refresh token."
|
||||
});
|
||||
}
|
||||
|
||||
private async Task HandleUnhandledExceptionException(HttpContext context, Exception exception)
|
||||
{
|
||||
context.Response.StatusCode = StatusCodes.Status500InternalServerError;
|
||||
context.Response.ContentType = "application/problem+json";
|
||||
|
||||
await context.Response.WriteAsJsonAsync(new ProblemDetails()
|
||||
{
|
||||
Status = StatusCodes.Status500InternalServerError,
|
||||
Type = "https://datatracker.ietf.org/doc/html/rfc7231#section-6.6.1",
|
||||
Title = "One or more internal server errors occured.",
|
||||
Detail = "Report this error to service's support team.",
|
||||
});
|
||||
|
||||
await Console.Error.WriteLineAsync(exception.StackTrace);
|
||||
}
|
||||
}
|
@ -1,16 +1,37 @@
|
||||
using AutoubsApi.Persistence.Contexts;
|
||||
using Microsoft.EntityFrameworkCore;
|
||||
using AutobusApi.Infrastructure;
|
||||
using AutobusApi.Application;
|
||||
using AutobusApi.Api.Middlewares;
|
||||
using AutoubsApi.Infrastructure.Data;
|
||||
using AutobusApi.Infrastructure.Identity;
|
||||
|
||||
var builder = WebApplication.CreateBuilder(args);
|
||||
|
||||
builder.Services.AddDbContext<PostgresContext>(options =>
|
||||
options.UseNpgsql(
|
||||
builder.Configuration.GetConnectionString("DefaultConnection"),
|
||||
npgsqOptions => npgsqOptions.UseNetTopologySuite()
|
||||
));
|
||||
builder.Services.AddInfrastructure(builder.Configuration);
|
||||
builder.Services.AddApplication();
|
||||
|
||||
builder.Services.AddControllers();
|
||||
|
||||
builder.Services.AddSwaggerGen();
|
||||
|
||||
builder.Services.AddTransient<GlobalExceptionHandlerMiddleware>();
|
||||
|
||||
var app = builder.Build();
|
||||
|
||||
// Initialize database
|
||||
var scope = app.Services.CreateScope();
|
||||
var dbContext = scope.ServiceProvider.GetRequiredService<ApplicationDbContext>();
|
||||
var identityDbContext = scope.ServiceProvider.GetRequiredService<ApplicationIdentityDbContext>();
|
||||
DbInitializer.Initialize(dbContext, identityDbContext);
|
||||
|
||||
app.UseAuthentication();
|
||||
|
||||
app.MapControllers();
|
||||
|
||||
app.UseSwagger();
|
||||
app.UseSwaggerUI();
|
||||
|
||||
app.UseMiddleware<GlobalExceptionHandlerMiddleware>();
|
||||
|
||||
app.Run();
|
||||
|
||||
public partial class Program { }
|
||||
|
@ -1,5 +1,12 @@
|
||||
{
|
||||
"ConnectionStrings": {
|
||||
"DefaultConnection": "Host=10.0.0.20:5432;Database=autobus;Username=postgres;Password=12345678"
|
||||
},
|
||||
"Jwt": {
|
||||
"Issuer": "",
|
||||
"Audience": "",
|
||||
"IssuerSigningKey": "a2c98dec80787a4e85ffb5bcbc24f7e4cc014d8a4fe43e9520480a50759164bc",
|
||||
"AccessTokenValidityInMinutes": "5",
|
||||
"RefreshTokenValidityInDays": "15",
|
||||
}
|
||||
}
|
||||
|
@ -8,6 +8,16 @@
|
||||
|
||||
<ItemGroup>
|
||||
<PackageReference Include="AutoMapper" Version="12.0.1" />
|
||||
<PackageReference Include="AutoMapper.Extensions.Microsoft.DependencyInjection">
|
||||
<Version>12.0.1</Version>
|
||||
</PackageReference>
|
||||
<PackageReference Include="FluentValidation.DependencyInjectionExtensions">
|
||||
<Version>11.8.0</Version>
|
||||
</PackageReference>
|
||||
<PackageReference Include="MediatR" Version="12.1.1" />
|
||||
<PackageReference Include="Microsoft.EntityFrameworkCore">
|
||||
<Version>7.0.13</Version>
|
||||
</PackageReference>
|
||||
</ItemGroup>
|
||||
|
||||
<ItemGroup>
|
||||
|
@ -0,0 +1,43 @@
|
||||
using FluentValidation;
|
||||
using MediatR;
|
||||
using ValidationException = AutobusApi.Application.Common.Exceptions.ValidationException;
|
||||
|
||||
namespace AutobusApi.Application.Common.Behaviours;
|
||||
|
||||
public class ValidationBehaviour<TRequest, TResponse> : IPipelineBehavior<TRequest, TResponse>
|
||||
where TRequest : notnull
|
||||
{
|
||||
private readonly IEnumerable<IValidator<TRequest>> _validators;
|
||||
|
||||
public ValidationBehaviour(IEnumerable<IValidator<TRequest>> validators)
|
||||
{
|
||||
_validators = validators;
|
||||
}
|
||||
|
||||
public async Task<TResponse> Handle(
|
||||
TRequest request,
|
||||
RequestHandlerDelegate<TResponse> next,
|
||||
CancellationToken cancellationToken)
|
||||
{
|
||||
if (_validators.Any())
|
||||
{
|
||||
var context = new ValidationContext<TRequest>(request);
|
||||
|
||||
var validationResults = await Task.WhenAll(
|
||||
_validators.Select(v =>
|
||||
v.ValidateAsync(context, cancellationToken)));
|
||||
|
||||
var failures = validationResults
|
||||
.Where(r => r.Errors.Any())
|
||||
.SelectMany(r => r.Errors)
|
||||
.ToList();
|
||||
|
||||
if (failures.Any())
|
||||
{
|
||||
throw new ValidationException(failures);
|
||||
}
|
||||
}
|
||||
|
||||
return await next();
|
||||
}
|
||||
}
|
@ -0,0 +1,7 @@
|
||||
namespace AutobusApi.Application.Common.Exceptions;
|
||||
|
||||
public class LoginException : Exception
|
||||
{
|
||||
public LoginException(string? message)
|
||||
: base(message) { }
|
||||
}
|
@ -0,0 +1,7 @@
|
||||
namespace AutobusApi.Application.Common.Exceptions;
|
||||
|
||||
public class RegistrationException : Exception
|
||||
{
|
||||
public RegistrationException(string? message)
|
||||
: base(message) { }
|
||||
}
|
@ -0,0 +1,7 @@
|
||||
namespace AutobusApi.Application.Common.Exceptions;
|
||||
|
||||
public class RenewAccessTokenException : Exception
|
||||
{
|
||||
public RenewAccessTokenException(string? errorMessage)
|
||||
: base(errorMessage) { }
|
||||
}
|
@ -0,0 +1,7 @@
|
||||
namespace AutobusApi.Application.Common.Exceptions;
|
||||
|
||||
public class RevokeRefreshTokenException : Exception
|
||||
{
|
||||
public RevokeRefreshTokenException(string? errorMessage)
|
||||
: base(errorMessage) { }
|
||||
}
|
@ -0,0 +1,22 @@
|
||||
using FluentValidation.Results;
|
||||
|
||||
namespace AutobusApi.Application.Common.Exceptions;
|
||||
|
||||
public class ValidationException : Exception
|
||||
{
|
||||
public ValidationException()
|
||||
: base("One or more validation failures have occurred.")
|
||||
{
|
||||
Errors = new Dictionary<string, string[]>();
|
||||
}
|
||||
|
||||
public ValidationException(IEnumerable<ValidationFailure> failures)
|
||||
: this()
|
||||
{
|
||||
Errors = failures
|
||||
.GroupBy(f => f.PropertyName, f => f.ErrorMessage)
|
||||
.ToDictionary(fg => fg.Key, fg => fg.ToArray());
|
||||
}
|
||||
|
||||
public IDictionary<string, string[]> Errors { get; }
|
||||
}
|
@ -0,0 +1,55 @@
|
||||
using AutobusApi.Domain.Entities;
|
||||
using Microsoft.EntityFrameworkCore;
|
||||
|
||||
namespace AutobusApi.Application.Common.Interfaces;
|
||||
|
||||
public interface IApplicationDbContext
|
||||
{
|
||||
DbSet<Country> Countries { get; }
|
||||
|
||||
DbSet<Region> Regions { get; }
|
||||
|
||||
DbSet<City> Cities { get; }
|
||||
|
||||
DbSet<Address> Addresses { get; }
|
||||
|
||||
DbSet<RouteAddress> RouteAddresses { get; }
|
||||
|
||||
DbSet<Route> Routes { get; }
|
||||
|
||||
DbSet<RouteAddressDetails> RouteAddressDetails { get; }
|
||||
|
||||
DbSet<VehicleEnrollment> VehicleEnrollments { get; }
|
||||
|
||||
DbSet<Vehicle> Vehicles { get; }
|
||||
|
||||
DbSet<Bus> Buses { get; }
|
||||
|
||||
DbSet<Aircraft> Aircraft { get; }
|
||||
|
||||
DbSet<Train> Trains { get; }
|
||||
|
||||
DbSet<TrainCarriage> TrainCarriages { get; }
|
||||
|
||||
DbSet<Carriage> Carriages { get; }
|
||||
|
||||
DbSet<Company> Companies { get; }
|
||||
|
||||
DbSet<Employee> Employees { get; }
|
||||
|
||||
DbSet<EmployeeDocument> EmployeeDocuments { get; }
|
||||
|
||||
DbSet<VehicleEnrollmentEmployee> vehicleEnrollmentEmployees { get; }
|
||||
|
||||
DbSet<User> ApplicationUsers { get; }
|
||||
|
||||
DbSet<TicketGroup> TicketGroups { get; }
|
||||
|
||||
DbSet<Ticket> Tickets { get; }
|
||||
|
||||
DbSet<TicketDocument> TicketDocuments { get; }
|
||||
|
||||
DbSet<Review> Reviews { get; }
|
||||
|
||||
Task<int> SaveChangesAsync(CancellationToken cancellationToken = default);
|
||||
}
|
14
AutobusApi.Application/Common/Interfaces/IIdentityService.cs
Normal file
14
AutobusApi.Application/Common/Interfaces/IIdentityService.cs
Normal file
@ -0,0 +1,14 @@
|
||||
using AutobusApi.Application.Common.Models.Identity;
|
||||
|
||||
namespace AutobusApi.Application.Common.Interfaces;
|
||||
|
||||
public interface IIdentityService
|
||||
{
|
||||
Task RegisterAsync(string email, string password, CancellationToken cancellationToken);
|
||||
|
||||
Task<TokensModel> LoginAsync(string email, string password, CancellationToken cancellationToken);
|
||||
|
||||
Task<TokensModel> RenewAccessTokenAsync(string refreshToken, CancellationToken cancellationToken);
|
||||
|
||||
Task RevokeRefreshTokenAsync(string refreshToken, CancellationToken cancellationToken);
|
||||
}
|
6
AutobusApi.Application/Common/Models/Identity/Roles.cs
Normal file
6
AutobusApi.Application/Common/Models/Identity/Roles.cs
Normal file
@ -0,0 +1,6 @@
|
||||
namespace AutobusApi.Application.Common.Models.Identity;
|
||||
|
||||
public enum Roles
|
||||
{
|
||||
User = 0,
|
||||
}
|
16
AutobusApi.Application/Common/Models/Identity/TokensModel.cs
Normal file
16
AutobusApi.Application/Common/Models/Identity/TokensModel.cs
Normal file
@ -0,0 +1,16 @@
|
||||
namespace AutobusApi.Application.Common.Models.Identity;
|
||||
|
||||
public class TokensModel
|
||||
{
|
||||
public TokensModel(
|
||||
string accessToken,
|
||||
string refreshToken)
|
||||
{
|
||||
AccessToken = accessToken;
|
||||
RefreshToken = refreshToken;
|
||||
}
|
||||
|
||||
public string AccessToken { get; set; }
|
||||
|
||||
public string RefreshToken { get; set; }
|
||||
}
|
23
AutobusApi.Application/DependencyInjection.cs
Normal file
23
AutobusApi.Application/DependencyInjection.cs
Normal file
@ -0,0 +1,23 @@
|
||||
using System.Reflection;
|
||||
using AutobusApi.Application.Common.Behaviours;
|
||||
using FluentValidation;
|
||||
using MediatR;
|
||||
using Microsoft.Extensions.DependencyInjection;
|
||||
|
||||
namespace AutobusApi.Application;
|
||||
|
||||
public static class DependencyInjection
|
||||
{
|
||||
public static IServiceCollection AddApplication(this IServiceCollection services)
|
||||
{
|
||||
services.AddValidatorsFromAssembly(Assembly.GetExecutingAssembly());
|
||||
|
||||
services.AddMediatR(configuration =>
|
||||
{
|
||||
configuration.RegisterServicesFromAssembly(Assembly.GetExecutingAssembly());
|
||||
configuration.AddBehavior(typeof(IPipelineBehavior<,>), typeof(ValidationBehaviour<,>));
|
||||
});
|
||||
|
||||
return services;
|
||||
}
|
||||
}
|
@ -0,0 +1,10 @@
|
||||
using MediatR;
|
||||
|
||||
namespace AutobusApi.Application.Identity.Commands.Register;
|
||||
|
||||
public record RegisterCommand : IRequest
|
||||
{
|
||||
public required string Email { get; set; }
|
||||
|
||||
public required string Password { get; set; }
|
||||
}
|
@ -0,0 +1,21 @@
|
||||
using AutobusApi.Application.Common.Interfaces;
|
||||
using MediatR;
|
||||
|
||||
namespace AutobusApi.Application.Identity.Commands.Register;
|
||||
|
||||
public class RegisterCommandHandler : IRequestHandler<RegisterCommand>
|
||||
{
|
||||
private readonly IIdentityService _identityService;
|
||||
|
||||
public RegisterCommandHandler(IIdentityService identityService)
|
||||
{
|
||||
_identityService = identityService;
|
||||
}
|
||||
|
||||
public async Task Handle(
|
||||
RegisterCommand command,
|
||||
CancellationToken cancellationToken)
|
||||
{
|
||||
await _identityService.RegisterAsync(command.Email, command.Password, cancellationToken);
|
||||
}
|
||||
}
|
@ -0,0 +1,22 @@
|
||||
using FluentValidation;
|
||||
|
||||
namespace AutobusApi.Application.Identity.Commands.Register;
|
||||
|
||||
public class RegisterCommandValidator : AbstractValidator<RegisterCommand>
|
||||
{
|
||||
public RegisterCommandValidator()
|
||||
{
|
||||
RuleFor(v => v.Email)
|
||||
.NotEmpty().WithMessage("Email address is required.")
|
||||
.Matches(@"\b[\w\.-]+@[\w\.-]+\.\w{2,4}\b").WithMessage("Email address is invalid.");
|
||||
|
||||
RuleFor(v => v.Password)
|
||||
.NotEmpty().WithMessage("Password is required.")
|
||||
.MinimumLength(8).WithMessage("Password must be at least 8 characters long.")
|
||||
.MaximumLength(64).WithMessage("Password must be at most 64 characters long.")
|
||||
.Matches(@"(?=.*[A-Z]).*").WithMessage("Password must contain at least one uppercase letter.")
|
||||
.Matches(@"(?=.*[a-z]).*").WithMessage("Password must contain at least one lowercase letter.")
|
||||
.Matches(@"(?=.*[\d]).*").WithMessage("Password must contain at least one digit.")
|
||||
.Matches(@"(?=.*[!@#$%^&*()]).*").WithMessage("Password must contain at least one of the following special charactters: !@#$%^&*().");
|
||||
}
|
||||
}
|
@ -0,0 +1,9 @@
|
||||
using AutobusApi.Application.Common.Models.Identity;
|
||||
using MediatR;
|
||||
|
||||
namespace AutobusApi.Application.Identity.Commands.RenewAccessToken;
|
||||
|
||||
public record RenewAccessTokenCommand : IRequest<TokensModel>
|
||||
{
|
||||
public required string RefreshToken { get; set; }
|
||||
}
|
@ -0,0 +1,22 @@
|
||||
using AutobusApi.Application.Common.Interfaces;
|
||||
using AutobusApi.Application.Common.Models.Identity;
|
||||
using MediatR;
|
||||
|
||||
namespace AutobusApi.Application.Identity.Commands.RenewAccessToken;
|
||||
|
||||
public class RenewAccessTokenCommandHandler : IRequestHandler<RenewAccessTokenCommand, TokensModel>
|
||||
{
|
||||
private readonly IIdentityService _identityService;
|
||||
|
||||
public RenewAccessTokenCommandHandler(IIdentityService identityService)
|
||||
{
|
||||
_identityService = identityService;
|
||||
}
|
||||
|
||||
public async Task<TokensModel> Handle(
|
||||
RenewAccessTokenCommand command,
|
||||
CancellationToken cancellationToken)
|
||||
{
|
||||
return await _identityService.RenewAccessTokenAsync(command.RefreshToken, cancellationToken);
|
||||
}
|
||||
}
|
@ -0,0 +1,12 @@
|
||||
using FluentValidation;
|
||||
|
||||
namespace AutobusApi.Application.Identity.Commands.RenewAccessToken;
|
||||
|
||||
public class RenewAccessTokenCommandValidator : AbstractValidator<RenewAccessTokenCommand>
|
||||
{
|
||||
public RenewAccessTokenCommandValidator()
|
||||
{
|
||||
RuleFor(v => v.RefreshToken)
|
||||
.NotEmpty();
|
||||
}
|
||||
}
|
@ -0,0 +1,8 @@
|
||||
using MediatR;
|
||||
|
||||
namespace AutobusApi.Application.Identity.Commands.RevokeRefreshToken;
|
||||
|
||||
public record RevokeRefreshTokenCommand : IRequest
|
||||
{
|
||||
public required string RefreshToken { get; set; }
|
||||
}
|
@ -0,0 +1,21 @@
|
||||
using AutobusApi.Application.Common.Interfaces;
|
||||
using MediatR;
|
||||
|
||||
namespace AutobusApi.Application.Identity.Commands.RevokeRefreshToken;
|
||||
|
||||
public class RevokeRefreshTokenCommandHandler : IRequestHandler<RevokeRefreshTokenCommand>
|
||||
{
|
||||
private readonly IIdentityService _identityService;
|
||||
|
||||
public RevokeRefreshTokenCommandHandler(IIdentityService identityService)
|
||||
{
|
||||
_identityService = identityService;
|
||||
}
|
||||
|
||||
public async Task Handle(
|
||||
RevokeRefreshTokenCommand command,
|
||||
CancellationToken cancellationToken)
|
||||
{
|
||||
await _identityService.RevokeRefreshTokenAsync(command.RefreshToken, cancellationToken);
|
||||
}
|
||||
}
|
@ -0,0 +1,12 @@
|
||||
using FluentValidation;
|
||||
|
||||
namespace AutobusApi.Application.Identity.Commands.RevokeRefreshToken;
|
||||
|
||||
public class RevokeRefreshTokenCommandValidator : AbstractValidator<RevokeRefreshTokenCommand>
|
||||
{
|
||||
public RevokeRefreshTokenCommandValidator()
|
||||
{
|
||||
RuleFor(v => v.RefreshToken)
|
||||
.NotEmpty();
|
||||
}
|
||||
}
|
11
AutobusApi.Application/Identity/Queries/Login/LoginQuery.cs
Normal file
11
AutobusApi.Application/Identity/Queries/Login/LoginQuery.cs
Normal file
@ -0,0 +1,11 @@
|
||||
using AutobusApi.Application.Common.Models.Identity;
|
||||
using MediatR;
|
||||
|
||||
namespace AutobusApi.Application.Identity.Queries.Login;
|
||||
|
||||
public record LoginQuery : IRequest<TokensModel>
|
||||
{
|
||||
public required string Email { get; set; }
|
||||
|
||||
public required string Password { get; set; }
|
||||
}
|
@ -0,0 +1,22 @@
|
||||
using AutobusApi.Application.Common.Interfaces;
|
||||
using AutobusApi.Application.Common.Models.Identity;
|
||||
using MediatR;
|
||||
|
||||
namespace AutobusApi.Application.Identity.Queries.Login;
|
||||
|
||||
public class LoginQueryHandler : IRequestHandler<LoginQuery, TokensModel>
|
||||
{
|
||||
private readonly IIdentityService _identityService;
|
||||
|
||||
public LoginQueryHandler(IIdentityService identityService)
|
||||
{
|
||||
_identityService = identityService;
|
||||
}
|
||||
|
||||
public async Task<TokensModel> Handle(
|
||||
LoginQuery query,
|
||||
CancellationToken cancellationToken)
|
||||
{
|
||||
return await _identityService.LoginAsync(query.Email, query.Password, cancellationToken);
|
||||
}
|
||||
}
|
@ -0,0 +1,16 @@
|
||||
using FluentValidation;
|
||||
|
||||
namespace AutobusApi.Application.Identity.Queries.Login;
|
||||
|
||||
public class LoginQueryValidator : AbstractValidator<LoginQuery>
|
||||
{
|
||||
public LoginQueryValidator()
|
||||
{
|
||||
RuleFor(v => v.Email)
|
||||
.NotEmpty().WithMessage("Email address is required.")
|
||||
.EmailAddress().WithMessage("Email address is invalid.");
|
||||
|
||||
RuleFor(v => v.Password)
|
||||
.NotEmpty().WithMessage("Password is required.");
|
||||
}
|
||||
}
|
@ -6,15 +6,15 @@ namespace AutobusApi.Domain.Entities;
|
||||
|
||||
public class Address : EntityBase
|
||||
{
|
||||
public required string Name { get; set; }
|
||||
public string Name { get; set; } = null!;
|
||||
|
||||
public required ICoordinates Location { get; set; }
|
||||
public ICoordinates Location { get; set; } = null!;
|
||||
|
||||
public required VehicleType VehicleType { get; set; }
|
||||
public VehicleType VehicleType { get; set; }
|
||||
|
||||
public ICollection<RouteAddress> RouteAddresses { get; set; } = null!;
|
||||
|
||||
public required int CityId { get; set; }
|
||||
public int CityId { get; set; }
|
||||
|
||||
public City City { get; set; } = null!;
|
||||
}
|
||||
|
@ -4,13 +4,13 @@ public class Aircraft : Vehicle
|
||||
{
|
||||
public Vehicle Vehicle { get; set; } = null!;
|
||||
|
||||
public required string Number { get; set; }
|
||||
public string Number { get; set; } = null!;
|
||||
|
||||
public required string Model { get; set; }
|
||||
public string Model { get; set; } = null!;
|
||||
|
||||
public required int Capacity { get; set; }
|
||||
public int Capacity { get; set; }
|
||||
|
||||
public required bool HasWiFi { get; set; }
|
||||
public bool HasWiFi { get; set; }
|
||||
|
||||
public required bool HasMultimedia { get; set; }
|
||||
public bool HasMultimedia { get; set; }
|
||||
}
|
||||
|
@ -4,19 +4,19 @@ public class Bus : Vehicle
|
||||
{
|
||||
public Vehicle Vehicle { get; set; } = null!;
|
||||
|
||||
public required string Number { get; set; }
|
||||
public string Number { get; set; } = null!;
|
||||
|
||||
public required string Model { get; set; }
|
||||
public string Model { get; set; } = null!;
|
||||
|
||||
public required int Capacity { get; set; }
|
||||
public int Capacity { get; set; }
|
||||
|
||||
public required bool HasClimateControl { get; set; }
|
||||
public bool HasClimateControl { get; set; }
|
||||
|
||||
public required bool HasWC { get; set; }
|
||||
public bool HasWC { get; set; }
|
||||
|
||||
public required bool HasWiFi { get; set; }
|
||||
public bool HasWiFi { get; set; }
|
||||
|
||||
public required bool HasMultimedia { get; set; }
|
||||
public bool HasMultimedia { get; set; }
|
||||
|
||||
public required bool HasOutlets { get; set; }
|
||||
public bool HasOutlets { get; set; }
|
||||
}
|
||||
|
@ -5,15 +5,15 @@ namespace AutobusApi.Domain.Entities;
|
||||
|
||||
public class Carriage : EntityBase
|
||||
{
|
||||
public required CarriageType Type { get; set; }
|
||||
public CarriageType Type { get; set; }
|
||||
|
||||
public required int Capacity { get; set; }
|
||||
public int Capacity { get; set; }
|
||||
|
||||
public required int Number { get; set; }
|
||||
public int Number { get; set; }
|
||||
|
||||
public required bool HasWiFi { get; set; }
|
||||
public bool HasWiFi { get; set; }
|
||||
|
||||
public required bool HasOutlets { get; set; }
|
||||
public bool HasOutlets { get; set; }
|
||||
|
||||
public ICollection<TrainCarriage> TrainCarriage { get; set; } = null!;
|
||||
}
|
||||
|
@ -4,11 +4,11 @@ namespace AutobusApi.Domain.Entities;
|
||||
|
||||
public class City : EntityBase
|
||||
{
|
||||
public required string Name { get; set; }
|
||||
public string Name { get; set; } = null!;
|
||||
|
||||
public ICollection<Address> Addresses { get; set; } = null!;
|
||||
|
||||
public required int RegionId { get; set; }
|
||||
public int RegionId { get; set; }
|
||||
|
||||
public Region Region { get; set; } = null!;
|
||||
}
|
||||
|
@ -4,13 +4,13 @@ namespace AutobusApi.Domain.Entities;
|
||||
|
||||
public class Company : EntityBase
|
||||
{
|
||||
public required string Name { get; set; }
|
||||
public string Name { get; set; } = null!;
|
||||
|
||||
public required string LegalAddress { get; set; }
|
||||
public string LegalAddress { get; set; } = null!;
|
||||
|
||||
public required string ContactEmail { get; set; }
|
||||
public string ContactEmail { get; set; } = null!;
|
||||
|
||||
public required string ContactPhoneNumber { get; set; }
|
||||
public string ContactPhoneNumber { get; set; } = null!;
|
||||
|
||||
public ICollection<Vehicle> Vehicles { get; set; } = null!;
|
||||
|
||||
|
@ -4,7 +4,7 @@ namespace AutobusApi.Domain.Entities;
|
||||
|
||||
public class Country : EntityBase
|
||||
{
|
||||
public required string Name { get; set; }
|
||||
public string Name { get; set; } = null!;
|
||||
|
||||
public ICollection<Region> Regions { get; set; } = null!;
|
||||
}
|
||||
|
@ -5,17 +5,19 @@ namespace AutobusApi.Domain.Entities;
|
||||
|
||||
public class Employee : EntityBase
|
||||
{
|
||||
public required string FisrtName { get; set; }
|
||||
public string FisrtName { get; set; } = null!;
|
||||
|
||||
public required string LastName { get; set; }
|
||||
public string LastName { get; set; } = null!;
|
||||
|
||||
public required string Patronymic { get; set; }
|
||||
public string Patronymic { get; set; } = null!;
|
||||
|
||||
public required Sex Sex { get; set; }
|
||||
public Sex Sex { get; set; }
|
||||
|
||||
public required DateOnly BirthDate { get; set; }
|
||||
public DateOnly BirthDate { get; set; }
|
||||
|
||||
public required int EmployerCompanyId { get; set; }
|
||||
public int IdentityId { get; set; }
|
||||
|
||||
public int EmployerCompanyId { get; set; }
|
||||
|
||||
public Company EmployerCompany { get; set; } = null!;
|
||||
|
||||
|
@ -5,11 +5,11 @@ namespace AutobusApi.Domain.Entities;
|
||||
|
||||
public class EmployeeDocument : EntityBase
|
||||
{
|
||||
public required EmployeeDocumentType Type { get; set; }
|
||||
public EmployeeDocumentType Type { get; set; }
|
||||
|
||||
public required string Information { get; set; }
|
||||
public string Information { get; set; } = null!;
|
||||
|
||||
public required int EmployeeId { get; set; }
|
||||
public int EmployeeId { get; set; }
|
||||
|
||||
public Employee Employee { get; set; } = null!;
|
||||
}
|
||||
|
@ -4,11 +4,11 @@ namespace AutobusApi.Domain.Entities;
|
||||
|
||||
public class Region : EntityBase
|
||||
{
|
||||
public required string Name { get; set; }
|
||||
public string Name { get; set; } = null!;
|
||||
|
||||
public ICollection<City> Cities { get; set; } = null!;
|
||||
|
||||
public required int CountryId { get; set; }
|
||||
public int CountryId { get; set; }
|
||||
|
||||
public Country Country { get; set; } = null!;
|
||||
}
|
||||
|
@ -4,17 +4,17 @@ namespace AutobusApi.Domain.Entities;
|
||||
|
||||
public class Review : EntityBase
|
||||
{
|
||||
public required int Rating { get; set; }
|
||||
public int Rating { get; set; }
|
||||
|
||||
public required string? Comment { get; set; }
|
||||
public string? Comment { get; set; }
|
||||
|
||||
public required DateTime PostDateTimeUtc { get; set; }
|
||||
public DateTime PostDateTimeUtc { get; set; }
|
||||
|
||||
public required int UserId { get; set; }
|
||||
public int UserId { get; set; }
|
||||
|
||||
public User User { get; set; } = null!;
|
||||
|
||||
public required int VehicleEnrollmentId { get; set; }
|
||||
public int VehicleEnrollmentId { get; set; }
|
||||
|
||||
public VehicleEnrollment VehicleEnrollment { get; set; } = null!;
|
||||
}
|
||||
|
@ -4,13 +4,13 @@ namespace AutobusApi.Domain.Entities;
|
||||
|
||||
public class RouteAddress : EntityBase
|
||||
{
|
||||
public required int Order { get; set; }
|
||||
public int Order { get; set; }
|
||||
|
||||
public required int AddressId { get; set; }
|
||||
public int AddressId { get; set; }
|
||||
|
||||
public Address Address { get; set; } = null!;
|
||||
|
||||
public required int RouteId { get; set; }
|
||||
public int RouteId { get; set; }
|
||||
|
||||
public Route Route { get; set; } = null!;
|
||||
|
||||
|
@ -4,17 +4,17 @@ namespace AutobusApi.Domain.Entities;
|
||||
|
||||
public class RouteAddressDetails : EntityBase
|
||||
{
|
||||
public required TimeSpan TimeToNextAddress { get; set; }
|
||||
public TimeSpan TimeToNextAddress { get; set; }
|
||||
|
||||
public required double CostToNextAddress { get; set; }
|
||||
public double CostToNextAddress { get; set; }
|
||||
|
||||
public required TimeSpan CurrentAddressStopTime { get; set; }
|
||||
public TimeSpan CurrentAddressStopTime { get; set; }
|
||||
|
||||
public required int RouteAddressId { get; set; }
|
||||
public int RouteAddressId { get; set; }
|
||||
|
||||
public RouteAddress RouteAddress { get; set; } = null!;
|
||||
|
||||
public required int VehicleEnrollmentId { get; set; }
|
||||
public int VehicleEnrollmentId { get; set; }
|
||||
|
||||
public VehicleEnrollment VehicleEnrollment { get; set; } = null!;
|
||||
}
|
||||
|
@ -4,11 +4,11 @@ namespace AutobusApi.Domain.Entities;
|
||||
|
||||
public class Ticket : EntityBase
|
||||
{
|
||||
public required int TicketGroupId { get; set; }
|
||||
public int TicketGroupId { get; set; }
|
||||
|
||||
public TicketGroup TicketGroup { get; set; } = null!;
|
||||
|
||||
public required int VehicleEnrollmentId { get; set; }
|
||||
public int VehicleEnrollmentId { get; set; }
|
||||
|
||||
public VehicleEnrollment VehicleEnrollment { get; set; } = null!;
|
||||
}
|
||||
|
@ -5,11 +5,11 @@ namespace AutobusApi.Domain.Entities;
|
||||
|
||||
public class TicketDocument : EntityBase
|
||||
{
|
||||
public required TicketDocumentType Type { get; set; }
|
||||
public TicketDocumentType Type { get; set; }
|
||||
|
||||
public required string Information { get; set; }
|
||||
public string Information { get; set; } = null!;
|
||||
|
||||
public required int TicketGroupId { get; set; }
|
||||
public int TicketGroupId { get; set; }
|
||||
|
||||
public TicketGroup TicketGroup { get; set; } = null!;
|
||||
}
|
||||
|
@ -5,33 +5,33 @@ namespace AutobusApi.Domain.Entities;
|
||||
|
||||
public class TicketGroup : EntityBase
|
||||
{
|
||||
public required string BuyerFirstName { get; set; }
|
||||
public string BuyerFirstName { get; set; } = null!;
|
||||
|
||||
public required string BuyerLastName { get; set; }
|
||||
public string BuyerLastName { get; set; } = null!;
|
||||
|
||||
public required string BuyerPhoneNumber { get; set; }
|
||||
public string BuyerPhoneNumber { get; set; } = null!;
|
||||
|
||||
public required string BuyerEmailAddress { get; set; }
|
||||
public string BuyerEmailAddress { get; set; } = null!;
|
||||
|
||||
public required string PassengerFirstName { get; set; }
|
||||
public string PassengerFirstName { get; set; } = null!;
|
||||
|
||||
public required string PassengerLastName { get; set; }
|
||||
public string PassengerLastName { get; set; } = null!;
|
||||
|
||||
public required string PassengerPatronymic { get; set; }
|
||||
public string PassengerPatronymic { get; set; } = null!;
|
||||
|
||||
public required Sex PassengerSex { get; set; }
|
||||
public Sex PassengerSex { get; set; }
|
||||
|
||||
public required DateOnly PassengerBirthDate { get; set; }
|
||||
public DateOnly PassengerBirthDate { get; set; }
|
||||
|
||||
public required DateTime PurchaseDateTimeUtc { get; set; }
|
||||
public DateTime PurchaseDateTimeUtc { get; set; }
|
||||
|
||||
public required bool IsReturned { get; set; }
|
||||
public bool IsReturned { get; set; }
|
||||
|
||||
public int? UserId { get; set; }
|
||||
|
||||
public User? User { get; set; }
|
||||
|
||||
public required int TicketDocumentId { get; set; }
|
||||
public int TicketDocumentId { get; set; }
|
||||
|
||||
public TicketDocument TicketDocument { get; set; } = null!;
|
||||
|
||||
|
@ -4,7 +4,7 @@ public class Train : Vehicle
|
||||
{
|
||||
public Vehicle Vehicle { get; set; } = null!;
|
||||
|
||||
public required string Number { get; set; }
|
||||
public string Number { get; set; } = null!;
|
||||
|
||||
public ICollection<TrainCarriage> TrainCarriage { get; set; } = null!;
|
||||
}
|
||||
|
@ -4,11 +4,11 @@ namespace AutobusApi.Domain.Entities;
|
||||
|
||||
public class TrainCarriage : EntityBase
|
||||
{
|
||||
public required int TrainId { get; set; }
|
||||
public int TrainId { get; set; }
|
||||
|
||||
public Train Train { get; set; } = null!;
|
||||
|
||||
public required int CarriageId { get; set; }
|
||||
public int CarriageId { get; set; }
|
||||
|
||||
public Carriage Carriage { get; set; } = null!;
|
||||
}
|
||||
|
@ -4,6 +4,8 @@ namespace AutobusApi.Domain.Entities;
|
||||
|
||||
public class User : EntityBase
|
||||
{
|
||||
public int IdentityId { get; set; }
|
||||
|
||||
public ICollection<TicketGroup> TicketGroups { get; set; } = null!;
|
||||
|
||||
public ICollection<Review> Reviews { get; set; } = null!;
|
||||
|
@ -4,7 +4,7 @@ namespace AutobusApi.Domain.Entities;
|
||||
|
||||
public class Vehicle : EntityBase
|
||||
{
|
||||
public required int CompanyId { get; set; }
|
||||
public int CompanyId { get; set; }
|
||||
|
||||
public Company Company { get; set; } = null!;
|
||||
|
||||
|
@ -4,13 +4,13 @@ namespace AutobusApi.Domain.Entities;
|
||||
|
||||
public class VehicleEnrollment : EntityBase
|
||||
{
|
||||
public required DateTime DepartureDateTimeUtc { get; set; }
|
||||
public DateTime DepartureDateTimeUtc { get; set; }
|
||||
|
||||
public required int VehicleId { get; set; }
|
||||
public int VehicleId { get; set; }
|
||||
|
||||
public Vehicle Vehicle { get; set; } = null!;
|
||||
|
||||
public required int RouteId { get; set; }
|
||||
public int RouteId { get; set; }
|
||||
|
||||
public Route Route { get; set; } = null!;
|
||||
|
||||
|
@ -4,11 +4,11 @@ namespace AutobusApi.Domain.Entities;
|
||||
|
||||
public class VehicleEnrollmentEmployee : EntityBase
|
||||
{
|
||||
public required int EmployeeId { get; set; }
|
||||
public int EmployeeId { get; set; }
|
||||
|
||||
public Employee Employee { get; set; } = null!;
|
||||
|
||||
public required int VehicleEnrollmentId { get; set; }
|
||||
public int VehicleEnrollmentId { get; set; }
|
||||
|
||||
public VehicleEnrollment VehicleEnrollment { get; set; } = null!;
|
||||
}
|
||||
|
6
AutobusApi.Domain/Enums/IdentityRoles.cs
Normal file
6
AutobusApi.Domain/Enums/IdentityRoles.cs
Normal file
@ -0,0 +1,6 @@
|
||||
namespace AutobusApi.Domain.Enums;
|
||||
|
||||
public enum IdentityRoles
|
||||
{
|
||||
User = 0
|
||||
}
|
@ -7,13 +7,20 @@
|
||||
</PropertyGroup>
|
||||
|
||||
<ItemGroup>
|
||||
<PackageReference Include="Microsoft.AspNetCore.Authentication.JwtBearer" Version="7.0.12" />
|
||||
<PackageReference Include="Microsoft.AspNetCore.Identity" Version="2.2.0" />
|
||||
<PackageReference Include="Microsoft.AspNetCore.Authentication.JwtBearer" Version="7.0.13" />
|
||||
<PackageReference Include="Microsoft.IdentityModel.Protocols.OpenIdConnect" Version="7.0.3" />
|
||||
<PackageReference Include="Microsoft.IdentityModel.Tokens" Version="7.0.3" />
|
||||
<PackageReference Include="Microsoft.AspNetCore.Identity.EntityFrameworkCore" Version="7.0.13" />
|
||||
<PackageReference Include="Microsoft.EntityFrameworkCore" Version="7.0.13" />
|
||||
<PackageReference Include="Microsoft.EntityFrameworkCore.Design" Version="7.0.13">
|
||||
<IncludeAssets>runtime; build; native; contentfiles; analyzers; buildtransitive</IncludeAssets>
|
||||
<PrivateAssets>all</PrivateAssets>
|
||||
</PackageReference>
|
||||
<PackageReference Include="Npgsql.EntityFrameworkCore.PostgreSQL" Version="7.0.11" />
|
||||
<PackageReference Include="Npgsql.EntityFrameworkCore.PostgreSQL.NetTopologySuite" Version="7.0.11" />
|
||||
</ItemGroup>
|
||||
|
||||
<ItemGroup>
|
||||
<ProjectReference Include="..\AutobusApi.Domain\AutobusApi.Domain.csproj" />
|
||||
<ProjectReference Include="..\AutobusApi.Application\AutobusApi.Application.csproj" />
|
||||
</ItemGroup>
|
||||
|
||||
|
71
AutobusApi.Infrastructure/Data/ApplicationDbContext.cs
Normal file
71
AutobusApi.Infrastructure/Data/ApplicationDbContext.cs
Normal file
@ -0,0 +1,71 @@
|
||||
using System.Reflection;
|
||||
using AutobusApi.Application.Common.Interfaces;
|
||||
using AutobusApi.Domain.Entities;
|
||||
using Microsoft.EntityFrameworkCore;
|
||||
|
||||
namespace AutoubsApi.Infrastructure.Data;
|
||||
|
||||
public class ApplicationDbContext : DbContext, IApplicationDbContext
|
||||
{
|
||||
public ApplicationDbContext(DbContextOptions<ApplicationDbContext> options) : base(options) { }
|
||||
|
||||
public DbSet<Country> Countries { get => Set<Country>(); }
|
||||
|
||||
public DbSet<Region> Regions { get => Set<Region>(); }
|
||||
|
||||
public DbSet<City> Cities { get => Set<City>(); }
|
||||
|
||||
public DbSet<Address> Addresses { get => Set<Address>(); }
|
||||
|
||||
public DbSet<RouteAddress> RouteAddresses { get => Set<RouteAddress>(); }
|
||||
|
||||
public DbSet<Route> Routes { get => Set<Route>(); }
|
||||
|
||||
public DbSet<RouteAddressDetails> RouteAddressDetails { get => Set<RouteAddressDetails>(); }
|
||||
|
||||
public DbSet<VehicleEnrollment> VehicleEnrollments { get => Set<VehicleEnrollment>(); }
|
||||
|
||||
public DbSet<Vehicle> Vehicles { get => Set<Vehicle>(); }
|
||||
|
||||
public DbSet<Bus> Buses { get => Set<Bus>(); }
|
||||
|
||||
public DbSet<Aircraft> Aircraft { get => Set<Aircraft>(); }
|
||||
|
||||
public DbSet<Train> Trains { get => Set<Train>(); }
|
||||
|
||||
public DbSet<TrainCarriage> TrainCarriages { get => Set<TrainCarriage>(); }
|
||||
|
||||
public DbSet<Carriage> Carriages { get => Set<Carriage>(); }
|
||||
|
||||
public DbSet<Company> Companies { get => Set<Company>(); }
|
||||
|
||||
public DbSet<Employee> Employees { get => Set<Employee>(); }
|
||||
|
||||
public DbSet<EmployeeDocument> EmployeeDocuments { get => Set<EmployeeDocument>(); }
|
||||
|
||||
public DbSet<VehicleEnrollmentEmployee> vehicleEnrollmentEmployees { get => Set<VehicleEnrollmentEmployee>(); }
|
||||
|
||||
public DbSet<User> ApplicationUsers { get => Set<User>(); }
|
||||
|
||||
public DbSet<TicketGroup> TicketGroups { get => Set<TicketGroup>(); }
|
||||
|
||||
public DbSet<Ticket> Tickets { get => Set<Ticket>(); }
|
||||
|
||||
public DbSet<TicketDocument> TicketDocuments { get => Set<TicketDocument>(); }
|
||||
|
||||
public DbSet<Review> Reviews { get => Set<Review>(); }
|
||||
|
||||
protected override void OnModelCreating(ModelBuilder builder)
|
||||
{
|
||||
base.OnModelCreating(builder);
|
||||
|
||||
builder.HasPostgresExtension("postgis");
|
||||
|
||||
builder.HasDefaultSchema("domain");
|
||||
|
||||
builder.ApplyConfigurationsFromAssembly(
|
||||
Assembly.GetExecutingAssembly(),
|
||||
t => t.Namespace == "AutobusApi.Infrastructure.Data.Configurations"
|
||||
);
|
||||
}
|
||||
}
|
@ -4,7 +4,7 @@ using Microsoft.EntityFrameworkCore;
|
||||
using Microsoft.EntityFrameworkCore.Metadata.Builders;
|
||||
using NetTopologySuite.Geometries;
|
||||
|
||||
namespace AutobusApi.Persistence.Contexts.Configurations;
|
||||
namespace AutobusApi.Infrastructure.Data.Configurations;
|
||||
|
||||
public class AddressConfiguration : EntityBaseConfiguration<Address>
|
||||
{
|
@ -2,7 +2,7 @@ using AutobusApi.Domain.Entities;
|
||||
using Microsoft.EntityFrameworkCore;
|
||||
using Microsoft.EntityFrameworkCore.Metadata.Builders;
|
||||
|
||||
namespace AutobusApi.Persistence.Contexts.Configurations;
|
||||
namespace AutobusApi.Infrastructure.Data.Configurations;
|
||||
|
||||
public class AircraftConfiguration : EntityBaseConfiguration<Aircraft>
|
||||
{
|
@ -2,7 +2,7 @@ using AutobusApi.Domain.Entities;
|
||||
using Microsoft.EntityFrameworkCore;
|
||||
using Microsoft.EntityFrameworkCore.Metadata.Builders;
|
||||
|
||||
namespace AutobusApi.Persistence.Contexts.Configurations;
|
||||
namespace AutobusApi.Infrastructure.Data.Configurations;
|
||||
|
||||
public class BusConfiguration : EntityBaseConfiguration<Bus>
|
||||
{
|
@ -3,7 +3,7 @@ using AutobusApi.Domain.Enums;
|
||||
using Microsoft.EntityFrameworkCore;
|
||||
using Microsoft.EntityFrameworkCore.Metadata.Builders;
|
||||
|
||||
namespace AutobusApi.Persistence.Contexts.Configurations;
|
||||
namespace AutobusApi.Infrastructure.Data.Configurations;
|
||||
|
||||
public class CarriageConfiguration : EntityBaseConfiguration<Carriage>
|
||||
{
|
@ -2,7 +2,7 @@ using AutobusApi.Domain.Entities;
|
||||
using Microsoft.EntityFrameworkCore;
|
||||
using Microsoft.EntityFrameworkCore.Metadata.Builders;
|
||||
|
||||
namespace AutobusApi.Persistence.Contexts.Configurations;
|
||||
namespace AutobusApi.Infrastructure.Data.Configurations;
|
||||
|
||||
public class CityConfiguration : EntityBaseConfiguration<City>
|
||||
{
|
@ -2,7 +2,7 @@ using AutobusApi.Domain.Entities;
|
||||
using Microsoft.EntityFrameworkCore;
|
||||
using Microsoft.EntityFrameworkCore.Metadata.Builders;
|
||||
|
||||
namespace AutobusApi.Persistence.Contexts.Configurations;
|
||||
namespace AutobusApi.Infrastructure.Data.Configurations;
|
||||
|
||||
public class CompanyConfiguration : EntityBaseConfiguration<Company>
|
||||
{
|
@ -2,7 +2,7 @@ using AutobusApi.Domain.Entities;
|
||||
using Microsoft.EntityFrameworkCore;
|
||||
using Microsoft.EntityFrameworkCore.Metadata.Builders;
|
||||
|
||||
namespace AutobusApi.Persistence.Contexts.Configurations;
|
||||
namespace AutobusApi.Infrastructure.Data.Configurations;
|
||||
|
||||
public class CountryConfiguration : EntityBaseConfiguration<Country>
|
||||
{
|
@ -3,7 +3,7 @@ using AutobusApi.Domain.Enums;
|
||||
using Microsoft.EntityFrameworkCore;
|
||||
using Microsoft.EntityFrameworkCore.Metadata.Builders;
|
||||
|
||||
namespace AutobusApi.Persistence.Contexts.Configurations;
|
||||
namespace AutobusApi.Infrastructure.Data.Configurations;
|
||||
|
||||
public class EmployeeConfiguration : EntityBaseConfiguration<Employee>
|
||||
{
|
||||
@ -49,6 +49,16 @@ public class EmployeeConfiguration : EntityBaseConfiguration<Employee>
|
||||
.HasColumnType("date")
|
||||
.IsRequired();
|
||||
|
||||
builder
|
||||
.Property(e => e.IdentityId)
|
||||
.HasColumnName("identity_id")
|
||||
.HasColumnType("int")
|
||||
.IsRequired();
|
||||
|
||||
builder
|
||||
.HasIndex(e => e.IdentityId)
|
||||
.IsUnique();
|
||||
|
||||
builder
|
||||
.Property(e => e.EmployerCompanyId)
|
||||
.HasColumnName("employer_company_id")
|
@ -3,7 +3,7 @@ using AutobusApi.Domain.Enums;
|
||||
using Microsoft.EntityFrameworkCore;
|
||||
using Microsoft.EntityFrameworkCore.Metadata.Builders;
|
||||
|
||||
namespace AutobusApi.Persistence.Contexts.Configurations;
|
||||
namespace AutobusApi.Infrastructure.Data.Configurations;
|
||||
|
||||
public class EmployeeDocumentConfiguration : EntityBaseConfiguration<EmployeeDocument>
|
||||
{
|
@ -2,7 +2,7 @@ using AutobusApi.Domain.Common;
|
||||
using Microsoft.EntityFrameworkCore;
|
||||
using Microsoft.EntityFrameworkCore.Metadata.Builders;
|
||||
|
||||
namespace AutobusApi.Persistence.Contexts.Configurations;
|
||||
namespace AutobusApi.Infrastructure.Data.Configurations;
|
||||
|
||||
public class EntityBaseConfiguration<TEntity> : IEntityTypeConfiguration<TEntity>
|
||||
where TEntity : EntityBase
|
@ -2,7 +2,7 @@ using AutobusApi.Domain.Entities;
|
||||
using Microsoft.EntityFrameworkCore;
|
||||
using Microsoft.EntityFrameworkCore.Metadata.Builders;
|
||||
|
||||
namespace AutobusApi.Persistence.Contexts.Configurations;
|
||||
namespace AutobusApi.Infrastructure.Data.Configurations;
|
||||
|
||||
public class RegionConfiguration : EntityBaseConfiguration<Region>
|
||||
{
|
@ -2,7 +2,7 @@ using AutobusApi.Domain.Entities;
|
||||
using Microsoft.EntityFrameworkCore;
|
||||
using Microsoft.EntityFrameworkCore.Metadata.Builders;
|
||||
|
||||
namespace AutobusApi.Persistence.Contexts.Configurations;
|
||||
namespace AutobusApi.Infrastructure.Data.Configurations;
|
||||
|
||||
public class ReviewConfiguration : EntityBaseConfiguration<Review>
|
||||
{
|
||||
@ -29,7 +29,7 @@ public class ReviewConfiguration : EntityBaseConfiguration<Review>
|
||||
builder
|
||||
.Property(r => r.PostDateTimeUtc)
|
||||
.HasColumnName("post_timestamp_utc")
|
||||
.HasColumnType("timestamp")
|
||||
.HasColumnType("timestamptz")
|
||||
.IsRequired();
|
||||
|
||||
builder
|
@ -2,7 +2,7 @@ using AutobusApi.Domain.Entities;
|
||||
using Microsoft.EntityFrameworkCore;
|
||||
using Microsoft.EntityFrameworkCore.Metadata.Builders;
|
||||
|
||||
namespace AutobusApi.Persistence.Contexts.Configurations;
|
||||
namespace AutobusApi.Infrastructure.Data.Configurations;
|
||||
|
||||
public class RouteAddressConfiguration : EntityBaseConfiguration<RouteAddress>
|
||||
{
|
@ -2,7 +2,7 @@ using AutobusApi.Domain.Entities;
|
||||
using Microsoft.EntityFrameworkCore;
|
||||
using Microsoft.EntityFrameworkCore.Metadata.Builders;
|
||||
|
||||
namespace AutobusApi.Persistence.Contexts.Configurations;
|
||||
namespace AutobusApi.Infrastructure.Data.Configurations;
|
||||
|
||||
public class RouteAddressDeatilsConfiguration : EntityBaseConfiguration<RouteAddressDetails>
|
||||
{
|
@ -2,7 +2,7 @@ using AutobusApi.Domain.Entities;
|
||||
using Microsoft.EntityFrameworkCore;
|
||||
using Microsoft.EntityFrameworkCore.Metadata.Builders;
|
||||
|
||||
namespace AutobusApi.Persistence.Contexts.Configurations;
|
||||
namespace AutobusApi.Infrastructure.Data.Configurations;
|
||||
|
||||
public class RouteConfiguration : EntityBaseConfiguration<Route>
|
||||
{
|
@ -2,7 +2,7 @@ using AutobusApi.Domain.Entities;
|
||||
using Microsoft.EntityFrameworkCore;
|
||||
using Microsoft.EntityFrameworkCore.Metadata.Builders;
|
||||
|
||||
namespace AutobusApi.Persistence.Contexts.Configurations;
|
||||
namespace AutobusApi.Infrastructure.Data.Configurations;
|
||||
|
||||
public class TicketConfiguration : EntityBaseConfiguration<Ticket>
|
||||
{
|
@ -3,7 +3,7 @@ using AutobusApi.Domain.Enums;
|
||||
using Microsoft.EntityFrameworkCore;
|
||||
using Microsoft.EntityFrameworkCore.Metadata.Builders;
|
||||
|
||||
namespace AutobusApi.Persistence.Contexts.Configurations;
|
||||
namespace AutobusApi.Infrastructure.Data.Configurations;
|
||||
|
||||
public class TicketDocumentConfiguration : EntityBaseConfiguration<TicketDocument>
|
||||
{
|
@ -3,7 +3,7 @@ using AutobusApi.Domain.Enums;
|
||||
using Microsoft.EntityFrameworkCore;
|
||||
using Microsoft.EntityFrameworkCore.Metadata.Builders;
|
||||
|
||||
namespace AutobusApi.Persistence.Contexts.Configurations;
|
||||
namespace AutobusApi.Infrastructure.Data.Configurations;
|
||||
|
||||
public class TicketGroupConfiguration : EntityBaseConfiguration<TicketGroup>
|
||||
{
|
||||
@ -76,7 +76,7 @@ public class TicketGroupConfiguration : EntityBaseConfiguration<TicketGroup>
|
||||
builder
|
||||
.Property(tg => tg.PurchaseDateTimeUtc)
|
||||
.HasColumnName("purchase_timestamp_utc")
|
||||
.HasColumnType("timestamp")
|
||||
.HasColumnType("timestamptz")
|
||||
.IsRequired();
|
||||
|
||||
builder
|
@ -2,7 +2,7 @@ using AutobusApi.Domain.Entities;
|
||||
using Microsoft.EntityFrameworkCore;
|
||||
using Microsoft.EntityFrameworkCore.Metadata.Builders;
|
||||
|
||||
namespace AutobusApi.Persistence.Contexts.Configurations;
|
||||
namespace AutobusApi.Infrastructure.Data.Configurations;
|
||||
|
||||
public class TrainCarriageConfiguration : EntityBaseConfiguration<TrainCarriage>
|
||||
{
|
@ -2,7 +2,7 @@ using AutobusApi.Domain.Entities;
|
||||
using Microsoft.EntityFrameworkCore;
|
||||
using Microsoft.EntityFrameworkCore.Metadata.Builders;
|
||||
|
||||
namespace AutobusApi.Persistence.Contexts.Configurations;
|
||||
namespace AutobusApi.Infrastructure.Data.Configurations;
|
||||
|
||||
public class TrainConfiguration : EntityBaseConfiguration<Train>
|
||||
{
|
@ -2,7 +2,7 @@ using AutobusApi.Domain.Entities;
|
||||
using Microsoft.EntityFrameworkCore;
|
||||
using Microsoft.EntityFrameworkCore.Metadata.Builders;
|
||||
|
||||
namespace AutobusApi.Persistence.Contexts.Configurations;
|
||||
namespace AutobusApi.Infrastructure.Data.Configurations;
|
||||
|
||||
public class UserConfiguration : EntityBaseConfiguration<User>
|
||||
{
|
||||
@ -12,7 +12,17 @@ public class UserConfiguration : EntityBaseConfiguration<User>
|
||||
|
||||
builder
|
||||
.ToTable("users")
|
||||
.HasKey(e => e.Id);
|
||||
.HasKey(u => u.Id);
|
||||
|
||||
builder
|
||||
.Property(u => u.IdentityId)
|
||||
.HasColumnName("identity_id")
|
||||
.HasColumnType("int")
|
||||
.IsRequired();
|
||||
|
||||
builder
|
||||
.HasIndex(u => u.IdentityId)
|
||||
.IsUnique();
|
||||
|
||||
builder
|
||||
.HasMany(u => u.Reviews)
|
@ -2,7 +2,7 @@ using AutobusApi.Domain.Entities;
|
||||
using Microsoft.EntityFrameworkCore;
|
||||
using Microsoft.EntityFrameworkCore.Metadata.Builders;
|
||||
|
||||
namespace AutobusApi.Persistence.Contexts.Configurations;
|
||||
namespace AutobusApi.Infrastructure.Data.Configurations;
|
||||
|
||||
public class VehicleConfiguration : EntityBaseConfiguration<Vehicle>
|
||||
{
|
@ -2,7 +2,7 @@ using AutobusApi.Domain.Entities;
|
||||
using Microsoft.EntityFrameworkCore;
|
||||
using Microsoft.EntityFrameworkCore.Metadata.Builders;
|
||||
|
||||
namespace AutobusApi.Persistence.Contexts.Configurations;
|
||||
namespace AutobusApi.Infrastructure.Data.Configurations;
|
||||
|
||||
public class VehicleEnrollmentConfiguration : EntityBaseConfiguration<VehicleEnrollment>
|
||||
{
|
||||
@ -17,7 +17,7 @@ public class VehicleEnrollmentConfiguration : EntityBaseConfiguration<VehicleEnr
|
||||
builder
|
||||
.Property(ve => ve.DepartureDateTimeUtc)
|
||||
.HasColumnName("departure_timestamp_utc")
|
||||
.HasColumnType("timestamp")
|
||||
.HasColumnType("timestamptz")
|
||||
.IsRequired();
|
||||
|
||||
builder
|
@ -2,7 +2,7 @@ using AutobusApi.Domain.Entities;
|
||||
using Microsoft.EntityFrameworkCore;
|
||||
using Microsoft.EntityFrameworkCore.Metadata.Builders;
|
||||
|
||||
namespace AutobusApi.Persistence.Contexts.Configurations;
|
||||
namespace AutobusApi.Infrastructure.Data.Configurations;
|
||||
|
||||
public class VehicleEnrollmentEmployeeConfiguration : EntityBaseConfiguration<VehicleEnrollmentEmployee>
|
||||
{
|
@ -1,7 +1,7 @@
|
||||
using AutobusApi.Domain.IEntities;
|
||||
using NetTopologySuite.Geometries;
|
||||
|
||||
namespace AutobusApi.Persistence.Entities;
|
||||
namespace AutobusApi.Infrastructure.Data.Entities;
|
||||
|
||||
public class Coordinates : ICoordinates
|
||||
{
|
@ -1,6 +1,6 @@
|
||||
// <auto-generated />
|
||||
using System;
|
||||
using AutoubsApi.Persistence.Contexts;
|
||||
using AutoubsApi.Infrastructure.Data;
|
||||
using Microsoft.EntityFrameworkCore;
|
||||
using Microsoft.EntityFrameworkCore.Infrastructure;
|
||||
using Microsoft.EntityFrameworkCore.Migrations;
|
||||
@ -10,17 +10,18 @@ using Npgsql.EntityFrameworkCore.PostgreSQL.Metadata;
|
||||
|
||||
#nullable disable
|
||||
|
||||
namespace AutobusApi.Persistence.Migrations
|
||||
namespace AutobusApi.Infrastructure.Data.Migrations
|
||||
{
|
||||
[DbContext(typeof(PostgresContext))]
|
||||
[Migration("20231101122211_initial_create")]
|
||||
partial class initial_create
|
||||
[DbContext(typeof(ApplicationDbContext))]
|
||||
[Migration("20231113193110_InitialCreate")]
|
||||
partial class InitialCreate
|
||||
{
|
||||
/// <inheritdoc />
|
||||
protected override void BuildTargetModel(ModelBuilder modelBuilder)
|
||||
{
|
||||
#pragma warning disable 612, 618
|
||||
modelBuilder
|
||||
.HasDefaultSchema("domain")
|
||||
.HasAnnotation("ProductVersion", "7.0.13")
|
||||
.HasAnnotation("Relational:MaxIdentifierLength", 63);
|
||||
|
||||
@ -63,7 +64,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
|
||||
b.HasIndex("CityId");
|
||||
|
||||
b.ToTable("addresses", (string)null);
|
||||
b.ToTable("addresses", "domain");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("AutobusApi.Domain.Entities.Carriage", b =>
|
||||
@ -102,7 +103,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
|
||||
b.HasKey("Id");
|
||||
|
||||
b.ToTable("carriages", (string)null);
|
||||
b.ToTable("carriages", "domain");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("AutobusApi.Domain.Entities.City", b =>
|
||||
@ -131,7 +132,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
|
||||
b.HasIndex("RegionId");
|
||||
|
||||
b.ToTable("cities", (string)null);
|
||||
b.ToTable("cities", "domain");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("AutobusApi.Domain.Entities.Company", b =>
|
||||
@ -169,7 +170,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
|
||||
b.HasKey("Id");
|
||||
|
||||
b.ToTable("companies", (string)null);
|
||||
b.ToTable("companies", "domain");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("AutobusApi.Domain.Entities.Country", b =>
|
||||
@ -192,7 +193,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
|
||||
b.HasKey("Id");
|
||||
|
||||
b.ToTable("countries", (string)null);
|
||||
b.ToTable("countries", "domain");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("AutobusApi.Domain.Entities.Employee", b =>
|
||||
@ -217,6 +218,10 @@ namespace AutobusApi.Persistence.Migrations
|
||||
.HasColumnType("varchar(32)")
|
||||
.HasColumnName("first_name");
|
||||
|
||||
b.Property<int>("IdentityId")
|
||||
.HasColumnType("int")
|
||||
.HasColumnName("identity_id");
|
||||
|
||||
b.Property<bool>("IsDeleted")
|
||||
.HasColumnType("boolean")
|
||||
.HasColumnName("is_deleted");
|
||||
@ -240,7 +245,10 @@ namespace AutobusApi.Persistence.Migrations
|
||||
|
||||
b.HasIndex("EmployerCompanyId");
|
||||
|
||||
b.ToTable("employees", (string)null);
|
||||
b.HasIndex("IdentityId")
|
||||
.IsUnique();
|
||||
|
||||
b.ToTable("employees", "domain");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("AutobusApi.Domain.Entities.EmployeeDocument", b =>
|
||||
@ -274,7 +282,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
|
||||
b.HasIndex("EmployeeId");
|
||||
|
||||
b.ToTable("employee_documents", (string)null);
|
||||
b.ToTable("employee_documents", "domain");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("AutobusApi.Domain.Entities.Region", b =>
|
||||
@ -303,7 +311,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
|
||||
b.HasIndex("CountryId");
|
||||
|
||||
b.ToTable("regions", (string)null);
|
||||
b.ToTable("regions", "domain");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("AutobusApi.Domain.Entities.Review", b =>
|
||||
@ -325,7 +333,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
.HasColumnName("is_deleted");
|
||||
|
||||
b.Property<DateTime>("PostDateTimeUtc")
|
||||
.HasColumnType("timestamp")
|
||||
.HasColumnType("timestamptz")
|
||||
.HasColumnName("post_timestamp_utc");
|
||||
|
||||
b.Property<decimal>("Rating")
|
||||
@ -346,7 +354,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
|
||||
b.HasIndex("VehicleEnrollmentId");
|
||||
|
||||
b.ToTable("reviews", (string)null);
|
||||
b.ToTable("reviews", "domain");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("AutobusApi.Domain.Entities.Route", b =>
|
||||
@ -364,7 +372,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
|
||||
b.HasKey("Id");
|
||||
|
||||
b.ToTable("routes", (string)null);
|
||||
b.ToTable("routes", "domain");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("AutobusApi.Domain.Entities.RouteAddress", b =>
|
||||
@ -398,7 +406,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
|
||||
b.HasIndex("RouteId");
|
||||
|
||||
b.ToTable("route_addresses", (string)null);
|
||||
b.ToTable("route_addresses", "domain");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("AutobusApi.Domain.Entities.RouteAddressDetails", b =>
|
||||
@ -440,7 +448,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
|
||||
b.HasIndex("VehicleEnrollmentId");
|
||||
|
||||
b.ToTable("route_address_details", (string)null);
|
||||
b.ToTable("route_address_details", "domain");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("AutobusApi.Domain.Entities.Ticket", b =>
|
||||
@ -470,7 +478,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
|
||||
b.HasIndex("VehicleEnrollmentId");
|
||||
|
||||
b.ToTable("tickets", (string)null);
|
||||
b.ToTable("tickets", "domain");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("AutobusApi.Domain.Entities.TicketDocument", b =>
|
||||
@ -502,7 +510,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
|
||||
b.HasKey("Id");
|
||||
|
||||
b.ToTable("ticket_documents", (string)null);
|
||||
b.ToTable("ticket_documents", "domain");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("AutobusApi.Domain.Entities.TicketGroup", b =>
|
||||
@ -567,7 +575,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
.HasColumnName("passenger_sex");
|
||||
|
||||
b.Property<DateTime>("PurchaseDateTimeUtc")
|
||||
.HasColumnType("timestamp")
|
||||
.HasColumnType("timestamptz")
|
||||
.HasColumnName("purchase_timestamp_utc");
|
||||
|
||||
b.Property<int>("TicketDocumentId")
|
||||
@ -584,7 +592,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
|
||||
b.HasIndex("UserId");
|
||||
|
||||
b.ToTable("ticket_groups", (string)null);
|
||||
b.ToTable("ticket_groups", "domain");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("AutobusApi.Domain.Entities.TrainCarriage", b =>
|
||||
@ -612,7 +620,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
|
||||
b.HasIndex("TrainId");
|
||||
|
||||
b.ToTable("train_carriages", (string)null);
|
||||
b.ToTable("train_carriages", "domain");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("AutobusApi.Domain.Entities.User", b =>
|
||||
@ -624,13 +632,20 @@ namespace AutobusApi.Persistence.Migrations
|
||||
|
||||
NpgsqlPropertyBuilderExtensions.UseIdentityByDefaultColumn(b.Property<int>("Id"));
|
||||
|
||||
b.Property<int>("IdentityId")
|
||||
.HasColumnType("int")
|
||||
.HasColumnName("identity_id");
|
||||
|
||||
b.Property<bool>("IsDeleted")
|
||||
.HasColumnType("boolean")
|
||||
.HasColumnName("is_deleted");
|
||||
|
||||
b.HasKey("Id");
|
||||
|
||||
b.ToTable("users", (string)null);
|
||||
b.HasIndex("IdentityId")
|
||||
.IsUnique();
|
||||
|
||||
b.ToTable("users", "domain");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("AutobusApi.Domain.Entities.Vehicle", b =>
|
||||
@ -654,7 +669,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
|
||||
b.HasIndex("CompanyId");
|
||||
|
||||
b.ToTable("vehicles", (string)null);
|
||||
b.ToTable("vehicles", "domain");
|
||||
|
||||
b.UseTptMappingStrategy();
|
||||
});
|
||||
@ -669,7 +684,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
NpgsqlPropertyBuilderExtensions.UseIdentityByDefaultColumn(b.Property<int>("Id"));
|
||||
|
||||
b.Property<DateTime>("DepartureDateTimeUtc")
|
||||
.HasColumnType("timestamp")
|
||||
.HasColumnType("timestamptz")
|
||||
.HasColumnName("departure_timestamp_utc");
|
||||
|
||||
b.Property<bool>("IsDeleted")
|
||||
@ -690,7 +705,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
|
||||
b.HasIndex("VehicleId");
|
||||
|
||||
b.ToTable("vehicle_enrollments", (string)null);
|
||||
b.ToTable("vehicle_enrollments", "domain");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("AutobusApi.Domain.Entities.VehicleEnrollmentEmployee", b =>
|
||||
@ -720,7 +735,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
|
||||
b.HasIndex("VehicleEnrollmentId");
|
||||
|
||||
b.ToTable("vehicle_enrollment_employees", (string)null);
|
||||
b.ToTable("vehicle_enrollment_employees", "domain");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("AutobusApi.Domain.Entities.Aircraft", b =>
|
||||
@ -749,7 +764,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
.HasColumnType("varchar(8)")
|
||||
.HasColumnName("number");
|
||||
|
||||
b.ToTable("aircrafts", (string)null);
|
||||
b.ToTable("aircrafts", "domain");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("AutobusApi.Domain.Entities.Bus", b =>
|
||||
@ -790,7 +805,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
.HasColumnType("varchar(8)")
|
||||
.HasColumnName("number");
|
||||
|
||||
b.ToTable("buses", (string)null);
|
||||
b.ToTable("buses", "domain");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("AutobusApi.Domain.Entities.Train", b =>
|
||||
@ -802,7 +817,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
.HasColumnType("varchar(8)")
|
||||
.HasColumnName("number");
|
||||
|
||||
b.ToTable("trains", (string)null);
|
||||
b.ToTable("trains", "domain");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("AutobusApi.Domain.Entities.Address", b =>
|
@ -5,19 +5,23 @@ using Npgsql.EntityFrameworkCore.PostgreSQL.Metadata;
|
||||
|
||||
#nullable disable
|
||||
|
||||
namespace AutobusApi.Persistence.Migrations
|
||||
namespace AutobusApi.Infrastructure.Data.Migrations
|
||||
{
|
||||
/// <inheritdoc />
|
||||
public partial class initial_create : Migration
|
||||
public partial class InitialCreate : Migration
|
||||
{
|
||||
/// <inheritdoc />
|
||||
protected override void Up(MigrationBuilder migrationBuilder)
|
||||
{
|
||||
migrationBuilder.EnsureSchema(
|
||||
name: "domain");
|
||||
|
||||
migrationBuilder.AlterDatabase()
|
||||
.Annotation("Npgsql:PostgresExtension:postgis", ",,");
|
||||
|
||||
migrationBuilder.CreateTable(
|
||||
name: "carriages",
|
||||
schema: "domain",
|
||||
columns: table => new
|
||||
{
|
||||
id = table.Column<int>(type: "int", nullable: false)
|
||||
@ -36,6 +40,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
|
||||
migrationBuilder.CreateTable(
|
||||
name: "companies",
|
||||
schema: "domain",
|
||||
columns: table => new
|
||||
{
|
||||
id = table.Column<int>(type: "int", nullable: false)
|
||||
@ -53,6 +58,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
|
||||
migrationBuilder.CreateTable(
|
||||
name: "countries",
|
||||
schema: "domain",
|
||||
columns: table => new
|
||||
{
|
||||
id = table.Column<int>(type: "int", nullable: false)
|
||||
@ -67,6 +73,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
|
||||
migrationBuilder.CreateTable(
|
||||
name: "routes",
|
||||
schema: "domain",
|
||||
columns: table => new
|
||||
{
|
||||
id = table.Column<int>(type: "int", nullable: false)
|
||||
@ -80,6 +87,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
|
||||
migrationBuilder.CreateTable(
|
||||
name: "ticket_documents",
|
||||
schema: "domain",
|
||||
columns: table => new
|
||||
{
|
||||
id = table.Column<int>(type: "int", nullable: false)
|
||||
@ -96,10 +104,12 @@ namespace AutobusApi.Persistence.Migrations
|
||||
|
||||
migrationBuilder.CreateTable(
|
||||
name: "users",
|
||||
schema: "domain",
|
||||
columns: table => new
|
||||
{
|
||||
id = table.Column<int>(type: "int", nullable: false)
|
||||
.Annotation("Npgsql:ValueGenerationStrategy", NpgsqlValueGenerationStrategy.IdentityByDefaultColumn),
|
||||
identity_id = table.Column<int>(type: "int", nullable: false),
|
||||
is_deleted = table.Column<bool>(type: "boolean", nullable: false)
|
||||
},
|
||||
constraints: table =>
|
||||
@ -109,6 +119,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
|
||||
migrationBuilder.CreateTable(
|
||||
name: "employees",
|
||||
schema: "domain",
|
||||
columns: table => new
|
||||
{
|
||||
id = table.Column<int>(type: "int", nullable: false)
|
||||
@ -118,6 +129,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
patronymic = table.Column<string>(type: "varchar(32)", nullable: false),
|
||||
sex = table.Column<string>(type: "varchar(16)", nullable: false),
|
||||
birth_date = table.Column<DateOnly>(type: "date", nullable: false),
|
||||
identity_id = table.Column<int>(type: "int", nullable: false),
|
||||
employer_company_id = table.Column<int>(type: "int", nullable: false),
|
||||
is_deleted = table.Column<bool>(type: "boolean", nullable: false)
|
||||
},
|
||||
@ -127,6 +139,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
table.ForeignKey(
|
||||
name: "fk_employees_companies_employerCompanyId",
|
||||
column: x => x.employer_company_id,
|
||||
principalSchema: "domain",
|
||||
principalTable: "companies",
|
||||
principalColumn: "id",
|
||||
onDelete: ReferentialAction.Cascade);
|
||||
@ -134,6 +147,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
|
||||
migrationBuilder.CreateTable(
|
||||
name: "vehicles",
|
||||
schema: "domain",
|
||||
columns: table => new
|
||||
{
|
||||
id = table.Column<int>(type: "int", nullable: false)
|
||||
@ -147,6 +161,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
table.ForeignKey(
|
||||
name: "fk_vehicles_companies_companyId",
|
||||
column: x => x.company_id,
|
||||
principalSchema: "domain",
|
||||
principalTable: "companies",
|
||||
principalColumn: "id",
|
||||
onDelete: ReferentialAction.Cascade);
|
||||
@ -154,6 +169,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
|
||||
migrationBuilder.CreateTable(
|
||||
name: "regions",
|
||||
schema: "domain",
|
||||
columns: table => new
|
||||
{
|
||||
id = table.Column<int>(type: "int", nullable: false)
|
||||
@ -168,6 +184,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
table.ForeignKey(
|
||||
name: "fk_regions_coutries_countryId",
|
||||
column: x => x.country_id,
|
||||
principalSchema: "domain",
|
||||
principalTable: "countries",
|
||||
principalColumn: "id",
|
||||
onDelete: ReferentialAction.Cascade);
|
||||
@ -175,6 +192,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
|
||||
migrationBuilder.CreateTable(
|
||||
name: "ticket_groups",
|
||||
schema: "domain",
|
||||
columns: table => new
|
||||
{
|
||||
id = table.Column<int>(type: "int", nullable: false)
|
||||
@ -188,7 +206,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
passenger_patronymic = table.Column<string>(type: "varchar(32)", nullable: false),
|
||||
passenger_sex = table.Column<string>(type: "varchar(16)", nullable: false),
|
||||
passenger_birth_date = table.Column<DateOnly>(type: "date", nullable: false),
|
||||
purchase_timestamp_utc = table.Column<DateTime>(type: "timestamp", nullable: false),
|
||||
purchase_timestamp_utc = table.Column<DateTime>(type: "timestamptz", nullable: false),
|
||||
is_returned = table.Column<bool>(type: "boolean", nullable: false),
|
||||
user_id = table.Column<int>(type: "int", nullable: true),
|
||||
TicketDocumentId = table.Column<int>(type: "int", nullable: false),
|
||||
@ -200,12 +218,14 @@ namespace AutobusApi.Persistence.Migrations
|
||||
table.ForeignKey(
|
||||
name: "fk_ticketGroups_ticketDocuments_ticketDocumentId",
|
||||
column: x => x.TicketDocumentId,
|
||||
principalSchema: "domain",
|
||||
principalTable: "ticket_documents",
|
||||
principalColumn: "id",
|
||||
onDelete: ReferentialAction.Cascade);
|
||||
table.ForeignKey(
|
||||
name: "fk_ticketGroups_users_userId",
|
||||
column: x => x.user_id,
|
||||
principalSchema: "domain",
|
||||
principalTable: "users",
|
||||
principalColumn: "id",
|
||||
onDelete: ReferentialAction.Cascade);
|
||||
@ -213,6 +233,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
|
||||
migrationBuilder.CreateTable(
|
||||
name: "employee_documents",
|
||||
schema: "domain",
|
||||
columns: table => new
|
||||
{
|
||||
id = table.Column<int>(type: "int", nullable: false)
|
||||
@ -228,6 +249,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
table.ForeignKey(
|
||||
name: "fk_employeeDocuments_employees_employeeId",
|
||||
column: x => x.employee_id,
|
||||
principalSchema: "domain",
|
||||
principalTable: "employees",
|
||||
principalColumn: "id",
|
||||
onDelete: ReferentialAction.Cascade);
|
||||
@ -235,6 +257,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
|
||||
migrationBuilder.CreateTable(
|
||||
name: "aircrafts",
|
||||
schema: "domain",
|
||||
columns: table => new
|
||||
{
|
||||
id = table.Column<int>(type: "int", nullable: false),
|
||||
@ -250,6 +273,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
table.ForeignKey(
|
||||
name: "fk_aircrafts_vehicles_id",
|
||||
column: x => x.id,
|
||||
principalSchema: "domain",
|
||||
principalTable: "vehicles",
|
||||
principalColumn: "id",
|
||||
onDelete: ReferentialAction.Cascade);
|
||||
@ -257,6 +281,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
|
||||
migrationBuilder.CreateTable(
|
||||
name: "buses",
|
||||
schema: "domain",
|
||||
columns: table => new
|
||||
{
|
||||
id = table.Column<int>(type: "int", nullable: false),
|
||||
@ -275,6 +300,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
table.ForeignKey(
|
||||
name: "fk_buses_vehicles_id",
|
||||
column: x => x.id,
|
||||
principalSchema: "domain",
|
||||
principalTable: "vehicles",
|
||||
principalColumn: "id",
|
||||
onDelete: ReferentialAction.Cascade);
|
||||
@ -282,6 +308,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
|
||||
migrationBuilder.CreateTable(
|
||||
name: "trains",
|
||||
schema: "domain",
|
||||
columns: table => new
|
||||
{
|
||||
id = table.Column<int>(type: "int", nullable: false),
|
||||
@ -293,6 +320,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
table.ForeignKey(
|
||||
name: "fk_trains_vehicles_id",
|
||||
column: x => x.id,
|
||||
principalSchema: "domain",
|
||||
principalTable: "vehicles",
|
||||
principalColumn: "id",
|
||||
onDelete: ReferentialAction.Cascade);
|
||||
@ -300,11 +328,12 @@ namespace AutobusApi.Persistence.Migrations
|
||||
|
||||
migrationBuilder.CreateTable(
|
||||
name: "vehicle_enrollments",
|
||||
schema: "domain",
|
||||
columns: table => new
|
||||
{
|
||||
id = table.Column<int>(type: "int", nullable: false)
|
||||
.Annotation("Npgsql:ValueGenerationStrategy", NpgsqlValueGenerationStrategy.IdentityByDefaultColumn),
|
||||
departure_timestamp_utc = table.Column<DateTime>(type: "timestamp", nullable: false),
|
||||
departure_timestamp_utc = table.Column<DateTime>(type: "timestamptz", nullable: false),
|
||||
vehicle_id = table.Column<int>(type: "int", nullable: false),
|
||||
route_id = table.Column<int>(type: "int", nullable: false),
|
||||
is_deleted = table.Column<bool>(type: "boolean", nullable: false)
|
||||
@ -315,12 +344,14 @@ namespace AutobusApi.Persistence.Migrations
|
||||
table.ForeignKey(
|
||||
name: "fk_vehicleEnrollments_routes_routeId",
|
||||
column: x => x.route_id,
|
||||
principalSchema: "domain",
|
||||
principalTable: "routes",
|
||||
principalColumn: "id",
|
||||
onDelete: ReferentialAction.Cascade);
|
||||
table.ForeignKey(
|
||||
name: "fk_vehicleEnrollments_vehicles_vehicleId",
|
||||
column: x => x.vehicle_id,
|
||||
principalSchema: "domain",
|
||||
principalTable: "vehicles",
|
||||
principalColumn: "id",
|
||||
onDelete: ReferentialAction.Cascade);
|
||||
@ -328,6 +359,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
|
||||
migrationBuilder.CreateTable(
|
||||
name: "cities",
|
||||
schema: "domain",
|
||||
columns: table => new
|
||||
{
|
||||
id = table.Column<int>(type: "int", nullable: false)
|
||||
@ -342,6 +374,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
table.ForeignKey(
|
||||
name: "fk_cities_regions_regionId",
|
||||
column: x => x.region_id,
|
||||
principalSchema: "domain",
|
||||
principalTable: "regions",
|
||||
principalColumn: "id",
|
||||
onDelete: ReferentialAction.Cascade);
|
||||
@ -349,6 +382,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
|
||||
migrationBuilder.CreateTable(
|
||||
name: "train_carriages",
|
||||
schema: "domain",
|
||||
columns: table => new
|
||||
{
|
||||
id = table.Column<int>(type: "int", nullable: false)
|
||||
@ -363,12 +397,14 @@ namespace AutobusApi.Persistence.Migrations
|
||||
table.ForeignKey(
|
||||
name: "fk_trainCarriages_trains_carriageId",
|
||||
column: x => x.train_id,
|
||||
principalSchema: "domain",
|
||||
principalTable: "carriages",
|
||||
principalColumn: "id",
|
||||
onDelete: ReferentialAction.Cascade);
|
||||
table.ForeignKey(
|
||||
name: "fk_trainCarriages_trains_trainId",
|
||||
column: x => x.train_id,
|
||||
principalSchema: "domain",
|
||||
principalTable: "trains",
|
||||
principalColumn: "id",
|
||||
onDelete: ReferentialAction.Cascade);
|
||||
@ -376,13 +412,14 @@ namespace AutobusApi.Persistence.Migrations
|
||||
|
||||
migrationBuilder.CreateTable(
|
||||
name: "reviews",
|
||||
schema: "domain",
|
||||
columns: table => new
|
||||
{
|
||||
id = table.Column<int>(type: "int", nullable: false)
|
||||
.Annotation("Npgsql:ValueGenerationStrategy", NpgsqlValueGenerationStrategy.IdentityByDefaultColumn),
|
||||
rating = table.Column<decimal>(type: "numeric(1,0)", nullable: false),
|
||||
comment = table.Column<string>(type: "varchar(128)", nullable: false),
|
||||
post_timestamp_utc = table.Column<DateTime>(type: "timestamp", nullable: false),
|
||||
post_timestamp_utc = table.Column<DateTime>(type: "timestamptz", nullable: false),
|
||||
user_id = table.Column<int>(type: "int", nullable: false),
|
||||
vehicle_enrollment_id = table.Column<int>(type: "int", nullable: false),
|
||||
is_deleted = table.Column<bool>(type: "boolean", nullable: false)
|
||||
@ -393,12 +430,14 @@ namespace AutobusApi.Persistence.Migrations
|
||||
table.ForeignKey(
|
||||
name: "fk_reviews_users_userId",
|
||||
column: x => x.user_id,
|
||||
principalSchema: "domain",
|
||||
principalTable: "users",
|
||||
principalColumn: "id",
|
||||
onDelete: ReferentialAction.Cascade);
|
||||
table.ForeignKey(
|
||||
name: "fk_reviews_vehicleEnrollments_vehicleEnrollmentId",
|
||||
column: x => x.vehicle_enrollment_id,
|
||||
principalSchema: "domain",
|
||||
principalTable: "vehicle_enrollments",
|
||||
principalColumn: "id",
|
||||
onDelete: ReferentialAction.Cascade);
|
||||
@ -406,6 +445,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
|
||||
migrationBuilder.CreateTable(
|
||||
name: "tickets",
|
||||
schema: "domain",
|
||||
columns: table => new
|
||||
{
|
||||
id = table.Column<int>(type: "int", nullable: false)
|
||||
@ -420,12 +460,14 @@ namespace AutobusApi.Persistence.Migrations
|
||||
table.ForeignKey(
|
||||
name: "fk_tickets_ticketGroups_ticketGroupId",
|
||||
column: x => x.ticket_group_id,
|
||||
principalSchema: "domain",
|
||||
principalTable: "ticket_groups",
|
||||
principalColumn: "id",
|
||||
onDelete: ReferentialAction.Cascade);
|
||||
table.ForeignKey(
|
||||
name: "fk_tickets_vehicleEnrollments_vehicleEnrollmentId",
|
||||
column: x => x.vehicle_enrollment_id,
|
||||
principalSchema: "domain",
|
||||
principalTable: "vehicle_enrollments",
|
||||
principalColumn: "id",
|
||||
onDelete: ReferentialAction.Cascade);
|
||||
@ -433,6 +475,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
|
||||
migrationBuilder.CreateTable(
|
||||
name: "vehicle_enrollment_employees",
|
||||
schema: "domain",
|
||||
columns: table => new
|
||||
{
|
||||
id = table.Column<int>(type: "int", nullable: false)
|
||||
@ -447,12 +490,14 @@ namespace AutobusApi.Persistence.Migrations
|
||||
table.ForeignKey(
|
||||
name: "fk_vehicleEnrollmentEmployees_employees_employeeId",
|
||||
column: x => x.employee_id,
|
||||
principalSchema: "domain",
|
||||
principalTable: "employees",
|
||||
principalColumn: "id",
|
||||
onDelete: ReferentialAction.Cascade);
|
||||
table.ForeignKey(
|
||||
name: "fk_vehicleEnrollmentEmployees_vehicleEnrollments_vehicleEnrollmentId",
|
||||
column: x => x.vehicle_enrollment_id,
|
||||
principalSchema: "domain",
|
||||
principalTable: "vehicle_enrollments",
|
||||
principalColumn: "id",
|
||||
onDelete: ReferentialAction.Cascade);
|
||||
@ -460,6 +505,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
|
||||
migrationBuilder.CreateTable(
|
||||
name: "addresses",
|
||||
schema: "domain",
|
||||
columns: table => new
|
||||
{
|
||||
id = table.Column<int>(type: "int", nullable: false)
|
||||
@ -476,6 +522,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
table.ForeignKey(
|
||||
name: "fk_addresses_city_id",
|
||||
column: x => x.city_id,
|
||||
principalSchema: "domain",
|
||||
principalTable: "cities",
|
||||
principalColumn: "id",
|
||||
onDelete: ReferentialAction.Cascade);
|
||||
@ -483,6 +530,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
|
||||
migrationBuilder.CreateTable(
|
||||
name: "route_addresses",
|
||||
schema: "domain",
|
||||
columns: table => new
|
||||
{
|
||||
id = table.Column<int>(type: "int", nullable: false)
|
||||
@ -498,12 +546,14 @@ namespace AutobusApi.Persistence.Migrations
|
||||
table.ForeignKey(
|
||||
name: "fk_routeAddresses_addresses_addressId",
|
||||
column: x => x.address_id,
|
||||
principalSchema: "domain",
|
||||
principalTable: "addresses",
|
||||
principalColumn: "id",
|
||||
onDelete: ReferentialAction.Cascade);
|
||||
table.ForeignKey(
|
||||
name: "fk_routeAddresses_routes_routeId",
|
||||
column: x => x.route_id,
|
||||
principalSchema: "domain",
|
||||
principalTable: "routes",
|
||||
principalColumn: "id",
|
||||
onDelete: ReferentialAction.Cascade);
|
||||
@ -511,6 +561,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
|
||||
migrationBuilder.CreateTable(
|
||||
name: "route_address_details",
|
||||
schema: "domain",
|
||||
columns: table => new
|
||||
{
|
||||
id = table.Column<int>(type: "int", nullable: false)
|
||||
@ -528,12 +579,14 @@ namespace AutobusApi.Persistence.Migrations
|
||||
table.ForeignKey(
|
||||
name: "fk_routeAddressDetails_routeAddress_routeAddressId",
|
||||
column: x => x.route_address_id,
|
||||
principalSchema: "domain",
|
||||
principalTable: "route_addresses",
|
||||
principalColumn: "id",
|
||||
onDelete: ReferentialAction.Cascade);
|
||||
table.ForeignKey(
|
||||
name: "fk_routeAddressDetails_vehicleEnrollments_vehicleEnrollmentId",
|
||||
column: x => x.vehicle_enrollment_id,
|
||||
principalSchema: "domain",
|
||||
principalTable: "vehicle_enrollments",
|
||||
principalColumn: "id",
|
||||
onDelete: ReferentialAction.Cascade);
|
||||
@ -541,107 +594,142 @@ namespace AutobusApi.Persistence.Migrations
|
||||
|
||||
migrationBuilder.CreateIndex(
|
||||
name: "IX_addresses_city_id",
|
||||
schema: "domain",
|
||||
table: "addresses",
|
||||
column: "city_id");
|
||||
|
||||
migrationBuilder.CreateIndex(
|
||||
name: "IX_cities_region_id",
|
||||
schema: "domain",
|
||||
table: "cities",
|
||||
column: "region_id");
|
||||
|
||||
migrationBuilder.CreateIndex(
|
||||
name: "IX_employee_documents_employee_id",
|
||||
schema: "domain",
|
||||
table: "employee_documents",
|
||||
column: "employee_id");
|
||||
|
||||
migrationBuilder.CreateIndex(
|
||||
name: "IX_employees_employer_company_id",
|
||||
schema: "domain",
|
||||
table: "employees",
|
||||
column: "employer_company_id");
|
||||
|
||||
migrationBuilder.CreateIndex(
|
||||
name: "IX_employees_identity_id",
|
||||
schema: "domain",
|
||||
table: "employees",
|
||||
column: "identity_id",
|
||||
unique: true);
|
||||
|
||||
migrationBuilder.CreateIndex(
|
||||
name: "IX_regions_country_id",
|
||||
schema: "domain",
|
||||
table: "regions",
|
||||
column: "country_id");
|
||||
|
||||
migrationBuilder.CreateIndex(
|
||||
name: "IX_reviews_user_id",
|
||||
schema: "domain",
|
||||
table: "reviews",
|
||||
column: "user_id");
|
||||
|
||||
migrationBuilder.CreateIndex(
|
||||
name: "IX_reviews_vehicle_enrollment_id",
|
||||
schema: "domain",
|
||||
table: "reviews",
|
||||
column: "vehicle_enrollment_id");
|
||||
|
||||
migrationBuilder.CreateIndex(
|
||||
name: "IX_route_address_details_route_address_id",
|
||||
schema: "domain",
|
||||
table: "route_address_details",
|
||||
column: "route_address_id");
|
||||
|
||||
migrationBuilder.CreateIndex(
|
||||
name: "IX_route_address_details_vehicle_enrollment_id",
|
||||
schema: "domain",
|
||||
table: "route_address_details",
|
||||
column: "vehicle_enrollment_id");
|
||||
|
||||
migrationBuilder.CreateIndex(
|
||||
name: "IX_route_addresses_address_id",
|
||||
schema: "domain",
|
||||
table: "route_addresses",
|
||||
column: "address_id");
|
||||
|
||||
migrationBuilder.CreateIndex(
|
||||
name: "IX_route_addresses_route_id",
|
||||
schema: "domain",
|
||||
table: "route_addresses",
|
||||
column: "route_id");
|
||||
|
||||
migrationBuilder.CreateIndex(
|
||||
name: "IX_ticket_groups_TicketDocumentId",
|
||||
schema: "domain",
|
||||
table: "ticket_groups",
|
||||
column: "TicketDocumentId",
|
||||
unique: true);
|
||||
|
||||
migrationBuilder.CreateIndex(
|
||||
name: "IX_ticket_groups_user_id",
|
||||
schema: "domain",
|
||||
table: "ticket_groups",
|
||||
column: "user_id");
|
||||
|
||||
migrationBuilder.CreateIndex(
|
||||
name: "IX_tickets_ticket_group_id",
|
||||
schema: "domain",
|
||||
table: "tickets",
|
||||
column: "ticket_group_id");
|
||||
|
||||
migrationBuilder.CreateIndex(
|
||||
name: "IX_tickets_vehicle_enrollment_id",
|
||||
schema: "domain",
|
||||
table: "tickets",
|
||||
column: "vehicle_enrollment_id");
|
||||
|
||||
migrationBuilder.CreateIndex(
|
||||
name: "IX_train_carriages_train_id",
|
||||
schema: "domain",
|
||||
table: "train_carriages",
|
||||
column: "train_id");
|
||||
|
||||
migrationBuilder.CreateIndex(
|
||||
name: "IX_users_identity_id",
|
||||
schema: "domain",
|
||||
table: "users",
|
||||
column: "identity_id",
|
||||
unique: true);
|
||||
|
||||
migrationBuilder.CreateIndex(
|
||||
name: "IX_vehicle_enrollment_employees_employee_id",
|
||||
schema: "domain",
|
||||
table: "vehicle_enrollment_employees",
|
||||
column: "employee_id");
|
||||
|
||||
migrationBuilder.CreateIndex(
|
||||
name: "IX_vehicle_enrollment_employees_vehicle_enrollment_id",
|
||||
schema: "domain",
|
||||
table: "vehicle_enrollment_employees",
|
||||
column: "vehicle_enrollment_id");
|
||||
|
||||
migrationBuilder.CreateIndex(
|
||||
name: "IX_vehicle_enrollments_route_id",
|
||||
schema: "domain",
|
||||
table: "vehicle_enrollments",
|
||||
column: "route_id");
|
||||
|
||||
migrationBuilder.CreateIndex(
|
||||
name: "IX_vehicle_enrollments_vehicle_id",
|
||||
schema: "domain",
|
||||
table: "vehicle_enrollments",
|
||||
column: "vehicle_id");
|
||||
|
||||
migrationBuilder.CreateIndex(
|
||||
name: "IX_vehicles_company_id",
|
||||
schema: "domain",
|
||||
table: "vehicles",
|
||||
column: "company_id");
|
||||
}
|
||||
@ -650,73 +738,96 @@ namespace AutobusApi.Persistence.Migrations
|
||||
protected override void Down(MigrationBuilder migrationBuilder)
|
||||
{
|
||||
migrationBuilder.DropTable(
|
||||
name: "aircrafts");
|
||||
name: "aircrafts",
|
||||
schema: "domain");
|
||||
|
||||
migrationBuilder.DropTable(
|
||||
name: "buses");
|
||||
name: "buses",
|
||||
schema: "domain");
|
||||
|
||||
migrationBuilder.DropTable(
|
||||
name: "employee_documents");
|
||||
name: "employee_documents",
|
||||
schema: "domain");
|
||||
|
||||
migrationBuilder.DropTable(
|
||||
name: "reviews");
|
||||
name: "reviews",
|
||||
schema: "domain");
|
||||
|
||||
migrationBuilder.DropTable(
|
||||
name: "route_address_details");
|
||||
name: "route_address_details",
|
||||
schema: "domain");
|
||||
|
||||
migrationBuilder.DropTable(
|
||||
name: "tickets");
|
||||
name: "tickets",
|
||||
schema: "domain");
|
||||
|
||||
migrationBuilder.DropTable(
|
||||
name: "train_carriages");
|
||||
name: "train_carriages",
|
||||
schema: "domain");
|
||||
|
||||
migrationBuilder.DropTable(
|
||||
name: "vehicle_enrollment_employees");
|
||||
name: "vehicle_enrollment_employees",
|
||||
schema: "domain");
|
||||
|
||||
migrationBuilder.DropTable(
|
||||
name: "route_addresses");
|
||||
name: "route_addresses",
|
||||
schema: "domain");
|
||||
|
||||
migrationBuilder.DropTable(
|
||||
name: "ticket_groups");
|
||||
name: "ticket_groups",
|
||||
schema: "domain");
|
||||
|
||||
migrationBuilder.DropTable(
|
||||
name: "carriages");
|
||||
name: "carriages",
|
||||
schema: "domain");
|
||||
|
||||
migrationBuilder.DropTable(
|
||||
name: "trains");
|
||||
name: "trains",
|
||||
schema: "domain");
|
||||
|
||||
migrationBuilder.DropTable(
|
||||
name: "employees");
|
||||
name: "employees",
|
||||
schema: "domain");
|
||||
|
||||
migrationBuilder.DropTable(
|
||||
name: "vehicle_enrollments");
|
||||
name: "vehicle_enrollments",
|
||||
schema: "domain");
|
||||
|
||||
migrationBuilder.DropTable(
|
||||
name: "addresses");
|
||||
name: "addresses",
|
||||
schema: "domain");
|
||||
|
||||
migrationBuilder.DropTable(
|
||||
name: "ticket_documents");
|
||||
name: "ticket_documents",
|
||||
schema: "domain");
|
||||
|
||||
migrationBuilder.DropTable(
|
||||
name: "users");
|
||||
name: "users",
|
||||
schema: "domain");
|
||||
|
||||
migrationBuilder.DropTable(
|
||||
name: "routes");
|
||||
name: "routes",
|
||||
schema: "domain");
|
||||
|
||||
migrationBuilder.DropTable(
|
||||
name: "vehicles");
|
||||
name: "vehicles",
|
||||
schema: "domain");
|
||||
|
||||
migrationBuilder.DropTable(
|
||||
name: "cities");
|
||||
name: "cities",
|
||||
schema: "domain");
|
||||
|
||||
migrationBuilder.DropTable(
|
||||
name: "companies");
|
||||
name: "companies",
|
||||
schema: "domain");
|
||||
|
||||
migrationBuilder.DropTable(
|
||||
name: "regions");
|
||||
name: "regions",
|
||||
schema: "domain");
|
||||
|
||||
migrationBuilder.DropTable(
|
||||
name: "countries");
|
||||
name: "countries",
|
||||
schema: "domain");
|
||||
}
|
||||
}
|
||||
}
|
@ -1,6 +1,6 @@
|
||||
// <auto-generated />
|
||||
using System;
|
||||
using AutoubsApi.Persistence.Contexts;
|
||||
using AutoubsApi.Infrastructure.Data;
|
||||
using Microsoft.EntityFrameworkCore;
|
||||
using Microsoft.EntityFrameworkCore.Infrastructure;
|
||||
using Microsoft.EntityFrameworkCore.Storage.ValueConversion;
|
||||
@ -9,15 +9,16 @@ using Npgsql.EntityFrameworkCore.PostgreSQL.Metadata;
|
||||
|
||||
#nullable disable
|
||||
|
||||
namespace AutobusApi.Persistence.Migrations
|
||||
namespace AutobusApi.Infrastructure.Data.Migrations
|
||||
{
|
||||
[DbContext(typeof(PostgresContext))]
|
||||
partial class PostgresContextModelSnapshot : ModelSnapshot
|
||||
[DbContext(typeof(ApplicationDbContext))]
|
||||
partial class ApplicationDbContextModelSnapshot : ModelSnapshot
|
||||
{
|
||||
protected override void BuildModel(ModelBuilder modelBuilder)
|
||||
{
|
||||
#pragma warning disable 612, 618
|
||||
modelBuilder
|
||||
.HasDefaultSchema("domain")
|
||||
.HasAnnotation("ProductVersion", "7.0.13")
|
||||
.HasAnnotation("Relational:MaxIdentifierLength", 63);
|
||||
|
||||
@ -60,7 +61,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
|
||||
b.HasIndex("CityId");
|
||||
|
||||
b.ToTable("addresses", (string)null);
|
||||
b.ToTable("addresses", "domain");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("AutobusApi.Domain.Entities.Carriage", b =>
|
||||
@ -99,7 +100,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
|
||||
b.HasKey("Id");
|
||||
|
||||
b.ToTable("carriages", (string)null);
|
||||
b.ToTable("carriages", "domain");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("AutobusApi.Domain.Entities.City", b =>
|
||||
@ -128,7 +129,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
|
||||
b.HasIndex("RegionId");
|
||||
|
||||
b.ToTable("cities", (string)null);
|
||||
b.ToTable("cities", "domain");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("AutobusApi.Domain.Entities.Company", b =>
|
||||
@ -166,7 +167,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
|
||||
b.HasKey("Id");
|
||||
|
||||
b.ToTable("companies", (string)null);
|
||||
b.ToTable("companies", "domain");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("AutobusApi.Domain.Entities.Country", b =>
|
||||
@ -189,7 +190,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
|
||||
b.HasKey("Id");
|
||||
|
||||
b.ToTable("countries", (string)null);
|
||||
b.ToTable("countries", "domain");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("AutobusApi.Domain.Entities.Employee", b =>
|
||||
@ -214,6 +215,10 @@ namespace AutobusApi.Persistence.Migrations
|
||||
.HasColumnType("varchar(32)")
|
||||
.HasColumnName("first_name");
|
||||
|
||||
b.Property<int>("IdentityId")
|
||||
.HasColumnType("int")
|
||||
.HasColumnName("identity_id");
|
||||
|
||||
b.Property<bool>("IsDeleted")
|
||||
.HasColumnType("boolean")
|
||||
.HasColumnName("is_deleted");
|
||||
@ -237,7 +242,10 @@ namespace AutobusApi.Persistence.Migrations
|
||||
|
||||
b.HasIndex("EmployerCompanyId");
|
||||
|
||||
b.ToTable("employees", (string)null);
|
||||
b.HasIndex("IdentityId")
|
||||
.IsUnique();
|
||||
|
||||
b.ToTable("employees", "domain");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("AutobusApi.Domain.Entities.EmployeeDocument", b =>
|
||||
@ -271,7 +279,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
|
||||
b.HasIndex("EmployeeId");
|
||||
|
||||
b.ToTable("employee_documents", (string)null);
|
||||
b.ToTable("employee_documents", "domain");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("AutobusApi.Domain.Entities.Region", b =>
|
||||
@ -300,7 +308,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
|
||||
b.HasIndex("CountryId");
|
||||
|
||||
b.ToTable("regions", (string)null);
|
||||
b.ToTable("regions", "domain");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("AutobusApi.Domain.Entities.Review", b =>
|
||||
@ -322,7 +330,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
.HasColumnName("is_deleted");
|
||||
|
||||
b.Property<DateTime>("PostDateTimeUtc")
|
||||
.HasColumnType("timestamp")
|
||||
.HasColumnType("timestamptz")
|
||||
.HasColumnName("post_timestamp_utc");
|
||||
|
||||
b.Property<decimal>("Rating")
|
||||
@ -343,7 +351,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
|
||||
b.HasIndex("VehicleEnrollmentId");
|
||||
|
||||
b.ToTable("reviews", (string)null);
|
||||
b.ToTable("reviews", "domain");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("AutobusApi.Domain.Entities.Route", b =>
|
||||
@ -361,7 +369,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
|
||||
b.HasKey("Id");
|
||||
|
||||
b.ToTable("routes", (string)null);
|
||||
b.ToTable("routes", "domain");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("AutobusApi.Domain.Entities.RouteAddress", b =>
|
||||
@ -395,7 +403,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
|
||||
b.HasIndex("RouteId");
|
||||
|
||||
b.ToTable("route_addresses", (string)null);
|
||||
b.ToTable("route_addresses", "domain");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("AutobusApi.Domain.Entities.RouteAddressDetails", b =>
|
||||
@ -437,7 +445,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
|
||||
b.HasIndex("VehicleEnrollmentId");
|
||||
|
||||
b.ToTable("route_address_details", (string)null);
|
||||
b.ToTable("route_address_details", "domain");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("AutobusApi.Domain.Entities.Ticket", b =>
|
||||
@ -467,7 +475,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
|
||||
b.HasIndex("VehicleEnrollmentId");
|
||||
|
||||
b.ToTable("tickets", (string)null);
|
||||
b.ToTable("tickets", "domain");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("AutobusApi.Domain.Entities.TicketDocument", b =>
|
||||
@ -499,7 +507,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
|
||||
b.HasKey("Id");
|
||||
|
||||
b.ToTable("ticket_documents", (string)null);
|
||||
b.ToTable("ticket_documents", "domain");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("AutobusApi.Domain.Entities.TicketGroup", b =>
|
||||
@ -564,7 +572,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
.HasColumnName("passenger_sex");
|
||||
|
||||
b.Property<DateTime>("PurchaseDateTimeUtc")
|
||||
.HasColumnType("timestamp")
|
||||
.HasColumnType("timestamptz")
|
||||
.HasColumnName("purchase_timestamp_utc");
|
||||
|
||||
b.Property<int>("TicketDocumentId")
|
||||
@ -581,7 +589,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
|
||||
b.HasIndex("UserId");
|
||||
|
||||
b.ToTable("ticket_groups", (string)null);
|
||||
b.ToTable("ticket_groups", "domain");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("AutobusApi.Domain.Entities.TrainCarriage", b =>
|
||||
@ -609,7 +617,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
|
||||
b.HasIndex("TrainId");
|
||||
|
||||
b.ToTable("train_carriages", (string)null);
|
||||
b.ToTable("train_carriages", "domain");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("AutobusApi.Domain.Entities.User", b =>
|
||||
@ -621,13 +629,20 @@ namespace AutobusApi.Persistence.Migrations
|
||||
|
||||
NpgsqlPropertyBuilderExtensions.UseIdentityByDefaultColumn(b.Property<int>("Id"));
|
||||
|
||||
b.Property<int>("IdentityId")
|
||||
.HasColumnType("int")
|
||||
.HasColumnName("identity_id");
|
||||
|
||||
b.Property<bool>("IsDeleted")
|
||||
.HasColumnType("boolean")
|
||||
.HasColumnName("is_deleted");
|
||||
|
||||
b.HasKey("Id");
|
||||
|
||||
b.ToTable("users", (string)null);
|
||||
b.HasIndex("IdentityId")
|
||||
.IsUnique();
|
||||
|
||||
b.ToTable("users", "domain");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("AutobusApi.Domain.Entities.Vehicle", b =>
|
||||
@ -651,7 +666,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
|
||||
b.HasIndex("CompanyId");
|
||||
|
||||
b.ToTable("vehicles", (string)null);
|
||||
b.ToTable("vehicles", "domain");
|
||||
|
||||
b.UseTptMappingStrategy();
|
||||
});
|
||||
@ -666,7 +681,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
NpgsqlPropertyBuilderExtensions.UseIdentityByDefaultColumn(b.Property<int>("Id"));
|
||||
|
||||
b.Property<DateTime>("DepartureDateTimeUtc")
|
||||
.HasColumnType("timestamp")
|
||||
.HasColumnType("timestamptz")
|
||||
.HasColumnName("departure_timestamp_utc");
|
||||
|
||||
b.Property<bool>("IsDeleted")
|
||||
@ -687,7 +702,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
|
||||
b.HasIndex("VehicleId");
|
||||
|
||||
b.ToTable("vehicle_enrollments", (string)null);
|
||||
b.ToTable("vehicle_enrollments", "domain");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("AutobusApi.Domain.Entities.VehicleEnrollmentEmployee", b =>
|
||||
@ -717,7 +732,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
|
||||
b.HasIndex("VehicleEnrollmentId");
|
||||
|
||||
b.ToTable("vehicle_enrollment_employees", (string)null);
|
||||
b.ToTable("vehicle_enrollment_employees", "domain");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("AutobusApi.Domain.Entities.Aircraft", b =>
|
||||
@ -746,7 +761,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
.HasColumnType("varchar(8)")
|
||||
.HasColumnName("number");
|
||||
|
||||
b.ToTable("aircrafts", (string)null);
|
||||
b.ToTable("aircrafts", "domain");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("AutobusApi.Domain.Entities.Bus", b =>
|
||||
@ -787,7 +802,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
.HasColumnType("varchar(8)")
|
||||
.HasColumnName("number");
|
||||
|
||||
b.ToTable("buses", (string)null);
|
||||
b.ToTable("buses", "domain");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("AutobusApi.Domain.Entities.Train", b =>
|
||||
@ -799,7 +814,7 @@ namespace AutobusApi.Persistence.Migrations
|
||||
.HasColumnType("varchar(8)")
|
||||
.HasColumnName("number");
|
||||
|
||||
b.ToTable("trains", (string)null);
|
||||
b.ToTable("trains", "domain");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("AutobusApi.Domain.Entities.Address", b =>
|
59
AutobusApi.Infrastructure/DbInitializer.cs
Normal file
59
AutobusApi.Infrastructure/DbInitializer.cs
Normal file
@ -0,0 +1,59 @@
|
||||
using AutobusApi.Domain.Enums;
|
||||
using AutobusApi.Infrastructure.Identity;
|
||||
using AutoubsApi.Infrastructure.Data;
|
||||
using Microsoft.AspNetCore.Identity;
|
||||
using Microsoft.EntityFrameworkCore;
|
||||
|
||||
namespace AutobusApi.Infrastructure;
|
||||
|
||||
public static class DbInitializer
|
||||
{
|
||||
public static void Initialize(ApplicationDbContext dbContext, ApplicationIdentityDbContext identityDbContext)
|
||||
{
|
||||
if (dbContext.Database.IsRelational())
|
||||
{
|
||||
var domainAppliedMigrations = dbContext.Database.GetAppliedMigrations();
|
||||
var identityAppliedMigrations = identityDbContext.Database.GetAppliedMigrations();
|
||||
|
||||
if (domainAppliedMigrations.Count() == 0)
|
||||
{
|
||||
dbContext.Database.Migrate();
|
||||
InitializeDomain(dbContext);
|
||||
}
|
||||
|
||||
if (identityAppliedMigrations.Count() == 0)
|
||||
{
|
||||
identityDbContext.Database.Migrate();
|
||||
InitializeIdentity(identityDbContext);
|
||||
}
|
||||
}
|
||||
else
|
||||
{
|
||||
dbContext.Database.EnsureCreated();
|
||||
InitializeDomain(dbContext);
|
||||
|
||||
identityDbContext.Database.EnsureCreated();
|
||||
InitializeIdentity(identityDbContext);
|
||||
}
|
||||
}
|
||||
|
||||
private static void InitializeDomain(ApplicationDbContext dbContext)
|
||||
{
|
||||
|
||||
}
|
||||
|
||||
private static void InitializeIdentity(ApplicationIdentityDbContext identityDbContext)
|
||||
{
|
||||
foreach (var role in Enum.GetValues(typeof(IdentityRoles)).Cast<IdentityRoles>())
|
||||
{
|
||||
identityDbContext.Roles.Add(new IdentityRole<int>
|
||||
{
|
||||
Name = role.ToString(),
|
||||
NormalizedName = role.ToString().ToUpper(),
|
||||
ConcurrencyStamp = Guid.NewGuid().ToString()
|
||||
});
|
||||
}
|
||||
|
||||
identityDbContext.SaveChanges();
|
||||
}
|
||||
}
|
89
AutobusApi.Infrastructure/DependencyInjection.cs
Normal file
89
AutobusApi.Infrastructure/DependencyInjection.cs
Normal file
@ -0,0 +1,89 @@
|
||||
using System.Text;
|
||||
using AutobusApi.Application.Common.Interfaces;
|
||||
using AutobusApi.Infrastructure.Identity;
|
||||
using AutobusApi.Infrastructure.Services;
|
||||
using AutoubsApi.Infrastructure.Data;
|
||||
using Microsoft.AspNetCore.Authentication.JwtBearer;
|
||||
using Microsoft.AspNetCore.Identity;
|
||||
using Microsoft.EntityFrameworkCore;
|
||||
using Microsoft.Extensions.Configuration;
|
||||
using Microsoft.Extensions.DependencyInjection;
|
||||
using Microsoft.IdentityModel.Tokens;
|
||||
|
||||
namespace AutobusApi.Infrastructure;
|
||||
|
||||
public static class DependencyInjection
|
||||
{
|
||||
public static IServiceCollection AddInfrastructure(this IServiceCollection services, IConfiguration configuration)
|
||||
{
|
||||
services.AddApplicationDbContext(configuration);
|
||||
services.AddIdentity(configuration);
|
||||
services.AddServices();
|
||||
services.AddAuthentication();
|
||||
|
||||
return services;
|
||||
}
|
||||
|
||||
private static IServiceCollection AddApplicationDbContext(this IServiceCollection services, IConfiguration configuration)
|
||||
{
|
||||
services.AddDbContext<ApplicationDbContext>(options =>
|
||||
{
|
||||
options.UseNpgsql(
|
||||
configuration.GetConnectionString("DefaultConnection"),
|
||||
npgsqOptions => npgsqOptions.UseNetTopologySuite()
|
||||
);
|
||||
});
|
||||
|
||||
services.AddScoped<IApplicationDbContext, ApplicationDbContext>();
|
||||
|
||||
return services;
|
||||
}
|
||||
|
||||
private static IServiceCollection AddIdentity(this IServiceCollection services, IConfiguration configuration)
|
||||
{
|
||||
|
||||
services.AddDbContext<ApplicationIdentityDbContext>(options =>
|
||||
{
|
||||
options.UseNpgsql(configuration.GetConnectionString("DefaultConnection"));
|
||||
});
|
||||
|
||||
services.AddIdentity<ApplicationUser, IdentityRole<int>>()
|
||||
.AddEntityFrameworkStores<ApplicationIdentityDbContext>()
|
||||
.AddDefaultTokenProviders();
|
||||
|
||||
return services;
|
||||
}
|
||||
|
||||
private static IServiceCollection AddServices(this IServiceCollection services)
|
||||
{
|
||||
services.AddScoped<IIdentityService, IdentityService>();
|
||||
|
||||
return services;
|
||||
}
|
||||
|
||||
private static IServiceCollection AddAuthenticationWithJwt(this IServiceCollection services, IConfiguration configuration)
|
||||
{
|
||||
services.AddAuthentication(options =>
|
||||
{
|
||||
options.DefaultAuthenticateScheme = JwtBearerDefaults.AuthenticationScheme;
|
||||
options.DefaultChallengeScheme = JwtBearerDefaults.AuthenticationScheme;
|
||||
options.DefaultScheme = JwtBearerDefaults.AuthenticationScheme;
|
||||
})
|
||||
.AddJwtBearer(options =>
|
||||
{
|
||||
options.SaveToken = true;
|
||||
options.RequireHttpsMetadata = false;
|
||||
options.TokenValidationParameters = new TokenValidationParameters()
|
||||
{
|
||||
ValidateIssuer = true,
|
||||
ValidateAudience = true,
|
||||
ValidAudience = configuration["Jwt:Audience"],
|
||||
ValidIssuer = configuration["Jwt:Issuer"],
|
||||
ClockSkew = TimeSpan.Zero,
|
||||
IssuerSigningKey = new SymmetricSecurityKey(Encoding.UTF8.GetBytes(configuration["Jwt:IssuerSigningKey"]!))
|
||||
};
|
||||
});
|
||||
|
||||
return services;
|
||||
}
|
||||
}
|
@ -0,0 +1,24 @@
|
||||
using System.Reflection;
|
||||
using Microsoft.AspNetCore.Identity;
|
||||
using Microsoft.AspNetCore.Identity.EntityFrameworkCore;
|
||||
using Microsoft.EntityFrameworkCore;
|
||||
|
||||
namespace AutobusApi.Infrastructure.Identity;
|
||||
|
||||
public class ApplicationIdentityDbContext : IdentityDbContext<ApplicationUser, IdentityRole<int>, int>
|
||||
{
|
||||
public ApplicationIdentityDbContext(DbContextOptions<ApplicationIdentityDbContext> options)
|
||||
: base(options) { }
|
||||
|
||||
protected override void OnModelCreating(ModelBuilder builder)
|
||||
{
|
||||
base.OnModelCreating(builder);
|
||||
|
||||
builder.HasDefaultSchema("identity");
|
||||
|
||||
builder.ApplyConfigurationsFromAssembly(
|
||||
Assembly.GetExecutingAssembly(),
|
||||
t => t.Namespace == "AutobusApi.Infrastructure.Identity.Configurations"
|
||||
);
|
||||
}
|
||||
}
|
8
AutobusApi.Infrastructure/Identity/ApplicationUser.cs
Normal file
8
AutobusApi.Infrastructure/Identity/ApplicationUser.cs
Normal file
@ -0,0 +1,8 @@
|
||||
using Microsoft.AspNetCore.Identity;
|
||||
|
||||
namespace AutobusApi.Infrastructure.Identity;
|
||||
|
||||
public class ApplicationUser : IdentityUser<int>
|
||||
{
|
||||
public ICollection<RefreshToken> RefreshTokens { get; set; } = null!;
|
||||
}
|
@ -0,0 +1,30 @@
|
||||
using Microsoft.AspNetCore.Identity;
|
||||
using Microsoft.EntityFrameworkCore;
|
||||
using Microsoft.EntityFrameworkCore.Metadata.Builders;
|
||||
|
||||
namespace AutobusApi.Infrastructure.Identity.Configurations;
|
||||
|
||||
public class IdentityRoleClaimConfiguration : IEntityTypeConfiguration<IdentityRoleClaim<int>>
|
||||
{
|
||||
public void Configure(EntityTypeBuilder<IdentityRoleClaim<int>> builder)
|
||||
{
|
||||
builder
|
||||
.ToTable("identity_role_claims");
|
||||
|
||||
builder
|
||||
.Property(rc => rc.Id)
|
||||
.HasColumnName("id");
|
||||
|
||||
builder
|
||||
.Property(rc => rc.RoleId)
|
||||
.HasColumnName("role_id");
|
||||
|
||||
builder
|
||||
.Property(rc => rc.ClaimType)
|
||||
.HasColumnName("claim_type");
|
||||
|
||||
builder
|
||||
.Property(rc => rc.ClaimValue)
|
||||
.HasColumnName("claim_value");
|
||||
}
|
||||
}
|
@ -0,0 +1,30 @@
|
||||
using Microsoft.AspNetCore.Identity;
|
||||
using Microsoft.EntityFrameworkCore;
|
||||
using Microsoft.EntityFrameworkCore.Metadata.Builders;
|
||||
|
||||
namespace AutobusApi.Infrastructure.Identity.Configurations;
|
||||
|
||||
public class IdentityRoleConfiguration : IEntityTypeConfiguration<IdentityRole<int>>
|
||||
{
|
||||
public void Configure(EntityTypeBuilder<IdentityRole<int>> builder)
|
||||
{
|
||||
builder
|
||||
.ToTable("identity_roles");
|
||||
|
||||
builder
|
||||
.Property(r => r.Id)
|
||||
.HasColumnName("id");
|
||||
|
||||
builder
|
||||
.Property(r => r.Name)
|
||||
.HasColumnName("name");
|
||||
|
||||
builder
|
||||
.Property(r => r.NormalizedName)
|
||||
.HasColumnName("normalized_name");
|
||||
|
||||
builder
|
||||
.Property(r => r.ConcurrencyStamp)
|
||||
.HasColumnName("concurrency_stamp");
|
||||
}
|
||||
}
|
@ -0,0 +1,30 @@
|
||||
using Microsoft.AspNetCore.Identity;
|
||||
using Microsoft.EntityFrameworkCore;
|
||||
using Microsoft.EntityFrameworkCore.Metadata.Builders;
|
||||
|
||||
namespace AutobusApi.Infrastructure.Identity.Configurations;
|
||||
|
||||
public class IdentityUserClaimConfiguration : IEntityTypeConfiguration<IdentityUserClaim<int>>
|
||||
{
|
||||
public void Configure(EntityTypeBuilder<IdentityUserClaim<int>> builder)
|
||||
{
|
||||
builder
|
||||
.ToTable("identity_user_claims");
|
||||
|
||||
builder
|
||||
.Property(uc => uc.Id)
|
||||
.HasColumnName("id");
|
||||
|
||||
builder
|
||||
.Property(uc => uc.UserId)
|
||||
.HasColumnName("user_id");
|
||||
|
||||
builder
|
||||
.Property(uc => uc.ClaimType)
|
||||
.HasColumnName("claim_type");
|
||||
|
||||
builder
|
||||
.Property(uc => uc.ClaimValue)
|
||||
.HasColumnName("claim_value");
|
||||
}
|
||||
}
|
@ -0,0 +1,123 @@
|
||||
using Microsoft.EntityFrameworkCore;
|
||||
using Microsoft.EntityFrameworkCore.Metadata.Builders;
|
||||
|
||||
namespace AutobusApi.Infrastructure.Identity.Configurations;
|
||||
|
||||
public class IdentityUserConfiguration : IEntityTypeConfiguration<ApplicationUser>
|
||||
{
|
||||
public void Configure(EntityTypeBuilder<ApplicationUser> builder)
|
||||
{
|
||||
builder
|
||||
.ToTable("identity_users");
|
||||
|
||||
// builder
|
||||
// .Ignore(u => u.UserName);
|
||||
//
|
||||
// builder
|
||||
// .Ignore(u => u.NormalizedUserName);
|
||||
|
||||
builder
|
||||
.Ignore(u => u.PhoneNumber);
|
||||
|
||||
builder
|
||||
.Ignore(u => u.PhoneNumberConfirmed);
|
||||
|
||||
builder
|
||||
.Property(u => u.Id)
|
||||
.HasColumnName("id");
|
||||
|
||||
builder
|
||||
.Property(u => u.Email)
|
||||
.HasColumnName("email");
|
||||
|
||||
builder
|
||||
.Property(u => u.NormalizedEmail)
|
||||
.HasColumnName("normalized_email");
|
||||
|
||||
builder
|
||||
.Property(u => u.EmailConfirmed)
|
||||
.HasColumnName("email_confirmed");
|
||||
|
||||
builder
|
||||
.Property(u => u.PasswordHash)
|
||||
.HasColumnName("password_hash");
|
||||
|
||||
builder
|
||||
.Property(u => u.SecurityStamp)
|
||||
.HasColumnName("security_stamp");
|
||||
|
||||
builder
|
||||
.Property(u => u.ConcurrencyStamp)
|
||||
.HasColumnName("concurrency_stamp");
|
||||
|
||||
builder
|
||||
.Property(u => u.TwoFactorEnabled)
|
||||
.HasColumnName("two_factor_enabled");
|
||||
|
||||
builder
|
||||
.Property(u => u.LockoutEnabled)
|
||||
.HasColumnName("lockout_enabled");
|
||||
|
||||
builder
|
||||
.Property(u => u.LockoutEnd)
|
||||
.HasColumnName("lockout_end");
|
||||
|
||||
builder
|
||||
.Property(u => u.AccessFailedCount)
|
||||
.HasColumnName("access_failed_count");
|
||||
|
||||
builder
|
||||
.OwnsMany(u => u.RefreshTokens,
|
||||
refreshToken =>
|
||||
{
|
||||
refreshToken
|
||||
.ToTable("identity_user_refresh_tokens");
|
||||
|
||||
refreshToken
|
||||
.HasKey(rt => rt.Id)
|
||||
.HasName("id");
|
||||
|
||||
refreshToken
|
||||
.WithOwner(rt => rt.ApplicationUser)
|
||||
.HasForeignKey(rt => rt.ApplicationUserId)
|
||||
.HasConstraintName("fk_identityUserRefreshTokens_identityUser_userId");
|
||||
|
||||
refreshToken
|
||||
.Property(rt => rt.Id)
|
||||
.HasColumnName("id")
|
||||
.HasColumnType("int")
|
||||
.IsRequired();
|
||||
|
||||
refreshToken
|
||||
.Property(rt => rt.ApplicationUserId)
|
||||
.HasColumnName("identity_user_id")
|
||||
.HasColumnType("int")
|
||||
.IsRequired();
|
||||
|
||||
refreshToken
|
||||
.Property(rt => rt.Value)
|
||||
.HasColumnName("value")
|
||||
.HasColumnType("varchar(256)")
|
||||
.IsRequired();
|
||||
|
||||
refreshToken
|
||||
.Property(rt => rt.CreationDateTimeUtc)
|
||||
.HasColumnName("creation_timestamp_utc")
|
||||
.HasColumnType("timestamptz")
|
||||
.IsRequired();
|
||||
|
||||
refreshToken
|
||||
.Property(rt => rt.ExpirationDateTimeUtc)
|
||||
.HasColumnName("expiration_timestamp_utc")
|
||||
.HasColumnType("timestamptz")
|
||||
.IsRequired();
|
||||
|
||||
refreshToken
|
||||
.Property(rt => rt.RevokationDateTimeUtc)
|
||||
.HasColumnName("revokation_timestamp_utc")
|
||||
.HasColumnType("timestamptz")
|
||||
.IsRequired(false);
|
||||
}
|
||||
);
|
||||
}
|
||||
}
|
@ -0,0 +1,30 @@
|
||||
using Microsoft.AspNetCore.Identity;
|
||||
using Microsoft.EntityFrameworkCore;
|
||||
using Microsoft.EntityFrameworkCore.Metadata.Builders;
|
||||
|
||||
namespace AutobusApi.Infrastructure.Identity.Configurations;
|
||||
|
||||
public class IdentityUserLoginConfiguration : IEntityTypeConfiguration<IdentityUserLogin<int>>
|
||||
{
|
||||
public void Configure(EntityTypeBuilder<IdentityUserLogin<int>> builder)
|
||||
{
|
||||
builder
|
||||
.ToTable("identity_user_logins");
|
||||
|
||||
builder
|
||||
.Property(ul => ul.LoginProvider)
|
||||
.HasColumnName("login_provider");
|
||||
|
||||
builder
|
||||
.Property(ul => ul.ProviderKey)
|
||||
.HasColumnName("provider_key");
|
||||
|
||||
builder
|
||||
.Property(ul => ul.ProviderDisplayName)
|
||||
.HasColumnName("provider_display_name");
|
||||
|
||||
builder
|
||||
.Property(ul => ul.UserId)
|
||||
.HasColumnName("user_id");
|
||||
}
|
||||
}
|
@ -0,0 +1,22 @@
|
||||
using Microsoft.AspNetCore.Identity;
|
||||
using Microsoft.EntityFrameworkCore;
|
||||
using Microsoft.EntityFrameworkCore.Metadata.Builders;
|
||||
|
||||
namespace AutobusApi.Infrastructure.Identity.Configurations;
|
||||
|
||||
public class IdentityUserRoleConfiguration : IEntityTypeConfiguration<IdentityUserRole<int>>
|
||||
{
|
||||
public void Configure(EntityTypeBuilder<IdentityUserRole<int>> builder)
|
||||
{
|
||||
builder
|
||||
.ToTable("identity_user_roles");
|
||||
|
||||
builder
|
||||
.Property(ur => ur.UserId)
|
||||
.HasColumnName("user_id");
|
||||
|
||||
builder
|
||||
.Property(ur => ur.RoleId)
|
||||
.HasColumnName("role_id");
|
||||
}
|
||||
}
|
@ -0,0 +1,30 @@
|
||||
using Microsoft.AspNetCore.Identity;
|
||||
using Microsoft.EntityFrameworkCore;
|
||||
using Microsoft.EntityFrameworkCore.Metadata.Builders;
|
||||
|
||||
namespace AutobusApi.Infrastructure.Identity.Configurations;
|
||||
|
||||
public class IdentityUserTokenConfiguration : IEntityTypeConfiguration<IdentityUserToken<int>>
|
||||
{
|
||||
public void Configure(EntityTypeBuilder<IdentityUserToken<int>> builder)
|
||||
{
|
||||
builder
|
||||
.ToTable("identity_user_tokens");
|
||||
|
||||
builder
|
||||
.Property(ut => ut.UserId)
|
||||
.HasColumnName("user_id");
|
||||
|
||||
builder
|
||||
.Property(ut => ut.LoginProvider)
|
||||
.HasColumnName("login_provider");
|
||||
|
||||
builder
|
||||
.Property(ut => ut.Name)
|
||||
.HasColumnName("name");
|
||||
|
||||
builder
|
||||
.Property(ut => ut.Value)
|
||||
.HasColumnName("value");
|
||||
}
|
||||
}
|
357
AutobusApi.Infrastructure/Identity/Migrations/20231113193302_InitialCreate.Designer.cs
generated
Normal file
357
AutobusApi.Infrastructure/Identity/Migrations/20231113193302_InitialCreate.Designer.cs
generated
Normal file
@ -0,0 +1,357 @@
|
||||
// <auto-generated />
|
||||
using System;
|
||||
using AutobusApi.Infrastructure.Identity;
|
||||
using Microsoft.EntityFrameworkCore;
|
||||
using Microsoft.EntityFrameworkCore.Infrastructure;
|
||||
using Microsoft.EntityFrameworkCore.Migrations;
|
||||
using Microsoft.EntityFrameworkCore.Storage.ValueConversion;
|
||||
using Npgsql.EntityFrameworkCore.PostgreSQL.Metadata;
|
||||
|
||||
#nullable disable
|
||||
|
||||
namespace AutobusApi.Infrastructure.Identity.Migrations
|
||||
{
|
||||
[DbContext(typeof(ApplicationIdentityDbContext))]
|
||||
[Migration("20231113193302_InitialCreate")]
|
||||
partial class InitialCreate
|
||||
{
|
||||
/// <inheritdoc />
|
||||
protected override void BuildTargetModel(ModelBuilder modelBuilder)
|
||||
{
|
||||
#pragma warning disable 612, 618
|
||||
modelBuilder
|
||||
.HasDefaultSchema("identity")
|
||||
.HasAnnotation("ProductVersion", "7.0.13")
|
||||
.HasAnnotation("Relational:MaxIdentifierLength", 63);
|
||||
|
||||
NpgsqlModelBuilderExtensions.UseIdentityByDefaultColumns(modelBuilder);
|
||||
|
||||
modelBuilder.Entity("AutobusApi.Infrastructure.Identity.ApplicationUser", b =>
|
||||
{
|
||||
b.Property<int>("Id")
|
||||
.ValueGeneratedOnAdd()
|
||||
.HasColumnType("integer")
|
||||
.HasColumnName("id");
|
||||
|
||||
NpgsqlPropertyBuilderExtensions.UseIdentityByDefaultColumn(b.Property<int>("Id"));
|
||||
|
||||
b.Property<int>("AccessFailedCount")
|
||||
.HasColumnType("integer")
|
||||
.HasColumnName("access_failed_count");
|
||||
|
||||
b.Property<string>("ConcurrencyStamp")
|
||||
.IsConcurrencyToken()
|
||||
.HasColumnType("text")
|
||||
.HasColumnName("concurrency_stamp");
|
||||
|
||||
b.Property<string>("Email")
|
||||
.HasMaxLength(256)
|
||||
.HasColumnType("character varying(256)")
|
||||
.HasColumnName("email");
|
||||
|
||||
b.Property<bool>("EmailConfirmed")
|
||||
.HasColumnType("boolean")
|
||||
.HasColumnName("email_confirmed");
|
||||
|
||||
b.Property<bool>("LockoutEnabled")
|
||||
.HasColumnType("boolean")
|
||||
.HasColumnName("lockout_enabled");
|
||||
|
||||
b.Property<DateTimeOffset?>("LockoutEnd")
|
||||
.HasColumnType("timestamp with time zone")
|
||||
.HasColumnName("lockout_end");
|
||||
|
||||
b.Property<string>("NormalizedEmail")
|
||||
.HasMaxLength(256)
|
||||
.HasColumnType("character varying(256)")
|
||||
.HasColumnName("normalized_email");
|
||||
|
||||
b.Property<string>("NormalizedUserName")
|
||||
.HasMaxLength(256)
|
||||
.HasColumnType("character varying(256)");
|
||||
|
||||
b.Property<string>("PasswordHash")
|
||||
.HasColumnType("text")
|
||||
.HasColumnName("password_hash");
|
||||
|
||||
b.Property<string>("SecurityStamp")
|
||||
.HasColumnType("text")
|
||||
.HasColumnName("security_stamp");
|
||||
|
||||
b.Property<bool>("TwoFactorEnabled")
|
||||
.HasColumnType("boolean")
|
||||
.HasColumnName("two_factor_enabled");
|
||||
|
||||
b.Property<string>("UserName")
|
||||
.HasMaxLength(256)
|
||||
.HasColumnType("character varying(256)");
|
||||
|
||||
b.HasKey("Id");
|
||||
|
||||
b.HasIndex("NormalizedEmail")
|
||||
.HasDatabaseName("EmailIndex");
|
||||
|
||||
b.HasIndex("NormalizedUserName")
|
||||
.IsUnique()
|
||||
.HasDatabaseName("UserNameIndex");
|
||||
|
||||
b.ToTable("identity_users", "identity");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("Microsoft.AspNetCore.Identity.IdentityRole<int>", b =>
|
||||
{
|
||||
b.Property<int>("Id")
|
||||
.ValueGeneratedOnAdd()
|
||||
.HasColumnType("integer")
|
||||
.HasColumnName("id");
|
||||
|
||||
NpgsqlPropertyBuilderExtensions.UseIdentityByDefaultColumn(b.Property<int>("Id"));
|
||||
|
||||
b.Property<string>("ConcurrencyStamp")
|
||||
.IsConcurrencyToken()
|
||||
.HasColumnType("text")
|
||||
.HasColumnName("concurrency_stamp");
|
||||
|
||||
b.Property<string>("Name")
|
||||
.HasMaxLength(256)
|
||||
.HasColumnType("character varying(256)")
|
||||
.HasColumnName("name");
|
||||
|
||||
b.Property<string>("NormalizedName")
|
||||
.HasMaxLength(256)
|
||||
.HasColumnType("character varying(256)")
|
||||
.HasColumnName("normalized_name");
|
||||
|
||||
b.HasKey("Id");
|
||||
|
||||
b.HasIndex("NormalizedName")
|
||||
.IsUnique()
|
||||
.HasDatabaseName("RoleNameIndex");
|
||||
|
||||
b.ToTable("identity_roles", "identity");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("Microsoft.AspNetCore.Identity.IdentityRoleClaim<int>", b =>
|
||||
{
|
||||
b.Property<int>("Id")
|
||||
.ValueGeneratedOnAdd()
|
||||
.HasColumnType("integer")
|
||||
.HasColumnName("id");
|
||||
|
||||
NpgsqlPropertyBuilderExtensions.UseIdentityByDefaultColumn(b.Property<int>("Id"));
|
||||
|
||||
b.Property<string>("ClaimType")
|
||||
.HasColumnType("text")
|
||||
.HasColumnName("claim_type");
|
||||
|
||||
b.Property<string>("ClaimValue")
|
||||
.HasColumnType("text")
|
||||
.HasColumnName("claim_value");
|
||||
|
||||
b.Property<int>("RoleId")
|
||||
.HasColumnType("integer")
|
||||
.HasColumnName("role_id");
|
||||
|
||||
b.HasKey("Id");
|
||||
|
||||
b.HasIndex("RoleId");
|
||||
|
||||
b.ToTable("identity_role_claims", "identity");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("Microsoft.AspNetCore.Identity.IdentityUserClaim<int>", b =>
|
||||
{
|
||||
b.Property<int>("Id")
|
||||
.ValueGeneratedOnAdd()
|
||||
.HasColumnType("integer")
|
||||
.HasColumnName("id");
|
||||
|
||||
NpgsqlPropertyBuilderExtensions.UseIdentityByDefaultColumn(b.Property<int>("Id"));
|
||||
|
||||
b.Property<string>("ClaimType")
|
||||
.HasColumnType("text")
|
||||
.HasColumnName("claim_type");
|
||||
|
||||
b.Property<string>("ClaimValue")
|
||||
.HasColumnType("text")
|
||||
.HasColumnName("claim_value");
|
||||
|
||||
b.Property<int>("UserId")
|
||||
.HasColumnType("integer")
|
||||
.HasColumnName("user_id");
|
||||
|
||||
b.HasKey("Id");
|
||||
|
||||
b.HasIndex("UserId");
|
||||
|
||||
b.ToTable("identity_user_claims", "identity");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("Microsoft.AspNetCore.Identity.IdentityUserLogin<int>", b =>
|
||||
{
|
||||
b.Property<string>("LoginProvider")
|
||||
.HasColumnType("text")
|
||||
.HasColumnName("login_provider");
|
||||
|
||||
b.Property<string>("ProviderKey")
|
||||
.HasColumnType("text")
|
||||
.HasColumnName("provider_key");
|
||||
|
||||
b.Property<string>("ProviderDisplayName")
|
||||
.HasColumnType("text")
|
||||
.HasColumnName("provider_display_name");
|
||||
|
||||
b.Property<int>("UserId")
|
||||
.HasColumnType("integer")
|
||||
.HasColumnName("user_id");
|
||||
|
||||
b.HasKey("LoginProvider", "ProviderKey");
|
||||
|
||||
b.HasIndex("UserId");
|
||||
|
||||
b.ToTable("identity_user_logins", "identity");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("Microsoft.AspNetCore.Identity.IdentityUserRole<int>", b =>
|
||||
{
|
||||
b.Property<int>("UserId")
|
||||
.HasColumnType("integer")
|
||||
.HasColumnName("user_id");
|
||||
|
||||
b.Property<int>("RoleId")
|
||||
.HasColumnType("integer")
|
||||
.HasColumnName("role_id");
|
||||
|
||||
b.HasKey("UserId", "RoleId");
|
||||
|
||||
b.HasIndex("RoleId");
|
||||
|
||||
b.ToTable("identity_user_roles", "identity");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("Microsoft.AspNetCore.Identity.IdentityUserToken<int>", b =>
|
||||
{
|
||||
b.Property<int>("UserId")
|
||||
.HasColumnType("integer")
|
||||
.HasColumnName("user_id");
|
||||
|
||||
b.Property<string>("LoginProvider")
|
||||
.HasColumnType("text")
|
||||
.HasColumnName("login_provider");
|
||||
|
||||
b.Property<string>("Name")
|
||||
.HasColumnType("text")
|
||||
.HasColumnName("name");
|
||||
|
||||
b.Property<string>("Value")
|
||||
.HasColumnType("text")
|
||||
.HasColumnName("value");
|
||||
|
||||
b.HasKey("UserId", "LoginProvider", "Name");
|
||||
|
||||
b.ToTable("identity_user_tokens", "identity");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("AutobusApi.Infrastructure.Identity.ApplicationUser", b =>
|
||||
{
|
||||
b.OwnsMany("AutobusApi.Infrastructure.Identity.RefreshToken", "RefreshTokens", b1 =>
|
||||
{
|
||||
b1.Property<int>("Id")
|
||||
.ValueGeneratedOnAdd()
|
||||
.HasColumnType("int")
|
||||
.HasColumnName("id");
|
||||
|
||||
NpgsqlPropertyBuilderExtensions.UseIdentityByDefaultColumn(b1.Property<int>("Id"));
|
||||
|
||||
b1.Property<int>("ApplicationUserId")
|
||||
.HasColumnType("int")
|
||||
.HasColumnName("identity_user_id");
|
||||
|
||||
b1.Property<DateTime>("CreationDateTimeUtc")
|
||||
.HasColumnType("timestamptz")
|
||||
.HasColumnName("creation_timestamp_utc");
|
||||
|
||||
b1.Property<DateTime>("ExpirationDateTimeUtc")
|
||||
.HasColumnType("timestamptz")
|
||||
.HasColumnName("expiration_timestamp_utc");
|
||||
|
||||
b1.Property<DateTime?>("RevokationDateTimeUtc")
|
||||
.HasColumnType("timestamptz")
|
||||
.HasColumnName("revokation_timestamp_utc");
|
||||
|
||||
b1.Property<string>("Value")
|
||||
.IsRequired()
|
||||
.HasColumnType("varchar(256)")
|
||||
.HasColumnName("value");
|
||||
|
||||
b1.HasKey("Id")
|
||||
.HasName("id");
|
||||
|
||||
b1.HasIndex("ApplicationUserId");
|
||||
|
||||
b1.ToTable("identity_user_refresh_tokens", "identity");
|
||||
|
||||
b1.WithOwner("ApplicationUser")
|
||||
.HasForeignKey("ApplicationUserId")
|
||||
.HasConstraintName("fk_identityUserRefreshTokens_identityUser_userId");
|
||||
|
||||
b1.Navigation("ApplicationUser");
|
||||
});
|
||||
|
||||
b.Navigation("RefreshTokens");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("Microsoft.AspNetCore.Identity.IdentityRoleClaim<int>", b =>
|
||||
{
|
||||
b.HasOne("Microsoft.AspNetCore.Identity.IdentityRole<int>", null)
|
||||
.WithMany()
|
||||
.HasForeignKey("RoleId")
|
||||
.OnDelete(DeleteBehavior.Cascade)
|
||||
.IsRequired();
|
||||
});
|
||||
|
||||
modelBuilder.Entity("Microsoft.AspNetCore.Identity.IdentityUserClaim<int>", b =>
|
||||
{
|
||||
b.HasOne("AutobusApi.Infrastructure.Identity.ApplicationUser", null)
|
||||
.WithMany()
|
||||
.HasForeignKey("UserId")
|
||||
.OnDelete(DeleteBehavior.Cascade)
|
||||
.IsRequired();
|
||||
});
|
||||
|
||||
modelBuilder.Entity("Microsoft.AspNetCore.Identity.IdentityUserLogin<int>", b =>
|
||||
{
|
||||
b.HasOne("AutobusApi.Infrastructure.Identity.ApplicationUser", null)
|
||||
.WithMany()
|
||||
.HasForeignKey("UserId")
|
||||
.OnDelete(DeleteBehavior.Cascade)
|
||||
.IsRequired();
|
||||
});
|
||||
|
||||
modelBuilder.Entity("Microsoft.AspNetCore.Identity.IdentityUserRole<int>", b =>
|
||||
{
|
||||
b.HasOne("Microsoft.AspNetCore.Identity.IdentityRole<int>", null)
|
||||
.WithMany()
|
||||
.HasForeignKey("RoleId")
|
||||
.OnDelete(DeleteBehavior.Cascade)
|
||||
.IsRequired();
|
||||
|
||||
b.HasOne("AutobusApi.Infrastructure.Identity.ApplicationUser", null)
|
||||
.WithMany()
|
||||
.HasForeignKey("UserId")
|
||||
.OnDelete(DeleteBehavior.Cascade)
|
||||
.IsRequired();
|
||||
});
|
||||
|
||||
modelBuilder.Entity("Microsoft.AspNetCore.Identity.IdentityUserToken<int>", b =>
|
||||
{
|
||||
b.HasOne("AutobusApi.Infrastructure.Identity.ApplicationUser", null)
|
||||
.WithMany()
|
||||
.HasForeignKey("UserId")
|
||||
.OnDelete(DeleteBehavior.Cascade)
|
||||
.IsRequired();
|
||||
});
|
||||
#pragma warning restore 612, 618
|
||||
}
|
||||
}
|
||||
}
|
@ -0,0 +1,288 @@
|
||||
using System;
|
||||
using Microsoft.EntityFrameworkCore.Migrations;
|
||||
using Npgsql.EntityFrameworkCore.PostgreSQL.Metadata;
|
||||
|
||||
#nullable disable
|
||||
|
||||
namespace AutobusApi.Infrastructure.Identity.Migrations
|
||||
{
|
||||
/// <inheritdoc />
|
||||
public partial class InitialCreate : Migration
|
||||
{
|
||||
/// <inheritdoc />
|
||||
protected override void Up(MigrationBuilder migrationBuilder)
|
||||
{
|
||||
migrationBuilder.EnsureSchema(
|
||||
name: "identity");
|
||||
|
||||
migrationBuilder.CreateTable(
|
||||
name: "identity_roles",
|
||||
schema: "identity",
|
||||
columns: table => new
|
||||
{
|
||||
id = table.Column<int>(type: "integer", nullable: false)
|
||||
.Annotation("Npgsql:ValueGenerationStrategy", NpgsqlValueGenerationStrategy.IdentityByDefaultColumn),
|
||||
name = table.Column<string>(type: "character varying(256)", maxLength: 256, nullable: true),
|
||||
normalized_name = table.Column<string>(type: "character varying(256)", maxLength: 256, nullable: true),
|
||||
concurrency_stamp = table.Column<string>(type: "text", nullable: true)
|
||||
},
|
||||
constraints: table =>
|
||||
{
|
||||
table.PrimaryKey("PK_identity_roles", x => x.id);
|
||||
});
|
||||
|
||||
migrationBuilder.CreateTable(
|
||||
name: "identity_users",
|
||||
schema: "identity",
|
||||
columns: table => new
|
||||
{
|
||||
id = table.Column<int>(type: "integer", nullable: false)
|
||||
.Annotation("Npgsql:ValueGenerationStrategy", NpgsqlValueGenerationStrategy.IdentityByDefaultColumn),
|
||||
UserName = table.Column<string>(type: "character varying(256)", maxLength: 256, nullable: true),
|
||||
NormalizedUserName = table.Column<string>(type: "character varying(256)", maxLength: 256, nullable: true),
|
||||
email = table.Column<string>(type: "character varying(256)", maxLength: 256, nullable: true),
|
||||
normalized_email = table.Column<string>(type: "character varying(256)", maxLength: 256, nullable: true),
|
||||
email_confirmed = table.Column<bool>(type: "boolean", nullable: false),
|
||||
password_hash = table.Column<string>(type: "text", nullable: true),
|
||||
security_stamp = table.Column<string>(type: "text", nullable: true),
|
||||
concurrency_stamp = table.Column<string>(type: "text", nullable: true),
|
||||
two_factor_enabled = table.Column<bool>(type: "boolean", nullable: false),
|
||||
lockout_end = table.Column<DateTimeOffset>(type: "timestamp with time zone", nullable: true),
|
||||
lockout_enabled = table.Column<bool>(type: "boolean", nullable: false),
|
||||
access_failed_count = table.Column<int>(type: "integer", nullable: false)
|
||||
},
|
||||
constraints: table =>
|
||||
{
|
||||
table.PrimaryKey("PK_identity_users", x => x.id);
|
||||
});
|
||||
|
||||
migrationBuilder.CreateTable(
|
||||
name: "identity_role_claims",
|
||||
schema: "identity",
|
||||
columns: table => new
|
||||
{
|
||||
id = table.Column<int>(type: "integer", nullable: false)
|
||||
.Annotation("Npgsql:ValueGenerationStrategy", NpgsqlValueGenerationStrategy.IdentityByDefaultColumn),
|
||||
role_id = table.Column<int>(type: "integer", nullable: false),
|
||||
claim_type = table.Column<string>(type: "text", nullable: true),
|
||||
claim_value = table.Column<string>(type: "text", nullable: true)
|
||||
},
|
||||
constraints: table =>
|
||||
{
|
||||
table.PrimaryKey("PK_identity_role_claims", x => x.id);
|
||||
table.ForeignKey(
|
||||
name: "FK_identity_role_claims_identity_roles_role_id",
|
||||
column: x => x.role_id,
|
||||
principalSchema: "identity",
|
||||
principalTable: "identity_roles",
|
||||
principalColumn: "id",
|
||||
onDelete: ReferentialAction.Cascade);
|
||||
});
|
||||
|
||||
migrationBuilder.CreateTable(
|
||||
name: "identity_user_claims",
|
||||
schema: "identity",
|
||||
columns: table => new
|
||||
{
|
||||
id = table.Column<int>(type: "integer", nullable: false)
|
||||
.Annotation("Npgsql:ValueGenerationStrategy", NpgsqlValueGenerationStrategy.IdentityByDefaultColumn),
|
||||
user_id = table.Column<int>(type: "integer", nullable: false),
|
||||
claim_type = table.Column<string>(type: "text", nullable: true),
|
||||
claim_value = table.Column<string>(type: "text", nullable: true)
|
||||
},
|
||||
constraints: table =>
|
||||
{
|
||||
table.PrimaryKey("PK_identity_user_claims", x => x.id);
|
||||
table.ForeignKey(
|
||||
name: "FK_identity_user_claims_identity_users_user_id",
|
||||
column: x => x.user_id,
|
||||
principalSchema: "identity",
|
||||
principalTable: "identity_users",
|
||||
principalColumn: "id",
|
||||
onDelete: ReferentialAction.Cascade);
|
||||
});
|
||||
|
||||
migrationBuilder.CreateTable(
|
||||
name: "identity_user_logins",
|
||||
schema: "identity",
|
||||
columns: table => new
|
||||
{
|
||||
login_provider = table.Column<string>(type: "text", nullable: false),
|
||||
provider_key = table.Column<string>(type: "text", nullable: false),
|
||||
provider_display_name = table.Column<string>(type: "text", nullable: true),
|
||||
user_id = table.Column<int>(type: "integer", nullable: false)
|
||||
},
|
||||
constraints: table =>
|
||||
{
|
||||
table.PrimaryKey("PK_identity_user_logins", x => new { x.login_provider, x.provider_key });
|
||||
table.ForeignKey(
|
||||
name: "FK_identity_user_logins_identity_users_user_id",
|
||||
column: x => x.user_id,
|
||||
principalSchema: "identity",
|
||||
principalTable: "identity_users",
|
||||
principalColumn: "id",
|
||||
onDelete: ReferentialAction.Cascade);
|
||||
});
|
||||
|
||||
migrationBuilder.CreateTable(
|
||||
name: "identity_user_refresh_tokens",
|
||||
schema: "identity",
|
||||
columns: table => new
|
||||
{
|
||||
id = table.Column<int>(type: "int", nullable: false)
|
||||
.Annotation("Npgsql:ValueGenerationStrategy", NpgsqlValueGenerationStrategy.IdentityByDefaultColumn),
|
||||
value = table.Column<string>(type: "varchar(256)", nullable: false),
|
||||
creation_timestamp_utc = table.Column<DateTime>(type: "timestamptz", nullable: false),
|
||||
expiration_timestamp_utc = table.Column<DateTime>(type: "timestamptz", nullable: false),
|
||||
revokation_timestamp_utc = table.Column<DateTime>(type: "timestamptz", nullable: true),
|
||||
identity_user_id = table.Column<int>(type: "int", nullable: false)
|
||||
},
|
||||
constraints: table =>
|
||||
{
|
||||
table.PrimaryKey("id", x => x.id);
|
||||
table.ForeignKey(
|
||||
name: "fk_identityUserRefreshTokens_identityUser_userId",
|
||||
column: x => x.identity_user_id,
|
||||
principalSchema: "identity",
|
||||
principalTable: "identity_users",
|
||||
principalColumn: "id",
|
||||
onDelete: ReferentialAction.Cascade);
|
||||
});
|
||||
|
||||
migrationBuilder.CreateTable(
|
||||
name: "identity_user_roles",
|
||||
schema: "identity",
|
||||
columns: table => new
|
||||
{
|
||||
user_id = table.Column<int>(type: "integer", nullable: false),
|
||||
role_id = table.Column<int>(type: "integer", nullable: false)
|
||||
},
|
||||
constraints: table =>
|
||||
{
|
||||
table.PrimaryKey("PK_identity_user_roles", x => new { x.user_id, x.role_id });
|
||||
table.ForeignKey(
|
||||
name: "FK_identity_user_roles_identity_roles_role_id",
|
||||
column: x => x.role_id,
|
||||
principalSchema: "identity",
|
||||
principalTable: "identity_roles",
|
||||
principalColumn: "id",
|
||||
onDelete: ReferentialAction.Cascade);
|
||||
table.ForeignKey(
|
||||
name: "FK_identity_user_roles_identity_users_user_id",
|
||||
column: x => x.user_id,
|
||||
principalSchema: "identity",
|
||||
principalTable: "identity_users",
|
||||
principalColumn: "id",
|
||||
onDelete: ReferentialAction.Cascade);
|
||||
});
|
||||
|
||||
migrationBuilder.CreateTable(
|
||||
name: "identity_user_tokens",
|
||||
schema: "identity",
|
||||
columns: table => new
|
||||
{
|
||||
user_id = table.Column<int>(type: "integer", nullable: false),
|
||||
login_provider = table.Column<string>(type: "text", nullable: false),
|
||||
name = table.Column<string>(type: "text", nullable: false),
|
||||
value = table.Column<string>(type: "text", nullable: true)
|
||||
},
|
||||
constraints: table =>
|
||||
{
|
||||
table.PrimaryKey("PK_identity_user_tokens", x => new { x.user_id, x.login_provider, x.name });
|
||||
table.ForeignKey(
|
||||
name: "FK_identity_user_tokens_identity_users_user_id",
|
||||
column: x => x.user_id,
|
||||
principalSchema: "identity",
|
||||
principalTable: "identity_users",
|
||||
principalColumn: "id",
|
||||
onDelete: ReferentialAction.Cascade);
|
||||
});
|
||||
|
||||
migrationBuilder.CreateIndex(
|
||||
name: "IX_identity_role_claims_role_id",
|
||||
schema: "identity",
|
||||
table: "identity_role_claims",
|
||||
column: "role_id");
|
||||
|
||||
migrationBuilder.CreateIndex(
|
||||
name: "RoleNameIndex",
|
||||
schema: "identity",
|
||||
table: "identity_roles",
|
||||
column: "normalized_name",
|
||||
unique: true);
|
||||
|
||||
migrationBuilder.CreateIndex(
|
||||
name: "IX_identity_user_claims_user_id",
|
||||
schema: "identity",
|
||||
table: "identity_user_claims",
|
||||
column: "user_id");
|
||||
|
||||
migrationBuilder.CreateIndex(
|
||||
name: "IX_identity_user_logins_user_id",
|
||||
schema: "identity",
|
||||
table: "identity_user_logins",
|
||||
column: "user_id");
|
||||
|
||||
migrationBuilder.CreateIndex(
|
||||
name: "IX_identity_user_refresh_tokens_identity_user_id",
|
||||
schema: "identity",
|
||||
table: "identity_user_refresh_tokens",
|
||||
column: "identity_user_id");
|
||||
|
||||
migrationBuilder.CreateIndex(
|
||||
name: "IX_identity_user_roles_role_id",
|
||||
schema: "identity",
|
||||
table: "identity_user_roles",
|
||||
column: "role_id");
|
||||
|
||||
migrationBuilder.CreateIndex(
|
||||
name: "EmailIndex",
|
||||
schema: "identity",
|
||||
table: "identity_users",
|
||||
column: "normalized_email");
|
||||
|
||||
migrationBuilder.CreateIndex(
|
||||
name: "UserNameIndex",
|
||||
schema: "identity",
|
||||
table: "identity_users",
|
||||
column: "NormalizedUserName",
|
||||
unique: true);
|
||||
}
|
||||
|
||||
/// <inheritdoc />
|
||||
protected override void Down(MigrationBuilder migrationBuilder)
|
||||
{
|
||||
migrationBuilder.DropTable(
|
||||
name: "identity_role_claims",
|
||||
schema: "identity");
|
||||
|
||||
migrationBuilder.DropTable(
|
||||
name: "identity_user_claims",
|
||||
schema: "identity");
|
||||
|
||||
migrationBuilder.DropTable(
|
||||
name: "identity_user_logins",
|
||||
schema: "identity");
|
||||
|
||||
migrationBuilder.DropTable(
|
||||
name: "identity_user_refresh_tokens",
|
||||
schema: "identity");
|
||||
|
||||
migrationBuilder.DropTable(
|
||||
name: "identity_user_roles",
|
||||
schema: "identity");
|
||||
|
||||
migrationBuilder.DropTable(
|
||||
name: "identity_user_tokens",
|
||||
schema: "identity");
|
||||
|
||||
migrationBuilder.DropTable(
|
||||
name: "identity_roles",
|
||||
schema: "identity");
|
||||
|
||||
migrationBuilder.DropTable(
|
||||
name: "identity_users",
|
||||
schema: "identity");
|
||||
}
|
||||
}
|
||||
}
|
@ -0,0 +1,354 @@
|
||||
// <auto-generated />
|
||||
using System;
|
||||
using AutobusApi.Infrastructure.Identity;
|
||||
using Microsoft.EntityFrameworkCore;
|
||||
using Microsoft.EntityFrameworkCore.Infrastructure;
|
||||
using Microsoft.EntityFrameworkCore.Storage.ValueConversion;
|
||||
using Npgsql.EntityFrameworkCore.PostgreSQL.Metadata;
|
||||
|
||||
#nullable disable
|
||||
|
||||
namespace AutobusApi.Infrastructure.Identity.Migrations
|
||||
{
|
||||
[DbContext(typeof(ApplicationIdentityDbContext))]
|
||||
partial class ApplicationIdentityDbContextModelSnapshot : ModelSnapshot
|
||||
{
|
||||
protected override void BuildModel(ModelBuilder modelBuilder)
|
||||
{
|
||||
#pragma warning disable 612, 618
|
||||
modelBuilder
|
||||
.HasDefaultSchema("identity")
|
||||
.HasAnnotation("ProductVersion", "7.0.13")
|
||||
.HasAnnotation("Relational:MaxIdentifierLength", 63);
|
||||
|
||||
NpgsqlModelBuilderExtensions.UseIdentityByDefaultColumns(modelBuilder);
|
||||
|
||||
modelBuilder.Entity("AutobusApi.Infrastructure.Identity.ApplicationUser", b =>
|
||||
{
|
||||
b.Property<int>("Id")
|
||||
.ValueGeneratedOnAdd()
|
||||
.HasColumnType("integer")
|
||||
.HasColumnName("id");
|
||||
|
||||
NpgsqlPropertyBuilderExtensions.UseIdentityByDefaultColumn(b.Property<int>("Id"));
|
||||
|
||||
b.Property<int>("AccessFailedCount")
|
||||
.HasColumnType("integer")
|
||||
.HasColumnName("access_failed_count");
|
||||
|
||||
b.Property<string>("ConcurrencyStamp")
|
||||
.IsConcurrencyToken()
|
||||
.HasColumnType("text")
|
||||
.HasColumnName("concurrency_stamp");
|
||||
|
||||
b.Property<string>("Email")
|
||||
.HasMaxLength(256)
|
||||
.HasColumnType("character varying(256)")
|
||||
.HasColumnName("email");
|
||||
|
||||
b.Property<bool>("EmailConfirmed")
|
||||
.HasColumnType("boolean")
|
||||
.HasColumnName("email_confirmed");
|
||||
|
||||
b.Property<bool>("LockoutEnabled")
|
||||
.HasColumnType("boolean")
|
||||
.HasColumnName("lockout_enabled");
|
||||
|
||||
b.Property<DateTimeOffset?>("LockoutEnd")
|
||||
.HasColumnType("timestamp with time zone")
|
||||
.HasColumnName("lockout_end");
|
||||
|
||||
b.Property<string>("NormalizedEmail")
|
||||
.HasMaxLength(256)
|
||||
.HasColumnType("character varying(256)")
|
||||
.HasColumnName("normalized_email");
|
||||
|
||||
b.Property<string>("NormalizedUserName")
|
||||
.HasMaxLength(256)
|
||||
.HasColumnType("character varying(256)");
|
||||
|
||||
b.Property<string>("PasswordHash")
|
||||
.HasColumnType("text")
|
||||
.HasColumnName("password_hash");
|
||||
|
||||
b.Property<string>("SecurityStamp")
|
||||
.HasColumnType("text")
|
||||
.HasColumnName("security_stamp");
|
||||
|
||||
b.Property<bool>("TwoFactorEnabled")
|
||||
.HasColumnType("boolean")
|
||||
.HasColumnName("two_factor_enabled");
|
||||
|
||||
b.Property<string>("UserName")
|
||||
.HasMaxLength(256)
|
||||
.HasColumnType("character varying(256)");
|
||||
|
||||
b.HasKey("Id");
|
||||
|
||||
b.HasIndex("NormalizedEmail")
|
||||
.HasDatabaseName("EmailIndex");
|
||||
|
||||
b.HasIndex("NormalizedUserName")
|
||||
.IsUnique()
|
||||
.HasDatabaseName("UserNameIndex");
|
||||
|
||||
b.ToTable("identity_users", "identity");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("Microsoft.AspNetCore.Identity.IdentityRole<int>", b =>
|
||||
{
|
||||
b.Property<int>("Id")
|
||||
.ValueGeneratedOnAdd()
|
||||
.HasColumnType("integer")
|
||||
.HasColumnName("id");
|
||||
|
||||
NpgsqlPropertyBuilderExtensions.UseIdentityByDefaultColumn(b.Property<int>("Id"));
|
||||
|
||||
b.Property<string>("ConcurrencyStamp")
|
||||
.IsConcurrencyToken()
|
||||
.HasColumnType("text")
|
||||
.HasColumnName("concurrency_stamp");
|
||||
|
||||
b.Property<string>("Name")
|
||||
.HasMaxLength(256)
|
||||
.HasColumnType("character varying(256)")
|
||||
.HasColumnName("name");
|
||||
|
||||
b.Property<string>("NormalizedName")
|
||||
.HasMaxLength(256)
|
||||
.HasColumnType("character varying(256)")
|
||||
.HasColumnName("normalized_name");
|
||||
|
||||
b.HasKey("Id");
|
||||
|
||||
b.HasIndex("NormalizedName")
|
||||
.IsUnique()
|
||||
.HasDatabaseName("RoleNameIndex");
|
||||
|
||||
b.ToTable("identity_roles", "identity");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("Microsoft.AspNetCore.Identity.IdentityRoleClaim<int>", b =>
|
||||
{
|
||||
b.Property<int>("Id")
|
||||
.ValueGeneratedOnAdd()
|
||||
.HasColumnType("integer")
|
||||
.HasColumnName("id");
|
||||
|
||||
NpgsqlPropertyBuilderExtensions.UseIdentityByDefaultColumn(b.Property<int>("Id"));
|
||||
|
||||
b.Property<string>("ClaimType")
|
||||
.HasColumnType("text")
|
||||
.HasColumnName("claim_type");
|
||||
|
||||
b.Property<string>("ClaimValue")
|
||||
.HasColumnType("text")
|
||||
.HasColumnName("claim_value");
|
||||
|
||||
b.Property<int>("RoleId")
|
||||
.HasColumnType("integer")
|
||||
.HasColumnName("role_id");
|
||||
|
||||
b.HasKey("Id");
|
||||
|
||||
b.HasIndex("RoleId");
|
||||
|
||||
b.ToTable("identity_role_claims", "identity");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("Microsoft.AspNetCore.Identity.IdentityUserClaim<int>", b =>
|
||||
{
|
||||
b.Property<int>("Id")
|
||||
.ValueGeneratedOnAdd()
|
||||
.HasColumnType("integer")
|
||||
.HasColumnName("id");
|
||||
|
||||
NpgsqlPropertyBuilderExtensions.UseIdentityByDefaultColumn(b.Property<int>("Id"));
|
||||
|
||||
b.Property<string>("ClaimType")
|
||||
.HasColumnType("text")
|
||||
.HasColumnName("claim_type");
|
||||
|
||||
b.Property<string>("ClaimValue")
|
||||
.HasColumnType("text")
|
||||
.HasColumnName("claim_value");
|
||||
|
||||
b.Property<int>("UserId")
|
||||
.HasColumnType("integer")
|
||||
.HasColumnName("user_id");
|
||||
|
||||
b.HasKey("Id");
|
||||
|
||||
b.HasIndex("UserId");
|
||||
|
||||
b.ToTable("identity_user_claims", "identity");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("Microsoft.AspNetCore.Identity.IdentityUserLogin<int>", b =>
|
||||
{
|
||||
b.Property<string>("LoginProvider")
|
||||
.HasColumnType("text")
|
||||
.HasColumnName("login_provider");
|
||||
|
||||
b.Property<string>("ProviderKey")
|
||||
.HasColumnType("text")
|
||||
.HasColumnName("provider_key");
|
||||
|
||||
b.Property<string>("ProviderDisplayName")
|
||||
.HasColumnType("text")
|
||||
.HasColumnName("provider_display_name");
|
||||
|
||||
b.Property<int>("UserId")
|
||||
.HasColumnType("integer")
|
||||
.HasColumnName("user_id");
|
||||
|
||||
b.HasKey("LoginProvider", "ProviderKey");
|
||||
|
||||
b.HasIndex("UserId");
|
||||
|
||||
b.ToTable("identity_user_logins", "identity");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("Microsoft.AspNetCore.Identity.IdentityUserRole<int>", b =>
|
||||
{
|
||||
b.Property<int>("UserId")
|
||||
.HasColumnType("integer")
|
||||
.HasColumnName("user_id");
|
||||
|
||||
b.Property<int>("RoleId")
|
||||
.HasColumnType("integer")
|
||||
.HasColumnName("role_id");
|
||||
|
||||
b.HasKey("UserId", "RoleId");
|
||||
|
||||
b.HasIndex("RoleId");
|
||||
|
||||
b.ToTable("identity_user_roles", "identity");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("Microsoft.AspNetCore.Identity.IdentityUserToken<int>", b =>
|
||||
{
|
||||
b.Property<int>("UserId")
|
||||
.HasColumnType("integer")
|
||||
.HasColumnName("user_id");
|
||||
|
||||
b.Property<string>("LoginProvider")
|
||||
.HasColumnType("text")
|
||||
.HasColumnName("login_provider");
|
||||
|
||||
b.Property<string>("Name")
|
||||
.HasColumnType("text")
|
||||
.HasColumnName("name");
|
||||
|
||||
b.Property<string>("Value")
|
||||
.HasColumnType("text")
|
||||
.HasColumnName("value");
|
||||
|
||||
b.HasKey("UserId", "LoginProvider", "Name");
|
||||
|
||||
b.ToTable("identity_user_tokens", "identity");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("AutobusApi.Infrastructure.Identity.ApplicationUser", b =>
|
||||
{
|
||||
b.OwnsMany("AutobusApi.Infrastructure.Identity.RefreshToken", "RefreshTokens", b1 =>
|
||||
{
|
||||
b1.Property<int>("Id")
|
||||
.ValueGeneratedOnAdd()
|
||||
.HasColumnType("int")
|
||||
.HasColumnName("id");
|
||||
|
||||
NpgsqlPropertyBuilderExtensions.UseIdentityByDefaultColumn(b1.Property<int>("Id"));
|
||||
|
||||
b1.Property<int>("ApplicationUserId")
|
||||
.HasColumnType("int")
|
||||
.HasColumnName("identity_user_id");
|
||||
|
||||
b1.Property<DateTime>("CreationDateTimeUtc")
|
||||
.HasColumnType("timestamptz")
|
||||
.HasColumnName("creation_timestamp_utc");
|
||||
|
||||
b1.Property<DateTime>("ExpirationDateTimeUtc")
|
||||
.HasColumnType("timestamptz")
|
||||
.HasColumnName("expiration_timestamp_utc");
|
||||
|
||||
b1.Property<DateTime?>("RevokationDateTimeUtc")
|
||||
.HasColumnType("timestamptz")
|
||||
.HasColumnName("revokation_timestamp_utc");
|
||||
|
||||
b1.Property<string>("Value")
|
||||
.IsRequired()
|
||||
.HasColumnType("varchar(256)")
|
||||
.HasColumnName("value");
|
||||
|
||||
b1.HasKey("Id")
|
||||
.HasName("id");
|
||||
|
||||
b1.HasIndex("ApplicationUserId");
|
||||
|
||||
b1.ToTable("identity_user_refresh_tokens", "identity");
|
||||
|
||||
b1.WithOwner("ApplicationUser")
|
||||
.HasForeignKey("ApplicationUserId")
|
||||
.HasConstraintName("fk_identityUserRefreshTokens_identityUser_userId");
|
||||
|
||||
b1.Navigation("ApplicationUser");
|
||||
});
|
||||
|
||||
b.Navigation("RefreshTokens");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("Microsoft.AspNetCore.Identity.IdentityRoleClaim<int>", b =>
|
||||
{
|
||||
b.HasOne("Microsoft.AspNetCore.Identity.IdentityRole<int>", null)
|
||||
.WithMany()
|
||||
.HasForeignKey("RoleId")
|
||||
.OnDelete(DeleteBehavior.Cascade)
|
||||
.IsRequired();
|
||||
});
|
||||
|
||||
modelBuilder.Entity("Microsoft.AspNetCore.Identity.IdentityUserClaim<int>", b =>
|
||||
{
|
||||
b.HasOne("AutobusApi.Infrastructure.Identity.ApplicationUser", null)
|
||||
.WithMany()
|
||||
.HasForeignKey("UserId")
|
||||
.OnDelete(DeleteBehavior.Cascade)
|
||||
.IsRequired();
|
||||
});
|
||||
|
||||
modelBuilder.Entity("Microsoft.AspNetCore.Identity.IdentityUserLogin<int>", b =>
|
||||
{
|
||||
b.HasOne("AutobusApi.Infrastructure.Identity.ApplicationUser", null)
|
||||
.WithMany()
|
||||
.HasForeignKey("UserId")
|
||||
.OnDelete(DeleteBehavior.Cascade)
|
||||
.IsRequired();
|
||||
});
|
||||
|
||||
modelBuilder.Entity("Microsoft.AspNetCore.Identity.IdentityUserRole<int>", b =>
|
||||
{
|
||||
b.HasOne("Microsoft.AspNetCore.Identity.IdentityRole<int>", null)
|
||||
.WithMany()
|
||||
.HasForeignKey("RoleId")
|
||||
.OnDelete(DeleteBehavior.Cascade)
|
||||
.IsRequired();
|
||||
|
||||
b.HasOne("AutobusApi.Infrastructure.Identity.ApplicationUser", null)
|
||||
.WithMany()
|
||||
.HasForeignKey("UserId")
|
||||
.OnDelete(DeleteBehavior.Cascade)
|
||||
.IsRequired();
|
||||
});
|
||||
|
||||
modelBuilder.Entity("Microsoft.AspNetCore.Identity.IdentityUserToken<int>", b =>
|
||||
{
|
||||
b.HasOne("AutobusApi.Infrastructure.Identity.ApplicationUser", null)
|
||||
.WithMany()
|
||||
.HasForeignKey("UserId")
|
||||
.OnDelete(DeleteBehavior.Cascade)
|
||||
.IsRequired();
|
||||
});
|
||||
#pragma warning restore 612, 618
|
||||
}
|
||||
}
|
||||
}
|
22
AutobusApi.Infrastructure/Identity/RefreshToken.cs
Normal file
22
AutobusApi.Infrastructure/Identity/RefreshToken.cs
Normal file
@ -0,0 +1,22 @@
|
||||
namespace AutobusApi.Infrastructure.Identity;
|
||||
|
||||
public class RefreshToken
|
||||
{
|
||||
public int Id { get; set; }
|
||||
|
||||
public string Value { get; set; } = null!;
|
||||
|
||||
public DateTime CreationDateTimeUtc { get; set; }
|
||||
|
||||
public DateTime ExpirationDateTimeUtc { get; set; }
|
||||
|
||||
public DateTime? RevokationDateTimeUtc { get; set; }
|
||||
|
||||
public bool IsExpired => DateTime.UtcNow >= ExpirationDateTimeUtc;
|
||||
|
||||
public bool IsActive => RevokationDateTimeUtc is null && !IsExpired;
|
||||
|
||||
public int ApplicationUserId { get; set; }
|
||||
|
||||
public ApplicationUser ApplicationUser { get; set; } = null!;
|
||||
}
|
174
AutobusApi.Infrastructure/Services/IdentityService.cs
Normal file
174
AutobusApi.Infrastructure/Services/IdentityService.cs
Normal file
@ -0,0 +1,174 @@
|
||||
using System.IdentityModel.Tokens.Jwt;
|
||||
using System.Security.Claims;
|
||||
using System.Security.Cryptography;
|
||||
using System.Text;
|
||||
using AutobusApi.Application.Common.Exceptions;
|
||||
using AutobusApi.Application.Common.Interfaces;
|
||||
using AutobusApi.Application.Common.Models.Identity;
|
||||
using AutobusApi.Domain.Enums;
|
||||
using AutobusApi.Infrastructure.Identity;
|
||||
using Microsoft.AspNetCore.Identity;
|
||||
using Microsoft.EntityFrameworkCore;
|
||||
using Microsoft.Extensions.Configuration;
|
||||
using Microsoft.IdentityModel.Tokens;
|
||||
|
||||
namespace AutobusApi.Infrastructure.Services;
|
||||
|
||||
public class IdentityService : IIdentityService
|
||||
{
|
||||
private readonly UserManager<ApplicationUser> _userManager;
|
||||
private readonly IConfiguration _configuration;
|
||||
|
||||
public IdentityService(
|
||||
UserManager<ApplicationUser> userManager,
|
||||
IConfiguration configuration)
|
||||
{
|
||||
_userManager = userManager;
|
||||
_configuration = configuration;
|
||||
}
|
||||
|
||||
public async Task RegisterAsync(
|
||||
string email,
|
||||
string password,
|
||||
CancellationToken cancellationToken)
|
||||
{
|
||||
var userWithSameEmail = await _userManager.FindByEmailAsync(email);
|
||||
if (userWithSameEmail is not null)
|
||||
{
|
||||
throw new RegistrationException("User with given email already registered.");
|
||||
}
|
||||
|
||||
var newUser = new ApplicationUser
|
||||
{
|
||||
UserName = email,
|
||||
Email = email
|
||||
};
|
||||
|
||||
var createUserResult = await _userManager.CreateAsync(newUser, password);
|
||||
var addToRoleResult = await _userManager.AddToRoleAsync(newUser, IdentityRoles.User.ToString());
|
||||
}
|
||||
|
||||
public async Task<TokensModel> LoginAsync(
|
||||
string email,
|
||||
string password,
|
||||
CancellationToken cancellationToken)
|
||||
{
|
||||
var user = await _userManager.FindByEmailAsync(email);
|
||||
if (user is null)
|
||||
{
|
||||
throw new LoginException("No users registered with given email.");
|
||||
}
|
||||
|
||||
var isPasswordCorrect = await _userManager.CheckPasswordAsync(user, password);
|
||||
if (!isPasswordCorrect)
|
||||
{
|
||||
throw new LoginException("Given password is incorrect.");
|
||||
}
|
||||
|
||||
var jwtSecurityToken = await CreateJwtAsync(user, cancellationToken);
|
||||
var accessToken = new JwtSecurityTokenHandler().WriteToken(jwtSecurityToken);
|
||||
|
||||
var refreshToken = user.RefreshTokens.FirstOrDefault(t => t.IsActive);
|
||||
if (refreshToken is null)
|
||||
{
|
||||
refreshToken = CreateRefreshToken();
|
||||
user.RefreshTokens.Add(refreshToken);
|
||||
await _userManager.UpdateAsync(user);
|
||||
}
|
||||
|
||||
return new TokensModel(accessToken, refreshToken.Value);
|
||||
}
|
||||
|
||||
public async Task<TokensModel> RenewAccessTokenAsync(
|
||||
string refreshToken,
|
||||
CancellationToken cancellationToken)
|
||||
{
|
||||
var user = await _userManager.Users.SingleOrDefaultAsync(u => u.RefreshTokens.Any(rt => rt.Value == refreshToken));
|
||||
if (user is null)
|
||||
{
|
||||
throw new RenewAccessTokenException($"Refresh token {refreshToken} was not found.");
|
||||
}
|
||||
|
||||
var refreshTokenObject = user.RefreshTokens.Single(rt => rt.Value == refreshToken);
|
||||
if (!refreshTokenObject.IsActive)
|
||||
{
|
||||
throw new RenewAccessTokenException("Refresh token is inactive.");
|
||||
}
|
||||
|
||||
var jwtSecurityToken = await CreateJwtAsync(user, cancellationToken);
|
||||
var accessToken = new JwtSecurityTokenHandler().WriteToken(jwtSecurityToken);
|
||||
|
||||
return new TokensModel(accessToken, refreshToken);
|
||||
}
|
||||
|
||||
public async Task RevokeRefreshTokenAsync(
|
||||
string refreshToken,
|
||||
CancellationToken cancellationToken)
|
||||
{
|
||||
var user = await _userManager.Users.SingleOrDefaultAsync(u => u.RefreshTokens.Any(t => t.Value == refreshToken));
|
||||
if (user is null)
|
||||
{
|
||||
throw new RevokeRefreshTokenException("Invalid refreshToken");
|
||||
}
|
||||
|
||||
var refreshTokenObject = user.RefreshTokens.Single(x => x.Value == refreshToken);
|
||||
if (!refreshTokenObject.IsActive)
|
||||
{
|
||||
throw new RevokeRefreshTokenException("RefreshToken already revoked");
|
||||
}
|
||||
|
||||
refreshTokenObject.RevokationDateTimeUtc = DateTime.UtcNow;
|
||||
await _userManager.UpdateAsync(user);
|
||||
}
|
||||
|
||||
private async Task<JwtSecurityToken> CreateJwtAsync(
|
||||
ApplicationUser user,
|
||||
CancellationToken cancellationToken)
|
||||
{
|
||||
var userClaims = await _userManager.GetClaimsAsync(user);
|
||||
|
||||
var roles = await _userManager.GetRolesAsync(user);
|
||||
var roleClaims = new List<Claim>();
|
||||
foreach (var role in roles)
|
||||
{
|
||||
roleClaims.Add(new Claim("roles", role));
|
||||
}
|
||||
|
||||
var claims = new List<Claim>()
|
||||
{
|
||||
new Claim(JwtRegisteredClaimNames.Sub, user.Id.ToString()),
|
||||
new Claim(JwtRegisteredClaimNames.Email, user.Email)
|
||||
}
|
||||
.Union(userClaims)
|
||||
.Union(roleClaims);
|
||||
|
||||
var jwtExpirationDateTimeUtc = DateTime.UtcNow.AddMinutes(Double.Parse(_configuration["Jwt:AccessTokenValidityInMinutes"]));
|
||||
|
||||
var symmetricSecurityKey = new SymmetricSecurityKey(Encoding.UTF8.GetBytes(_configuration["Jwt:IssuerSigningKey"]));
|
||||
var signingCredentials = new SigningCredentials(symmetricSecurityKey, SecurityAlgorithms.HmacSha256);
|
||||
|
||||
var jwtSecurityToken = new JwtSecurityToken(
|
||||
issuer: _configuration["Jwt:Issuer"],
|
||||
audience: _configuration["Jwt:Audience"],
|
||||
claims: claims,
|
||||
expires: jwtExpirationDateTimeUtc,
|
||||
signingCredentials: signingCredentials);
|
||||
|
||||
return jwtSecurityToken;
|
||||
}
|
||||
|
||||
private RefreshToken CreateRefreshToken()
|
||||
{
|
||||
var randomNumber = new byte[32];
|
||||
|
||||
using var rng = RandomNumberGenerator.Create();
|
||||
rng.GetNonZeroBytes(randomNumber);
|
||||
|
||||
return new RefreshToken
|
||||
{
|
||||
Value = Convert.ToBase64String(randomNumber),
|
||||
CreationDateTimeUtc = DateTime.UtcNow,
|
||||
ExpirationDateTimeUtc = DateTime.UtcNow.AddDays(Double.Parse(_configuration["Jwt:RefreshTokenValidityInDays"]))
|
||||
};
|
||||
}
|
||||
}
|
@ -1,24 +1,28 @@
|
||||
<Project Sdk="Microsoft.NET.Sdk">
|
||||
|
||||
<PropertyGroup>
|
||||
<TargetFramework>net7.0</TargetFramework>
|
||||
<ImplicitUsings>enable</ImplicitUsings>
|
||||
<Nullable>enable</Nullable>
|
||||
|
||||
<IsPackable>false</IsPackable>
|
||||
</PropertyGroup>
|
||||
|
||||
<ItemGroup>
|
||||
<PackageReference Include="Microsoft.NET.Test.Sdk" Version="17.3.2" />
|
||||
<PackageReference Include="xunit" Version="2.4.2" />
|
||||
<PackageReference Include="xunit.runner.visualstudio" Version="2.4.5">
|
||||
<IncludeAssets>runtime; build; native; contentfiles; analyzers; buildtransitive</IncludeAssets>
|
||||
<PrivateAssets>all</PrivateAssets>
|
||||
</PackageReference>
|
||||
<PackageReference Include="coverlet.collector" Version="3.1.2">
|
||||
<IncludeAssets>runtime; build; native; contentfiles; analyzers; buildtransitive</IncludeAssets>
|
||||
<PrivateAssets>all</PrivateAssets>
|
||||
</PackageReference>
|
||||
</ItemGroup>
|
||||
|
||||
</Project>
|
||||
<Project Sdk="Microsoft.NET.Sdk.Web">
|
||||
|
||||
<PropertyGroup>
|
||||
<TargetFramework>net7.0</TargetFramework>
|
||||
<ImplicitUsings>enable</ImplicitUsings>
|
||||
<Nullable>enable</Nullable>
|
||||
|
||||
<IsPackable>false</IsPackable>
|
||||
</PropertyGroup>
|
||||
|
||||
<ItemGroup>
|
||||
<PackageReference Include="Microsoft.AspNetCore.Mvc.Testing" Version="7.0.13" />
|
||||
<PackageReference Include="Microsoft.EntityFrameworkCore" Version="7.0.13" />
|
||||
<PackageReference Include="Microsoft.EntityFrameworkCore.InMemory" Version="7.0.13" />
|
||||
|
||||
<PackageReference Include="Microsoft.NET.Test.Sdk" Version="17.8.0" />
|
||||
<PackageReference Include="xunit" Version="2.6.1" />
|
||||
<PackageReference Include="xunit.runner.visualstudio" Version="2.5.3">
|
||||
<IncludeAssets>runtime; build; native; contentfiles; analyzers; buildtransitive</IncludeAssets>
|
||||
<PrivateAssets>all</PrivateAssets>
|
||||
</PackageReference>
|
||||
</ItemGroup>
|
||||
|
||||
<ItemGroup>
|
||||
<ProjectReference Include="..\AutobusApi.Api\AutobusApi.Api.csproj" />
|
||||
</ItemGroup>
|
||||
|
||||
</Project>
|
||||
|
Some files were not shown because too many files have changed in this diff Show More
Loading…
Reference in New Issue
Block a user