Directory Search API in die Benutzer-/Gruppenimport-Komponente im Angular-Frontend integriert.

This commit is contained in:
Developer 02 2024-03-25 12:32:30 +01:00
parent 7463f36013
commit 0c3a2eb09d
300 changed files with 34364 additions and 512 deletions

Binary file not shown.

View File

@ -1,14 +1,14 @@
 using Microsoft.AspNetCore.Authentication.Cookies;
using Microsoft.AspNetCore.Authentication.Cookies;
using Microsoft.AspNetCore.Authentication; using Microsoft.AspNetCore.Authentication;
using System.Security.Claims; using System.Security.Claims;
using System.DirectoryServices.AccountManagement;
using Microsoft.AspNetCore.Mvc; using Microsoft.AspNetCore.Mvc;
using DigitalData.UserManager.Application.Contracts; using DigitalData.UserManager.Application.Contracts;
using DigitalData.UserManager.Application.DTOs.User; using DigitalData.UserManager.Application.DTOs.User;
using Microsoft.AspNetCore.Authorization; using Microsoft.AspNetCore.Authorization;
using DigitalData.UserManager.Application; using DigitalData.UserManager.Application;
using DigitalData.UserManager.Application.DTOs.Auth; using DigitalData.UserManager.Application.DTOs.Auth;
using DigitalData.Core.Contracts.Application;
using Microsoft.Extensions.Caching.Memory;
namespace DigitalData.UserManager.API.Controllers namespace DigitalData.UserManager.API.Controllers
{ {
@ -17,11 +17,17 @@ namespace DigitalData.UserManager.API.Controllers
{ {
private IUserService _userService; private IUserService _userService;
private IGroupOfUserService _gouService; private IGroupOfUserService _gouService;
private IMemoryCache _memoryCache;
private IConfiguration _configuration;
private IDirectorySearchService _dirSearchService;
public AuthController(IUserService userService, IGroupOfUserService gouService) public AuthController(IUserService userService, IGroupOfUserService gouService, IMemoryCache memoryCache, IConfiguration configuration, IDirectorySearchService directorySearchService)
{ {
_userService = userService; _userService = userService;
_gouService = gouService; _gouService = gouService;
_memoryCache = memoryCache;
_configuration = configuration;
_dirSearchService = directorySearchService;
} }
[AllowAnonymous] [AllowAnonymous]
@ -32,8 +38,7 @@ namespace DigitalData.UserManager.API.Controllers
[HttpPost("login")] [HttpPost("login")]
public async Task<IActionResult> Login([FromBody] LogInDto login) public async Task<IActionResult> Login([FromBody] LogInDto login)
{ {
using var context = new PrincipalContext(ContextType.Domain); bool isValid = _dirSearchService.ValidateCredentials(login.Username, login.Password);
bool isValid = context.ValidateCredentials(login.Username, login.Password);
if (!isValid) if (!isValid)
return Unauthorized(_userService.Failed(MessageKey.UserNotFound.ToString())); return Unauthorized(_userService.Failed(MessageKey.UserNotFound.ToString()));
@ -79,12 +84,30 @@ namespace DigitalData.UserManager.API.Controllers
new ClaimsPrincipal(claimsIdentity), new ClaimsPrincipal(claimsIdentity),
authProperties); authProperties);
return Ok(2); _dirSearchService.SetSearchRootCache(user.Username, login.Password);
return Ok();
} }
[Authorize] [Authorize]
[HttpGet("user")] [HttpGet("user")]
public IActionResult GetUser() => Ok(User.Claims.ToList()); public async Task<IActionResult> GetUserWithClaims()
{
// Extract the username from the Name claim.
string? username = User.Claims.FirstOrDefault(c => c.Type == ClaimTypes.Name)?.Value;
if (string.IsNullOrEmpty(username))
return Unauthorized();
var userDto = await _userService.ReadByUsernameAsync(username);
if (!userDto.IsSuccess || userDto.Data is null)
{
return NotFound(_userService.Failed("User not found."));
}
return Ok(userDto.Data);
}
[AllowAnonymous] [AllowAnonymous]
[HttpPost("logout")] [HttpPost("logout")]

View File

@ -1,42 +1,167 @@
using DigitalData.Core.Contracts.Application; using DigitalData.Core.Contracts.Application;
using DigitalData.UserManager.Application.Contracts; using DigitalData.UserManager.Application.Contracts;
using DigitalData.UserManager.Application.DTOs.User; using DigitalData.UserManager.Application.DTOs;
using Microsoft.AspNetCore.Authorization;
using Microsoft.AspNetCore.Mvc; using Microsoft.AspNetCore.Mvc;
using Microsoft.Extensions.Caching.Memory;
using System.Diagnostics.CodeAnalysis;
using System.Security.Claims;
using DigitalData.UserManager.Application;
using DigitalData.UserManager.Application.DTOs.User;
using System.DirectoryServices;
using static System.Runtime.InteropServices.JavaScript.JSType;
using System.Linq;
using System.IO;
namespace DigitalData.UserManager.API.Controllers namespace DigitalData.UserManager.API.Controllers
{ {
[Route("api/[controller]")] [Route("api/[controller]")]
[SuppressMessage("Interoperability", "CA1416:Validate platform compatibility", Justification = "<Pending>")]
public class DirectoryController : ControllerBase public class DirectoryController : ControllerBase
{ {
private ILogger<DirectoryController> _logger; private ILogger<DirectoryController> _logger;
private IDirectoryService _dirService;
private IUserService _userService; private IUserService _userService;
private IDirectorySearchService _dirSearchService;
private IMemoryCache _memoryCache;
private Dictionary<string, string> _customSearchFilters;
public DirectoryController(ILogger<DirectoryController> logger, IDirectoryService dirService, IUserService userService) public DirectoryController(IConfiguration configuration, ILogger<DirectoryController> logger, IUserService userService, IDirectorySearchService directorySearchService, IMemoryCache memoryCache)
{ {
_logger = logger; _logger = logger;
_dirService = dirService;
_userService = userService; _userService = userService;
_dirSearchService = directorySearchService;
_memoryCache = memoryCache;
var customSearchFiltersSection = configuration.GetSection("DirectorySearch:CustomSearchFilters");
_customSearchFilters = customSearchFiltersSection.Get<Dictionary<string, string>>() ?? new();
}
[HttpGet("Root/{username}")]
public IActionResult GetRootOf(string username)
{
var root = _dirSearchService.GetSearchRootCache(username);
return root is null ? NotFound() : Ok(new
{
guid = root.Guid,
nativeGuid = root.NativeGuid,
name = root.Name,
path = root.Path,
parentPath = root.Parent?.Path,
username = root.Username,
schemaClassName = root.SchemaClassName
});
}
[HttpGet("CustomSearchFilter")]
public IActionResult GetAllCustomFilters(string? filtername)
{
if (filtername is null)
{
return Ok(_customSearchFilters);
}
else
{
_dirSearchService.CustomSearchFilters.TryGetValue(filtername, out string? filter);
return filter is null ? NotFound() : Ok(filter);
}
}
[HttpPost("CreateSearchRoot")]
public async Task<IActionResult> CreateSearchRoot([FromBody] SearchRootCreateDto searchRootCreateDto)
{
var dirEntryUsername = searchRootCreateDto.DirEntryUsername ?? CurrentUser;
if (dirEntryUsername is null)
return Unauthorized();
bool isValid = _dirSearchService.ValidateCredentials(dirEntryUsername, searchRootCreateDto.DirEntryPassword);
if (!isValid)
return Unauthorized(_dirSearchService.Failed(MessageKey.UserNotFound.ToString()));
var userResult = await _userService.ReadByUsernameAsync(dirEntryUsername);
if(!userResult.IsSuccess || userResult.Data is null)
return Unauthorized(_dirSearchService.Failed(MessageKey.UserNotFoundInLocalDB.ToString()));
_dirSearchService.SetSearchRootCache(userResult.Data.Username, searchRootCreateDto.DirEntryPassword);
return Ok();
}
[HttpGet("SearchByFilter/{filter}")]
public IActionResult SearchByFilter([FromRoute] string filter, string? dirEntryUsername, params string[] propName)
{
dirEntryUsername ??= CurrentUser;
if (dirEntryUsername is null)
return Unauthorized();
var result = _dirSearchService.FindAllByUserCache(dirEntryUsername, filter, properties: propName);
return Ok(result);
}
[HttpGet("SearchByFilterName/{filterName}")]
public IActionResult SearchByFilterName([FromRoute] string filterName, string? dirEntryUsername, params string[] propName)
{
dirEntryUsername ??= CurrentUser;
if (dirEntryUsername is null)
return Unauthorized();
_dirSearchService.CustomSearchFilters.TryGetValue(filterName, out string? filter);
if (filter is null)
return NotFound($"The filter named {filterName} does not exist.");
var result = _dirSearchService.FindAllByUserCache(dirEntryUsername, filter, properties: propName);
return Ok(result);
} }
[HttpGet("Group")] [HttpGet("Group")]
public IActionResult GetGroups(string? propName = null) public IActionResult GetGroups(string? dirEntryUsername, params string[] propName)
{ {
if (propName is not null) dirEntryUsername ??= CurrentUser;
return Ok(_dirService.ReadGroupByPropertyName(propName));
else if (dirEntryUsername is null)
return Ok(_dirService.ReadAllGroupAsCollection()); return Unauthorized();
_dirSearchService.CustomSearchFilters.TryGetValue("Group", out string? filter);
if (filter is null)
throw new InvalidOperationException("The LDAP Group Search filter configuration is missing in your appsettings. Please ensure it's added under DirectorySearch:CustomSearchFilters:Group to enable group searches.");
var result = _dirSearchService.FindAllByUserCache(username: dirEntryUsername, filter, properties: propName);
return Ok(result);
} }
[HttpGet("User")] [HttpGet("User")]
public IActionResult GetUserByGroupName([FromQuery] string groupName) public IActionResult GetUsersByGroupName(string? dirEntryUsername, [FromQuery] string? groupName = null)
{ {
if(groupName is null) string[] propName = { "memberof", "samaccountname", "givenname", "sn", "mail" };
{ dirEntryUsername ??= CurrentUser;
return BadRequest(_dirService.Failed());
} if (dirEntryUsername is null)
return Ok(_dirService.ReadUserByGroup<UserPrincipalReadDto>(groupIdentityValue:groupName)); return Unauthorized();
_dirSearchService.CustomSearchFilters.TryGetValue("User", out string? filter);
if (filter is null)
throw new InvalidOperationException("The LDAP User Search filter configuration is missing in your appsettings. Please ensure it's added under DirectorySearch:CustomSearchFilters:User to enable group searches.");
var result = _dirSearchService.FindAllByUserCache(username: dirEntryUsername, filter, properties: propName);
if (groupName is not null && result.IsSuccess && result.Data is not null)
result.Data = result.Data
.Where(rp => rp.PropertyNames.Cast<string>().Contains("memberof") &&
rp["memberof"].Cast<string>().Any(ldapDir => ldapDir.Contains(groupName)))
.ToList();
return Ok(result);
}
private string? CurrentUser
{
get => (HttpContext.User.Claims.FirstOrDefault(c => c.Type == ClaimTypes.Name)?.Value);
} }
} }
} }

View File

@ -55,4 +55,8 @@
</Reference> </Reference>
</ItemGroup> </ItemGroup>
<ItemGroup>
<Folder Include="wwwroot\" />
</ItemGroup>
</Project> </Project>

View File

@ -9,8 +9,6 @@ using DigitalData.Core.Application;
using Microsoft.AspNetCore.Authentication.Cookies; using Microsoft.AspNetCore.Authentication.Cookies;
using NLog.Web; using NLog.Web;
using NLog; using NLog;
using System.DirectoryServices;
using System.Runtime.InteropServices;
var logger = LogManager.Setup().LoadConfigurationFromAppSettings().GetCurrentClassLogger(); var logger = LogManager.Setup().LoadConfigurationFromAppSettings().GetCurrentClassLogger();
logger.Debug("init main"); logger.Debug("init main");
@ -24,21 +22,6 @@ try {
builder.Logging.ClearProviders(); builder.Logging.ClearProviders();
builder.Host.UseNLog(); builder.Host.UseNLog();
if (RuntimeInformation.IsOSPlatform(OSPlatform.Windows))
try
{
using DirectoryEntry rootDSE = new("LDAP://RootDSE");
string defaultNamingContext = rootDSE.Properties["defaultNamingContext"]?.Value?.ToString() ?? "NULL";
string ldapPath = $"LDAP://{defaultNamingContext}";
logger.Info($"Local LDAP Path: {ldapPath}");
}
catch (Exception exception)
{
logger.Warn(exception, "Local LDAP Path cannot found.");
}
else
logger.Warn("Directory service will not operate because the operating system is not Windows.");
builder.Services.AddControllers(); builder.Services.AddControllers();
if (builder.Configuration.GetValue<bool>("UseSwagger")) if (builder.Configuration.GetValue<bool>("UseSwagger"))
@ -54,11 +37,12 @@ try {
{ {
options.Cookie.HttpOnly = true; options.Cookie.HttpOnly = true;
//options.Cookie.SecurePolicy = CookieSecurePolicy.Always; //always https //options.Cookie.SecurePolicy = CookieSecurePolicy.Always; //always https
options.Cookie.SameSite = SameSiteMode.None; // allows Cross-site requests options.Cookie.SameSite = SameSiteMode.None;
options.LoginPath = "/api/auth/login"; options.LoginPath = "/api/auth/login";
options.LogoutPath = "/api/auth/logout"; options.LogoutPath = "/api/auth/logout";
}); });
builder.Services.AddDbContext<DDECMDbContext>(options => builder.Services.AddDbContext<DDECMDbContext>(options =>
options.UseSqlServer(builder.Configuration.GetConnectionString("DD_ECM_Connection")) options.UseSqlServer(builder.Configuration.GetConnectionString("DD_ECM_Connection"))
.EnableDetailedErrors()); .EnableDetailedErrors());
@ -101,7 +85,7 @@ try {
builder.Services.AddScoped<IModuleOfUserService, ModuleOfUserService>(); builder.Services.AddScoped<IModuleOfUserService, ModuleOfUserService>();
builder.Services.AddScoped<IUserRepService, UserRepService>(); builder.Services.AddScoped<IUserRepService, UserRepService>();
builder.Services.AddDirectoryService(); builder.Services.AddDirectorySearchService();
builder.Services.AddResponseService(); builder.Services.AddResponseService();
var app = builder.Build(); var app = builder.Build();
@ -114,12 +98,15 @@ try {
app.UseSwaggerUI(); app.UseSwaggerUI();
} }
app.UseDefaultFiles();
app.UseStaticFiles();
app.UseRouting(); app.UseRouting();
app.UseHttpsRedirection(); app.UseHttpsRedirection();
app.UseAuthentication(); app.UseAuthentication();
app.UseAuthorization(); app.UseAuthorization();
//app.MapControllers(); app.MapControllers();
app.MapDefaultControllerRoute(); app.MapDefaultControllerRoute();

View File

@ -5,7 +5,7 @@ https://go.microsoft.com/fwlink/?LinkID=208121.
<Project> <Project>
<PropertyGroup> <PropertyGroup>
<TimeStampOfAssociatedLegacyPublishXmlFile /> <TimeStampOfAssociatedLegacyPublishXmlFile />
<History>True|2024-03-19T16:41:05.9633994Z;True|2024-03-15T10:46:04.2831888+01:00;True|2024-03-15T10:29:25.6444737+01:00;True|2024-03-15T09:21:27.4539632+01:00;True|2024-03-15T09:14:06.8988177+01:00;True|2024-03-15T08:55:22.4741472+01:00;True|2024-03-14T16:56:42.3553674+01:00;True|2024-03-14T16:50:59.5866016+01:00;</History> <History>True|2024-03-22T17:01:57.7668322Z;True|2024-03-22T17:30:54.8111961+01:00;True|2024-03-22T13:01:18.3357901+01:00;True|2024-03-20T17:06:22.2331309+01:00;True|2024-03-19T17:41:05.9633994+01:00;True|2024-03-15T10:46:04.2831888+01:00;True|2024-03-15T10:29:25.6444737+01:00;True|2024-03-15T09:21:27.4539632+01:00;True|2024-03-15T09:14:06.8988177+01:00;True|2024-03-15T08:55:22.4741472+01:00;True|2024-03-14T16:56:42.3553674+01:00;True|2024-03-14T16:50:59.5866016+01:00;</History>
<LastFailureDetails /> <LastFailureDetails />
</PropertyGroup> </PropertyGroup>
</Project> </Project>

View File

@ -8,11 +8,17 @@
"ConnectionStrings": { "ConnectionStrings": {
"DD_ECM_Connection": "Server=SDD-VMP04-SQL17\\DD_DEVELOP01;Database=DD_ECM;User Id=sa;Password=dd;Encrypt=false;TrustServerCertificate=True;" "DD_ECM_Connection": "Server=SDD-VMP04-SQL17\\DD_DEVELOP01;Database=DD_ECM;User Id=sa;Password=dd;Encrypt=false;TrustServerCertificate=True;"
}, },
"AllowedOrigins": [ "http://172.24.12.39:85", "http://localhost:85", "http://localhost:4200", "http://localhost:5500" ], "AllowedOrigins": [ "http://172.24.12.39:85", "http://localhost:85", "http://localhost:4200", "http://localhost:5500", "https://localhost:7202" ],
"UseSwagger": true, "UseSwagger": true,
"RunAsWindowsService": true, "RunAsWindowsService": false,
"DirectoryService": { "DirectorySearch": {
"SearchRoot": "LDAP://DC=dd-gan,DC=local,DC=digitaldata,DC=works" "ServerName": "DD-VMP01-DC01",
"Root": "DC=dd-gan,DC=local,DC=digitaldata,DC=works",
"UserCacheExpirationDays": 1,
"CustomSearchFilters": {
"User": "(&(objectClass=user)(sAMAccountName=*))",
"Group": "(&(objectClass=group) (samAccountName=*))"
}
}, },
"Jwt": { "Jwt": {
"Key": "pJBcBWZSjsWlhi1OlCcw6ERTMRNb7qsdvsfvdfbagdfbdfsSDGSDMhsjkfdhsdfbgkHKSDF", "Key": "pJBcBWZSjsWlhi1OlCcw6ERTMRNb7qsdvsfvdfbagdfbdfsSDGSDMhsjkfdhsdfbgkHKSDF",

View File

@ -0,0 +1 @@
{"ContentRoots":["E:\\TekH\\Visual Studio\\WebUserManager\\DigitalData.UserManager.API\\wwwroot\\"],"Root":{"Children":{"3rdpartylicenses.txt":{"Children":null,"Asset":{"ContentRootIndex":0,"SubPath":"3rdpartylicenses.txt"},"Patterns":null},"assets":{"Children":{"img":{"Children":{"DD_white.svg":{"Children":null,"Asset":{"ContentRootIndex":0,"SubPath":"assets/img/DD_white.svg"},"Patterns":null},"digital_data.svg":{"Children":null,"Asset":{"ContentRootIndex":0,"SubPath":"assets/img/digital_data.svg"},"Patterns":null},"digital_data_red_BG.svg":{"Children":null,"Asset":{"ContentRootIndex":0,"SubPath":"assets/img/digital_data_red_BG.svg"},"Patterns":null},"group.svg":{"Children":null,"Asset":{"ContentRootIndex":0,"SubPath":"assets/img/group.svg"},"Patterns":null},"Huhn_andersrum.webp":{"Children":null,"Asset":{"ContentRootIndex":0,"SubPath":"assets/img/Huhn_andersrum.webp"},"Patterns":null},"login_logo.svg":{"Children":null,"Asset":{"ContentRootIndex":0,"SubPath":"assets/img/login_logo.svg"},"Patterns":null},"mode_logo.svg":{"Children":null,"Asset":{"ContentRootIndex":0,"SubPath":"assets/img/mode_logo.svg"},"Patterns":null},"thema_bttn.svg":{"Children":null,"Asset":{"ContentRootIndex":0,"SubPath":"assets/img/thema_bttn.svg"},"Patterns":null},"user-plus-svgrepo-com.svg":{"Children":null,"Asset":{"ContentRootIndex":0,"SubPath":"assets/img/user-plus-svgrepo-com.svg"},"Patterns":null},"user.svg":{"Children":null,"Asset":{"ContentRootIndex":0,"SubPath":"assets/img/user.svg"},"Patterns":null}},"Asset":null,"Patterns":null}},"Asset":null,"Patterns":null},"index.html":{"Children":null,"Asset":{"ContentRootIndex":0,"SubPath":"index.html"},"Patterns":null},"main.d15f6e676f5df533.js":{"Children":null,"Asset":{"ContentRootIndex":0,"SubPath":"main.d15f6e676f5df533.js"},"Patterns":null},"polyfills.4459b3a7f3a4ffe9.js":{"Children":null,"Asset":{"ContentRootIndex":0,"SubPath":"polyfills.4459b3a7f3a4ffe9.js"},"Patterns":null},"runtime.55b23fdce3af31a4.js":{"Children":null,"Asset":{"ContentRootIndex":0,"SubPath":"runtime.55b23fdce3af31a4.js"},"Patterns":null},"scripts.1ac6d0d02f230370.js":{"Children":null,"Asset":{"ContentRootIndex":0,"SubPath":"scripts.1ac6d0d02f230370.js"},"Patterns":null},"styles.dc186e57c95e01b2.css":{"Children":null,"Asset":{"ContentRootIndex":0,"SubPath":"styles.dc186e57c95e01b2.css"},"Patterns":null}},"Asset":null,"Patterns":[{"ContentRootIndex":0,"Pattern":"**","Depth":0}]}}

View File

@ -8,11 +8,17 @@
"ConnectionStrings": { "ConnectionStrings": {
"DD_ECM_Connection": "Server=SDD-VMP04-SQL17\\DD_DEVELOP01;Database=DD_ECM;User Id=sa;Password=dd;Encrypt=false;TrustServerCertificate=True;" "DD_ECM_Connection": "Server=SDD-VMP04-SQL17\\DD_DEVELOP01;Database=DD_ECM;User Id=sa;Password=dd;Encrypt=false;TrustServerCertificate=True;"
}, },
"AllowedOrigins": [ "http://172.24.12.39:85", "http://localhost:85", "http://localhost:4200", "http://localhost:5500" ], "AllowedOrigins": [ "http://172.24.12.39:85", "http://localhost:85", "http://localhost:4200", "http://localhost:5500", "https://localhost:7202" ],
"UseSwagger": true, "UseSwagger": true,
"RunAsWindowsService": true, "RunAsWindowsService": false,
"DirectoryService": { "DirectorySearch": {
"SearchRoot": "LDAP://DC=dd-gan,DC=local,DC=digitaldata,DC=works" "ServerName": "DD-VMP01-DC01",
"Root": "DC=dd-gan,DC=local,DC=digitaldata,DC=works",
"UserCacheExpirationDays": 1,
"CustomSearchFilters": {
"User": "(&(objectClass=user)(sAMAccountName=*))",
"Group": "(&(objectClass=group) (samAccountName=*))"
}
}, },
"Jwt": { "Jwt": {
"Key": "pJBcBWZSjsWlhi1OlCcw6ERTMRNb7qsdvsfvdfbagdfbdfsSDGSDMhsjkfdhsdfbgkHKSDF", "Key": "pJBcBWZSjsWlhi1OlCcw6ERTMRNb7qsdvsfvdfbagdfbdfsSDGSDMhsjkfdhsdfbgkHKSDF",

File diff suppressed because it is too large Load Diff

File diff suppressed because it is too large Load Diff

View File

@ -0,0 +1,153 @@
2024-03-23 00:20:41.0832|DEBUG|Microsoft.AspNetCore.Server.Kestrel.Transport.Sockets|Connection id "0HN2AJM21RMIV" received FIN.
2024-03-23 00:20:41.0979|DEBUG|Microsoft.AspNetCore.Server.Kestrel.Transport.Sockets|Connection id "0HN2AJM21RMIV" sending FIN because: "The client closed the connection."
2024-03-23 00:20:41.0979|DEBUG|Microsoft.AspNetCore.Server.Kestrel.Http2|Connection id "0HN2AJM21RMIV" is closed. The last processed stream ID was 37.
2024-03-23 00:20:41.0979|DEBUG|Microsoft.AspNetCore.Server.Kestrel.Http2|The connection queue processing loop for 0HN2AJM21RMIV completed.
2024-03-23 00:20:41.0979|DEBUG|Microsoft.AspNetCore.Server.Kestrel.Connections|Connection id "0HN2AJM21RMIV" stopped.
2024-03-23 03:48:13.0344|DEBUG|Program|init main
2024-03-23 03:48:14.1275|DEBUG|Microsoft.AspNetCore.Mvc.ModelBinding.ModelBinderFactory|Registered model binder providers, in the following order: Microsoft.AspNetCore.Mvc.ModelBinding.Binders.BinderTypeModelBinderProvider, Microsoft.AspNetCore.Mvc.ModelBinding.Binders.ServicesModelBinderProvider, Microsoft.AspNetCore.Mvc.ModelBinding.Binders.BodyModelBinderProvider, Microsoft.AspNetCore.Mvc.ModelBinding.Binders.HeaderModelBinderProvider, Microsoft.AspNetCore.Mvc.ModelBinding.Binders.FloatingPointTypeModelBinderProvider, Microsoft.AspNetCore.Mvc.ModelBinding.Binders.EnumTypeModelBinderProvider, Microsoft.AspNetCore.Mvc.ModelBinding.Binders.DateTimeModelBinderProvider, Microsoft.AspNetCore.Mvc.ModelBinding.Binders.TryParseModelBinderProvider, Microsoft.AspNetCore.Mvc.ModelBinding.Binders.SimpleTypeModelBinderProvider, Microsoft.AspNetCore.Mvc.ModelBinding.Binders.CancellationTokenModelBinderProvider, Microsoft.AspNetCore.Mvc.ModelBinding.Binders.ByteArrayModelBinderProvider, Microsoft.AspNetCore.Mvc.ModelBinding.Binders.FormFileModelBinderProvider, Microsoft.AspNetCore.Mvc.ModelBinding.Binders.FormCollectionModelBinderProvider, Microsoft.AspNetCore.Mvc.ModelBinding.Binders.KeyValuePairModelBinderProvider, Microsoft.AspNetCore.Mvc.ModelBinding.Binders.DictionaryModelBinderProvider, Microsoft.AspNetCore.Mvc.ModelBinding.Binders.ArrayModelBinderProvider, Microsoft.AspNetCore.Mvc.ModelBinding.Binders.CollectionModelBinderProvider, Microsoft.AspNetCore.Mvc.ModelBinding.Binders.ComplexObjectModelBinderProvider
2024-03-23 03:48:14.2691|DEBUG|Microsoft.Extensions.Hosting.Internal.Host|Hosting starting
2024-03-23 03:48:14.3228|INFO|Microsoft.AspNetCore.DataProtection.KeyManagement.XmlKeyManager|User profile is available. Using 'C:\Users\tekh\AppData\Local\ASP.NET\DataProtection-Keys' as key repository and Windows DPAPI to encrypt keys at rest.
2024-03-23 03:48:14.3228|DEBUG|Microsoft.AspNetCore.DataProtection.Repositories.FileSystemXmlRepository|Reading data from file 'C:\Users\tekh\AppData\Local\ASP.NET\DataProtection-Keys\key-70b42ce7-e471-4828-9be8-dcfa066e2793.xml'.
2024-03-23 03:48:14.3634|DEBUG|Microsoft.AspNetCore.DataProtection.KeyManagement.XmlKeyManager|Found key {70b42ce7-e471-4828-9be8-dcfa066e2793}.
2024-03-23 03:48:14.3777|DEBUG|Microsoft.AspNetCore.DataProtection.KeyManagement.DefaultKeyResolver|Considering key {70b42ce7-e471-4828-9be8-dcfa066e2793} with expiration date 2024-05-06 09:06:35Z as default key.
2024-03-23 03:48:14.3824|DEBUG|Microsoft.AspNetCore.DataProtection.TypeForwardingActivator|Forwarded activator type request from Microsoft.AspNetCore.DataProtection.XmlEncryption.DpapiXmlDecryptor, Microsoft.AspNetCore.DataProtection, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60 to Microsoft.AspNetCore.DataProtection.XmlEncryption.DpapiXmlDecryptor, Microsoft.AspNetCore.DataProtection, Culture=neutral, PublicKeyToken=adb9793829ddae60
2024-03-23 03:48:14.3824|DEBUG|Microsoft.AspNetCore.DataProtection.XmlEncryption.DpapiXmlDecryptor|Decrypting secret element using Windows DPAPI.
2024-03-23 03:48:14.3824|DEBUG|Microsoft.AspNetCore.DataProtection.TypeForwardingActivator|Forwarded activator type request from Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.ConfigurationModel.AuthenticatedEncryptorDescriptorDeserializer, Microsoft.AspNetCore.DataProtection, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60 to Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.ConfigurationModel.AuthenticatedEncryptorDescriptorDeserializer, Microsoft.AspNetCore.DataProtection, Culture=neutral, PublicKeyToken=adb9793829ddae60
2024-03-23 03:48:14.4034|DEBUG|Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.CngCbcAuthenticatedEncryptorFactory|Opening CNG algorithm 'AES' from provider '(null)' with chaining mode CBC.
2024-03-23 03:48:14.4034|DEBUG|Microsoft.AspNetCore.DataProtection.AuthenticatedEncryption.CngCbcAuthenticatedEncryptorFactory|Opening CNG algorithm 'SHA256' from provider '(null)' with HMAC.
2024-03-23 03:48:14.4034|DEBUG|Microsoft.AspNetCore.DataProtection.KeyManagement.KeyRingProvider|Using key {70b42ce7-e471-4828-9be8-dcfa066e2793} as the default key.
2024-03-23 03:48:14.4034|DEBUG|Microsoft.AspNetCore.DataProtection.Internal.DataProtectionHostedService|Key ring with default key {70b42ce7-e471-4828-9be8-dcfa066e2793} was loaded during application startup.
2024-03-23 03:48:14.7191|INFO|Microsoft.Hosting.Lifetime|Now listening on: https://localhost:7202
2024-03-23 03:48:14.7191|INFO|Microsoft.Hosting.Lifetime|Now listening on: http://localhost:5009
2024-03-23 03:48:14.7191|DEBUG|Microsoft.AspNetCore.Hosting.Diagnostics|Loaded hosting startup assembly DigitalData.UserManager.API
2024-03-23 03:48:14.7191|DEBUG|Microsoft.AspNetCore.Hosting.Diagnostics|Loaded hosting startup assembly Microsoft.AspNetCore.Watch.BrowserRefresh
2024-03-23 03:48:14.7191|DEBUG|Microsoft.AspNetCore.Hosting.Diagnostics|Loaded hosting startup assembly Microsoft.WebTools.BrowserLink.Net
2024-03-23 03:48:14.7191|INFO|Microsoft.Hosting.Lifetime|Application started. Press Ctrl+C to shut down.
2024-03-23 03:48:14.7191|INFO|Microsoft.Hosting.Lifetime|Hosting environment: Development
2024-03-23 03:48:14.7191|INFO|Microsoft.Hosting.Lifetime|Content root path: E:\TekH\Visual Studio\WebUserManager\DigitalData.UserManager.API
2024-03-23 03:48:14.7191|DEBUG|Microsoft.Extensions.Hosting.Internal.Host|Hosting started
2024-03-23 03:48:15.0033|DEBUG|Microsoft.AspNetCore.Server.Kestrel.Connections|Connection id "0HN2ASENVES36" accepted.
2024-03-23 03:48:15.0033|DEBUG|Microsoft.AspNetCore.Server.Kestrel.Connections|Connection id "0HN2ASENVES36" started.
2024-03-23 03:48:15.0033|DEBUG|Microsoft.AspNetCore.Server.Kestrel.Connections|Connection id "0HN2ASENVES37" accepted.
2024-03-23 03:48:15.0033|DEBUG|Microsoft.AspNetCore.Server.Kestrel.Connections|Connection id "0HN2ASENVES37" started.
2024-03-23 03:48:15.0313|DEBUG|Microsoft.AspNetCore.Server.Kestrel.Transport.Sockets|Connection id "0HN2ASENVES36" received FIN.
2024-03-23 03:48:15.0313|DEBUG|Microsoft.AspNetCore.Server.Kestrel.Transport.Sockets|Connection id "0HN2ASENVES37" received FIN.
2024-03-23 03:48:15.0394|DEBUG|Microsoft.AspNetCore.Server.Kestrel.Https.Internal.HttpsConnectionMiddleware|Failed to authenticate HTTPS connection.|System.IO.IOException: Received an unexpected EOF or 0 bytes from the transport stream.
at System.Net.Security.SslStream.ReceiveBlobAsync[TIOAdapter](CancellationToken cancellationToken)
at System.Net.Security.SslStream.ForceAuthenticationAsync[TIOAdapter](Boolean receiveFirst, Byte[] reAuthenticationData, CancellationToken cancellationToken)
at Microsoft.AspNetCore.Server.Kestrel.Https.Internal.HttpsConnectionMiddleware.OnConnectionAsync(ConnectionContext context)
2024-03-23 03:48:15.0394|DEBUG|Microsoft.AspNetCore.Server.Kestrel.Https.Internal.HttpsConnectionMiddleware|Failed to authenticate HTTPS connection.|System.IO.IOException: Received an unexpected EOF or 0 bytes from the transport stream.
at System.Net.Security.SslStream.ReceiveBlobAsync[TIOAdapter](CancellationToken cancellationToken)
at System.Net.Security.SslStream.ForceAuthenticationAsync[TIOAdapter](Boolean receiveFirst, Byte[] reAuthenticationData, CancellationToken cancellationToken)
at Microsoft.AspNetCore.Server.Kestrel.Https.Internal.HttpsConnectionMiddleware.OnConnectionAsync(ConnectionContext context)
2024-03-23 03:48:15.0864|DEBUG|Microsoft.AspNetCore.Server.Kestrel.Connections|Connection id "0HN2ASENVES36" stopped.
2024-03-23 03:48:15.0864|DEBUG|Microsoft.AspNetCore.Server.Kestrel.Connections|Connection id "0HN2ASENVES37" stopped.
2024-03-23 03:48:15.0864|DEBUG|Microsoft.AspNetCore.Server.Kestrel.Transport.Sockets|Connection id "0HN2ASENVES37" sending FIN because: "The Socket transport's send loop completed gracefully."
2024-03-23 03:48:15.0864|DEBUG|Microsoft.AspNetCore.Server.Kestrel.Transport.Sockets|Connection id "0HN2ASENVES36" sending FIN because: "The Socket transport's send loop completed gracefully."
2024-03-23 03:48:15.3404|DEBUG|Microsoft.AspNetCore.Server.Kestrel.Connections|Connection id "0HN2ASENVES38" accepted.
2024-03-23 03:48:15.3424|DEBUG|Microsoft.AspNetCore.Server.Kestrel.Connections|Connection id "0HN2ASENVES38" started.
2024-03-23 03:48:15.4364|DEBUG|Microsoft.AspNetCore.Server.Kestrel.Https.Internal.HttpsConnectionMiddleware|Connection 0HN2ASENVES38 established using the following protocol: Tls12
2024-03-23 03:48:15.5308|INFO|Microsoft.AspNetCore.Hosting.Diagnostics|Request starting HTTP/2 GET https://localhost:7202/swagger/index.html - -
2024-03-23 03:48:15.5721|DEBUG|Microsoft.AspNetCore.HostFiltering.HostFilteringMiddleware|Wildcard detected, all requests with hosts will be allowed.
2024-03-23 03:48:15.7323|DEBUG|Microsoft.AspNetCore.Watch.BrowserRefresh.BrowserRefreshMiddleware|Response markup is scheduled to include browser refresh script injection.
2024-03-23 03:48:15.8787|INFO|Microsoft.AspNetCore.Hosting.Diagnostics|Request starting HTTP/2 GET https://localhost:7202/_framework/aspnetcore-browser-refresh.js - -
2024-03-23 03:48:15.8787|DEBUG|Microsoft.AspNetCore.Watch.BrowserRefresh.BrowserRefreshMiddleware|Response markup was updated to include browser refresh script injection.
2024-03-23 03:48:15.8787|INFO|Microsoft.AspNetCore.Hosting.Diagnostics|Request starting HTTP/2 GET https://localhost:7202/_vs/browserLink - -
2024-03-23 03:48:15.8787|INFO|Microsoft.AspNetCore.Hosting.Diagnostics|Request finished HTTP/2 GET https://localhost:7202/swagger/index.html - - - 200 - text/html;charset=utf-8 357.6947ms
2024-03-23 03:48:15.8938|INFO|Microsoft.AspNetCore.Hosting.Diagnostics|Request finished HTTP/2 GET https://localhost:7202/_framework/aspnetcore-browser-refresh.js - - - 200 12024 application/javascript;+charset=utf-8 14.9667ms
2024-03-23 03:48:15.9566|INFO|Microsoft.AspNetCore.Hosting.Diagnostics|Request finished HTTP/2 GET https://localhost:7202/_vs/browserLink - - - 200 - text/javascript;+charset=UTF-8 74.6150ms
2024-03-23 03:48:16.1475|INFO|Microsoft.AspNetCore.Hosting.Diagnostics|Request starting HTTP/2 GET https://localhost:7202/swagger/v1/swagger.json - -
2024-03-23 03:48:16.3855|INFO|Microsoft.AspNetCore.Hosting.Diagnostics|Request finished HTTP/2 GET https://localhost:7202/swagger/v1/swagger.json - - - 200 - application/json;charset=utf-8 238.0183ms
2024-03-23 03:48:19.8703|INFO|Microsoft.AspNetCore.Hosting.Diagnostics|Request starting HTTP/2 GET https://localhost:7202/ - -
2024-03-23 03:48:19.8752|DEBUG|Microsoft.AspNetCore.StaticFiles.StaticFileMiddleware|The request path does not match the path filter
2024-03-23 03:48:19.9125|DEBUG|Microsoft.AspNetCore.Watch.BrowserRefresh.BrowserRefreshMiddleware|Response markup is scheduled to include browser refresh script injection.
2024-03-23 03:48:19.9623|INFO|Microsoft.AspNetCore.StaticFiles.StaticFileMiddleware|Sending file. Request path: '/index.html'. Physical path: 'E:\TekH\Visual Studio\WebUserManager\DigitalData.UserManager.API\wwwroot\index.html'
2024-03-23 03:48:19.9623|DEBUG|Microsoft.AspNetCore.Watch.BrowserRefresh.BrowserRefreshMiddleware|Response markup was updated to include browser refresh script injection.
2024-03-23 03:48:19.9623|INFO|Microsoft.AspNetCore.Hosting.Diagnostics|Request finished HTTP/2 GET https://localhost:7202/ - - - 200 - text/html 94.2204ms
2024-03-23 03:48:19.9710|INFO|Microsoft.AspNetCore.Hosting.Diagnostics|Request starting HTTP/2 GET https://localhost:7202/styles.dc186e57c95e01b2.css - -
2024-03-23 03:48:19.9710|INFO|Microsoft.AspNetCore.Hosting.Diagnostics|Request starting HTTP/2 GET https://localhost:7202/runtime.55b23fdce3af31a4.js - -
2024-03-23 03:48:19.9710|INFO|Microsoft.AspNetCore.Hosting.Diagnostics|Request starting HTTP/2 GET https://localhost:7202/_framework/aspnetcore-browser-refresh.js - -
2024-03-23 03:48:19.9710|INFO|Microsoft.AspNetCore.Hosting.Diagnostics|Request starting HTTP/2 GET https://localhost:7202/polyfills.4459b3a7f3a4ffe9.js - -
2024-03-23 03:48:19.9710|DEBUG|Microsoft.AspNetCore.StaticFiles.StaticFileMiddleware|The request path does not match the path filter
2024-03-23 03:48:19.9710|INFO|Microsoft.AspNetCore.Hosting.Diagnostics|Request starting HTTP/2 GET https://localhost:7202/main.d15f6e676f5df533.js - -
2024-03-23 03:48:19.9710|INFO|Microsoft.AspNetCore.Hosting.Diagnostics|Request starting HTTP/2 GET https://localhost:7202/vendor.js - -
2024-03-23 03:48:19.9710|INFO|Microsoft.AspNetCore.Hosting.Diagnostics|Request finished HTTP/2 GET https://localhost:7202/_framework/aspnetcore-browser-refresh.js - - - 200 12024 application/javascript;+charset=utf-8 3.5209ms
2024-03-23 03:48:19.9710|DEBUG|Microsoft.AspNetCore.Cors.Infrastructure.CorsService|The request has an origin header: 'https://localhost:7202'.
2024-03-23 03:48:19.9710|DEBUG|Microsoft.AspNetCore.Cors.Infrastructure.CorsService|The request has an origin header: 'https://localhost:7202'.
2024-03-23 03:48:19.9710|DEBUG|Microsoft.AspNetCore.Cors.Infrastructure.CorsService|The request has an origin header: 'https://localhost:7202'.
2024-03-23 03:48:19.9710|DEBUG|Microsoft.AspNetCore.Cors.Infrastructure.CorsService|The request has an origin header: 'https://localhost:7202'.
2024-03-23 03:48:19.9830|INFO|Microsoft.AspNetCore.Hosting.Diagnostics|Request starting HTTP/2 GET https://localhost:7202/scripts.1ac6d0d02f230370.js - -
2024-03-23 03:48:19.9830|INFO|Microsoft.AspNetCore.Cors.Infrastructure.CorsService|CORS policy execution successful.
2024-03-23 03:48:19.9830|DEBUG|Microsoft.AspNetCore.StaticFiles.StaticFileMiddleware|The request path does not match the path filter
2024-03-23 03:48:19.9830|INFO|Microsoft.AspNetCore.Cors.Infrastructure.CorsService|CORS policy execution successful.
2024-03-23 03:48:19.9830|INFO|Microsoft.AspNetCore.Cors.Infrastructure.CorsService|CORS policy execution successful.
2024-03-23 03:48:19.9830|INFO|Microsoft.AspNetCore.Cors.Infrastructure.CorsService|CORS policy execution successful.
2024-03-23 03:48:19.9830|INFO|Microsoft.AspNetCore.Hosting.Diagnostics|Request starting HTTP/2 GET https://localhost:7202/_vs/browserLink - -
2024-03-23 03:48:19.9830|DEBUG|Microsoft.AspNetCore.StaticFiles.StaticFileMiddleware|The request path does not match the path filter
2024-03-23 03:48:19.9830|DEBUG|Microsoft.AspNetCore.StaticFiles.StaticFileMiddleware|The request path does not match the path filter
2024-03-23 03:48:19.9830|DEBUG|Microsoft.AspNetCore.StaticFiles.StaticFileMiddleware|The request path does not match the path filter
2024-03-23 03:48:19.9830|DEBUG|Microsoft.AspNetCore.StaticFiles.StaticFileMiddleware|The request path does not match the path filter
2024-03-23 03:48:19.9830|DEBUG|Microsoft.AspNetCore.StaticFiles.StaticFileMiddleware|The request path /vendor.js does not match an existing file
2024-03-23 03:48:19.9830|INFO|Microsoft.AspNetCore.StaticFiles.StaticFileMiddleware|The file /runtime.55b23fdce3af31a4.js was not modified
2024-03-23 03:48:19.9830|INFO|Microsoft.AspNetCore.StaticFiles.StaticFileMiddleware|The file /styles.dc186e57c95e01b2.css was not modified
2024-03-23 03:48:19.9830|INFO|Microsoft.AspNetCore.StaticFiles.StaticFileMiddleware|The file /polyfills.4459b3a7f3a4ffe9.js was not modified
2024-03-23 03:48:19.9830|INFO|Microsoft.AspNetCore.StaticFiles.StaticFileMiddleware|The file /main.d15f6e676f5df533.js was not modified
2024-03-23 03:48:19.9830|INFO|Microsoft.AspNetCore.StaticFiles.StaticFileMiddleware|The file /scripts.1ac6d0d02f230370.js was not modified
2024-03-23 03:48:20.0019|DEBUG|Microsoft.AspNetCore.StaticFiles.StaticFileMiddleware|Handled. Status code: 304 File: /styles.dc186e57c95e01b2.css
2024-03-23 03:48:20.0018|DEBUG|Microsoft.AspNetCore.StaticFiles.StaticFileMiddleware|Handled. Status code: 304 File: /polyfills.4459b3a7f3a4ffe9.js
2024-03-23 03:48:20.0019|DEBUG|Microsoft.AspNetCore.StaticFiles.StaticFileMiddleware|Handled. Status code: 304 File: /main.d15f6e676f5df533.js
2024-03-23 03:48:20.0018|DEBUG|Microsoft.AspNetCore.StaticFiles.StaticFileMiddleware|Handled. Status code: 304 File: /runtime.55b23fdce3af31a4.js
2024-03-23 03:48:20.0019|DEBUG|Microsoft.AspNetCore.StaticFiles.StaticFileMiddleware|Handled. Status code: 304 File: /scripts.1ac6d0d02f230370.js
2024-03-23 03:48:20.0018|INFO|Microsoft.AspNetCore.Hosting.Diagnostics|Request finished HTTP/2 GET https://localhost:7202/styles.dc186e57c95e01b2.css - - - 304 - text/css 31.5422ms
2024-03-23 03:48:20.0018|INFO|Microsoft.AspNetCore.Hosting.Diagnostics|Request finished HTTP/2 GET https://localhost:7202/polyfills.4459b3a7f3a4ffe9.js - - - 304 - text/javascript 32.6717ms
2024-03-23 03:48:20.0018|INFO|Microsoft.AspNetCore.Hosting.Diagnostics|Request finished HTTP/2 GET https://localhost:7202/main.d15f6e676f5df533.js - - - 304 - text/javascript 32.5479ms
2024-03-23 03:48:20.0018|INFO|Microsoft.AspNetCore.Hosting.Diagnostics|Request finished HTTP/2 GET https://localhost:7202/runtime.55b23fdce3af31a4.js - - - 304 - text/javascript 33.6553ms
2024-03-23 03:48:20.0018|INFO|Microsoft.AspNetCore.Hosting.Diagnostics|Request finished HTTP/2 GET https://localhost:7202/scripts.1ac6d0d02f230370.js - - - 304 - text/javascript 23.6786ms
2024-03-23 03:48:20.0511|INFO|Microsoft.AspNetCore.Hosting.Diagnostics|Request finished HTTP/2 GET https://localhost:7202/_vs/browserLink - - - 200 - text/javascript;+charset=UTF-8 62.7503ms
2024-03-23 03:48:20.0616|DEBUG|Microsoft.AspNetCore.Routing.Matching.DfaMatcher|No candidates found for the request path '/vendor.js'
2024-03-23 03:48:20.0616|DEBUG|Microsoft.AspNetCore.Routing.EndpointRoutingMiddleware|Request did not match any endpoints
2024-03-23 03:48:20.0616|DEBUG|Microsoft.AspNetCore.Authentication.Cookies.CookieAuthenticationHandler|AuthenticationScheme: Cookies was not authenticated.
2024-03-23 03:48:20.0787|INFO|Microsoft.AspNetCore.Hosting.Diagnostics|Request finished HTTP/2 GET https://localhost:7202/vendor.js - - - 404 0 - 105.3413ms
2024-03-23 03:48:20.2918|INFO|Microsoft.AspNetCore.Hosting.Diagnostics|Request starting HTTP/2 GET https://localhost:7202/api/auth/check - -
2024-03-23 03:48:20.2918|DEBUG|Microsoft.AspNetCore.StaticFiles.StaticFileMiddleware|The request path does not match the path filter
2024-03-23 03:48:20.2918|DEBUG|Microsoft.AspNetCore.StaticFiles.StaticFileMiddleware|The request path /api/auth/check does not match a supported file type
2024-03-23 03:48:20.2957|DEBUG|Microsoft.AspNetCore.Routing.Matching.DfaMatcher|1 candidate(s) found for the request path '/api/auth/check'
2024-03-23 03:48:20.2957|DEBUG|Microsoft.AspNetCore.Routing.Matching.DfaMatcher|Endpoint 'DigitalData.UserManager.API.Controllers.AuthController.CheckAuthentication (DigitalData.UserManager.API)' with route pattern 'api/Auth/check' is valid for the request path '/api/auth/check'
2024-03-23 03:48:20.2957|DEBUG|Microsoft.AspNetCore.Routing.EndpointRoutingMiddleware|Request matched endpoint 'DigitalData.UserManager.API.Controllers.AuthController.CheckAuthentication (DigitalData.UserManager.API)'
2024-03-23 03:48:20.2957|DEBUG|Microsoft.AspNetCore.Authentication.Cookies.CookieAuthenticationHandler|AuthenticationScheme: Cookies was not authenticated.
2024-03-23 03:48:20.2957|INFO|Microsoft.AspNetCore.Routing.EndpointMiddleware|Executing endpoint 'DigitalData.UserManager.API.Controllers.AuthController.CheckAuthentication (DigitalData.UserManager.API)'
2024-03-23 03:48:20.3215|INFO|Microsoft.AspNetCore.Mvc.Infrastructure.ControllerActionInvoker|Route matched with {action = "CheckAuthentication", controller = "Auth"}. Executing controller action with signature Microsoft.AspNetCore.Mvc.IActionResult CheckAuthentication() on controller DigitalData.UserManager.API.Controllers.AuthController (DigitalData.UserManager.API).
2024-03-23 03:48:20.3215|DEBUG|Microsoft.AspNetCore.Mvc.Infrastructure.ControllerActionInvoker|Execution plan of authorization filters (in the following order): None
2024-03-23 03:48:20.3215|DEBUG|Microsoft.AspNetCore.Mvc.Infrastructure.ControllerActionInvoker|Execution plan of resource filters (in the following order): None
2024-03-23 03:48:20.3215|DEBUG|Microsoft.AspNetCore.Mvc.Infrastructure.ControllerActionInvoker|Execution plan of action filters (in the following order): Microsoft.AspNetCore.Mvc.ModelBinding.UnsupportedContentTypeFilter (Order: -3000)
2024-03-23 03:48:20.3215|DEBUG|Microsoft.AspNetCore.Mvc.Infrastructure.ControllerActionInvoker|Execution plan of exception filters (in the following order): None
2024-03-23 03:48:20.3265|DEBUG|Microsoft.AspNetCore.Mvc.Infrastructure.ControllerActionInvoker|Execution plan of result filters (in the following order): None
2024-03-23 03:48:20.3265|INFO|Microsoft.AspNetCore.Hosting.Diagnostics|Request starting HTTP/2 GET https://localhost:7202/assets/img/user.svg - -
2024-03-23 03:48:20.3265|INFO|Microsoft.AspNetCore.Hosting.Diagnostics|Request starting HTTP/2 GET https://localhost:7202/assets/img/login_logo.svg - -
2024-03-23 03:48:20.3265|INFO|Microsoft.AspNetCore.Hosting.Diagnostics|Request starting HTTP/2 GET https://localhost:7202/assets/img/digital_data.svg - -
2024-03-23 03:48:20.3265|DEBUG|Microsoft.AspNetCore.StaticFiles.StaticFileMiddleware|The request path does not match the path filter
2024-03-23 03:48:20.3265|DEBUG|Microsoft.AspNetCore.StaticFiles.StaticFileMiddleware|The request path does not match the path filter
2024-03-23 03:48:20.3265|DEBUG|Microsoft.AspNetCore.StaticFiles.StaticFileMiddleware|The request path does not match the path filter
2024-03-23 03:48:20.3265|INFO|Microsoft.AspNetCore.StaticFiles.StaticFileMiddleware|The file /assets/img/user.svg was not modified
2024-03-23 03:48:20.3265|DEBUG|Microsoft.AspNetCore.Mvc.Infrastructure.ControllerActionInvoker|Executing controller factory for controller DigitalData.UserManager.API.Controllers.AuthController (DigitalData.UserManager.API)
2024-03-23 03:48:20.3265|INFO|Microsoft.AspNetCore.StaticFiles.StaticFileMiddleware|The file /assets/img/login_logo.svg was not modified
2024-03-23 03:48:20.3265|INFO|Microsoft.AspNetCore.StaticFiles.StaticFileMiddleware|The file /assets/img/digital_data.svg was not modified
2024-03-23 03:48:20.3265|DEBUG|Microsoft.AspNetCore.StaticFiles.StaticFileMiddleware|Handled. Status code: 304 File: /assets/img/user.svg
2024-03-23 03:48:20.3265|DEBUG|Microsoft.AspNetCore.StaticFiles.StaticFileMiddleware|Handled. Status code: 304 File: /assets/img/login_logo.svg
2024-03-23 03:48:20.3265|DEBUG|Microsoft.AspNetCore.StaticFiles.StaticFileMiddleware|Handled. Status code: 304 File: /assets/img/digital_data.svg
2024-03-23 03:48:20.3265|INFO|Microsoft.AspNetCore.Hosting.Diagnostics|Request finished HTTP/2 GET https://localhost:7202/assets/img/user.svg - - - 304 - image/svg+xml 5.8496ms
2024-03-23 03:48:20.3265|INFO|Microsoft.AspNetCore.Hosting.Diagnostics|Request finished HTTP/2 GET https://localhost:7202/assets/img/login_logo.svg - - - 304 - image/svg+xml 6.1011ms
2024-03-23 03:48:20.3265|INFO|Microsoft.AspNetCore.Hosting.Diagnostics|Request finished HTTP/2 GET https://localhost:7202/assets/img/digital_data.svg - - - 304 - image/svg+xml 6.7563ms
2024-03-23 03:48:20.5228|DEBUG|Microsoft.EntityFrameworkCore.Infrastructure|An 'IServiceProvider' was created for internal use by Entity Framework.
2024-03-23 03:48:21.3362|DEBUG|Microsoft.EntityFrameworkCore.Infrastructure|Entity Framework Core 7.0.16 initialized 'DDECMDbContext' using provider 'Microsoft.EntityFrameworkCore.SqlServer:7.0.15' with options: DetailedErrorsEnabled
2024-03-23 03:48:21.5486|DEBUG|Microsoft.AspNetCore.Mvc.Infrastructure.ControllerActionInvoker|Executed controller factory for controller DigitalData.UserManager.API.Controllers.AuthController (DigitalData.UserManager.API)
2024-03-23 03:48:21.5540|DEBUG|Microsoft.AspNetCore.Mvc.Infrastructure.DefaultOutputFormatterSelector|List of registered output formatters, in the following order: Microsoft.AspNetCore.Mvc.Formatters.HttpNoContentOutputFormatter, Microsoft.AspNetCore.Mvc.Formatters.StringOutputFormatter, Microsoft.AspNetCore.Mvc.Formatters.StreamOutputFormatter, Microsoft.AspNetCore.Mvc.Formatters.SystemTextJsonOutputFormatter
2024-03-23 03:48:21.5540|DEBUG|Microsoft.AspNetCore.Mvc.Infrastructure.DefaultOutputFormatterSelector|No information found on request to perform content negotiation.
2024-03-23 03:48:21.5540|DEBUG|Microsoft.AspNetCore.Mvc.Infrastructure.DefaultOutputFormatterSelector|Attempting to select an output formatter without using a content type as no explicit content types were specified for the response.
2024-03-23 03:48:21.5540|DEBUG|Microsoft.AspNetCore.Mvc.Infrastructure.DefaultOutputFormatterSelector|Attempting to select the first formatter in the output formatters list which can write the result.
2024-03-23 03:48:21.5540|DEBUG|Microsoft.AspNetCore.Mvc.Infrastructure.DefaultOutputFormatterSelector|Selected output formatter 'Microsoft.AspNetCore.Mvc.Formatters.SystemTextJsonOutputFormatter' and content type 'application/json' to write the response.
2024-03-23 03:48:21.5540|INFO|Microsoft.AspNetCore.Mvc.Infrastructure.ObjectResultExecutor|Executing OkObjectResult, writing value of type 'DigitalData.UserManager.Application.DTOs.Auth.AuthCheckDto'.
2024-03-23 03:48:21.5688|INFO|Microsoft.AspNetCore.Mvc.Infrastructure.ControllerActionInvoker|Executed action DigitalData.UserManager.API.Controllers.AuthController.CheckAuthentication (DigitalData.UserManager.API) in 1237.7197ms
2024-03-23 03:48:21.5688|INFO|Microsoft.AspNetCore.Routing.EndpointMiddleware|Executed endpoint 'DigitalData.UserManager.API.Controllers.AuthController.CheckAuthentication (DigitalData.UserManager.API)'
2024-03-23 03:48:21.5688|DEBUG|Microsoft.EntityFrameworkCore.Infrastructure|'DDECMDbContext' disposed.
2024-03-23 03:48:21.5771|INFO|Microsoft.AspNetCore.Hosting.Diagnostics|Request finished HTTP/2 GET https://localhost:7202/api/auth/check - - - 200 - application/json;+charset=utf-8 1285.3838ms

File diff suppressed because it is too large Load Diff

View File

@ -10,9 +10,15 @@
}, },
"AllowedOrigins": [ "http://172.24.12.39:85", "http://localhost:85", "http://localhost:4200", "http://localhost:5500" ], "AllowedOrigins": [ "http://172.24.12.39:85", "http://localhost:85", "http://localhost:4200", "http://localhost:5500" ],
"UseSwagger": true, "UseSwagger": true,
"RunAsWindowsService": true, "RunAsWindowsService": false,
"DirectoryService": { "DirectorySearch": {
"SearchRoot": "LDAP://DC=dd-gan,DC=local,DC=digitaldata,DC=works" "ServerName": "DD-VMP01-DC01",
"Root": "DC=dd-gan,DC=local,DC=digitaldata,DC=works",
"UserCacheExpirationDays": 1,
"CustomSearchFilters": {
"User": "(&(objectClass=user)(sAMAccountName=*))",
"Group": "(&(objectClass=group) (samAccountName=*))"
}
}, },
"Jwt": { "Jwt": {
"Key": "pJBcBWZSjsWlhi1OlCcw6ERTMRNb7qsdvsfvdfbagdfbdfsSDGSDMhsjkfdhsdfbgkHKSDF", "Key": "pJBcBWZSjsWlhi1OlCcw6ERTMRNb7qsdvsfvdfbagdfbdfsSDGSDMhsjkfdhsdfbgkHKSDF",

View File

@ -217,7 +217,12 @@ E:\TekH\Visual Studio\WebUserManager\DigitalData.UserManager.API\bin\Debug\net7.
E:\TekH\Visual Studio\WebUserManager\DigitalData.UserManager.API\bin\Debug\net7.0\Microsoft.EntityFrameworkCore.Design.dll E:\TekH\Visual Studio\WebUserManager\DigitalData.UserManager.API\bin\Debug\net7.0\Microsoft.EntityFrameworkCore.Design.dll
E:\TekH\Visual Studio\WebUserManager\DigitalData.UserManager.API\bin\Debug\net7.0\Microsoft.EntityFrameworkCore.Relational.dll E:\TekH\Visual Studio\WebUserManager\DigitalData.UserManager.API\bin\Debug\net7.0\Microsoft.EntityFrameworkCore.Relational.dll
E:\TekH\Visual Studio\WebUserManager\DigitalData.UserManager.API\bin\Debug\net7.0\Microsoft.EntityFrameworkCore.SqlServer.dll E:\TekH\Visual Studio\WebUserManager\DigitalData.UserManager.API\bin\Debug\net7.0\Microsoft.EntityFrameworkCore.SqlServer.dll
E:\TekH\Visual Studio\WebUserManager\DigitalData.UserManager.API\bin\Debug\net7.0\Microsoft.Extensions.Configuration.Binder.dll
E:\TekH\Visual Studio\WebUserManager\DigitalData.UserManager.API\bin\Debug\net7.0\Microsoft.Extensions.DependencyModel.dll E:\TekH\Visual Studio\WebUserManager\DigitalData.UserManager.API\bin\Debug\net7.0\Microsoft.Extensions.DependencyModel.dll
E:\TekH\Visual Studio\WebUserManager\DigitalData.UserManager.API\bin\Debug\net7.0\Microsoft.Extensions.Hosting.dll
E:\TekH\Visual Studio\WebUserManager\DigitalData.UserManager.API\bin\Debug\net7.0\Microsoft.Extensions.Hosting.WindowsServices.dll
E:\TekH\Visual Studio\WebUserManager\DigitalData.UserManager.API\bin\Debug\net7.0\Microsoft.Extensions.Logging.Abstractions.dll
E:\TekH\Visual Studio\WebUserManager\DigitalData.UserManager.API\bin\Debug\net7.0\Microsoft.Extensions.Options.dll
E:\TekH\Visual Studio\WebUserManager\DigitalData.UserManager.API\bin\Debug\net7.0\Microsoft.Identity.Client.dll E:\TekH\Visual Studio\WebUserManager\DigitalData.UserManager.API\bin\Debug\net7.0\Microsoft.Identity.Client.dll
E:\TekH\Visual Studio\WebUserManager\DigitalData.UserManager.API\bin\Debug\net7.0\Microsoft.Identity.Client.Extensions.Msal.dll E:\TekH\Visual Studio\WebUserManager\DigitalData.UserManager.API\bin\Debug\net7.0\Microsoft.Identity.Client.Extensions.Msal.dll
E:\TekH\Visual Studio\WebUserManager\DigitalData.UserManager.API\bin\Debug\net7.0\Microsoft.IdentityModel.Abstractions.dll E:\TekH\Visual Studio\WebUserManager\DigitalData.UserManager.API\bin\Debug\net7.0\Microsoft.IdentityModel.Abstractions.dll
@ -247,6 +252,7 @@ E:\TekH\Visual Studio\WebUserManager\DigitalData.UserManager.API\bin\Debug\net7.
E:\TekH\Visual Studio\WebUserManager\DigitalData.UserManager.API\bin\Debug\net7.0\System.Runtime.Caching.dll E:\TekH\Visual Studio\WebUserManager\DigitalData.UserManager.API\bin\Debug\net7.0\System.Runtime.Caching.dll
E:\TekH\Visual Studio\WebUserManager\DigitalData.UserManager.API\bin\Debug\net7.0\System.Security.Cryptography.ProtectedData.dll E:\TekH\Visual Studio\WebUserManager\DigitalData.UserManager.API\bin\Debug\net7.0\System.Security.Cryptography.ProtectedData.dll
E:\TekH\Visual Studio\WebUserManager\DigitalData.UserManager.API\bin\Debug\net7.0\System.Security.Permissions.dll E:\TekH\Visual Studio\WebUserManager\DigitalData.UserManager.API\bin\Debug\net7.0\System.Security.Permissions.dll
E:\TekH\Visual Studio\WebUserManager\DigitalData.UserManager.API\bin\Debug\net7.0\System.ServiceProcess.ServiceController.dll
E:\TekH\Visual Studio\WebUserManager\DigitalData.UserManager.API\bin\Debug\net7.0\System.Windows.Extensions.dll E:\TekH\Visual Studio\WebUserManager\DigitalData.UserManager.API\bin\Debug\net7.0\System.Windows.Extensions.dll
E:\TekH\Visual Studio\WebUserManager\DigitalData.UserManager.API\bin\Debug\net7.0\runtimes\unix\lib\net6.0\Microsoft.Data.SqlClient.dll E:\TekH\Visual Studio\WebUserManager\DigitalData.UserManager.API\bin\Debug\net7.0\runtimes\unix\lib\net6.0\Microsoft.Data.SqlClient.dll
E:\TekH\Visual Studio\WebUserManager\DigitalData.UserManager.API\bin\Debug\net7.0\runtimes\win\lib\net6.0\Microsoft.Data.SqlClient.dll E:\TekH\Visual Studio\WebUserManager\DigitalData.UserManager.API\bin\Debug\net7.0\runtimes\win\lib\net6.0\Microsoft.Data.SqlClient.dll
@ -263,6 +269,7 @@ E:\TekH\Visual Studio\WebUserManager\DigitalData.UserManager.API\bin\Debug\net7.
E:\TekH\Visual Studio\WebUserManager\DigitalData.UserManager.API\bin\Debug\net7.0\runtimes\win\lib\net7.0\System.Drawing.Common.dll E:\TekH\Visual Studio\WebUserManager\DigitalData.UserManager.API\bin\Debug\net7.0\runtimes\win\lib\net7.0\System.Drawing.Common.dll
E:\TekH\Visual Studio\WebUserManager\DigitalData.UserManager.API\bin\Debug\net7.0\runtimes\win\lib\net6.0\System.Runtime.Caching.dll E:\TekH\Visual Studio\WebUserManager\DigitalData.UserManager.API\bin\Debug\net7.0\runtimes\win\lib\net6.0\System.Runtime.Caching.dll
E:\TekH\Visual Studio\WebUserManager\DigitalData.UserManager.API\bin\Debug\net7.0\runtimes\win\lib\net7.0\System.Security.Cryptography.ProtectedData.dll E:\TekH\Visual Studio\WebUserManager\DigitalData.UserManager.API\bin\Debug\net7.0\runtimes\win\lib\net7.0\System.Security.Cryptography.ProtectedData.dll
E:\TekH\Visual Studio\WebUserManager\DigitalData.UserManager.API\bin\Debug\net7.0\runtimes\win\lib\net7.0\System.ServiceProcess.ServiceController.dll
E:\TekH\Visual Studio\WebUserManager\DigitalData.UserManager.API\bin\Debug\net7.0\runtimes\win\lib\net7.0\System.Windows.Extensions.dll E:\TekH\Visual Studio\WebUserManager\DigitalData.UserManager.API\bin\Debug\net7.0\runtimes\win\lib\net7.0\System.Windows.Extensions.dll
E:\TekH\Visual Studio\WebUserManager\DigitalData.UserManager.API\bin\Debug\net7.0\DigitalData.Core.API.dll E:\TekH\Visual Studio\WebUserManager\DigitalData.UserManager.API\bin\Debug\net7.0\DigitalData.Core.API.dll
E:\TekH\Visual Studio\WebUserManager\DigitalData.UserManager.API\bin\Debug\net7.0\DigitalData.Core.Application.dll E:\TekH\Visual Studio\WebUserManager\DigitalData.UserManager.API\bin\Debug\net7.0\DigitalData.Core.Application.dll
@ -301,10 +308,4 @@ E:\TekH\Visual Studio\WebUserManager\DigitalData.UserManager.API\obj\Debug\net7.
E:\TekH\Visual Studio\WebUserManager\DigitalData.UserManager.API\obj\Debug\net7.0\DigitalData.UserManager.API.pdb E:\TekH\Visual Studio\WebUserManager\DigitalData.UserManager.API\obj\Debug\net7.0\DigitalData.UserManager.API.pdb
E:\TekH\Visual Studio\WebUserManager\DigitalData.UserManager.API\obj\Debug\net7.0\DigitalData.UserManager.API.genruntimeconfig.cache E:\TekH\Visual Studio\WebUserManager\DigitalData.UserManager.API\obj\Debug\net7.0\DigitalData.UserManager.API.genruntimeconfig.cache
E:\TekH\Visual Studio\WebUserManager\DigitalData.UserManager.API\obj\Debug\net7.0\ref\DigitalData.UserManager.API.dll E:\TekH\Visual Studio\WebUserManager\DigitalData.UserManager.API\obj\Debug\net7.0\ref\DigitalData.UserManager.API.dll
E:\TekH\Visual Studio\WebUserManager\DigitalData.UserManager.API\bin\Debug\net7.0\Microsoft.Extensions.Configuration.Binder.dll E:\TekH\Visual Studio\WebUserManager\DigitalData.UserManager.API\bin\Debug\net7.0\DigitalData.UserManager.API.staticwebassets.runtime.json
E:\TekH\Visual Studio\WebUserManager\DigitalData.UserManager.API\bin\Debug\net7.0\Microsoft.Extensions.Hosting.dll
E:\TekH\Visual Studio\WebUserManager\DigitalData.UserManager.API\bin\Debug\net7.0\Microsoft.Extensions.Hosting.WindowsServices.dll
E:\TekH\Visual Studio\WebUserManager\DigitalData.UserManager.API\bin\Debug\net7.0\Microsoft.Extensions.Logging.Abstractions.dll
E:\TekH\Visual Studio\WebUserManager\DigitalData.UserManager.API\bin\Debug\net7.0\Microsoft.Extensions.Options.dll
E:\TekH\Visual Studio\WebUserManager\DigitalData.UserManager.API\bin\Debug\net7.0\System.ServiceProcess.ServiceController.dll
E:\TekH\Visual Studio\WebUserManager\DigitalData.UserManager.API\bin\Debug\net7.0\runtimes\win\lib\net7.0\System.ServiceProcess.ServiceController.dll

View File

@ -1,11 +1,309 @@
{ {
"Version": 1, "Version": 1,
"Hash": "Gi/t5Tidq0C+Ywhga15YKVa3e9L2xbTkVkDpZWQef9U=", "Hash": "FBJwiAidVUii2wbqD1UsaPIVFHRy7e7zpU/KrckkNAs=",
"Source": "DigitalData.UserManager.API", "Source": "DigitalData.UserManager.API",
"BasePath": "_content/DigitalData.UserManager.API", "BasePath": "_content/DigitalData.UserManager.API",
"Mode": "Default", "Mode": "Default",
"ManifestType": "Build", "ManifestType": "Build",
"ReferencedProjectsConfiguration": [], "ReferencedProjectsConfiguration": [],
"DiscoveryPatterns": [], "DiscoveryPatterns": [
"Assets": [] {
"Name": "DigitalData.UserManager.API\\wwwroot",
"Source": "DigitalData.UserManager.API",
"ContentRoot": "E:\\TekH\\Visual Studio\\WebUserManager\\DigitalData.UserManager.API\\wwwroot\\",
"BasePath": "_content/DigitalData.UserManager.API",
"Pattern": "**"
}
],
"Assets": [
{
"Identity": "E:\\TekH\\Visual Studio\\WebUserManager\\DigitalData.UserManager.API\\wwwroot\\3rdpartylicenses.txt",
"SourceId": "DigitalData.UserManager.API",
"SourceType": "Discovered",
"ContentRoot": "E:\\TekH\\Visual Studio\\WebUserManager\\DigitalData.UserManager.API\\wwwroot\\",
"BasePath": "_content/DigitalData.UserManager.API",
"RelativePath": "3rdpartylicenses.txt",
"AssetKind": "All",
"AssetMode": "All",
"AssetRole": "Primary",
"RelatedAsset": "",
"AssetTraitName": "",
"AssetTraitValue": "",
"CopyToOutputDirectory": "Never",
"CopyToPublishDirectory": "PreserveNewest",
"OriginalItemSpec": "wwwroot\\3rdpartylicenses.txt"
},
{
"Identity": "E:\\TekH\\Visual Studio\\WebUserManager\\DigitalData.UserManager.API\\wwwroot\\assets\\img\\DD_white.svg",
"SourceId": "DigitalData.UserManager.API",
"SourceType": "Discovered",
"ContentRoot": "E:\\TekH\\Visual Studio\\WebUserManager\\DigitalData.UserManager.API\\wwwroot\\",
"BasePath": "_content/DigitalData.UserManager.API",
"RelativePath": "assets/img/DD_white.svg",
"AssetKind": "All",
"AssetMode": "All",
"AssetRole": "Primary",
"RelatedAsset": "",
"AssetTraitName": "",
"AssetTraitValue": "",
"CopyToOutputDirectory": "Never",
"CopyToPublishDirectory": "PreserveNewest",
"OriginalItemSpec": "wwwroot\\assets\\img\\DD_white.svg"
},
{
"Identity": "E:\\TekH\\Visual Studio\\WebUserManager\\DigitalData.UserManager.API\\wwwroot\\assets\\img\\digital_data.svg",
"SourceId": "DigitalData.UserManager.API",
"SourceType": "Discovered",
"ContentRoot": "E:\\TekH\\Visual Studio\\WebUserManager\\DigitalData.UserManager.API\\wwwroot\\",
"BasePath": "_content/DigitalData.UserManager.API",
"RelativePath": "assets/img/digital_data.svg",
"AssetKind": "All",
"AssetMode": "All",
"AssetRole": "Primary",
"RelatedAsset": "",
"AssetTraitName": "",
"AssetTraitValue": "",
"CopyToOutputDirectory": "Never",
"CopyToPublishDirectory": "PreserveNewest",
"OriginalItemSpec": "wwwroot\\assets\\img\\digital_data.svg"
},
{
"Identity": "E:\\TekH\\Visual Studio\\WebUserManager\\DigitalData.UserManager.API\\wwwroot\\assets\\img\\digital_data_red_BG.svg",
"SourceId": "DigitalData.UserManager.API",
"SourceType": "Discovered",
"ContentRoot": "E:\\TekH\\Visual Studio\\WebUserManager\\DigitalData.UserManager.API\\wwwroot\\",
"BasePath": "_content/DigitalData.UserManager.API",
"RelativePath": "assets/img/digital_data_red_BG.svg",
"AssetKind": "All",
"AssetMode": "All",
"AssetRole": "Primary",
"RelatedAsset": "",
"AssetTraitName": "",
"AssetTraitValue": "",
"CopyToOutputDirectory": "Never",
"CopyToPublishDirectory": "PreserveNewest",
"OriginalItemSpec": "wwwroot\\assets\\img\\digital_data_red_BG.svg"
},
{
"Identity": "E:\\TekH\\Visual Studio\\WebUserManager\\DigitalData.UserManager.API\\wwwroot\\assets\\img\\group.svg",
"SourceId": "DigitalData.UserManager.API",
"SourceType": "Discovered",
"ContentRoot": "E:\\TekH\\Visual Studio\\WebUserManager\\DigitalData.UserManager.API\\wwwroot\\",
"BasePath": "_content/DigitalData.UserManager.API",
"RelativePath": "assets/img/group.svg",
"AssetKind": "All",
"AssetMode": "All",
"AssetRole": "Primary",
"RelatedAsset": "",
"AssetTraitName": "",
"AssetTraitValue": "",
"CopyToOutputDirectory": "Never",
"CopyToPublishDirectory": "PreserveNewest",
"OriginalItemSpec": "wwwroot\\assets\\img\\group.svg"
},
{
"Identity": "E:\\TekH\\Visual Studio\\WebUserManager\\DigitalData.UserManager.API\\wwwroot\\assets\\img\\Huhn_andersrum.webp",
"SourceId": "DigitalData.UserManager.API",
"SourceType": "Discovered",
"ContentRoot": "E:\\TekH\\Visual Studio\\WebUserManager\\DigitalData.UserManager.API\\wwwroot\\",
"BasePath": "_content/DigitalData.UserManager.API",
"RelativePath": "assets/img/Huhn_andersrum.webp",
"AssetKind": "All",
"AssetMode": "All",
"AssetRole": "Primary",
"RelatedAsset": "",
"AssetTraitName": "",
"AssetTraitValue": "",
"CopyToOutputDirectory": "Never",
"CopyToPublishDirectory": "PreserveNewest",
"OriginalItemSpec": "wwwroot\\assets\\img\\Huhn_andersrum.webp"
},
{
"Identity": "E:\\TekH\\Visual Studio\\WebUserManager\\DigitalData.UserManager.API\\wwwroot\\assets\\img\\login_logo.svg",
"SourceId": "DigitalData.UserManager.API",
"SourceType": "Discovered",
"ContentRoot": "E:\\TekH\\Visual Studio\\WebUserManager\\DigitalData.UserManager.API\\wwwroot\\",
"BasePath": "_content/DigitalData.UserManager.API",
"RelativePath": "assets/img/login_logo.svg",
"AssetKind": "All",
"AssetMode": "All",
"AssetRole": "Primary",
"RelatedAsset": "",
"AssetTraitName": "",
"AssetTraitValue": "",
"CopyToOutputDirectory": "Never",
"CopyToPublishDirectory": "PreserveNewest",
"OriginalItemSpec": "wwwroot\\assets\\img\\login_logo.svg"
},
{
"Identity": "E:\\TekH\\Visual Studio\\WebUserManager\\DigitalData.UserManager.API\\wwwroot\\assets\\img\\mode_logo.svg",
"SourceId": "DigitalData.UserManager.API",
"SourceType": "Discovered",
"ContentRoot": "E:\\TekH\\Visual Studio\\WebUserManager\\DigitalData.UserManager.API\\wwwroot\\",
"BasePath": "_content/DigitalData.UserManager.API",
"RelativePath": "assets/img/mode_logo.svg",
"AssetKind": "All",
"AssetMode": "All",
"AssetRole": "Primary",
"RelatedAsset": "",
"AssetTraitName": "",
"AssetTraitValue": "",
"CopyToOutputDirectory": "Never",
"CopyToPublishDirectory": "PreserveNewest",
"OriginalItemSpec": "wwwroot\\assets\\img\\mode_logo.svg"
},
{
"Identity": "E:\\TekH\\Visual Studio\\WebUserManager\\DigitalData.UserManager.API\\wwwroot\\assets\\img\\thema_bttn.svg",
"SourceId": "DigitalData.UserManager.API",
"SourceType": "Discovered",
"ContentRoot": "E:\\TekH\\Visual Studio\\WebUserManager\\DigitalData.UserManager.API\\wwwroot\\",
"BasePath": "_content/DigitalData.UserManager.API",
"RelativePath": "assets/img/thema_bttn.svg",
"AssetKind": "All",
"AssetMode": "All",
"AssetRole": "Primary",
"RelatedAsset": "",
"AssetTraitName": "",
"AssetTraitValue": "",
"CopyToOutputDirectory": "Never",
"CopyToPublishDirectory": "PreserveNewest",
"OriginalItemSpec": "wwwroot\\assets\\img\\thema_bttn.svg"
},
{
"Identity": "E:\\TekH\\Visual Studio\\WebUserManager\\DigitalData.UserManager.API\\wwwroot\\assets\\img\\user.svg",
"SourceId": "DigitalData.UserManager.API",
"SourceType": "Discovered",
"ContentRoot": "E:\\TekH\\Visual Studio\\WebUserManager\\DigitalData.UserManager.API\\wwwroot\\",
"BasePath": "_content/DigitalData.UserManager.API",
"RelativePath": "assets/img/user.svg",
"AssetKind": "All",
"AssetMode": "All",
"AssetRole": "Primary",
"RelatedAsset": "",
"AssetTraitName": "",
"AssetTraitValue": "",
"CopyToOutputDirectory": "Never",
"CopyToPublishDirectory": "PreserveNewest",
"OriginalItemSpec": "wwwroot\\assets\\img\\user.svg"
},
{
"Identity": "E:\\TekH\\Visual Studio\\WebUserManager\\DigitalData.UserManager.API\\wwwroot\\assets\\img\\user-plus-svgrepo-com.svg",
"SourceId": "DigitalData.UserManager.API",
"SourceType": "Discovered",
"ContentRoot": "E:\\TekH\\Visual Studio\\WebUserManager\\DigitalData.UserManager.API\\wwwroot\\",
"BasePath": "_content/DigitalData.UserManager.API",
"RelativePath": "assets/img/user-plus-svgrepo-com.svg",
"AssetKind": "All",
"AssetMode": "All",
"AssetRole": "Primary",
"RelatedAsset": "",
"AssetTraitName": "",
"AssetTraitValue": "",
"CopyToOutputDirectory": "Never",
"CopyToPublishDirectory": "PreserveNewest",
"OriginalItemSpec": "wwwroot\\assets\\img\\user-plus-svgrepo-com.svg"
},
{
"Identity": "E:\\TekH\\Visual Studio\\WebUserManager\\DigitalData.UserManager.API\\wwwroot\\index.html",
"SourceId": "DigitalData.UserManager.API",
"SourceType": "Discovered",
"ContentRoot": "E:\\TekH\\Visual Studio\\WebUserManager\\DigitalData.UserManager.API\\wwwroot\\",
"BasePath": "_content/DigitalData.UserManager.API",
"RelativePath": "index.html",
"AssetKind": "All",
"AssetMode": "All",
"AssetRole": "Primary",
"RelatedAsset": "",
"AssetTraitName": "",
"AssetTraitValue": "",
"CopyToOutputDirectory": "Never",
"CopyToPublishDirectory": "PreserveNewest",
"OriginalItemSpec": "wwwroot\\index.html"
},
{
"Identity": "E:\\TekH\\Visual Studio\\WebUserManager\\DigitalData.UserManager.API\\wwwroot\\main.d15f6e676f5df533.js",
"SourceId": "DigitalData.UserManager.API",
"SourceType": "Discovered",
"ContentRoot": "E:\\TekH\\Visual Studio\\WebUserManager\\DigitalData.UserManager.API\\wwwroot\\",
"BasePath": "_content/DigitalData.UserManager.API",
"RelativePath": "main.d15f6e676f5df533.js",
"AssetKind": "All",
"AssetMode": "All",
"AssetRole": "Primary",
"RelatedAsset": "",
"AssetTraitName": "",
"AssetTraitValue": "",
"CopyToOutputDirectory": "Never",
"CopyToPublishDirectory": "PreserveNewest",
"OriginalItemSpec": "wwwroot\\main.d15f6e676f5df533.js"
},
{
"Identity": "E:\\TekH\\Visual Studio\\WebUserManager\\DigitalData.UserManager.API\\wwwroot\\polyfills.4459b3a7f3a4ffe9.js",
"SourceId": "DigitalData.UserManager.API",
"SourceType": "Discovered",
"ContentRoot": "E:\\TekH\\Visual Studio\\WebUserManager\\DigitalData.UserManager.API\\wwwroot\\",
"BasePath": "_content/DigitalData.UserManager.API",
"RelativePath": "polyfills.4459b3a7f3a4ffe9.js",
"AssetKind": "All",
"AssetMode": "All",
"AssetRole": "Primary",
"RelatedAsset": "",
"AssetTraitName": "",
"AssetTraitValue": "",
"CopyToOutputDirectory": "Never",
"CopyToPublishDirectory": "PreserveNewest",
"OriginalItemSpec": "wwwroot\\polyfills.4459b3a7f3a4ffe9.js"
},
{
"Identity": "E:\\TekH\\Visual Studio\\WebUserManager\\DigitalData.UserManager.API\\wwwroot\\runtime.55b23fdce3af31a4.js",
"SourceId": "DigitalData.UserManager.API",
"SourceType": "Discovered",
"ContentRoot": "E:\\TekH\\Visual Studio\\WebUserManager\\DigitalData.UserManager.API\\wwwroot\\",
"BasePath": "_content/DigitalData.UserManager.API",
"RelativePath": "runtime.55b23fdce3af31a4.js",
"AssetKind": "All",
"AssetMode": "All",
"AssetRole": "Primary",
"RelatedAsset": "",
"AssetTraitName": "",
"AssetTraitValue": "",
"CopyToOutputDirectory": "Never",
"CopyToPublishDirectory": "PreserveNewest",
"OriginalItemSpec": "wwwroot\\runtime.55b23fdce3af31a4.js"
},
{
"Identity": "E:\\TekH\\Visual Studio\\WebUserManager\\DigitalData.UserManager.API\\wwwroot\\scripts.1ac6d0d02f230370.js",
"SourceId": "DigitalData.UserManager.API",
"SourceType": "Discovered",
"ContentRoot": "E:\\TekH\\Visual Studio\\WebUserManager\\DigitalData.UserManager.API\\wwwroot\\",
"BasePath": "_content/DigitalData.UserManager.API",
"RelativePath": "scripts.1ac6d0d02f230370.js",
"AssetKind": "All",
"AssetMode": "All",
"AssetRole": "Primary",
"RelatedAsset": "",
"AssetTraitName": "",
"AssetTraitValue": "",
"CopyToOutputDirectory": "Never",
"CopyToPublishDirectory": "PreserveNewest",
"OriginalItemSpec": "wwwroot\\scripts.1ac6d0d02f230370.js"
},
{
"Identity": "E:\\TekH\\Visual Studio\\WebUserManager\\DigitalData.UserManager.API\\wwwroot\\styles.dc186e57c95e01b2.css",
"SourceId": "DigitalData.UserManager.API",
"SourceType": "Discovered",
"ContentRoot": "E:\\TekH\\Visual Studio\\WebUserManager\\DigitalData.UserManager.API\\wwwroot\\",
"BasePath": "_content/DigitalData.UserManager.API",
"RelativePath": "styles.dc186e57c95e01b2.css",
"AssetKind": "All",
"AssetMode": "All",
"AssetRole": "Primary",
"RelatedAsset": "",
"AssetTraitName": "",
"AssetTraitValue": "",
"CopyToOutputDirectory": "Never",
"CopyToPublishDirectory": "PreserveNewest",
"OriginalItemSpec": "wwwroot\\styles.dc186e57c95e01b2.css"
}
]
} }

View File

@ -0,0 +1 @@
{"ContentRoots":["E:\\TekH\\Visual Studio\\WebUserManager\\DigitalData.UserManager.API\\wwwroot\\"],"Root":{"Children":{"3rdpartylicenses.txt":{"Children":null,"Asset":{"ContentRootIndex":0,"SubPath":"3rdpartylicenses.txt"},"Patterns":null},"assets":{"Children":{"img":{"Children":{"DD_white.svg":{"Children":null,"Asset":{"ContentRootIndex":0,"SubPath":"assets/img/DD_white.svg"},"Patterns":null},"digital_data.svg":{"Children":null,"Asset":{"ContentRootIndex":0,"SubPath":"assets/img/digital_data.svg"},"Patterns":null},"digital_data_red_BG.svg":{"Children":null,"Asset":{"ContentRootIndex":0,"SubPath":"assets/img/digital_data_red_BG.svg"},"Patterns":null},"group.svg":{"Children":null,"Asset":{"ContentRootIndex":0,"SubPath":"assets/img/group.svg"},"Patterns":null},"Huhn_andersrum.webp":{"Children":null,"Asset":{"ContentRootIndex":0,"SubPath":"assets/img/Huhn_andersrum.webp"},"Patterns":null},"login_logo.svg":{"Children":null,"Asset":{"ContentRootIndex":0,"SubPath":"assets/img/login_logo.svg"},"Patterns":null},"mode_logo.svg":{"Children":null,"Asset":{"ContentRootIndex":0,"SubPath":"assets/img/mode_logo.svg"},"Patterns":null},"thema_bttn.svg":{"Children":null,"Asset":{"ContentRootIndex":0,"SubPath":"assets/img/thema_bttn.svg"},"Patterns":null},"user-plus-svgrepo-com.svg":{"Children":null,"Asset":{"ContentRootIndex":0,"SubPath":"assets/img/user-plus-svgrepo-com.svg"},"Patterns":null},"user.svg":{"Children":null,"Asset":{"ContentRootIndex":0,"SubPath":"assets/img/user.svg"},"Patterns":null}},"Asset":null,"Patterns":null}},"Asset":null,"Patterns":null},"index.html":{"Children":null,"Asset":{"ContentRootIndex":0,"SubPath":"index.html"},"Patterns":null},"main.d15f6e676f5df533.js":{"Children":null,"Asset":{"ContentRootIndex":0,"SubPath":"main.d15f6e676f5df533.js"},"Patterns":null},"polyfills.4459b3a7f3a4ffe9.js":{"Children":null,"Asset":{"ContentRootIndex":0,"SubPath":"polyfills.4459b3a7f3a4ffe9.js"},"Patterns":null},"runtime.55b23fdce3af31a4.js":{"Children":null,"Asset":{"ContentRootIndex":0,"SubPath":"runtime.55b23fdce3af31a4.js"},"Patterns":null},"scripts.1ac6d0d02f230370.js":{"Children":null,"Asset":{"ContentRootIndex":0,"SubPath":"scripts.1ac6d0d02f230370.js"},"Patterns":null},"styles.dc186e57c95e01b2.css":{"Children":null,"Asset":{"ContentRootIndex":0,"SubPath":"styles.dc186e57c95e01b2.css"},"Patterns":null}},"Asset":null,"Patterns":[{"ContentRootIndex":0,"Pattern":"**","Depth":0}]}}

View File

@ -0,0 +1,89 @@
{
"Files": [
{
"Id": "E:\\TekH\\Visual Studio\\WebUserManager\\DigitalData.UserManager.API\\wwwroot\\3rdpartylicenses.txt",
"PackagePath": "staticwebassets\\3rdpartylicenses.txt"
},
{
"Id": "E:\\TekH\\Visual Studio\\WebUserManager\\DigitalData.UserManager.API\\wwwroot\\assets\\img\\DD_white.svg",
"PackagePath": "staticwebassets\\assets\\img\\DD_white.svg"
},
{
"Id": "E:\\TekH\\Visual Studio\\WebUserManager\\DigitalData.UserManager.API\\wwwroot\\assets\\img\\Huhn_andersrum.webp",
"PackagePath": "staticwebassets\\assets\\img\\Huhn_andersrum.webp"
},
{
"Id": "E:\\TekH\\Visual Studio\\WebUserManager\\DigitalData.UserManager.API\\wwwroot\\assets\\img\\digital_data.svg",
"PackagePath": "staticwebassets\\assets\\img\\digital_data.svg"
},
{
"Id": "E:\\TekH\\Visual Studio\\WebUserManager\\DigitalData.UserManager.API\\wwwroot\\assets\\img\\digital_data_red_BG.svg",
"PackagePath": "staticwebassets\\assets\\img\\digital_data_red_BG.svg"
},
{
"Id": "E:\\TekH\\Visual Studio\\WebUserManager\\DigitalData.UserManager.API\\wwwroot\\assets\\img\\group.svg",
"PackagePath": "staticwebassets\\assets\\img\\group.svg"
},
{
"Id": "E:\\TekH\\Visual Studio\\WebUserManager\\DigitalData.UserManager.API\\wwwroot\\assets\\img\\login_logo.svg",
"PackagePath": "staticwebassets\\assets\\img\\login_logo.svg"
},
{
"Id": "E:\\TekH\\Visual Studio\\WebUserManager\\DigitalData.UserManager.API\\wwwroot\\assets\\img\\mode_logo.svg",
"PackagePath": "staticwebassets\\assets\\img\\mode_logo.svg"
},
{
"Id": "E:\\TekH\\Visual Studio\\WebUserManager\\DigitalData.UserManager.API\\wwwroot\\assets\\img\\thema_bttn.svg",
"PackagePath": "staticwebassets\\assets\\img\\thema_bttn.svg"
},
{
"Id": "E:\\TekH\\Visual Studio\\WebUserManager\\DigitalData.UserManager.API\\wwwroot\\assets\\img\\user-plus-svgrepo-com.svg",
"PackagePath": "staticwebassets\\assets\\img\\user-plus-svgrepo-com.svg"
},
{
"Id": "E:\\TekH\\Visual Studio\\WebUserManager\\DigitalData.UserManager.API\\wwwroot\\assets\\img\\user.svg",
"PackagePath": "staticwebassets\\assets\\img\\user.svg"
},
{
"Id": "E:\\TekH\\Visual Studio\\WebUserManager\\DigitalData.UserManager.API\\wwwroot\\index.html",
"PackagePath": "staticwebassets\\index.html"
},
{
"Id": "E:\\TekH\\Visual Studio\\WebUserManager\\DigitalData.UserManager.API\\wwwroot\\main.d15f6e676f5df533.js",
"PackagePath": "staticwebassets\\main.d15f6e676f5df533.js"
},
{
"Id": "E:\\TekH\\Visual Studio\\WebUserManager\\DigitalData.UserManager.API\\wwwroot\\polyfills.4459b3a7f3a4ffe9.js",
"PackagePath": "staticwebassets\\polyfills.4459b3a7f3a4ffe9.js"
},
{
"Id": "E:\\TekH\\Visual Studio\\WebUserManager\\DigitalData.UserManager.API\\wwwroot\\runtime.55b23fdce3af31a4.js",
"PackagePath": "staticwebassets\\runtime.55b23fdce3af31a4.js"
},
{
"Id": "E:\\TekH\\Visual Studio\\WebUserManager\\DigitalData.UserManager.API\\wwwroot\\scripts.1ac6d0d02f230370.js",
"PackagePath": "staticwebassets\\scripts.1ac6d0d02f230370.js"
},
{
"Id": "E:\\TekH\\Visual Studio\\WebUserManager\\DigitalData.UserManager.API\\wwwroot\\styles.dc186e57c95e01b2.css",
"PackagePath": "staticwebassets\\styles.dc186e57c95e01b2.css"
},
{
"Id": "obj\\Debug\\net7.0\\staticwebassets\\msbuild.DigitalData.UserManager.API.Microsoft.AspNetCore.StaticWebAssets.props",
"PackagePath": "build\\Microsoft.AspNetCore.StaticWebAssets.props"
},
{
"Id": "obj\\Debug\\net7.0\\staticwebassets\\msbuild.build.DigitalData.UserManager.API.props",
"PackagePath": "build\\DigitalData.UserManager.API.props"
},
{
"Id": "obj\\Debug\\net7.0\\staticwebassets\\msbuild.buildMultiTargeting.DigitalData.UserManager.API.props",
"PackagePath": "buildMultiTargeting\\DigitalData.UserManager.API.props"
},
{
"Id": "obj\\Debug\\net7.0\\staticwebassets\\msbuild.buildTransitive.DigitalData.UserManager.API.props",
"PackagePath": "buildTransitive\\DigitalData.UserManager.API.props"
}
],
"ElementsToRemove": []
}

View File

@ -0,0 +1,276 @@
<Project>
<ItemGroup>
<StaticWebAsset Include="$([System.IO.Path]::GetFullPath($(MSBuildThisFileDirectory)..\staticwebassets\3rdpartylicenses.txt))">
<SourceType>Package</SourceType>
<SourceId>DigitalData.UserManager.API</SourceId>
<ContentRoot>$(MSBuildThisFileDirectory)..\staticwebassets\</ContentRoot>
<BasePath>_content/DigitalData.UserManager.API</BasePath>
<RelativePath>3rdpartylicenses.txt</RelativePath>
<AssetKind>All</AssetKind>
<AssetMode>All</AssetMode>
<AssetRole>Primary</AssetRole>
<RelatedAsset></RelatedAsset>
<AssetTraitName></AssetTraitName>
<AssetTraitValue></AssetTraitValue>
<CopyToOutputDirectory>Never</CopyToOutputDirectory>
<CopyToPublishDirectory>PreserveNewest</CopyToPublishDirectory>
<OriginalItemSpec>$([System.IO.Path]::GetFullPath($(MSBuildThisFileDirectory)..\staticwebassets\3rdpartylicenses.txt))</OriginalItemSpec>
</StaticWebAsset>
<StaticWebAsset Include="$([System.IO.Path]::GetFullPath($(MSBuildThisFileDirectory)..\staticwebassets\assets\img\DD_white.svg))">
<SourceType>Package</SourceType>
<SourceId>DigitalData.UserManager.API</SourceId>
<ContentRoot>$(MSBuildThisFileDirectory)..\staticwebassets\</ContentRoot>
<BasePath>_content/DigitalData.UserManager.API</BasePath>
<RelativePath>assets/img/DD_white.svg</RelativePath>
<AssetKind>All</AssetKind>
<AssetMode>All</AssetMode>
<AssetRole>Primary</AssetRole>
<RelatedAsset></RelatedAsset>
<AssetTraitName></AssetTraitName>
<AssetTraitValue></AssetTraitValue>
<CopyToOutputDirectory>Never</CopyToOutputDirectory>
<CopyToPublishDirectory>PreserveNewest</CopyToPublishDirectory>
<OriginalItemSpec>$([System.IO.Path]::GetFullPath($(MSBuildThisFileDirectory)..\staticwebassets\assets\img\DD_white.svg))</OriginalItemSpec>
</StaticWebAsset>
<StaticWebAsset Include="$([System.IO.Path]::GetFullPath($(MSBuildThisFileDirectory)..\staticwebassets\assets\img\digital_data.svg))">
<SourceType>Package</SourceType>
<SourceId>DigitalData.UserManager.API</SourceId>
<ContentRoot>$(MSBuildThisFileDirectory)..\staticwebassets\</ContentRoot>
<BasePath>_content/DigitalData.UserManager.API</BasePath>
<RelativePath>assets/img/digital_data.svg</RelativePath>
<AssetKind>All</AssetKind>
<AssetMode>All</AssetMode>
<AssetRole>Primary</AssetRole>
<RelatedAsset></RelatedAsset>
<AssetTraitName></AssetTraitName>
<AssetTraitValue></AssetTraitValue>
<CopyToOutputDirectory>Never</CopyToOutputDirectory>
<CopyToPublishDirectory>PreserveNewest</CopyToPublishDirectory>
<OriginalItemSpec>$([System.IO.Path]::GetFullPath($(MSBuildThisFileDirectory)..\staticwebassets\assets\img\digital_data.svg))</OriginalItemSpec>
</StaticWebAsset>
<StaticWebAsset Include="$([System.IO.Path]::GetFullPath($(MSBuildThisFileDirectory)..\staticwebassets\assets\img\digital_data_red_BG.svg))">
<SourceType>Package</SourceType>
<SourceId>DigitalData.UserManager.API</SourceId>
<ContentRoot>$(MSBuildThisFileDirectory)..\staticwebassets\</ContentRoot>
<BasePath>_content/DigitalData.UserManager.API</BasePath>
<RelativePath>assets/img/digital_data_red_BG.svg</RelativePath>
<AssetKind>All</AssetKind>
<AssetMode>All</AssetMode>
<AssetRole>Primary</AssetRole>
<RelatedAsset></RelatedAsset>
<AssetTraitName></AssetTraitName>
<AssetTraitValue></AssetTraitValue>
<CopyToOutputDirectory>Never</CopyToOutputDirectory>
<CopyToPublishDirectory>PreserveNewest</CopyToPublishDirectory>
<OriginalItemSpec>$([System.IO.Path]::GetFullPath($(MSBuildThisFileDirectory)..\staticwebassets\assets\img\digital_data_red_BG.svg))</OriginalItemSpec>
</StaticWebAsset>
<StaticWebAsset Include="$([System.IO.Path]::GetFullPath($(MSBuildThisFileDirectory)..\staticwebassets\assets\img\group.svg))">
<SourceType>Package</SourceType>
<SourceId>DigitalData.UserManager.API</SourceId>
<ContentRoot>$(MSBuildThisFileDirectory)..\staticwebassets\</ContentRoot>
<BasePath>_content/DigitalData.UserManager.API</BasePath>
<RelativePath>assets/img/group.svg</RelativePath>
<AssetKind>All</AssetKind>
<AssetMode>All</AssetMode>
<AssetRole>Primary</AssetRole>
<RelatedAsset></RelatedAsset>
<AssetTraitName></AssetTraitName>
<AssetTraitValue></AssetTraitValue>
<CopyToOutputDirectory>Never</CopyToOutputDirectory>
<CopyToPublishDirectory>PreserveNewest</CopyToPublishDirectory>
<OriginalItemSpec>$([System.IO.Path]::GetFullPath($(MSBuildThisFileDirectory)..\staticwebassets\assets\img\group.svg))</OriginalItemSpec>
</StaticWebAsset>
<StaticWebAsset Include="$([System.IO.Path]::GetFullPath($(MSBuildThisFileDirectory)..\staticwebassets\assets\img\Huhn_andersrum.webp))">
<SourceType>Package</SourceType>
<SourceId>DigitalData.UserManager.API</SourceId>
<ContentRoot>$(MSBuildThisFileDirectory)..\staticwebassets\</ContentRoot>
<BasePath>_content/DigitalData.UserManager.API</BasePath>
<RelativePath>assets/img/Huhn_andersrum.webp</RelativePath>
<AssetKind>All</AssetKind>
<AssetMode>All</AssetMode>
<AssetRole>Primary</AssetRole>
<RelatedAsset></RelatedAsset>
<AssetTraitName></AssetTraitName>
<AssetTraitValue></AssetTraitValue>
<CopyToOutputDirectory>Never</CopyToOutputDirectory>
<CopyToPublishDirectory>PreserveNewest</CopyToPublishDirectory>
<OriginalItemSpec>$([System.IO.Path]::GetFullPath($(MSBuildThisFileDirectory)..\staticwebassets\assets\img\Huhn_andersrum.webp))</OriginalItemSpec>
</StaticWebAsset>
<StaticWebAsset Include="$([System.IO.Path]::GetFullPath($(MSBuildThisFileDirectory)..\staticwebassets\assets\img\login_logo.svg))">
<SourceType>Package</SourceType>
<SourceId>DigitalData.UserManager.API</SourceId>
<ContentRoot>$(MSBuildThisFileDirectory)..\staticwebassets\</ContentRoot>
<BasePath>_content/DigitalData.UserManager.API</BasePath>
<RelativePath>assets/img/login_logo.svg</RelativePath>
<AssetKind>All</AssetKind>
<AssetMode>All</AssetMode>
<AssetRole>Primary</AssetRole>
<RelatedAsset></RelatedAsset>
<AssetTraitName></AssetTraitName>
<AssetTraitValue></AssetTraitValue>
<CopyToOutputDirectory>Never</CopyToOutputDirectory>
<CopyToPublishDirectory>PreserveNewest</CopyToPublishDirectory>
<OriginalItemSpec>$([System.IO.Path]::GetFullPath($(MSBuildThisFileDirectory)..\staticwebassets\assets\img\login_logo.svg))</OriginalItemSpec>
</StaticWebAsset>
<StaticWebAsset Include="$([System.IO.Path]::GetFullPath($(MSBuildThisFileDirectory)..\staticwebassets\assets\img\mode_logo.svg))">
<SourceType>Package</SourceType>
<SourceId>DigitalData.UserManager.API</SourceId>
<ContentRoot>$(MSBuildThisFileDirectory)..\staticwebassets\</ContentRoot>
<BasePath>_content/DigitalData.UserManager.API</BasePath>
<RelativePath>assets/img/mode_logo.svg</RelativePath>
<AssetKind>All</AssetKind>
<AssetMode>All</AssetMode>
<AssetRole>Primary</AssetRole>
<RelatedAsset></RelatedAsset>
<AssetTraitName></AssetTraitName>
<AssetTraitValue></AssetTraitValue>
<CopyToOutputDirectory>Never</CopyToOutputDirectory>
<CopyToPublishDirectory>PreserveNewest</CopyToPublishDirectory>
<OriginalItemSpec>$([System.IO.Path]::GetFullPath($(MSBuildThisFileDirectory)..\staticwebassets\assets\img\mode_logo.svg))</OriginalItemSpec>
</StaticWebAsset>
<StaticWebAsset Include="$([System.IO.Path]::GetFullPath($(MSBuildThisFileDirectory)..\staticwebassets\assets\img\thema_bttn.svg))">
<SourceType>Package</SourceType>
<SourceId>DigitalData.UserManager.API</SourceId>
<ContentRoot>$(MSBuildThisFileDirectory)..\staticwebassets\</ContentRoot>
<BasePath>_content/DigitalData.UserManager.API</BasePath>
<RelativePath>assets/img/thema_bttn.svg</RelativePath>
<AssetKind>All</AssetKind>
<AssetMode>All</AssetMode>
<AssetRole>Primary</AssetRole>
<RelatedAsset></RelatedAsset>
<AssetTraitName></AssetTraitName>
<AssetTraitValue></AssetTraitValue>
<CopyToOutputDirectory>Never</CopyToOutputDirectory>
<CopyToPublishDirectory>PreserveNewest</CopyToPublishDirectory>
<OriginalItemSpec>$([System.IO.Path]::GetFullPath($(MSBuildThisFileDirectory)..\staticwebassets\assets\img\thema_bttn.svg))</OriginalItemSpec>
</StaticWebAsset>
<StaticWebAsset Include="$([System.IO.Path]::GetFullPath($(MSBuildThisFileDirectory)..\staticwebassets\assets\img\user-plus-svgrepo-com.svg))">
<SourceType>Package</SourceType>
<SourceId>DigitalData.UserManager.API</SourceId>
<ContentRoot>$(MSBuildThisFileDirectory)..\staticwebassets\</ContentRoot>
<BasePath>_content/DigitalData.UserManager.API</BasePath>
<RelativePath>assets/img/user-plus-svgrepo-com.svg</RelativePath>
<AssetKind>All</AssetKind>
<AssetMode>All</AssetMode>
<AssetRole>Primary</AssetRole>
<RelatedAsset></RelatedAsset>
<AssetTraitName></AssetTraitName>
<AssetTraitValue></AssetTraitValue>
<CopyToOutputDirectory>Never</CopyToOutputDirectory>
<CopyToPublishDirectory>PreserveNewest</CopyToPublishDirectory>
<OriginalItemSpec>$([System.IO.Path]::GetFullPath($(MSBuildThisFileDirectory)..\staticwebassets\assets\img\user-plus-svgrepo-com.svg))</OriginalItemSpec>
</StaticWebAsset>
<StaticWebAsset Include="$([System.IO.Path]::GetFullPath($(MSBuildThisFileDirectory)..\staticwebassets\assets\img\user.svg))">
<SourceType>Package</SourceType>
<SourceId>DigitalData.UserManager.API</SourceId>
<ContentRoot>$(MSBuildThisFileDirectory)..\staticwebassets\</ContentRoot>
<BasePath>_content/DigitalData.UserManager.API</BasePath>
<RelativePath>assets/img/user.svg</RelativePath>
<AssetKind>All</AssetKind>
<AssetMode>All</AssetMode>
<AssetRole>Primary</AssetRole>
<RelatedAsset></RelatedAsset>
<AssetTraitName></AssetTraitName>
<AssetTraitValue></AssetTraitValue>
<CopyToOutputDirectory>Never</CopyToOutputDirectory>
<CopyToPublishDirectory>PreserveNewest</CopyToPublishDirectory>
<OriginalItemSpec>$([System.IO.Path]::GetFullPath($(MSBuildThisFileDirectory)..\staticwebassets\assets\img\user.svg))</OriginalItemSpec>
</StaticWebAsset>
<StaticWebAsset Include="$([System.IO.Path]::GetFullPath($(MSBuildThisFileDirectory)..\staticwebassets\index.html))">
<SourceType>Package</SourceType>
<SourceId>DigitalData.UserManager.API</SourceId>
<ContentRoot>$(MSBuildThisFileDirectory)..\staticwebassets\</ContentRoot>
<BasePath>_content/DigitalData.UserManager.API</BasePath>
<RelativePath>index.html</RelativePath>
<AssetKind>All</AssetKind>
<AssetMode>All</AssetMode>
<AssetRole>Primary</AssetRole>
<RelatedAsset></RelatedAsset>
<AssetTraitName></AssetTraitName>
<AssetTraitValue></AssetTraitValue>
<CopyToOutputDirectory>Never</CopyToOutputDirectory>
<CopyToPublishDirectory>PreserveNewest</CopyToPublishDirectory>
<OriginalItemSpec>$([System.IO.Path]::GetFullPath($(MSBuildThisFileDirectory)..\staticwebassets\index.html))</OriginalItemSpec>
</StaticWebAsset>
<StaticWebAsset Include="$([System.IO.Path]::GetFullPath($(MSBuildThisFileDirectory)..\staticwebassets\main.d15f6e676f5df533.js))">
<SourceType>Package</SourceType>
<SourceId>DigitalData.UserManager.API</SourceId>
<ContentRoot>$(MSBuildThisFileDirectory)..\staticwebassets\</ContentRoot>
<BasePath>_content/DigitalData.UserManager.API</BasePath>
<RelativePath>main.d15f6e676f5df533.js</RelativePath>
<AssetKind>All</AssetKind>
<AssetMode>All</AssetMode>
<AssetRole>Primary</AssetRole>
<RelatedAsset></RelatedAsset>
<AssetTraitName></AssetTraitName>
<AssetTraitValue></AssetTraitValue>
<CopyToOutputDirectory>Never</CopyToOutputDirectory>
<CopyToPublishDirectory>PreserveNewest</CopyToPublishDirectory>
<OriginalItemSpec>$([System.IO.Path]::GetFullPath($(MSBuildThisFileDirectory)..\staticwebassets\main.d15f6e676f5df533.js))</OriginalItemSpec>
</StaticWebAsset>
<StaticWebAsset Include="$([System.IO.Path]::GetFullPath($(MSBuildThisFileDirectory)..\staticwebassets\polyfills.4459b3a7f3a4ffe9.js))">
<SourceType>Package</SourceType>
<SourceId>DigitalData.UserManager.API</SourceId>
<ContentRoot>$(MSBuildThisFileDirectory)..\staticwebassets\</ContentRoot>
<BasePath>_content/DigitalData.UserManager.API</BasePath>
<RelativePath>polyfills.4459b3a7f3a4ffe9.js</RelativePath>
<AssetKind>All</AssetKind>
<AssetMode>All</AssetMode>
<AssetRole>Primary</AssetRole>
<RelatedAsset></RelatedAsset>
<AssetTraitName></AssetTraitName>
<AssetTraitValue></AssetTraitValue>
<CopyToOutputDirectory>Never</CopyToOutputDirectory>
<CopyToPublishDirectory>PreserveNewest</CopyToPublishDirectory>
<OriginalItemSpec>$([System.IO.Path]::GetFullPath($(MSBuildThisFileDirectory)..\staticwebassets\polyfills.4459b3a7f3a4ffe9.js))</OriginalItemSpec>
</StaticWebAsset>
<StaticWebAsset Include="$([System.IO.Path]::GetFullPath($(MSBuildThisFileDirectory)..\staticwebassets\runtime.55b23fdce3af31a4.js))">
<SourceType>Package</SourceType>
<SourceId>DigitalData.UserManager.API</SourceId>
<ContentRoot>$(MSBuildThisFileDirectory)..\staticwebassets\</ContentRoot>
<BasePath>_content/DigitalData.UserManager.API</BasePath>
<RelativePath>runtime.55b23fdce3af31a4.js</RelativePath>
<AssetKind>All</AssetKind>
<AssetMode>All</AssetMode>
<AssetRole>Primary</AssetRole>
<RelatedAsset></RelatedAsset>
<AssetTraitName></AssetTraitName>
<AssetTraitValue></AssetTraitValue>
<CopyToOutputDirectory>Never</CopyToOutputDirectory>
<CopyToPublishDirectory>PreserveNewest</CopyToPublishDirectory>
<OriginalItemSpec>$([System.IO.Path]::GetFullPath($(MSBuildThisFileDirectory)..\staticwebassets\runtime.55b23fdce3af31a4.js))</OriginalItemSpec>
</StaticWebAsset>
<StaticWebAsset Include="$([System.IO.Path]::GetFullPath($(MSBuildThisFileDirectory)..\staticwebassets\scripts.1ac6d0d02f230370.js))">
<SourceType>Package</SourceType>
<SourceId>DigitalData.UserManager.API</SourceId>
<ContentRoot>$(MSBuildThisFileDirectory)..\staticwebassets\</ContentRoot>
<BasePath>_content/DigitalData.UserManager.API</BasePath>
<RelativePath>scripts.1ac6d0d02f230370.js</RelativePath>
<AssetKind>All</AssetKind>
<AssetMode>All</AssetMode>
<AssetRole>Primary</AssetRole>
<RelatedAsset></RelatedAsset>
<AssetTraitName></AssetTraitName>
<AssetTraitValue></AssetTraitValue>
<CopyToOutputDirectory>Never</CopyToOutputDirectory>
<CopyToPublishDirectory>PreserveNewest</CopyToPublishDirectory>
<OriginalItemSpec>$([System.IO.Path]::GetFullPath($(MSBuildThisFileDirectory)..\staticwebassets\scripts.1ac6d0d02f230370.js))</OriginalItemSpec>
</StaticWebAsset>
<StaticWebAsset Include="$([System.IO.Path]::GetFullPath($(MSBuildThisFileDirectory)..\staticwebassets\styles.dc186e57c95e01b2.css))">
<SourceType>Package</SourceType>
<SourceId>DigitalData.UserManager.API</SourceId>
<ContentRoot>$(MSBuildThisFileDirectory)..\staticwebassets\</ContentRoot>
<BasePath>_content/DigitalData.UserManager.API</BasePath>
<RelativePath>styles.dc186e57c95e01b2.css</RelativePath>
<AssetKind>All</AssetKind>
<AssetMode>All</AssetMode>
<AssetRole>Primary</AssetRole>
<RelatedAsset></RelatedAsset>
<AssetTraitName></AssetTraitName>
<AssetTraitValue></AssetTraitValue>
<CopyToOutputDirectory>Never</CopyToOutputDirectory>
<CopyToPublishDirectory>PreserveNewest</CopyToPublishDirectory>
<OriginalItemSpec>$([System.IO.Path]::GetFullPath($(MSBuildThisFileDirectory)..\staticwebassets\styles.dc186e57c95e01b2.css))</OriginalItemSpec>
</StaticWebAsset>
</ItemGroup>
</Project>

View File

@ -10,9 +10,15 @@
}, },
"AllowedOrigins": [ "http://172.24.12.39:85", "http://localhost:85", "http://localhost:4200", "http://localhost:5500" ], "AllowedOrigins": [ "http://172.24.12.39:85", "http://localhost:85", "http://localhost:4200", "http://localhost:5500" ],
"UseSwagger": true, "UseSwagger": true,
"RunAsWindowsService": true, "RunAsWindowsService": false,
"DirectoryService": { "DirectorySearch": {
"SearchRoot": "LDAP://DC=dd-gan,DC=local,DC=digitaldata,DC=works" "ServerName": "DD-VMP01-DC01",
"Root": "DC=dd-gan,DC=local,DC=digitaldata,DC=works",
"UserCacheExpirationDays": 1,
"CustomSearchFilters": {
"User": "(&(objectClass=user)(sAMAccountName=*))",
"Group": "(&(objectClass=group) (samAccountName=*))"
}
}, },
"Jwt": { "Jwt": {
"Key": "pJBcBWZSjsWlhi1OlCcw6ERTMRNb7qsdvsfvdfbagdfbdfsSDGSDMhsjkfdhsdfbgkHKSDF", "Key": "pJBcBWZSjsWlhi1OlCcw6ERTMRNb7qsdvsfvdfbagdfbdfsSDGSDMhsjkfdhsdfbgkHKSDF",

View File

@ -9,4 +9,4 @@
</system.webServer> </system.webServer>
</location> </location>
</configuration> </configuration>
<!--ProjectGuid: CB433736-C3FC-45FB-8A81-7660DD681498--> <!--ProjectGuid: cb433736-c3fc-45fb-8a81-7660dd681498-->

View File

@ -0,0 +1,411 @@
@angular/animations
MIT
@angular/cdk
MIT
The MIT License
Copyright (c) 2024 Google LLC.
Permission is hereby granted, free of charge, to any person obtaining a copy
of this software and associated documentation files (the "Software"), to deal
in the Software without restriction, including without limitation the rights
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
copies of the Software, and to permit persons to whom the Software is
furnished to do so, subject to the following conditions:
The above copyright notice and this permission notice shall be included in
all copies or substantial portions of the Software.
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
THE SOFTWARE.
@angular/common
MIT
@angular/core
MIT
@angular/forms
MIT
@angular/localize
MIT
@angular/material
MIT
The MIT License
Copyright (c) 2024 Google LLC.
Permission is hereby granted, free of charge, to any person obtaining a copy
of this software and associated documentation files (the "Software"), to deal
in the Software without restriction, including without limitation the rights
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
copies of the Software, and to permit persons to whom the Software is
furnished to do so, subject to the following conditions:
The above copyright notice and this permission notice shall be included in
all copies or substantial portions of the Software.
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
THE SOFTWARE.
@angular/platform-browser
MIT
@angular/router
MIT
@generic-ui/fabric
MIT
@generic-ui/hermes
MIT
@generic-ui/ngx-grid
MIT
@ng-bootstrap/ng-bootstrap
MIT
The MIT License (MIT)
Copyright (c) 2015-2018 Angular ng-bootstrap team
Permission is hereby granted, free of charge, to any person obtaining a copy
of this software and associated documentation files (the "Software"), to deal
in the Software without restriction, including without limitation the rights
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
copies of the Software, and to permit persons to whom the Software is
furnished to do so, subject to the following conditions:
The above copyright notice and this permission notice shall be included in
all copies or substantial portions of the Software.
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
THE SOFTWARE.
@popperjs/core
MIT
The MIT License (MIT)
Copyright (c) 2019 Federico Zivolo
Permission is hereby granted, free of charge, to any person obtaining a copy of
this software and associated documentation files (the "Software"), to deal in
the Software without restriction, including without limitation the rights to
use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of
the Software, and to permit persons to whom the Software is furnished to do so,
subject to the following conditions:
The above copyright notice and this permission notice shall be included in all
copies or substantial portions of the Software.
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS
FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR
COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER
IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN
CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.
@sweetalert2/ngx-sweetalert2
bootstrap
MIT
The MIT License (MIT)
Copyright (c) 2011-2024 The Bootstrap Authors
Permission is hereby granted, free of charge, to any person obtaining a copy
of this software and associated documentation files (the "Software"), to deal
in the Software without restriction, including without limitation the rights
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
copies of the Software, and to permit persons to whom the Software is
furnished to do so, subject to the following conditions:
The above copyright notice and this permission notice shall be included in
all copies or substantial portions of the Software.
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
THE SOFTWARE.
rxjs
Apache-2.0
Apache License
Version 2.0, January 2004
http://www.apache.org/licenses/
TERMS AND CONDITIONS FOR USE, REPRODUCTION, AND DISTRIBUTION
1. Definitions.
"License" shall mean the terms and conditions for use, reproduction,
and distribution as defined by Sections 1 through 9 of this document.
"Licensor" shall mean the copyright owner or entity authorized by
the copyright owner that is granting the License.
"Legal Entity" shall mean the union of the acting entity and all
other entities that control, are controlled by, or are under common
control with that entity. For the purposes of this definition,
"control" means (i) the power, direct or indirect, to cause the
direction or management of such entity, whether by contract or
otherwise, or (ii) ownership of fifty percent (50%) or more of the
outstanding shares, or (iii) beneficial ownership of such entity.
"You" (or "Your") shall mean an individual or Legal Entity
exercising permissions granted by this License.
"Source" form shall mean the preferred form for making modifications,
including but not limited to software source code, documentation
source, and configuration files.
"Object" form shall mean any form resulting from mechanical
transformation or translation of a Source form, including but
not limited to compiled object code, generated documentation,
and conversions to other media types.
"Work" shall mean the work of authorship, whether in Source or
Object form, made available under the License, as indicated by a
copyright notice that is included in or attached to the work
(an example is provided in the Appendix below).
"Derivative Works" shall mean any work, whether in Source or Object
form, that is based on (or derived from) the Work and for which the
editorial revisions, annotations, elaborations, or other modifications
represent, as a whole, an original work of authorship. For the purposes
of this License, Derivative Works shall not include works that remain
separable from, or merely link (or bind by name) to the interfaces of,
the Work and Derivative Works thereof.
"Contribution" shall mean any work of authorship, including
the original version of the Work and any modifications or additions
to that Work or Derivative Works thereof, that is intentionally
submitted to Licensor for inclusion in the Work by the copyright owner
or by an individual or Legal Entity authorized to submit on behalf of
the copyright owner. For the purposes of this definition, "submitted"
means any form of electronic, verbal, or written communication sent
to the Licensor or its representatives, including but not limited to
communication on electronic mailing lists, source code control systems,
and issue tracking systems that are managed by, or on behalf of, the
Licensor for the purpose of discussing and improving the Work, but
excluding communication that is conspicuously marked or otherwise
designated in writing by the copyright owner as "Not a Contribution."
"Contributor" shall mean Licensor and any individual or Legal Entity
on behalf of whom a Contribution has been received by Licensor and
subsequently incorporated within the Work.
2. Grant of Copyright License. Subject to the terms and conditions of
this License, each Contributor hereby grants to You a perpetual,
worldwide, non-exclusive, no-charge, royalty-free, irrevocable
copyright license to reproduce, prepare Derivative Works of,
publicly display, publicly perform, sublicense, and distribute the
Work and such Derivative Works in Source or Object form.
3. Grant of Patent License. Subject to the terms and conditions of
this License, each Contributor hereby grants to You a perpetual,
worldwide, non-exclusive, no-charge, royalty-free, irrevocable
(except as stated in this section) patent license to make, have made,
use, offer to sell, sell, import, and otherwise transfer the Work,
where such license applies only to those patent claims licensable
by such Contributor that are necessarily infringed by their
Contribution(s) alone or by combination of their Contribution(s)
with the Work to which such Contribution(s) was submitted. If You
institute patent litigation against any entity (including a
cross-claim or counterclaim in a lawsuit) alleging that the Work
or a Contribution incorporated within the Work constitutes direct
or contributory patent infringement, then any patent licenses
granted to You under this License for that Work shall terminate
as of the date such litigation is filed.
4. Redistribution. You may reproduce and distribute copies of the
Work or Derivative Works thereof in any medium, with or without
modifications, and in Source or Object form, provided that You
meet the following conditions:
(a) You must give any other recipients of the Work or
Derivative Works a copy of this License; and
(b) You must cause any modified files to carry prominent notices
stating that You changed the files; and
(c) You must retain, in the Source form of any Derivative Works
that You distribute, all copyright, patent, trademark, and
attribution notices from the Source form of the Work,
excluding those notices that do not pertain to any part of
the Derivative Works; and
(d) If the Work includes a "NOTICE" text file as part of its
distribution, then any Derivative Works that You distribute must
include a readable copy of the attribution notices contained
within such NOTICE file, excluding those notices that do not
pertain to any part of the Derivative Works, in at least one
of the following places: within a NOTICE text file distributed
as part of the Derivative Works; within the Source form or
documentation, if provided along with the Derivative Works; or,
within a display generated by the Derivative Works, if and
wherever such third-party notices normally appear. The contents
of the NOTICE file are for informational purposes only and
do not modify the License. You may add Your own attribution
notices within Derivative Works that You distribute, alongside
or as an addendum to the NOTICE text from the Work, provided
that such additional attribution notices cannot be construed
as modifying the License.
You may add Your own copyright statement to Your modifications and
may provide additional or different license terms and conditions
for use, reproduction, or distribution of Your modifications, or
for any such Derivative Works as a whole, provided Your use,
reproduction, and distribution of the Work otherwise complies with
the conditions stated in this License.
5. Submission of Contributions. Unless You explicitly state otherwise,
any Contribution intentionally submitted for inclusion in the Work
by You to the Licensor shall be under the terms and conditions of
this License, without any additional terms or conditions.
Notwithstanding the above, nothing herein shall supersede or modify
the terms of any separate license agreement you may have executed
with Licensor regarding such Contributions.
6. Trademarks. This License does not grant permission to use the trade
names, trademarks, service marks, or product names of the Licensor,
except as required for reasonable and customary use in describing the
origin of the Work and reproducing the content of the NOTICE file.
7. Disclaimer of Warranty. Unless required by applicable law or
agreed to in writing, Licensor provides the Work (and each
Contributor provides its Contributions) on an "AS IS" BASIS,
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or
implied, including, without limitation, any warranties or conditions
of TITLE, NON-INFRINGEMENT, MERCHANTABILITY, or FITNESS FOR A
PARTICULAR PURPOSE. You are solely responsible for determining the
appropriateness of using or redistributing the Work and assume any
risks associated with Your exercise of permissions under this License.
8. Limitation of Liability. In no event and under no legal theory,
whether in tort (including negligence), contract, or otherwise,
unless required by applicable law (such as deliberate and grossly
negligent acts) or agreed to in writing, shall any Contributor be
liable to You for damages, including any direct, indirect, special,
incidental, or consequential damages of any character arising as a
result of this License or out of the use or inability to use the
Work (including but not limited to damages for loss of goodwill,
work stoppage, computer failure or malfunction, or any and all
other commercial damages or losses), even if such Contributor
has been advised of the possibility of such damages.
9. Accepting Warranty or Additional Liability. While redistributing
the Work or Derivative Works thereof, You may choose to offer,
and charge a fee for, acceptance of support, warranty, indemnity,
or other liability obligations and/or rights consistent with this
License. However, in accepting such obligations, You may act only
on Your own behalf and on Your sole responsibility, not on behalf
of any other Contributor, and only if You agree to indemnify,
defend, and hold each Contributor harmless for any liability
incurred by, or claims asserted against, such Contributor by reason
of your accepting any such warranty or additional liability.
END OF TERMS AND CONDITIONS
APPENDIX: How to apply the Apache License to your work.
To apply the Apache License to your work, attach the following
boilerplate notice, with the fields enclosed by brackets "[]"
replaced with your own identifying information. (Don't include
the brackets!) The text should be enclosed in the appropriate
comment syntax for the file format. We also recommend that a
file or class name and description of purpose be included on the
same "printed page" as the copyright notice for easier
identification within third-party archives.
Copyright (c) 2015-2018 Google, Inc., Netflix, Inc., Microsoft Corp. and contributors
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
You may obtain a copy of the License at
http://www.apache.org/licenses/LICENSE-2.0
Unless required by applicable law or agreed to in writing, software
distributed under the License is distributed on an "AS IS" BASIS,
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
See the License for the specific language governing permissions and
limitations under the License.
sweetalert2
MIT
The MIT License (MIT)
Copyright (c) 2014 Tristan Edwards & Limon Monte
Permission is hereby granted, free of charge, to any person obtaining a copy
of this software and associated documentation files (the "Software"), to deal
in the Software without restriction, including without limitation the rights
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
copies of the Software, and to permit persons to whom the Software is
furnished to do so, subject to the following conditions:
The above copyright notice and this permission notice shall be included in all
copies or substantial portions of the Software.
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
SOFTWARE.
zone.js
MIT
The MIT License
Copyright (c) 2010-2023 Google LLC. https://angular.io/license
Permission is hereby granted, free of charge, to any person obtaining a copy
of this software and associated documentation files (the "Software"), to deal
in the Software without restriction, including without limitation the rights
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
copies of the Software, and to permit persons to whom the Software is
furnished to do so, subject to the following conditions:
The above copyright notice and this permission notice shall be included in
all copies or substantial portions of the Software.
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
THE SOFTWARE.

View File

@ -0,0 +1,7 @@
<?xml version="1.0" encoding="UTF-8"?>
<svg xmlns="http://www.w3.org/2000/svg" id="Ebene_1" viewBox="0 0 850 121.32">
<defs>
<style>.cls-1{fill:#fff;}</style>
</defs>
<path class="cls-1" d="m809.77,76.62h-8.94l3.51-28.73c.32-3.19.64-6.38.8-9.58h.32c.16,3.19.48,6.39.8,9.58l3.51,28.73h0Zm40.23,41.51l-28.73-114.94h-31.93l-28.73,114.94h35.12l1.6-14.37h15.96l1.6,14.37h35.12Zm-81.41-86.2l-3.19-28.74h-65.45l-3.19,28.74h19.16v86.2h33.52V31.93h19.16Zm-104.07,44.7h-8.94l3.51-28.73c.32-3.19.64-6.38.8-9.58h.32c.16,3.19.48,6.39.8,9.58l3.51,28.73h0Zm40.23,41.51l-28.73-114.94h-31.93l-28.73,114.94h35.12l1.6-14.37h15.96l1.6,14.37h35.12Zm-123.69-57.47c0,19.16-1.6,28.73-15.96,28.73V31.93c14.37,0,15.96,12.77,15.96,28.73m33.52,0c0-35.12-12.77-57.47-41.51-57.47h-41.51v114.94h39.91c30.33,0,43.1-20.75,43.1-57.47m-121.32,28.73h-25.54V3.19h-33.52v114.94h55.87l3.19-28.73h0Zm-105.68-12.77h-8.94l3.51-28.73c.32-3.19.64-6.38.8-9.58h.32c.16,3.19.48,6.39.8,9.58l3.51,28.73h0Zm40.23,41.51L399.07,3.19h-31.93l-28.74,114.94h35.12l1.6-14.37h15.96l1.6,14.37h35.12Zm-81.41-86.2l-3.19-28.74h-65.45l-3.19,28.74h19.16v86.2h33.52V31.93h19.16ZM268.18,3.19h-33.52v114.94h33.52V3.19h0Zm-44.7,94.19v-46.29h-39.91l-1.6,23.95h12.77v9.58c-3.19,4.79-6.39,7.98-12.77,7.98-7.98,0-12.77-11.17-12.77-31.93s4.79-31.93,12.77-31.93c6.86,0,11.33,5.75,12.77,14.37l28.73-6.39C218.7,15.96,207.52,0,181.98,0c-33.52,0-46.3,28.73-46.3,60.66s12.77,60.66,46.3,60.66c17.56,0,31.93-7.98,41.5-23.94M126.11,3.19h-33.52v114.94h33.52V3.19h0ZM49.49,60.66c0,19.16-1.6,28.73-15.96,28.73V31.93c14.37,0,15.96,12.77,15.96,28.73m33.52,0c0-35.12-12.77-57.47-41.51-57.47H0v114.94h39.91c30.33,0,43.1-20.75,43.1-57.47"></path>
</svg>

After

Width:  |  Height:  |  Size: 1.6 KiB

Binary file not shown.

After

Width:  |  Height:  |  Size: 190 KiB

View File

@ -0,0 +1,12 @@
<?xml version="1.0" encoding="UTF-8"?>
<svg id="Ebene_1" data-name="Ebene 1" xmlns="http://www.w3.org/2000/svg" viewBox="0 0 850 121.32">
<defs>
<style>
.cls-1 {
fill: #a52431;
stroke-width: 0px;
}
</style>
</defs>
<path class="cls-1" d="M83.01,60.66c0-35.12-12.77-57.47-41.51-57.47H0v114.94h39.91c30.33,0,43.1-20.75,43.1-57.47M49.49,60.66c0,19.16-1.6,28.73-15.96,28.73V31.93c14.37,0,15.96,12.77,15.96,28.73M126.11,3.19h-33.52v114.94h33.52V3.19ZM223.49,97.38v-46.29h-39.91l-1.6,23.95h12.77v9.58c-3.19,4.79-6.39,7.98-12.77,7.98-7.98,0-12.77-11.17-12.77-31.93s4.79-31.93,12.77-31.93c6.86,0,11.33,5.75,12.77,14.37l28.73-6.39C218.7,15.96,207.52,0,181.98,0c-33.52,0-46.29,28.73-46.29,60.66s12.77,60.66,46.29,60.66c17.56,0,31.93-7.98,41.51-23.94M268.18,3.19h-33.52v114.94h33.52V3.19ZM346.4,31.93l-3.19-28.74h-65.45l-3.19,28.74h19.16v86.2h33.52V31.93h19.16ZM427.81,118.13L399.07,3.19h-31.93l-28.73,114.94h35.12l1.6-14.37h15.96l1.6,14.37h35.12ZM387.58,76.62h-8.94l3.51-28.74c.32-3.19.64-6.38.8-9.58h.32c.16,3.19.48,6.38.8,9.58l3.51,28.74ZM493.26,89.4h-25.54V3.19h-33.52v114.94h55.87l3.19-28.74ZM614.58,60.66c0-35.12-12.77-57.47-41.51-57.47h-41.51v114.94h39.91c30.33,0,43.1-20.75,43.1-57.47M581.05,60.66c0,19.16-1.6,28.73-15.96,28.73V31.93c14.37,0,15.96,12.77,15.96,28.73M704.75,118.13l-28.73-114.94h-31.93l-28.74,114.94h35.12l1.6-14.37h15.96l1.6,14.37h35.12ZM664.52,76.62h-8.94l3.51-28.74c.32-3.19.64-6.38.8-9.58h.32c.16,3.19.48,6.38.8,9.58l3.51,28.74ZM768.59,31.93l-3.19-28.74h-65.45l-3.19,28.74h19.16v86.2h33.52V31.93h19.16ZM850,118.13l-28.73-114.94h-31.93l-28.73,114.94h35.12l1.6-14.37h15.96l1.6,14.37h35.12ZM809.77,76.62h-8.94l3.51-28.74c.32-3.19.64-6.38.8-9.58h.32c.16,3.19.48,6.38.8,9.58l3.51,28.74Z"/>
</svg>

After

Width:  |  Height:  |  Size: 1.7 KiB

View File

@ -0,0 +1,20 @@
<?xml version="1.0" encoding="UTF-8"?>
<svg id="Ebene_1" data-name="Ebene 1" xmlns="http://www.w3.org/2000/svg" viewBox="0 0 1100 200">
<defs>
<style>
.cls-1 {
fill: #a52431;
}
.cls-1, .cls-2 {
stroke-width: 0px;
}
.cls-2 {
fill: #fff;
}
</style>
</defs>
<rect class="cls-1" width="1100" height="200"/>
<path class="cls-2" d="M929.81,115.71h-8.94l3.51-28.74c.32-3.19.64-6.39.8-9.58h.32c.16,3.19.48,6.39.8,9.58l3.51,28.74ZM970.04,157.22l-28.73-114.94h-31.93l-28.73,114.94h35.12l1.6-14.37h15.96l1.6,14.37h35.12ZM888.63,71.02l-3.19-28.74h-65.45l-3.19,28.74h19.16v86.2h33.52v-86.2h19.16ZM784.56,115.71h-8.94l3.51-28.74c.32-3.19.64-6.39.8-9.58h.32c.16,3.19.48,6.39.8,9.58l3.51,28.74ZM824.79,157.22l-28.73-114.94h-31.93l-28.74,114.94h35.12l1.6-14.37h15.96l1.6,14.37h35.12ZM701.09,99.75c0,19.16-1.6,28.73-15.96,28.73v-57.47c14.37,0,15.96,12.77,15.96,28.73M734.62,99.75c0-35.12-12.77-57.47-41.51-57.47h-41.51v114.94h39.91c30.33,0,43.1-20.75,43.1-57.47M613.3,128.48h-25.54V42.28h-33.52v114.94h55.87l3.19-28.74ZM507.62,115.71h-8.94l3.51-28.74c.32-3.19.64-6.39.8-9.58h.32c.16,3.19.48,6.39.8,9.58l3.51,28.74ZM547.85,157.22l-28.73-114.94h-31.93l-28.73,114.94h35.12l1.6-14.37h15.96l1.6,14.37h35.12ZM466.44,71.02l-3.19-28.74h-65.45l-3.19,28.74h19.16v86.2h33.52v-86.2h19.16ZM388.22,42.28h-33.52v114.94h33.52V42.28ZM343.53,136.47v-46.29h-39.91l-1.6,23.94h12.77v9.58c-3.19,4.79-6.38,7.98-12.77,7.98-7.98,0-12.77-11.17-12.77-31.93s4.79-31.93,12.77-31.93c6.86,0,11.33,5.75,12.77,14.37l28.74-6.39c-4.79-20.75-15.96-36.72-41.51-36.72-33.52,0-46.29,28.73-46.29,60.66s12.77,60.66,46.29,60.66c17.56,0,31.93-7.98,41.51-23.94M246.15,42.28h-33.52v114.94h33.52V42.28ZM169.53,99.75c0,19.16-1.6,28.73-15.96,28.73v-57.47c14.37,0,15.96,12.77,15.96,28.73M203.05,99.75c0-35.12-12.77-57.47-41.51-57.47h-41.5v114.94h39.91c30.33,0,43.1-20.75,43.1-57.47"/>
</svg>

After

Width:  |  Height:  |  Size: 1.9 KiB

View File

@ -0,0 +1,17 @@
<svg xmlns="http://www.w3.org/2000/svg" class="bi" width="3em" height="2.5em" viewBox="0 0 488.6 488.6" stroke="#a9a8ad">
<style>
vertical-align: -.125em;
fill: currentColor;
</style>
<path opacity="0.4"
d="M480.9,333.2c-27.2-22.3-56.5-37.1-62.4-40c-0.7-0.3-1.1-1-1.1-1.8v-42.3c5.3-3.5,8.8-9.6,8.8-16.5v-43.9
c0-21.8-17.7-39.5-39.5-39.5H382h-4.7c-21.8,0-39.5,17.7-39.5,39.5v43.9c0,6.9,3.5,12.9,8.8,16.5v42.3c0,0.3-0.1,0.5-0.1,0.7
c8.3,5.7,17,12.1,25.5,19.1c9.9,8.2,15.6,20.2,15.6,33.2v35.3h101v-30.1C488.6,343.3,485.8,337.2,480.9,333.2z" />
<path opacity="0.5" d="M142,291.4v-42.3c5.3-3.5,8.8-9.6,8.8-16.5v-43.9c0-21.8-17.7-39.5-39.5-39.5h-4.7h-4.7c-21.8,0-39.5,17.7-39.5,39.5v43.9
c0,6.9,3.5,12.9,8.8,16.5v42.3c0,0.7-0.4,1.4-1.1,1.8c-6,2.9-35.3,17.7-62.4,40c-4.9,4-7.7,10.1-7.7,16.4v30.1h101v-35.3
c0-12.9,5.7-25,15.6-33.2c8.5-7,17.2-13.4,25.5-19.1C142.1,291.9,142,291.7,142,291.4z" />
<path opacity="0.5" d="M360.5,325.1c-31.9-26.2-66.3-43.6-73.4-47.1c-0.8-0.4-1.3-1.2-1.3-2.1v-49.7c6.2-4.2,10.4-11.3,10.4-19.3v-51.6
c0-25.6-20.8-46.4-46.4-46.4h-5.5h-5.5c-25.6,0-46.4,20.8-46.4,46.4v51.5c0,8.1,4.1,15.2,10.4,19.3v49.7c0,0.9-0.5,1.7-1.3,2.1
c-7,3.4-41.4,20.8-73.4,47.1c-5.8,4.7-9.1,11.8-9.1,19.3v35.3h108.9l10.8-49.3c-21.7-30.3,1.6-31.8,5.7-31.8l0,0l0,0
c4.1,0,27.4,1.5,5.7,31.8l10.8,49.3h108.9v-35.3C369.6,336.9,366.3,329.8,360.5,325.1z" />
</svg>

After

Width:  |  Height:  |  Size: 1.4 KiB

Some files were not shown because too many files have changed in this diff Show More