diff --git a/Api.Gateway/Api.Gateway.csproj b/Api.Gateway/Api.Gateway.csproj
new file mode 100644
index 00000000..2b9f3a93
--- /dev/null
+++ b/Api.Gateway/Api.Gateway.csproj
@@ -0,0 +1,12 @@
+
+
+
+ net8.0
+ enable
+ enable
+
+
+
+
+
+
diff --git a/Api.Gateway/LoadBalancer/WeightedRandom.cs b/Api.Gateway/LoadBalancer/WeightedRandom.cs
new file mode 100644
index 00000000..384781bb
--- /dev/null
+++ b/Api.Gateway/LoadBalancer/WeightedRandom.cs
@@ -0,0 +1,34 @@
+using Ocelot.LoadBalancer.Interfaces;
+using Ocelot.Responses;
+using Ocelot.Values;
+
+namespace Api.Gateway.LoadBalancer;
+
+///
+/// Балансировка случайным образом с весами
+///
+public class WeightedRandom : ILoadBalancer
+{
+ private readonly Func>> _services = null!;
+ private static readonly object _locker = new();
+
+ private readonly int[] _values = null!;
+
+ public string Type => nameof(WeightedRandom);
+ public WeightedRandom(Func>> services)
+ {
+ _services = services;
+ int[] frequencies = [1, 2, 3, 2, 1];
+ _values = [.. Enumerable.Range(1, 5).Zip(frequencies, (val, freq) => Enumerable.Repeat(val, freq)).SelectMany(x => x)];
+ }
+ public async Task> LeaseAsync(HttpContext httpContext)
+ {
+ var services = await _services.Invoke();
+ lock (_locker)
+ {
+ Random.Shared.Shuffle(_values);
+ return new OkResponse(services[_values.First()].HostAndPort);
+ }
+ }
+ public void Release(ServiceHostAndPort hostAndPort) { }
+}
\ No newline at end of file
diff --git a/Api.Gateway/Program.cs b/Api.Gateway/Program.cs
new file mode 100644
index 00000000..e468a527
--- /dev/null
+++ b/Api.Gateway/Program.cs
@@ -0,0 +1,20 @@
+using Api.Gateway.LoadBalancer;
+using Ocelot.DependencyInjection;
+using Ocelot.Middleware;
+
+var builder = WebApplication.CreateBuilder(args);
+
+builder.Configuration.AddJsonFile("ocelot.json", optional: false, reloadOnChange: true);
+builder.Services.AddOcelot()
+ .AddCustomLoadBalancer((_, _, dicoveryProvider) => new(dicoveryProvider.GetAsync));
+builder.Services.AddCors(options => options.AddDefaultPolicy(policy =>
+{
+ policy.WithOrigins("http://localhost:5127")
+ .WithMethods("GET")
+ .AllowAnyHeader();
+}));
+
+var app = builder.Build();
+app.UseCors();
+await app.UseOcelot();
+app.Run();
\ No newline at end of file
diff --git a/Api.Gateway/Properties/launchSettings.json b/Api.Gateway/Properties/launchSettings.json
new file mode 100644
index 00000000..3043431a
--- /dev/null
+++ b/Api.Gateway/Properties/launchSettings.json
@@ -0,0 +1,38 @@
+{
+ "$schema": "http://json.schemastore.org/launchsettings.json",
+ "iisSettings": {
+ "windowsAuthentication": false,
+ "anonymousAuthentication": true,
+ "iisExpress": {
+ "applicationUrl": "http://localhost:25431",
+ "sslPort": 44359
+ }
+ },
+ "profiles": {
+ "http": {
+ "commandName": "Project",
+ "dotnetRunMessages": true,
+ "launchBrowser": true,
+ "applicationUrl": "http://localhost:5190",
+ "environmentVariables": {
+ "ASPNETCORE_ENVIRONMENT": "Development"
+ }
+ },
+ "https": {
+ "commandName": "Project",
+ "dotnetRunMessages": true,
+ "launchBrowser": true,
+ "applicationUrl": "https://localhost:7034;http://localhost:5190",
+ "environmentVariables": {
+ "ASPNETCORE_ENVIRONMENT": "Development"
+ }
+ },
+ "IIS Express": {
+ "commandName": "IISExpress",
+ "launchBrowser": true,
+ "environmentVariables": {
+ "ASPNETCORE_ENVIRONMENT": "Development"
+ }
+ }
+ }
+}
diff --git a/Api.Gateway/appsettings.Development.json b/Api.Gateway/appsettings.Development.json
new file mode 100644
index 00000000..0c208ae9
--- /dev/null
+++ b/Api.Gateway/appsettings.Development.json
@@ -0,0 +1,8 @@
+{
+ "Logging": {
+ "LogLevel": {
+ "Default": "Information",
+ "Microsoft.AspNetCore": "Warning"
+ }
+ }
+}
diff --git a/Api.Gateway/appsettings.json b/Api.Gateway/appsettings.json
new file mode 100644
index 00000000..10f68b8c
--- /dev/null
+++ b/Api.Gateway/appsettings.json
@@ -0,0 +1,9 @@
+{
+ "Logging": {
+ "LogLevel": {
+ "Default": "Information",
+ "Microsoft.AspNetCore": "Warning"
+ }
+ },
+ "AllowedHosts": "*"
+}
diff --git a/Api.Gateway/ocelot.json b/Api.Gateway/ocelot.json
new file mode 100644
index 00000000..316d9207
--- /dev/null
+++ b/Api.Gateway/ocelot.json
@@ -0,0 +1,35 @@
+{
+ "Routes": [
+ {
+ "UpstreamPathTemplate": "/program-project",
+ "UpstreamHttpMethod": [ "GET" ],
+ "DownstreamHostAndPorts": [
+ {
+ "Host": "localhost",
+ "Port": 4440
+ },
+ {
+ "Host": "localhost",
+ "Port": 4441
+ },
+ {
+ "Host": "localhost",
+ "Port": 4442
+ },
+ {
+ "Host": "localhost",
+ "Port": 4443
+ },
+ {
+ "Host": "localhost",
+ "Port": 4444
+ }
+ ],
+ "DownstreamPathTemplate": "/program-project",
+ "DownstreamScheme": "https",
+ "LoadBalancerOptions": {
+ "Type": "WeightedRandom"
+ }
+ }
+ ]
+}
\ No newline at end of file
diff --git a/AspireApp1/AspireApp1.AppHost/AspireApp.AppHost.csproj b/AspireApp1/AspireApp1.AppHost/AspireApp.AppHost.csproj
new file mode 100644
index 00000000..d4f797cb
--- /dev/null
+++ b/AspireApp1/AspireApp1.AppHost/AspireApp.AppHost.csproj
@@ -0,0 +1,25 @@
+
+
+
+
+
+ Exe
+ net8.0
+ enable
+ enable
+ true
+ af866732-ee76-4a9f-b28a-2e8d52f5e153
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/AspireApp1/AspireApp1.AppHost/Program.cs b/AspireApp1/AspireApp1.AppHost/Program.cs
new file mode 100644
index 00000000..10e26118
--- /dev/null
+++ b/AspireApp1/AspireApp1.AppHost/Program.cs
@@ -0,0 +1,20 @@
+var builder = DistributedApplication.CreateBuilder(args);
+
+var cache = builder.AddRedis("project-cache")
+ .WithRedisInsight(containerName: "project-insight");
+
+var gateway = builder.AddProject("api-gateway");
+
+for (var i = 0; i < 5; i++)
+{
+ var service = builder.AddProject($"programproject-api-{i + 1}", launchProfileName: null)
+ .WithHttpsEndpoint(4440 + i)
+ .WithReference(cache, "RedisCache")
+ .WaitFor(cache);
+ gateway.WaitFor(service);
+}
+
+builder.AddProject("programproject-wasm")
+ .WaitFor(gateway);
+
+builder.Build().Run();
\ No newline at end of file
diff --git a/AspireApp1/AspireApp1.AppHost/Properties/launchSettings.json b/AspireApp1/AspireApp1.AppHost/Properties/launchSettings.json
new file mode 100644
index 00000000..600cd4a8
--- /dev/null
+++ b/AspireApp1/AspireApp1.AppHost/Properties/launchSettings.json
@@ -0,0 +1,29 @@
+{
+ "$schema": "https://json.schemastore.org/launchsettings.json",
+ "profiles": {
+ "https": {
+ "commandName": "Project",
+ "dotnetRunMessages": true,
+ "launchBrowser": true,
+ "applicationUrl": "https://localhost:17188;http://localhost:15202",
+ "environmentVariables": {
+ "ASPNETCORE_ENVIRONMENT": "Development",
+ "DOTNET_ENVIRONMENT": "Development",
+ "DOTNET_DASHBOARD_OTLP_ENDPOINT_URL": "https://localhost:21110",
+ "DOTNET_RESOURCE_SERVICE_ENDPOINT_URL": "https://localhost:22049"
+ }
+ },
+ "http": {
+ "commandName": "Project",
+ "dotnetRunMessages": true,
+ "launchBrowser": true,
+ "applicationUrl": "http://localhost:15202",
+ "environmentVariables": {
+ "ASPNETCORE_ENVIRONMENT": "Development",
+ "DOTNET_ENVIRONMENT": "Development",
+ "DOTNET_DASHBOARD_OTLP_ENDPOINT_URL": "http://localhost:19166",
+ "DOTNET_RESOURCE_SERVICE_ENDPOINT_URL": "http://localhost:20080"
+ }
+ }
+ }
+}
diff --git a/AspireApp1/AspireApp1.AppHost/appsettings.Development.json b/AspireApp1/AspireApp1.AppHost/appsettings.Development.json
new file mode 100644
index 00000000..0c208ae9
--- /dev/null
+++ b/AspireApp1/AspireApp1.AppHost/appsettings.Development.json
@@ -0,0 +1,8 @@
+{
+ "Logging": {
+ "LogLevel": {
+ "Default": "Information",
+ "Microsoft.AspNetCore": "Warning"
+ }
+ }
+}
diff --git a/AspireApp1/AspireApp1.AppHost/appsettings.json b/AspireApp1/AspireApp1.AppHost/appsettings.json
new file mode 100644
index 00000000..31c092aa
--- /dev/null
+++ b/AspireApp1/AspireApp1.AppHost/appsettings.json
@@ -0,0 +1,9 @@
+{
+ "Logging": {
+ "LogLevel": {
+ "Default": "Information",
+ "Microsoft.AspNetCore": "Warning",
+ "Aspire.Hosting.Dcp": "Warning"
+ }
+ }
+}
diff --git a/AspireApp1/AspireApp1.ServiceDefaults/AspireApp.ServiceDefaults.csproj b/AspireApp1/AspireApp1.ServiceDefaults/AspireApp.ServiceDefaults.csproj
new file mode 100644
index 00000000..6c036a13
--- /dev/null
+++ b/AspireApp1/AspireApp1.ServiceDefaults/AspireApp.ServiceDefaults.csproj
@@ -0,0 +1,22 @@
+
+
+
+ net8.0
+ enable
+ enable
+ true
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/AspireApp1/AspireApp1.ServiceDefaults/Extensions.cs b/AspireApp1/AspireApp1.ServiceDefaults/Extensions.cs
new file mode 100644
index 00000000..13151bf4
--- /dev/null
+++ b/AspireApp1/AspireApp1.ServiceDefaults/Extensions.cs
@@ -0,0 +1,119 @@
+using Microsoft.AspNetCore.Builder;
+using Microsoft.AspNetCore.Diagnostics.HealthChecks;
+using Microsoft.Extensions.DependencyInjection;
+using Microsoft.Extensions.Diagnostics.HealthChecks;
+using Microsoft.Extensions.Logging;
+using Microsoft.Extensions.ServiceDiscovery;
+using OpenTelemetry;
+using OpenTelemetry.Metrics;
+using OpenTelemetry.Trace;
+
+namespace Microsoft.Extensions.Hosting;
+
+// Adds common .NET Aspire services: service discovery, resilience, health checks, and OpenTelemetry.
+// This project should be referenced by each service project in your solution.
+// To learn more about using this project, see https://aka.ms/dotnet/aspire/service-defaults
+public static class Extensions
+{
+ public static TBuilder AddServiceDefaults(this TBuilder builder) where TBuilder : IHostApplicationBuilder
+ {
+ builder.ConfigureOpenTelemetry();
+
+ builder.AddDefaultHealthChecks();
+
+ builder.Services.AddServiceDiscovery();
+
+ builder.Services.ConfigureHttpClientDefaults(http =>
+ {
+ // Turn on resilience by default
+ http.AddStandardResilienceHandler();
+
+ // Turn on service discovery by default
+ http.AddServiceDiscovery();
+ });
+
+ // Uncomment the following to restrict the allowed schemes for service discovery.
+ // builder.Services.Configure(options =>
+ // {
+ // options.AllowedSchemes = ["https"];
+ // });
+
+ return builder;
+ }
+
+ public static TBuilder ConfigureOpenTelemetry(this TBuilder builder) where TBuilder : IHostApplicationBuilder
+ {
+ builder.Logging.AddOpenTelemetry(logging =>
+ {
+ logging.IncludeFormattedMessage = true;
+ logging.IncludeScopes = true;
+ });
+
+ builder.Services.AddOpenTelemetry()
+ .WithMetrics(metrics =>
+ {
+ metrics.AddAspNetCoreInstrumentation()
+ .AddHttpClientInstrumentation()
+ .AddRuntimeInstrumentation();
+ })
+ .WithTracing(tracing =>
+ {
+ tracing.AddSource(builder.Environment.ApplicationName)
+ .AddAspNetCoreInstrumentation()
+ // Uncomment the following line to enable gRPC instrumentation (requires the OpenTelemetry.Instrumentation.GrpcNetClient package)
+ //.AddGrpcClientInstrumentation()
+ .AddHttpClientInstrumentation();
+ });
+
+ builder.AddOpenTelemetryExporters();
+
+ return builder;
+ }
+
+ private static TBuilder AddOpenTelemetryExporters(this TBuilder builder) where TBuilder : IHostApplicationBuilder
+ {
+ var useOtlpExporter = !string.IsNullOrWhiteSpace(builder.Configuration["OTEL_EXPORTER_OTLP_ENDPOINT"]);
+
+ if (useOtlpExporter)
+ {
+ builder.Services.AddOpenTelemetry().UseOtlpExporter();
+ }
+
+ // Uncomment the following lines to enable the Azure Monitor exporter (requires the Azure.Monitor.OpenTelemetry.AspNetCore package)
+ //if (!string.IsNullOrEmpty(builder.Configuration["APPLICATIONINSIGHTS_CONNECTION_STRING"]))
+ //{
+ // builder.Services.AddOpenTelemetry()
+ // .UseAzureMonitor();
+ //}
+
+ return builder;
+ }
+
+ public static TBuilder AddDefaultHealthChecks(this TBuilder builder) where TBuilder : IHostApplicationBuilder
+ {
+ builder.Services.AddHealthChecks()
+ // Add a default liveness check to ensure app is responsive
+ .AddCheck("self", () => HealthCheckResult.Healthy(), ["live"]);
+
+ return builder;
+ }
+
+ public static WebApplication MapDefaultEndpoints(this WebApplication app)
+ {
+ // Adding health checks endpoints to applications in non-development environments has security implications.
+ // See https://aka.ms/dotnet/aspire/healthchecks for details before enabling these endpoints in non-development environments.
+ if (app.Environment.IsDevelopment())
+ {
+ // All health checks must pass for app to be considered ready to accept traffic after starting
+ app.MapHealthChecks("/health");
+
+ // Only health checks tagged with the "live" tag must pass for app to be considered alive
+ app.MapHealthChecks("/alive", new HealthCheckOptions
+ {
+ Predicate = r => r.Tags.Contains("live")
+ });
+ }
+
+ return app;
+ }
+}
diff --git a/Client.Wasm/Components/StudentCard.razor b/Client.Wasm/Components/StudentCard.razor
index 661f1181..461edfca 100644
--- a/Client.Wasm/Components/StudentCard.razor
+++ b/Client.Wasm/Components/StudentCard.razor
@@ -4,10 +4,10 @@
- Номер №X "Название лабораторной"
- Вариант №Х "Название варианта"
- Выполнена Фамилией Именем 65ХХ
- Ссылка на форк
+ Номер №2 "Балансировка"
+ Вариант №33 "Программный проект"
+ Выполнена Солдатовой Ксенией 6512
+ Ссылка на форк
diff --git a/Client.Wasm/Program.cs b/Client.Wasm/Program.cs
index a182a920..c8b49a5a 100644
--- a/Client.Wasm/Program.cs
+++ b/Client.Wasm/Program.cs
@@ -10,6 +10,7 @@
builder.RootComponents.Add("head::after");
builder.Services.AddScoped(sp => new HttpClient { BaseAddress = new Uri(builder.HostEnvironment.BaseAddress) });
+
builder.Services.AddBlazorise(options => { options.Immediate = true; })
.AddBootstrapProviders()
.AddFontAwesomeIcons();
diff --git a/Client.Wasm/Properties/launchSettings.json b/Client.Wasm/Properties/launchSettings.json
index 0d824ea7..547fa5e2 100644
--- a/Client.Wasm/Properties/launchSettings.json
+++ b/Client.Wasm/Properties/launchSettings.json
@@ -19,16 +19,6 @@
"ASPNETCORE_ENVIRONMENT": "Development"
}
},
- "https": {
- "commandName": "Project",
- "dotnetRunMessages": true,
- "launchBrowser": true,
- "inspectUri": "{wsProtocol}://{url.hostname}:{url.port}/_framework/debug/ws-proxy?browser={browserInspectUri}",
- "applicationUrl": "https://localhost:7282;http://localhost:5127",
- "environmentVariables": {
- "ASPNETCORE_ENVIRONMENT": "Development"
- }
- },
"IIS Express": {
"commandName": "IISExpress",
"launchBrowser": true,
diff --git a/Client.Wasm/wwwroot/appsettings.json b/Client.Wasm/wwwroot/appsettings.json
index d1fe7ab3..ad7d8ab4 100644
--- a/Client.Wasm/wwwroot/appsettings.json
+++ b/Client.Wasm/wwwroot/appsettings.json
@@ -5,6 +5,5 @@
"Microsoft.AspNetCore": "Warning"
}
},
- "AllowedHosts": "*",
- "BaseAddress": ""
+ "BaseAddress": "https://localhost:7034/program-project"
}
diff --git a/CloudDevelopment.sln b/CloudDevelopment.sln
index cb48241d..73dfd5b6 100644
--- a/CloudDevelopment.sln
+++ b/CloudDevelopment.sln
@@ -5,6 +5,14 @@ VisualStudioVersion = 17.14.36811.4
MinimumVisualStudioVersion = 10.0.40219.1
Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "Client.Wasm", "Client.Wasm\Client.Wasm.csproj", "{AE7EEA74-2FE0-136F-D797-854FD87E022A}"
EndProject
+Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "AspireApp.AppHost", "AspireApp1\AspireApp1.AppHost\AspireApp.AppHost.csproj", "{62336D73-9D19-4083-8710-E36C84C094E7}"
+EndProject
+Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "AspireApp.ServiceDefaults", "AspireApp1\AspireApp1.ServiceDefaults\AspireApp.ServiceDefaults.csproj", "{5685597E-AE0E-43C5-B825-CB2E000875B3}"
+EndProject
+Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "ServiceApi", "ServiceApi\ServiceApi.csproj", "{AB495A22-AE1C-4648-9B97-A4A41C27DA5F}"
+EndProject
+Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "Api.Gateway", "Api.Gateway\Api.Gateway.csproj", "{F2480B81-02E5-44AD-8E32-6611DDC94471}"
+EndProject
Global
GlobalSection(SolutionConfigurationPlatforms) = preSolution
Debug|Any CPU = Debug|Any CPU
@@ -15,6 +23,22 @@ Global
{AE7EEA74-2FE0-136F-D797-854FD87E022A}.Debug|Any CPU.Build.0 = Debug|Any CPU
{AE7EEA74-2FE0-136F-D797-854FD87E022A}.Release|Any CPU.ActiveCfg = Release|Any CPU
{AE7EEA74-2FE0-136F-D797-854FD87E022A}.Release|Any CPU.Build.0 = Release|Any CPU
+ {62336D73-9D19-4083-8710-E36C84C094E7}.Debug|Any CPU.ActiveCfg = Debug|Any CPU
+ {62336D73-9D19-4083-8710-E36C84C094E7}.Debug|Any CPU.Build.0 = Debug|Any CPU
+ {62336D73-9D19-4083-8710-E36C84C094E7}.Release|Any CPU.ActiveCfg = Release|Any CPU
+ {62336D73-9D19-4083-8710-E36C84C094E7}.Release|Any CPU.Build.0 = Release|Any CPU
+ {5685597E-AE0E-43C5-B825-CB2E000875B3}.Debug|Any CPU.ActiveCfg = Debug|Any CPU
+ {5685597E-AE0E-43C5-B825-CB2E000875B3}.Debug|Any CPU.Build.0 = Debug|Any CPU
+ {5685597E-AE0E-43C5-B825-CB2E000875B3}.Release|Any CPU.ActiveCfg = Release|Any CPU
+ {5685597E-AE0E-43C5-B825-CB2E000875B3}.Release|Any CPU.Build.0 = Release|Any CPU
+ {AB495A22-AE1C-4648-9B97-A4A41C27DA5F}.Debug|Any CPU.ActiveCfg = Debug|Any CPU
+ {AB495A22-AE1C-4648-9B97-A4A41C27DA5F}.Debug|Any CPU.Build.0 = Debug|Any CPU
+ {AB495A22-AE1C-4648-9B97-A4A41C27DA5F}.Release|Any CPU.ActiveCfg = Release|Any CPU
+ {AB495A22-AE1C-4648-9B97-A4A41C27DA5F}.Release|Any CPU.Build.0 = Release|Any CPU
+ {F2480B81-02E5-44AD-8E32-6611DDC94471}.Debug|Any CPU.ActiveCfg = Debug|Any CPU
+ {F2480B81-02E5-44AD-8E32-6611DDC94471}.Debug|Any CPU.Build.0 = Debug|Any CPU
+ {F2480B81-02E5-44AD-8E32-6611DDC94471}.Release|Any CPU.ActiveCfg = Release|Any CPU
+ {F2480B81-02E5-44AD-8E32-6611DDC94471}.Release|Any CPU.Build.0 = Release|Any CPU
EndGlobalSection
GlobalSection(SolutionProperties) = preSolution
HideSolutionNode = FALSE
diff --git a/ServiceApi/Entities/ProgramProject.cs b/ServiceApi/Entities/ProgramProject.cs
new file mode 100644
index 00000000..56e9435e
--- /dev/null
+++ b/ServiceApi/Entities/ProgramProject.cs
@@ -0,0 +1,66 @@
+using System.Text.Json.Serialization;
+
+namespace ServiceApi.Entities;
+
+public class ProgramProject
+{
+ ///
+ /// Идентификатор
+ ///
+ [JsonPropertyName("id")]
+ public required int Id { get; set; }
+
+ ///
+ /// Название проекта
+ ///
+ [JsonPropertyName("name")]
+ public required string Name { get; set; }
+
+ ///
+ /// Заказчик проекта
+ ///
+ [JsonPropertyName("customer")]
+ public required string Customer { get; set; }
+
+ ///
+ /// Менеджер проекта
+ ///
+ [JsonPropertyName("manager")]
+ public required string Manager { get; set; }
+
+ ///
+ /// Дата начала
+ ///
+ [JsonPropertyName("startDate")]
+ public required DateOnly StartDate { get; set; }
+
+ ///
+ /// Плановая дата завершения
+ ///
+ [JsonPropertyName("planEndDate")]
+ public required DateOnly PlanEndDate { get; set; }
+
+ ///
+ /// Фактическая дата завершения
+ ///
+ [JsonPropertyName("actualEndDate")]
+ public DateOnly? ActualEndDate { get; set; }
+
+ ///
+ /// Бюджет
+ ///
+ [JsonPropertyName("budget")]
+ public required decimal Budget { get; set; }
+
+ ///
+ /// Фактические затраты
+ ///
+ [JsonPropertyName("actualCost")]
+ public required decimal ActualCost { get; set; }
+
+ ///
+ /// Процент выполнения
+ ///
+ [JsonPropertyName("percentComplete")]
+ public required int PercentComplete { get; set; }
+}
\ No newline at end of file
diff --git a/ServiceApi/Generator/GeneratorService.cs b/ServiceApi/Generator/GeneratorService.cs
new file mode 100644
index 00000000..688518ee
--- /dev/null
+++ b/ServiceApi/Generator/GeneratorService.cs
@@ -0,0 +1,36 @@
+using ServiceApi.Entities;
+
+namespace ServiceApi.Generator;
+
+ ///
+ /// Служба для запуска usecase по обработке программных проектов
+ ///
+ /// Кэш
+ /// Логгер
+public class GeneratorService(IProgramProjectCache cache, ILogger logger) : IGeneratorService
+{
+ public async Task ProcessProgramProject(int id)
+ {
+ logger.LogInformation("Начало обработки программного проекта {id}", id);
+ try
+ {
+ logger.LogInformation("Попытка получить {id} программного проекта из кэша", id);
+ var programProject = await cache.GetProjectFromCache(id);
+ if (programProject != null)
+ {
+ logger.LogInformation("Программный проект {id} был найден в кэше", id);
+ return programProject;
+ }
+ logger.LogInformation("Программного проекта {id} нет в кэше. Создаем программный проект", id);
+ programProject = ProgramProjectGenerator.GenerateProgramProject(id);
+ logger.LogInformation("Сохраняем данные программного проекта {id} в кэш", id);
+ await cache.SaveProjectToCache(programProject);
+ return programProject;
+ }
+ catch (Exception ex)
+ {
+ logger.LogError(ex, "Произошла ошибка во время обработки программного проекта {id}.", id);
+ return null;
+ }
+ }
+}
diff --git a/ServiceApi/Generator/IGeneratorService.cs b/ServiceApi/Generator/IGeneratorService.cs
new file mode 100644
index 00000000..bbfd2433
--- /dev/null
+++ b/ServiceApi/Generator/IGeneratorService.cs
@@ -0,0 +1,17 @@
+using ServiceApi.Entities;
+
+namespace ServiceApi.Generator;
+
+///
+/// Интерфейс для запуска usecase по обработке программных проектов
+///
+public interface IGeneratorService
+{
+ ///
+ /// Обработка запроса на генерации программного проекта
+ ///
+ /// Идентификатор
+ /// Программный проект
+ public Task ProcessProgramProject(int id);
+
+}
diff --git a/ServiceApi/Generator/IProgramProjectCache.cs b/ServiceApi/Generator/IProgramProjectCache.cs
new file mode 100644
index 00000000..dd76e0f3
--- /dev/null
+++ b/ServiceApi/Generator/IProgramProjectCache.cs
@@ -0,0 +1,19 @@
+using ServiceApi.Entities;
+
+namespace ServiceApi.Generator;
+
+///
+/// Интерфейс для работы с кэшем проектов
+///
+public interface IProgramProjectCache
+{
+ ///
+ /// Получить проект из кэша по id
+ ///
+ Task GetProjectFromCache(int id);
+
+ ///
+ /// Сохранить проект в кэш
+ ///
+ Task SaveProjectToCache(ProgramProject programProject);
+}
diff --git a/ServiceApi/Generator/ProgramProjectCache.cs b/ServiceApi/Generator/ProgramProjectCache.cs
new file mode 100644
index 00000000..958e2246
--- /dev/null
+++ b/ServiceApi/Generator/ProgramProjectCache.cs
@@ -0,0 +1,47 @@
+using Microsoft.Extensions.Caching.Distributed;
+using System.Text.Json;
+using ServiceApi.Entities;
+
+namespace ServiceApi.Generator;
+
+public class ProgramProjectCache(IDistributedCache cache, IConfiguration configuration, ILogger logger) : IProgramProjectCache
+{
+ ///
+ /// Время инвализации кэша
+ ///
+ private readonly TimeSpan _cacheExpiration = int.TryParse(configuration["CacheExpiration"], out var sec)
+ ? TimeSpan.FromSeconds(sec)
+ : TimeSpan.FromSeconds(3600);
+
+ ///
+ /// Получить ПП из кэша по id
+ ///
+ /// Идентификатор ПП
+ /// Программный проект
+ public async Task GetProjectFromCache(int id)
+ {
+ var json = await cache.GetStringAsync(id.ToString());
+ if (string.IsNullOrEmpty(json))
+ {
+ logger.LogWarning("Не найден проект с {id} в кэше", id);
+ return null;
+ }
+ logger.LogInformation("Проект с {id} был найден в кэше", id);
+ return JsonSerializer.Deserialize(json);
+ }
+
+ ///
+ /// Кладет ПП в кэш
+ ///
+ /// Программный проект
+ public async Task SaveProjectToCache(ProgramProject programProject)
+ {
+ logger.LogInformation("Проект с {id} добавлен в кэш", programProject.Id);
+ var json = JsonSerializer.Serialize(programProject);
+ await cache.SetStringAsync(programProject.Id.ToString(), json,
+ new DistributedCacheEntryOptions
+ {
+ AbsoluteExpirationRelativeToNow = _cacheExpiration
+ });
+ }
+}
\ No newline at end of file
diff --git a/ServiceApi/Generator/ProgramProjectGenerator.cs b/ServiceApi/Generator/ProgramProjectGenerator.cs
new file mode 100644
index 00000000..97705815
--- /dev/null
+++ b/ServiceApi/Generator/ProgramProjectGenerator.cs
@@ -0,0 +1,43 @@
+using Bogus;
+using ServiceApi.Entities;
+
+namespace ServiceApi.Generator;
+
+///
+/// Генератор программных проектов со случайными свойствами
+///
+public static class ProgramProjectGenerator
+{
+ private static readonly Faker _faker = new Faker("ru")
+ .RuleFor(o => o.Name, f =>
+ f.Lorem.Word() + " " +
+ f.Hacker.Abbreviation())
+ .RuleFor(o => o.Customer, f => f.Company.CompanyName())
+ .RuleFor(o => o.Manager, f => f.Name.FullName())
+ .RuleFor(o => o.StartDate, f => DateOnly.FromDateTime(f.Date.Past(3, DateTime.Now)))
+ .RuleFor(o => o.PlanEndDate, (f, o) => DateOnly.FromDateTime(f.Date.Future(3, o.StartDate.ToDateTime(TimeOnly.MinValue))))
+ .RuleFor(o => o.ActualEndDate, (f, o) =>
+ {
+ DateTime end = f.Date.Between(o.StartDate.ToDateTime(TimeOnly.MinValue), o.PlanEndDate.ToDateTime(TimeOnly.MinValue));
+ return end > DateTime.Now ? null : DateOnly.FromDateTime(end);
+ })
+ .RuleFor(o => o.Budget, f => Math.Round(f.Finance.Amount(100000, 10000000), 2))
+ .RuleFor(o => o.PercentComplete, (f, o) => o.ActualEndDate != null ? 100 : f.Random.Number(0, 99))
+ .RuleFor(o => o.ActualCost, (f, o) =>
+ {
+ var scatter = Convert.ToInt32(o.Budget) / 10;
+ return Math.Round((o.Budget - f.Finance.Amount(-scatter, scatter)) * o.PercentComplete / 100, 2);
+ });
+
+ ///
+ /// Метод генерации ПП
+ ///
+ /// Идентификатор ПП
+ /// Программный проект
+ public static ProgramProject GenerateProgramProject(int id)
+ {
+ var project = _faker.Generate();
+ project.Id = id;
+ return project;
+ }
+}
\ No newline at end of file
diff --git a/ServiceApi/Program.cs b/ServiceApi/Program.cs
new file mode 100644
index 00000000..ff866292
--- /dev/null
+++ b/ServiceApi/Program.cs
@@ -0,0 +1,15 @@
+using ServiceApi.Generator;
+
+var builder = WebApplication.CreateBuilder(args);
+
+builder.AddServiceDefaults();
+builder.AddRedisDistributedCache("RedisCache");
+
+builder.Services.AddScoped();
+builder.Services.AddScoped();
+
+var app = builder.Build();
+app.MapDefaultEndpoints();
+
+app.MapGet("/program-project", (IGeneratorService service, int id) => service.ProcessProgramProject(id));
+app.Run();
diff --git a/ServiceApi/Properties/launchSettings.json b/ServiceApi/Properties/launchSettings.json
new file mode 100644
index 00000000..5492340d
--- /dev/null
+++ b/ServiceApi/Properties/launchSettings.json
@@ -0,0 +1,13 @@
+{
+ "profiles": {
+ "http": {
+ "commandName": "Project",
+ "dotnetRunMessages": true,
+ "launchBrowser": true,
+ "applicationUrl": "https://localhost:5000",
+ "environmentVariables": {
+ "ASPNETCORE_ENVIRONMENT": "Development"
+ }
+ }
+ }
+}
diff --git a/ServiceApi/ServiceApi.csproj b/ServiceApi/ServiceApi.csproj
new file mode 100644
index 00000000..18478303
--- /dev/null
+++ b/ServiceApi/ServiceApi.csproj
@@ -0,0 +1,17 @@
+
+
+
+ net8.0
+ enable
+ enable
+
+
+
+
+
+
+
+
+
+
+
diff --git a/ServiceApi/appsettings.Development.json b/ServiceApi/appsettings.Development.json
new file mode 100644
index 00000000..0c208ae9
--- /dev/null
+++ b/ServiceApi/appsettings.Development.json
@@ -0,0 +1,8 @@
+{
+ "Logging": {
+ "LogLevel": {
+ "Default": "Information",
+ "Microsoft.AspNetCore": "Warning"
+ }
+ }
+}
diff --git a/ServiceApi/appsettings.json b/ServiceApi/appsettings.json
new file mode 100644
index 00000000..10f68b8c
--- /dev/null
+++ b/ServiceApi/appsettings.json
@@ -0,0 +1,9 @@
+{
+ "Logging": {
+ "LogLevel": {
+ "Default": "Information",
+ "Microsoft.AspNetCore": "Warning"
+ }
+ },
+ "AllowedHosts": "*"
+}