From ee51de7f2bd771ec41151eadc4bd32f84d93a928 Mon Sep 17 00:00:00 2001 From: James Gunn Date: Wed, 18 Dec 2024 15:27:26 +0000 Subject: [PATCH] Add CLI commands for managing webhook endpoints (#1754) --- .../TeachingRecordSystem.Api/GlobalUsings.cs | 1 + .../Commands.WebhookEndpoint.cs | 333 ++ .../src/TeachingRecordSystem.Cli/Program.cs | 1 + .../ApiSchema}/VersionRegistry.cs | 4 +- .../Mappings/WebhookEndpointMapping.cs | 3 +- ...104549_WebhookEndpointMetadata.Designer.cs | 3279 +++++++++++++++++ .../20241218104549_WebhookEndpointMetadata.cs | 51 + .../Migrations/TrsDbContextModelSnapshot.cs | 16 +- .../Postgres/Models/WebhookEndpoint.cs | 4 + .../Events/Models/WebhookEndpoint.cs | 21 + .../Events/WebhookEndpointCreatedEvent.cs | 8 + .../Events/WebhookEndpointDeletedEvent.cs | 8 + .../Events/WebhookEndpointUpdatedEvent.cs | 19 + .../Webhooks/WebhookMessageFactory.cs | 6 +- .../GlobalUsings.cs | 1 + .../Webhooks/WebhookDeliveryServiceTests.cs | 2 + .../Services/Webhooks/WebhookSenderTests.cs | 4 +- 17 files changed, 3756 insertions(+), 5 deletions(-) create mode 100644 TeachingRecordSystem/src/TeachingRecordSystem.Cli/Commands.WebhookEndpoint.cs rename TeachingRecordSystem/src/{TeachingRecordSystem.Api => TeachingRecordSystem.Core/ApiSchema}/VersionRegistry.cs (95%) create mode 100644 TeachingRecordSystem/src/TeachingRecordSystem.Core/DataStore/Postgres/Migrations/20241218104549_WebhookEndpointMetadata.Designer.cs create mode 100644 TeachingRecordSystem/src/TeachingRecordSystem.Core/DataStore/Postgres/Migrations/20241218104549_WebhookEndpointMetadata.cs create mode 100644 TeachingRecordSystem/src/TeachingRecordSystem.Core/Events/Models/WebhookEndpoint.cs create mode 100644 TeachingRecordSystem/src/TeachingRecordSystem.Core/Events/WebhookEndpointCreatedEvent.cs create mode 100644 TeachingRecordSystem/src/TeachingRecordSystem.Core/Events/WebhookEndpointDeletedEvent.cs create mode 100644 TeachingRecordSystem/src/TeachingRecordSystem.Core/Events/WebhookEndpointUpdatedEvent.cs diff --git a/TeachingRecordSystem/src/TeachingRecordSystem.Api/GlobalUsings.cs b/TeachingRecordSystem/src/TeachingRecordSystem.Api/GlobalUsings.cs index 5e7f7278a..80de4427a 100644 --- a/TeachingRecordSystem/src/TeachingRecordSystem.Api/GlobalUsings.cs +++ b/TeachingRecordSystem/src/TeachingRecordSystem.Api/GlobalUsings.cs @@ -1,2 +1,3 @@ global using AutoMapper; +global using TeachingRecordSystem.Core.ApiSchema; global using PostgresModels = TeachingRecordSystem.Core.DataStore.Postgres.Models; diff --git a/TeachingRecordSystem/src/TeachingRecordSystem.Cli/Commands.WebhookEndpoint.cs b/TeachingRecordSystem/src/TeachingRecordSystem.Cli/Commands.WebhookEndpoint.cs new file mode 100644 index 000000000..c5e92c072 --- /dev/null +++ b/TeachingRecordSystem/src/TeachingRecordSystem.Cli/Commands.WebhookEndpoint.cs @@ -0,0 +1,333 @@ +using System.CommandLine.Invocation; +using System.CommandLine.Parsing; +using System.Linq.Expressions; +using System.Text.Json; +using TeachingRecordSystem.Core.ApiSchema; +using TeachingRecordSystem.Core.DataStore.Postgres; +using TeachingRecordSystem.Core.DataStore.Postgres.Models; + +namespace TeachingRecordSystem.Cli; + +public partial class Commands +{ + public static Command CreateWebhookEndpointCommand(IConfiguration configuration) + { + var jsonSerializerOptions = new JsonSerializerOptions { WriteIndented = true }; + + Expression> getEndpointOutputForDisplay = e => + new + { + e.WebhookEndpointId, + e.ApplicationUserId, + ApplicationUserName = e.ApplicationUser.Name, + e.ApiVersion, + e.Address, + e.CloudEventTypes, + e.Enabled + }; + + var command = new Command("webhook-endpoint", "Commands for managing webhook endpoints."); + command.AddCommand(CreateCreateCommand()); + command.AddCommand(CreateDeleteCommand()); + command.AddCommand(CreateGetCommand()); + command.AddCommand(CreateListCommand()); + command.AddCommand(CreateUpdateCommand()); + return command; + + static string ParseApiVersionArgument(ArgumentResult result) + { + var apiVersion = NormalizeApiVersion(result.Tokens.SingleOrDefault()?.Value ?? ""); + if (!VersionRegistry.AllV3MinorVersions.Contains(apiVersion)) + { + result.ErrorMessage = $"'{apiVersion}' is not a valid API version."; + } + return apiVersion; + } + + static string NormalizeApiVersion(string version) => version.StartsWith("V") ? version[1..] : version; + + Command CreateCreateCommand() + { + var userIdOption = new Option("--user-id") { IsRequired = true }; + var addressOption = new Option("--address") { IsRequired = true }; + var cloudEventTypesOption = new Option("--cloud-event-types") { IsRequired = true, AllowMultipleArgumentsPerToken = true }; + var apiVersionOption = new Option("--api-version", ParseApiVersionArgument) { IsRequired = true }; + var enabledOption = new Option("--enabled") { IsRequired = false }; + var connectionStringOption = new Option("--connection-string") { IsRequired = true }; + + var configuredConnectionString = configuration.GetConnectionString("DefaultConnection"); + if (configuredConnectionString is not null) + { + connectionStringOption.SetDefaultValue(configuredConnectionString); + } + + enabledOption.SetDefaultValue(true); + + var command = new Command("create", "Creates a webhook endpoint.") + { + userIdOption, + addressOption, + cloudEventTypesOption, + apiVersionOption, + enabledOption, + connectionStringOption + }; + + command.SetHandler( + async (Guid userId, string address, string[] cloudEventTypes, string apiVersion, bool enable, string connectionString) => + { + await using var dbContext = TrsDbContext.Create(connectionString); + + var webhookEndpointId = Guid.NewGuid(); + var now = DateTime.UtcNow; + + var endpoint = new WebhookEndpoint() + { + WebhookEndpointId = webhookEndpointId, + ApplicationUserId = userId, + Address = address, + ApiVersion = apiVersion, + CloudEventTypes = cloudEventTypes.Order().ToList(), + Enabled = enable, + CreatedOn = now, + UpdatedOn = now + }; + + dbContext.WebhookEndpoints.Add(endpoint); + + dbContext.AddEventWithoutBroadcast(new WebhookEndpointCreatedEvent + { + WebhookEndpoint = EventModels.WebhookEndpoint.FromModel(endpoint), + EventId = Guid.NewGuid(), + CreatedUtc = now, + RaisedBy = SystemUser.SystemUserId + }); + + await dbContext.SaveChangesAsync(); + + var printableEndpoint = await dbContext.WebhookEndpoints + .Where(e => e.WebhookEndpointId == webhookEndpointId) + .OrderBy(e => e.CreatedOn) + .Select(getEndpointOutputForDisplay) + .SingleAsync(); + + var output = JsonSerializer.Serialize(printableEndpoint, jsonSerializerOptions); + Console.WriteLine(output); + }, + userIdOption, + addressOption, + cloudEventTypesOption, + apiVersionOption, + enabledOption, + connectionStringOption); + + return command; + } + + Command CreateDeleteCommand() + { + var webhookEndpointIdOption = new Option(["--webhook-endpoint-id", "--id"]) { IsRequired = true }; + var connectionStringOption = new Option("--connection-string") { IsRequired = true }; + + var configuredConnectionString = configuration.GetConnectionString("DefaultConnection"); + if (configuredConnectionString is not null) + { + connectionStringOption.SetDefaultValue(configuredConnectionString); + } + + var command = new Command("delete", "Deletes a webhook endpoint.") + { + webhookEndpointIdOption, + connectionStringOption + }; + + command.SetHandler( + async (Guid webhookEndpointId, string connectionString) => + { + await using var dbContext = TrsDbContext.Create(connectionString); + + var endpoint = await dbContext.WebhookEndpoints + .SingleAsync(e => e.WebhookEndpointId == webhookEndpointId); + + var now = DateTime.UtcNow; + endpoint.DeletedOn = now; + + dbContext.AddEventWithoutBroadcast(new WebhookEndpointDeletedEvent + { + WebhookEndpoint = EventModels.WebhookEndpoint.FromModel(endpoint), + EventId = Guid.NewGuid(), + CreatedUtc = now, + RaisedBy = SystemUser.SystemUserId + }); + + await dbContext.SaveChangesAsync(); + }, + webhookEndpointIdOption, + connectionStringOption); + + return command; + } + + Command CreateGetCommand() + { + var webhookEndpointIdOption = new Option(["--webhook-endpoint-id", "--id"]) { IsRequired = true }; + var connectionStringOption = new Option("--connection-string") { IsRequired = true }; + + var configuredConnectionString = configuration.GetConnectionString("DefaultConnection"); + if (configuredConnectionString is not null) + { + connectionStringOption.SetDefaultValue(configuredConnectionString); + } + + var command = new Command("get", "Gets a webhook endpoint.") + { + webhookEndpointIdOption, + connectionStringOption + }; + + command.SetHandler( + async (Guid webhookEndpointId, string connectionString) => + { + await using var dbContext = TrsDbContext.Create(connectionString); + + var endpoint = await dbContext.WebhookEndpoints + .Include(e => e.ApplicationUser) + .SingleAsync(e => e.WebhookEndpointId == webhookEndpointId); + + var printableEndpoint = new[] { endpoint }.AsQueryable().Select(getEndpointOutputForDisplay).Single(); + + var output = JsonSerializer.Serialize(printableEndpoint, jsonSerializerOptions); + Console.WriteLine(output); + }, + webhookEndpointIdOption, + connectionStringOption); + + return command; + } + + Command CreateListCommand() + { + var connectionStringOption = new Option("--connection-string") { IsRequired = true }; + + var configuredConnectionString = configuration.GetConnectionString("DefaultConnection"); + if (configuredConnectionString is not null) + { + connectionStringOption.SetDefaultValue(configuredConnectionString); + } + + var command = new Command("list", "Lists the webhook endpoints.") + { + connectionStringOption + }; + + command.SetHandler( + async (string connectionString) => + { + await using var dbContext = TrsDbContext.Create(connectionString); + + var endpoints = await dbContext.WebhookEndpoints + .Where(e => e.ApplicationUser.Active) + .OrderBy(e => e.CreatedOn) + .Select(getEndpointOutputForDisplay) + .ToListAsync(); + + var output = JsonSerializer.Serialize(endpoints, jsonSerializerOptions); + Console.WriteLine(output); + }, + connectionStringOption); + + return command; + } + + Command CreateUpdateCommand() + { + var webhookEndpointIdOption = new Option(["--webhook-endpoint-id", "--id"]) { IsRequired = true }; + var addressOption = new Option("--address") { IsRequired = false }; + var cloudEventTypesOption = new Option("--cloud-event-types") { IsRequired = false, AllowMultipleArgumentsPerToken = true }; + var apiVersionOption = new Option("--api-version", ParseApiVersionArgument) { IsRequired = false }; + var enabledOption = new Option("--enabled") { IsRequired = false }; + var connectionStringOption = new Option("--connection-string") { IsRequired = true }; + + var configuredConnectionString = configuration.GetConnectionString("DefaultConnection"); + if (configuredConnectionString is not null) + { + connectionStringOption.SetDefaultValue(configuredConnectionString); + } + + enabledOption.SetDefaultValue(true); + + var command = new Command("update", "Updates a webhook endpoint.") + { + webhookEndpointIdOption, + addressOption, + cloudEventTypesOption, + apiVersionOption, + enabledOption, + connectionStringOption + }; + + command.SetHandler( + async (InvocationContext context) => + { + var webhookEndpointId = context.ParseResult.GetValueForOption(webhookEndpointIdOption); + var connectionString = context.ParseResult.GetValueForOption(connectionStringOption)!; + + await using var dbContext = TrsDbContext.Create(connectionString); + + var endpoint = await dbContext.WebhookEndpoints + .Include(e => e.ApplicationUser) + .SingleAsync(e => e.WebhookEndpointId == webhookEndpointId); + + var changes = WebhookEndpointUpdatedChanges.None; + + if (context.ParseResult.HasOption(addressOption)) + { + endpoint.Address = context.ParseResult.GetValueForOption(addressOption)!; + changes |= WebhookEndpointUpdatedChanges.Address; + } + + if (context.ParseResult.HasOption(cloudEventTypesOption)) + { + endpoint.CloudEventTypes = context.ParseResult.GetValueForOption(cloudEventTypesOption)!.Order().ToList(); + changes |= WebhookEndpointUpdatedChanges.CloudEventTypes; + } + + if (context.ParseResult.HasOption(apiVersionOption)) + { + endpoint.ApiVersion = context.ParseResult.GetValueForOption(apiVersionOption)!; + changes |= WebhookEndpointUpdatedChanges.ApiVersion; + } + + if (context.ParseResult.HasOption(enabledOption)) + { + endpoint.Enabled = context.ParseResult.GetValueForOption(enabledOption); + changes |= WebhookEndpointUpdatedChanges.Enabled; + } + + if (changes != WebhookEndpointUpdatedChanges.None) + { + var now = DateTime.UtcNow; + endpoint.UpdatedOn = now; + + dbContext.AddEventWithoutBroadcast(new WebhookEndpointUpdatedEvent + { + EventId = Guid.NewGuid(), + CreatedUtc = now, + RaisedBy = SystemUser.SystemUserId, + WebhookEndpoint = EventModels.WebhookEndpoint.FromModel(endpoint), + Changes = changes + }); + + await dbContext.SaveChangesAsync(); + } + + var printableEndpoint = new[] { endpoint }.AsQueryable().Select(getEndpointOutputForDisplay).Single(); + + var output = JsonSerializer.Serialize(printableEndpoint, jsonSerializerOptions); + Console.WriteLine(output); + }); + + return command; + } + } +} diff --git a/TeachingRecordSystem/src/TeachingRecordSystem.Cli/Program.cs b/TeachingRecordSystem/src/TeachingRecordSystem.Cli/Program.cs index 654e3c066..95b0bf2f6 100644 --- a/TeachingRecordSystem/src/TeachingRecordSystem.Cli/Program.cs +++ b/TeachingRecordSystem/src/TeachingRecordSystem.Cli/Program.cs @@ -17,6 +17,7 @@ Commands.CreateGenerateKeyCommand(configuration), Commands.CreateDropDqtReportingReplicationSlotCommand(configuration), Commands.CreateGenerateWebhookSignatureCertificateCommand(configuration), + Commands.CreateWebhookEndpointCommand(configuration), }; return await rootCommand.InvokeAsync(args); diff --git a/TeachingRecordSystem/src/TeachingRecordSystem.Api/VersionRegistry.cs b/TeachingRecordSystem/src/TeachingRecordSystem.Core/ApiSchema/VersionRegistry.cs similarity index 95% rename from TeachingRecordSystem/src/TeachingRecordSystem.Api/VersionRegistry.cs rename to TeachingRecordSystem/src/TeachingRecordSystem.Core/ApiSchema/VersionRegistry.cs index 51cebbf43..2dbe0355b 100644 --- a/TeachingRecordSystem/src/TeachingRecordSystem.Api/VersionRegistry.cs +++ b/TeachingRecordSystem/src/TeachingRecordSystem.Core/ApiSchema/VersionRegistry.cs @@ -1,4 +1,6 @@ -namespace TeachingRecordSystem.Api; +using Microsoft.Extensions.Configuration; + +namespace TeachingRecordSystem.Core.ApiSchema; public static class VersionRegistry { diff --git a/TeachingRecordSystem/src/TeachingRecordSystem.Core/DataStore/Postgres/Mappings/WebhookEndpointMapping.cs b/TeachingRecordSystem/src/TeachingRecordSystem.Core/DataStore/Postgres/Mappings/WebhookEndpointMapping.cs index ad6d5b13a..a3f79022d 100644 --- a/TeachingRecordSystem/src/TeachingRecordSystem.Core/DataStore/Postgres/Mappings/WebhookEndpointMapping.cs +++ b/TeachingRecordSystem/src/TeachingRecordSystem.Core/DataStore/Postgres/Mappings/WebhookEndpointMapping.cs @@ -7,8 +7,9 @@ public class WebhookEndpointMapping : IEntityTypeConfiguration { public void Configure(EntityTypeBuilder builder) { + builder.HasQueryFilter(e => EF.Property(e, nameof(WebhookEndpoint.DeletedOn)) == null); builder.Property(e => e.Address).HasMaxLength(200); builder.Property(e => e.ApiVersion).HasMaxLength(50); - builder.HasOne().WithMany().HasForeignKey(e => e.ApplicationUserId); + builder.HasOne(e => e.ApplicationUser).WithMany().HasForeignKey(e => e.ApplicationUserId); } } diff --git a/TeachingRecordSystem/src/TeachingRecordSystem.Core/DataStore/Postgres/Migrations/20241218104549_WebhookEndpointMetadata.Designer.cs b/TeachingRecordSystem/src/TeachingRecordSystem.Core/DataStore/Postgres/Migrations/20241218104549_WebhookEndpointMetadata.Designer.cs new file mode 100644 index 000000000..07df30a5f --- /dev/null +++ b/TeachingRecordSystem/src/TeachingRecordSystem.Core/DataStore/Postgres/Migrations/20241218104549_WebhookEndpointMetadata.Designer.cs @@ -0,0 +1,3279 @@ +// +using System; +using System.Collections.Generic; +using System.Text.Json; +using Microsoft.EntityFrameworkCore; +using Microsoft.EntityFrameworkCore.Infrastructure; +using Microsoft.EntityFrameworkCore.Migrations; +using Microsoft.EntityFrameworkCore.Storage.ValueConversion; +using Npgsql.EntityFrameworkCore.PostgreSQL.Metadata; +using TeachingRecordSystem.Core.DataStore.Postgres; + +#nullable disable + +namespace TeachingRecordSystem.Core.DataStore.Postgres.Migrations +{ + [DbContext(typeof(TrsDbContext))] + [Migration("20241218104549_WebhookEndpointMetadata")] + partial class WebhookEndpointMetadata + { + /// + protected override void BuildTargetModel(ModelBuilder modelBuilder) + { +#pragma warning disable 612, 618 + modelBuilder + .HasAnnotation("ProductVersion", "8.0.10") + .HasAnnotation("Relational:MaxIdentifierLength", 63); + + NpgsqlModelBuilderExtensions.UseIdentityByDefaultColumns(modelBuilder); + + modelBuilder.Entity("OpenIddict.EntityFrameworkCore.Models.OpenIddictEntityFrameworkCoreApplication", b => + { + b.Property("Id") + .ValueGeneratedOnAdd() + .HasColumnType("uuid") + .HasColumnName("id"); + + b.Property("ApplicationType") + .HasMaxLength(50) + .HasColumnType("character varying(50)") + .HasColumnName("application_type"); + + b.Property("ClientId") + .HasMaxLength(100) + .HasColumnType("character varying(100)") + .HasColumnName("client_id"); + + b.Property("ClientSecret") + .HasColumnType("text") + .HasColumnName("client_secret"); + + b.Property("ClientType") + .HasMaxLength(50) + .HasColumnType("character varying(50)") + .HasColumnName("client_type"); + + b.Property("ConcurrencyToken") + .IsConcurrencyToken() + .HasMaxLength(50) + .HasColumnType("character varying(50)") + .HasColumnName("concurrency_token"); + + b.Property("ConsentType") + .HasMaxLength(50) + .HasColumnType("character varying(50)") + .HasColumnName("consent_type"); + + b.Property("DisplayName") + .HasColumnType("text") + .HasColumnName("display_name"); + + b.Property("DisplayNames") + .HasColumnType("text") + .HasColumnName("display_names"); + + b.Property("JsonWebKeySet") + .HasColumnType("text") + .HasColumnName("json_web_key_set"); + + b.Property("Permissions") + .HasColumnType("text") + .HasColumnName("permissions"); + + b.Property("PostLogoutRedirectUris") + .HasColumnType("text") + .HasColumnName("post_logout_redirect_uris"); + + b.Property("Properties") + .HasColumnType("text") + .HasColumnName("properties"); + + b.Property("RedirectUris") + .HasColumnType("text") + .HasColumnName("redirect_uris"); + + b.Property("Requirements") + .HasColumnType("text") + .HasColumnName("requirements"); + + b.Property("Settings") + .HasColumnType("text") + .HasColumnName("settings"); + + b.HasKey("Id") + .HasName("pk_oidc_applications"); + + b.HasIndex("ClientId") + .IsUnique() + .HasDatabaseName("ix_oidc_applications_client_id"); + + b.ToTable("oidc_applications", (string)null); + }); + + modelBuilder.Entity("OpenIddict.EntityFrameworkCore.Models.OpenIddictEntityFrameworkCoreAuthorization", b => + { + b.Property("Id") + .ValueGeneratedOnAdd() + .HasColumnType("uuid") + .HasColumnName("id"); + + b.Property("ApplicationId") + .HasColumnType("uuid") + .HasColumnName("application_id"); + + b.Property("ConcurrencyToken") + .IsConcurrencyToken() + .HasMaxLength(50) + .HasColumnType("character varying(50)") + .HasColumnName("concurrency_token"); + + b.Property("CreationDate") + .HasColumnType("timestamp with time zone") + .HasColumnName("creation_date"); + + b.Property("Properties") + .HasColumnType("text") + .HasColumnName("properties"); + + b.Property("Scopes") + .HasColumnType("text") + .HasColumnName("scopes"); + + b.Property("Status") + .HasMaxLength(50) + .HasColumnType("character varying(50)") + .HasColumnName("status"); + + b.Property("Subject") + .HasMaxLength(400) + .HasColumnType("character varying(400)") + .HasColumnName("subject"); + + b.Property("Type") + .HasMaxLength(50) + .HasColumnType("character varying(50)") + .HasColumnName("type"); + + b.HasKey("Id") + .HasName("pk_oidc_authorizations"); + + b.HasIndex("ApplicationId", "Status", "Subject", "Type") + .HasDatabaseName("ix_oidc_authorizations_application_id_status_subject_type"); + + b.ToTable("oidc_authorizations", (string)null); + }); + + modelBuilder.Entity("OpenIddict.EntityFrameworkCore.Models.OpenIddictEntityFrameworkCoreScope", b => + { + b.Property("Id") + .ValueGeneratedOnAdd() + .HasColumnType("uuid") + .HasColumnName("id"); + + b.Property("ConcurrencyToken") + .IsConcurrencyToken() + .HasMaxLength(50) + .HasColumnType("character varying(50)") + .HasColumnName("concurrency_token"); + + b.Property("Description") + .HasColumnType("text") + .HasColumnName("description"); + + b.Property("Descriptions") + .HasColumnType("text") + .HasColumnName("descriptions"); + + b.Property("DisplayName") + .HasColumnType("text") + .HasColumnName("display_name"); + + b.Property("DisplayNames") + .HasColumnType("text") + .HasColumnName("display_names"); + + b.Property("Name") + .HasMaxLength(200) + .HasColumnType("character varying(200)") + .HasColumnName("name"); + + b.Property("Properties") + .HasColumnType("text") + .HasColumnName("properties"); + + b.Property("Resources") + .HasColumnType("text") + .HasColumnName("resources"); + + b.HasKey("Id") + .HasName("pk_oidc_scopes"); + + b.HasIndex("Name") + .IsUnique() + .HasDatabaseName("ix_oidc_scopes_name"); + + b.ToTable("oidc_scopes", (string)null); + }); + + modelBuilder.Entity("OpenIddict.EntityFrameworkCore.Models.OpenIddictEntityFrameworkCoreToken", b => + { + b.Property("Id") + .ValueGeneratedOnAdd() + .HasColumnType("uuid") + .HasColumnName("id"); + + b.Property("ApplicationId") + .HasColumnType("uuid") + .HasColumnName("application_id"); + + b.Property("AuthorizationId") + .HasColumnType("uuid") + .HasColumnName("authorization_id"); + + b.Property("ConcurrencyToken") + .IsConcurrencyToken() + .HasMaxLength(50) + .HasColumnType("character varying(50)") + .HasColumnName("concurrency_token"); + + b.Property("CreationDate") + .HasColumnType("timestamp with time zone") + .HasColumnName("creation_date"); + + b.Property("ExpirationDate") + .HasColumnType("timestamp with time zone") + .HasColumnName("expiration_date"); + + b.Property("Payload") + .HasColumnType("text") + .HasColumnName("payload"); + + b.Property("Properties") + .HasColumnType("text") + .HasColumnName("properties"); + + b.Property("RedemptionDate") + .HasColumnType("timestamp with time zone") + .HasColumnName("redemption_date"); + + b.Property("ReferenceId") + .HasMaxLength(100) + .HasColumnType("character varying(100)") + .HasColumnName("reference_id"); + + b.Property("Status") + .HasMaxLength(50) + .HasColumnType("character varying(50)") + .HasColumnName("status"); + + b.Property("Subject") + .HasMaxLength(400) + .HasColumnType("character varying(400)") + .HasColumnName("subject"); + + b.Property("Type") + .HasMaxLength(50) + .HasColumnType("character varying(50)") + .HasColumnName("type"); + + b.HasKey("Id") + .HasName("pk_oidc_tokens"); + + b.HasIndex("ReferenceId") + .IsUnique() + .HasDatabaseName("ix_oidc_tokens_reference_id"); + + b.HasIndex("ApplicationId", "Status", "Subject", "Type") + .HasDatabaseName("ix_oidc_tokens_application_id_status_subject_type"); + + b.ToTable("oidc_tokens", (string)null); + }); + + modelBuilder.Entity("TeachingRecordSystem.Core.DataStore.Postgres.Models.Alert", b => + { + b.Property("AlertId") + .ValueGeneratedOnAdd() + .HasColumnType("uuid") + .HasColumnName("alert_id"); + + b.Property("AlertTypeId") + .HasColumnType("uuid") + .HasColumnName("alert_type_id"); + + b.Property("CreatedOn") + .HasColumnType("timestamp with time zone") + .HasColumnName("created_on"); + + b.Property("DeletedOn") + .HasColumnType("timestamp with time zone") + .HasColumnName("deleted_on"); + + b.Property("Details") + .HasColumnType("text") + .HasColumnName("details"); + + b.Property("DqtCreatedOn") + .HasColumnType("timestamp with time zone") + .HasColumnName("dqt_created_on"); + + b.Property("DqtFirstSync") + .HasColumnType("timestamp with time zone") + .HasColumnName("dqt_first_sync"); + + b.Property("DqtLastSync") + .HasColumnType("timestamp with time zone") + .HasColumnName("dqt_last_sync"); + + b.Property("DqtModifiedOn") + .HasColumnType("timestamp with time zone") + .HasColumnName("dqt_modified_on"); + + b.Property("DqtSanctionId") + .HasColumnType("uuid") + .HasColumnName("dqt_sanction_id"); + + b.Property("DqtState") + .HasColumnType("integer") + .HasColumnName("dqt_state"); + + b.Property("EndDate") + .HasColumnType("date") + .HasColumnName("end_date"); + + b.Property("ExternalLink") + .HasColumnType("text") + .HasColumnName("external_link"); + + b.Property("PersonId") + .HasColumnType("uuid") + .HasColumnName("person_id"); + + b.Property("StartDate") + .HasColumnType("date") + .HasColumnName("start_date"); + + b.Property("UpdatedOn") + .HasColumnType("timestamp with time zone") + .HasColumnName("updated_on"); + + b.HasKey("AlertId") + .HasName("pk_alerts"); + + b.HasIndex("AlertTypeId") + .HasDatabaseName("ix_alerts_alert_type_id"); + + b.HasIndex("PersonId") + .HasDatabaseName("ix_alerts_person_id"); + + b.ToTable("alerts", (string)null); + }); + + modelBuilder.Entity("TeachingRecordSystem.Core.DataStore.Postgres.Models.AlertCategory", b => + { + b.Property("AlertCategoryId") + .ValueGeneratedOnAdd() + .HasColumnType("uuid") + .HasColumnName("alert_category_id"); + + b.Property("DisplayOrder") + .HasColumnType("integer") + .HasColumnName("display_order"); + + b.Property("Name") + .IsRequired() + .HasMaxLength(200) + .HasColumnType("character varying(200)") + .HasColumnName("name") + .UseCollation("case_insensitive"); + + b.HasKey("AlertCategoryId") + .HasName("pk_alert_categories"); + + b.HasIndex("DisplayOrder") + .IsUnique() + .HasDatabaseName("ix_alert_categories_display_order"); + + b.ToTable("alert_categories", (string)null); + + b.HasData( + new + { + AlertCategoryId = new Guid("ee78d44d-abf8-44a9-b22b-87a821f8d3c9"), + DisplayOrder = 1, + Name = "EEA Decision" + }, + new + { + AlertCategoryId = new Guid("0ae0707b-1503-477d-bc0f-1505ed95dbdf"), + DisplayOrder = 2, + Name = "Failed induction" + }, + new + { + AlertCategoryId = new Guid("768c9eb4-355b-4491-bb20-67eb59a97579"), + DisplayOrder = 3, + Name = "Flag" + }, + new + { + AlertCategoryId = new Guid("06d98708-b52d-496a-aaa7-c1d7d2ca8b24"), + DisplayOrder = 4, + Name = "GTC Decision" + }, + new + { + AlertCategoryId = new Guid("70b7d473-2ec8-4643-bfd4-d4ab9a9a0988"), + DisplayOrder = 5, + Name = "GTC Prohibition from teaching" + }, + new + { + AlertCategoryId = new Guid("790410c1-b884-4cdd-8db9-64a042ab54ae"), + DisplayOrder = 6, + Name = "GTC Restriction" + }, + new + { + AlertCategoryId = new Guid("b2b19019-b165-47a3-8745-3297ff152581"), + DisplayOrder = 7, + Name = "Prohibition from teaching" + }, + new + { + AlertCategoryId = new Guid("e8a9ee91-bf7f-4f70-bc66-a644d522384e"), + DisplayOrder = 8, + Name = "Restricted/DBS" + }, + new + { + AlertCategoryId = new Guid("cbf7633f-3904-407d-8371-42a473fa641f"), + DisplayOrder = 9, + Name = "Restriction" + }, + new + { + AlertCategoryId = new Guid("38df5a00-94ab-486f-8905-d5b2eac04000"), + DisplayOrder = 10, + Name = "Section 128 (SoS)" + }, + new + { + AlertCategoryId = new Guid("227b75e5-bb98-496c-8860-1baea37aa5c6"), + DisplayOrder = 12, + Name = "TRA Decision (SoS)" + }, + new + { + AlertCategoryId = new Guid("e4057fc2-a010-42a9-8cb2-7dcc5c9b5fa7"), + DisplayOrder = 11, + Name = "SoS Restriction" + }); + }); + + modelBuilder.Entity("TeachingRecordSystem.Core.DataStore.Postgres.Models.AlertType", b => + { + b.Property("AlertTypeId") + .ValueGeneratedOnAdd() + .HasColumnType("uuid") + .HasColumnName("alert_type_id"); + + b.Property("AlertCategoryId") + .HasColumnType("uuid") + .HasColumnName("alert_category_id"); + + b.Property("DisplayOrder") + .HasColumnType("integer") + .HasColumnName("display_order"); + + b.Property("DqtSanctionCode") + .HasMaxLength(5) + .HasColumnType("character varying(5)") + .HasColumnName("dqt_sanction_code") + .UseCollation("case_insensitive"); + + b.Property("InternalOnly") + .HasColumnType("boolean") + .HasColumnName("internal_only"); + + b.Property("IsActive") + .HasColumnType("boolean") + .HasColumnName("is_active"); + + b.Property("Name") + .IsRequired() + .HasMaxLength(200) + .HasColumnType("character varying(200)") + .HasColumnName("name") + .UseCollation("case_insensitive"); + + b.Property("ProhibitionLevel") + .HasColumnType("integer") + .HasColumnName("prohibition_level"); + + b.HasKey("AlertTypeId") + .HasName("pk_alert_types"); + + b.HasIndex("AlertCategoryId") + .HasDatabaseName("ix_alert_types_alert_category_id"); + + b.HasIndex("AlertCategoryId", "DisplayOrder") + .IsUnique() + .HasDatabaseName("ix_alert_types_display_order") + .HasFilter("display_order is not null and is_active = true"); + + b.ToTable("alert_types", (string)null); + + b.HasData( + new + { + AlertTypeId = new Guid("2ca98658-1d5b-49d5-b05f-cc08c8b8502c"), + AlertCategoryId = new Guid("ee78d44d-abf8-44a9-b22b-87a821f8d3c9"), + DisplayOrder = 1, + DqtSanctionCode = "T8", + InternalOnly = true, + IsActive = true, + Name = "Teacher sanctioned in other EEA member state", + ProhibitionLevel = 3 + }, + new + { + AlertTypeId = new Guid("9fafaa80-f9f8-44a0-b7b3-cffedcbe0298"), + AlertCategoryId = new Guid("0ae0707b-1503-477d-bc0f-1505ed95dbdf"), + DisplayOrder = 1, + DqtSanctionCode = "C2", + InternalOnly = false, + IsActive = true, + Name = "Failed induction", + ProhibitionLevel = 1 + }, + new + { + AlertTypeId = new Guid("651e1f56-3135-4961-bd7e-3f7b2c75cb04"), + AlertCategoryId = new Guid("0ae0707b-1503-477d-bc0f-1505ed95dbdf"), + DqtSanctionCode = "C1", + InternalOnly = false, + IsActive = false, + Name = "Prohibited by the Secretary of State - failed probation", + ProhibitionLevel = 1 + }, + new + { + AlertTypeId = new Guid("5ea8bb68-4774-4ad8-b635-213a0cdda4c3"), + AlertCategoryId = new Guid("0ae0707b-1503-477d-bc0f-1505ed95dbdf"), + DqtSanctionCode = "C3", + InternalOnly = false, + IsActive = false, + Name = "Restricted by the Secretary of State - failed probation - permitted to carry out specified work for a period equal in length to a statutory induction period only", + ProhibitionLevel = 1 + }, + new + { + AlertTypeId = new Guid("ae3e385d-03f8-4f12-9ce2-006afe827d23"), + AlertCategoryId = new Guid("768c9eb4-355b-4491-bb20-67eb59a97579"), + DisplayOrder = 1, + DqtSanctionCode = "T9", + InternalOnly = true, + IsActive = true, + Name = "FOR INTERNAL INFORMATION ONLY - see alert details", + ProhibitionLevel = 0 + }, + new + { + AlertTypeId = new Guid("12435c00-88cb-406b-b2b8-7400c1ced7b8"), + AlertCategoryId = new Guid("768c9eb4-355b-4491-bb20-67eb59a97579"), + DisplayOrder = 2, + DqtSanctionCode = "T10", + InternalOnly = true, + IsActive = true, + Name = "FOR INTERNAL USER ONLY – known duplicate record", + ProhibitionLevel = 0 + }, + new + { + AlertTypeId = new Guid("a6fc9f2e-8923-4163-978e-93bd901d146f"), + AlertCategoryId = new Guid("06d98708-b52d-496a-aaa7-c1d7d2ca8b24"), + DqtSanctionCode = "A18", + InternalOnly = false, + IsActive = false, + Name = "Conditional Registration Order - conviction of a relevant offence", + ProhibitionLevel = 2 + }, + new + { + AlertTypeId = new Guid("1ebd1620-293d-4169-ba78-0b41a6413ad9"), + AlertCategoryId = new Guid("06d98708-b52d-496a-aaa7-c1d7d2ca8b24"), + DqtSanctionCode = "A7", + InternalOnly = false, + IsActive = false, + Name = "Conditional Registration Order - serious professional incompetence", + ProhibitionLevel = 2 + }, + new + { + AlertTypeId = new Guid("3499860a-a0fb-43e3-878e-c226d14150b0"), + AlertCategoryId = new Guid("06d98708-b52d-496a-aaa7-c1d7d2ca8b24"), + DqtSanctionCode = "A3", + InternalOnly = false, + IsActive = false, + Name = "Conditional Registration Order - unacceptable professional conduct", + ProhibitionLevel = 2 + }, + new + { + AlertTypeId = new Guid("552ee226-a3a9-4dc3-8d04-0b7e4f641b51"), + AlertCategoryId = new Guid("06d98708-b52d-496a-aaa7-c1d7d2ca8b24"), + DqtSanctionCode = "A15", + InternalOnly = true, + IsActive = false, + Name = "For internal information only - historic GTC finding of unsuitable for registration", + ProhibitionLevel = 0 + }, + new + { + AlertTypeId = new Guid("33e00e46-6513-4136-adfd-1352cf34d8ec"), + AlertCategoryId = new Guid("06d98708-b52d-496a-aaa7-c1d7d2ca8b24"), + DqtSanctionCode = "A22", + InternalOnly = true, + IsActive = false, + Name = "No Sanction - breach of condition(s)", + ProhibitionLevel = 0 + }, + new + { + AlertTypeId = new Guid("0740f9eb-ece3-4394-a230-453da224d337"), + AlertCategoryId = new Guid("06d98708-b52d-496a-aaa7-c1d7d2ca8b24"), + DqtSanctionCode = "A16", + InternalOnly = true, + IsActive = false, + Name = "No Sanction - conviction for a relevant offence", + ProhibitionLevel = 0 + }, + new + { + AlertTypeId = new Guid("b6c8d8f1-723e-49a5-9551-25805e3e29b9"), + AlertCategoryId = new Guid("06d98708-b52d-496a-aaa7-c1d7d2ca8b24"), + DqtSanctionCode = "A12", + InternalOnly = true, + IsActive = false, + Name = "No Sanction - serious professional incompetence", + ProhibitionLevel = 0 + }, + new + { + AlertTypeId = new Guid("78f88de2-9ec1-41b8-948a-33bdff223206"), + AlertCategoryId = new Guid("06d98708-b52d-496a-aaa7-c1d7d2ca8b24"), + DqtSanctionCode = "A11", + InternalOnly = true, + IsActive = false, + Name = "No Sanction - unacceptable professional conduct", + ProhibitionLevel = 0 + }, + new + { + AlertTypeId = new Guid("fcff87d6-88f5-4fc5-ac81-5350b4fdd9e1"), + AlertCategoryId = new Guid("06d98708-b52d-496a-aaa7-c1d7d2ca8b24"), + DqtSanctionCode = "A17", + InternalOnly = true, + IsActive = false, + Name = "Reprimand - conviction of a relevant offence", + ProhibitionLevel = 0 + }, + new + { + AlertTypeId = new Guid("3f7de5fd-05a8-404f-a97c-428f54e81322"), + AlertCategoryId = new Guid("06d98708-b52d-496a-aaa7-c1d7d2ca8b24"), + DqtSanctionCode = "A8", + InternalOnly = true, + IsActive = false, + Name = "Reprimand - serious professional incompetence", + ProhibitionLevel = 0 + }, + new + { + AlertTypeId = new Guid("0ae8d4b6-ec9b-47ca-9338-6dae9192afe5"), + AlertCategoryId = new Guid("06d98708-b52d-496a-aaa7-c1d7d2ca8b24"), + DqtSanctionCode = "A4", + InternalOnly = true, + IsActive = false, + Name = "Reprimand - unacceptable professional conduct", + ProhibitionLevel = 0 + }, + new + { + AlertTypeId = new Guid("72e48b6a-e781-4bf3-910b-91f2d28f2eaa"), + AlertCategoryId = new Guid("70b7d473-2ec8-4643-bfd4-d4ab9a9a0988"), + DqtSanctionCode = "A21B", + InternalOnly = false, + IsActive = false, + Name = "Prohibition Order - conviction of a relevant offence - eligible to reapply after specified time", + ProhibitionLevel = 1 + }, + new + { + AlertTypeId = new Guid("950d3eed-bef5-448a-b0f0-bf9c54f2103b"), + AlertCategoryId = new Guid("70b7d473-2ec8-4643-bfd4-d4ab9a9a0988"), + DqtSanctionCode = "A21A", + InternalOnly = false, + IsActive = false, + Name = "Prohibition Order - conviction of a relevant offence - ineligible to reapply", + ProhibitionLevel = 1 + }, + new + { + AlertTypeId = new Guid("cac68337-3f95-4475-97cf-1381e6b74700"), + AlertCategoryId = new Guid("70b7d473-2ec8-4643-bfd4-d4ab9a9a0988"), + DqtSanctionCode = "A5B", + InternalOnly = false, + IsActive = false, + Name = "Prohibition Order - serious professional incompetence - Eligible to reapply after specified time", + ProhibitionLevel = 1 + }, + new + { + AlertTypeId = new Guid("c02bdc3a-7a19-4034-aa23-3a23c54e1d34"), + AlertCategoryId = new Guid("70b7d473-2ec8-4643-bfd4-d4ab9a9a0988"), + DqtSanctionCode = "A5A", + InternalOnly = false, + IsActive = false, + Name = "Prohibition Order - serious professional incompetence - Ineligible to reapply", + ProhibitionLevel = 1 + }, + new + { + AlertTypeId = new Guid("e3658a61-bee2-4df1-9a26-e010681ee310"), + AlertCategoryId = new Guid("70b7d473-2ec8-4643-bfd4-d4ab9a9a0988"), + DqtSanctionCode = "A1B", + InternalOnly = false, + IsActive = false, + Name = "Prohibition Order - unacceptable professional conduct - Eligible to reapply after specified time", + ProhibitionLevel = 1 + }, + new + { + AlertTypeId = new Guid("fa6bd220-61b0-41fc-9066-421b3b9d7885"), + AlertCategoryId = new Guid("70b7d473-2ec8-4643-bfd4-d4ab9a9a0988"), + DqtSanctionCode = "A1A", + InternalOnly = false, + IsActive = false, + Name = "Prohibition Order - unacceptable professional conduct - Ineligible to reapply", + ProhibitionLevel = 1 + }, + new + { + AlertTypeId = new Guid("d372fcfa-1c4a-4fed-84c8-4c7885575681"), + AlertCategoryId = new Guid("790410c1-b884-4cdd-8db9-64a042ab54ae"), + DqtSanctionCode = "A20", + InternalOnly = false, + IsActive = false, + Name = "Suspension order - conviction of a relevant offence - with conditions", + ProhibitionLevel = 2 + }, + new + { + AlertTypeId = new Guid("af65c236-47a6-427b-8e4b-930de6d256f0"), + AlertCategoryId = new Guid("790410c1-b884-4cdd-8db9-64a042ab54ae"), + DqtSanctionCode = "A19", + InternalOnly = false, + IsActive = false, + Name = "Suspension order - conviction of a relevant offence - without conditions", + ProhibitionLevel = 2 + }, + new + { + AlertTypeId = new Guid("50508749-7a6b-4175-8538-9a1e55692efd"), + AlertCategoryId = new Guid("790410c1-b884-4cdd-8db9-64a042ab54ae"), + DqtSanctionCode = "A14", + InternalOnly = false, + IsActive = false, + Name = "Suspension order - serious professional incompetence - with conditions", + ProhibitionLevel = 2 + }, + new + { + AlertTypeId = new Guid("a6f51ccc-a19c-4dc2-ba80-ffb7a95ff2ee"), + AlertCategoryId = new Guid("790410c1-b884-4cdd-8db9-64a042ab54ae"), + DqtSanctionCode = "A6", + InternalOnly = false, + IsActive = false, + Name = "Suspension order - serious professional incompetence - without conditions", + ProhibitionLevel = 2 + }, + new + { + AlertTypeId = new Guid("1a2b06ae-7e9f-4761-b95d-397ca5da4b13"), + AlertCategoryId = new Guid("790410c1-b884-4cdd-8db9-64a042ab54ae"), + DqtSanctionCode = "A13", + InternalOnly = false, + IsActive = false, + Name = "Suspension order - unacceptable professional conduct - with conditions", + ProhibitionLevel = 2 + }, + new + { + AlertTypeId = new Guid("872d7700-aa6f-435e-b5f9-821fb087962a"), + AlertCategoryId = new Guid("790410c1-b884-4cdd-8db9-64a042ab54ae"), + DqtSanctionCode = "A2", + InternalOnly = false, + IsActive = false, + Name = "Suspension order - unacceptable professional conduct - without conditions", + ProhibitionLevel = 2 + }, + new + { + AlertTypeId = new Guid("17b4fe26-7468-4702-92e5-785b861cf0fa"), + AlertCategoryId = new Guid("790410c1-b884-4cdd-8db9-64a042ab54ae"), + DqtSanctionCode = "A24", + InternalOnly = false, + IsActive = false, + Name = "Suspension order - with conditions - (arising from breach of previous condition(s))", + ProhibitionLevel = 2 + }, + new + { + AlertTypeId = new Guid("3c5fc83b-10e1-4a15-83e6-794fce3e0b45"), + AlertCategoryId = new Guid("790410c1-b884-4cdd-8db9-64a042ab54ae"), + DqtSanctionCode = "A23", + InternalOnly = false, + IsActive = false, + Name = "Suspension order - without conditions - (arising from breach of previous condition(s))", + ProhibitionLevel = 2 + }, + new + { + AlertTypeId = new Guid("eab8b66d-68d0-4cb9-8e4d-bbd245648fb6"), + AlertCategoryId = new Guid("b2b19019-b165-47a3-8745-3297ff152581"), + DqtSanctionCode = "B1", + InternalOnly = true, + IsActive = false, + Name = "Barring by the Secretary of State", + ProhibitionLevel = 1 + }, + new + { + AlertTypeId = new Guid("2c496e3f-00d3-4f0d-81f3-21458fe707b3"), + AlertCategoryId = new Guid("b2b19019-b165-47a3-8745-3297ff152581"), + DqtSanctionCode = "G2", + InternalOnly = true, + IsActive = false, + Name = "Formerly barred by the Independent Safeguarding Authority", + ProhibitionLevel = 1 + }, + new + { + AlertTypeId = new Guid("993daa42-96cb-4621-bd9e-d4b195076bbe"), + AlertCategoryId = new Guid("b2b19019-b165-47a3-8745-3297ff152581"), + DqtSanctionCode = "B6", + InternalOnly = true, + IsActive = false, + Name = "Formerly on List 99", + ProhibitionLevel = 1 + }, + new + { + AlertTypeId = new Guid("a414283f-7d5b-4587-83bf-f6da8c05b8d5"), + AlertCategoryId = new Guid("b2b19019-b165-47a3-8745-3297ff152581"), + DisplayOrder = 1, + DqtSanctionCode = "T2", + InternalOnly = false, + IsActive = true, + Name = "Interim prohibition by the Secretary of State", + ProhibitionLevel = 1 + }, + new + { + AlertTypeId = new Guid("ed0cd700-3fb2-4db0-9403-ba57126090ed"), + AlertCategoryId = new Guid("b2b19019-b165-47a3-8745-3297ff152581"), + DisplayOrder = 2, + DqtSanctionCode = "T1", + InternalOnly = false, + IsActive = true, + Name = "Prohibition by the Secretary of State - misconduct", + ProhibitionLevel = 1 + }, + new + { + AlertTypeId = new Guid("8ef92c14-4b1f-4530-9189-779ad9f3cefd"), + AlertCategoryId = new Guid("b2b19019-b165-47a3-8745-3297ff152581"), + DqtSanctionCode = "B3", + InternalOnly = false, + IsActive = false, + Name = "Prohibited by an Independent Schools Tribunal or Secretary of State", + ProhibitionLevel = 1 + }, + new + { + AlertTypeId = new Guid("50feafbc-5124-4189-b06c-6463c7ebb8a8"), + AlertCategoryId = new Guid("b2b19019-b165-47a3-8745-3297ff152581"), + DisplayOrder = 3, + DqtSanctionCode = "T3", + InternalOnly = false, + IsActive = true, + Name = "Prohibition by the Secretary of State - deregistered by GTC Scotland", + ProhibitionLevel = 1 + }, + new + { + AlertTypeId = new Guid("5aa21b8f-2069-43c9-8afd-05b34b02505f"), + AlertCategoryId = new Guid("b2b19019-b165-47a3-8745-3297ff152581"), + DisplayOrder = 4, + DqtSanctionCode = "T5", + InternalOnly = false, + IsActive = true, + Name = "Prohibition by the Secretary of State - refer to GTC Northern Ireland", + ProhibitionLevel = 1 + }, + new + { + AlertTypeId = new Guid("a5bd4352-2cec-4417-87a1-4b6b79d033c2"), + AlertCategoryId = new Guid("b2b19019-b165-47a3-8745-3297ff152581"), + DisplayOrder = 5, + DqtSanctionCode = "T4", + InternalOnly = false, + IsActive = true, + Name = "Prohibition by the Secretary of State - refer to the Education Workforce Council, Wales", + ProhibitionLevel = 1 + }, + new + { + AlertTypeId = new Guid("40794ea8-eda2-40a8-a26a-5f447aae6c99"), + AlertCategoryId = new Guid("e8a9ee91-bf7f-4f70-bc66-a644d522384e"), + DisplayOrder = 1, + DqtSanctionCode = "G1", + InternalOnly = true, + IsActive = true, + Name = "A possible matching record was found. Please contact the DBS before employing this person", + ProhibitionLevel = 1 + }, + new + { + AlertTypeId = new Guid("38db7946-2dbf-408e-bc48-1625829e7dfe"), + AlertCategoryId = new Guid("cbf7633f-3904-407d-8371-42a473fa641f"), + DqtSanctionCode = "B2B", + InternalOnly = true, + IsActive = false, + Name = "Restricted by the Secretary of State - Not Permitted to work as teacher", + ProhibitionLevel = 1 + }, + new + { + AlertTypeId = new Guid("18e04dcb-fb86-4b05-8d5d-ff9c5da738dd"), + AlertCategoryId = new Guid("cbf7633f-3904-407d-8371-42a473fa641f"), + DqtSanctionCode = "B2A", + InternalOnly = true, + IsActive = false, + Name = "Restricted by the Secretary of State - Permitted to work as teacher", + ProhibitionLevel = 1 + }, + new + { + AlertTypeId = new Guid("241eeb78-fac7-4c77-8059-c12e93dc2fae"), + AlertCategoryId = new Guid("38df5a00-94ab-486f-8905-d5b2eac04000"), + DisplayOrder = 1, + DqtSanctionCode = "T7", + InternalOnly = false, + IsActive = true, + Name = "Section 128 barring direction", + ProhibitionLevel = 4 + }, + new + { + AlertTypeId = new Guid("7924fe90-483c-49f8-84fc-674feddba848"), + AlertCategoryId = new Guid("227b75e5-bb98-496c-8860-1baea37aa5c6"), + DisplayOrder = 1, + DqtSanctionCode = "T6", + InternalOnly = false, + IsActive = true, + Name = "Secretary of State decision - no prohibition", + ProhibitionLevel = 0 + }); + }); + + modelBuilder.Entity("TeachingRecordSystem.Core.DataStore.Postgres.Models.ApiKey", b => + { + b.Property("ApiKeyId") + .ValueGeneratedOnAdd() + .HasColumnType("uuid") + .HasColumnName("api_key_id"); + + b.Property("ApplicationUserId") + .HasColumnType("uuid") + .HasColumnName("application_user_id"); + + b.Property("CreatedOn") + .HasColumnType("timestamp with time zone") + .HasColumnName("created_on"); + + b.Property("Expires") + .HasColumnType("timestamp with time zone") + .HasColumnName("expires"); + + b.Property("Key") + .IsRequired() + .HasMaxLength(100) + .HasColumnType("character varying(100)") + .HasColumnName("key"); + + b.Property("UpdatedOn") + .HasColumnType("timestamp with time zone") + .HasColumnName("updated_on"); + + b.HasKey("ApiKeyId") + .HasName("pk_api_keys"); + + b.HasIndex("ApplicationUserId") + .HasDatabaseName("ix_api_keys_application_user_id"); + + b.HasIndex("Key") + .IsUnique() + .HasDatabaseName("ix_api_keys_key"); + + b.ToTable("api_keys", (string)null); + }); + + modelBuilder.Entity("TeachingRecordSystem.Core.DataStore.Postgres.Models.Country", b => + { + b.Property("CountryId") + .HasMaxLength(4) + .HasColumnType("character varying(4)") + .HasColumnName("country_id"); + + b.Property("Name") + .IsRequired() + .HasMaxLength(200) + .HasColumnType("character varying(200)") + .HasColumnName("name"); + + b.HasKey("CountryId") + .HasName("pk_countries"); + + b.ToTable("countries", (string)null); + }); + + modelBuilder.Entity("TeachingRecordSystem.Core.DataStore.Postgres.Models.EntityChangesJournal", b => + { + b.Property("Key") + .HasColumnType("text") + .HasColumnName("key"); + + b.Property("EntityLogicalName") + .HasColumnType("text") + .HasColumnName("entity_logical_name"); + + b.Property("DataToken") + .HasColumnType("text") + .HasColumnName("data_token"); + + b.Property("LastUpdated") + .HasColumnType("timestamp with time zone") + .HasColumnName("last_updated"); + + b.Property("LastUpdatedBy") + .HasColumnType("text") + .HasColumnName("last_updated_by"); + + b.Property("NextQueryPageNumber") + .HasColumnType("integer") + .HasColumnName("next_query_page_number"); + + b.Property("NextQueryPageSize") + .HasColumnType("integer") + .HasColumnName("next_query_page_size"); + + b.Property("NextQueryPagingCookie") + .HasColumnType("text") + .HasColumnName("next_query_paging_cookie"); + + b.HasKey("Key", "EntityLogicalName") + .HasName("pk_entity_changes_journals"); + + b.ToTable("entity_changes_journals", (string)null); + }); + + modelBuilder.Entity("TeachingRecordSystem.Core.DataStore.Postgres.Models.Establishment", b => + { + b.Property("EstablishmentId") + .ValueGeneratedOnAdd() + .HasColumnType("uuid") + .HasColumnName("establishment_id"); + + b.Property("Address3") + .HasMaxLength(100) + .HasColumnType("character varying(100)") + .HasColumnName("address3") + .UseCollation("case_insensitive"); + + b.Property("County") + .HasMaxLength(100) + .HasColumnType("character varying(100)") + .HasColumnName("county") + .UseCollation("case_insensitive"); + + b.Property("EstablishmentName") + .IsRequired() + .HasMaxLength(120) + .HasColumnType("character varying(120)") + .HasColumnName("establishment_name") + .UseCollation("case_insensitive"); + + b.Property("EstablishmentNumber") + .HasMaxLength(4) + .HasColumnType("character(4)") + .HasColumnName("establishment_number") + .IsFixedLength(); + + b.Property("EstablishmentSourceId") + .ValueGeneratedOnAdd() + .HasColumnType("integer") + .HasDefaultValue(1) + .HasColumnName("establishment_source_id"); + + b.Property("EstablishmentStatusCode") + .HasColumnType("integer") + .HasColumnName("establishment_status_code"); + + b.Property("EstablishmentStatusName") + .HasMaxLength(50) + .HasColumnType("character varying(50)") + .HasColumnName("establishment_status_name"); + + b.Property("EstablishmentTypeCode") + .HasMaxLength(3) + .HasColumnType("character varying(3)") + .HasColumnName("establishment_type_code"); + + b.Property("EstablishmentTypeGroupCode") + .HasColumnType("integer") + .HasColumnName("establishment_type_group_code"); + + b.Property("EstablishmentTypeGroupName") + .HasMaxLength(50) + .HasColumnType("character varying(50)") + .HasColumnName("establishment_type_group_name"); + + b.Property("EstablishmentTypeName") + .HasMaxLength(100) + .HasColumnType("character varying(100)") + .HasColumnName("establishment_type_name") + .UseCollation("case_insensitive"); + + b.Property("LaCode") + .IsRequired() + .HasMaxLength(3) + .HasColumnType("character(3)") + .HasColumnName("la_code") + .IsFixedLength(); + + b.Property("LaName") + .HasMaxLength(50) + .HasColumnType("character varying(50)") + .HasColumnName("la_name") + .UseCollation("case_insensitive"); + + b.Property("Locality") + .HasMaxLength(100) + .HasColumnType("character varying(100)") + .HasColumnName("locality") + .UseCollation("case_insensitive"); + + b.Property("Postcode") + .HasMaxLength(10) + .HasColumnType("character varying(10)") + .HasColumnName("postcode") + .UseCollation("case_insensitive"); + + b.Property("Street") + .HasMaxLength(100) + .HasColumnType("character varying(100)") + .HasColumnName("street") + .UseCollation("case_insensitive"); + + b.Property("Town") + .HasMaxLength(100) + .HasColumnType("character varying(100)") + .HasColumnName("town") + .UseCollation("case_insensitive"); + + b.Property("Urn") + .HasMaxLength(6) + .HasColumnType("integer") + .HasColumnName("urn") + .IsFixedLength(); + + b.HasKey("EstablishmentId") + .HasName("pk_establishments"); + + b.HasIndex("EstablishmentSourceId") + .HasDatabaseName("ix_establishment_establishment_source_id"); + + b.HasIndex("Urn") + .HasDatabaseName("ix_establishment_urn"); + + b.HasIndex("LaCode", "EstablishmentNumber") + .HasDatabaseName("ix_establishment_la_code_establishment_number"); + + b.ToTable("establishments", (string)null); + }); + + modelBuilder.Entity("TeachingRecordSystem.Core.DataStore.Postgres.Models.EstablishmentSource", b => + { + b.Property("EstablishmentSourceId") + .ValueGeneratedOnAdd() + .HasColumnType("integer") + .HasColumnName("establishment_source_id"); + + NpgsqlPropertyBuilderExtensions.UseIdentityByDefaultColumn(b.Property("EstablishmentSourceId")); + + b.Property("Name") + .IsRequired() + .HasMaxLength(50) + .HasColumnType("character varying(50)") + .HasColumnName("name") + .UseCollation("case_insensitive"); + + b.HasKey("EstablishmentSourceId") + .HasName("pk_establishment_sources"); + + b.ToTable("establishment_sources", (string)null); + }); + + modelBuilder.Entity("TeachingRecordSystem.Core.DataStore.Postgres.Models.Event", b => + { + b.Property("EventId") + .ValueGeneratedOnAdd() + .HasColumnType("uuid") + .HasColumnName("event_id"); + + b.Property("AlertId") + .HasColumnType("uuid") + .HasColumnName("alert_id"); + + b.Property("Created") + .HasColumnType("timestamp with time zone") + .HasColumnName("created"); + + b.Property("EventName") + .IsRequired() + .HasMaxLength(200) + .HasColumnType("character varying(200)") + .HasColumnName("event_name"); + + b.Property("Inserted") + .HasColumnType("timestamp with time zone") + .HasColumnName("inserted"); + + b.Property("Key") + .HasMaxLength(200) + .HasColumnType("character varying(200)") + .HasColumnName("key"); + + b.Property("Payload") + .IsRequired() + .HasColumnType("jsonb") + .HasColumnName("payload"); + + b.Property("PersonId") + .HasColumnType("uuid") + .HasColumnName("person_id"); + + b.Property("Published") + .HasColumnType("boolean") + .HasColumnName("published"); + + b.Property("QualificationId") + .HasColumnType("uuid") + .HasColumnName("qualification_id"); + + b.HasKey("EventId") + .HasName("pk_events"); + + b.HasIndex("Key") + .IsUnique() + .HasDatabaseName("ix_events_key") + .HasFilter("key is not null"); + + b.HasIndex("Payload") + .HasDatabaseName("ix_events_payload"); + + NpgsqlIndexBuilderExtensions.HasMethod(b.HasIndex("Payload"), "gin"); + + b.HasIndex("AlertId", "EventName") + .HasDatabaseName("ix_events_alert_id_event_name") + .HasFilter("alert_id is not null"); + + b.HasIndex("PersonId", "EventName") + .HasDatabaseName("ix_events_person_id_event_name") + .HasFilter("person_id is not null"); + + b.HasIndex("QualificationId", "EventName") + .HasDatabaseName("ix_events_qualification_id_event_name") + .HasFilter("qualification_id is not null"); + + b.ToTable("events", (string)null); + }); + + modelBuilder.Entity("TeachingRecordSystem.Core.DataStore.Postgres.Models.EytsAwardedEmailsJob", b => + { + b.Property("EytsAwardedEmailsJobId") + .ValueGeneratedOnAdd() + .HasColumnType("uuid") + .HasColumnName("eyts_awarded_emails_job_id"); + + b.Property("AwardedToUtc") + .HasColumnType("timestamp with time zone") + .HasColumnName("awarded_to_utc"); + + b.Property("ExecutedUtc") + .HasColumnType("timestamp with time zone") + .HasColumnName("executed_utc"); + + b.HasKey("EytsAwardedEmailsJobId") + .HasName("pk_eyts_awarded_emails_jobs"); + + b.HasIndex("ExecutedUtc") + .HasDatabaseName("ix_eyts_awarded_emails_jobs_executed_utc"); + + b.ToTable("eyts_awarded_emails_jobs", (string)null); + }); + + modelBuilder.Entity("TeachingRecordSystem.Core.DataStore.Postgres.Models.EytsAwardedEmailsJobItem", b => + { + b.Property("EytsAwardedEmailsJobId") + .HasColumnType("uuid") + .HasColumnName("eyts_awarded_emails_job_id"); + + b.Property("PersonId") + .HasColumnType("uuid") + .HasColumnName("person_id"); + + b.Property("EmailAddress") + .IsRequired() + .HasMaxLength(200) + .HasColumnType("character varying(200)") + .HasColumnName("email_address"); + + b.Property("EmailSent") + .HasColumnType("boolean") + .HasColumnName("email_sent"); + + b.Property("Personalization") + .IsRequired() + .HasColumnType("jsonb") + .HasColumnName("personalization"); + + b.Property("Trn") + .IsRequired() + .HasMaxLength(7) + .HasColumnType("character(7)") + .HasColumnName("trn") + .IsFixedLength(); + + b.HasKey("EytsAwardedEmailsJobId", "PersonId") + .HasName("pk_eyts_awarded_emails_job_items"); + + b.HasIndex("Personalization") + .HasDatabaseName("ix_eyts_awarded_emails_job_items_personalization"); + + NpgsqlIndexBuilderExtensions.HasMethod(b.HasIndex("Personalization"), "gin"); + + b.ToTable("eyts_awarded_emails_job_items", (string)null); + }); + + modelBuilder.Entity("TeachingRecordSystem.Core.DataStore.Postgres.Models.InductionCompletedEmailsJob", b => + { + b.Property("InductionCompletedEmailsJobId") + .ValueGeneratedOnAdd() + .HasColumnType("uuid") + .HasColumnName("induction_completed_emails_job_id"); + + b.Property("AwardedToUtc") + .HasColumnType("timestamp with time zone") + .HasColumnName("awarded_to_utc"); + + b.Property("ExecutedUtc") + .HasColumnType("timestamp with time zone") + .HasColumnName("executed_utc"); + + b.HasKey("InductionCompletedEmailsJobId") + .HasName("pk_induction_completed_emails_jobs"); + + b.HasIndex("ExecutedUtc") + .HasDatabaseName("ix_induction_completed_emails_jobs_executed_utc"); + + b.ToTable("induction_completed_emails_jobs", (string)null); + }); + + modelBuilder.Entity("TeachingRecordSystem.Core.DataStore.Postgres.Models.InductionCompletedEmailsJobItem", b => + { + b.Property("InductionCompletedEmailsJobId") + .HasColumnType("uuid") + .HasColumnName("induction_completed_emails_job_id"); + + b.Property("PersonId") + .HasColumnType("uuid") + .HasColumnName("person_id"); + + b.Property("EmailAddress") + .IsRequired() + .HasMaxLength(200) + .HasColumnType("character varying(200)") + .HasColumnName("email_address"); + + b.Property("EmailSent") + .HasColumnType("boolean") + .HasColumnName("email_sent"); + + b.Property("Personalization") + .IsRequired() + .HasColumnType("jsonb") + .HasColumnName("personalization"); + + b.Property("Trn") + .IsRequired() + .HasMaxLength(7) + .HasColumnType("character(7)") + .HasColumnName("trn") + .IsFixedLength(); + + b.HasKey("InductionCompletedEmailsJobId", "PersonId") + .HasName("pk_induction_completed_emails_job_items"); + + b.HasIndex("Personalization") + .HasDatabaseName("ix_induction_completed_emails_job_items_personalization"); + + NpgsqlIndexBuilderExtensions.HasMethod(b.HasIndex("Personalization"), "gin"); + + b.ToTable("induction_completed_emails_job_items", (string)null); + }); + + modelBuilder.Entity("TeachingRecordSystem.Core.DataStore.Postgres.Models.InternationalQtsAwardedEmailsJob", b => + { + b.Property("InternationalQtsAwardedEmailsJobId") + .ValueGeneratedOnAdd() + .HasColumnType("uuid") + .HasColumnName("international_qts_awarded_emails_job_id"); + + b.Property("AwardedToUtc") + .HasColumnType("timestamp with time zone") + .HasColumnName("awarded_to_utc"); + + b.Property("ExecutedUtc") + .HasColumnType("timestamp with time zone") + .HasColumnName("executed_utc"); + + b.HasKey("InternationalQtsAwardedEmailsJobId") + .HasName("pk_international_qts_awarded_emails_jobs"); + + b.HasIndex("ExecutedUtc") + .HasDatabaseName("ix_international_qts_awarded_emails_jobs_executed_utc"); + + b.ToTable("international_qts_awarded_emails_jobs", (string)null); + }); + + modelBuilder.Entity("TeachingRecordSystem.Core.DataStore.Postgres.Models.InternationalQtsAwardedEmailsJobItem", b => + { + b.Property("InternationalQtsAwardedEmailsJobId") + .HasColumnType("uuid") + .HasColumnName("international_qts_awarded_emails_job_id"); + + b.Property("PersonId") + .HasColumnType("uuid") + .HasColumnName("person_id"); + + b.Property("EmailAddress") + .IsRequired() + .HasMaxLength(200) + .HasColumnType("character varying(200)") + .HasColumnName("email_address"); + + b.Property("EmailSent") + .HasColumnType("boolean") + .HasColumnName("email_sent"); + + b.Property("Personalization") + .IsRequired() + .HasColumnType("jsonb") + .HasColumnName("personalization"); + + b.Property("Trn") + .IsRequired() + .HasMaxLength(7) + .HasColumnType("character(7)") + .HasColumnName("trn") + .IsFixedLength(); + + b.HasKey("InternationalQtsAwardedEmailsJobId", "PersonId") + .HasName("pk_international_qts_awarded_emails_job_items"); + + b.HasIndex("Personalization") + .HasDatabaseName("ix_international_qts_awarded_emails_job_items_personalization"); + + NpgsqlIndexBuilderExtensions.HasMethod(b.HasIndex("Personalization"), "gin"); + + b.ToTable("international_qts_awarded_emails_job_items", (string)null); + }); + + modelBuilder.Entity("TeachingRecordSystem.Core.DataStore.Postgres.Models.JourneyState", b => + { + b.Property("InstanceId") + .HasMaxLength(300) + .HasColumnType("character varying(300)") + .HasColumnName("instance_id"); + + b.Property("Completed") + .HasColumnType("timestamp with time zone") + .HasColumnName("completed"); + + b.Property("Created") + .HasColumnType("timestamp with time zone") + .HasColumnName("created"); + + b.Property("State") + .IsRequired() + .HasColumnType("text") + .HasColumnName("state"); + + b.Property("Updated") + .HasColumnType("timestamp with time zone") + .HasColumnName("updated"); + + b.Property("UserId") + .IsRequired() + .HasMaxLength(200) + .HasColumnType("character varying(200)") + .HasColumnName("user_id"); + + b.HasKey("InstanceId") + .HasName("pk_journey_states"); + + b.ToTable("journey_states", (string)null); + }); + + modelBuilder.Entity("TeachingRecordSystem.Core.DataStore.Postgres.Models.MandatoryQualificationProvider", b => + { + b.Property("MandatoryQualificationProviderId") + .ValueGeneratedOnAdd() + .HasColumnType("uuid") + .HasColumnName("mandatory_qualification_provider_id"); + + b.Property("Name") + .IsRequired() + .HasMaxLength(200) + .HasColumnType("character varying(200)") + .HasColumnName("name"); + + b.HasKey("MandatoryQualificationProviderId") + .HasName("pk_mandatory_qualification_providers"); + + b.ToTable("mandatory_qualification_providers", (string)null); + + b.HasData( + new + { + MandatoryQualificationProviderId = new Guid("e28ea41d-408d-4c89-90cc-8b9b04ac68f5"), + Name = "University of Birmingham" + }, + new + { + MandatoryQualificationProviderId = new Guid("89f9a1aa-3d68-4985-a4ce-403b6044c18c"), + Name = "University of Leeds" + }, + new + { + MandatoryQualificationProviderId = new Guid("aa5c300e-3b7c-456c-8183-3520b3d55dca"), + Name = "University of Manchester" + }, + new + { + MandatoryQualificationProviderId = new Guid("f417e73e-e2ad-40eb-85e3-55865be7f6be"), + Name = "Mary Hare School / University of Hertfordshire" + }, + new + { + MandatoryQualificationProviderId = new Guid("fbf22e04-b274-4c80-aba8-79fb6a7a32ce"), + Name = "University of Edinburgh" + }, + new + { + MandatoryQualificationProviderId = new Guid("26204149-349c-4ad6-9466-bb9b83723eae"), + Name = "Liverpool John Moores University" + }, + new + { + MandatoryQualificationProviderId = new Guid("0c30f666-647c-4ea8-8883-0fc6010b56be"), + Name = "University of Oxford/Oxford Polytechnic" + }, + new + { + MandatoryQualificationProviderId = new Guid("d0e6d54c-5e90-438a-945d-f97388c2b352"), + Name = "University of Cambridge" + }, + new + { + MandatoryQualificationProviderId = new Guid("aec32252-ef25-452e-a358-34a04e03369c"), + Name = "University of Newcastle-upon-Tyne" + }, + new + { + MandatoryQualificationProviderId = new Guid("d9ee7054-7fde-4cfd-9a5e-4b99511d1b3d"), + Name = "University of Plymouth" + }, + new + { + MandatoryQualificationProviderId = new Guid("707d58ca-1953-413b-9a46-41e9b0be885e"), + Name = "University of Hertfordshire" + }, + new + { + MandatoryQualificationProviderId = new Guid("3fc648a7-18e4-49e7-8a4b-1612616b72d5"), + Name = "University of London" + }, + new + { + MandatoryQualificationProviderId = new Guid("374dceb8-8224-45b8-b7dc-a6b0282b1065"), + Name = "Bristol Polytechnic" + }, + new + { + MandatoryQualificationProviderId = new Guid("d4fc958b-21de-47ec-9f03-36ae237a1b11"), + Name = "University College, Swansea" + }); + }); + + modelBuilder.Entity("TeachingRecordSystem.Core.DataStore.Postgres.Models.NameSynonyms", b => + { + b.Property("NameSynonymsId") + .ValueGeneratedOnAdd() + .HasColumnType("bigint") + .HasColumnName("name_synonyms_id"); + + NpgsqlPropertyBuilderExtensions.UseIdentityByDefaultColumn(b.Property("NameSynonymsId")); + + b.Property("Name") + .IsRequired() + .HasMaxLength(100) + .HasColumnType("character varying(100)") + .HasColumnName("name") + .UseCollation("case_insensitive"); + + b.Property("Synonyms") + .IsRequired() + .HasColumnType("text[]") + .HasColumnName("synonyms") + .UseCollation("case_insensitive"); + + b.HasKey("NameSynonymsId") + .HasName("pk_name_synonyms"); + + b.HasIndex("Name") + .IsUnique() + .HasDatabaseName("ix_name_synonyms_name"); + + b.ToTable("name_synonyms", (string)null); + }); + + modelBuilder.Entity("TeachingRecordSystem.Core.DataStore.Postgres.Models.OneLoginUser", b => + { + b.Property("Subject") + .HasMaxLength(255) + .HasColumnType("character varying(255)") + .HasColumnName("subject"); + + b.Property("Email") + .HasMaxLength(200) + .HasColumnType("character varying(200)") + .HasColumnName("email"); + + b.Property("FirstOneLoginSignIn") + .HasColumnType("timestamp with time zone") + .HasColumnName("first_one_login_sign_in"); + + b.Property("FirstSignIn") + .HasColumnType("timestamp with time zone") + .HasColumnName("first_sign_in"); + + b.Property("LastCoreIdentityVc") + .HasColumnType("jsonb") + .HasColumnName("last_core_identity_vc"); + + b.Property("LastOneLoginSignIn") + .HasColumnType("timestamp with time zone") + .HasColumnName("last_one_login_sign_in"); + + b.Property("LastSignIn") + .HasColumnType("timestamp with time zone") + .HasColumnName("last_sign_in"); + + b.Property("MatchRoute") + .HasColumnType("integer") + .HasColumnName("match_route"); + + b.Property("MatchedAttributes") + .HasColumnType("jsonb") + .HasColumnName("matched_attributes"); + + b.Property("PersonId") + .HasColumnType("uuid") + .HasColumnName("person_id"); + + b.Property("VerificationRoute") + .HasColumnType("integer") + .HasColumnName("verification_route"); + + b.Property("VerifiedByApplicationUserId") + .HasColumnType("uuid") + .HasColumnName("verified_by_application_user_id"); + + b.Property("VerifiedDatesOfBirth") + .HasColumnType("jsonb") + .HasColumnName("verified_dates_of_birth"); + + b.Property("VerifiedNames") + .HasColumnType("jsonb") + .HasColumnName("verified_names"); + + b.Property("VerifiedOn") + .HasColumnType("timestamp with time zone") + .HasColumnName("verified_on"); + + b.HasKey("Subject") + .HasName("pk_one_login_users"); + + b.ToTable("one_login_users", (string)null); + }); + + modelBuilder.Entity("TeachingRecordSystem.Core.DataStore.Postgres.Models.Person", b => + { + b.Property("PersonId") + .ValueGeneratedOnAdd() + .HasColumnType("uuid") + .HasColumnName("person_id"); + + b.Property("CpdInductionCompletedDate") + .HasColumnType("date") + .HasColumnName("cpd_induction_completed_date"); + + b.Property("CpdInductionCpdModifiedOn") + .HasColumnType("timestamp with time zone") + .HasColumnName("cpd_induction_cpd_modified_on"); + + b.Property("CpdInductionFirstModifiedOn") + .HasColumnType("timestamp with time zone") + .HasColumnName("cpd_induction_first_modified_on"); + + b.Property("CpdInductionModifiedOn") + .HasColumnType("timestamp with time zone") + .HasColumnName("cpd_induction_modified_on"); + + b.Property("CpdInductionStartDate") + .HasColumnType("date") + .HasColumnName("cpd_induction_start_date"); + + b.Property("CpdInductionStatus") + .HasColumnType("integer") + .HasColumnName("cpd_induction_status"); + + b.Property("CreatedOn") + .HasColumnType("timestamp with time zone") + .HasColumnName("created_on"); + + b.Property("DateOfBirth") + .HasColumnType("date") + .HasColumnName("date_of_birth"); + + b.Property("DeletedOn") + .HasColumnType("timestamp with time zone") + .HasColumnName("deleted_on"); + + b.Property("DqtContactId") + .HasColumnType("uuid") + .HasColumnName("dqt_contact_id"); + + b.Property("DqtCreatedOn") + .HasColumnType("timestamp with time zone") + .HasColumnName("dqt_created_on"); + + b.Property("DqtFirstName") + .HasMaxLength(100) + .HasColumnType("character varying(100)") + .HasColumnName("dqt_first_name") + .UseCollation("case_insensitive"); + + b.Property("DqtFirstSync") + .HasColumnType("timestamp with time zone") + .HasColumnName("dqt_first_sync"); + + b.Property("DqtInductionLastSync") + .HasColumnType("timestamp with time zone") + .HasColumnName("dqt_induction_last_sync"); + + b.Property("DqtInductionModifiedOn") + .HasColumnType("timestamp with time zone") + .HasColumnName("dqt_induction_modified_on"); + + b.Property("DqtLastName") + .HasMaxLength(100) + .HasColumnType("character varying(100)") + .HasColumnName("dqt_last_name") + .UseCollation("case_insensitive"); + + b.Property("DqtLastSync") + .HasColumnType("timestamp with time zone") + .HasColumnName("dqt_last_sync"); + + b.Property("DqtMiddleName") + .HasMaxLength(100) + .HasColumnType("character varying(100)") + .HasColumnName("dqt_middle_name") + .UseCollation("case_insensitive"); + + b.Property("DqtModifiedOn") + .HasColumnType("timestamp with time zone") + .HasColumnName("dqt_modified_on"); + + b.Property("DqtState") + .HasColumnType("integer") + .HasColumnName("dqt_state"); + + b.Property("EmailAddress") + .HasMaxLength(100) + .HasColumnType("character varying(100)") + .HasColumnName("email_address") + .UseCollation("case_insensitive"); + + b.Property("FirstName") + .IsRequired() + .HasMaxLength(100) + .HasColumnType("character varying(100)") + .HasColumnName("first_name") + .UseCollation("case_insensitive"); + + b.Property("InductionCompletedDate") + .HasColumnType("date") + .HasColumnName("induction_completed_date"); + + b.Property("InductionExemptionReasons") + .HasColumnType("integer") + .HasColumnName("induction_exemption_reasons"); + + b.Property("InductionModifiedOn") + .HasColumnType("timestamp with time zone") + .HasColumnName("induction_modified_on"); + + b.Property("InductionStartDate") + .HasColumnType("date") + .HasColumnName("induction_start_date"); + + b.Property("InductionStatus") + .ValueGeneratedOnAdd() + .HasColumnType("integer") + .HasDefaultValue(0) + .HasColumnName("induction_status"); + + b.Property("LastName") + .IsRequired() + .HasMaxLength(100) + .HasColumnType("character varying(100)") + .HasColumnName("last_name") + .UseCollation("case_insensitive"); + + b.Property("MiddleName") + .IsRequired() + .HasMaxLength(100) + .HasColumnType("character varying(100)") + .HasColumnName("middle_name") + .UseCollation("case_insensitive"); + + b.Property("NationalInsuranceNumber") + .HasMaxLength(9) + .HasColumnType("character(9)") + .HasColumnName("national_insurance_number") + .IsFixedLength(); + + b.Property("Trn") + .HasMaxLength(7) + .HasColumnType("character(7)") + .HasColumnName("trn") + .IsFixedLength(); + + b.Property("UpdatedOn") + .HasColumnType("timestamp with time zone") + .HasColumnName("updated_on"); + + b.HasKey("PersonId") + .HasName("pk_persons"); + + b.HasIndex("DqtContactId") + .IsUnique() + .HasDatabaseName("ix_persons_dqt_contact_id") + .HasFilter("dqt_contact_id is not null"); + + b.HasIndex("Trn") + .IsUnique() + .HasDatabaseName("ix_persons_trn") + .HasFilter("trn is not null"); + + b.ToTable("persons", (string)null); + }); + + modelBuilder.Entity("TeachingRecordSystem.Core.DataStore.Postgres.Models.PersonSearchAttribute", b => + { + b.Property("PersonSearchAttributeId") + .ValueGeneratedOnAdd() + .HasColumnType("bigint") + .HasColumnName("person_search_attribute_id"); + + NpgsqlPropertyBuilderExtensions.UseIdentityByDefaultColumn(b.Property("PersonSearchAttributeId")); + + b.Property("AttributeKey") + .HasMaxLength(50) + .HasColumnType("character varying(50)") + .HasColumnName("attribute_key") + .UseCollation("case_insensitive"); + + b.Property("AttributeType") + .IsRequired() + .HasMaxLength(50) + .HasColumnType("character varying(50)") + .HasColumnName("attribute_type") + .UseCollation("case_insensitive"); + + b.Property("AttributeValue") + .IsRequired() + .HasMaxLength(1000) + .HasColumnType("character varying(1000)") + .HasColumnName("attribute_value") + .UseCollation("case_insensitive"); + + b.Property("PersonId") + .HasColumnType("uuid") + .HasColumnName("person_id"); + + b.Property("Tags") + .IsRequired() + .HasColumnType("text[]") + .HasColumnName("tags"); + + b.HasKey("PersonSearchAttributeId") + .HasName("pk_person_search_attributes"); + + b.HasIndex("PersonId") + .HasDatabaseName("ix_person_search_attributes_person_id"); + + b.HasIndex("AttributeType", "AttributeValue") + .HasDatabaseName("ix_person_search_attributes_attribute_type_and_value"); + + b.ToTable("person_search_attributes", (string)null); + }); + + modelBuilder.Entity("TeachingRecordSystem.Core.DataStore.Postgres.Models.QtsAwardedEmailsJob", b => + { + b.Property("QtsAwardedEmailsJobId") + .ValueGeneratedOnAdd() + .HasColumnType("uuid") + .HasColumnName("qts_awarded_emails_job_id"); + + b.Property("AwardedToUtc") + .HasColumnType("timestamp with time zone") + .HasColumnName("awarded_to_utc"); + + b.Property("ExecutedUtc") + .HasColumnType("timestamp with time zone") + .HasColumnName("executed_utc"); + + b.HasKey("QtsAwardedEmailsJobId") + .HasName("pk_qts_awarded_emails_jobs"); + + b.HasIndex("ExecutedUtc") + .HasDatabaseName("ix_qts_awarded_emails_jobs_executed_utc"); + + b.ToTable("qts_awarded_emails_jobs", (string)null); + }); + + modelBuilder.Entity("TeachingRecordSystem.Core.DataStore.Postgres.Models.QtsAwardedEmailsJobItem", b => + { + b.Property("QtsAwardedEmailsJobId") + .HasColumnType("uuid") + .HasColumnName("qts_awarded_emails_job_id"); + + b.Property("PersonId") + .HasColumnType("uuid") + .HasColumnName("person_id"); + + b.Property("EmailAddress") + .IsRequired() + .HasMaxLength(200) + .HasColumnType("character varying(200)") + .HasColumnName("email_address"); + + b.Property("EmailSent") + .HasColumnType("boolean") + .HasColumnName("email_sent"); + + b.Property("Personalization") + .IsRequired() + .HasColumnType("jsonb") + .HasColumnName("personalization"); + + b.Property("Trn") + .IsRequired() + .HasMaxLength(7) + .HasColumnType("character(7)") + .HasColumnName("trn") + .IsFixedLength(); + + b.HasKey("QtsAwardedEmailsJobId", "PersonId") + .HasName("pk_qts_awarded_emails_job_items"); + + b.HasIndex("Personalization") + .HasDatabaseName("ix_qts_awarded_emails_job_items_personalization"); + + NpgsqlIndexBuilderExtensions.HasMethod(b.HasIndex("Personalization"), "gin"); + + b.ToTable("qts_awarded_emails_job_items", (string)null); + }); + + modelBuilder.Entity("TeachingRecordSystem.Core.DataStore.Postgres.Models.Qualification", b => + { + b.Property("QualificationId") + .ValueGeneratedOnAdd() + .HasColumnType("uuid") + .HasColumnName("qualification_id"); + + b.Property("CreatedOn") + .HasColumnType("timestamp with time zone") + .HasColumnName("created_on"); + + b.Property("DeletedOn") + .HasColumnType("timestamp with time zone") + .HasColumnName("deleted_on"); + + b.Property("DqtCreatedOn") + .HasColumnType("timestamp with time zone") + .HasColumnName("dqt_created_on"); + + b.Property("DqtFirstSync") + .HasColumnType("timestamp with time zone") + .HasColumnName("dqt_first_sync"); + + b.Property("DqtLastSync") + .HasColumnType("timestamp with time zone") + .HasColumnName("dqt_last_sync"); + + b.Property("DqtModifiedOn") + .HasColumnType("timestamp with time zone") + .HasColumnName("dqt_modified_on"); + + b.Property("DqtQualificationId") + .HasColumnType("uuid") + .HasColumnName("dqt_qualification_id"); + + b.Property("DqtState") + .HasColumnType("integer") + .HasColumnName("dqt_state"); + + b.Property("PersonId") + .HasColumnType("uuid") + .HasColumnName("person_id"); + + b.Property("QualificationType") + .HasColumnType("integer") + .HasColumnName("qualification_type"); + + b.Property("UpdatedOn") + .HasColumnType("timestamp with time zone") + .HasColumnName("updated_on"); + + b.HasKey("QualificationId") + .HasName("pk_qualifications"); + + b.HasIndex("DqtQualificationId") + .IsUnique() + .HasDatabaseName("ix_qualifications_dqt_qualification_id") + .HasFilter("dqt_qualification_id is not null"); + + b.HasIndex("PersonId") + .HasDatabaseName("ix_qualifications_person_id"); + + b.ToTable("qualifications", (string)null); + + b.HasDiscriminator("QualificationType"); + + b.UseTphMappingStrategy(); + }); + + modelBuilder.Entity("TeachingRecordSystem.Core.DataStore.Postgres.Models.SupportTask", b => + { + b.Property("SupportTaskReference") + .HasMaxLength(16) + .HasColumnType("character varying(16)") + .HasColumnName("support_task_reference"); + + b.Property("CreatedOn") + .HasColumnType("timestamp with time zone") + .HasColumnName("created_on"); + + b.Property("OneLoginUserSubject") + .HasColumnType("character varying(255)") + .HasColumnName("one_login_user_subject"); + + b.Property("PersonId") + .HasColumnType("uuid") + .HasColumnName("person_id"); + + b.Property("Status") + .HasColumnType("integer") + .HasColumnName("status"); + + b.Property("SupportTaskType") + .HasColumnType("integer") + .HasColumnName("support_task_type"); + + b.Property("UpdatedOn") + .HasColumnType("timestamp with time zone") + .HasColumnName("updated_on"); + + b.Property("_data") + .IsRequired() + .HasColumnType("jsonb") + .HasColumnName("data"); + + b.HasKey("SupportTaskReference") + .HasName("pk_support_tasks"); + + b.HasIndex("OneLoginUserSubject") + .HasDatabaseName("ix_support_tasks_one_login_user_subject"); + + b.HasIndex("PersonId") + .HasDatabaseName("ix_support_tasks_person_id"); + + b.ToTable("support_tasks", (string)null); + }); + + modelBuilder.Entity("TeachingRecordSystem.Core.DataStore.Postgres.Models.TpsCsvExtract", b => + { + b.Property("TpsCsvExtractId") + .ValueGeneratedOnAdd() + .HasColumnType("uuid") + .HasColumnName("tps_csv_extract_id"); + + b.Property("CreatedOn") + .HasColumnType("timestamp with time zone") + .HasColumnName("created_on"); + + b.Property("Filename") + .IsRequired() + .HasMaxLength(200) + .HasColumnType("character varying(200)") + .HasColumnName("filename"); + + b.HasKey("TpsCsvExtractId") + .HasName("pk_tps_csv_extracts"); + + b.ToTable("tps_csv_extracts", (string)null); + }); + + modelBuilder.Entity("TeachingRecordSystem.Core.DataStore.Postgres.Models.TpsCsvExtractItem", b => + { + b.Property("TpsCsvExtractItemId") + .ValueGeneratedOnAdd() + .HasColumnType("uuid") + .HasColumnName("tps_csv_extract_item_id"); + + b.Property("Created") + .HasColumnType("timestamp with time zone") + .HasColumnName("created"); + + b.Property("DateOfBirth") + .HasColumnType("date") + .HasColumnName("date_of_birth"); + + b.Property("DateOfDeath") + .HasColumnType("date") + .HasColumnName("date_of_death"); + + b.Property("EmploymentEndDate") + .HasColumnType("date") + .HasColumnName("employment_end_date"); + + b.Property("EmploymentStartDate") + .HasColumnType("date") + .HasColumnName("employment_start_date"); + + b.Property("EmploymentType") + .HasColumnType("integer") + .HasColumnName("employment_type"); + + b.Property("EstablishmentEmailAddress") + .HasMaxLength(200) + .HasColumnType("character varying(200)") + .HasColumnName("establishment_email_address"); + + b.Property("EstablishmentNumber") + .HasMaxLength(4) + .HasColumnType("character(4)") + .HasColumnName("establishment_number") + .IsFixedLength(); + + b.Property("EstablishmentPostcode") + .HasMaxLength(10) + .HasColumnType("character varying(10)") + .HasColumnName("establishment_postcode"); + + b.Property("ExtractDate") + .HasColumnType("date") + .HasColumnName("extract_date"); + + b.Property("Gender") + .IsRequired() + .HasMaxLength(10) + .HasColumnType("character varying(10)") + .HasColumnName("gender"); + + b.Property("Key") + .IsRequired() + .HasMaxLength(50) + .HasColumnType("character varying(50)") + .HasColumnName("key"); + + b.Property("LocalAuthorityCode") + .IsRequired() + .HasMaxLength(3) + .HasColumnType("character(3)") + .HasColumnName("local_authority_code") + .IsFixedLength(); + + b.Property("MemberEmailAddress") + .HasMaxLength(200) + .HasColumnType("character varying(200)") + .HasColumnName("member_email_address"); + + b.Property("MemberId") + .HasColumnType("integer") + .HasColumnName("member_id"); + + b.Property("MemberPostcode") + .HasMaxLength(10) + .HasColumnType("character varying(10)") + .HasColumnName("member_postcode"); + + b.Property("NationalInsuranceNumber") + .IsRequired() + .HasMaxLength(9) + .HasColumnType("character(9)") + .HasColumnName("national_insurance_number") + .IsFixedLength(); + + b.Property("Result") + .HasColumnType("integer") + .HasColumnName("result"); + + b.Property("TpsCsvExtractId") + .HasColumnType("uuid") + .HasColumnName("tps_csv_extract_id"); + + b.Property("TpsCsvExtractLoadItemId") + .HasColumnType("uuid") + .HasColumnName("tps_csv_extract_load_item_id"); + + b.Property("Trn") + .IsRequired() + .HasMaxLength(7) + .HasColumnType("character(7)") + .HasColumnName("trn") + .IsFixedLength(); + + b.Property("WithdrawalIndicator") + .HasMaxLength(1) + .HasColumnType("character(1)") + .HasColumnName("withdrawal_indicator") + .IsFixedLength(); + + b.HasKey("TpsCsvExtractItemId") + .HasName("pk_tps_csv_extract_items"); + + b.HasIndex("Key") + .HasDatabaseName("ix_tps_csv_extract_items_key"); + + b.HasIndex("TpsCsvExtractId") + .HasDatabaseName("ix_tps_csv_extract_items_tps_csv_extract_id"); + + b.HasIndex("TpsCsvExtractLoadItemId") + .HasDatabaseName("ix_tps_csv_extract_items_tps_csv_extract_load_item_id"); + + b.HasIndex("Trn") + .HasDatabaseName("ix_tps_csv_extract_items_trn"); + + b.HasIndex("LocalAuthorityCode", "EstablishmentNumber") + .HasDatabaseName("ix_tps_csv_extract_items_la_code_establishment_number"); + + b.ToTable("tps_csv_extract_items", (string)null); + }); + + modelBuilder.Entity("TeachingRecordSystem.Core.DataStore.Postgres.Models.TpsCsvExtractLoadItem", b => + { + b.Property("TpsCsvExtractLoadItemId") + .ValueGeneratedOnAdd() + .HasColumnType("uuid") + .HasColumnName("tps_csv_extract_load_item_id"); + + b.Property("Created") + .HasColumnType("timestamp with time zone") + .HasColumnName("created"); + + b.Property("DateOfBirth") + .HasMaxLength(200) + .HasColumnType("character varying(200)") + .HasColumnName("date_of_birth"); + + b.Property("DateOfDeath") + .HasMaxLength(200) + .HasColumnType("character varying(200)") + .HasColumnName("date_of_death"); + + b.Property("EmploymentEndDate") + .HasMaxLength(200) + .HasColumnType("character varying(200)") + .HasColumnName("employment_end_date"); + + b.Property("EmploymentStartDate") + .HasMaxLength(200) + .HasColumnType("character varying(200)") + .HasColumnName("employment_start_date"); + + b.Property("Errors") + .HasColumnType("integer") + .HasColumnName("errors"); + + b.Property("EstablishmentEmailAddress") + .HasMaxLength(200) + .HasColumnType("character varying(200)") + .HasColumnName("establishment_email_address"); + + b.Property("EstablishmentNumber") + .HasMaxLength(200) + .HasColumnType("character varying(200)") + .HasColumnName("establishment_number"); + + b.Property("EstablishmentPostcode") + .HasMaxLength(200) + .HasColumnType("character varying(200)") + .HasColumnName("establishment_postcode"); + + b.Property("ExtractDate") + .HasMaxLength(200) + .HasColumnType("character varying(200)") + .HasColumnName("extract_date"); + + b.Property("FullOrPartTimeIndicator") + .HasMaxLength(200) + .HasColumnType("character varying(200)") + .HasColumnName("full_or_part_time_indicator"); + + b.Property("Gender") + .HasMaxLength(200) + .HasColumnType("character varying(200)") + .HasColumnName("gender"); + + b.Property("LocalAuthorityCode") + .HasMaxLength(200) + .HasColumnType("character varying(200)") + .HasColumnName("local_authority_code"); + + b.Property("MemberEmailAddress") + .HasMaxLength(200) + .HasColumnType("character varying(200)") + .HasColumnName("member_email_address"); + + b.Property("MemberId") + .HasMaxLength(200) + .HasColumnType("character varying(200)") + .HasColumnName("member_id"); + + b.Property("MemberPostcode") + .HasMaxLength(200) + .HasColumnType("character varying(200)") + .HasColumnName("member_postcode"); + + b.Property("NationalInsuranceNumber") + .HasMaxLength(200) + .HasColumnType("character varying(200)") + .HasColumnName("national_insurance_number"); + + b.Property("TpsCsvExtractId") + .HasColumnType("uuid") + .HasColumnName("tps_csv_extract_id"); + + b.Property("Trn") + .HasMaxLength(200) + .HasColumnType("character varying(200)") + .HasColumnName("trn"); + + b.Property("WithdrawalIndicator") + .HasMaxLength(200) + .HasColumnType("character varying(200)") + .HasColumnName("withdrawal_indicator"); + + b.HasKey("TpsCsvExtractLoadItemId") + .HasName("pk_tps_csv_extract_load_items"); + + b.ToTable("tps_csv_extract_load_items", (string)null); + }); + + modelBuilder.Entity("TeachingRecordSystem.Core.DataStore.Postgres.Models.TpsEmployment", b => + { + b.Property("TpsEmploymentId") + .ValueGeneratedOnAdd() + .HasColumnType("uuid") + .HasColumnName("tps_employment_id"); + + b.Property("CreatedOn") + .HasColumnType("timestamp with time zone") + .HasColumnName("created_on"); + + b.Property("EmploymentType") + .HasColumnType("integer") + .HasColumnName("employment_type"); + + b.Property("EndDate") + .HasColumnType("date") + .HasColumnName("end_date"); + + b.Property("EstablishmentId") + .HasColumnType("uuid") + .HasColumnName("establishment_id"); + + b.Property("Key") + .IsRequired() + .HasMaxLength(50) + .HasColumnType("character varying(50)") + .HasColumnName("key"); + + b.Property("LastExtractDate") + .HasColumnType("date") + .HasColumnName("last_extract_date"); + + b.Property("LastKnownTpsEmployedDate") + .HasColumnType("date") + .HasColumnName("last_known_tps_employed_date"); + + b.Property("NationalInsuranceNumber") + .HasMaxLength(9) + .HasColumnType("character(9)") + .HasColumnName("national_insurance_number") + .IsFixedLength(); + + b.Property("PersonId") + .HasColumnType("uuid") + .HasColumnName("person_id"); + + b.Property("PersonPostcode") + .HasMaxLength(10) + .HasColumnType("character varying(10)") + .HasColumnName("person_postcode"); + + b.Property("StartDate") + .HasColumnType("date") + .HasColumnName("start_date"); + + b.Property("UpdatedOn") + .HasColumnType("timestamp with time zone") + .HasColumnName("updated_on"); + + b.Property("WithdrawalConfirmed") + .HasColumnType("boolean") + .HasColumnName("withdrawal_confirmed"); + + b.HasKey("TpsEmploymentId") + .HasName("pk_tps_employments"); + + b.HasIndex("EstablishmentId") + .HasDatabaseName("ix_tps_employments_establishment_id"); + + b.HasIndex("Key") + .HasDatabaseName("ix_tps_employments_key"); + + b.HasIndex("PersonId") + .HasDatabaseName("ix_tps_employments_person_id"); + + b.ToTable("tps_employments", (string)null); + }); + + modelBuilder.Entity("TeachingRecordSystem.Core.DataStore.Postgres.Models.TpsEstablishment", b => + { + b.Property("TpsEstablishmentId") + .ValueGeneratedOnAdd() + .HasColumnType("uuid") + .HasColumnName("tps_establishment_id"); + + b.Property("EmployersName") + .IsRequired() + .HasMaxLength(200) + .HasColumnType("character varying(200)") + .HasColumnName("employers_name"); + + b.Property("EstablishmentCode") + .IsRequired() + .HasMaxLength(4) + .HasColumnType("character(4)") + .HasColumnName("establishment_code") + .IsFixedLength(); + + b.Property("LaCode") + .IsRequired() + .HasMaxLength(3) + .HasColumnType("character(3)") + .HasColumnName("la_code") + .IsFixedLength(); + + b.Property("SchoolClosedDate") + .HasColumnType("date") + .HasColumnName("school_closed_date"); + + b.Property("SchoolGiasName") + .HasMaxLength(200) + .HasColumnType("character varying(200)") + .HasColumnName("school_gias_name"); + + b.HasKey("TpsEstablishmentId") + .HasName("pk_tps_establishments"); + + b.HasIndex("LaCode", "EstablishmentCode") + .HasDatabaseName("ix_tps_establishments_la_code_establishment_number"); + + b.ToTable("tps_establishments", (string)null); + }); + + modelBuilder.Entity("TeachingRecordSystem.Core.DataStore.Postgres.Models.TpsEstablishmentType", b => + { + b.Property("TpsEstablishmentTypeId") + .ValueGeneratedOnAdd() + .HasColumnType("integer") + .HasColumnName("tps_establishment_type_id"); + + NpgsqlPropertyBuilderExtensions.UseIdentityByDefaultColumn(b.Property("TpsEstablishmentTypeId")); + + b.Property("Description") + .IsRequired() + .HasMaxLength(300) + .HasColumnType("character varying(300)") + .HasColumnName("description"); + + b.Property("EstablishmentRangeFrom") + .IsRequired() + .HasMaxLength(4) + .HasColumnType("character(4)") + .HasColumnName("establishment_range_from") + .IsFixedLength(); + + b.Property("EstablishmentRangeTo") + .IsRequired() + .HasMaxLength(4) + .HasColumnType("character(4)") + .HasColumnName("establishment_range_to") + .IsFixedLength(); + + b.Property("ShortDescription") + .IsRequired() + .HasMaxLength(120) + .HasColumnType("character varying(120)") + .HasColumnName("short_description"); + + b.HasKey("TpsEstablishmentTypeId") + .HasName("pk_tps_establishment_types"); + + b.ToTable("tps_establishment_types", (string)null); + }); + + modelBuilder.Entity("TeachingRecordSystem.Core.DataStore.Postgres.Models.TrnRequest", b => + { + b.Property("TrnRequestId") + .ValueGeneratedOnAdd() + .HasColumnType("bigint") + .HasColumnName("trn_request_id"); + + NpgsqlPropertyBuilderExtensions.UseIdentityByDefaultColumn(b.Property("TrnRequestId")); + + b.Property("ClientId") + .IsRequired() + .HasMaxLength(50) + .HasColumnType("character varying(50)") + .HasColumnName("client_id"); + + b.Property("IdentityUserId") + .HasColumnType("uuid") + .HasColumnName("identity_user_id"); + + b.Property("LinkedToIdentity") + .HasColumnType("boolean") + .HasColumnName("linked_to_identity"); + + b.Property("RequestId") + .IsRequired() + .HasMaxLength(100) + .HasColumnType("character varying(100)") + .HasColumnName("request_id"); + + b.Property("TeacherId") + .HasColumnType("uuid") + .HasColumnName("teacher_id"); + + b.Property("TrnToken") + .HasMaxLength(128) + .HasColumnType("character varying(128)") + .HasColumnName("trn_token"); + + b.HasKey("TrnRequestId") + .HasName("pk_trn_requests"); + + b.HasIndex("ClientId", "RequestId") + .IsUnique() + .HasDatabaseName("ix_trn_requests_client_id_request_id"); + + b.ToTable("trn_requests", (string)null); + }); + + modelBuilder.Entity("TeachingRecordSystem.Core.DataStore.Postgres.Models.TrnRequestMetadata", b => + { + b.Property("ApplicationUserId") + .HasColumnType("uuid") + .HasColumnName("application_user_id"); + + b.Property("RequestId") + .HasMaxLength(100) + .HasColumnType("character varying(100)") + .HasColumnName("request_id"); + + b.Property("CreatedOn") + .HasColumnType("timestamp with time zone") + .HasColumnName("created_on"); + + b.Property("DateOfBirth") + .HasColumnType("date") + .HasColumnName("date_of_birth"); + + b.Property("EmailAddress") + .HasColumnType("text") + .HasColumnName("email_address"); + + b.Property("IdentityVerified") + .HasColumnType("boolean") + .HasColumnName("identity_verified"); + + b.Property("Name") + .IsRequired() + .HasColumnType("text[]") + .HasColumnName("name"); + + b.Property("OneLoginUserSubject") + .HasMaxLength(255) + .HasColumnType("character varying(255)") + .HasColumnName("one_login_user_subject"); + + b.HasKey("ApplicationUserId", "RequestId") + .HasName("pk_trn_request_metadata"); + + b.HasIndex("EmailAddress") + .HasDatabaseName("ix_trn_request_metadata_email_address"); + + b.HasIndex("OneLoginUserSubject") + .HasDatabaseName("ix_trn_request_metadata_one_login_user_subject"); + + b.ToTable("trn_request_metadata", (string)null); + }); + + modelBuilder.Entity("TeachingRecordSystem.Core.DataStore.Postgres.Models.UserBase", b => + { + b.Property("UserId") + .ValueGeneratedOnAdd() + .HasColumnType("uuid") + .HasColumnName("user_id"); + + b.Property("Active") + .HasColumnType("boolean") + .HasColumnName("active"); + + b.Property("Name") + .IsRequired() + .HasMaxLength(200) + .HasColumnType("character varying(200)") + .HasColumnName("name"); + + b.Property("UserType") + .HasColumnType("integer") + .HasColumnName("user_type"); + + b.HasKey("UserId") + .HasName("pk_users"); + + b.ToTable("users", (string)null); + + b.HasDiscriminator("UserType"); + + b.UseTphMappingStrategy(); + }); + + modelBuilder.Entity("TeachingRecordSystem.Core.DataStore.Postgres.Models.WebhookEndpoint", b => + { + b.Property("WebhookEndpointId") + .ValueGeneratedOnAdd() + .HasColumnType("uuid") + .HasColumnName("webhook_endpoint_id"); + + b.Property("Address") + .IsRequired() + .HasMaxLength(200) + .HasColumnType("character varying(200)") + .HasColumnName("address"); + + b.Property("ApiVersion") + .IsRequired() + .HasMaxLength(50) + .HasColumnType("character varying(50)") + .HasColumnName("api_version"); + + b.Property("ApplicationUserId") + .HasColumnType("uuid") + .HasColumnName("application_user_id"); + + b.Property>("CloudEventTypes") + .IsRequired() + .HasColumnType("text[]") + .HasColumnName("cloud_event_types"); + + b.Property("CreatedOn") + .HasColumnType("timestamp with time zone") + .HasColumnName("created_on"); + + b.Property("DeletedOn") + .HasColumnType("timestamp with time zone") + .HasColumnName("deleted_on"); + + b.Property("Enabled") + .HasColumnType("boolean") + .HasColumnName("enabled"); + + b.Property("UpdatedOn") + .HasColumnType("timestamp with time zone") + .HasColumnName("updated_on"); + + b.HasKey("WebhookEndpointId") + .HasName("pk_webhook_endpoints"); + + b.ToTable("webhook_endpoints", (string)null); + }); + + modelBuilder.Entity("TeachingRecordSystem.Core.DataStore.Postgres.Models.WebhookMessage", b => + { + b.Property("WebhookMessageId") + .ValueGeneratedOnAdd() + .HasColumnType("uuid") + .HasColumnName("webhook_message_id"); + + b.Property("ApiVersion") + .IsRequired() + .HasMaxLength(50) + .HasColumnType("character varying(50)") + .HasColumnName("api_version"); + + b.Property("CloudEventId") + .IsRequired() + .HasMaxLength(50) + .HasColumnType("character varying(50)") + .HasColumnName("cloud_event_id"); + + b.Property("CloudEventType") + .IsRequired() + .HasMaxLength(100) + .HasColumnType("character varying(100)") + .HasColumnName("cloud_event_type"); + + b.Property("Data") + .HasColumnType("jsonb") + .HasColumnName("data"); + + b.Property("Delivered") + .HasColumnType("timestamp with time zone") + .HasColumnName("delivered"); + + b.Property>("DeliveryAttempts") + .IsRequired() + .HasColumnType("timestamp with time zone[]") + .HasColumnName("delivery_attempts"); + + b.Property>("DeliveryErrors") + .IsRequired() + .HasColumnType("text[]") + .HasColumnName("delivery_errors"); + + b.Property("NextDeliveryAttempt") + .HasColumnType("timestamp with time zone") + .HasColumnName("next_delivery_attempt"); + + b.Property("Timestamp") + .HasColumnType("timestamp with time zone") + .HasColumnName("timestamp"); + + b.Property("WebhookEndpointId") + .HasColumnType("uuid") + .HasColumnName("webhook_endpoint_id"); + + b.HasKey("WebhookMessageId") + .HasName("pk_webhook_messages"); + + b.HasIndex("NextDeliveryAttempt") + .HasDatabaseName("ix_webhook_messages_next_delivery_attempt") + .HasFilter("next_delivery_attempt is not null"); + + b.ToTable("webhook_messages", (string)null); + }); + + modelBuilder.Entity("TeachingRecordSystem.Core.DataStore.Postgres.Models.MandatoryQualification", b => + { + b.HasBaseType("TeachingRecordSystem.Core.DataStore.Postgres.Models.Qualification"); + + b.Property("DqtMqEstablishmentId") + .HasColumnType("uuid") + .HasColumnName("dqt_mq_establishment_id"); + + b.Property("DqtSpecialismId") + .HasColumnType("uuid") + .HasColumnName("dqt_specialism_id"); + + b.Property("EndDate") + .HasColumnType("date") + .HasColumnName("end_date"); + + b.Property("ProviderId") + .HasColumnType("uuid") + .HasColumnName("mq_provider_id"); + + b.Property("Specialism") + .HasColumnType("integer") + .HasColumnName("mq_specialism"); + + b.Property("StartDate") + .HasColumnType("date") + .HasColumnName("start_date"); + + b.Property("Status") + .HasColumnType("integer") + .HasColumnName("mq_status"); + + b.HasDiscriminator().HasValue(0); + }); + + modelBuilder.Entity("TeachingRecordSystem.Core.DataStore.Postgres.Models.ApplicationUser", b => + { + b.HasBaseType("TeachingRecordSystem.Core.DataStore.Postgres.Models.UserBase"); + + b.Property("ApiRoles") + .HasColumnType("varchar[]") + .HasColumnName("api_roles"); + + b.Property("ClientId") + .HasMaxLength(50) + .HasColumnType("character varying(50)") + .HasColumnName("client_id"); + + b.Property("ClientSecret") + .HasMaxLength(200) + .HasColumnType("character varying(200)") + .HasColumnName("client_secret"); + + b.Property("IsOidcClient") + .HasColumnType("boolean") + .HasColumnName("is_oidc_client"); + + b.Property("OneLoginAuthenticationSchemeName") + .HasMaxLength(50) + .HasColumnType("character varying(50)") + .HasColumnName("one_login_authentication_scheme_name"); + + b.Property("OneLoginClientId") + .HasMaxLength(50) + .HasColumnType("character varying(50)") + .HasColumnName("one_login_client_id"); + + b.Property("OneLoginPostLogoutRedirectUriPath") + .HasMaxLength(100) + .HasColumnType("character varying(100)") + .HasColumnName("one_login_post_logout_redirect_uri_path"); + + b.Property("OneLoginPrivateKeyPem") + .HasMaxLength(2000) + .HasColumnType("character varying(2000)") + .HasColumnName("one_login_private_key_pem"); + + b.Property("OneLoginRedirectUriPath") + .HasMaxLength(100) + .HasColumnType("character varying(100)") + .HasColumnName("one_login_redirect_uri_path"); + + b.Property>("PostLogoutRedirectUris") + .HasColumnType("varchar[]") + .HasColumnName("post_logout_redirect_uris"); + + b.Property>("RedirectUris") + .HasColumnType("varchar[]") + .HasColumnName("redirect_uris"); + + b.HasIndex("ClientId") + .IsUnique() + .HasDatabaseName("ix_users_client_id") + .HasFilter("client_id is not null"); + + b.HasIndex("OneLoginAuthenticationSchemeName") + .IsUnique() + .HasDatabaseName("ix_users_one_login_authentication_scheme_name") + .HasFilter("one_login_authentication_scheme_name is not null"); + + b.HasDiscriminator().HasValue(2); + }); + + modelBuilder.Entity("TeachingRecordSystem.Core.DataStore.Postgres.Models.SystemUser", b => + { + b.HasBaseType("TeachingRecordSystem.Core.DataStore.Postgres.Models.UserBase"); + + b.ToTable("users", (string)null); + + b.HasDiscriminator().HasValue(3); + + b.HasData( + new + { + UserId = new Guid("a81394d1-a498-46d8-af3e-e077596ab303"), + Active = true, + Name = "System", + UserType = 0 + }); + }); + + modelBuilder.Entity("TeachingRecordSystem.Core.DataStore.Postgres.Models.User", b => + { + b.HasBaseType("TeachingRecordSystem.Core.DataStore.Postgres.Models.UserBase"); + + b.Property("AzureAdUserId") + .HasMaxLength(100) + .HasColumnType("character varying(100)") + .HasColumnName("azure_ad_user_id"); + + b.Property("DqtUserId") + .HasColumnType("uuid") + .HasColumnName("dqt_user_id"); + + b.Property("Email") + .HasMaxLength(200) + .HasColumnType("character varying(200)") + .HasColumnName("email") + .UseCollation("case_insensitive"); + + b.Property("Roles") + .IsRequired() + .HasColumnType("varchar[]") + .HasColumnName("roles"); + + b.HasIndex("AzureAdUserId") + .IsUnique() + .HasDatabaseName("ix_users_azure_ad_user_id"); + + b.HasDiscriminator().HasValue(1); + }); + + modelBuilder.Entity("OpenIddict.EntityFrameworkCore.Models.OpenIddictEntityFrameworkCoreAuthorization", b => + { + b.HasOne("OpenIddict.EntityFrameworkCore.Models.OpenIddictEntityFrameworkCoreApplication", "Application") + .WithMany("Authorizations") + .HasForeignKey("ApplicationId") + .HasConstraintName("fk_oidc_authorizations_oidc_applications_application_id"); + + b.Navigation("Application"); + }); + + modelBuilder.Entity("OpenIddict.EntityFrameworkCore.Models.OpenIddictEntityFrameworkCoreToken", b => + { + b.HasOne("OpenIddict.EntityFrameworkCore.Models.OpenIddictEntityFrameworkCoreApplication", "Application") + .WithMany("Tokens") + .HasForeignKey("ApplicationId") + .HasConstraintName("fk_oidc_tokens_oidc_applications_application_id"); + + b.HasOne("OpenIddict.EntityFrameworkCore.Models.OpenIddictEntityFrameworkCoreAuthorization", "Authorization") + .WithMany("Tokens") + .HasForeignKey("AuthorizationId") + .HasConstraintName("fk_oidc_tokens_oidc_authorizations_authorization_id"); + + b.Navigation("Application"); + + b.Navigation("Authorization"); + }); + + modelBuilder.Entity("TeachingRecordSystem.Core.DataStore.Postgres.Models.Alert", b => + { + b.HasOne("TeachingRecordSystem.Core.DataStore.Postgres.Models.AlertType", "AlertType") + .WithMany() + .HasForeignKey("AlertTypeId") + .OnDelete(DeleteBehavior.Cascade) + .IsRequired() + .HasConstraintName("fk_alerts_alert_type"); + + b.HasOne("TeachingRecordSystem.Core.DataStore.Postgres.Models.Person", "Person") + .WithMany("Alerts") + .HasForeignKey("PersonId") + .OnDelete(DeleteBehavior.Cascade) + .IsRequired() + .HasConstraintName("fk_alerts_person"); + + b.Navigation("AlertType"); + + b.Navigation("Person"); + }); + + modelBuilder.Entity("TeachingRecordSystem.Core.DataStore.Postgres.Models.AlertType", b => + { + b.HasOne("TeachingRecordSystem.Core.DataStore.Postgres.Models.AlertCategory", "AlertCategory") + .WithMany("AlertTypes") + .HasForeignKey("AlertCategoryId") + .OnDelete(DeleteBehavior.Cascade) + .IsRequired() + .HasConstraintName("fk_alert_types_alert_category"); + + b.Navigation("AlertCategory"); + }); + + modelBuilder.Entity("TeachingRecordSystem.Core.DataStore.Postgres.Models.ApiKey", b => + { + b.HasOne("TeachingRecordSystem.Core.DataStore.Postgres.Models.ApplicationUser", "ApplicationUser") + .WithMany("ApiKeys") + .HasForeignKey("ApplicationUserId") + .OnDelete(DeleteBehavior.Cascade) + .IsRequired() + .HasConstraintName("fk_api_key_application_user"); + + b.Navigation("ApplicationUser"); + }); + + modelBuilder.Entity("TeachingRecordSystem.Core.DataStore.Postgres.Models.Establishment", b => + { + b.HasOne("TeachingRecordSystem.Core.DataStore.Postgres.Models.EstablishmentSource", null) + .WithMany() + .HasForeignKey("EstablishmentSourceId") + .OnDelete(DeleteBehavior.Cascade) + .IsRequired() + .HasConstraintName("fk_establishments_establishment_source_id"); + }); + + modelBuilder.Entity("TeachingRecordSystem.Core.DataStore.Postgres.Models.EytsAwardedEmailsJobItem", b => + { + b.HasOne("TeachingRecordSystem.Core.DataStore.Postgres.Models.EytsAwardedEmailsJob", "EytsAwardedEmailsJob") + .WithMany("JobItems") + .HasForeignKey("EytsAwardedEmailsJobId") + .OnDelete(DeleteBehavior.Cascade) + .IsRequired() + .HasConstraintName("fk_eyts_awarded_emails_job_items_eyts_awarded_emails_jobs_eyts"); + + b.Navigation("EytsAwardedEmailsJob"); + }); + + modelBuilder.Entity("TeachingRecordSystem.Core.DataStore.Postgres.Models.InductionCompletedEmailsJobItem", b => + { + b.HasOne("TeachingRecordSystem.Core.DataStore.Postgres.Models.InductionCompletedEmailsJob", "InductionCompletedEmailsJob") + .WithMany("JobItems") + .HasForeignKey("InductionCompletedEmailsJobId") + .OnDelete(DeleteBehavior.Cascade) + .IsRequired() + .HasConstraintName("fk_induction_completed_emails_job_items_induction_completed_em"); + + b.Navigation("InductionCompletedEmailsJob"); + }); + + modelBuilder.Entity("TeachingRecordSystem.Core.DataStore.Postgres.Models.InternationalQtsAwardedEmailsJobItem", b => + { + b.HasOne("TeachingRecordSystem.Core.DataStore.Postgres.Models.InternationalQtsAwardedEmailsJob", "InternationalQtsAwardedEmailsJob") + .WithMany("JobItems") + .HasForeignKey("InternationalQtsAwardedEmailsJobId") + .OnDelete(DeleteBehavior.Cascade) + .IsRequired() + .HasConstraintName("fk_international_qts_awarded_emails_job_items_international_qt"); + + b.Navigation("InternationalQtsAwardedEmailsJob"); + }); + + modelBuilder.Entity("TeachingRecordSystem.Core.DataStore.Postgres.Models.OneLoginUser", b => + { + b.HasOne("TeachingRecordSystem.Core.DataStore.Postgres.Models.Person", "Person") + .WithOne() + .HasForeignKey("TeachingRecordSystem.Core.DataStore.Postgres.Models.OneLoginUser", "PersonId") + .HasConstraintName("fk_one_login_users_persons_person_id"); + + b.HasOne("TeachingRecordSystem.Core.DataStore.Postgres.Models.ApplicationUser", null) + .WithMany() + .HasForeignKey("VerifiedByApplicationUserId") + .HasConstraintName("fk_one_login_users_application_users_verified_by_application_u"); + + b.Navigation("Person"); + }); + + modelBuilder.Entity("TeachingRecordSystem.Core.DataStore.Postgres.Models.QtsAwardedEmailsJobItem", b => + { + b.HasOne("TeachingRecordSystem.Core.DataStore.Postgres.Models.QtsAwardedEmailsJob", "QtsAwardedEmailsJob") + .WithMany("JobItems") + .HasForeignKey("QtsAwardedEmailsJobId") + .OnDelete(DeleteBehavior.Cascade) + .IsRequired() + .HasConstraintName("fk_qts_awarded_emails_job_items_qts_awarded_emails_jobs_qts_aw"); + + b.Navigation("QtsAwardedEmailsJob"); + }); + + modelBuilder.Entity("TeachingRecordSystem.Core.DataStore.Postgres.Models.Qualification", b => + { + b.HasOne("TeachingRecordSystem.Core.DataStore.Postgres.Models.Person", "Person") + .WithMany("Qualifications") + .HasForeignKey("PersonId") + .OnDelete(DeleteBehavior.Cascade) + .IsRequired() + .HasConstraintName("fk_qualifications_person"); + + b.Navigation("Person"); + }); + + modelBuilder.Entity("TeachingRecordSystem.Core.DataStore.Postgres.Models.SupportTask", b => + { + b.HasOne("TeachingRecordSystem.Core.DataStore.Postgres.Models.OneLoginUser", null) + .WithMany() + .HasForeignKey("OneLoginUserSubject") + .HasConstraintName("fk_support_tasks_one_login_user"); + + b.HasOne("TeachingRecordSystem.Core.DataStore.Postgres.Models.Person", null) + .WithMany() + .HasForeignKey("PersonId") + .HasConstraintName("fk_support_tasks_person"); + }); + + modelBuilder.Entity("TeachingRecordSystem.Core.DataStore.Postgres.Models.TpsCsvExtractItem", b => + { + b.HasOne("TeachingRecordSystem.Core.DataStore.Postgres.Models.TpsCsvExtract", null) + .WithMany() + .HasForeignKey("TpsCsvExtractId") + .OnDelete(DeleteBehavior.Cascade) + .IsRequired() + .HasConstraintName("fk_tps_csv_extract_items_tps_csv_extract_id"); + + b.HasOne("TeachingRecordSystem.Core.DataStore.Postgres.Models.TpsCsvExtractLoadItem", null) + .WithMany() + .HasForeignKey("TpsCsvExtractLoadItemId") + .OnDelete(DeleteBehavior.Cascade) + .IsRequired() + .HasConstraintName("fk_tps_csv_extract_items_tps_csv_extract_load_item_id"); + }); + + modelBuilder.Entity("TeachingRecordSystem.Core.DataStore.Postgres.Models.TpsCsvExtractLoadItem", b => + { + b.HasOne("TeachingRecordSystem.Core.DataStore.Postgres.Models.TpsCsvExtract", null) + .WithMany() + .HasForeignKey("TpsCsvExtractId") + .OnDelete(DeleteBehavior.Cascade) + .IsRequired() + .HasConstraintName("fk_tps_csv_extract_load_items_tps_csv_extract_id"); + }); + + modelBuilder.Entity("TeachingRecordSystem.Core.DataStore.Postgres.Models.TpsEmployment", b => + { + b.HasOne("TeachingRecordSystem.Core.DataStore.Postgres.Models.Establishment", null) + .WithMany() + .HasForeignKey("EstablishmentId") + .OnDelete(DeleteBehavior.Cascade) + .IsRequired() + .HasConstraintName("fk_tps_employments_establishment_id"); + + b.HasOne("TeachingRecordSystem.Core.DataStore.Postgres.Models.Person", null) + .WithMany() + .HasForeignKey("PersonId") + .OnDelete(DeleteBehavior.Cascade) + .IsRequired() + .HasConstraintName("fk_tps_employments_person_id"); + }); + + modelBuilder.Entity("TeachingRecordSystem.Core.DataStore.Postgres.Models.WebhookEndpoint", b => + { + b.HasOne("TeachingRecordSystem.Core.DataStore.Postgres.Models.ApplicationUser", null) + .WithMany() + .HasForeignKey("ApplicationUserId") + .OnDelete(DeleteBehavior.Cascade) + .IsRequired() + .HasConstraintName("fk_webhook_endpoints_application_users_application_user_id"); + }); + + modelBuilder.Entity("TeachingRecordSystem.Core.DataStore.Postgres.Models.WebhookMessage", b => + { + b.HasOne("TeachingRecordSystem.Core.DataStore.Postgres.Models.WebhookEndpoint", "WebhookEndpoint") + .WithMany() + .HasForeignKey("WebhookEndpointId") + .OnDelete(DeleteBehavior.Cascade) + .IsRequired() + .HasConstraintName("fk_webhook_messages_webhook_endpoints_webhook_endpoint_id"); + + b.Navigation("WebhookEndpoint"); + }); + + modelBuilder.Entity("TeachingRecordSystem.Core.DataStore.Postgres.Models.MandatoryQualification", b => + { + b.HasOne("TeachingRecordSystem.Core.DataStore.Postgres.Models.MandatoryQualificationProvider", "Provider") + .WithMany() + .HasForeignKey("ProviderId") + .HasConstraintName("fk_qualifications_mandatory_qualification_provider"); + + b.Navigation("Provider"); + }); + + modelBuilder.Entity("OpenIddict.EntityFrameworkCore.Models.OpenIddictEntityFrameworkCoreApplication", b => + { + b.Navigation("Authorizations"); + + b.Navigation("Tokens"); + }); + + modelBuilder.Entity("OpenIddict.EntityFrameworkCore.Models.OpenIddictEntityFrameworkCoreAuthorization", b => + { + b.Navigation("Tokens"); + }); + + modelBuilder.Entity("TeachingRecordSystem.Core.DataStore.Postgres.Models.AlertCategory", b => + { + b.Navigation("AlertTypes"); + }); + + modelBuilder.Entity("TeachingRecordSystem.Core.DataStore.Postgres.Models.EytsAwardedEmailsJob", b => + { + b.Navigation("JobItems"); + }); + + modelBuilder.Entity("TeachingRecordSystem.Core.DataStore.Postgres.Models.InductionCompletedEmailsJob", b => + { + b.Navigation("JobItems"); + }); + + modelBuilder.Entity("TeachingRecordSystem.Core.DataStore.Postgres.Models.InternationalQtsAwardedEmailsJob", b => + { + b.Navigation("JobItems"); + }); + + modelBuilder.Entity("TeachingRecordSystem.Core.DataStore.Postgres.Models.Person", b => + { + b.Navigation("Alerts"); + + b.Navigation("Qualifications"); + }); + + modelBuilder.Entity("TeachingRecordSystem.Core.DataStore.Postgres.Models.QtsAwardedEmailsJob", b => + { + b.Navigation("JobItems"); + }); + + modelBuilder.Entity("TeachingRecordSystem.Core.DataStore.Postgres.Models.ApplicationUser", b => + { + b.Navigation("ApiKeys"); + }); +#pragma warning restore 612, 618 + } + } +} diff --git a/TeachingRecordSystem/src/TeachingRecordSystem.Core/DataStore/Postgres/Migrations/20241218104549_WebhookEndpointMetadata.cs b/TeachingRecordSystem/src/TeachingRecordSystem.Core/DataStore/Postgres/Migrations/20241218104549_WebhookEndpointMetadata.cs new file mode 100644 index 000000000..8c3738f36 --- /dev/null +++ b/TeachingRecordSystem/src/TeachingRecordSystem.Core/DataStore/Postgres/Migrations/20241218104549_WebhookEndpointMetadata.cs @@ -0,0 +1,51 @@ +using System; +using Microsoft.EntityFrameworkCore.Migrations; + +#nullable disable + +namespace TeachingRecordSystem.Core.DataStore.Postgres.Migrations +{ + /// + public partial class WebhookEndpointMetadata : Migration + { + /// + protected override void Up(MigrationBuilder migrationBuilder) + { + migrationBuilder.AddColumn( + name: "created_on", + table: "webhook_endpoints", + type: "timestamp with time zone", + nullable: false, + defaultValue: new DateTime(1, 1, 1, 0, 0, 0, 0, DateTimeKind.Unspecified)); + + migrationBuilder.AddColumn( + name: "deleted_on", + table: "webhook_endpoints", + type: "timestamp with time zone", + nullable: true); + + migrationBuilder.AddColumn( + name: "updated_on", + table: "webhook_endpoints", + type: "timestamp with time zone", + nullable: false, + defaultValue: new DateTime(1, 1, 1, 0, 0, 0, 0, DateTimeKind.Unspecified)); + } + + /// + protected override void Down(MigrationBuilder migrationBuilder) + { + migrationBuilder.DropColumn( + name: "created_on", + table: "webhook_endpoints"); + + migrationBuilder.DropColumn( + name: "deleted_on", + table: "webhook_endpoints"); + + migrationBuilder.DropColumn( + name: "updated_on", + table: "webhook_endpoints"); + } + } +} diff --git a/TeachingRecordSystem/src/TeachingRecordSystem.Core/DataStore/Postgres/Migrations/TrsDbContextModelSnapshot.cs b/TeachingRecordSystem/src/TeachingRecordSystem.Core/DataStore/Postgres/Migrations/TrsDbContextModelSnapshot.cs index 8dfaf42a2..cd5cb4c09 100644 --- a/TeachingRecordSystem/src/TeachingRecordSystem.Core/DataStore/Postgres/Migrations/TrsDbContextModelSnapshot.cs +++ b/TeachingRecordSystem/src/TeachingRecordSystem.Core/DataStore/Postgres/Migrations/TrsDbContextModelSnapshot.cs @@ -2737,10 +2737,22 @@ protected override void BuildModel(ModelBuilder modelBuilder) .HasColumnType("text[]") .HasColumnName("cloud_event_types"); + b.Property("CreatedOn") + .HasColumnType("timestamp with time zone") + .HasColumnName("created_on"); + + b.Property("DeletedOn") + .HasColumnType("timestamp with time zone") + .HasColumnName("deleted_on"); + b.Property("Enabled") .HasColumnType("boolean") .HasColumnName("enabled"); + b.Property("UpdatedOn") + .HasColumnType("timestamp with time zone") + .HasColumnName("updated_on"); + b.HasKey("WebhookEndpointId") .HasName("pk_webhook_endpoints"); @@ -3180,12 +3192,14 @@ protected override void BuildModel(ModelBuilder modelBuilder) modelBuilder.Entity("TeachingRecordSystem.Core.DataStore.Postgres.Models.WebhookEndpoint", b => { - b.HasOne("TeachingRecordSystem.Core.DataStore.Postgres.Models.ApplicationUser", null) + b.HasOne("TeachingRecordSystem.Core.DataStore.Postgres.Models.ApplicationUser", "ApplicationUser") .WithMany() .HasForeignKey("ApplicationUserId") .OnDelete(DeleteBehavior.Cascade) .IsRequired() .HasConstraintName("fk_webhook_endpoints_application_users_application_user_id"); + + b.Navigation("ApplicationUser"); }); modelBuilder.Entity("TeachingRecordSystem.Core.DataStore.Postgres.Models.WebhookMessage", b => diff --git a/TeachingRecordSystem/src/TeachingRecordSystem.Core/DataStore/Postgres/Models/WebhookEndpoint.cs b/TeachingRecordSystem/src/TeachingRecordSystem.Core/DataStore/Postgres/Models/WebhookEndpoint.cs index 0fb538a55..8419a1b36 100644 --- a/TeachingRecordSystem/src/TeachingRecordSystem.Core/DataStore/Postgres/Models/WebhookEndpoint.cs +++ b/TeachingRecordSystem/src/TeachingRecordSystem.Core/DataStore/Postgres/Models/WebhookEndpoint.cs @@ -4,8 +4,12 @@ public class WebhookEndpoint { public required Guid WebhookEndpointId { get; init; } public required Guid ApplicationUserId { get; init; } + public virtual ApplicationUser ApplicationUser { get; } = null!; public required string Address { get; set; } public required string ApiVersion { get; set; } public required List CloudEventTypes { get; set; } public required bool Enabled { get; set; } + public required DateTime CreatedOn { get; init; } + public required DateTime UpdatedOn { get; set; } + public DateTime? DeletedOn { get; set; } } diff --git a/TeachingRecordSystem/src/TeachingRecordSystem.Core/Events/Models/WebhookEndpoint.cs b/TeachingRecordSystem/src/TeachingRecordSystem.Core/Events/Models/WebhookEndpoint.cs new file mode 100644 index 000000000..81214d995 --- /dev/null +++ b/TeachingRecordSystem/src/TeachingRecordSystem.Core/Events/Models/WebhookEndpoint.cs @@ -0,0 +1,21 @@ +namespace TeachingRecordSystem.Core.Events.Models; + +public record WebhookEndpoint +{ + public required Guid WebhookEndpointId { get; init; } + public required Guid ApplicationUserId { get; init; } + public required string Address { get; init; } + public required string ApiVersion { get; init; } + public required IReadOnlyCollection CloudEventTypes { get; init; } + public required bool Enabled { get; init; } + + public static WebhookEndpoint FromModel(Core.DataStore.Postgres.Models.WebhookEndpoint model) => new() + { + WebhookEndpointId = model.WebhookEndpointId, + ApplicationUserId = model.ApplicationUserId, + Address = model.Address, + ApiVersion = model.ApiVersion, + CloudEventTypes = model.CloudEventTypes, + Enabled = model.Enabled + }; +} diff --git a/TeachingRecordSystem/src/TeachingRecordSystem.Core/Events/WebhookEndpointCreatedEvent.cs b/TeachingRecordSystem/src/TeachingRecordSystem.Core/Events/WebhookEndpointCreatedEvent.cs new file mode 100644 index 000000000..2d64c053a --- /dev/null +++ b/TeachingRecordSystem/src/TeachingRecordSystem.Core/Events/WebhookEndpointCreatedEvent.cs @@ -0,0 +1,8 @@ +using TeachingRecordSystem.Core.Events.Models; + +namespace TeachingRecordSystem.Core.Events; + +public record WebhookEndpointCreatedEvent : EventBase +{ + public required WebhookEndpoint WebhookEndpoint { get; init; } +} diff --git a/TeachingRecordSystem/src/TeachingRecordSystem.Core/Events/WebhookEndpointDeletedEvent.cs b/TeachingRecordSystem/src/TeachingRecordSystem.Core/Events/WebhookEndpointDeletedEvent.cs new file mode 100644 index 000000000..06c4da6b2 --- /dev/null +++ b/TeachingRecordSystem/src/TeachingRecordSystem.Core/Events/WebhookEndpointDeletedEvent.cs @@ -0,0 +1,8 @@ +using TeachingRecordSystem.Core.Events.Models; + +namespace TeachingRecordSystem.Core.Events; + +public record WebhookEndpointDeletedEvent : EventBase +{ + public required WebhookEndpoint WebhookEndpoint { get; init; } +} diff --git a/TeachingRecordSystem/src/TeachingRecordSystem.Core/Events/WebhookEndpointUpdatedEvent.cs b/TeachingRecordSystem/src/TeachingRecordSystem.Core/Events/WebhookEndpointUpdatedEvent.cs new file mode 100644 index 000000000..260250c1e --- /dev/null +++ b/TeachingRecordSystem/src/TeachingRecordSystem.Core/Events/WebhookEndpointUpdatedEvent.cs @@ -0,0 +1,19 @@ +using TeachingRecordSystem.Core.Events.Models; + +namespace TeachingRecordSystem.Core.Events; + +public record WebhookEndpointUpdatedEvent : EventBase +{ + public required WebhookEndpoint WebhookEndpoint { get; init; } + public required WebhookEndpointUpdatedChanges Changes { get; init; } +} + +[Flags] +public enum WebhookEndpointUpdatedChanges +{ + None = 0, + Address = 1 << 0, + ApiVersion = 1 << 1, + CloudEventTypes = 1 << 2, + Enabled = 1 << 3 +} diff --git a/TeachingRecordSystem/src/TeachingRecordSystem.Core/Services/Webhooks/WebhookMessageFactory.cs b/TeachingRecordSystem/src/TeachingRecordSystem.Core/Services/Webhooks/WebhookMessageFactory.cs index 95cd89ff6..80712bc6d 100644 --- a/TeachingRecordSystem/src/TeachingRecordSystem.Core/Services/Webhooks/WebhookMessageFactory.cs +++ b/TeachingRecordSystem/src/TeachingRecordSystem.Core/Services/Webhooks/WebhookMessageFactory.cs @@ -35,7 +35,11 @@ public async Task> CreateMessagesAsync( async e => { e.SetAbsoluteExpiration(_webhookEndpointsCacheDuration); - return await dbContext.WebhookEndpoints.AsNoTracking().Where(e => e.Enabled).ToArrayAsync(); + + return await dbContext.WebhookEndpoints + .AsNoTracking() + .Where(e => e.Enabled && e.ApplicationUser.Active) + .ToArrayAsync(); }); var endpointCloudEventTypeVersions = endpoints! diff --git a/TeachingRecordSystem/tests/TeachingRecordSystem.Api.Tests/GlobalUsings.cs b/TeachingRecordSystem/tests/TeachingRecordSystem.Api.Tests/GlobalUsings.cs index e5572358d..15386489c 100644 --- a/TeachingRecordSystem/tests/TeachingRecordSystem.Api.Tests/GlobalUsings.cs +++ b/TeachingRecordSystem/tests/TeachingRecordSystem.Api.Tests/GlobalUsings.cs @@ -1,2 +1,3 @@ +global using TeachingRecordSystem.Core.ApiSchema; global using TeachingRecordSystem.Core.Dqt.Models; global using TeachingRecordSystem.TestCommon; diff --git a/TeachingRecordSystem/tests/TeachingRecordSystem.Core.Tests/Services/Webhooks/WebhookDeliveryServiceTests.cs b/TeachingRecordSystem/tests/TeachingRecordSystem.Core.Tests/Services/Webhooks/WebhookDeliveryServiceTests.cs index ead12ed99..2434c16e1 100644 --- a/TeachingRecordSystem/tests/TeachingRecordSystem.Core.Tests/Services/Webhooks/WebhookDeliveryServiceTests.cs +++ b/TeachingRecordSystem/tests/TeachingRecordSystem.Core.Tests/Services/Webhooks/WebhookDeliveryServiceTests.cs @@ -220,6 +220,8 @@ private Task CreateApplicationUserAndEndpoint() => CloudEventTypes = [], Enabled = true, WebhookEndpointId = Guid.NewGuid(), + CreatedOn = DateTime.UtcNow, + UpdatedOn = DateTime.UtcNow }; dbContext.WebhookEndpoints.Add(endpoint); diff --git a/TeachingRecordSystem/tests/TeachingRecordSystem.Core.Tests/Services/Webhooks/WebhookSenderTests.cs b/TeachingRecordSystem/tests/TeachingRecordSystem.Core.Tests/Services/Webhooks/WebhookSenderTests.cs index b79f85a40..02b7513a3 100644 --- a/TeachingRecordSystem/tests/TeachingRecordSystem.Core.Tests/Services/Webhooks/WebhookSenderTests.cs +++ b/TeachingRecordSystem/tests/TeachingRecordSystem.Core.Tests/Services/Webhooks/WebhookSenderTests.cs @@ -45,7 +45,9 @@ public async Task SendMessageAsync_SendsMessageWithExpectedContent() Address = receiver.Server.BaseAddress + WebhookReceiver.Endpoint.TrimStart('/'), ApiVersion = apiVersion, CloudEventTypes = [cloudEventType], - Enabled = true + Enabled = true, + CreatedOn = DateTime.UtcNow, + UpdatedOn = DateTime.UtcNow }, CloudEventId = cloudEventId, CloudEventType = cloudEventType,