Compare commits
1 Commits
Author | SHA1 | Date | |
---|---|---|---|
7ec02499a6 |
1
.github/FUNDING.yml
vendored
1
.github/FUNDING.yml
vendored
@ -1 +0,0 @@
|
|||||||
ko_fi: raidmax
|
|
26
.gitignore
vendored
26
.gitignore
vendored
@ -220,31 +220,7 @@ Thumbs.db
|
|||||||
DEPLOY
|
DEPLOY
|
||||||
global.min.css
|
global.min.css
|
||||||
global.min.js
|
global.min.js
|
||||||
bootstrap-custom.min.css
|
|
||||||
bootstrap-custom.css
|
bootstrap-custom.css
|
||||||
|
bootstrap-custom.min.css
|
||||||
**/Master/static
|
**/Master/static
|
||||||
**/Master/dev_env
|
**/Master/dev_env
|
||||||
/WebfrontCore/Views/Plugins/*
|
|
||||||
/WebfrontCore/wwwroot/**/dds
|
|
||||||
/WebfrontCore/wwwroot/images/radar/*
|
|
||||||
|
|
||||||
/DiscordWebhook/env
|
|
||||||
/DiscordWebhook/config.dev.json
|
|
||||||
/GameLogServer/env
|
|
||||||
launchSettings.json
|
|
||||||
/VpnDetectionPrivate.js
|
|
||||||
/Plugins/ScriptPlugins/VpnDetectionPrivate.js
|
|
||||||
**/Master/env_master
|
|
||||||
/GameLogServer/log_env
|
|
||||||
**/*.css
|
|
||||||
/Master/master/persistence
|
|
||||||
/WebfrontCore/wwwroot/fonts
|
|
||||||
/WebfrontCore/wwwroot/font
|
|
||||||
/Plugins/Tests/TestSourceFiles
|
|
||||||
/Tests/ApplicationTests/Files/GameEvents.json
|
|
||||||
/Tests/ApplicationTests/Files/replay.json
|
|
||||||
/GameLogServer/game_log_server_env
|
|
||||||
.idea/*
|
|
||||||
*.db
|
|
||||||
/Data/IW4MAdmin_Migration.db-shm
|
|
||||||
/Data/IW4MAdmin_Migration.db-wal
|
|
||||||
|
75
Application/API/EventAPI.cs
Normal file
75
Application/API/EventAPI.cs
Normal file
@ -0,0 +1,75 @@
|
|||||||
|
using System;
|
||||||
|
using System.Collections.Generic;
|
||||||
|
|
||||||
|
using SharedLibraryCore;
|
||||||
|
using SharedLibraryCore.Dtos;
|
||||||
|
using SharedLibraryCore.Interfaces;
|
||||||
|
using SharedLibraryCore.Objects;
|
||||||
|
|
||||||
|
namespace IW4MAdmin.Application.API
|
||||||
|
{
|
||||||
|
class EventApi : IEventApi
|
||||||
|
{
|
||||||
|
Queue<EventInfo> Events = new Queue<EventInfo>();
|
||||||
|
DateTime LastFlagEvent;
|
||||||
|
static string[] FlaggedMessageContains =
|
||||||
|
{
|
||||||
|
" wh ",
|
||||||
|
"hax",
|
||||||
|
"cheat",
|
||||||
|
" hack ",
|
||||||
|
"aim",
|
||||||
|
"wall",
|
||||||
|
"cheto",
|
||||||
|
"hak",
|
||||||
|
"bot"
|
||||||
|
};
|
||||||
|
int FlaggedMessageCount;
|
||||||
|
|
||||||
|
public Queue<EventInfo> GetEvents() => Events;
|
||||||
|
|
||||||
|
public void OnServerEvent(object sender, GameEvent E)
|
||||||
|
{
|
||||||
|
if (E.Type == GameEvent.EventType.Say && E.Origin.Level < Player.Permission.Trusted)
|
||||||
|
{
|
||||||
|
bool flaggedMessage = false;
|
||||||
|
foreach (string msg in FlaggedMessageContains)
|
||||||
|
flaggedMessage = flaggedMessage ? flaggedMessage : E.Data.ToLower().Contains(msg);
|
||||||
|
|
||||||
|
if (flaggedMessage)
|
||||||
|
FlaggedMessageCount++;
|
||||||
|
|
||||||
|
if (FlaggedMessageCount > 3)
|
||||||
|
{
|
||||||
|
if (Events.Count > 20)
|
||||||
|
Events.Dequeue();
|
||||||
|
|
||||||
|
FlaggedMessageCount = 0;
|
||||||
|
|
||||||
|
E.Owner.Broadcast(Utilities.CurrentLocalization.LocalizationIndex["GLOBAL_REPORT"]).Wait(5000);
|
||||||
|
Events.Enqueue(new EventInfo(
|
||||||
|
EventInfo.EventType.ALERT,
|
||||||
|
EventInfo.EventVersion.IW4MAdmin,
|
||||||
|
"Chat indicates there may be a cheater",
|
||||||
|
"Alert",
|
||||||
|
E.Owner.Hostname, ""));
|
||||||
|
}
|
||||||
|
|
||||||
|
if ((DateTime.UtcNow - LastFlagEvent).Minutes >= 3)
|
||||||
|
{
|
||||||
|
FlaggedMessageCount = 0;
|
||||||
|
LastFlagEvent = DateTime.Now;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
if (E.Type == GameEvent.EventType.Report)
|
||||||
|
{
|
||||||
|
Events.Enqueue(new EventInfo(
|
||||||
|
EventInfo.EventType.ALERT,
|
||||||
|
EventInfo.EventVersion.IW4MAdmin,
|
||||||
|
$"**{E.Origin.Name}** has reported **{E.Target.Name}** for: {E.Data.Trim()}",
|
||||||
|
E.Target.Name, E.Origin.Name, ""));
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
@ -1,12 +0,0 @@
|
|||||||
using System.Threading.Tasks;
|
|
||||||
using RestEase;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.API.GameLogServer
|
|
||||||
{
|
|
||||||
[Header("User-Agent", "IW4MAdmin-RestEase")]
|
|
||||||
public interface IGameLogServer
|
|
||||||
{
|
|
||||||
[Get("log/{path}/{key}")]
|
|
||||||
Task<LogInfo> Log([Path] string path, [Path] string key);
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,19 +0,0 @@
|
|||||||
using Newtonsoft.Json;
|
|
||||||
using System;
|
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.Text;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.API.GameLogServer
|
|
||||||
{
|
|
||||||
public class LogInfo
|
|
||||||
{
|
|
||||||
[JsonProperty("success")]
|
|
||||||
public bool Success { get; set; }
|
|
||||||
[JsonProperty("length")]
|
|
||||||
public int Length { get; set; }
|
|
||||||
[JsonProperty("data")]
|
|
||||||
public string Data { get; set; }
|
|
||||||
[JsonProperty("next_key")]
|
|
||||||
public string NextKey { get; set; }
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,43 +1,20 @@
|
|||||||
using System.Collections.Generic;
|
using System;
|
||||||
|
using System.Collections.Generic;
|
||||||
|
using System.Text;
|
||||||
using Newtonsoft.Json;
|
using Newtonsoft.Json;
|
||||||
using SharedLibraryCore.Helpers;
|
using RestEase;
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.API.Master
|
namespace IW4MAdmin.Application.API.Master
|
||||||
{
|
{
|
||||||
/// <summary>
|
|
||||||
/// Defines the structure of the IW4MAdmin instance for the master API
|
|
||||||
/// </summary>
|
|
||||||
public class ApiInstance
|
public class ApiInstance
|
||||||
{
|
{
|
||||||
/// <summary>
|
|
||||||
/// Unique ID of the instance
|
|
||||||
/// </summary>
|
|
||||||
[JsonProperty("id")]
|
[JsonProperty("id")]
|
||||||
public string Id { get; set; }
|
public string Id { get; set; }
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// Indicates how long the instance has been running
|
|
||||||
/// </summary>
|
|
||||||
[JsonProperty("uptime")]
|
[JsonProperty("uptime")]
|
||||||
public int Uptime { get; set; }
|
public int Uptime { get; set; }
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// Specifies the version of the instance
|
|
||||||
/// </summary>
|
|
||||||
[JsonProperty("version")]
|
[JsonProperty("version")]
|
||||||
[JsonConverter(typeof(BuildNumberJsonConverter))]
|
public float Version { get; set; }
|
||||||
public BuildNumber Version { get; set; }
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// List of servers the instance is monitoring
|
|
||||||
/// </summary>
|
|
||||||
[JsonProperty("servers")]
|
[JsonProperty("servers")]
|
||||||
public List<ApiServer> Servers { get; set; }
|
public List<ApiServer> Servers { get; set; }
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// Url IW4MAdmin is listening on
|
|
||||||
/// </summary>
|
|
||||||
[JsonProperty("webfront_url")]
|
|
||||||
public string WebfrontUrl { get; set; }
|
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
@ -8,13 +8,9 @@ namespace IW4MAdmin.Application.API.Master
|
|||||||
public class ApiServer
|
public class ApiServer
|
||||||
{
|
{
|
||||||
[JsonProperty("id")]
|
[JsonProperty("id")]
|
||||||
public long Id { get; set; }
|
public int Id { get; set; }
|
||||||
[JsonProperty("ip")]
|
|
||||||
public string IPAddress { get; set; }
|
|
||||||
[JsonProperty("port")]
|
[JsonProperty("port")]
|
||||||
public short Port { get; set; }
|
public short Port { get; set; }
|
||||||
[JsonProperty("version")]
|
|
||||||
public string Version { get; set; }
|
|
||||||
[JsonProperty("gametype")]
|
[JsonProperty("gametype")]
|
||||||
public string Gametype { get; set; }
|
public string Gametype { get; set; }
|
||||||
[JsonProperty("map")]
|
[JsonProperty("map")]
|
||||||
|
62
Application/API/Master/Heartbeat.cs
Normal file
62
Application/API/Master/Heartbeat.cs
Normal file
@ -0,0 +1,62 @@
|
|||||||
|
using System;
|
||||||
|
using System.Collections.Generic;
|
||||||
|
using System.Linq;
|
||||||
|
using System.Text;
|
||||||
|
using System.Threading.Tasks;
|
||||||
|
using RestEase;
|
||||||
|
using SharedLibraryCore;
|
||||||
|
|
||||||
|
namespace IW4MAdmin.Application.API.Master
|
||||||
|
{
|
||||||
|
public class HeartbeatState
|
||||||
|
{
|
||||||
|
public bool Connected { get; set; }
|
||||||
|
}
|
||||||
|
|
||||||
|
public class Heartbeat
|
||||||
|
{
|
||||||
|
public static async Task Send(ApplicationManager mgr, bool firstHeartbeat = false)
|
||||||
|
{
|
||||||
|
var api = Endpoint.Get();
|
||||||
|
|
||||||
|
if (firstHeartbeat)
|
||||||
|
{
|
||||||
|
var token = await api.Authenticate(new AuthenticationId()
|
||||||
|
{
|
||||||
|
Id = mgr.GetApplicationSettings().Configuration().Id
|
||||||
|
});
|
||||||
|
|
||||||
|
api.AuthorizationToken = $"Bearer {token.AccessToken}";
|
||||||
|
}
|
||||||
|
|
||||||
|
var instance = new ApiInstance()
|
||||||
|
{
|
||||||
|
Id = mgr.GetApplicationSettings().Configuration().Id,
|
||||||
|
Uptime = (int)(DateTime.UtcNow - mgr.StartTime).TotalSeconds,
|
||||||
|
Version = (float)Program.Version,
|
||||||
|
Servers = mgr.Servers.Select(s =>
|
||||||
|
new ApiServer()
|
||||||
|
{
|
||||||
|
ClientNum = s.ClientNum,
|
||||||
|
Game = s.GameName.ToString(),
|
||||||
|
Gametype = s.Gametype,
|
||||||
|
Hostname = s.Hostname,
|
||||||
|
Map = s.CurrentMap.Name,
|
||||||
|
MaxClientNum = s.MaxClients,
|
||||||
|
Id = s.GetHashCode(),
|
||||||
|
Port = (short)s.GetPort()
|
||||||
|
}).ToList()
|
||||||
|
};
|
||||||
|
|
||||||
|
if (firstHeartbeat)
|
||||||
|
{
|
||||||
|
var message = await api.AddInstance(instance);
|
||||||
|
}
|
||||||
|
|
||||||
|
else
|
||||||
|
{
|
||||||
|
var message = await api.UpdateInstance(instance.Id, instance);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
@ -1,10 +1,9 @@
|
|||||||
using System;
|
using System;
|
||||||
using System.Collections.Generic;
|
using System.Collections.Generic;
|
||||||
|
using System.Text;
|
||||||
using System.Threading.Tasks;
|
using System.Threading.Tasks;
|
||||||
using IW4MAdmin.Application.Misc;
|
|
||||||
using Newtonsoft.Json;
|
using Newtonsoft.Json;
|
||||||
using RestEase;
|
using RestEase;
|
||||||
using SharedLibraryCore.Helpers;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.API.Master
|
namespace IW4MAdmin.Application.API.Master
|
||||||
{
|
{
|
||||||
@ -23,12 +22,9 @@ namespace IW4MAdmin.Application.API.Master
|
|||||||
public class VersionInfo
|
public class VersionInfo
|
||||||
{
|
{
|
||||||
[JsonProperty("current-version-stable")]
|
[JsonProperty("current-version-stable")]
|
||||||
[JsonConverter(typeof(BuildNumberJsonConverter))]
|
public float CurrentVersionStable { get; set; }
|
||||||
public BuildNumber CurrentVersionStable { get; set; }
|
|
||||||
|
|
||||||
[JsonProperty("current-version-prerelease")]
|
[JsonProperty("current-version-prerelease")]
|
||||||
[JsonConverter(typeof(BuildNumberJsonConverter))]
|
public float CurrentVersionPrerelease { get; set; }
|
||||||
public BuildNumber CurrentVersionPrerelease { get; set; }
|
|
||||||
}
|
}
|
||||||
|
|
||||||
public class ResultMessage
|
public class ResultMessage
|
||||||
@ -37,16 +33,16 @@ namespace IW4MAdmin.Application.API.Master
|
|||||||
public string Message { get; set; }
|
public string Message { get; set; }
|
||||||
}
|
}
|
||||||
|
|
||||||
public class PluginSubscriptionContent
|
public class Endpoint
|
||||||
{
|
{
|
||||||
public string Content { get; set; }
|
#if !DEBUG
|
||||||
public PluginType Type { get; set; }
|
private static IMasterApi api = RestClient.For<IMasterApi>("http://api.raidmax.org:5000");
|
||||||
|
#else
|
||||||
|
private static IMasterApi api = RestClient.For<IMasterApi>("http://127.0.0.1");
|
||||||
|
#endif
|
||||||
|
public static IMasterApi Get() => api;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// Defines the capabilities of the master API
|
|
||||||
/// </summary>
|
|
||||||
[Header("User-Agent", "IW4MAdmin-RestEase")]
|
[Header("User-Agent", "IW4MAdmin-RestEase")]
|
||||||
public interface IMasterApi
|
public interface IMasterApi
|
||||||
{
|
{
|
||||||
@ -57,23 +53,18 @@ namespace IW4MAdmin.Application.API.Master
|
|||||||
Task<TokenId> Authenticate([Body] AuthenticationId Id);
|
Task<TokenId> Authenticate([Body] AuthenticationId Id);
|
||||||
|
|
||||||
[Post("instance/")]
|
[Post("instance/")]
|
||||||
[AllowAnyStatusCode]
|
Task<ResultMessage> AddInstance([Body] ApiInstance instance);
|
||||||
Task<Response<ResultMessage>> AddInstance([Body] ApiInstance instance);
|
|
||||||
|
|
||||||
[Put("instance/{id}")]
|
[Put("instance/{id}")]
|
||||||
[AllowAnyStatusCode]
|
Task<ResultMessage> UpdateInstance([Path] string id, [Body] ApiInstance instance);
|
||||||
Task<Response<ResultMessage>> UpdateInstance([Path] string id, [Body] ApiInstance instance);
|
|
||||||
|
|
||||||
[Get("version/{apiVersion}")]
|
[Get("version")]
|
||||||
Task<VersionInfo> GetVersion([Path] int apiVersion);
|
Task<VersionInfo> GetVersion();
|
||||||
|
|
||||||
[Get("localization")]
|
[Get("localization")]
|
||||||
Task<List<SharedLibraryCore.Localization.Layout>> GetLocalization();
|
Task<List<SharedLibraryCore.Localization.Layout>> GetLocalization();
|
||||||
|
|
||||||
[Get("localization/{languageTag}")]
|
[Get("localization/{languageTag}")]
|
||||||
Task<SharedLibraryCore.Localization.Layout> GetLocalization([Path("languageTag")] string languageTag);
|
Task<SharedLibraryCore.Localization.Layout> GetLocalization([Path("languageTag")] string languageTag);
|
||||||
|
|
||||||
[Get("plugin_subscriptions")]
|
|
||||||
Task<IEnumerable<PluginSubscriptionContent>> GetPluginSubscription([Query("instance_id")] Guid instanceId, [Query("subscription_id")] string subscription_id);
|
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
@ -2,15 +2,15 @@
|
|||||||
|
|
||||||
<PropertyGroup>
|
<PropertyGroup>
|
||||||
<OutputType>Exe</OutputType>
|
<OutputType>Exe</OutputType>
|
||||||
<TargetFramework>netcoreapp3.1</TargetFramework>
|
<TargetFramework>netcoreapp2.0</TargetFramework>
|
||||||
<MvcRazorExcludeRefAssembliesFromPublish>false</MvcRazorExcludeRefAssembliesFromPublish>
|
<MvcRazorExcludeRefAssembliesFromPublish>false</MvcRazorExcludeRefAssembliesFromPublish>
|
||||||
<PackageId>RaidMax.IW4MAdmin.Application</PackageId>
|
<PackageId>RaidMax.IW4MAdmin.Application</PackageId>
|
||||||
<Version>2020.0.0.0</Version>
|
<Version>2.1.0</Version>
|
||||||
<Authors>RaidMax</Authors>
|
<Authors>RaidMax</Authors>
|
||||||
<Company>Forever None</Company>
|
<Company>Forever None</Company>
|
||||||
<Product>IW4MAdmin</Product>
|
<Product>IW4MAdmin</Product>
|
||||||
<Description>IW4MAdmin is a complete server administration tool for IW4x and most Call of Duty® dedicated servers</Description>
|
<Description>IW4MAdmin is a complete server administration tool for IW4x and most Call of Duty® dedicated server</Description>
|
||||||
<Copyright>2020</Copyright>
|
<Copyright>2018</Copyright>
|
||||||
<PackageLicenseUrl>https://github.com/RaidMax/IW4M-Admin/blob/master/LICENSE</PackageLicenseUrl>
|
<PackageLicenseUrl>https://github.com/RaidMax/IW4M-Admin/blob/master/LICENSE</PackageLicenseUrl>
|
||||||
<PackageProjectUrl>https://raidmax.org/IW4MAdmin</PackageProjectUrl>
|
<PackageProjectUrl>https://raidmax.org/IW4MAdmin</PackageProjectUrl>
|
||||||
<RepositoryUrl>https://github.com/RaidMax/IW4M-Admin</RepositoryUrl>
|
<RepositoryUrl>https://github.com/RaidMax/IW4M-Admin</RepositoryUrl>
|
||||||
@ -20,63 +20,74 @@
|
|||||||
<Configurations>Debug;Release;Prerelease</Configurations>
|
<Configurations>Debug;Release;Prerelease</Configurations>
|
||||||
<Win32Resource />
|
<Win32Resource />
|
||||||
<RootNamespace>IW4MAdmin.Application</RootNamespace>
|
<RootNamespace>IW4MAdmin.Application</RootNamespace>
|
||||||
<PublishWithAspNetCoreTargetManifest>false</PublishWithAspNetCoreTargetManifest>
|
|
||||||
</PropertyGroup>
|
</PropertyGroup>
|
||||||
|
|
||||||
<ItemGroup>
|
<ItemGroup>
|
||||||
<PackageReference Include="Jint" Version="3.0.0-beta-1632" />
|
<PackageReference Include="RestEase" Version="1.4.5" />
|
||||||
<PackageReference Include="Microsoft.EntityFrameworkCore.Design" Version="3.1.10">
|
<PackageReference Include="System.Text.Encoding.CodePages" Version="4.4.0" />
|
||||||
<PrivateAssets>all</PrivateAssets>
|
|
||||||
<IncludeAssets>runtime; build; native; contentfiles; analyzers; buildtransitive</IncludeAssets>
|
|
||||||
</PackageReference>
|
|
||||||
<PackageReference Include="Microsoft.Extensions.DependencyInjection" Version="3.1.10" />
|
|
||||||
<PackageReference Include="RestEase" Version="1.5.1" />
|
|
||||||
<PackageReference Include="System.Text.Encoding.CodePages" Version="5.0.0" />
|
|
||||||
</ItemGroup>
|
</ItemGroup>
|
||||||
|
|
||||||
<PropertyGroup>
|
<PropertyGroup>
|
||||||
<ServerGarbageCollection>false</ServerGarbageCollection>
|
<ServerGarbageCollection>true</ServerGarbageCollection>
|
||||||
<ConcurrentGarbageCollection>true</ConcurrentGarbageCollection>
|
|
||||||
<TieredCompilation>true</TieredCompilation>
|
|
||||||
<LangVersion>Latest</LangVersion>
|
|
||||||
</PropertyGroup>
|
|
||||||
|
|
||||||
<PropertyGroup Condition="'$(Configuration)|$(Platform)'=='Prerelease|AnyCPU'">
|
|
||||||
<ErrorReport>none</ErrorReport>
|
|
||||||
<DebugType>full</DebugType>
|
|
||||||
<DebugSymbols>true</DebugSymbols>
|
|
||||||
</PropertyGroup>
|
</PropertyGroup>
|
||||||
|
|
||||||
<ItemGroup>
|
<ItemGroup>
|
||||||
<ProjectReference Include="..\Integrations\Cod\Integrations.Cod.csproj" />
|
|
||||||
<ProjectReference Include="..\Integrations\Source\Integrations.Source.csproj" />
|
|
||||||
<ProjectReference Include="..\SharedLibraryCore\SharedLibraryCore.csproj">
|
<ProjectReference Include="..\SharedLibraryCore\SharedLibraryCore.csproj">
|
||||||
<Private>true</Private>
|
<Private>true</Private>
|
||||||
</ProjectReference>
|
</ProjectReference>
|
||||||
<ProjectReference Include="..\WebfrontCore\WebfrontCore.csproj" />
|
<ProjectReference Include="..\WebfrontCore\WebfrontCore.csproj">
|
||||||
|
<Private>true</Private>
|
||||||
|
<CopyLocalSatelliteAssemblies>true</CopyLocalSatelliteAssemblies>
|
||||||
|
</ProjectReference>
|
||||||
|
</ItemGroup>
|
||||||
|
|
||||||
|
<ItemGroup>
|
||||||
|
<Compile Update="Properties\IW4MAdmin.en-US.Designer.cs">
|
||||||
|
<DesignTime>True</DesignTime>
|
||||||
|
<AutoGen>True</AutoGen>
|
||||||
|
<DependentUpon>IW4MAdmin.en-US.resx</DependentUpon>
|
||||||
|
</Compile>
|
||||||
|
</ItemGroup>
|
||||||
|
|
||||||
|
<ItemGroup>
|
||||||
|
<EmbeddedResource Update="Properties\IW4MAdmin.en-US.resx">
|
||||||
|
<Generator>ResXFileCodeGenerator</Generator>
|
||||||
|
<LastGenOutput>IW4MAdmin.en-US.Designer.cs</LastGenOutput>
|
||||||
|
</EmbeddedResource>
|
||||||
</ItemGroup>
|
</ItemGroup>
|
||||||
|
|
||||||
<ItemGroup>
|
<ItemGroup>
|
||||||
<None Update="DefaultSettings.json">
|
<None Update="DefaultSettings.json">
|
||||||
<CopyToOutputDirectory>Always</CopyToOutputDirectory>
|
<CopyToOutputDirectory>Always</CopyToOutputDirectory>
|
||||||
</None>
|
</None>
|
||||||
<None Update="Configuration\LoggingConfiguration.json">
|
<None Update="Localization\IW4MAdmin.en-US.json">
|
||||||
<CopyToOutputDirectory>Always</CopyToOutputDirectory>
|
<CopyToOutputDirectory>PreserveNewest</CopyToOutputDirectory>
|
||||||
|
</None>
|
||||||
|
<None Update="Localization\IW4MAdmin.es-EC.json">
|
||||||
|
<CopyToOutputDirectory>PreserveNewest</CopyToOutputDirectory>
|
||||||
|
</None>
|
||||||
|
<None Update="Localization\IW4MAdmin.pt-BR.json">
|
||||||
|
<CopyToOutputDirectory>PreserveNewest</CopyToOutputDirectory>
|
||||||
|
</None>
|
||||||
|
<None Update="Localization\IW4MAdmin.ru-RU.json">
|
||||||
|
<CopyToOutputDirectory>PreserveNewest</CopyToOutputDirectory>
|
||||||
</None>
|
</None>
|
||||||
</ItemGroup>
|
</ItemGroup>
|
||||||
|
|
||||||
|
<ItemGroup>
|
||||||
|
<PackageReference Update="Microsoft.NETCore.App" Version="2.0.7" />
|
||||||
|
</ItemGroup>
|
||||||
|
|
||||||
<Target Name="PreBuild" BeforeTargets="PreBuildEvent">
|
<Target Name="PreBuild" BeforeTargets="PreBuildEvent">
|
||||||
<Exec Command="if $(ConfigurationName) == Debug call $(ProjectDir)BuildScripts\PreBuild.bat $(ProjectDir)..\ $(ProjectDir) $(TargetDir) $(OutDir)" />
|
<Exec Command="call $(ProjectDir)BuildScripts\PreBuild.bat $(SolutionDir) $(ProjectDir) $(TargetDir) $(OutDir)" />
|
||||||
</Target>
|
</Target>
|
||||||
|
|
||||||
<Target Name="PostBuild" AfterTargets="PostBuildEvent">
|
<Target Name="PostBuild" AfterTargets="PostBuildEvent">
|
||||||
<GetAssemblyIdentity AssemblyFiles="$(TargetPath)">
|
<Exec Command="call $(ProjectDir)BuildScripts\PostBuild.bat $(SolutionDir) $(ProjectDir) $(TargetDir) $(OutDir)" />
|
||||||
<Output TaskParameter="Assemblies" ItemName="CurrentAssembly" />
|
|
||||||
</GetAssemblyIdentity>
|
|
||||||
<Exec Command="if $(ConfigurationName) == Debug call $(ProjectDir)BuildScripts\PostBuild.bat $(ProjectDir)..\ $(ProjectDir) $(TargetDir) $(OutDir) %25(CurrentAssembly.Version)" />
|
|
||||||
</Target>
|
</Target>
|
||||||
|
|
||||||
<Target Name="PostPublish" AfterTargets="Publish">
|
<Target Name="PostPublish" AfterTargets="Publish">
|
||||||
<Exec Command="if $(ConfigurationName) == Debug call $(ProjectDir)BuildScripts\PostPublish.bat $(ProjectDir)..\ $(ProjectDir) $(TargetDir) $(ConfigurationName)" />
|
<Exec Command="call $(ProjectDir)BuildScripts\PostPublish.bat $(SolutionDir) $(ProjectDir) $(TargetDir) $(OutDir)" />
|
||||||
</Target>
|
</Target>
|
||||||
|
|
||||||
</Project>
|
</Project>
|
||||||
|
@ -1,696 +0,0 @@
|
|||||||
using IW4MAdmin.Application.EventParsers;
|
|
||||||
using IW4MAdmin.Application.Extensions;
|
|
||||||
using IW4MAdmin.Application.Misc;
|
|
||||||
using IW4MAdmin.Application.RConParsers;
|
|
||||||
using SharedLibraryCore;
|
|
||||||
using SharedLibraryCore.Commands;
|
|
||||||
using SharedLibraryCore.Configuration;
|
|
||||||
using SharedLibraryCore.Configuration.Validation;
|
|
||||||
using SharedLibraryCore.Database.Models;
|
|
||||||
using SharedLibraryCore.Exceptions;
|
|
||||||
using SharedLibraryCore.Helpers;
|
|
||||||
using SharedLibraryCore.Interfaces;
|
|
||||||
using SharedLibraryCore.Services;
|
|
||||||
using System;
|
|
||||||
using System.Collections;
|
|
||||||
using System.Collections.Concurrent;
|
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.Collections.Immutable;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Reflection;
|
|
||||||
using System.Text;
|
|
||||||
using System.Threading;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
using Data.Abstractions;
|
|
||||||
using Data.Context;
|
|
||||||
using IW4MAdmin.Application.Migration;
|
|
||||||
using Microsoft.Extensions.DependencyInjection;
|
|
||||||
using Microsoft.Extensions.Logging;
|
|
||||||
using Serilog.Context;
|
|
||||||
using SharedLibraryCore.Formatting;
|
|
||||||
using static SharedLibraryCore.GameEvent;
|
|
||||||
using ILogger = Microsoft.Extensions.Logging.ILogger;
|
|
||||||
using ObsoleteLogger = SharedLibraryCore.Interfaces.ILogger;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application
|
|
||||||
{
|
|
||||||
public class ApplicationManager : IManager
|
|
||||||
{
|
|
||||||
private readonly ConcurrentBag<Server> _servers;
|
|
||||||
public List<Server> Servers => _servers.OrderByDescending(s => s.ClientNum).ToList();
|
|
||||||
[Obsolete] public ObsoleteLogger Logger => _serviceProvider.GetRequiredService<ObsoleteLogger>();
|
|
||||||
public bool IsRunning { get; private set; }
|
|
||||||
public bool IsInitialized { get; private set; }
|
|
||||||
public DateTime StartTime { get; private set; }
|
|
||||||
public string Version => Assembly.GetEntryAssembly().GetName().Version.ToString();
|
|
||||||
|
|
||||||
public IList<IRConParser> AdditionalRConParsers { get; }
|
|
||||||
public IList<IEventParser> AdditionalEventParsers { get; }
|
|
||||||
public ITokenAuthentication TokenAuthenticator { get; }
|
|
||||||
public CancellationToken CancellationToken => _tokenSource.Token;
|
|
||||||
public string ExternalIPAddress { get; private set; }
|
|
||||||
public bool IsRestartRequested { get; private set; }
|
|
||||||
public IMiddlewareActionHandler MiddlewareActionHandler { get; }
|
|
||||||
public event EventHandler<GameEvent> OnGameEventExecuted;
|
|
||||||
private readonly List<IManagerCommand> _commands;
|
|
||||||
private readonly ILogger _logger;
|
|
||||||
private readonly List<MessageToken> MessageTokens;
|
|
||||||
private readonly ClientService ClientSvc;
|
|
||||||
readonly PenaltyService PenaltySvc;
|
|
||||||
public IConfigurationHandler<ApplicationConfiguration> ConfigHandler;
|
|
||||||
readonly IPageList PageList;
|
|
||||||
private readonly IMetaService _metaService;
|
|
||||||
private readonly TimeSpan _throttleTimeout = new TimeSpan(0, 1, 0);
|
|
||||||
private readonly CancellationTokenSource _tokenSource;
|
|
||||||
private readonly Dictionary<string, Task<IList>> _operationLookup = new Dictionary<string, Task<IList>>();
|
|
||||||
private readonly ITranslationLookup _translationLookup;
|
|
||||||
private readonly IConfigurationHandler<CommandConfiguration> _commandConfiguration;
|
|
||||||
private readonly IGameServerInstanceFactory _serverInstanceFactory;
|
|
||||||
private readonly IParserRegexFactory _parserRegexFactory;
|
|
||||||
private readonly IEnumerable<IRegisterEvent> _customParserEvents;
|
|
||||||
private readonly IEventHandler _eventHandler;
|
|
||||||
private readonly IScriptCommandFactory _scriptCommandFactory;
|
|
||||||
private readonly IMetaRegistration _metaRegistration;
|
|
||||||
private readonly IScriptPluginServiceResolver _scriptPluginServiceResolver;
|
|
||||||
private readonly IServiceProvider _serviceProvider;
|
|
||||||
private readonly ChangeHistoryService _changeHistoryService;
|
|
||||||
private readonly ApplicationConfiguration _appConfig;
|
|
||||||
public ConcurrentDictionary<long, GameEvent> ProcessingEvents { get; } = new ConcurrentDictionary<long, GameEvent>();
|
|
||||||
|
|
||||||
public ApplicationManager(ILogger<ApplicationManager> logger, IMiddlewareActionHandler actionHandler, IEnumerable<IManagerCommand> commands,
|
|
||||||
ITranslationLookup translationLookup, IConfigurationHandler<CommandConfiguration> commandConfiguration,
|
|
||||||
IConfigurationHandler<ApplicationConfiguration> appConfigHandler, IGameServerInstanceFactory serverInstanceFactory,
|
|
||||||
IEnumerable<IPlugin> plugins, IParserRegexFactory parserRegexFactory, IEnumerable<IRegisterEvent> customParserEvents,
|
|
||||||
IEventHandler eventHandler, IScriptCommandFactory scriptCommandFactory, IDatabaseContextFactory contextFactory, IMetaService metaService,
|
|
||||||
IMetaRegistration metaRegistration, IScriptPluginServiceResolver scriptPluginServiceResolver, ClientService clientService, IServiceProvider serviceProvider,
|
|
||||||
ChangeHistoryService changeHistoryService, ApplicationConfiguration appConfig, PenaltyService penaltyService)
|
|
||||||
{
|
|
||||||
MiddlewareActionHandler = actionHandler;
|
|
||||||
_servers = new ConcurrentBag<Server>();
|
|
||||||
MessageTokens = new List<MessageToken>();
|
|
||||||
ClientSvc = clientService;
|
|
||||||
PenaltySvc = penaltyService;
|
|
||||||
ConfigHandler = appConfigHandler;
|
|
||||||
StartTime = DateTime.UtcNow;
|
|
||||||
PageList = new PageList();
|
|
||||||
AdditionalEventParsers = new List<IEventParser>() { new BaseEventParser(parserRegexFactory, logger, _appConfig) };
|
|
||||||
AdditionalRConParsers = new List<IRConParser>() { new BaseRConParser(serviceProvider.GetRequiredService<ILogger<BaseRConParser>>(), parserRegexFactory) };
|
|
||||||
TokenAuthenticator = new TokenAuthentication();
|
|
||||||
_logger = logger;
|
|
||||||
_metaService = metaService;
|
|
||||||
_tokenSource = new CancellationTokenSource();
|
|
||||||
_commands = commands.ToList();
|
|
||||||
_translationLookup = translationLookup;
|
|
||||||
_commandConfiguration = commandConfiguration;
|
|
||||||
_serverInstanceFactory = serverInstanceFactory;
|
|
||||||
_parserRegexFactory = parserRegexFactory;
|
|
||||||
_customParserEvents = customParserEvents;
|
|
||||||
_eventHandler = eventHandler;
|
|
||||||
_scriptCommandFactory = scriptCommandFactory;
|
|
||||||
_metaRegistration = metaRegistration;
|
|
||||||
_scriptPluginServiceResolver = scriptPluginServiceResolver;
|
|
||||||
_serviceProvider = serviceProvider;
|
|
||||||
_changeHistoryService = changeHistoryService;
|
|
||||||
_appConfig = appConfig;
|
|
||||||
Plugins = plugins;
|
|
||||||
}
|
|
||||||
|
|
||||||
public IEnumerable<IPlugin> Plugins { get; }
|
|
||||||
|
|
||||||
public async Task ExecuteEvent(GameEvent newEvent)
|
|
||||||
{
|
|
||||||
ProcessingEvents.TryAdd(newEvent.Id, newEvent);
|
|
||||||
|
|
||||||
// the event has failed already
|
|
||||||
if (newEvent.Failed)
|
|
||||||
{
|
|
||||||
goto skip;
|
|
||||||
}
|
|
||||||
|
|
||||||
try
|
|
||||||
{
|
|
||||||
await newEvent.Owner.ExecuteEvent(newEvent);
|
|
||||||
|
|
||||||
// save the event info to the database
|
|
||||||
await _changeHistoryService.Add(newEvent);
|
|
||||||
}
|
|
||||||
|
|
||||||
catch (TaskCanceledException)
|
|
||||||
{
|
|
||||||
_logger.LogDebug("Received quit signal for event id {eventId}, so we are aborting early", newEvent.Id);
|
|
||||||
}
|
|
||||||
|
|
||||||
catch (OperationCanceledException)
|
|
||||||
{
|
|
||||||
_logger.LogDebug("Received quit signal for event id {eventId}, so we are aborting early", newEvent.Id);
|
|
||||||
}
|
|
||||||
|
|
||||||
// this happens if a plugin requires login
|
|
||||||
catch (AuthorizationException ex)
|
|
||||||
{
|
|
||||||
newEvent.FailReason = EventFailReason.Permission;
|
|
||||||
newEvent.Origin.Tell($"{Utilities.CurrentLocalization.LocalizationIndex["COMMAND_NOTAUTHORIZED"]} - {ex.Message}");
|
|
||||||
}
|
|
||||||
|
|
||||||
catch (NetworkException ex)
|
|
||||||
{
|
|
||||||
newEvent.FailReason = EventFailReason.Exception;
|
|
||||||
using (LogContext.PushProperty("Server", newEvent.Owner?.ToString()))
|
|
||||||
{
|
|
||||||
_logger.LogError(ex, ex.Message);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
catch (ServerException ex)
|
|
||||||
{
|
|
||||||
newEvent.FailReason = EventFailReason.Exception;
|
|
||||||
using (LogContext.PushProperty("Server", newEvent.Owner?.ToString()))
|
|
||||||
{
|
|
||||||
_logger.LogError(ex, ex.Message);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
catch (Exception ex)
|
|
||||||
{
|
|
||||||
newEvent.FailReason = EventFailReason.Exception;
|
|
||||||
Console.WriteLine(Utilities.CurrentLocalization.LocalizationIndex["SERVER_ERROR_EXCEPTION"].FormatExt(newEvent.Owner));
|
|
||||||
using (LogContext.PushProperty("Server", newEvent.Owner?.ToString()))
|
|
||||||
{
|
|
||||||
_logger.LogError(ex, "Unexpected exception");
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
skip:
|
|
||||||
if (newEvent.Type == EventType.Command && newEvent.ImpersonationOrigin == null)
|
|
||||||
{
|
|
||||||
var correlatedEvents =
|
|
||||||
ProcessingEvents.Values.Where(ev =>
|
|
||||||
ev.CorrelationId == newEvent.CorrelationId && ev.Id != newEvent.Id)
|
|
||||||
.ToList();
|
|
||||||
|
|
||||||
await Task.WhenAll(correlatedEvents.Select(ev =>
|
|
||||||
ev.WaitAsync(Utilities.DefaultCommandTimeout, CancellationToken)));
|
|
||||||
newEvent.Output.AddRange(correlatedEvents.SelectMany(ev => ev.Output));
|
|
||||||
|
|
||||||
foreach (var correlatedEvent in correlatedEvents)
|
|
||||||
{
|
|
||||||
ProcessingEvents.Remove(correlatedEvent.Id, out _);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
// we don't want to remove events that are correlated to command
|
|
||||||
if (ProcessingEvents.Values.ToList()?.Count(gameEvent => gameEvent.CorrelationId == newEvent.CorrelationId) == 1)
|
|
||||||
{
|
|
||||||
ProcessingEvents.Remove(newEvent.Id, out _);
|
|
||||||
}
|
|
||||||
|
|
||||||
// tell anyone waiting for the output that we're done
|
|
||||||
newEvent.Complete();
|
|
||||||
OnGameEventExecuted?.Invoke(this, newEvent);
|
|
||||||
}
|
|
||||||
|
|
||||||
public IList<Server> GetServers()
|
|
||||||
{
|
|
||||||
return Servers;
|
|
||||||
}
|
|
||||||
|
|
||||||
public IList<IManagerCommand> GetCommands()
|
|
||||||
{
|
|
||||||
return _commands;
|
|
||||||
}
|
|
||||||
|
|
||||||
public IReadOnlyList<IManagerCommand> Commands => _commands.ToImmutableList();
|
|
||||||
|
|
||||||
public async Task UpdateServerStates()
|
|
||||||
{
|
|
||||||
// store the server hash code and task for it
|
|
||||||
var runningUpdateTasks = new Dictionary<long, (Task task, CancellationTokenSource tokenSource, DateTime startTime)>();
|
|
||||||
|
|
||||||
while (!_tokenSource.IsCancellationRequested)
|
|
||||||
{
|
|
||||||
// select the server ids that have completed the update task
|
|
||||||
var serverTasksToRemove = runningUpdateTasks
|
|
||||||
.Where(ut => ut.Value.task.Status == TaskStatus.RanToCompletion ||
|
|
||||||
ut.Value.task.Status == TaskStatus.Canceled || // we want to cancel if a task takes longer than 5 minutes
|
|
||||||
ut.Value.task.Status == TaskStatus.Faulted || DateTime.Now - ut.Value.startTime > TimeSpan.FromMinutes(5))
|
|
||||||
.Select(ut => ut.Key)
|
|
||||||
.ToList();
|
|
||||||
|
|
||||||
// this is to prevent the log reader from starting before the initial
|
|
||||||
// query of players on the server
|
|
||||||
if (serverTasksToRemove.Count > 0)
|
|
||||||
{
|
|
||||||
IsInitialized = true;
|
|
||||||
}
|
|
||||||
|
|
||||||
// remove the update tasks as they have completed
|
|
||||||
foreach (var serverId in serverTasksToRemove.Where(serverId => runningUpdateTasks.ContainsKey(serverId)))
|
|
||||||
{
|
|
||||||
if (!runningUpdateTasks[serverId].tokenSource.Token.IsCancellationRequested)
|
|
||||||
{
|
|
||||||
runningUpdateTasks[serverId].tokenSource.Cancel();
|
|
||||||
}
|
|
||||||
|
|
||||||
runningUpdateTasks.Remove(serverId);
|
|
||||||
}
|
|
||||||
|
|
||||||
// select the servers where the tasks have completed
|
|
||||||
var serverIds = Servers.Select(s => s.EndPoint).Except(runningUpdateTasks.Select(r => r.Key)).ToList();
|
|
||||||
foreach (var server in Servers.Where(s => serverIds.Contains(s.EndPoint)))
|
|
||||||
{
|
|
||||||
var tokenSource = new CancellationTokenSource();
|
|
||||||
runningUpdateTasks.Add(server.EndPoint, (Task.Run(async () =>
|
|
||||||
{
|
|
||||||
try
|
|
||||||
{
|
|
||||||
if (runningUpdateTasks.ContainsKey(server.EndPoint))
|
|
||||||
{
|
|
||||||
await server.ProcessUpdatesAsync(_tokenSource.Token)
|
|
||||||
.WithWaitCancellation(runningUpdateTasks[server.EndPoint].tokenSource.Token);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
catch (Exception e)
|
|
||||||
{
|
|
||||||
using (LogContext.PushProperty("Server", server.ToString()))
|
|
||||||
{
|
|
||||||
_logger.LogError(e, "Failed to update status");
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
finally
|
|
||||||
{
|
|
||||||
server.IsInitialized = true;
|
|
||||||
}
|
|
||||||
}, tokenSource.Token), tokenSource, DateTime.Now));
|
|
||||||
}
|
|
||||||
|
|
||||||
try
|
|
||||||
{
|
|
||||||
await Task.Delay(ConfigHandler.Configuration().RConPollRate, _tokenSource.Token);
|
|
||||||
}
|
|
||||||
// if a cancellation is received, we want to return immediately after shutting down
|
|
||||||
catch
|
|
||||||
{
|
|
||||||
foreach (var server in Servers.Where(s => serverIds.Contains(s.EndPoint)))
|
|
||||||
{
|
|
||||||
await server.ProcessUpdatesAsync(_tokenSource.Token);
|
|
||||||
}
|
|
||||||
break;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
public async Task Init()
|
|
||||||
{
|
|
||||||
IsRunning = true;
|
|
||||||
ExternalIPAddress = await Utilities.GetExternalIP();
|
|
||||||
|
|
||||||
#region DATABASE
|
|
||||||
_logger.LogInformation("Beginning database migration sync");
|
|
||||||
Console.WriteLine(_translationLookup["MANAGER_MIGRATION_START"]);
|
|
||||||
await ContextSeed.Seed(_serviceProvider.GetRequiredService<IDatabaseContextFactory>(), _tokenSource.Token);
|
|
||||||
await DatabaseHousekeeping.RemoveOldRatings(_serviceProvider.GetRequiredService<IDatabaseContextFactory>(), _tokenSource.Token);
|
|
||||||
_logger.LogInformation("Finished database migration sync");
|
|
||||||
Console.WriteLine(_translationLookup["MANAGER_MIGRATION_END"]);
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
#region PLUGINS
|
|
||||||
foreach (var plugin in Plugins)
|
|
||||||
{
|
|
||||||
try
|
|
||||||
{
|
|
||||||
if (plugin is ScriptPlugin scriptPlugin)
|
|
||||||
{
|
|
||||||
await scriptPlugin.Initialize(this, _scriptCommandFactory, _scriptPluginServiceResolver);
|
|
||||||
scriptPlugin.Watcher.Changed += async (sender, e) =>
|
|
||||||
{
|
|
||||||
try
|
|
||||||
{
|
|
||||||
await scriptPlugin.Initialize(this, _scriptCommandFactory, _scriptPluginServiceResolver);
|
|
||||||
}
|
|
||||||
|
|
||||||
catch (Exception ex)
|
|
||||||
{
|
|
||||||
Console.WriteLine(Utilities.CurrentLocalization.LocalizationIndex["PLUGIN_IMPORTER_ERROR"].FormatExt(scriptPlugin.Name));
|
|
||||||
_logger.LogError(ex, "Could not properly load plugin {plugin}", scriptPlugin.Name);
|
|
||||||
}
|
|
||||||
};
|
|
||||||
}
|
|
||||||
|
|
||||||
else
|
|
||||||
{
|
|
||||||
await plugin.OnLoadAsync(this);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
catch (Exception ex)
|
|
||||||
{
|
|
||||||
_logger.LogError(ex, $"{_translationLookup["SERVER_ERROR_PLUGIN"]} {plugin.Name}");
|
|
||||||
}
|
|
||||||
}
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
#region CONFIG
|
|
||||||
// copy over default config if it doesn't exist
|
|
||||||
if (!_appConfig.Servers?.Any() ?? true)
|
|
||||||
{
|
|
||||||
var defaultConfig = new BaseConfigurationHandler<DefaultSettings>("DefaultSettings").Configuration();
|
|
||||||
//ConfigHandler.Set((ApplicationConfiguration)new ApplicationConfiguration().Generate());
|
|
||||||
//var newConfig = ConfigHandler.Configuration();
|
|
||||||
|
|
||||||
_appConfig.AutoMessages = defaultConfig.AutoMessages;
|
|
||||||
_appConfig.GlobalRules = defaultConfig.GlobalRules;
|
|
||||||
_appConfig.DisallowedClientNames = defaultConfig.DisallowedClientNames;
|
|
||||||
|
|
||||||
//if (newConfig.Servers == null)
|
|
||||||
{
|
|
||||||
ConfigHandler.Set(_appConfig);
|
|
||||||
_appConfig.Servers = new ServerConfiguration[1];
|
|
||||||
|
|
||||||
do
|
|
||||||
{
|
|
||||||
var serverConfig = new ServerConfiguration();
|
|
||||||
foreach (var parser in AdditionalRConParsers)
|
|
||||||
{
|
|
||||||
serverConfig.AddRConParser(parser);
|
|
||||||
}
|
|
||||||
|
|
||||||
foreach (var parser in AdditionalEventParsers)
|
|
||||||
{
|
|
||||||
serverConfig.AddEventParser(parser);
|
|
||||||
}
|
|
||||||
|
|
||||||
_appConfig.Servers = _appConfig.Servers.Where(_servers => _servers != null).Append((ServerConfiguration)serverConfig.Generate()).ToArray();
|
|
||||||
} while (Utilities.PromptBool(_translationLookup["SETUP_SERVER_SAVE"]));
|
|
||||||
|
|
||||||
await ConfigHandler.Save();
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
else
|
|
||||||
{
|
|
||||||
if (string.IsNullOrEmpty(_appConfig.Id))
|
|
||||||
{
|
|
||||||
_appConfig.Id = Guid.NewGuid().ToString();
|
|
||||||
await ConfigHandler.Save();
|
|
||||||
}
|
|
||||||
|
|
||||||
if (string.IsNullOrEmpty(_appConfig.WebfrontBindUrl))
|
|
||||||
{
|
|
||||||
_appConfig.WebfrontBindUrl = "http://0.0.0.0:1624";
|
|
||||||
await ConfigHandler.Save();
|
|
||||||
}
|
|
||||||
|
|
||||||
#pragma warning disable 618
|
|
||||||
if (_appConfig.Maps != null)
|
|
||||||
{
|
|
||||||
_appConfig.Maps = null;
|
|
||||||
}
|
|
||||||
|
|
||||||
if (_appConfig.QuickMessages != null)
|
|
||||||
{
|
|
||||||
_appConfig.QuickMessages = null;
|
|
||||||
}
|
|
||||||
#pragma warning restore 618
|
|
||||||
|
|
||||||
var validator = new ApplicationConfigurationValidator();
|
|
||||||
var validationResult = validator.Validate(_appConfig);
|
|
||||||
|
|
||||||
if (!validationResult.IsValid)
|
|
||||||
{
|
|
||||||
throw new ConfigurationException("MANAGER_CONFIGURATION_ERROR")
|
|
||||||
{
|
|
||||||
Errors = validationResult.Errors.Select(_error => _error.ErrorMessage).ToArray(),
|
|
||||||
ConfigurationFileName = ConfigHandler.FileName
|
|
||||||
};
|
|
||||||
}
|
|
||||||
|
|
||||||
foreach (var serverConfig in _appConfig.Servers)
|
|
||||||
{
|
|
||||||
ConfigurationMigration.ModifyLogPath020919(serverConfig);
|
|
||||||
|
|
||||||
if (serverConfig.RConParserVersion == null || serverConfig.EventParserVersion == null)
|
|
||||||
{
|
|
||||||
foreach (var parser in AdditionalRConParsers)
|
|
||||||
{
|
|
||||||
serverConfig.AddRConParser(parser);
|
|
||||||
}
|
|
||||||
|
|
||||||
foreach (var parser in AdditionalEventParsers)
|
|
||||||
{
|
|
||||||
serverConfig.AddEventParser(parser);
|
|
||||||
}
|
|
||||||
|
|
||||||
serverConfig.ModifyParsers();
|
|
||||||
}
|
|
||||||
await ConfigHandler.Save();
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
if (_appConfig.Servers.Length == 0)
|
|
||||||
{
|
|
||||||
throw new ServerException("A server configuration in IW4MAdminSettings.json is invalid");
|
|
||||||
}
|
|
||||||
|
|
||||||
Encoding.RegisterProvider(CodePagesEncodingProvider.Instance);
|
|
||||||
Utilities.EncodingType = Encoding.GetEncoding(!string.IsNullOrEmpty(_appConfig.CustomParserEncoding) ? _appConfig.CustomParserEncoding : "windows-1252");
|
|
||||||
|
|
||||||
foreach (var parser in AdditionalRConParsers)
|
|
||||||
{
|
|
||||||
if (!parser.Configuration.ColorCodeMapping.ContainsKey(ColorCodes.Accent.ToString()))
|
|
||||||
{
|
|
||||||
parser.Configuration.ColorCodeMapping.Add(ColorCodes.Accent.ToString(),
|
|
||||||
parser.Configuration.ColorCodeMapping.TryGetValue(_appConfig.IngameAccentColorKey, out var colorCode)
|
|
||||||
? colorCode
|
|
||||||
: "");
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
#region COMMANDS
|
|
||||||
if (await ClientSvc.HasOwnerAsync(_tokenSource.Token))
|
|
||||||
{
|
|
||||||
_commands.RemoveAll(_cmd => _cmd.GetType() == typeof(OwnerCommand));
|
|
||||||
}
|
|
||||||
|
|
||||||
List<IManagerCommand> commandsToAddToConfig = new List<IManagerCommand>();
|
|
||||||
var cmdConfig = _commandConfiguration.Configuration();
|
|
||||||
|
|
||||||
if (cmdConfig == null)
|
|
||||||
{
|
|
||||||
cmdConfig = new CommandConfiguration();
|
|
||||||
commandsToAddToConfig.AddRange(_commands);
|
|
||||||
}
|
|
||||||
|
|
||||||
else
|
|
||||||
{
|
|
||||||
var unsavedCommands = _commands.Where(_cmd => !cmdConfig.Commands.Keys.Contains(_cmd.CommandConfigNameForType()));
|
|
||||||
commandsToAddToConfig.AddRange(unsavedCommands);
|
|
||||||
}
|
|
||||||
|
|
||||||
// this is because I want to store the command prefix in IW4MAdminSettings, but can't easily
|
|
||||||
// inject it to all the places that need it
|
|
||||||
cmdConfig.CommandPrefix = _appConfig?.CommandPrefix ?? "!";
|
|
||||||
cmdConfig.BroadcastCommandPrefix = _appConfig?.BroadcastCommandPrefix ?? "@";
|
|
||||||
|
|
||||||
foreach (var cmd in commandsToAddToConfig)
|
|
||||||
{
|
|
||||||
if (cmdConfig.Commands.ContainsKey(cmd.CommandConfigNameForType()))
|
|
||||||
{
|
|
||||||
continue;
|
|
||||||
}
|
|
||||||
cmdConfig.Commands.Add(cmd.CommandConfigNameForType(),
|
|
||||||
new CommandProperties
|
|
||||||
{
|
|
||||||
Name = cmd.Name,
|
|
||||||
Alias = cmd.Alias,
|
|
||||||
MinimumPermission = cmd.Permission,
|
|
||||||
AllowImpersonation = cmd.AllowImpersonation,
|
|
||||||
SupportedGames = cmd.SupportedGames
|
|
||||||
});
|
|
||||||
}
|
|
||||||
|
|
||||||
_commandConfiguration.Set(cmdConfig);
|
|
||||||
await _commandConfiguration.Save();
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
_metaRegistration.Register();
|
|
||||||
|
|
||||||
#region CUSTOM_EVENTS
|
|
||||||
foreach (var customEvent in _customParserEvents.SelectMany(_events => _events.Events))
|
|
||||||
{
|
|
||||||
foreach (var parser in AdditionalEventParsers)
|
|
||||||
{
|
|
||||||
parser.RegisterCustomEvent(customEvent.Item1, customEvent.Item2, customEvent.Item3);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
Console.WriteLine(_translationLookup["MANAGER_COMMUNICATION_INFO"]);
|
|
||||||
await InitializeServers();
|
|
||||||
}
|
|
||||||
|
|
||||||
private async Task InitializeServers()
|
|
||||||
{
|
|
||||||
var config = ConfigHandler.Configuration();
|
|
||||||
int successServers = 0;
|
|
||||||
Exception lastException = null;
|
|
||||||
|
|
||||||
async Task Init(ServerConfiguration Conf)
|
|
||||||
{
|
|
||||||
try
|
|
||||||
{
|
|
||||||
// todo: this might not always be an IW4MServer
|
|
||||||
var ServerInstance = _serverInstanceFactory.CreateServer(Conf, this) as IW4MServer;
|
|
||||||
using (LogContext.PushProperty("Server", ServerInstance.ToString()))
|
|
||||||
{
|
|
||||||
_logger.LogInformation("Beginning server communication initialization");
|
|
||||||
await ServerInstance.Initialize();
|
|
||||||
|
|
||||||
_servers.Add(ServerInstance);
|
|
||||||
Console.WriteLine(Utilities.CurrentLocalization.LocalizationIndex["MANAGER_MONITORING_TEXT"].FormatExt(ServerInstance.Hostname.StripColors()));
|
|
||||||
_logger.LogInformation("Finishing initialization and now monitoring [{server}]", ServerInstance.Hostname, ServerInstance.ToString());
|
|
||||||
}
|
|
||||||
|
|
||||||
// add the start event for this server
|
|
||||||
var e = new GameEvent()
|
|
||||||
{
|
|
||||||
Type = EventType.Start,
|
|
||||||
Data = $"{ServerInstance.GameName} started",
|
|
||||||
Owner = ServerInstance
|
|
||||||
};
|
|
||||||
|
|
||||||
AddEvent(e);
|
|
||||||
successServers++;
|
|
||||||
}
|
|
||||||
|
|
||||||
catch (ServerException e)
|
|
||||||
{
|
|
||||||
Console.WriteLine(Utilities.CurrentLocalization.LocalizationIndex["SERVER_ERROR_UNFIXABLE"].FormatExt($"[{Conf.IPAddress}:{Conf.Port}]"));
|
|
||||||
using (LogContext.PushProperty("Server", $"{Conf.IPAddress}:{Conf.Port}"))
|
|
||||||
{
|
|
||||||
_logger.LogError(e, "Unexpected exception occurred during initialization");
|
|
||||||
}
|
|
||||||
lastException = e;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
await Task.WhenAll(config.Servers.Select(c => Init(c)).ToArray());
|
|
||||||
|
|
||||||
if (successServers == 0)
|
|
||||||
{
|
|
||||||
throw lastException;
|
|
||||||
}
|
|
||||||
|
|
||||||
if (successServers != config.Servers.Length)
|
|
||||||
{
|
|
||||||
if (!Utilities.PromptBool(Utilities.CurrentLocalization.LocalizationIndex["MANAGER_START_WITH_ERRORS"]))
|
|
||||||
{
|
|
||||||
throw lastException;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
public async Task Start() => await UpdateServerStates();
|
|
||||||
|
|
||||||
public void Stop()
|
|
||||||
{
|
|
||||||
_tokenSource.Cancel();
|
|
||||||
IsRunning = false;
|
|
||||||
}
|
|
||||||
|
|
||||||
public void Restart()
|
|
||||||
{
|
|
||||||
IsRestartRequested = true;
|
|
||||||
Stop();
|
|
||||||
}
|
|
||||||
|
|
||||||
[Obsolete]
|
|
||||||
public ObsoleteLogger GetLogger(long serverId)
|
|
||||||
{
|
|
||||||
return _serviceProvider.GetRequiredService<ObsoleteLogger>();
|
|
||||||
}
|
|
||||||
|
|
||||||
public IList<MessageToken> GetMessageTokens()
|
|
||||||
{
|
|
||||||
return MessageTokens;
|
|
||||||
}
|
|
||||||
|
|
||||||
public IList<EFClient> GetActiveClients()
|
|
||||||
{
|
|
||||||
// we're adding another to list here so we don't get a collection modified exception..
|
|
||||||
return _servers.SelectMany(s => s.Clients).ToList().Where(p => p != null).ToList();
|
|
||||||
}
|
|
||||||
|
|
||||||
public EFClient FindActiveClient(EFClient client) =>client.ClientNumber < 0 ?
|
|
||||||
GetActiveClients()
|
|
||||||
.FirstOrDefault(c => c.NetworkId == client.NetworkId) ?? client :
|
|
||||||
client;
|
|
||||||
|
|
||||||
public ClientService GetClientService()
|
|
||||||
{
|
|
||||||
return ClientSvc;
|
|
||||||
}
|
|
||||||
|
|
||||||
public PenaltyService GetPenaltyService()
|
|
||||||
{
|
|
||||||
return PenaltySvc;
|
|
||||||
}
|
|
||||||
|
|
||||||
public IConfigurationHandler<ApplicationConfiguration> GetApplicationSettings()
|
|
||||||
{
|
|
||||||
return ConfigHandler;
|
|
||||||
}
|
|
||||||
|
|
||||||
public void AddEvent(GameEvent gameEvent)
|
|
||||||
{
|
|
||||||
_eventHandler.HandleEvent(this, gameEvent);
|
|
||||||
}
|
|
||||||
|
|
||||||
public IPageList GetPageList()
|
|
||||||
{
|
|
||||||
return PageList;
|
|
||||||
}
|
|
||||||
|
|
||||||
public IRConParser GenerateDynamicRConParser(string name)
|
|
||||||
{
|
|
||||||
return new DynamicRConParser(_serviceProvider.GetRequiredService<ILogger<BaseRConParser>>(), _parserRegexFactory)
|
|
||||||
{
|
|
||||||
Name = name
|
|
||||||
};
|
|
||||||
}
|
|
||||||
|
|
||||||
public IEventParser GenerateDynamicEventParser(string name)
|
|
||||||
{
|
|
||||||
return new DynamicEventParser(_parserRegexFactory, _logger, ConfigHandler.Configuration())
|
|
||||||
{
|
|
||||||
Name = name
|
|
||||||
};
|
|
||||||
}
|
|
||||||
|
|
||||||
public async Task<IList<T>> ExecuteSharedDatabaseOperation<T>(string operationName)
|
|
||||||
{
|
|
||||||
var result = await _operationLookup[operationName];
|
|
||||||
return (IList<T>)result;
|
|
||||||
}
|
|
||||||
|
|
||||||
public void RegisterSharedDatabaseOperation(Task<IList> operation, string operationName)
|
|
||||||
{
|
|
||||||
_operationLookup.Add(operationName, operation);
|
|
||||||
}
|
|
||||||
|
|
||||||
public void AddAdditionalCommand(IManagerCommand command)
|
|
||||||
{
|
|
||||||
if (_commands.Any(_command => _command.Name == command.Name || _command.Alias == command.Alias))
|
|
||||||
{
|
|
||||||
throw new InvalidOperationException($"Duplicate command name or alias ({command.Name}, {command.Alias})");
|
|
||||||
}
|
|
||||||
|
|
||||||
_commands.Add(command);
|
|
||||||
}
|
|
||||||
|
|
||||||
public void RemoveCommandByName(string commandName) => _commands.RemoveAll(_command => _command.Name == commandName);
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,12 +0,0 @@
|
|||||||
param (
|
|
||||||
[string]$OutputDir = $(throw "-OutputDir is required.")
|
|
||||||
)
|
|
||||||
|
|
||||||
$localizations = @("en-US", "ru-RU", "es-EC", "pt-BR", "de-DE")
|
|
||||||
foreach($localization in $localizations)
|
|
||||||
{
|
|
||||||
$url = "http://api.raidmax.org:5000/localization/{0}" -f $localization
|
|
||||||
$filePath = "{0}Localization\IW4MAdmin.{1}.json" -f $OutputDir, $localization
|
|
||||||
$response = Invoke-WebRequest $url
|
|
||||||
Out-File -FilePath $filePath -InputObject $response.Content -Encoding utf8
|
|
||||||
}
|
|
@ -2,11 +2,10 @@ set SolutionDir=%1
|
|||||||
set ProjectDir=%2
|
set ProjectDir=%2
|
||||||
set TargetDir=%3
|
set TargetDir=%3
|
||||||
set OutDir=%4
|
set OutDir=%4
|
||||||
set Version=%5
|
|
||||||
|
|
||||||
echo Copying dependency configs
|
echo Copying dependency configs
|
||||||
copy "%SolutionDir%WebfrontCore\%OutDir%*.deps.json" "%TargetDir%"
|
copy "%SolutionDir%WebfrontCore\%OutDir%*.deps.json" "%TargetDir%"
|
||||||
copy "%SolutionDir%SharedLibraryCore\%OutDir%*.deps.json" "%TargetDir%"
|
copy "%SolutionDir%SharedLibaryCore\%OutDir%*.deps.json" "%TargetDir%"
|
||||||
|
|
||||||
if not exist "%TargetDir%Plugins" (
|
if not exist "%TargetDir%Plugins" (
|
||||||
echo "Making plugin dir"
|
echo "Making plugin dir"
|
||||||
@ -14,3 +13,8 @@ if not exist "%TargetDir%Plugins" (
|
|||||||
)
|
)
|
||||||
|
|
||||||
xcopy /y "%SolutionDir%Build\Plugins" "%TargetDir%Plugins\"
|
xcopy /y "%SolutionDir%Build\Plugins" "%TargetDir%Plugins\"
|
||||||
|
|
||||||
|
echo Copying plugins for publish
|
||||||
|
del %SolutionDir%BUILD\Plugins\Tests.dll
|
||||||
|
xcopy /Y "%SolutionDir%BUILD\Plugins" "%SolutionDir%Publish\Windows\Plugins\"
|
||||||
|
xcopy /Y "%SolutionDir%BUILD\Plugins" "%SolutionDir%Publish\WindowsPrerelease\Plugins\"
|
@ -1,45 +1,59 @@
|
|||||||
set PublishDir=%1
|
set SolutionDir=%1
|
||||||
set SourceDir=%2
|
set ProjectDir=%2
|
||||||
SET COPYCMD=/Y
|
set TargetDir=%3
|
||||||
|
|
||||||
echo deleting extra runtime files
|
echo Deleting extra language files
|
||||||
if exist "%PublishDir%\runtimes\linux-arm" powershell Remove-Item -Force -Recurse '%PublishDir%\runtimes\linux-arm'
|
|
||||||
if exist "%PublishDir%\runtimes\linux-arm64" powershell Remove-Item -Force -Recurse '%PublishDir%\runtimes\linux-arm64'
|
|
||||||
if exist "%PublishDir%\runtimes\linux-armel" powershell Remove-Item -Force -Recurse '%PublishDir%\runtimes\linux-armel'
|
|
||||||
if exist "%PublishDir%\runtimes\osx" powershell Remove-Item -Force -Recurse '%PublishDir%\runtimes\osx'
|
|
||||||
if exist "%PublishDir%\runtimes\osx-x64" powershell Remove-Item -Force -Recurse '%PublishDir%\runtimes\osx-x64'
|
|
||||||
if exist "%PublishDir%\runtimes\win-arm" powershell Remove-Item -Force -Recurse '%PublishDir%\runtimes\win-arm'
|
|
||||||
if exist "%PublishDir%\runtimes\win-arm64" powershell Remove-Item -Force -Recurse '%PublishDir%\runtimes\win-arm64'
|
|
||||||
if exist "%PublishDir%\runtimes\alpine-x64" powershell Remove-Item -Force -Recurse '%PublishDir%\runtimes\alpine-x64'
|
|
||||||
if exist "%PublishDir%\runtimes\linux-musl-x64" powershell Remove-Item -Force -Recurse '%PublishDir%\runtimes\linux-musl-x64'
|
|
||||||
|
|
||||||
echo deleting misc files
|
if exist "%SolutionDir%Publish\Windows\en-US\" powershell Remove-Item -Force -Recurse '%SolutionDir%Publish\Windows\en-US'
|
||||||
if exist "%PublishDir%\web.config" del "%PublishDir%\web.config"
|
if exist "%SolutionDir%Publish\Windows\de\" powershell Remove-Item -Force -Recurse '%SolutionDir%Publish\Windows\de'
|
||||||
if exist "%PublishDir%\libman.json" del "%PublishDir%\libman.json"
|
if exist "%SolutionDir%Publish\Windows\es\" powershell Remove-Item -Force -Recurse '%SolutionDir%Publish\Windows\es'
|
||||||
del "%PublishDir%\*.exe"
|
if exist "%SolutionDir%Publish\Windows\fr\" powershell Remove-Item -Force -Recurse '%SolutionDir%Publish\Windows\fr'
|
||||||
del "%PublishDir%\*.pdb"
|
if exist "%SolutionDir%Publish\Windows\it\" powershell Remove-Item -Force -Recurse '%SolutionDir%Publish\Windows\it'
|
||||||
|
if exist "%SolutionDir%Publish\Windows\ja\" powershell Remove-Item -Force -Recurse '%SolutionDir%Publish\Windows\ja'
|
||||||
|
if exist "%SolutionDir%Publish\Windows\ko\" powershell Remove-Item -Force -Recurse '%SolutionDir%Publish\Windows\ko'
|
||||||
|
if exist "%SolutionDir%Publish\Windows\ru\" powershell Remove-Item -Force -Recurse '%SolutionDir%Publish\Windows\ru'
|
||||||
|
if exist "%SolutionDir%Publish\Windows\zh-Hans\" powershell Remove-Item -Force -Recurse '%SolutionDir%Publish\Windows\zh-Hans'
|
||||||
|
if exist "%SolutionDir%Publish\Windows\zh-Hant\" powershell Remove-Item -Force -Recurse '%SolutionDir%Publish\Windows\zh-Hant'
|
||||||
|
|
||||||
echo setting up default folders
|
if exist "%SolutionDir%Publish\WindowsPrerelease\en-US\" powershell Remove-Item -Force -Recurse '%SolutionDir%Publish\WindowsPrerelease\en-US'
|
||||||
if not exist "%PublishDir%\Configuration" md "%PublishDir%\Configuration"
|
if exist "%SolutionDir%Publish\WindowsPrerelease\de\" powershell Remove-Item -Force -Recurse '%SolutionDir%Publish\WindowsPrerelease\de'
|
||||||
move "%PublishDir%\DefaultSettings.json" "%PublishDir%\Configuration\"
|
if exist "%SolutionDir%Publish\WindowsPrerelease\es\" powershell Remove-Item -Force -Recurse '%SolutionDir%Publish\WindowsPrerelease\es'
|
||||||
if not exist "%PublishDir%\Lib\" md "%PublishDir%\Lib\"
|
if exist "%SolutionDir%Publish\WindowsPrerelease\fr\" powershell Remove-Item -Force -Recurse '%SolutionDir%Publish\WindowsPrerelease\fr'
|
||||||
move "%PublishDir%\*.dll" "%PublishDir%\Lib\"
|
if exist "%SolutionDir%Publish\WindowsPrerelease\it\" powershell Remove-Item -Force -Recurse '%SolutionDir%Publish\WindowsPrerelease\it'
|
||||||
move "%PublishDir%\*.json" "%PublishDir%\Lib\"
|
if exist "%SolutionDir%Publish\WindowsPrerelease\ja\" powershell Remove-Item -Force -Recurse '%SolutionDir%Publish\WindowsPrerelease\ja'
|
||||||
move "%PublishDir%\runtimes" "%PublishDir%\Lib\runtimes"
|
if exist "%SolutionDir%Publish\WindowsPrerelease\ko\" powershell Remove-Item -Force -Recurse '%SolutionDir%Publish\WindowsPrerelease\ko'
|
||||||
move "%PublishDir%\ru" "%PublishDir%\Lib\ru"
|
if exist "%SolutionDir%Publish\WindowsPrerelease\ru\" powershell Remove-Item -Force -Recurse '%SolutionDir%Publish\WindowsPrerelease\ru'
|
||||||
move "%PublishDir%\de" "%PublishDir%\Lib\de"
|
if exist "%SolutionDir%Publish\WindowsPrerelease\zh-Hans\" powershell Remove-Item -Force -Recurse '%SolutionDir%Publish\WindowsPrerelease\zh-Hans'
|
||||||
move "%PublishDir%\pt" "%PublishDir%\Lib\pt"
|
if exist "%SolutionDir%Publish\WindowsPrerelease\zh-Hant\" powershell Remove-Item -Force -Recurse '%SolutionDir%Publish\WindowsPrerelease\zh-Hant'
|
||||||
move "%PublishDir%\es" "%PublishDir%\Lib\es"
|
|
||||||
if exist "%PublishDir%\refs" move "%PublishDir%\refs" "%PublishDir%\Lib\refs"
|
|
||||||
|
|
||||||
echo making start scripts
|
echo Deleting extra runtime files
|
||||||
@(echo @echo off && echo @title IW4MAdmin && echo set DOTNET_CLI_TELEMETRY_OPTOUT=1 && echo dotnet Lib\IW4MAdmin.dll && echo pause) > "%PublishDir%\StartIW4MAdmin.cmd"
|
if exist "%SolutionDir%Publish\Windows\runtimes\linux-arm" powershell Remove-Item -Force -Recurse '%SolutionDir%Publish\Windows\runtimes\linux-arm'
|
||||||
@(echo #!/bin/bash&& echo export DOTNET_CLI_TELEMETRY_OPTOUT=1&& echo dotnet Lib/IW4MAdmin.dll) > "%PublishDir%\StartIW4MAdmin.sh"
|
if exist "%SolutionDir%Publish\Windows\runtimes\linux-arm64" powershell Remove-Item -Force -Recurse '%SolutionDir%Publish\Windows\runtimes\linux-arm64'
|
||||||
|
if exist "%SolutionDir%Publish\Windows\runtimes\linux-armel" powershell Remove-Item -Force -Recurse '%SolutionDir%Publish\Windows\runtimes\linux-armel'
|
||||||
|
|
||||||
echo moving front-end library dependencies
|
if exist "%SolutionDir%Publish\Windows\runtimes\osx" powershell Remove-Item -Force -Recurse '%SolutionDir%Publish\Windows\runtimes\osx'
|
||||||
if not exist "%PublishDir%\wwwroot\font" mkdir "%PublishDir%\wwwroot\font"
|
if exist "%SolutionDir%Publish\Windows\runtimes\osx-x64" powershell Remove-Item -Force -Recurse '%SolutionDir%Publish\Windows\runtimes\osx-x64'
|
||||||
move "WebfrontCore\wwwroot\lib\open-iconic\font\fonts\*.*" "%PublishDir%\wwwroot\font\"
|
|
||||||
if exist "%PublishDir%\wwwroot\lib" rd /s /q "%PublishDir%\wwwroot\lib"
|
|
||||||
|
|
||||||
echo setting permissions...
|
if exist "%SolutionDir%Publish\Windows\runtimes\win-arm" powershell Remove-Item -Force -Recurse '%SolutionDir%Publish\Windows\runtimes\win-arm'
|
||||||
cacls "%PublishDir%" /t /e /p Everyone:F
|
if exist "%SolutionDir%Publish\Windows\runtimes\win-arm64" powershell Remove-Item -Force -Recurse '%SolutionDir%Publish\Windows\runtimes\win-arm64'
|
||||||
|
|
||||||
|
if exist "%SolutionDir%Publish\WindowsPrerelease\runtimes\linux-arm" powershell Remove-Item -Force -Recurse '%SolutionDir%Publish\WindowsPrerelease\runtimes\linux-arm'
|
||||||
|
if exist "%SolutionDir%Publish\WindowsPrerelease\runtimes\linux-arm64" powershell Remove-Item -Force -Recurse '%SolutionDir%Publish\WindowsPrerelease\runtimes\linux-arm64'
|
||||||
|
if exist "%SolutionDir%Publish\WindowsPrerelease\runtimes\linux-armel" powershell Remove-Item -Force -Recurse '%SolutionDir%Publish\WindowsPrerelease\runtimes\linux-armel'
|
||||||
|
|
||||||
|
if exist "%SolutionDir%Publish\WindowsPrerelease\runtimes\osx" powershell Remove-Item -Force -Recurse '%SolutionDir%Publish\WindowsPrerelease\runtimes\osx'
|
||||||
|
if exist "%SolutionDir%Publish\WindowsPrerelease\runtimes\osx-x64" powershell Remove-Item -Force -Recurse '%SolutionDir%Publish\WindowsPrerelease\runtimes\osx-x64'
|
||||||
|
|
||||||
|
if exist "%SolutionDir%Publish\WindowsPrerelease\runtimes\win-arm" powershell Remove-Item -Force -Recurse '%SolutionDir%Publish\WindowsPrerelease\runtimes\win-arm'
|
||||||
|
if exist "%SolutionDir%Publish\WindowsPrerelease\runtimes\win-arm64" powershell Remove-Item -Force -Recurse '%SolutionDir%Publish\WindowsPrerelease\runtimes\win-arm64'
|
||||||
|
|
||||||
|
echo Deleting misc files
|
||||||
|
if exist "%SolutionDir%Publish\Windows\web.config" del "%SolutionDir%Publish\Windows\web.config"
|
||||||
|
del "%SolutionDir%Publish\Windows\*pdb"
|
||||||
|
|
||||||
|
if exist "%SolutionDir%Publish\WindowsPrerelease\web.config" del "%SolutionDir%Publish\WindowsPrerelease\web.config"
|
||||||
|
del "%SolutionDir%Publish\WindowsPrerelease\*pdb"
|
||||||
|
|
||||||
|
echo making start script
|
||||||
|
@echo dotnet IW4MAdmin.dll > "%SolutionDir%Publish\WindowsPrerelease\StartIW4MAdmin.cmd"
|
||||||
|
@echo dotnet IW4MAdmin.dll > "%SolutionDir%Publish\Windows\StartIW4MAdmin.cmd"
|
||||||
|
@ -1,6 +1,3 @@
|
|||||||
set SolutionDir=%1
|
set SolutionDir=%1
|
||||||
set ProjectDir=%2
|
set ProjectDir=%2
|
||||||
set TargetDir=%3
|
set TargetDir=%3
|
||||||
|
|
||||||
echo D | xcopy "%SolutionDir%Plugins\ScriptPlugins\*.js" "%TargetDir%Plugins" /y
|
|
||||||
powershell -File "%ProjectDir%BuildScripts\DownloadTranslations.ps1" %TargetDir%
|
|
@ -1,59 +0,0 @@
|
|||||||
using System;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
using Data.Models.Client;
|
|
||||||
using SharedLibraryCore;
|
|
||||||
using SharedLibraryCore.Commands;
|
|
||||||
using SharedLibraryCore.Configuration;
|
|
||||||
using SharedLibraryCore.Interfaces;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.Commands
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// Finds player by name
|
|
||||||
/// </summary>
|
|
||||||
public class FindPlayerCommand : Command
|
|
||||||
{
|
|
||||||
public FindPlayerCommand(CommandConfiguration config, ITranslationLookup translationLookup) : base(config,
|
|
||||||
translationLookup)
|
|
||||||
{
|
|
||||||
Name = "find";
|
|
||||||
Description = _translationLookup["COMMANDS_FIND_DESC"];
|
|
||||||
Alias = "f";
|
|
||||||
Permission = EFClient.Permission.Administrator;
|
|
||||||
RequiresTarget = false;
|
|
||||||
Arguments = new[]
|
|
||||||
{
|
|
||||||
new CommandArgument()
|
|
||||||
{
|
|
||||||
Name = _translationLookup["COMMANDS_ARGS_PLAYER"],
|
|
||||||
Required = true
|
|
||||||
}
|
|
||||||
};
|
|
||||||
}
|
|
||||||
|
|
||||||
public override async Task ExecuteAsync(GameEvent gameEvent)
|
|
||||||
{
|
|
||||||
if (gameEvent.Data.Length < 3)
|
|
||||||
{
|
|
||||||
gameEvent.Origin.Tell(_translationLookup["COMMANDS_FIND_MIN"]);
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
var players = await gameEvent.Owner.Manager.GetClientService().FindClientsByIdentifier(gameEvent.Data);
|
|
||||||
|
|
||||||
if (!players.Any())
|
|
||||||
{
|
|
||||||
gameEvent.Origin.Tell(_translationLookup["COMMANDS_FIND_EMPTY"]);
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
foreach (var client in players)
|
|
||||||
{
|
|
||||||
gameEvent.Origin.Tell(_translationLookup["COMMANDS_FIND_FORMAT_V2"].FormatExt(client.Name,
|
|
||||||
client.ClientId, Utilities.ConvertLevelToColor((EFClient.Permission) client.LevelInt, client.Level),
|
|
||||||
client.IPAddress, (DateTime.UtcNow - client.LastConnection).HumanizeForCurrentCulture()));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,93 +0,0 @@
|
|||||||
using System;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Text;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
using Data.Models.Client;
|
|
||||||
using SharedLibraryCore;
|
|
||||||
using SharedLibraryCore.Commands;
|
|
||||||
using SharedLibraryCore.Configuration;
|
|
||||||
using SharedLibraryCore.Interfaces;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.Commands
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// Prints help information
|
|
||||||
/// </summary>
|
|
||||||
public class HelpCommand : Command
|
|
||||||
{
|
|
||||||
public HelpCommand(CommandConfiguration config, ITranslationLookup translationLookup) :
|
|
||||||
base(config, translationLookup)
|
|
||||||
{
|
|
||||||
Name = "help";
|
|
||||||
Description = translationLookup["COMMANDS_HELP_DESC"];
|
|
||||||
Alias = "h";
|
|
||||||
Permission = EFClient.Permission.User;
|
|
||||||
RequiresTarget = false;
|
|
||||||
Arguments = new[]
|
|
||||||
{
|
|
||||||
new CommandArgument
|
|
||||||
{
|
|
||||||
Name = translationLookup["COMMANDS_ARGS_COMMANDS"],
|
|
||||||
Required = false
|
|
||||||
}
|
|
||||||
};
|
|
||||||
}
|
|
||||||
|
|
||||||
public override Task ExecuteAsync(GameEvent gameEvent)
|
|
||||||
{
|
|
||||||
var searchTerm = gameEvent.Data.Trim();
|
|
||||||
var availableCommands = gameEvent.Owner.Manager.Commands.Distinct().Where(command =>
|
|
||||||
command.SupportedGames == null || !command.SupportedGames.Any() ||
|
|
||||||
command.SupportedGames.Contains(gameEvent.Owner.GameName))
|
|
||||||
.Where(command => gameEvent.Origin.Level >= command.Permission);
|
|
||||||
|
|
||||||
if (searchTerm.Length > 2)
|
|
||||||
{
|
|
||||||
var matchingCommand = availableCommands.FirstOrDefault(command =>
|
|
||||||
command.Name.Equals(searchTerm, StringComparison.InvariantCultureIgnoreCase) ||
|
|
||||||
command.Alias.Equals(searchTerm, StringComparison.InvariantCultureIgnoreCase));
|
|
||||||
|
|
||||||
if (matchingCommand != null)
|
|
||||||
{
|
|
||||||
gameEvent.Origin.Tell(_translationLookup["COMMANDS_HELP_SEARCH_RESULT"]
|
|
||||||
.FormatExt(matchingCommand.Name, matchingCommand.Alias));
|
|
||||||
gameEvent.Origin.Tell(matchingCommand.Syntax);
|
|
||||||
}
|
|
||||||
|
|
||||||
else
|
|
||||||
{
|
|
||||||
gameEvent.Origin.Tell(_translationLookup["COMMANDS_HELP_NOTFOUND"]);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
else
|
|
||||||
{
|
|
||||||
var commandStrings = availableCommands.Select((command, index) =>
|
|
||||||
new
|
|
||||||
{
|
|
||||||
response = $" {_translationLookup["COMMANDS_HELP_LIST_FORMAT"].FormatExt(command.Name)} ",
|
|
||||||
index
|
|
||||||
});
|
|
||||||
|
|
||||||
var helpResponse = new StringBuilder();
|
|
||||||
|
|
||||||
foreach (var item in commandStrings)
|
|
||||||
{
|
|
||||||
helpResponse.Append(item.response);
|
|
||||||
if (item.index == 0 || item.index % 4 != 0)
|
|
||||||
{
|
|
||||||
continue;
|
|
||||||
}
|
|
||||||
|
|
||||||
gameEvent.Origin.Tell(helpResponse.ToString());
|
|
||||||
helpResponse = new StringBuilder();
|
|
||||||
}
|
|
||||||
|
|
||||||
gameEvent.Origin.Tell(helpResponse.ToString());
|
|
||||||
gameEvent.Origin.Tell(_translationLookup["COMMANDS_HELP_MOREINFO"]);
|
|
||||||
}
|
|
||||||
|
|
||||||
return Task.CompletedTask;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,50 +0,0 @@
|
|||||||
using System;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
using Data.Models.Client;
|
|
||||||
using SharedLibraryCore;
|
|
||||||
using SharedLibraryCore.Configuration;
|
|
||||||
using SharedLibraryCore.Interfaces;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.Commands
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// Lists all unmasked admins
|
|
||||||
/// </summary>
|
|
||||||
public class ListAdminsCommand : Command
|
|
||||||
{
|
|
||||||
public ListAdminsCommand(CommandConfiguration config, ITranslationLookup translationLookup) : base(config,
|
|
||||||
translationLookup)
|
|
||||||
{
|
|
||||||
Name = "admins";
|
|
||||||
Description = _translationLookup["COMMANDS_ADMINS_DESC"];
|
|
||||||
Alias = "a";
|
|
||||||
Permission = EFClient.Permission.User;
|
|
||||||
RequiresTarget = false;
|
|
||||||
}
|
|
||||||
|
|
||||||
public static string OnlineAdmins(Server server, ITranslationLookup lookup)
|
|
||||||
{
|
|
||||||
var onlineAdmins = server.GetClientsAsList()
|
|
||||||
.Where(p => p.Level > EFClient.Permission.Flagged)
|
|
||||||
.Where(p => !p.Masked)
|
|
||||||
.Select(p =>
|
|
||||||
$"[(Color::Yellow){Utilities.ConvertLevelToColor(p.Level, p.ClientPermission.Name)}(Color::White)] {p.Name}")
|
|
||||||
.ToList();
|
|
||||||
|
|
||||||
return onlineAdmins.Any() ? string.Join(Environment.NewLine, onlineAdmins) : lookup["COMMANDS_ADMINS_NONE"];
|
|
||||||
}
|
|
||||||
|
|
||||||
public override Task ExecuteAsync(GameEvent gameEvent)
|
|
||||||
{
|
|
||||||
foreach (var line in OnlineAdmins(gameEvent.Owner, _translationLookup).Split(Environment.NewLine))
|
|
||||||
{
|
|
||||||
var _ = gameEvent.Message.IsBroadcastCommand(_config.BroadcastCommandPrefix)
|
|
||||||
? gameEvent.Owner.Broadcast(line)
|
|
||||||
: gameEvent.Origin.Tell(line);
|
|
||||||
}
|
|
||||||
|
|
||||||
return Task.CompletedTask;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,57 +0,0 @@
|
|||||||
using System.Collections.Generic;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Text;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
using Data.Models.Client;
|
|
||||||
using SharedLibraryCore;
|
|
||||||
using SharedLibraryCore.Commands;
|
|
||||||
using SharedLibraryCore.Configuration;
|
|
||||||
using SharedLibraryCore.Interfaces;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.Commands
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// Lists alises of specified client
|
|
||||||
/// </summary>
|
|
||||||
public class ListAliasesCommand : Command
|
|
||||||
{
|
|
||||||
public ListAliasesCommand(CommandConfiguration config, ITranslationLookup translationLookup) : base(config,
|
|
||||||
translationLookup)
|
|
||||||
{
|
|
||||||
Name = "alias";
|
|
||||||
Description = _translationLookup["COMMANDS_ALIAS_DESC"];
|
|
||||||
Alias = "known";
|
|
||||||
Permission = EFClient.Permission.Moderator;
|
|
||||||
RequiresTarget = true;
|
|
||||||
Arguments = new[]
|
|
||||||
{
|
|
||||||
new CommandArgument()
|
|
||||||
{
|
|
||||||
Name = _translationLookup["COMMANDS_ARGS_PLAYER"],
|
|
||||||
Required = true,
|
|
||||||
}
|
|
||||||
};
|
|
||||||
}
|
|
||||||
|
|
||||||
public override Task ExecuteAsync(GameEvent gameEvent)
|
|
||||||
{
|
|
||||||
var message = new StringBuilder();
|
|
||||||
var names = new List<string>(gameEvent.Target.AliasLink.Children.Select(a => a.Name));
|
|
||||||
var ips = new List<string>(gameEvent.Target.AliasLink.Children.Select(a => a.IPAddress.ConvertIPtoString())
|
|
||||||
.Distinct());
|
|
||||||
|
|
||||||
gameEvent.Origin.Tell($"[(Color::Accent){gameEvent.Target}(Color::White)]");
|
|
||||||
|
|
||||||
message.Append($"{_translationLookup["COMMANDS_ALIAS_ALIASES"]}: ");
|
|
||||||
message.Append(string.Join(" | ", names));
|
|
||||||
gameEvent.Origin.Tell(message.ToString());
|
|
||||||
|
|
||||||
message.Clear();
|
|
||||||
message.Append($"{_translationLookup["COMMANDS_ALIAS_IPS"]}: ");
|
|
||||||
message.Append(string.Join(" | ", ips));
|
|
||||||
gameEvent.Origin.Tell(message.ToString());
|
|
||||||
|
|
||||||
return Task.CompletedTask;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,37 +0,0 @@
|
|||||||
using System.Linq;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
using Data.Models.Client;
|
|
||||||
using SharedLibraryCore;
|
|
||||||
using SharedLibraryCore.Configuration;
|
|
||||||
using SharedLibraryCore.Interfaces;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.Commands
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// List online clients
|
|
||||||
/// </summary>
|
|
||||||
public class ListClientsCommand : Command
|
|
||||||
{
|
|
||||||
public ListClientsCommand(CommandConfiguration config, ITranslationLookup translationLookup) : base(config,
|
|
||||||
translationLookup)
|
|
||||||
{
|
|
||||||
Name = "list";
|
|
||||||
Description = _translationLookup["COMMANDS_LIST_DESC"];
|
|
||||||
Alias = "l";
|
|
||||||
Permission = EFClient.Permission.Moderator;
|
|
||||||
RequiresTarget = false;
|
|
||||||
}
|
|
||||||
|
|
||||||
public override Task ExecuteAsync(GameEvent gameEvent)
|
|
||||||
{
|
|
||||||
var clientList = gameEvent.Owner.GetClientsAsList()
|
|
||||||
.Select(client =>
|
|
||||||
$"[(Color::Accent){client.ClientPermission.Name}(Color::White){(string.IsNullOrEmpty(client.Tag) ? "" : $" {client.Tag}")}(Color::White)][(Color::Yellow)#{client.ClientNumber}(Color::White)] {client.Name}")
|
|
||||||
.ToArray();
|
|
||||||
|
|
||||||
gameEvent.Origin.Tell(clientList);
|
|
||||||
|
|
||||||
return Task.CompletedTask;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,41 +0,0 @@
|
|||||||
using System.Collections.Generic;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
using Data.Models.Client;
|
|
||||||
using SharedLibraryCore;
|
|
||||||
using SharedLibraryCore.Configuration;
|
|
||||||
using SharedLibraryCore.Interfaces;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.Commands
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// Lists the loaded plugins
|
|
||||||
/// </summary>
|
|
||||||
public class ListPluginsCommand : Command
|
|
||||||
{
|
|
||||||
private readonly IEnumerable<IPlugin> _plugins;
|
|
||||||
|
|
||||||
public ListPluginsCommand(CommandConfiguration config, ITranslationLookup translationLookup,
|
|
||||||
IEnumerable<IPlugin> plugins) : base(config, translationLookup)
|
|
||||||
{
|
|
||||||
Name = "plugins";
|
|
||||||
Description = _translationLookup["COMMANDS_PLUGINS_DESC"];
|
|
||||||
Alias = "p";
|
|
||||||
Permission = EFClient.Permission.Administrator;
|
|
||||||
RequiresTarget = false;
|
|
||||||
_plugins = plugins;
|
|
||||||
}
|
|
||||||
|
|
||||||
public override Task ExecuteAsync(GameEvent gameEvent)
|
|
||||||
{
|
|
||||||
gameEvent.Origin.Tell(_translationLookup["COMMANDS_PLUGINS_LOADED"]);
|
|
||||||
foreach (var plugin in _plugins.Where(plugin => !plugin.IsParser))
|
|
||||||
{
|
|
||||||
gameEvent.Origin.Tell(_translationLookup["COMMANDS_LIST_PLUGINS_FORMAT"]
|
|
||||||
.FormatExt(plugin.Name, plugin.Version, plugin.Author));
|
|
||||||
}
|
|
||||||
|
|
||||||
return Task.CompletedTask;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,59 +0,0 @@
|
|||||||
using System.Collections.Generic;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
using Data.Models.Client;
|
|
||||||
using SharedLibraryCore;
|
|
||||||
using SharedLibraryCore.Commands;
|
|
||||||
using SharedLibraryCore.Configuration;
|
|
||||||
using SharedLibraryCore.Helpers;
|
|
||||||
using SharedLibraryCore.Interfaces;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.Commands
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// List all reports on the server
|
|
||||||
/// </summary>
|
|
||||||
public class ListReportsCommand : Command
|
|
||||||
{
|
|
||||||
public ListReportsCommand(CommandConfiguration config, ITranslationLookup translationLookup) : base(config,
|
|
||||||
translationLookup)
|
|
||||||
{
|
|
||||||
Name = "reports";
|
|
||||||
Description = _translationLookup["COMMANDS_REPORTS_DESC"];
|
|
||||||
Alias = "reps";
|
|
||||||
Permission = EFClient.Permission.Moderator;
|
|
||||||
RequiresTarget = false;
|
|
||||||
Arguments = new[]
|
|
||||||
{
|
|
||||||
new CommandArgument
|
|
||||||
{
|
|
||||||
Name = _translationLookup["COMMANDS_ARGS_CLEAR"],
|
|
||||||
Required = false
|
|
||||||
}
|
|
||||||
};
|
|
||||||
}
|
|
||||||
|
|
||||||
public override Task ExecuteAsync(GameEvent gameEvent)
|
|
||||||
{
|
|
||||||
if (gameEvent.Data != null && gameEvent.Data.ToLower().Contains(_translationLookup["COMMANDS_ARGS_CLEAR"]))
|
|
||||||
{
|
|
||||||
gameEvent.Owner.Reports = new List<Report>();
|
|
||||||
gameEvent.Origin.Tell(_translationLookup["COMMANDS_REPORTS_CLEAR_SUCCESS"]);
|
|
||||||
return Task.CompletedTask;
|
|
||||||
}
|
|
||||||
|
|
||||||
if (gameEvent.Owner.Reports.Count < 1)
|
|
||||||
{
|
|
||||||
gameEvent.Origin.Tell(_translationLookup["COMMANDS_REPORTS_NONE"]);
|
|
||||||
return Task.CompletedTask;
|
|
||||||
}
|
|
||||||
|
|
||||||
foreach (var report in gameEvent.Owner.Reports)
|
|
||||||
{
|
|
||||||
gameEvent.Origin.Tell(
|
|
||||||
$"(Color::Accent){report.Origin.Name}(Color::White) -> (Color::Red){report.Target.Name}(Color::White): {report.Reason}");
|
|
||||||
}
|
|
||||||
|
|
||||||
return Task.CompletedTask;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,128 +0,0 @@
|
|||||||
using System.Linq;
|
|
||||||
using System.Text.RegularExpressions;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
using Data.Models.Client;
|
|
||||||
using IW4MAdmin.Application.Extensions;
|
|
||||||
using Microsoft.Extensions.Logging;
|
|
||||||
using SharedLibraryCore;
|
|
||||||
using SharedLibraryCore.Commands;
|
|
||||||
using SharedLibraryCore.Configuration;
|
|
||||||
using SharedLibraryCore.Interfaces;
|
|
||||||
using ILogger = Microsoft.Extensions.Logging.ILogger;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.Commands
|
|
||||||
{
|
|
||||||
public class MapAndGameTypeCommand : Command
|
|
||||||
{
|
|
||||||
private const string ArgumentRegexPattern = "(?:\"([^\"]+)\"|([^\\s]+)) (?:\"([^\"]+)\"|([^\\s]+))";
|
|
||||||
private readonly ILogger _logger;
|
|
||||||
private readonly DefaultSettings _defaultSettings;
|
|
||||||
|
|
||||||
public MapAndGameTypeCommand(ILogger<MapAndGameTypeCommand> logger, CommandConfiguration config,
|
|
||||||
DefaultSettings defaultSettings, ITranslationLookup layout) : base(config, layout)
|
|
||||||
{
|
|
||||||
Name = "mapandgametype";
|
|
||||||
Description = _translationLookup["COMMANDS_MAG_DESCRIPTION"];
|
|
||||||
Alias = "mag";
|
|
||||||
Permission = EFClient.Permission.Administrator;
|
|
||||||
RequiresTarget = false;
|
|
||||||
Arguments = new[]
|
|
||||||
{
|
|
||||||
new CommandArgument
|
|
||||||
{
|
|
||||||
Name = _translationLookup["COMMADS_MAG_ARG_1"],
|
|
||||||
Required = true
|
|
||||||
},
|
|
||||||
new CommandArgument
|
|
||||||
{
|
|
||||||
Name = _translationLookup["COMMADS_MAG_ARG_2"],
|
|
||||||
Required = true
|
|
||||||
}
|
|
||||||
};
|
|
||||||
_logger = logger;
|
|
||||||
_defaultSettings = defaultSettings;
|
|
||||||
}
|
|
||||||
|
|
||||||
public override async Task ExecuteAsync(GameEvent gameEvent)
|
|
||||||
{
|
|
||||||
var match = Regex.Match(gameEvent.Data.Trim(), ArgumentRegexPattern,
|
|
||||||
RegexOptions.Compiled | RegexOptions.IgnoreCase);
|
|
||||||
|
|
||||||
if (!match.Success)
|
|
||||||
{
|
|
||||||
gameEvent.Origin.Tell(Syntax);
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
string map;
|
|
||||||
string gametype;
|
|
||||||
|
|
||||||
if (match.Groups.Count > 3)
|
|
||||||
{
|
|
||||||
map = match.Groups[2].ToString();
|
|
||||||
gametype = match.Groups[4].ToString();
|
|
||||||
}
|
|
||||||
|
|
||||||
else
|
|
||||||
{
|
|
||||||
map = match.Groups[1].ToString();
|
|
||||||
gametype = match.Groups[3].ToString();
|
|
||||||
}
|
|
||||||
|
|
||||||
var matchingMaps = gameEvent.Owner.FindMap(map);
|
|
||||||
var matchingGametypes = _defaultSettings.FindGametype(gametype, gameEvent.Owner.GameName);
|
|
||||||
|
|
||||||
if (matchingMaps.Count > 1)
|
|
||||||
{
|
|
||||||
gameEvent.Origin.Tell(_translationLookup["COMMANDS_MAG_MULTIPLE_MAPS"]);
|
|
||||||
|
|
||||||
foreach (var matchingMap in matchingMaps)
|
|
||||||
{
|
|
||||||
gameEvent.Origin.Tell(
|
|
||||||
$"[(Color::Yellow){matchingMap.Alias}(Color::White)] [(Color::Yellow){matchingMap.Name}(Color::White)]");
|
|
||||||
}
|
|
||||||
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
if (matchingGametypes.Count > 1)
|
|
||||||
{
|
|
||||||
gameEvent.Origin.Tell(_translationLookup["COMMANDS_MAG_MULTIPLE_GAMETYPES"]);
|
|
||||||
|
|
||||||
foreach (var matchingGametype in matchingGametypes)
|
|
||||||
{
|
|
||||||
gameEvent.Origin.Tell(
|
|
||||||
$"[(Color::Yellow){matchingGametype.Alias}(Color::White)] [(Color::Yellow){matchingGametype.Name}(Color::White)]");
|
|
||||||
}
|
|
||||||
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
map = matchingMaps.FirstOrDefault()?.Name ?? map;
|
|
||||||
gametype = matchingGametypes.FirstOrDefault()?.Name ?? gametype;
|
|
||||||
var hasMatchingGametype = matchingGametypes.Any();
|
|
||||||
|
|
||||||
_logger.LogDebug("Changing map to {Map} and gametype {Gametype}", map, gametype);
|
|
||||||
|
|
||||||
await gameEvent.Owner.SetDvarAsync("g_gametype", gametype);
|
|
||||||
gameEvent.Owner.Broadcast(_translationLookup["COMMANDS_MAP_SUCCESS"].FormatExt(map));
|
|
||||||
await Task.Delay(gameEvent.Owner.Manager.GetApplicationSettings().Configuration().MapChangeDelaySeconds);
|
|
||||||
|
|
||||||
switch (gameEvent.Owner.GameName)
|
|
||||||
{
|
|
||||||
case Server.Game.IW5:
|
|
||||||
await gameEvent.Owner.ExecuteCommandAsync(
|
|
||||||
$"load_dsr {(hasMatchingGametype ? gametype.ToUpper() + "_default" : gametype)}");
|
|
||||||
await gameEvent.Owner.ExecuteCommandAsync($"map {map}");
|
|
||||||
break;
|
|
||||||
case Server.Game.T6:
|
|
||||||
await gameEvent.Owner.ExecuteCommandAsync($"exec {gametype}.cfg");
|
|
||||||
await gameEvent.Owner.ExecuteCommandAsync($"map {map}");
|
|
||||||
break;
|
|
||||||
default:
|
|
||||||
await gameEvent.Owner.ExecuteCommandAsync($"map {map}");
|
|
||||||
break;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,78 +0,0 @@
|
|||||||
using System;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
using Data.Abstractions;
|
|
||||||
using Data.Models.Client;
|
|
||||||
using Data.Models.Misc;
|
|
||||||
using Microsoft.EntityFrameworkCore;
|
|
||||||
using Microsoft.Extensions.Logging;
|
|
||||||
using SharedLibraryCore;
|
|
||||||
using SharedLibraryCore.Configuration;
|
|
||||||
using SharedLibraryCore.Interfaces;
|
|
||||||
using ILogger = Microsoft.Extensions.Logging.ILogger;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.Commands
|
|
||||||
{
|
|
||||||
public class OfflineMessageCommand : Command
|
|
||||||
{
|
|
||||||
private readonly IDatabaseContextFactory _contextFactory;
|
|
||||||
private readonly ILogger _logger;
|
|
||||||
private const short MaxLength = 1024;
|
|
||||||
|
|
||||||
public OfflineMessageCommand(CommandConfiguration config, ITranslationLookup layout,
|
|
||||||
IDatabaseContextFactory contextFactory, ILogger<IDatabaseContextFactory> logger) : base(config, layout)
|
|
||||||
{
|
|
||||||
Name = "offlinemessage";
|
|
||||||
Description = _translationLookup["COMMANDS_OFFLINE_MESSAGE_DESC"];
|
|
||||||
Alias = "om";
|
|
||||||
Permission = EFClient.Permission.Moderator;
|
|
||||||
RequiresTarget = true;
|
|
||||||
|
|
||||||
_contextFactory = contextFactory;
|
|
||||||
_logger = logger;
|
|
||||||
}
|
|
||||||
|
|
||||||
public override async Task ExecuteAsync(GameEvent gameEvent)
|
|
||||||
{
|
|
||||||
if (gameEvent.Data.Length > MaxLength)
|
|
||||||
{
|
|
||||||
gameEvent.Origin.Tell(_translationLookup["COMMANDS_OFFLINE_MESSAGE_TOO_LONG"].FormatExt(MaxLength));
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
if (gameEvent.Target.ClientId == gameEvent.Origin.ClientId)
|
|
||||||
{
|
|
||||||
gameEvent.Origin.Tell(_translationLookup["COMMANDS_OFFLINE_MESSAGE_SELF"].FormatExt(MaxLength));
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
if (gameEvent.Target.IsIngame)
|
|
||||||
{
|
|
||||||
gameEvent.Origin.Tell(_translationLookup["COMMANDS_OFFLINE_MESSAGE_INGAME"].FormatExt(gameEvent.Target.Name));
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
await using var context = _contextFactory.CreateContext(enableTracking: false);
|
|
||||||
var server = await context.Servers.FirstAsync(srv => srv.EndPoint == gameEvent.Owner.ToString());
|
|
||||||
|
|
||||||
var newMessage = new EFInboxMessage()
|
|
||||||
{
|
|
||||||
SourceClientId = gameEvent.Origin.ClientId,
|
|
||||||
DestinationClientId = gameEvent.Target.ClientId,
|
|
||||||
ServerId = server.Id,
|
|
||||||
Message = gameEvent.Data,
|
|
||||||
};
|
|
||||||
|
|
||||||
try
|
|
||||||
{
|
|
||||||
context.Set<EFInboxMessage>().Add(newMessage);
|
|
||||||
await context.SaveChangesAsync();
|
|
||||||
gameEvent.Origin.Tell(_translationLookup["COMMANDS_OFFLINE_MESSAGE_SUCCESS"]);
|
|
||||||
}
|
|
||||||
catch (Exception ex)
|
|
||||||
{
|
|
||||||
_logger.LogError(ex, "Could not save offline message {@Message}", newMessage);
|
|
||||||
throw;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,45 +0,0 @@
|
|||||||
using System.Threading.Tasks;
|
|
||||||
using Data.Models.Client;
|
|
||||||
using SharedLibraryCore;
|
|
||||||
using SharedLibraryCore.Commands;
|
|
||||||
using SharedLibraryCore.Configuration;
|
|
||||||
using SharedLibraryCore.Interfaces;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.Commands
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// Sends a private message to another player
|
|
||||||
/// </summary>
|
|
||||||
public class PrivateMessageCommand : Command
|
|
||||||
{
|
|
||||||
public PrivateMessageCommand(CommandConfiguration config, ITranslationLookup translationLookup) : base(config, translationLookup)
|
|
||||||
{
|
|
||||||
Name = "privatemessage";
|
|
||||||
Description = _translationLookup["COMMANDS_PM_DESC"];
|
|
||||||
Alias = "pm";
|
|
||||||
Permission = EFClient.Permission.User;
|
|
||||||
RequiresTarget = true;
|
|
||||||
Arguments = new[]
|
|
||||||
{
|
|
||||||
new CommandArgument
|
|
||||||
{
|
|
||||||
Name = _translationLookup["COMMANDS_ARGS_PLAYER"],
|
|
||||||
Required = true
|
|
||||||
},
|
|
||||||
new CommandArgument
|
|
||||||
{
|
|
||||||
Name = _translationLookup["COMMANDS_ARGS_MESSAGE"],
|
|
||||||
Required = true
|
|
||||||
}
|
|
||||||
};
|
|
||||||
}
|
|
||||||
|
|
||||||
public override Task ExecuteAsync(GameEvent gameEvent)
|
|
||||||
{
|
|
||||||
gameEvent.Target.Tell(_translationLookup["COMMANDS_PRIVATE_MESSAGE_FORMAT"].FormatExt(gameEvent.Origin.Name, gameEvent.Data));
|
|
||||||
gameEvent.Origin.Tell(_translationLookup["COMMANDS_PRIVATE_MESSAGE_RESULT"]
|
|
||||||
.FormatExt(gameEvent.Target.Name, gameEvent.Data));
|
|
||||||
return Task.CompletedTask;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,79 +0,0 @@
|
|||||||
using System;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
using Data.Abstractions;
|
|
||||||
using Microsoft.EntityFrameworkCore;
|
|
||||||
using Microsoft.Extensions.Logging;
|
|
||||||
using SharedLibraryCore;
|
|
||||||
using SharedLibraryCore.Configuration;
|
|
||||||
using SharedLibraryCore.Interfaces;
|
|
||||||
using EFClient = Data.Models.Client.EFClient;
|
|
||||||
using ILogger = Microsoft.Extensions.Logging.ILogger;
|
|
||||||
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.Commands
|
|
||||||
{
|
|
||||||
public class ReadMessageCommand : Command
|
|
||||||
{
|
|
||||||
private readonly IDatabaseContextFactory _contextFactory;
|
|
||||||
private readonly ILogger _logger;
|
|
||||||
|
|
||||||
public ReadMessageCommand(CommandConfiguration config, ITranslationLookup layout,
|
|
||||||
IDatabaseContextFactory contextFactory, ILogger<IDatabaseContextFactory> logger) : base(config, layout)
|
|
||||||
{
|
|
||||||
Name = "readmessage";
|
|
||||||
Description = _translationLookup["COMMANDS_READ_MESSAGE_DESC"];
|
|
||||||
Alias = "rm";
|
|
||||||
Permission = EFClient.Permission.Flagged;
|
|
||||||
|
|
||||||
_contextFactory = contextFactory;
|
|
||||||
_logger = logger;
|
|
||||||
}
|
|
||||||
|
|
||||||
public override async Task ExecuteAsync(GameEvent gameEvent)
|
|
||||||
{
|
|
||||||
try
|
|
||||||
{
|
|
||||||
await using var context = _contextFactory.CreateContext();
|
|
||||||
|
|
||||||
var inboxItems = await context.InboxMessages
|
|
||||||
.Include(message => message.SourceClient)
|
|
||||||
.ThenInclude(client => client.CurrentAlias)
|
|
||||||
.Where(message => message.DestinationClientId == gameEvent.Origin.ClientId)
|
|
||||||
.Where(message => !message.IsDelivered)
|
|
||||||
.ToListAsync();
|
|
||||||
|
|
||||||
if (!inboxItems.Any())
|
|
||||||
{
|
|
||||||
gameEvent.Origin.Tell(_translationLookup["COMMANDS_READ_MESSAGE_NONE"]);
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
var index = 1;
|
|
||||||
foreach (var inboxItem in inboxItems)
|
|
||||||
{
|
|
||||||
await gameEvent.Origin.Tell(_translationLookup["COMMANDS_READ_MESSAGE_SUCCESS"]
|
|
||||||
.FormatExt($"{index}/{inboxItems.Count}", inboxItem.SourceClient.CurrentAlias.Name))
|
|
||||||
.WaitAsync();
|
|
||||||
|
|
||||||
foreach (var messageFragment in inboxItem.Message.FragmentMessageForDisplay())
|
|
||||||
{
|
|
||||||
await gameEvent.Origin.Tell(messageFragment).WaitAsync();
|
|
||||||
}
|
|
||||||
|
|
||||||
index++;
|
|
||||||
}
|
|
||||||
|
|
||||||
inboxItems.ForEach(item => { item.IsDelivered = true; });
|
|
||||||
|
|
||||||
context.UpdateRange(inboxItems);
|
|
||||||
await context.SaveChangesAsync();
|
|
||||||
}
|
|
||||||
catch (Exception ex)
|
|
||||||
{
|
|
||||||
logger.LogError(ex, "Could not retrieve offline messages for {Client}", gameEvent.Origin.ToString());
|
|
||||||
throw;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,77 +0,0 @@
|
|||||||
using System.Threading.Tasks;
|
|
||||||
using Data.Models.Client;
|
|
||||||
using SharedLibraryCore;
|
|
||||||
using SharedLibraryCore.Commands;
|
|
||||||
using SharedLibraryCore.Configuration;
|
|
||||||
using SharedLibraryCore.Interfaces;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.Commands
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// Report client for given reason
|
|
||||||
/// </summary>
|
|
||||||
public class ReportClientCommand : Command
|
|
||||||
{
|
|
||||||
public ReportClientCommand(CommandConfiguration config, ITranslationLookup translationLookup) : base(config,
|
|
||||||
translationLookup)
|
|
||||||
{
|
|
||||||
Name = "report";
|
|
||||||
Description = _translationLookup["COMMANDS_REPORT_DESC"];
|
|
||||||
Alias = "rep";
|
|
||||||
Permission = EFClient.Permission.User;
|
|
||||||
RequiresTarget = true;
|
|
||||||
Arguments = new[]
|
|
||||||
{
|
|
||||||
new CommandArgument
|
|
||||||
{
|
|
||||||
Name = _translationLookup["COMMANDS_ARGS_PLAYER"],
|
|
||||||
Required = true
|
|
||||||
},
|
|
||||||
new CommandArgument
|
|
||||||
{
|
|
||||||
Name = _translationLookup["COMMANDS_ARGS_REASON"],
|
|
||||||
Required = true
|
|
||||||
}
|
|
||||||
};
|
|
||||||
}
|
|
||||||
|
|
||||||
public override async Task ExecuteAsync(GameEvent commandEvent)
|
|
||||||
{
|
|
||||||
if (commandEvent.Data.ToLower().Contains("camp"))
|
|
||||||
{
|
|
||||||
commandEvent.Origin.Tell(_translationLookup["COMMANDS_REPORT_FAIL_CAMP"]);
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
var success = false;
|
|
||||||
|
|
||||||
switch ((await commandEvent.Target.Report(commandEvent.Data, commandEvent.Origin)
|
|
||||||
.WaitAsync(Utilities.DefaultCommandTimeout, commandEvent.Owner.Manager.CancellationToken)).FailReason)
|
|
||||||
{
|
|
||||||
case GameEvent.EventFailReason.None:
|
|
||||||
commandEvent.Origin.Tell(_translationLookup["COMMANDS_REPORT_SUCCESS"]);
|
|
||||||
success = true;
|
|
||||||
break;
|
|
||||||
case GameEvent.EventFailReason.Exception:
|
|
||||||
commandEvent.Origin.Tell(_translationLookup["COMMANDS_REPORT_FAIL_DUPLICATE"]);
|
|
||||||
break;
|
|
||||||
case GameEvent.EventFailReason.Permission:
|
|
||||||
commandEvent.Origin.Tell(_translationLookup["COMMANDS_REPORT_FAIL"]
|
|
||||||
.FormatExt(commandEvent.Target.Name));
|
|
||||||
break;
|
|
||||||
case GameEvent.EventFailReason.Invalid:
|
|
||||||
commandEvent.Origin.Tell(_translationLookup["COMMANDS_REPORT_FAIL_SELF"]);
|
|
||||||
break;
|
|
||||||
case GameEvent.EventFailReason.Throttle:
|
|
||||||
commandEvent.Origin.Tell(_translationLookup["COMMANDS_REPORT_FAIL_TOOMANY"]);
|
|
||||||
break;
|
|
||||||
}
|
|
||||||
|
|
||||||
if (success)
|
|
||||||
{
|
|
||||||
commandEvent.Owner.ToAdmins(
|
|
||||||
$"(Color::Accent){commandEvent.Origin.Name}(Color::White) -> (Color::Red){commandEvent.Target.Name}(Color::White): {commandEvent.Data}");
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,46 +0,0 @@
|
|||||||
using System.Threading.Tasks;
|
|
||||||
using Data.Models.Client;
|
|
||||||
using SharedLibraryCore;
|
|
||||||
using SharedLibraryCore.Commands;
|
|
||||||
using SharedLibraryCore.Configuration;
|
|
||||||
using SharedLibraryCore.Interfaces;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.Commands
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// Prints out a message to all clients on all servers
|
|
||||||
/// </summary>
|
|
||||||
public class SayAllCommand : Command
|
|
||||||
{
|
|
||||||
public SayAllCommand(CommandConfiguration config, ITranslationLookup translationLookup) : base(config,
|
|
||||||
translationLookup)
|
|
||||||
{
|
|
||||||
Name = "sayall";
|
|
||||||
Description = _translationLookup["COMMANDS_SAY_ALL_DESC"];
|
|
||||||
Alias = "sa";
|
|
||||||
Permission = EFClient.Permission.Moderator;
|
|
||||||
RequiresTarget = false;
|
|
||||||
Arguments = new[]
|
|
||||||
{
|
|
||||||
new CommandArgument
|
|
||||||
{
|
|
||||||
Name = _translationLookup["COMMANDS_ARGS_MESSAGE"],
|
|
||||||
Required = true
|
|
||||||
}
|
|
||||||
};
|
|
||||||
}
|
|
||||||
|
|
||||||
public override Task ExecuteAsync(GameEvent gameEvent)
|
|
||||||
{
|
|
||||||
var message = $"(Color::Accent){gameEvent.Origin.Name}(Color::White) - (Color::Red){gameEvent.Data}";
|
|
||||||
|
|
||||||
foreach (var server in gameEvent.Owner.Manager.GetServers())
|
|
||||||
{
|
|
||||||
server.Broadcast(message, gameEvent.Origin);
|
|
||||||
}
|
|
||||||
|
|
||||||
gameEvent.Origin.Tell(_translationLookup["COMMANDS_SAY_SUCCESS"]);
|
|
||||||
return Task.CompletedTask;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,42 +0,0 @@
|
|||||||
using System.Threading.Tasks;
|
|
||||||
using SharedLibraryCore;
|
|
||||||
using SharedLibraryCore.Commands;
|
|
||||||
using SharedLibraryCore.Configuration;
|
|
||||||
using SharedLibraryCore.Interfaces;
|
|
||||||
using EFClient = Data.Models.Client.EFClient;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.Commands
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// Prints out a message to all clients on the server
|
|
||||||
/// </summary>
|
|
||||||
public class SayCommand : Command
|
|
||||||
{
|
|
||||||
public SayCommand(CommandConfiguration config, ITranslationLookup translationLookup) : base(config,
|
|
||||||
translationLookup)
|
|
||||||
{
|
|
||||||
Name = "say";
|
|
||||||
Description = _translationLookup["COMMANDS_SAY_DESC"];
|
|
||||||
Alias = "s";
|
|
||||||
Permission = EFClient.Permission.Moderator;
|
|
||||||
RequiresTarget = false;
|
|
||||||
Arguments = new[]
|
|
||||||
{
|
|
||||||
new CommandArgument
|
|
||||||
{
|
|
||||||
Name = _translationLookup["COMMANDS_ARGS_MESSAGE"],
|
|
||||||
Required = true
|
|
||||||
}
|
|
||||||
};
|
|
||||||
}
|
|
||||||
|
|
||||||
public override Task ExecuteAsync(GameEvent gameEvent)
|
|
||||||
{
|
|
||||||
gameEvent.Owner.Broadcast(
|
|
||||||
_translationLookup["COMMANDS_SAY_FORMAT"].FormatExt(gameEvent.Origin.Name, gameEvent.Data),
|
|
||||||
gameEvent.Origin);
|
|
||||||
gameEvent.Origin.Tell(_translationLookup["COMMANDS_SAY_SUCCESS"]);
|
|
||||||
return Task.CompletedTask;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,38 +0,0 @@
|
|||||||
using System.Threading.Tasks;
|
|
||||||
using Data.Models.Client;
|
|
||||||
using SharedLibraryCore;
|
|
||||||
using SharedLibraryCore.Configuration;
|
|
||||||
using SharedLibraryCore.Interfaces;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.Commands
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// Prints client information
|
|
||||||
/// </summary>
|
|
||||||
public class WhoAmICommand : Command
|
|
||||||
{
|
|
||||||
public WhoAmICommand(CommandConfiguration config, ITranslationLookup translationLookup) : base(config,
|
|
||||||
translationLookup)
|
|
||||||
{
|
|
||||||
Name = "whoami";
|
|
||||||
Description = _translationLookup["COMMANDS_WHO_DESC"];
|
|
||||||
Alias = "who";
|
|
||||||
Permission = EFClient.Permission.User;
|
|
||||||
RequiresTarget = false;
|
|
||||||
}
|
|
||||||
|
|
||||||
public override Task ExecuteAsync(GameEvent gameEvent)
|
|
||||||
{
|
|
||||||
var you =
|
|
||||||
"[(Color::Yellow)#{{clientNumber}}(Color::White)] [(Color::Yellow)@{{clientId}}(Color::White)] [{{networkId}}] [{{ip}}] [(Color::Cyan){{level}}(Color::White){{tag}}(Color::White)] {{name}}"
|
|
||||||
.FormatExt(gameEvent.Origin.ClientNumber,
|
|
||||||
gameEvent.Origin.ClientId, gameEvent.Origin.GuidString,
|
|
||||||
gameEvent.Origin.IPAddressString, gameEvent.Origin.ClientPermission.Name,
|
|
||||||
string.IsNullOrEmpty(gameEvent.Origin.Tag) ? "" : $" {gameEvent.Origin.Tag}",
|
|
||||||
gameEvent.Origin.Name);
|
|
||||||
gameEvent.Origin.Tell(you);
|
|
||||||
|
|
||||||
return Task.CompletedTask;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,56 +0,0 @@
|
|||||||
{
|
|
||||||
"Serilog": {
|
|
||||||
"Using": [
|
|
||||||
"Serilog.Sinks.File"
|
|
||||||
],
|
|
||||||
"MinimumLevel": {
|
|
||||||
"Default": "Information",
|
|
||||||
"Override": {
|
|
||||||
"System": "Warning",
|
|
||||||
"Microsoft": "Warning"
|
|
||||||
}
|
|
||||||
},
|
|
||||||
"WriteTo": [
|
|
||||||
{
|
|
||||||
"Name": "File",
|
|
||||||
"Args": {
|
|
||||||
"path": "Log/IW4MAdmin-Application.log",
|
|
||||||
"rollingInterval": "Day",
|
|
||||||
"outputTemplate": "[{Timestamp:yyyy-MM-dd HH:mm:ss.fff} {Server} {Level:u3}] {Message:lj}{NewLine}{Exception}"
|
|
||||||
}
|
|
||||||
},
|
|
||||||
{
|
|
||||||
"Name": "Console",
|
|
||||||
"Args": {
|
|
||||||
"outputTemplate": "[{Timestamp:yyyy-MM-dd HH:mm:ss.fff} {Server} {Level:u3}] {Message:lj}{NewLine}{Exception}",
|
|
||||||
"RestrictedToMinimumLevel": "Fatal"
|
|
||||||
}
|
|
||||||
}
|
|
||||||
],
|
|
||||||
"Enrich": [
|
|
||||||
"FromLogContext",
|
|
||||||
"WithMachineName",
|
|
||||||
"WithThreadId"
|
|
||||||
],
|
|
||||||
"Destructure": [
|
|
||||||
{
|
|
||||||
"Name": "ToMaximumDepth",
|
|
||||||
"Args": {
|
|
||||||
"maximumDestructuringDepth": 4
|
|
||||||
}
|
|
||||||
},
|
|
||||||
{
|
|
||||||
"Name": "ToMaximumStringLength",
|
|
||||||
"Args": {
|
|
||||||
"maximumStringLength": 1000
|
|
||||||
}
|
|
||||||
},
|
|
||||||
{
|
|
||||||
"Name": "ToMaximumCollectionCount",
|
|
||||||
"Args": {
|
|
||||||
"maximumCollectionCount": 24
|
|
||||||
}
|
|
||||||
}
|
|
||||||
]
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,15 +0,0 @@
|
|||||||
using System.Collections.Generic;
|
|
||||||
using SharedLibraryCore.Interfaces;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.Configuration
|
|
||||||
{
|
|
||||||
public class ScriptPluginConfiguration : Dictionary<string, Dictionary<string, object>>, IBaseConfiguration
|
|
||||||
{
|
|
||||||
public string Name() => nameof(ScriptPluginConfiguration);
|
|
||||||
|
|
||||||
public IBaseConfiguration Generate()
|
|
||||||
{
|
|
||||||
return new ScriptPluginConfiguration();
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
File diff suppressed because it is too large
Load Diff
@ -1,462 +0,0 @@
|
|||||||
using SharedLibraryCore;
|
|
||||||
using SharedLibraryCore.Configuration;
|
|
||||||
using SharedLibraryCore.Database.Models;
|
|
||||||
using SharedLibraryCore.Interfaces;
|
|
||||||
using System;
|
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.Linq;
|
|
||||||
using Data.Models;
|
|
||||||
using Microsoft.Extensions.Logging;
|
|
||||||
using static SharedLibraryCore.Server;
|
|
||||||
using ILogger = Microsoft.Extensions.Logging.ILogger;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.EventParsers
|
|
||||||
{
|
|
||||||
public class BaseEventParser : IEventParser
|
|
||||||
{
|
|
||||||
private readonly Dictionary<string, (string, Func<string, IEventParserConfiguration, GameEvent, GameEvent>)> _customEventRegistrations;
|
|
||||||
private readonly ILogger _logger;
|
|
||||||
private readonly ApplicationConfiguration _appConfig;
|
|
||||||
private readonly Dictionary<ParserRegex, GameEvent.EventType> _regexMap;
|
|
||||||
private readonly Dictionary<string, GameEvent.EventType> _eventTypeMap;
|
|
||||||
|
|
||||||
public BaseEventParser(IParserRegexFactory parserRegexFactory, ILogger logger, ApplicationConfiguration appConfig)
|
|
||||||
{
|
|
||||||
_customEventRegistrations = new Dictionary<string, (string, Func<string, IEventParserConfiguration, GameEvent, GameEvent>)>();
|
|
||||||
_logger = logger;
|
|
||||||
_appConfig = appConfig;
|
|
||||||
|
|
||||||
Configuration = new DynamicEventParserConfiguration(parserRegexFactory)
|
|
||||||
{
|
|
||||||
GameDirectory = "main",
|
|
||||||
};
|
|
||||||
|
|
||||||
Configuration.Say.Pattern = @"^(say|sayteam);(-?[A-Fa-f0-9_]{1,32}|bot[0-9]+|0);([0-9]+);([^;]*);(.*)$";
|
|
||||||
Configuration.Say.AddMapping(ParserRegex.GroupType.EventType, 1);
|
|
||||||
Configuration.Say.AddMapping(ParserRegex.GroupType.OriginNetworkId, 2);
|
|
||||||
Configuration.Say.AddMapping(ParserRegex.GroupType.OriginClientNumber, 3);
|
|
||||||
Configuration.Say.AddMapping(ParserRegex.GroupType.OriginName, 4);
|
|
||||||
Configuration.Say.AddMapping(ParserRegex.GroupType.Message, 5);
|
|
||||||
|
|
||||||
Configuration.Quit.Pattern = @"^(Q);(-?[A-Fa-f0-9_]{1,32}|bot[0-9]+|0);([0-9]+);(.*)$";
|
|
||||||
Configuration.Quit.AddMapping(ParserRegex.GroupType.EventType, 1);
|
|
||||||
Configuration.Quit.AddMapping(ParserRegex.GroupType.OriginNetworkId, 2);
|
|
||||||
Configuration.Quit.AddMapping(ParserRegex.GroupType.OriginClientNumber, 3);
|
|
||||||
Configuration.Quit.AddMapping(ParserRegex.GroupType.OriginName, 4);
|
|
||||||
|
|
||||||
Configuration.Join.Pattern = @"^(J);(-?[A-Fa-f0-9_]{1,32}|bot[0-9]+|0);([0-9]+);(.*)$";
|
|
||||||
Configuration.Join.AddMapping(ParserRegex.GroupType.EventType, 1);
|
|
||||||
Configuration.Join.AddMapping(ParserRegex.GroupType.OriginNetworkId, 2);
|
|
||||||
Configuration.Join.AddMapping(ParserRegex.GroupType.OriginClientNumber, 3);
|
|
||||||
Configuration.Join.AddMapping(ParserRegex.GroupType.OriginName, 4);
|
|
||||||
|
|
||||||
Configuration.Damage.Pattern = @"^(D);(-?[A-Fa-f0-9_]{1,32}|bot[0-9]+|0);(-?[0-9]+);(axis|allies|world|none)?;([^;]{1,32});(-?[A-Fa-f0-9_]{1,32}|bot[0-9]+|0)?;(-?[0-9]+);(axis|allies|world|none)?;([^;]{1,32})?;((?:[0-9]+|[a-z]+|_|\+)+);([0-9]+);((?:[A-Z]|_)+);((?:[a-z]|_)+)$";
|
|
||||||
Configuration.Damage.AddMapping(ParserRegex.GroupType.EventType, 1);
|
|
||||||
Configuration.Damage.AddMapping(ParserRegex.GroupType.TargetNetworkId, 2);
|
|
||||||
Configuration.Damage.AddMapping(ParserRegex.GroupType.TargetClientNumber, 3);
|
|
||||||
Configuration.Damage.AddMapping(ParserRegex.GroupType.TargetTeam, 4);
|
|
||||||
Configuration.Damage.AddMapping(ParserRegex.GroupType.TargetName, 5);
|
|
||||||
Configuration.Damage.AddMapping(ParserRegex.GroupType.OriginNetworkId, 6);
|
|
||||||
Configuration.Damage.AddMapping(ParserRegex.GroupType.OriginClientNumber, 7);
|
|
||||||
Configuration.Damage.AddMapping(ParserRegex.GroupType.OriginTeam, 8);
|
|
||||||
Configuration.Damage.AddMapping(ParserRegex.GroupType.OriginName, 9);
|
|
||||||
Configuration.Damage.AddMapping(ParserRegex.GroupType.Weapon, 10);
|
|
||||||
Configuration.Damage.AddMapping(ParserRegex.GroupType.Damage, 11);
|
|
||||||
Configuration.Damage.AddMapping(ParserRegex.GroupType.MeansOfDeath, 12);
|
|
||||||
Configuration.Damage.AddMapping(ParserRegex.GroupType.HitLocation, 13);
|
|
||||||
|
|
||||||
Configuration.Kill.Pattern = @"^(K);(-?[A-Fa-f0-9_]{1,32}|bot[0-9]+|0);(-?[0-9]+);(axis|allies|world|none)?;([^;]{1,32});(-?[A-Fa-f0-9_]{1,32}|bot[0-9]+|0)?;(-?[0-9]+);(axis|allies|world|none)?;([^;]{1,32})?;((?:[0-9]+|[a-z]+|_|\+)+);([0-9]+);((?:[A-Z]|_)+);((?:[a-z]|_)+)$";
|
|
||||||
Configuration.Kill.AddMapping(ParserRegex.GroupType.EventType, 1);
|
|
||||||
Configuration.Kill.AddMapping(ParserRegex.GroupType.TargetNetworkId, 2);
|
|
||||||
Configuration.Kill.AddMapping(ParserRegex.GroupType.TargetClientNumber, 3);
|
|
||||||
Configuration.Kill.AddMapping(ParserRegex.GroupType.TargetTeam, 4);
|
|
||||||
Configuration.Kill.AddMapping(ParserRegex.GroupType.TargetName, 5);
|
|
||||||
Configuration.Kill.AddMapping(ParserRegex.GroupType.OriginNetworkId, 6);
|
|
||||||
Configuration.Kill.AddMapping(ParserRegex.GroupType.OriginClientNumber, 7);
|
|
||||||
Configuration.Kill.AddMapping(ParserRegex.GroupType.OriginTeam, 8);
|
|
||||||
Configuration.Kill.AddMapping(ParserRegex.GroupType.OriginName, 9);
|
|
||||||
Configuration.Kill.AddMapping(ParserRegex.GroupType.Weapon, 10);
|
|
||||||
Configuration.Kill.AddMapping(ParserRegex.GroupType.Damage, 11);
|
|
||||||
Configuration.Kill.AddMapping(ParserRegex.GroupType.MeansOfDeath, 12);
|
|
||||||
Configuration.Kill.AddMapping(ParserRegex.GroupType.HitLocation, 13);
|
|
||||||
|
|
||||||
Configuration.MapChange.Pattern = @".*InitGame.*";
|
|
||||||
Configuration.MapEnd.Pattern = @".*(?:ExitLevel|ShutdownGame).*";
|
|
||||||
|
|
||||||
Configuration.Time.Pattern = @"^ *(([0-9]+):([0-9]+) |^[0-9]+ )";
|
|
||||||
|
|
||||||
_regexMap = new Dictionary<ParserRegex, GameEvent.EventType>
|
|
||||||
{
|
|
||||||
{Configuration.Say, GameEvent.EventType.Say},
|
|
||||||
{Configuration.Kill, GameEvent.EventType.Kill},
|
|
||||||
{Configuration.MapChange, GameEvent.EventType.MapChange},
|
|
||||||
{Configuration.MapEnd, GameEvent.EventType.MapEnd}
|
|
||||||
};
|
|
||||||
|
|
||||||
_eventTypeMap = new Dictionary<string, GameEvent.EventType>
|
|
||||||
{
|
|
||||||
{"say", GameEvent.EventType.Say},
|
|
||||||
{"sayteam", GameEvent.EventType.Say},
|
|
||||||
{"K", GameEvent.EventType.Kill},
|
|
||||||
{"D", GameEvent.EventType.Damage},
|
|
||||||
{"J", GameEvent.EventType.PreConnect},
|
|
||||||
{"Q", GameEvent.EventType.PreDisconnect},
|
|
||||||
};
|
|
||||||
}
|
|
||||||
|
|
||||||
public IEventParserConfiguration Configuration { get; set; }
|
|
||||||
|
|
||||||
public string Version { get; set; } = "CoD";
|
|
||||||
|
|
||||||
public Game GameName { get; set; } = Game.COD;
|
|
||||||
|
|
||||||
public string URLProtocolFormat { get; set; } = "CoD://{{ip}}:{{port}}";
|
|
||||||
|
|
||||||
public string Name { get; set; } = "Call of Duty";
|
|
||||||
|
|
||||||
private (GameEvent.EventType type, string eventKey) GetEventTypeFromLine(string logLine)
|
|
||||||
{
|
|
||||||
var lineSplit = logLine.Split(';');
|
|
||||||
if (lineSplit.Length > 1)
|
|
||||||
{
|
|
||||||
var type = lineSplit[0];
|
|
||||||
return _eventTypeMap.ContainsKey(type) ? (_eventTypeMap[type], type): (GameEvent.EventType.Unknown, lineSplit[0]);
|
|
||||||
}
|
|
||||||
|
|
||||||
foreach (var (key, value) in _regexMap)
|
|
||||||
{
|
|
||||||
var result = key.PatternMatcher.Match(logLine);
|
|
||||||
if (result.Success)
|
|
||||||
{
|
|
||||||
return (value, null);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
return (GameEvent.EventType.Unknown, null);
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
public virtual GameEvent GenerateGameEvent(string logLine)
|
|
||||||
{
|
|
||||||
var timeMatch = Configuration.Time.PatternMatcher.Match(logLine);
|
|
||||||
var gameTime = 0L;
|
|
||||||
|
|
||||||
if (timeMatch.Success)
|
|
||||||
{
|
|
||||||
if (timeMatch.Values[0].Contains(":"))
|
|
||||||
{
|
|
||||||
gameTime = timeMatch
|
|
||||||
.Values
|
|
||||||
.Skip(2)
|
|
||||||
// this converts the timestamp into seconds passed
|
|
||||||
.Select((value, index) => long.Parse(value.ToString()) * (index == 0 ? 60 : 1))
|
|
||||||
.Sum();
|
|
||||||
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
gameTime = long.Parse(timeMatch.Values[0]);
|
|
||||||
}
|
|
||||||
|
|
||||||
// we want to strip the time from the log line
|
|
||||||
logLine = logLine.Substring(timeMatch.Values.First().Length).Trim();
|
|
||||||
}
|
|
||||||
|
|
||||||
var eventParseResult = GetEventTypeFromLine(logLine);
|
|
||||||
var eventType = eventParseResult.type;
|
|
||||||
|
|
||||||
_logger.LogDebug(logLine);
|
|
||||||
|
|
||||||
if (eventType == GameEvent.EventType.Say)
|
|
||||||
{
|
|
||||||
var matchResult = Configuration.Say.PatternMatcher.Match(logLine);
|
|
||||||
|
|
||||||
if (matchResult.Success)
|
|
||||||
{
|
|
||||||
var message = matchResult.Values[Configuration.Say.GroupMapping[ParserRegex.GroupType.Message]]
|
|
||||||
.Replace("\x15", "")
|
|
||||||
.Trim();
|
|
||||||
|
|
||||||
if (message.Length > 0)
|
|
||||||
{
|
|
||||||
var originIdString = matchResult.Values[Configuration.Say.GroupMapping[ParserRegex.GroupType.OriginNetworkId]];
|
|
||||||
var originName = matchResult.Values[Configuration.Say.GroupMapping[ParserRegex.GroupType.OriginName]];
|
|
||||||
|
|
||||||
var originId = originIdString.IsBotGuid() ?
|
|
||||||
originName.GenerateGuidFromString() :
|
|
||||||
originIdString.ConvertGuidToLong(Configuration.GuidNumberStyle);
|
|
||||||
|
|
||||||
var clientNumber = int.Parse(matchResult.Values[Configuration.Say.GroupMapping[ParserRegex.GroupType.OriginClientNumber]]);
|
|
||||||
|
|
||||||
if (message.StartsWith(_appConfig.CommandPrefix) || message.StartsWith(_appConfig.BroadcastCommandPrefix))
|
|
||||||
{
|
|
||||||
return new GameEvent()
|
|
||||||
{
|
|
||||||
Type = GameEvent.EventType.Command,
|
|
||||||
Data = message,
|
|
||||||
Origin = new EFClient() { NetworkId = originId, ClientNumber = clientNumber },
|
|
||||||
Message = message,
|
|
||||||
Extra = logLine,
|
|
||||||
RequiredEntity = GameEvent.EventRequiredEntity.Origin,
|
|
||||||
GameTime = gameTime,
|
|
||||||
Source = GameEvent.EventSource.Log
|
|
||||||
};
|
|
||||||
}
|
|
||||||
|
|
||||||
return new GameEvent()
|
|
||||||
{
|
|
||||||
Type = GameEvent.EventType.Say,
|
|
||||||
Data = message,
|
|
||||||
Origin = new EFClient() { NetworkId = originId, ClientNumber = clientNumber },
|
|
||||||
Message = message,
|
|
||||||
Extra = logLine,
|
|
||||||
RequiredEntity = GameEvent.EventRequiredEntity.Origin,
|
|
||||||
GameTime = gameTime,
|
|
||||||
Source = GameEvent.EventSource.Log
|
|
||||||
};
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
if (eventType == GameEvent.EventType.Kill)
|
|
||||||
{
|
|
||||||
var match = Configuration.Kill.PatternMatcher.Match(logLine);
|
|
||||||
|
|
||||||
if (match.Success)
|
|
||||||
{
|
|
||||||
var originIdString = match.Values[Configuration.Kill.GroupMapping[ParserRegex.GroupType.OriginNetworkId]];
|
|
||||||
var targetIdString = match.Values[Configuration.Kill.GroupMapping[ParserRegex.GroupType.TargetNetworkId]];
|
|
||||||
var originName = match.Values[Configuration.Kill.GroupMapping[ParserRegex.GroupType.OriginName]];
|
|
||||||
var targetName = match.Values[Configuration.Kill.GroupMapping[ParserRegex.GroupType.TargetName]];
|
|
||||||
|
|
||||||
var originId = originIdString.IsBotGuid() ?
|
|
||||||
originName.GenerateGuidFromString() :
|
|
||||||
originIdString.ConvertGuidToLong(Configuration.GuidNumberStyle, Utilities.WORLD_ID);
|
|
||||||
var targetId = targetIdString.IsBotGuid() ?
|
|
||||||
targetName.GenerateGuidFromString() :
|
|
||||||
targetIdString.ConvertGuidToLong(Configuration.GuidNumberStyle, Utilities.WORLD_ID);
|
|
||||||
|
|
||||||
var originClientNumber = int.Parse(match.Values[Configuration.Kill.GroupMapping[ParserRegex.GroupType.OriginClientNumber]]);
|
|
||||||
var targetClientNumber = int.Parse(match.Values[Configuration.Kill.GroupMapping[ParserRegex.GroupType.TargetClientNumber]]);
|
|
||||||
|
|
||||||
return new GameEvent()
|
|
||||||
{
|
|
||||||
Type = GameEvent.EventType.Kill,
|
|
||||||
Data = logLine,
|
|
||||||
Origin = new EFClient() { NetworkId = originId, ClientNumber = originClientNumber },
|
|
||||||
Target = new EFClient() { NetworkId = targetId, ClientNumber = targetClientNumber },
|
|
||||||
RequiredEntity = GameEvent.EventRequiredEntity.Origin | GameEvent.EventRequiredEntity.Target,
|
|
||||||
GameTime = gameTime,
|
|
||||||
Source = GameEvent.EventSource.Log
|
|
||||||
};
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
if (eventType == GameEvent.EventType.Damage)
|
|
||||||
{
|
|
||||||
var match = Configuration.Damage.PatternMatcher.Match(logLine);
|
|
||||||
|
|
||||||
if (match.Success)
|
|
||||||
{
|
|
||||||
var originIdString = match.Values[Configuration.Damage.GroupMapping[ParserRegex.GroupType.OriginNetworkId]];
|
|
||||||
var targetIdString = match.Values[Configuration.Damage.GroupMapping[ParserRegex.GroupType.TargetNetworkId]];
|
|
||||||
var originName = match.Values[Configuration.Damage.GroupMapping[ParserRegex.GroupType.OriginName]];
|
|
||||||
var targetName = match.Values[Configuration.Damage.GroupMapping[ParserRegex.GroupType.TargetName]];
|
|
||||||
|
|
||||||
var originId = originIdString.IsBotGuid() ?
|
|
||||||
originName.GenerateGuidFromString() :
|
|
||||||
originIdString.ConvertGuidToLong(Configuration.GuidNumberStyle, Utilities.WORLD_ID);
|
|
||||||
var targetId = targetIdString.IsBotGuid() ?
|
|
||||||
targetName.GenerateGuidFromString() :
|
|
||||||
targetIdString.ConvertGuidToLong(Configuration.GuidNumberStyle, Utilities.WORLD_ID);
|
|
||||||
|
|
||||||
var originClientNumber = int.Parse(match.Values[Configuration.Damage.GroupMapping[ParserRegex.GroupType.OriginClientNumber]]);
|
|
||||||
var targetClientNumber = int.Parse(match.Values[Configuration.Damage.GroupMapping[ParserRegex.GroupType.TargetClientNumber]]);
|
|
||||||
|
|
||||||
return new GameEvent()
|
|
||||||
{
|
|
||||||
Type = GameEvent.EventType.Damage,
|
|
||||||
Data = logLine,
|
|
||||||
Origin = new EFClient() { NetworkId = originId, ClientNumber = originClientNumber },
|
|
||||||
Target = new EFClient() { NetworkId = targetId, ClientNumber = targetClientNumber },
|
|
||||||
RequiredEntity = GameEvent.EventRequiredEntity.Origin | GameEvent.EventRequiredEntity.Target,
|
|
||||||
GameTime = gameTime,
|
|
||||||
Source = GameEvent.EventSource.Log
|
|
||||||
};
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
if (eventType == GameEvent.EventType.PreConnect)
|
|
||||||
{
|
|
||||||
var match = Configuration.Join.PatternMatcher.Match(logLine);
|
|
||||||
|
|
||||||
if (match.Success)
|
|
||||||
{
|
|
||||||
var originIdString = match.Values[Configuration.Join.GroupMapping[ParserRegex.GroupType.OriginNetworkId]];
|
|
||||||
var originName = match.Values[Configuration.Join.GroupMapping[ParserRegex.GroupType.OriginName]];
|
|
||||||
|
|
||||||
var networkId = originIdString.IsBotGuid() ?
|
|
||||||
originName.GenerateGuidFromString() :
|
|
||||||
originIdString.ConvertGuidToLong(Configuration.GuidNumberStyle);
|
|
||||||
|
|
||||||
return new GameEvent()
|
|
||||||
{
|
|
||||||
Type = GameEvent.EventType.PreConnect,
|
|
||||||
Data = logLine,
|
|
||||||
Origin = new EFClient()
|
|
||||||
{
|
|
||||||
CurrentAlias = new EFAlias()
|
|
||||||
{
|
|
||||||
Name = match.Values[Configuration.Join.GroupMapping[ParserRegex.GroupType.OriginName]].TrimNewLine(),
|
|
||||||
},
|
|
||||||
NetworkId = networkId,
|
|
||||||
ClientNumber = Convert.ToInt32(match.Values[Configuration.Join.GroupMapping[ParserRegex.GroupType.OriginClientNumber]]),
|
|
||||||
State = EFClient.ClientState.Connecting,
|
|
||||||
},
|
|
||||||
Extra = originIdString,
|
|
||||||
RequiredEntity = GameEvent.EventRequiredEntity.None,
|
|
||||||
IsBlocking = true,
|
|
||||||
GameTime = gameTime,
|
|
||||||
Source = GameEvent.EventSource.Log
|
|
||||||
};
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
if (eventType == GameEvent.EventType.PreDisconnect)
|
|
||||||
{
|
|
||||||
var match = Configuration.Quit.PatternMatcher.Match(logLine);
|
|
||||||
|
|
||||||
if (match.Success)
|
|
||||||
{
|
|
||||||
var originIdString = match.Values[Configuration.Quit.GroupMapping[ParserRegex.GroupType.OriginNetworkId]];
|
|
||||||
var originName = match.Values[Configuration.Quit.GroupMapping[ParserRegex.GroupType.OriginName]];
|
|
||||||
|
|
||||||
var networkId = originIdString.IsBotGuid() ?
|
|
||||||
originName.GenerateGuidFromString() :
|
|
||||||
originIdString.ConvertGuidToLong(Configuration.GuidNumberStyle);
|
|
||||||
|
|
||||||
return new GameEvent()
|
|
||||||
{
|
|
||||||
Type = GameEvent.EventType.PreDisconnect,
|
|
||||||
Data = logLine,
|
|
||||||
Origin = new EFClient()
|
|
||||||
{
|
|
||||||
CurrentAlias = new EFAlias()
|
|
||||||
{
|
|
||||||
Name = match.Values[Configuration.Quit.GroupMapping[ParserRegex.GroupType.OriginName]].TrimNewLine()
|
|
||||||
},
|
|
||||||
NetworkId = networkId,
|
|
||||||
ClientNumber = Convert.ToInt32(match.Values[Configuration.Quit.GroupMapping[ParserRegex.GroupType.OriginClientNumber]]),
|
|
||||||
State = EFClient.ClientState.Disconnecting
|
|
||||||
},
|
|
||||||
RequiredEntity = GameEvent.EventRequiredEntity.None,
|
|
||||||
IsBlocking = true,
|
|
||||||
GameTime = gameTime,
|
|
||||||
Source = GameEvent.EventSource.Log
|
|
||||||
};
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
if (eventType == GameEvent.EventType.MapEnd)
|
|
||||||
{
|
|
||||||
return new GameEvent()
|
|
||||||
{
|
|
||||||
Type = GameEvent.EventType.MapEnd,
|
|
||||||
Data = logLine,
|
|
||||||
Origin = Utilities.IW4MAdminClient(),
|
|
||||||
Target = Utilities.IW4MAdminClient(),
|
|
||||||
RequiredEntity = GameEvent.EventRequiredEntity.None,
|
|
||||||
GameTime = gameTime,
|
|
||||||
Source = GameEvent.EventSource.Log
|
|
||||||
};
|
|
||||||
}
|
|
||||||
|
|
||||||
if (eventType == GameEvent.EventType.MapChange)
|
|
||||||
{
|
|
||||||
var dump = logLine.Replace("InitGame: ", "");
|
|
||||||
|
|
||||||
return new GameEvent()
|
|
||||||
{
|
|
||||||
Type = GameEvent.EventType.MapChange,
|
|
||||||
Data = logLine,
|
|
||||||
Origin = Utilities.IW4MAdminClient(),
|
|
||||||
Target = Utilities.IW4MAdminClient(),
|
|
||||||
Extra = dump.DictionaryFromKeyValue(),
|
|
||||||
RequiredEntity = GameEvent.EventRequiredEntity.None,
|
|
||||||
GameTime = gameTime,
|
|
||||||
Source = GameEvent.EventSource.Log
|
|
||||||
};
|
|
||||||
}
|
|
||||||
|
|
||||||
if (eventParseResult.eventKey == null || !_customEventRegistrations.ContainsKey(eventParseResult.eventKey))
|
|
||||||
{
|
|
||||||
return new GameEvent()
|
|
||||||
{
|
|
||||||
Type = GameEvent.EventType.Unknown,
|
|
||||||
Data = logLine,
|
|
||||||
Origin = Utilities.IW4MAdminClient(),
|
|
||||||
Target = Utilities.IW4MAdminClient(),
|
|
||||||
RequiredEntity = GameEvent.EventRequiredEntity.None,
|
|
||||||
GameTime = gameTime,
|
|
||||||
Source = GameEvent.EventSource.Log
|
|
||||||
};
|
|
||||||
}
|
|
||||||
|
|
||||||
var eventModifier = _customEventRegistrations[eventParseResult.eventKey];
|
|
||||||
|
|
||||||
try
|
|
||||||
{
|
|
||||||
return eventModifier.Item2(logLine, Configuration, new GameEvent()
|
|
||||||
{
|
|
||||||
Type = GameEvent.EventType.Other,
|
|
||||||
Data = logLine,
|
|
||||||
Subtype = eventModifier.Item1,
|
|
||||||
GameTime = gameTime,
|
|
||||||
Source = GameEvent.EventSource.Log
|
|
||||||
});
|
|
||||||
}
|
|
||||||
|
|
||||||
catch (Exception e)
|
|
||||||
{
|
|
||||||
_logger.LogError(e, "Could not handle custom event generation");
|
|
||||||
}
|
|
||||||
|
|
||||||
return new GameEvent()
|
|
||||||
{
|
|
||||||
Type = GameEvent.EventType.Unknown,
|
|
||||||
Data = logLine,
|
|
||||||
Origin = Utilities.IW4MAdminClient(),
|
|
||||||
Target = Utilities.IW4MAdminClient(),
|
|
||||||
RequiredEntity = GameEvent.EventRequiredEntity.None,
|
|
||||||
GameTime = gameTime,
|
|
||||||
Source = GameEvent.EventSource.Log
|
|
||||||
};
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <inheritdoc/>
|
|
||||||
public void RegisterCustomEvent(string eventSubtype, string eventTriggerValue, Func<string, IEventParserConfiguration, GameEvent, GameEvent> eventModifier)
|
|
||||||
{
|
|
||||||
if (string.IsNullOrWhiteSpace(eventSubtype))
|
|
||||||
{
|
|
||||||
throw new ArgumentException("Event subtype cannot be empty");
|
|
||||||
}
|
|
||||||
|
|
||||||
if (string.IsNullOrWhiteSpace(eventTriggerValue))
|
|
||||||
{
|
|
||||||
throw new ArgumentException("Event trigger value cannot be empty");
|
|
||||||
}
|
|
||||||
|
|
||||||
if (eventModifier == null)
|
|
||||||
{
|
|
||||||
throw new ArgumentException("Event modifier must be specified");
|
|
||||||
}
|
|
||||||
|
|
||||||
if (_customEventRegistrations.ContainsKey(eventTriggerValue))
|
|
||||||
{
|
|
||||||
throw new ArgumentException($"Event trigger value '{eventTriggerValue}' is already registered");
|
|
||||||
}
|
|
||||||
|
|
||||||
_customEventRegistrations.Add(eventTriggerValue, (eventSubtype, eventModifier));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,17 +0,0 @@
|
|||||||
using SharedLibraryCore.Configuration;
|
|
||||||
using SharedLibraryCore.Interfaces;
|
|
||||||
using ILogger = Microsoft.Extensions.Logging.ILogger;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.EventParsers
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// empty generic implementation of the IEventParserConfiguration
|
|
||||||
/// allows script plugins to generate dynamic event parsers
|
|
||||||
/// </summary>
|
|
||||||
sealed internal class DynamicEventParser : BaseEventParser
|
|
||||||
{
|
|
||||||
public DynamicEventParser(IParserRegexFactory parserRegexFactory, ILogger logger, ApplicationConfiguration appConfig) : base(parserRegexFactory, logger, appConfig)
|
|
||||||
{
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,38 +0,0 @@
|
|||||||
using SharedLibraryCore.Interfaces;
|
|
||||||
using System.Globalization;
|
|
||||||
using SharedLibraryCore;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.EventParsers
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// generic implementation of the IEventParserConfiguration
|
|
||||||
/// allows script plugins to generate dynamic configurations
|
|
||||||
/// </summary>
|
|
||||||
sealed internal class DynamicEventParserConfiguration : IEventParserConfiguration
|
|
||||||
{
|
|
||||||
public string GameDirectory { get; set; }
|
|
||||||
public ParserRegex Say { get; set; }
|
|
||||||
public ParserRegex Join { get; set; }
|
|
||||||
public ParserRegex Quit { get; set; }
|
|
||||||
public ParserRegex Kill { get; set; }
|
|
||||||
public ParserRegex Damage { get; set; }
|
|
||||||
public ParserRegex Action { get; set; }
|
|
||||||
public ParserRegex Time { get; set; }
|
|
||||||
public ParserRegex MapChange { get; set; }
|
|
||||||
public ParserRegex MapEnd { get; set; }
|
|
||||||
public NumberStyles GuidNumberStyle { get; set; } = NumberStyles.HexNumber;
|
|
||||||
|
|
||||||
public DynamicEventParserConfiguration(IParserRegexFactory parserRegexFactory)
|
|
||||||
{
|
|
||||||
Say = parserRegexFactory.CreateParserRegex();
|
|
||||||
Join = parserRegexFactory.CreateParserRegex();
|
|
||||||
Quit = parserRegexFactory.CreateParserRegex();
|
|
||||||
Kill = parserRegexFactory.CreateParserRegex();
|
|
||||||
Damage = parserRegexFactory.CreateParserRegex();
|
|
||||||
Action = parserRegexFactory.CreateParserRegex();
|
|
||||||
Time = parserRegexFactory.CreateParserRegex();
|
|
||||||
MapChange = parserRegexFactory.CreateParserRegex();
|
|
||||||
MapEnd = parserRegexFactory.CreateParserRegex();
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
11
Application/EventParsers/IW3EventParser.cs
Normal file
11
Application/EventParsers/IW3EventParser.cs
Normal file
@ -0,0 +1,11 @@
|
|||||||
|
using System;
|
||||||
|
using System.Collections.Generic;
|
||||||
|
using System.Text;
|
||||||
|
|
||||||
|
namespace IW4MAdmin.Application.EventParsers
|
||||||
|
{
|
||||||
|
class IW3EventParser : IW4EventParser
|
||||||
|
{
|
||||||
|
public override string GetGameDir() => "main";
|
||||||
|
}
|
||||||
|
}
|
155
Application/EventParsers/IW4EventParser.cs
Normal file
155
Application/EventParsers/IW4EventParser.cs
Normal file
@ -0,0 +1,155 @@
|
|||||||
|
using System;
|
||||||
|
using System.Collections.Generic;
|
||||||
|
using System.Linq;
|
||||||
|
using System.Text.RegularExpressions;
|
||||||
|
using SharedLibraryCore;
|
||||||
|
using SharedLibraryCore.Interfaces;
|
||||||
|
using SharedLibraryCore.Objects;
|
||||||
|
|
||||||
|
namespace IW4MAdmin.Application.EventParsers
|
||||||
|
{
|
||||||
|
class IW4EventParser : IEventParser
|
||||||
|
{
|
||||||
|
public virtual GameEvent GetEvent(Server server, string logLine)
|
||||||
|
{
|
||||||
|
string[] lineSplit = logLine.Split(';');
|
||||||
|
string cleanedEventLine = Regex.Replace(lineSplit[0], @"([0-9]+:[0-9]+ |^[0-9]+ )", "").Trim();
|
||||||
|
|
||||||
|
if (cleanedEventLine[0] == 'K')
|
||||||
|
{
|
||||||
|
if (!server.CustomCallback)
|
||||||
|
{
|
||||||
|
return new GameEvent()
|
||||||
|
{
|
||||||
|
Type = GameEvent.EventType.Kill,
|
||||||
|
Data = logLine,
|
||||||
|
Origin = server.GetPlayersAsList().First(c => c.ClientNumber == Utilities.ClientIdFromString(lineSplit, 6)),
|
||||||
|
Target = server.GetPlayersAsList().First(c => c.ClientNumber == Utilities.ClientIdFromString(lineSplit, 2)),
|
||||||
|
Owner = server
|
||||||
|
};
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
if (cleanedEventLine == "say" || cleanedEventLine == "sayteam")
|
||||||
|
{
|
||||||
|
string message = lineSplit[4].Replace("\x15", "");
|
||||||
|
|
||||||
|
if (message[0] == '!' || message[0] == '@')
|
||||||
|
{
|
||||||
|
return new GameEvent()
|
||||||
|
{
|
||||||
|
Type = GameEvent.EventType.Command,
|
||||||
|
Data = message,
|
||||||
|
Origin = server.GetPlayersAsList().First(c => c.ClientNumber == Utilities.ClientIdFromString(lineSplit, 2)),
|
||||||
|
Owner = server,
|
||||||
|
Message = message
|
||||||
|
};
|
||||||
|
}
|
||||||
|
|
||||||
|
return new GameEvent()
|
||||||
|
{
|
||||||
|
Type = GameEvent.EventType.Say,
|
||||||
|
Data = message,
|
||||||
|
Origin = server.GetPlayersAsList().First(c => c.ClientNumber == Utilities.ClientIdFromString(lineSplit, 2)),
|
||||||
|
Owner = server,
|
||||||
|
Message = message
|
||||||
|
};
|
||||||
|
}
|
||||||
|
|
||||||
|
if (cleanedEventLine.Contains("ScriptKill"))
|
||||||
|
{
|
||||||
|
return new GameEvent()
|
||||||
|
{
|
||||||
|
Type = GameEvent.EventType.ScriptKill,
|
||||||
|
Data = logLine,
|
||||||
|
Origin = server.GetPlayersAsList().First(c => c.NetworkId == lineSplit[1].ConvertLong()),
|
||||||
|
Target = server.GetPlayersAsList().First(c => c.NetworkId == lineSplit[2].ConvertLong()),
|
||||||
|
Owner = server
|
||||||
|
};
|
||||||
|
}
|
||||||
|
|
||||||
|
if (cleanedEventLine.Contains("ScriptDamage"))
|
||||||
|
{
|
||||||
|
return new GameEvent()
|
||||||
|
{
|
||||||
|
Type = GameEvent.EventType.ScriptDamage,
|
||||||
|
Data = logLine,
|
||||||
|
Origin = server.GetPlayersAsList().First(c => c.NetworkId == lineSplit[1].ConvertLong()),
|
||||||
|
Target = server.GetPlayersAsList().First(c => c.NetworkId == lineSplit[2].ConvertLong()),
|
||||||
|
Owner = server
|
||||||
|
};
|
||||||
|
}
|
||||||
|
|
||||||
|
if (cleanedEventLine[0] == 'D')
|
||||||
|
{
|
||||||
|
if (Regex.Match(cleanedEventLine, @"^(D);((?:bot[0-9]+)|(?:[A-Z]|[0-9])+);([0-9]+);(axis|allies);(.+);((?:[A-Z]|[0-9])+);([0-9]+);(axis|allies);(.+);((?:[0-9]+|[a-z]+|_)+);([0-9]+);((?:[A-Z]|_)+);((?:[a-z]|_)+)$").Success)
|
||||||
|
{
|
||||||
|
return new GameEvent()
|
||||||
|
{
|
||||||
|
Type = GameEvent.EventType.Damage,
|
||||||
|
Data = cleanedEventLine,
|
||||||
|
Origin = server.GetPlayersAsList().First(c => c.NetworkId == lineSplit[5].ConvertLong()),
|
||||||
|
Target = server.GetPlayersAsList().First(c => c.NetworkId == lineSplit[1].ConvertLong()),
|
||||||
|
Owner = server
|
||||||
|
};
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
if (cleanedEventLine.Contains("ExitLevel"))
|
||||||
|
{
|
||||||
|
return new GameEvent()
|
||||||
|
{
|
||||||
|
Type = GameEvent.EventType.MapEnd,
|
||||||
|
Data = lineSplit[0],
|
||||||
|
Origin = new Player()
|
||||||
|
{
|
||||||
|
ClientId = 1
|
||||||
|
},
|
||||||
|
Target = new Player()
|
||||||
|
{
|
||||||
|
ClientId = 1
|
||||||
|
},
|
||||||
|
Owner = server
|
||||||
|
};
|
||||||
|
}
|
||||||
|
|
||||||
|
if (cleanedEventLine.Contains("InitGame"))
|
||||||
|
{
|
||||||
|
string dump = cleanedEventLine.Replace("InitGame: ", "");
|
||||||
|
|
||||||
|
return new GameEvent()
|
||||||
|
{
|
||||||
|
Type = GameEvent.EventType.MapChange,
|
||||||
|
Data = lineSplit[0],
|
||||||
|
Origin = new Player()
|
||||||
|
{
|
||||||
|
ClientId = 1
|
||||||
|
},
|
||||||
|
Target = new Player()
|
||||||
|
{
|
||||||
|
ClientId = 1
|
||||||
|
},
|
||||||
|
Owner = server,
|
||||||
|
Extra = dump.DictionaryFromKeyValue()
|
||||||
|
};
|
||||||
|
}
|
||||||
|
|
||||||
|
return new GameEvent()
|
||||||
|
{
|
||||||
|
Type = GameEvent.EventType.Unknown,
|
||||||
|
Origin = new Player()
|
||||||
|
{
|
||||||
|
ClientId = 1
|
||||||
|
},
|
||||||
|
Target = new Player()
|
||||||
|
{
|
||||||
|
ClientId = 1
|
||||||
|
},
|
||||||
|
Owner = server
|
||||||
|
};
|
||||||
|
}
|
||||||
|
|
||||||
|
// other parsers can derive from this parser so we make it virtual
|
||||||
|
public virtual string GetGameDir() => "userraw";
|
||||||
|
}
|
||||||
|
}
|
53
Application/EventParsers/IW5EventParser.cs
Normal file
53
Application/EventParsers/IW5EventParser.cs
Normal file
@ -0,0 +1,53 @@
|
|||||||
|
using SharedLibraryCore;
|
||||||
|
using SharedLibraryCore.Interfaces;
|
||||||
|
using SharedLibraryCore.Objects;
|
||||||
|
using System;
|
||||||
|
using System.Collections.Generic;
|
||||||
|
using System.Linq;
|
||||||
|
using System.Text;
|
||||||
|
using System.Text.RegularExpressions;
|
||||||
|
|
||||||
|
namespace IW4MAdmin.Application.EventParsers
|
||||||
|
{
|
||||||
|
class IW5EventParser : IW4EventParser
|
||||||
|
{
|
||||||
|
public override string GetGameDir() => "logs";
|
||||||
|
|
||||||
|
public override GameEvent GetEvent(Server server, string logLine)
|
||||||
|
{
|
||||||
|
string cleanedEventLine = Regex.Replace(logLine, @"[0-9]+:[0-9]+\ ", "").Trim();
|
||||||
|
|
||||||
|
if (cleanedEventLine.Contains("J;"))
|
||||||
|
{
|
||||||
|
string[] lineSplit = cleanedEventLine.Split(';');
|
||||||
|
|
||||||
|
int clientNum = Int32.Parse(lineSplit[2]);
|
||||||
|
|
||||||
|
var player = new Player()
|
||||||
|
{
|
||||||
|
NetworkId = lineSplit[1].ConvertLong(),
|
||||||
|
ClientNumber = clientNum,
|
||||||
|
Name = lineSplit[3]
|
||||||
|
};
|
||||||
|
|
||||||
|
return new GameEvent()
|
||||||
|
{
|
||||||
|
Type = GameEvent.EventType.Join,
|
||||||
|
Origin = new Player()
|
||||||
|
{
|
||||||
|
ClientId = 1
|
||||||
|
},
|
||||||
|
Target = new Player()
|
||||||
|
{
|
||||||
|
ClientId = 1
|
||||||
|
},
|
||||||
|
Owner = server,
|
||||||
|
Extra = player
|
||||||
|
};
|
||||||
|
}
|
||||||
|
|
||||||
|
else
|
||||||
|
return base.GetEvent(server, logLine);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
@ -1,35 +0,0 @@
|
|||||||
using IW4MAdmin.Application.Misc;
|
|
||||||
using SharedLibraryCore.Interfaces;
|
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Text.RegularExpressions;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.EventParsers
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// implementation of the IParserPatternMatcher for windows (really it's the only implementation)
|
|
||||||
/// </summary>
|
|
||||||
public class ParserPatternMatcher : IParserPatternMatcher
|
|
||||||
{
|
|
||||||
private Regex regex;
|
|
||||||
|
|
||||||
/// <inheritdoc/>
|
|
||||||
public void Compile(string pattern)
|
|
||||||
{
|
|
||||||
regex = new Regex(pattern, RegexOptions.Compiled | RegexOptions.IgnoreCase);
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <inheritdoc/>
|
|
||||||
public IMatchResult Match(string input)
|
|
||||||
{
|
|
||||||
var match = regex.Match(input);
|
|
||||||
|
|
||||||
return new ParserMatchResult()
|
|
||||||
{
|
|
||||||
Success = match.Success,
|
|
||||||
Values = (match.Groups as IEnumerable<object>)?
|
|
||||||
.Select(_item => _item.ToString()).ToArray() ?? new string[0]
|
|
||||||
};
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
11
Application/EventParsers/T5MEventParser.cs
Normal file
11
Application/EventParsers/T5MEventParser.cs
Normal file
@ -0,0 +1,11 @@
|
|||||||
|
using System;
|
||||||
|
using System.Collections.Generic;
|
||||||
|
using System.Text;
|
||||||
|
|
||||||
|
namespace IW4MAdmin.Application.EventParsers
|
||||||
|
{
|
||||||
|
class T5MEventParser : IW4EventParser
|
||||||
|
{
|
||||||
|
public override string GetGameDir() => "v2";
|
||||||
|
}
|
||||||
|
}
|
111
Application/EventParsers/T6MEventParser.cs
Normal file
111
Application/EventParsers/T6MEventParser.cs
Normal file
@ -0,0 +1,111 @@
|
|||||||
|
using System;
|
||||||
|
using System.Collections.Generic;
|
||||||
|
using System.IO;
|
||||||
|
using System.Linq;
|
||||||
|
using System.Text.RegularExpressions;
|
||||||
|
using SharedLibraryCore;
|
||||||
|
using SharedLibraryCore.Interfaces;
|
||||||
|
using SharedLibraryCore.Objects;
|
||||||
|
|
||||||
|
namespace IW4MAdmin.Application.EventParsers
|
||||||
|
{
|
||||||
|
class T6MEventParser : IW4EventParser
|
||||||
|
{
|
||||||
|
/*public GameEvent GetEvent(Server server, string logLine)
|
||||||
|
{
|
||||||
|
string cleanedEventLine = Regex.Replace(logLine, @"^ *[0-9]+:[0-9]+ *", "").Trim();
|
||||||
|
string[] lineSplit = cleanedEventLine.Split(';');
|
||||||
|
|
||||||
|
if (lineSplit[0][0] == 'K')
|
||||||
|
{
|
||||||
|
return new GameEvent()
|
||||||
|
{
|
||||||
|
Type = GameEvent.EventType.Kill,
|
||||||
|
Data = cleanedEventLine,
|
||||||
|
Origin = server.GetPlayersAsList().First(c => c.ClientNumber == Utilities.ClientIdFromString(lineSplit, 6)),
|
||||||
|
Target = server.GetPlayersAsList().First(c => c.ClientNumber == Utilities.ClientIdFromString(lineSplit, 2)),
|
||||||
|
Owner = server
|
||||||
|
};
|
||||||
|
}
|
||||||
|
|
||||||
|
if (lineSplit[0][0] == 'D')
|
||||||
|
{
|
||||||
|
return new GameEvent()
|
||||||
|
{
|
||||||
|
Type = GameEvent.EventType.Damage,
|
||||||
|
Data = cleanedEventLine,
|
||||||
|
Origin = server.GetPlayersAsList().First(c => c.ClientNumber == Utilities.ClientIdFromString(lineSplit, 6)),
|
||||||
|
Target = server.GetPlayersAsList().First(c => c.ClientNumber == Utilities.ClientIdFromString(lineSplit, 2)),
|
||||||
|
Owner = server
|
||||||
|
};
|
||||||
|
}
|
||||||
|
|
||||||
|
if (lineSplit[0] == "say" || lineSplit[0] == "sayteam")
|
||||||
|
{
|
||||||
|
return new GameEvent()
|
||||||
|
{
|
||||||
|
Type = GameEvent.EventType.Say,
|
||||||
|
Data = lineSplit[4],
|
||||||
|
Origin = server.GetPlayersAsList().First(c => c.ClientNumber == Utilities.ClientIdFromString(lineSplit, 2)),
|
||||||
|
Owner = server,
|
||||||
|
Message = lineSplit[4]
|
||||||
|
};
|
||||||
|
}
|
||||||
|
|
||||||
|
if (lineSplit[0].Contains("ExitLevel"))
|
||||||
|
{
|
||||||
|
return new GameEvent()
|
||||||
|
{
|
||||||
|
Type = GameEvent.EventType.MapEnd,
|
||||||
|
Data = lineSplit[0],
|
||||||
|
Origin = new Player()
|
||||||
|
{
|
||||||
|
ClientId = 1
|
||||||
|
},
|
||||||
|
Target = new Player()
|
||||||
|
{
|
||||||
|
ClientId = 1
|
||||||
|
},
|
||||||
|
Owner = server
|
||||||
|
};
|
||||||
|
}
|
||||||
|
|
||||||
|
if (lineSplit[0].Contains("InitGame"))
|
||||||
|
{
|
||||||
|
string dump = cleanedEventLine.Replace("InitGame: ", "");
|
||||||
|
|
||||||
|
return new GameEvent()
|
||||||
|
{
|
||||||
|
Type = GameEvent.EventType.MapChange,
|
||||||
|
Data = lineSplit[0],
|
||||||
|
Origin = new Player()
|
||||||
|
{
|
||||||
|
ClientId = 1
|
||||||
|
},
|
||||||
|
Target = new Player()
|
||||||
|
{
|
||||||
|
ClientId = 1
|
||||||
|
},
|
||||||
|
Owner = server,
|
||||||
|
Extra = dump.DictionaryFromKeyValue()
|
||||||
|
};
|
||||||
|
}
|
||||||
|
|
||||||
|
return new GameEvent()
|
||||||
|
{
|
||||||
|
Type = GameEvent.EventType.Unknown,
|
||||||
|
Origin = new Player()
|
||||||
|
{
|
||||||
|
ClientId = 1
|
||||||
|
},
|
||||||
|
Target = new Player()
|
||||||
|
{
|
||||||
|
ClientId = 1
|
||||||
|
},
|
||||||
|
Owner = server
|
||||||
|
};
|
||||||
|
}*/
|
||||||
|
|
||||||
|
public override string GetGameDir() => $"t6r{Path.DirectorySeparatorChar}data";
|
||||||
|
}
|
||||||
|
}
|
@ -1,35 +0,0 @@
|
|||||||
using System;
|
|
||||||
using System.Collections.Generic;
|
|
||||||
using IW4MAdmin.Application.Misc;
|
|
||||||
using SharedLibraryCore.Interfaces;
|
|
||||||
using System.Linq;
|
|
||||||
using SharedLibraryCore;
|
|
||||||
using SharedLibraryCore.Configuration;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.Extensions
|
|
||||||
{
|
|
||||||
public static class CommandExtensions
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// determines the command configuration name for given manager command
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="command">command to determine config name for</param>
|
|
||||||
/// <returns></returns>
|
|
||||||
public static string CommandConfigNameForType(this IManagerCommand command)
|
|
||||||
{
|
|
||||||
return command.GetType() == typeof(ScriptCommand)
|
|
||||||
? $"{char.ToUpper(command.Name[0])}{command.Name.Substring(1)}Command"
|
|
||||||
: command.GetType().Name;
|
|
||||||
}
|
|
||||||
|
|
||||||
public static IList<Map> FindMap(this Server server, string mapName) => server.Maps.Where(map =>
|
|
||||||
map.Name.Equals(mapName, StringComparison.InvariantCultureIgnoreCase) ||
|
|
||||||
map.Alias.Equals(mapName, StringComparison.InvariantCultureIgnoreCase)).ToList();
|
|
||||||
|
|
||||||
public static IList<Gametype> FindGametype(this DefaultSettings settings, string gameType, Server.Game? game = null) =>
|
|
||||||
settings.Gametypes?.Where(gt => game == null || gt.Game == game)
|
|
||||||
.SelectMany(gt => gt.Gametypes).Where(gt =>
|
|
||||||
gt.Alias.Contains(gameType, StringComparison.CurrentCultureIgnoreCase) ||
|
|
||||||
gt.Name.Contains(gameType, StringComparison.CurrentCultureIgnoreCase)).ToList();
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,104 +0,0 @@
|
|||||||
using System;
|
|
||||||
using System.IO;
|
|
||||||
using System.Runtime.InteropServices;
|
|
||||||
using Data.MigrationContext;
|
|
||||||
using Microsoft.Data.Sqlite;
|
|
||||||
using Microsoft.EntityFrameworkCore;
|
|
||||||
using Microsoft.Extensions.Configuration;
|
|
||||||
using Microsoft.Extensions.DependencyInjection;
|
|
||||||
using Microsoft.Extensions.Logging;
|
|
||||||
using Serilog;
|
|
||||||
using Serilog.Events;
|
|
||||||
using SharedLibraryCore;
|
|
||||||
using SharedLibraryCore.Configuration;
|
|
||||||
using ILogger = Serilog.ILogger;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.Extensions
|
|
||||||
{
|
|
||||||
public static class StartupExtensions
|
|
||||||
{
|
|
||||||
private static ILogger _defaultLogger = null;
|
|
||||||
|
|
||||||
public static IServiceCollection AddBaseLogger(this IServiceCollection services,
|
|
||||||
ApplicationConfiguration appConfig)
|
|
||||||
{
|
|
||||||
if (_defaultLogger == null)
|
|
||||||
{
|
|
||||||
var configuration = new ConfigurationBuilder()
|
|
||||||
.AddJsonFile(Path.Join(Utilities.OperatingDirectory, "Configuration", "LoggingConfiguration.json"))
|
|
||||||
.Build();
|
|
||||||
|
|
||||||
var loggerConfig = new LoggerConfiguration()
|
|
||||||
.ReadFrom.Configuration(configuration)
|
|
||||||
.MinimumLevel.Override("Microsoft", LogEventLevel.Warning);
|
|
||||||
|
|
||||||
if (Utilities.IsDevelopment)
|
|
||||||
{
|
|
||||||
loggerConfig = loggerConfig.WriteTo.Console(
|
|
||||||
outputTemplate:
|
|
||||||
"[{Timestamp:yyyy-MM-dd HH:mm:ss.fff} {Server} {Level:u3}] {Message:lj}{NewLine}{Exception}")
|
|
||||||
.MinimumLevel.Override("Microsoft", LogEventLevel.Information)
|
|
||||||
.MinimumLevel.Debug();
|
|
||||||
}
|
|
||||||
|
|
||||||
_defaultLogger = loggerConfig.CreateLogger();
|
|
||||||
}
|
|
||||||
|
|
||||||
services.AddLogging(builder => builder.AddSerilog(_defaultLogger, dispose: true));
|
|
||||||
services.AddSingleton(new LoggerFactory()
|
|
||||||
.AddSerilog(_defaultLogger, true));
|
|
||||||
return services;
|
|
||||||
}
|
|
||||||
|
|
||||||
public static IServiceCollection AddDatabaseContextOptions(this IServiceCollection services,
|
|
||||||
ApplicationConfiguration appConfig)
|
|
||||||
{
|
|
||||||
var activeProvider = appConfig.DatabaseProvider?.ToLower();
|
|
||||||
|
|
||||||
if (string.IsNullOrEmpty(appConfig.ConnectionString) || activeProvider == "sqlite")
|
|
||||||
{
|
|
||||||
var currentPath = Utilities.OperatingDirectory;
|
|
||||||
currentPath = !RuntimeInformation.IsOSPlatform(OSPlatform.Windows)
|
|
||||||
? $"{Path.DirectorySeparatorChar}{currentPath}"
|
|
||||||
: currentPath;
|
|
||||||
|
|
||||||
var connectionStringBuilder = new SqliteConnectionStringBuilder
|
|
||||||
{DataSource = Path.Join(currentPath, "Database", "Database.db")};
|
|
||||||
var connectionString = connectionStringBuilder.ToString();
|
|
||||||
|
|
||||||
services.AddSingleton(sp => (DbContextOptions) new DbContextOptionsBuilder<SqliteDatabaseContext>()
|
|
||||||
.UseSqlite(connectionString)
|
|
||||||
.UseLoggerFactory(sp.GetRequiredService<ILoggerFactory>())
|
|
||||||
.EnableSensitiveDataLogging().Options);
|
|
||||||
return services;
|
|
||||||
}
|
|
||||||
|
|
||||||
switch (activeProvider)
|
|
||||||
{
|
|
||||||
case "mysql":
|
|
||||||
var appendTimeout = !appConfig.ConnectionString.Contains("default command timeout",
|
|
||||||
StringComparison.InvariantCultureIgnoreCase);
|
|
||||||
services.AddSingleton(sp => (DbContextOptions) new DbContextOptionsBuilder<MySqlDatabaseContext>()
|
|
||||||
.UseMySql(appConfig.ConnectionString + (appendTimeout ? ";default command timeout=0" : ""),
|
|
||||||
mysqlOptions => mysqlOptions.EnableRetryOnFailure())
|
|
||||||
.UseLoggerFactory(sp.GetRequiredService<ILoggerFactory>()).Options);
|
|
||||||
return services;
|
|
||||||
case "postgresql":
|
|
||||||
appendTimeout = !appConfig.ConnectionString.Contains("Command Timeout",
|
|
||||||
StringComparison.InvariantCultureIgnoreCase);
|
|
||||||
services.AddSingleton(sp =>
|
|
||||||
(DbContextOptions) new DbContextOptionsBuilder<PostgresqlDatabaseContext>()
|
|
||||||
.UseNpgsql(appConfig.ConnectionString + (appendTimeout ? ";Command Timeout=0" : ""),
|
|
||||||
postgresqlOptions =>
|
|
||||||
{
|
|
||||||
postgresqlOptions.EnableRetryOnFailure();
|
|
||||||
postgresqlOptions.SetPostgresVersion(new Version("9.4"));
|
|
||||||
})
|
|
||||||
.UseLoggerFactory(sp.GetRequiredService<ILoggerFactory>()).Options);
|
|
||||||
return services;
|
|
||||||
default:
|
|
||||||
throw new ArgumentException($"No context available for {appConfig.DatabaseProvider}");
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,23 +0,0 @@
|
|||||||
using IW4MAdmin.Application.Misc;
|
|
||||||
using SharedLibraryCore.Interfaces;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.Factories
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// implementation of IConfigurationHandlerFactory
|
|
||||||
/// provides base functionality to create configuration handlers
|
|
||||||
/// </summary>
|
|
||||||
public class ConfigurationHandlerFactory : IConfigurationHandlerFactory
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// creates a base configuration handler
|
|
||||||
/// </summary>
|
|
||||||
/// <typeparam name="T">base configuration type</typeparam>
|
|
||||||
/// <param name="name">name of the config file</param>
|
|
||||||
/// <returns></returns>
|
|
||||||
public IConfigurationHandler<T> GetConfigurationHandler<T>(string name) where T : IBaseConfiguration
|
|
||||||
{
|
|
||||||
return new BaseConfigurationHandler<T>(name);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,62 +0,0 @@
|
|||||||
using System;
|
|
||||||
using Data.Abstractions;
|
|
||||||
using Data.Context;
|
|
||||||
using Data.MigrationContext;
|
|
||||||
using Microsoft.EntityFrameworkCore;
|
|
||||||
using SharedLibraryCore.Configuration;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.Factories
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// implementation of the IDatabaseContextFactory interface
|
|
||||||
/// </summary>
|
|
||||||
public class DatabaseContextFactory : IDatabaseContextFactory
|
|
||||||
{
|
|
||||||
private readonly DbContextOptions _contextOptions;
|
|
||||||
private readonly string _activeProvider;
|
|
||||||
|
|
||||||
public DatabaseContextFactory(ApplicationConfiguration appConfig, DbContextOptions contextOptions)
|
|
||||||
{
|
|
||||||
_contextOptions = contextOptions;
|
|
||||||
_activeProvider = appConfig.DatabaseProvider?.ToLower();
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// creates a new database context
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="enableTracking">indicates if entity tracking should be enabled</param>
|
|
||||||
/// <returns></returns>
|
|
||||||
public DatabaseContext CreateContext(bool? enableTracking = true)
|
|
||||||
{
|
|
||||||
var context = BuildContext();
|
|
||||||
|
|
||||||
enableTracking ??= true;
|
|
||||||
|
|
||||||
if (enableTracking.Value)
|
|
||||||
{
|
|
||||||
context.ChangeTracker.AutoDetectChangesEnabled = true;
|
|
||||||
context.ChangeTracker.LazyLoadingEnabled = true;
|
|
||||||
context.ChangeTracker.QueryTrackingBehavior = QueryTrackingBehavior.TrackAll;
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
context.ChangeTracker.AutoDetectChangesEnabled = false;
|
|
||||||
context.ChangeTracker.LazyLoadingEnabled = false;
|
|
||||||
context.ChangeTracker.QueryTrackingBehavior = QueryTrackingBehavior.NoTracking;
|
|
||||||
}
|
|
||||||
|
|
||||||
return context;
|
|
||||||
}
|
|
||||||
|
|
||||||
private DatabaseContext BuildContext()
|
|
||||||
{
|
|
||||||
return _activeProvider switch
|
|
||||||
{
|
|
||||||
"sqlite" => new SqliteDatabaseContext(_contextOptions),
|
|
||||||
"mysql" => new MySqlDatabaseContext(_contextOptions),
|
|
||||||
"postgresql" => new PostgresqlDatabaseContext(_contextOptions),
|
|
||||||
_ => throw new ArgumentException($"No context found for {_activeProvider}")
|
|
||||||
};
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,34 +0,0 @@
|
|||||||
using IW4MAdmin.Application.IO;
|
|
||||||
using Microsoft.Extensions.DependencyInjection;
|
|
||||||
using SharedLibraryCore.Interfaces;
|
|
||||||
using System;
|
|
||||||
using Microsoft.Extensions.Logging;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.Factories
|
|
||||||
{
|
|
||||||
public class GameLogReaderFactory : IGameLogReaderFactory
|
|
||||||
{
|
|
||||||
private readonly IServiceProvider _serviceProvider;
|
|
||||||
|
|
||||||
public GameLogReaderFactory(IServiceProvider serviceProvider)
|
|
||||||
{
|
|
||||||
_serviceProvider = serviceProvider;
|
|
||||||
}
|
|
||||||
|
|
||||||
public IGameLogReader CreateGameLogReader(Uri[] logUris, IEventParser eventParser)
|
|
||||||
{
|
|
||||||
var baseUri = logUris[0];
|
|
||||||
if (baseUri.Scheme == Uri.UriSchemeHttp)
|
|
||||||
{
|
|
||||||
return new GameLogReaderHttp(logUris, eventParser, _serviceProvider.GetRequiredService<ILogger<GameLogReaderHttp>>());
|
|
||||||
}
|
|
||||||
|
|
||||||
else if (baseUri.Scheme == Uri.UriSchemeFile)
|
|
||||||
{
|
|
||||||
return new GameLogReader(baseUri.LocalPath, eventParser, _serviceProvider.GetRequiredService<ILogger<GameLogReader>>());
|
|
||||||
}
|
|
||||||
|
|
||||||
throw new NotImplementedException($"No log reader implemented for Uri scheme \"{baseUri.Scheme}\"");
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,48 +0,0 @@
|
|||||||
using System;
|
|
||||||
using Data.Abstractions;
|
|
||||||
using Data.Models.Server;
|
|
||||||
using Microsoft.Extensions.DependencyInjection;
|
|
||||||
using SharedLibraryCore;
|
|
||||||
using SharedLibraryCore.Configuration;
|
|
||||||
using SharedLibraryCore.Interfaces;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.Factories
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// implementation of IGameServerInstanceFactory
|
|
||||||
/// </summary>
|
|
||||||
internal class GameServerInstanceFactory : IGameServerInstanceFactory
|
|
||||||
{
|
|
||||||
private readonly ITranslationLookup _translationLookup;
|
|
||||||
private readonly IMetaService _metaService;
|
|
||||||
private readonly IServiceProvider _serviceProvider;
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// base constructor
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="translationLookup"></param>
|
|
||||||
/// <param name="rconConnectionFactory"></param>
|
|
||||||
public GameServerInstanceFactory(ITranslationLookup translationLookup,
|
|
||||||
IMetaService metaService,
|
|
||||||
IServiceProvider serviceProvider)
|
|
||||||
{
|
|
||||||
_translationLookup = translationLookup;
|
|
||||||
_metaService = metaService;
|
|
||||||
_serviceProvider = serviceProvider;
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// creates an IW4MServer instance
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="config">server configuration</param>
|
|
||||||
/// <param name="manager">application manager</param>
|
|
||||||
/// <returns></returns>
|
|
||||||
public Server CreateServer(ServerConfiguration config, IManager manager)
|
|
||||||
{
|
|
||||||
return new IW4MServer(config,
|
|
||||||
_serviceProvider.GetRequiredService<CommandConfiguration>(), _translationLookup, _metaService,
|
|
||||||
_serviceProvider, _serviceProvider.GetRequiredService<IClientNoticeMessageFormatter>(),
|
|
||||||
_serviceProvider.GetRequiredService<ILookupCache<EFServer>>());
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,26 +0,0 @@
|
|||||||
using SharedLibraryCore.Interfaces;
|
|
||||||
using Microsoft.Extensions.DependencyInjection;
|
|
||||||
using System;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.Factories
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// Implementation of the IParserRegexFactory
|
|
||||||
/// </summary>
|
|
||||||
public class ParserRegexFactory : IParserRegexFactory
|
|
||||||
{
|
|
||||||
private readonly IServiceProvider _serviceProvider;
|
|
||||||
|
|
||||||
/// <inheritdoc/>
|
|
||||||
public ParserRegexFactory(IServiceProvider serviceProvider)
|
|
||||||
{
|
|
||||||
_serviceProvider = serviceProvider;
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <inheritdoc/>
|
|
||||||
public ParserRegex CreateParserRegex()
|
|
||||||
{
|
|
||||||
return new ParserRegex(_serviceProvider.GetService<IParserPatternMatcher>());
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,46 +0,0 @@
|
|||||||
using System;
|
|
||||||
using System.Net;
|
|
||||||
using SharedLibraryCore.Interfaces;
|
|
||||||
using System.Text;
|
|
||||||
using Integrations.Cod;
|
|
||||||
using Integrations.Source;
|
|
||||||
using Integrations.Source.Interfaces;
|
|
||||||
using Microsoft.Extensions.DependencyInjection;
|
|
||||||
using Microsoft.Extensions.Logging;
|
|
||||||
using SharedLibraryCore.Configuration;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.Factories
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// implementation of IRConConnectionFactory
|
|
||||||
/// </summary>
|
|
||||||
internal class RConConnectionFactory : IRConConnectionFactory
|
|
||||||
{
|
|
||||||
private static readonly Encoding GameEncoding = Encoding.GetEncoding("windows-1252");
|
|
||||||
private readonly IServiceProvider _serviceProvider;
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// Base constructor
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="logger"></param>
|
|
||||||
public RConConnectionFactory(IServiceProvider serviceProvider)
|
|
||||||
{
|
|
||||||
_serviceProvider = serviceProvider;
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <inheritdoc/>
|
|
||||||
public IRConConnection CreateConnection(IPEndPoint ipEndpoint, string password, string rconEngine)
|
|
||||||
{
|
|
||||||
return rconEngine switch
|
|
||||||
{
|
|
||||||
"COD" => new CodRConConnection(ipEndpoint, password,
|
|
||||||
_serviceProvider.GetRequiredService<ILogger<CodRConConnection>>(), GameEncoding,
|
|
||||||
_serviceProvider.GetRequiredService<ApplicationConfiguration>()?.ServerConnectionAttempts ?? 6),
|
|
||||||
"Source" => new SourceRConConnection(
|
|
||||||
_serviceProvider.GetRequiredService<ILogger<SourceRConConnection>>(),
|
|
||||||
_serviceProvider.GetRequiredService<IRConClientFactory>(), ipEndpoint, password),
|
|
||||||
_ => throw new ArgumentException($"No supported RCon engine available for '{rconEngine}'")
|
|
||||||
};
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,46 +0,0 @@
|
|||||||
using IW4MAdmin.Application.Misc;
|
|
||||||
using SharedLibraryCore;
|
|
||||||
using SharedLibraryCore.Commands;
|
|
||||||
using SharedLibraryCore.Configuration;
|
|
||||||
using SharedLibraryCore.Interfaces;
|
|
||||||
using System;
|
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.Linq;
|
|
||||||
using Data.Models.Client;
|
|
||||||
using Microsoft.Extensions.DependencyInjection;
|
|
||||||
using Microsoft.Extensions.Logging;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.Factories
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// implementation of IScriptCommandFactory
|
|
||||||
/// </summary>
|
|
||||||
public class ScriptCommandFactory : IScriptCommandFactory
|
|
||||||
{
|
|
||||||
private readonly CommandConfiguration _config;
|
|
||||||
private readonly ITranslationLookup _transLookup;
|
|
||||||
private readonly IServiceProvider _serviceProvider;
|
|
||||||
|
|
||||||
public ScriptCommandFactory(CommandConfiguration config, ITranslationLookup transLookup, IServiceProvider serviceProvider)
|
|
||||||
{
|
|
||||||
_config = config;
|
|
||||||
_transLookup = transLookup;
|
|
||||||
_serviceProvider = serviceProvider;
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <inheritdoc/>
|
|
||||||
public IManagerCommand CreateScriptCommand(string name, string alias, string description, string permission,
|
|
||||||
bool isTargetRequired, IEnumerable<(string, bool)> args, Action<GameEvent> executeAction)
|
|
||||||
{
|
|
||||||
var permissionEnum = Enum.Parse<EFClient.Permission>(permission);
|
|
||||||
var argsArray = args.Select(_arg => new CommandArgument
|
|
||||||
{
|
|
||||||
Name = _arg.Item1,
|
|
||||||
Required = _arg.Item2
|
|
||||||
}).ToArray();
|
|
||||||
|
|
||||||
return new ScriptCommand(name, alias, description, isTargetRequired, permissionEnum, argsArray, executeAction,
|
|
||||||
_config, _transLookup, _serviceProvider.GetRequiredService<ILogger<ScriptCommand>>());
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,46 +1,105 @@
|
|||||||
using IW4MAdmin.Application.Misc;
|
using SharedLibraryCore;
|
||||||
using SharedLibraryCore;
|
|
||||||
using SharedLibraryCore.Events;
|
|
||||||
using SharedLibraryCore.Interfaces;
|
using SharedLibraryCore.Interfaces;
|
||||||
|
using System;
|
||||||
|
using System.Collections.Concurrent;
|
||||||
|
using System.Collections.Generic;
|
||||||
using System.Linq;
|
using System.Linq;
|
||||||
using System.Threading.Tasks;
|
using System.Text;
|
||||||
using Microsoft.Extensions.Logging;
|
using System.Threading;
|
||||||
using ILogger = Microsoft.Extensions.Logging.ILogger;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application
|
namespace IW4MAdmin.Application
|
||||||
{
|
{
|
||||||
public class GameEventHandler : IEventHandler
|
class GameEventHandler : IEventHandler
|
||||||
{
|
{
|
||||||
private readonly EventLog _eventLog;
|
private ConcurrentQueue<GameEvent> EventQueue;
|
||||||
private readonly ILogger _logger;
|
private Queue<GameEvent> StatusSensitiveQueue;
|
||||||
private readonly IEventPublisher _eventPublisher;
|
private IManager Manager;
|
||||||
private static readonly GameEvent.EventType[] overrideEvents = new[]
|
|
||||||
{
|
|
||||||
GameEvent.EventType.Connect,
|
|
||||||
GameEvent.EventType.Disconnect,
|
|
||||||
GameEvent.EventType.Quit,
|
|
||||||
GameEvent.EventType.Stop
|
|
||||||
};
|
|
||||||
|
|
||||||
public GameEventHandler(ILogger<GameEventHandler> logger, IEventPublisher eventPublisher)
|
public GameEventHandler(IManager mgr)
|
||||||
{
|
{
|
||||||
_eventLog = new EventLog();
|
EventQueue = new ConcurrentQueue<GameEvent>();
|
||||||
_logger = logger;
|
StatusSensitiveQueue = new Queue<GameEvent>();
|
||||||
_eventPublisher = eventPublisher;
|
|
||||||
|
Manager = mgr;
|
||||||
}
|
}
|
||||||
|
|
||||||
public void HandleEvent(IManager manager, GameEvent gameEvent)
|
public void AddEvent(GameEvent gameEvent)
|
||||||
{
|
{
|
||||||
if (manager.IsRunning || overrideEvents.Contains(gameEvent.Type))
|
#if DEBUG
|
||||||
|
Manager.GetLogger().WriteDebug($"Got new event of type {gameEvent.Type} for {gameEvent.Owner}");
|
||||||
|
#endif
|
||||||
|
// we need this to keep accurate track of the score
|
||||||
|
if (gameEvent.Type == GameEvent.EventType.Kill ||
|
||||||
|
gameEvent.Type == GameEvent.EventType.Damage ||
|
||||||
|
gameEvent.Type == GameEvent.EventType.ScriptDamage ||
|
||||||
|
gameEvent.Type == GameEvent.EventType.ScriptKill ||
|
||||||
|
gameEvent.Type == GameEvent.EventType.MapChange)
|
||||||
{
|
{
|
||||||
EventApi.OnGameEvent(gameEvent);
|
#if DEBUG
|
||||||
_eventPublisher.Publish(gameEvent);
|
Manager.GetLogger().WriteDebug($"Added sensitive event to queue");
|
||||||
Task.Factory.StartNew(() => manager.ExecuteEvent(gameEvent));
|
#endif
|
||||||
|
lock (StatusSensitiveQueue)
|
||||||
|
{
|
||||||
|
StatusSensitiveQueue.Enqueue(gameEvent);
|
||||||
}
|
}
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
|
||||||
else
|
else
|
||||||
{
|
{
|
||||||
_logger.LogDebug("Skipping event as we're shutting down {eventId}", gameEvent.Id);
|
EventQueue.Enqueue(gameEvent);
|
||||||
|
Manager.SetHasEvent();
|
||||||
|
}
|
||||||
|
#if DEBUG
|
||||||
|
Manager.GetLogger().WriteDebug($"There are now {EventQueue.Count} events in queue");
|
||||||
|
#endif
|
||||||
|
}
|
||||||
|
|
||||||
|
public string[] GetEventOutput()
|
||||||
|
{
|
||||||
|
throw new NotImplementedException();
|
||||||
|
}
|
||||||
|
|
||||||
|
public GameEvent GetNextSensitiveEvent()
|
||||||
|
{
|
||||||
|
if (StatusSensitiveQueue.Count > 0)
|
||||||
|
{
|
||||||
|
lock (StatusSensitiveQueue)
|
||||||
|
{
|
||||||
|
if (!StatusSensitiveQueue.TryDequeue(out GameEvent newEvent))
|
||||||
|
{
|
||||||
|
Manager.GetLogger().WriteWarning("Could not dequeue time sensitive event for processing");
|
||||||
|
}
|
||||||
|
|
||||||
|
else
|
||||||
|
{
|
||||||
|
return newEvent;
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
return null;
|
||||||
|
}
|
||||||
|
|
||||||
|
public GameEvent GetNextEvent()
|
||||||
|
{
|
||||||
|
if (EventQueue.Count > 0)
|
||||||
|
{
|
||||||
|
#if DEBUG
|
||||||
|
Manager.GetLogger().WriteDebug("Getting next event to be processed");
|
||||||
|
#endif
|
||||||
|
if (!EventQueue.TryDequeue(out GameEvent newEvent))
|
||||||
|
{
|
||||||
|
Manager.GetLogger().WriteWarning("Could not dequeue event for processing");
|
||||||
|
}
|
||||||
|
|
||||||
|
else
|
||||||
|
{
|
||||||
|
return newEvent;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
return null;
|
||||||
|
}
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
78
Application/IO/GameLogEvent.cs
Normal file
78
Application/IO/GameLogEvent.cs
Normal file
@ -0,0 +1,78 @@
|
|||||||
|
using SharedLibraryCore;
|
||||||
|
using SharedLibraryCore.Interfaces;
|
||||||
|
using System;
|
||||||
|
using System.IO;
|
||||||
|
using System.Threading.Tasks;
|
||||||
|
|
||||||
|
namespace IW4MAdmin.Application.IO
|
||||||
|
{
|
||||||
|
class GameLogEvent
|
||||||
|
{
|
||||||
|
Server Server;
|
||||||
|
long PreviousFileSize;
|
||||||
|
GameLogReader Reader;
|
||||||
|
string GameLogFile;
|
||||||
|
|
||||||
|
class EventState
|
||||||
|
{
|
||||||
|
public ILogger Log { get; set; }
|
||||||
|
public string ServerId { get; set; }
|
||||||
|
}
|
||||||
|
|
||||||
|
public GameLogEvent(Server server, string gameLogPath, string gameLogName)
|
||||||
|
{
|
||||||
|
GameLogFile = gameLogPath;
|
||||||
|
Reader = new GameLogReader(gameLogPath, server.EventParser);
|
||||||
|
Server = server;
|
||||||
|
|
||||||
|
Task.Run(async () =>
|
||||||
|
{
|
||||||
|
while (!server.Manager.ShutdownRequested())
|
||||||
|
{
|
||||||
|
OnEvent(new EventState()
|
||||||
|
{
|
||||||
|
Log = server.Manager.GetLogger(),
|
||||||
|
ServerId = server.ToString()
|
||||||
|
});
|
||||||
|
await Task.Delay(100);
|
||||||
|
}
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
private void OnEvent(object state)
|
||||||
|
{
|
||||||
|
long newLength = new FileInfo(GameLogFile).Length;
|
||||||
|
|
||||||
|
try
|
||||||
|
{
|
||||||
|
UpdateLogEvents(newLength);
|
||||||
|
}
|
||||||
|
|
||||||
|
catch (Exception e)
|
||||||
|
{
|
||||||
|
((EventState)state).Log.WriteWarning($"Failed to update log event for {((EventState)state).ServerId}");
|
||||||
|
((EventState)state).Log.WriteDebug($"Exception: {e.Message}");
|
||||||
|
((EventState)state).Log.WriteDebug($"StackTrace: {e.StackTrace}");
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
private void UpdateLogEvents(long fileSize)
|
||||||
|
{
|
||||||
|
if (PreviousFileSize == 0)
|
||||||
|
PreviousFileSize = fileSize;
|
||||||
|
|
||||||
|
long fileDiff = fileSize - PreviousFileSize;
|
||||||
|
|
||||||
|
if (fileDiff < 1)
|
||||||
|
return;
|
||||||
|
|
||||||
|
PreviousFileSize = fileSize;
|
||||||
|
|
||||||
|
var events = Reader.EventsFromLog(Server, fileDiff, 0);
|
||||||
|
foreach (var ev in events)
|
||||||
|
Server.Manager.GetEventHandler().AddEvent(ev);
|
||||||
|
|
||||||
|
PreviousFileSize = fileSize;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
@ -1,124 +0,0 @@
|
|||||||
using SharedLibraryCore;
|
|
||||||
using SharedLibraryCore.Interfaces;
|
|
||||||
using System;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
using Microsoft.Extensions.Logging;
|
|
||||||
using Serilog.Context;
|
|
||||||
using ILogger = Microsoft.Extensions.Logging.ILogger;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.IO
|
|
||||||
{
|
|
||||||
public class GameLogEventDetection
|
|
||||||
{
|
|
||||||
private long previousFileSize;
|
|
||||||
private readonly Server _server;
|
|
||||||
private readonly IGameLogReader _reader;
|
|
||||||
private readonly bool _ignoreBots;
|
|
||||||
private readonly ILogger _logger;
|
|
||||||
|
|
||||||
public GameLogEventDetection(ILogger<GameLogEventDetection> logger, IW4MServer server, Uri[] gameLogUris, IGameLogReaderFactory gameLogReaderFactory)
|
|
||||||
{
|
|
||||||
_reader = gameLogReaderFactory.CreateGameLogReader(gameLogUris, server.EventParser);
|
|
||||||
_server = server;
|
|
||||||
_ignoreBots = server?.Manager.GetApplicationSettings().Configuration().IgnoreBots ?? false;
|
|
||||||
_logger = logger;
|
|
||||||
}
|
|
||||||
|
|
||||||
public async Task PollForChanges()
|
|
||||||
{
|
|
||||||
while (!_server.Manager.CancellationToken.IsCancellationRequested)
|
|
||||||
{
|
|
||||||
if (_server.IsInitialized)
|
|
||||||
{
|
|
||||||
try
|
|
||||||
{
|
|
||||||
await UpdateLogEvents();
|
|
||||||
}
|
|
||||||
|
|
||||||
catch (Exception e)
|
|
||||||
{
|
|
||||||
using(LogContext.PushProperty("Server", _server.ToString()))
|
|
||||||
{
|
|
||||||
_logger.LogError(e, "Failed to update log event for {endpoint}", _server.EndPoint);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
await Task.Delay(_reader.UpdateInterval, _server.Manager.CancellationToken);
|
|
||||||
}
|
|
||||||
|
|
||||||
_logger.LogDebug("Stopped polling for changes");
|
|
||||||
}
|
|
||||||
|
|
||||||
public async Task UpdateLogEvents()
|
|
||||||
{
|
|
||||||
long fileSize = _reader.Length;
|
|
||||||
|
|
||||||
if (previousFileSize == 0)
|
|
||||||
{
|
|
||||||
previousFileSize = fileSize;
|
|
||||||
}
|
|
||||||
|
|
||||||
long fileDiff = fileSize - previousFileSize;
|
|
||||||
|
|
||||||
// this makes the http log get pulled
|
|
||||||
if (fileDiff < 1 && fileSize != -1)
|
|
||||||
{
|
|
||||||
previousFileSize = fileSize;
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
var events = await _reader.ReadEventsFromLog(fileDiff, previousFileSize);
|
|
||||||
|
|
||||||
foreach (var gameEvent in events)
|
|
||||||
{
|
|
||||||
try
|
|
||||||
{
|
|
||||||
gameEvent.Owner = _server;
|
|
||||||
|
|
||||||
// we don't want to add the event if ignoreBots is on and the event comes from a bot
|
|
||||||
if (!_ignoreBots || (_ignoreBots && !((gameEvent.Origin?.IsBot ?? false) || (gameEvent.Target?.IsBot ?? false))))
|
|
||||||
{
|
|
||||||
if ((gameEvent.RequiredEntity & GameEvent.EventRequiredEntity.Origin) == GameEvent.EventRequiredEntity.Origin && gameEvent.Origin.NetworkId != Utilities.WORLD_ID)
|
|
||||||
{
|
|
||||||
gameEvent.Origin = _server.GetClientsAsList().First(_client => _client.NetworkId == gameEvent.Origin?.NetworkId);;
|
|
||||||
}
|
|
||||||
|
|
||||||
if ((gameEvent.RequiredEntity & GameEvent.EventRequiredEntity.Target) == GameEvent.EventRequiredEntity.Target)
|
|
||||||
{
|
|
||||||
gameEvent.Target = _server.GetClientsAsList().First(_client => _client.NetworkId == gameEvent.Target?.NetworkId);
|
|
||||||
}
|
|
||||||
|
|
||||||
if (gameEvent.Origin != null)
|
|
||||||
{
|
|
||||||
gameEvent.Origin.CurrentServer = _server;
|
|
||||||
}
|
|
||||||
|
|
||||||
if (gameEvent.Target != null)
|
|
||||||
{
|
|
||||||
gameEvent.Target.CurrentServer = _server;
|
|
||||||
}
|
|
||||||
|
|
||||||
_server.Manager.AddEvent(gameEvent);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
catch (InvalidOperationException)
|
|
||||||
{
|
|
||||||
if (_ignoreBots)
|
|
||||||
{
|
|
||||||
continue;
|
|
||||||
}
|
|
||||||
|
|
||||||
using(LogContext.PushProperty("Server", _server.ToString()))
|
|
||||||
{
|
|
||||||
_logger.LogError("Could not find client in client list when parsing event line {data}", gameEvent.Data);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
previousFileSize = fileSize;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -3,79 +3,58 @@ using SharedLibraryCore.Interfaces;
|
|||||||
using System;
|
using System;
|
||||||
using System.Collections.Generic;
|
using System.Collections.Generic;
|
||||||
using System.IO;
|
using System.IO;
|
||||||
using System.Linq;
|
|
||||||
using System.Text;
|
using System.Text;
|
||||||
using System.Threading.Tasks;
|
|
||||||
using Microsoft.Extensions.Logging;
|
|
||||||
using ILogger = Microsoft.Extensions.Logging.ILogger;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.IO
|
namespace IW4MAdmin.Application.IO
|
||||||
{
|
{
|
||||||
class GameLogReader : IGameLogReader
|
class GameLogReader
|
||||||
{
|
{
|
||||||
private readonly IEventParser _parser;
|
IEventParser Parser;
|
||||||
private readonly string _logFile;
|
string LogFile;
|
||||||
private readonly ILogger _logger;
|
|
||||||
|
|
||||||
public long Length => new FileInfo(_logFile).Length;
|
public GameLogReader(string logFile, IEventParser parser)
|
||||||
|
|
||||||
public int UpdateInterval => 300;
|
|
||||||
|
|
||||||
public GameLogReader(string logFile, IEventParser parser, ILogger<GameLogReader> logger)
|
|
||||||
{
|
{
|
||||||
_logFile = logFile;
|
LogFile = logFile;
|
||||||
_parser = parser;
|
Parser = parser;
|
||||||
_logger = logger;
|
|
||||||
}
|
}
|
||||||
|
|
||||||
public async Task<IEnumerable<GameEvent>> ReadEventsFromLog(long fileSizeDiff, long startPosition)
|
public ICollection<GameEvent> EventsFromLog(Server server, long fileSizeDiff, long startPosition)
|
||||||
{
|
{
|
||||||
// allocate the bytes for the new log lines
|
// allocate the bytes for the new log lines
|
||||||
List<string> logLines = new List<string>();
|
List<string> logLines = new List<string>();
|
||||||
|
|
||||||
// open the file as a stream
|
// open the file as a stream
|
||||||
using (FileStream fs = new FileStream(_logFile, FileMode.Open, FileAccess.Read, FileShare.ReadWrite))
|
using (var rd = new StreamReader(new FileStream(LogFile, FileMode.Open, FileAccess.Read, FileShare.ReadWrite), Utilities.EncodingType))
|
||||||
{
|
{
|
||||||
byte[] buff = new byte[fileSizeDiff];
|
// take the old start position and go back the number of new characters
|
||||||
fs.Seek(startPosition, SeekOrigin.Begin);
|
rd.BaseStream.Seek(-fileSizeDiff, SeekOrigin.End);
|
||||||
await fs.ReadAsync(buff, 0, (int)fileSizeDiff);
|
// the difference should be in the range of a int :P
|
||||||
var stringBuilder = new StringBuilder();
|
string newLine;
|
||||||
char[] charBuff = Utilities.EncodingType.GetChars(buff);
|
while (!String.IsNullOrEmpty(newLine = rd.ReadLine()))
|
||||||
|
|
||||||
foreach (char c in charBuff)
|
|
||||||
{
|
{
|
||||||
if (c == '\n')
|
logLines.Add(newLine);
|
||||||
{
|
|
||||||
logLines.Add(stringBuilder.ToString());
|
|
||||||
stringBuilder = new StringBuilder();
|
|
||||||
}
|
|
||||||
|
|
||||||
else if (c != '\r')
|
|
||||||
{
|
|
||||||
stringBuilder.Append(c);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
if (stringBuilder.Length > 0)
|
|
||||||
{
|
|
||||||
logLines.Add(stringBuilder.ToString());
|
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
List<GameEvent> events = new List<GameEvent>();
|
List<GameEvent> events = new List<GameEvent>();
|
||||||
|
|
||||||
// parse each line
|
// parse each line
|
||||||
foreach (string eventLine in logLines.Where(_line => _line.Length > 0))
|
foreach (string eventLine in logLines)
|
||||||
|
{
|
||||||
|
if (eventLine.Length > 0)
|
||||||
{
|
{
|
||||||
try
|
try
|
||||||
{
|
{
|
||||||
var gameEvent = _parser.GenerateGameEvent(eventLine);
|
// todo: catch elsewhere
|
||||||
events.Add(gameEvent);
|
events.Add(Parser.GetEvent(server, eventLine));
|
||||||
}
|
}
|
||||||
|
|
||||||
catch (Exception e)
|
catch (Exception e)
|
||||||
{
|
{
|
||||||
_logger.LogError(e, "Could not properly parse event line {@eventLine}", eventLine);
|
Program.ServerManager.GetLogger().WriteWarning("Could not properly parse event line");
|
||||||
|
Program.ServerManager.GetLogger().WriteDebug(e.Message);
|
||||||
|
Program.ServerManager.GetLogger().WriteDebug(eventLine);
|
||||||
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -1,75 +0,0 @@
|
|||||||
using IW4MAdmin.Application.API.GameLogServer;
|
|
||||||
using RestEase;
|
|
||||||
using SharedLibraryCore;
|
|
||||||
using SharedLibraryCore.Interfaces;
|
|
||||||
using System;
|
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
using Microsoft.Extensions.Logging;
|
|
||||||
using ILogger = Microsoft.Extensions.Logging.ILogger;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.IO
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// provides capability of reading log files over HTTP
|
|
||||||
/// </summary>
|
|
||||||
class GameLogReaderHttp : IGameLogReader
|
|
||||||
{
|
|
||||||
private readonly IEventParser _eventParser;
|
|
||||||
private readonly IGameLogServer _logServerApi;
|
|
||||||
private readonly ILogger _logger;
|
|
||||||
private readonly string _safeLogPath;
|
|
||||||
private string lastKey = "next";
|
|
||||||
|
|
||||||
public GameLogReaderHttp(Uri[] gameLogServerUris, IEventParser parser, ILogger<GameLogReaderHttp> logger)
|
|
||||||
{
|
|
||||||
_eventParser = parser;
|
|
||||||
_logServerApi = RestClient.For<IGameLogServer>(gameLogServerUris[0].ToString());
|
|
||||||
_safeLogPath = gameLogServerUris[1].LocalPath.ToBase64UrlSafeString();
|
|
||||||
_logger = logger;
|
|
||||||
}
|
|
||||||
|
|
||||||
public long Length => -1;
|
|
||||||
|
|
||||||
public int UpdateInterval => 500;
|
|
||||||
|
|
||||||
public async Task<IEnumerable<GameEvent>> ReadEventsFromLog(long fileSizeDiff, long startPosition)
|
|
||||||
{
|
|
||||||
var events = new List<GameEvent>();
|
|
||||||
var response = await _logServerApi.Log(_safeLogPath, lastKey);
|
|
||||||
lastKey = response.NextKey;
|
|
||||||
|
|
||||||
if (!response.Success && string.IsNullOrEmpty(lastKey))
|
|
||||||
{
|
|
||||||
_logger.LogError("Could not get log server info of {logPath}", _safeLogPath);
|
|
||||||
return events;
|
|
||||||
}
|
|
||||||
|
|
||||||
else if (!string.IsNullOrWhiteSpace(response.Data))
|
|
||||||
{
|
|
||||||
// parse each line
|
|
||||||
var lines = response.Data
|
|
||||||
.Split(Environment.NewLine)
|
|
||||||
.Where(_line => _line.Length > 0);
|
|
||||||
|
|
||||||
foreach (string eventLine in lines)
|
|
||||||
{
|
|
||||||
try
|
|
||||||
{
|
|
||||||
// this trim end should hopefully fix the nasty runaway regex
|
|
||||||
var gameEvent = _eventParser.GenerateGameEvent(eventLine.TrimEnd('\r'));
|
|
||||||
events.Add(gameEvent);
|
|
||||||
}
|
|
||||||
|
|
||||||
catch (Exception e)
|
|
||||||
{
|
|
||||||
_logger.LogError(e, "Could not properly parse event line from http {eventLine}", eventLine);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
return events;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
File diff suppressed because it is too large
Load Diff
@ -1,54 +1,45 @@
|
|||||||
using IW4MAdmin.Application.API.Master;
|
using IW4MAdmin.Application.API.Master;
|
||||||
using SharedLibraryCore;
|
using SharedLibraryCore;
|
||||||
using SharedLibraryCore.Interfaces;
|
|
||||||
using System;
|
using System;
|
||||||
using System.Collections.Generic;
|
using System.Collections.Generic;
|
||||||
using System.Globalization;
|
using System.Globalization;
|
||||||
using System.IO;
|
using System.IO;
|
||||||
|
using System.Linq;
|
||||||
using System.Text;
|
using System.Text;
|
||||||
using Microsoft.Extensions.Logging;
|
using System.Threading.Tasks;
|
||||||
using SharedLibraryCore.Configuration;
|
|
||||||
using ILogger = Microsoft.Extensions.Logging.ILogger;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.Localization
|
namespace IW4MAdmin.Application.Localization
|
||||||
{
|
{
|
||||||
public static class Configure
|
public class Configure
|
||||||
{
|
{
|
||||||
public static ITranslationLookup Initialize(ILogger logger, IMasterApi apiInstance, ApplicationConfiguration applicationConfiguration)
|
public static void Initialize(string customLocale)
|
||||||
{
|
{
|
||||||
var useLocalTranslation = applicationConfiguration?.UseLocalTranslations ?? true;
|
string currentLocale = string.IsNullOrEmpty(customLocale) ? CultureInfo.CurrentCulture.Name : customLocale;
|
||||||
var customLocale = applicationConfiguration?.EnableCustomLocale ?? false
|
string[] localizationFiles = Directory.GetFiles("Localization", $"*.{currentLocale}.json");
|
||||||
? (applicationConfiguration.CustomLocale ?? "en-US")
|
|
||||||
: "en-US";
|
|
||||||
var currentLocale = string.IsNullOrEmpty(customLocale) ? CultureInfo.CurrentCulture.Name : customLocale;
|
|
||||||
var localizationFiles = Directory.GetFiles(Path.Join(Utilities.OperatingDirectory, "Localization"), $"*.{currentLocale}.json");
|
|
||||||
|
|
||||||
if (!useLocalTranslation)
|
|
||||||
{
|
|
||||||
try
|
try
|
||||||
{
|
{
|
||||||
var localization = apiInstance.GetLocalization(currentLocale).Result;
|
var api = Endpoint.Get();
|
||||||
|
var localization = api.GetLocalization(currentLocale).Result;
|
||||||
Utilities.CurrentLocalization = localization;
|
Utilities.CurrentLocalization = localization;
|
||||||
return localization.LocalizationIndex;
|
return;
|
||||||
}
|
}
|
||||||
|
|
||||||
catch (Exception ex)
|
catch (Exception)
|
||||||
{
|
{
|
||||||
// the online localization failed so will default to local files
|
// the online localization failed so will default to local files
|
||||||
logger.LogWarning(ex, "Could not download latest translations");
|
|
||||||
}
|
|
||||||
}
|
}
|
||||||
|
|
||||||
// culture doesn't exist so we just want language
|
// culture doesn't exist so we just want language
|
||||||
if (localizationFiles.Length == 0)
|
if (localizationFiles.Length == 0)
|
||||||
{
|
{
|
||||||
localizationFiles = Directory.GetFiles(Path.Join(Utilities.OperatingDirectory, "Localization"), $"*.{currentLocale.Substring(0, 2)}*.json");
|
localizationFiles = Directory.GetFiles("Localization", $"*.{currentLocale.Substring(0, 2)}*.json");
|
||||||
}
|
}
|
||||||
|
|
||||||
// language doesn't exist either so defaulting to english
|
// language doesn't exist either so defaulting to english
|
||||||
if (localizationFiles.Length == 0)
|
if (localizationFiles.Length == 0)
|
||||||
{
|
{
|
||||||
localizationFiles = Directory.GetFiles(Path.Join(Utilities.OperatingDirectory, "Localization"), "*.en-US.json");
|
localizationFiles = Directory.GetFiles("Localization", "*.en-US.json");
|
||||||
}
|
}
|
||||||
|
|
||||||
// this should never happen unless the localization folder is empty
|
// this should never happen unless the localization folder is empty
|
||||||
@ -63,26 +54,22 @@ namespace IW4MAdmin.Application.Localization
|
|||||||
{
|
{
|
||||||
var localizationContents = File.ReadAllText(filePath, Encoding.UTF8);
|
var localizationContents = File.ReadAllText(filePath, Encoding.UTF8);
|
||||||
var eachLocalizationFile = Newtonsoft.Json.JsonConvert.DeserializeObject<SharedLibraryCore.Localization.Layout>(localizationContents);
|
var eachLocalizationFile = Newtonsoft.Json.JsonConvert.DeserializeObject<SharedLibraryCore.Localization.Layout>(localizationContents);
|
||||||
if (eachLocalizationFile == null)
|
|
||||||
{
|
|
||||||
continue;
|
|
||||||
}
|
|
||||||
|
|
||||||
foreach (var item in eachLocalizationFile.LocalizationIndex.Set)
|
foreach (var item in eachLocalizationFile.LocalizationIndex.Set)
|
||||||
{
|
{
|
||||||
if (!localizationDict.TryAdd(item.Key, item.Value))
|
if (!localizationDict.TryAdd(item.Key, item.Value))
|
||||||
{
|
{
|
||||||
logger.LogError("Could not add locale string {key} to localization", item.Key);
|
Program.ServerManager.GetLogger().WriteError($"Could not add locale string {item.Key} to localization");
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
string localizationFile = $"Localization{Path.DirectorySeparatorChar}IW4MAdmin.{currentLocale}-{currentLocale.ToUpper()}.json";
|
||||||
|
|
||||||
Utilities.CurrentLocalization = new SharedLibraryCore.Localization.Layout(localizationDict)
|
Utilities.CurrentLocalization = new SharedLibraryCore.Localization.Layout(localizationDict)
|
||||||
{
|
{
|
||||||
LocalizationName = currentLocale,
|
LocalizationName = currentLocale,
|
||||||
};
|
};
|
||||||
|
|
||||||
return Utilities.CurrentLocalization.LocalizationIndex;
|
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
269
Application/Localization/IW4MAdmin.en-US.json
Normal file
269
Application/Localization/IW4MAdmin.en-US.json
Normal file
@ -0,0 +1,269 @@
|
|||||||
|
{
|
||||||
|
"LocalizationName": "en-US",
|
||||||
|
"LocalizationIndex": {
|
||||||
|
"Set": {
|
||||||
|
"BROADCAST_OFFLINE": "^5IW4MAdmin ^7is going ^1OFFLINE",
|
||||||
|
"BROADCAST_ONLINE": "^5IW4MADMIN ^7is now ^2ONLINE",
|
||||||
|
"COMMAND_HELP_OPTIONAL": "optional",
|
||||||
|
"COMMAND_HELP_SYNTAX": "syntax:",
|
||||||
|
"COMMAND_MISSINGARGS": "Not enough arguments supplied",
|
||||||
|
"COMMAND_NOACCESS": "You do not have access to that command",
|
||||||
|
"COMMAND_NOTAUTHORIZED": "You are not authorized to execute that command",
|
||||||
|
"COMMAND_TARGET_MULTI": "Multiple players match that name",
|
||||||
|
"COMMAND_TARGET_NOTFOUND": "Unable to find specified player",
|
||||||
|
"COMMAND_UNKNOWN": "You entered an unknown command",
|
||||||
|
"COMMANDS_ADMINS_DESC": "list currently connected privileged clients",
|
||||||
|
"COMMANDS_ADMINS_NONE": "No visible administrators online",
|
||||||
|
"COMMANDS_ALIAS_ALIASES": "Aliases",
|
||||||
|
"COMMANDS_ALIAS_DESC": "get past aliases and ips of a client",
|
||||||
|
"COMMANDS_ALIAS_IPS": "IPs",
|
||||||
|
"COMMANDS_ARGS_CLEAR": "clear",
|
||||||
|
"COMMANDS_ARGS_CLIENTID": "client id",
|
||||||
|
"COMMANDS_ARGS_COMMANDS": "commands",
|
||||||
|
"COMMANDS_ARGS_DURATION": "duration (m|h|d|w|y)",
|
||||||
|
"COMMANDS_ARGS_INACTIVE": "inactive days",
|
||||||
|
"COMMANDS_ARGS_LEVEL": "level",
|
||||||
|
"COMMANDS_ARGS_MAP": "map",
|
||||||
|
"COMMANDS_ARGS_MESSAGE": "message",
|
||||||
|
"COMMANDS_ARGS_PASSWORD": "password",
|
||||||
|
"COMMANDS_ARGS_PLAYER": "player",
|
||||||
|
"COMMANDS_ARGS_REASON": "reason",
|
||||||
|
"COMMANDS_BAN_DESC": "permanently ban a client from the server",
|
||||||
|
"COMMANDS_BAN_FAIL": "You cannot ban",
|
||||||
|
"COMMANDS_BAN_SUCCESS": "has been permanently banned",
|
||||||
|
"COMMANDS_BANINFO_DESC": "get information about a ban for a client",
|
||||||
|
"COMMANDS_BANINFO_NONE": "No active ban was found for that player",
|
||||||
|
"COMMANDS_BANINO_SUCCESS": "was banned by ^5{0} ^7for:",
|
||||||
|
"COMMANDS_FASTRESTART_DESC": "fast restart current map",
|
||||||
|
"COMMANDS_FASTRESTART_MASKED": "The map has been fast restarted",
|
||||||
|
"COMMANDS_FASTRESTART_UNMASKED": "fast restarted the map",
|
||||||
|
"COMMANDS_FIND_DESC": "find client in database",
|
||||||
|
"COMMANDS_FIND_EMPTY": "No players found",
|
||||||
|
"COMMANDS_FIND_MIN": "Please enter at least 3 characters",
|
||||||
|
"COMMANDS_FLAG_DESC": "flag a suspicious client and announce to admins on join",
|
||||||
|
"COMMANDS_FLAG_FAIL": "You cannot flag",
|
||||||
|
"COMMANDS_FLAG_SUCCESS": "You have flagged",
|
||||||
|
"COMMANDS_FLAG_UNFLAG": "You have unflagged",
|
||||||
|
"COMMANDS_HELP_DESC": "list all available commands",
|
||||||
|
"COMMANDS_HELP_MOREINFO": "Type !help <command name> to get command usage syntax",
|
||||||
|
"COMMANDS_HELP_NOTFOUND": "Could not find that command",
|
||||||
|
"COMMANDS_IP_DESC": "view your external IP address",
|
||||||
|
"COMMANDS_IP_SUCCESS": "Your external IP is",
|
||||||
|
"COMMANDS_KICK_DESC": "kick a client by name",
|
||||||
|
"COMMANDS_KICK_FAIL": "You do not have the required privileges to kick",
|
||||||
|
"COMMANDS_KICK_SUCCESS": "has been kicked",
|
||||||
|
"COMMANDS_LIST_DESC": "list active clients",
|
||||||
|
"COMMANDS_MAP_DESC": "change to specified map",
|
||||||
|
"COMMANDS_MAP_SUCCESS": "Changing to map",
|
||||||
|
"COMMANDS_MAP_UKN": "Attempting to change to unknown map",
|
||||||
|
"COMMANDS_MAPROTATE": "Map rotating in ^55 ^7seconds",
|
||||||
|
"COMMANDS_MAPROTATE_DESC": "cycle to the next map in rotation",
|
||||||
|
"COMMANDS_MASK_DESC": "hide your presence as a privileged client",
|
||||||
|
"COMMANDS_MASK_OFF": "You are now unmasked",
|
||||||
|
"COMMANDS_MASK_ON": "You are now masked",
|
||||||
|
"COMMANDS_OWNER_DESC": "claim ownership of the server",
|
||||||
|
"COMMANDS_OWNER_FAIL": "This server already has an owner",
|
||||||
|
"COMMANDS_OWNER_SUCCESS": "Congratulations, you have claimed ownership of this server!",
|
||||||
|
"COMMANDS_PASSWORD_FAIL": "Your password must be at least 5 characters long",
|
||||||
|
"COMMANDS_PASSWORD_SUCCESS": "Your password has been set successfully",
|
||||||
|
"COMMANDS_PING_DESC": "get client's latency",
|
||||||
|
"COMMANDS_PING_SELF": "Your latency is",
|
||||||
|
"COMMANDS_PING_TARGET": "latency is",
|
||||||
|
"COMMANDS_PLUGINS_DESC": "view all loaded plugins",
|
||||||
|
"COMMANDS_PLUGINS_LOADED": "Loaded Plugins",
|
||||||
|
"COMMANDS_PM_DESC": "send message to other client",
|
||||||
|
"COMMANDS_PRUNE_DESC": "demote any privileged clients that have not connected recently (defaults to 30 days)",
|
||||||
|
"COMMANDS_PRUNE_FAIL": "Invalid number of inactive days",
|
||||||
|
"COMMANDS_PRUNE_SUCCESS": "inactive privileged users were pruned",
|
||||||
|
"COMMANDS_QUIT_DESC": "quit IW4MAdmin",
|
||||||
|
"COMMANDS_RCON_DESC": "send rcon command to server",
|
||||||
|
"COMMANDS_RCON_SUCCESS": "Successfully sent RCon command",
|
||||||
|
"COMMANDS_REPORT_DESC": "report a client for suspicious behavior",
|
||||||
|
"COMMANDS_REPORT_FAIL": "You cannot report",
|
||||||
|
"COMMANDS_REPORT_FAIL_CAMP": "You cannot report an player for camping",
|
||||||
|
"COMMANDS_REPORT_FAIL_DUPLICATE": "You have already reported this player",
|
||||||
|
"COMMANDS_REPORT_FAIL_SELF": "You cannot report yourself",
|
||||||
|
"COMMANDS_REPORT_SUCCESS": "Thank you for your report, an administrator has been notified",
|
||||||
|
"COMMANDS_REPORTS_CLEAR_SUCCESS": "Reports successfully cleared",
|
||||||
|
"COMMANDS_REPORTS_DESC": "get or clear recent reports",
|
||||||
|
"COMMANDS_REPORTS_NONE": "No players reported yet",
|
||||||
|
"COMMANDS_RULES_DESC": "list server rules",
|
||||||
|
"COMMANDS_RULES_NONE": "The server owner has not set any rules",
|
||||||
|
"COMMANDS_SAY_DESC": "broadcast message to all clients",
|
||||||
|
"COMMANDS_SETLEVEL_DESC": "set client to specified privilege level",
|
||||||
|
"COMMANDS_SETLEVEL_FAIL": "Invalid group specified",
|
||||||
|
"COMMANDS_SETLEVEL_LEVELTOOHIGH": "You can only promote ^5{0} ^7to ^5{1} ^7or lower privilege",
|
||||||
|
"COMMANDS_SETLEVEL_OWNER": "There can only be 1 owner. Modify your settings if multiple owners are required",
|
||||||
|
"COMMANDS_SETLEVEL_SELF": "You cannot change your own level",
|
||||||
|
"COMMANDS_SETLEVEL_STEPPEDDISABLED": "This server does not allow you to promote",
|
||||||
|
"COMMANDS_SETLEVEL_SUCCESS": "was successfully promoted",
|
||||||
|
"COMMANDS_SETLEVEL_SUCCESS_TARGET": "Congratulations! You have been promoted to",
|
||||||
|
"COMMANDS_SETPASSWORD_DESC": "set your authentication password",
|
||||||
|
"COMMANDS_TEMPBAN_DESC": "temporarily ban a client for specified time (defaults to 1 hour)",
|
||||||
|
"COMMANDS_TEMPBAN_FAIL": "You cannot temporarily ban",
|
||||||
|
"COMMANDS_TEMPBAN_SUCCESS": "has been temporarily banned for",
|
||||||
|
"COMMANDS_UNBAN_DESC": "unban client by client id",
|
||||||
|
"COMMANDS_UNBAN_FAIL": "is not banned",
|
||||||
|
"COMMANDS_UNBAN_SUCCESS": "Successfully unbanned",
|
||||||
|
"COMMANDS_UPTIME_DESC": "get current application running time",
|
||||||
|
"COMMANDS_UPTIME_TEXT": "has been online for",
|
||||||
|
"COMMANDS_USAGE_DESC": "get application memory usage",
|
||||||
|
"COMMANDS_USAGE_TEXT": "is using",
|
||||||
|
"COMMANDS_WARN_DESC": "warn client for infringing rules",
|
||||||
|
"COMMANDS_WARN_FAIL": "You do not have the required privileges to warn",
|
||||||
|
"COMMANDS_WARNCLEAR_DESC": "remove all warnings for a client",
|
||||||
|
"COMMANDS_WARNCLEAR_SUCCESS": "All warning cleared for",
|
||||||
|
"COMMANDS_WHO_DESC": "give information about yourself",
|
||||||
|
"GLOBAL_DAYS": "days",
|
||||||
|
"GLOBAL_ERROR": "Error",
|
||||||
|
"GLOBAL_HOURS": "hours",
|
||||||
|
"GLOBAL_INFO": "Info",
|
||||||
|
"GLOBAL_MINUTES": "minutes",
|
||||||
|
"GLOBAL_REPORT": "If you suspect someone of ^5CHEATING ^7use the ^5!report ^7command",
|
||||||
|
"GLOBAL_VERBOSE": "Verbose",
|
||||||
|
"GLOBAL_WARNING": "Warning",
|
||||||
|
"MANAGER_CONNECTION_REST": "Connection has been reestablished with",
|
||||||
|
"MANAGER_CONSOLE_NOSERV": "No servers are currently being monitored",
|
||||||
|
"MANAGER_EXIT": "Press any key to exit...",
|
||||||
|
"MANAGER_INIT_FAIL": "Fatal error during initialization",
|
||||||
|
"MANAGER_MONITORING_TEXT": "Now monitoring",
|
||||||
|
"MANAGER_SHUTDOWN_SUCCESS": "Shutdown complete",
|
||||||
|
"MANAGER_VERSION_CURRENT": "Your version is",
|
||||||
|
"MANAGER_VERSION_FAIL": "Could not get latest IW4MAdmin version",
|
||||||
|
"MANAGER_VERSION_SUCCESS": "IW4MAdmin is up to date",
|
||||||
|
"MANAGER_VERSION_UPDATE": "has an update. Latest version is",
|
||||||
|
"PLUGIN_IMPORTER_NOTFOUND": "No plugins found to load",
|
||||||
|
"PLUGIN_IMPORTER_REGISTERCMD": "Registered command",
|
||||||
|
"PLUGINS_LOGIN_COMMANDS_LOGIN_DESC": "login using password",
|
||||||
|
"PLUGINS_LOGIN_COMMANDS_LOGIN_FAIL": "Your password is incorrect",
|
||||||
|
"PLUGINS_LOGIN_COMMANDS_LOGIN_SUCCESS": "You are now logged in",
|
||||||
|
"PLUGINS_STATS_COMMANDS_RESET_DESC": "reset your stats to factory-new",
|
||||||
|
"PLUGINS_STATS_COMMANDS_RESET_FAIL": "You must be connected to a server to reset your stats",
|
||||||
|
"PLUGINS_STATS_COMMANDS_RESET_SUCCESS": "Your stats for this server have been reset",
|
||||||
|
"PLUGINS_STATS_COMMANDS_TOP_DESC": "view the top 5 players in this server",
|
||||||
|
"PLUGINS_STATS_COMMANDS_TOP_TEXT": "Top Players",
|
||||||
|
"PLUGINS_STATS_COMMANDS_VIEW_DESC": "view your stats",
|
||||||
|
"PLUGINS_STATS_COMMANDS_VIEW_FAIL": "Cannot find the player you specified",
|
||||||
|
"PLUGINS_STATS_COMMANDS_VIEW_FAIL_INGAME": "The specified player must be ingame",
|
||||||
|
"PLUGINS_STATS_COMMANDS_VIEW_FAIL_INGAME_SELF": "You must be ingame to view your stats",
|
||||||
|
"PLUGINS_STATS_COMMANDS_VIEW_SUCCESS": "Stats for",
|
||||||
|
"PLUGINS_STATS_TEXT_DEATHS": "DEATHS",
|
||||||
|
"PLUGINS_STATS_TEXT_KILLS": "KILLS",
|
||||||
|
"PLUGINS_STATS_TEXT_NOQUALIFY": "No players qualify for top stats yet",
|
||||||
|
"PLUGINS_STATS_TEXT_SKILL": "SKILL",
|
||||||
|
"SERVER_BAN_APPEAL": "appeal at",
|
||||||
|
"SERVER_BAN_PREV": "Previously banned for",
|
||||||
|
"SERVER_BAN_TEXT": "You're banned",
|
||||||
|
"SERVER_ERROR_ADDPLAYER": "Unable to add player",
|
||||||
|
"SERVER_ERROR_COMMAND_INGAME": "An internal error occured while processing your command",
|
||||||
|
"SERVER_ERROR_COMMAND_LOG": "command generated an error",
|
||||||
|
"SERVER_ERROR_COMMUNICATION": "Could not communicate with",
|
||||||
|
"SERVER_ERROR_DNE": "does not exist",
|
||||||
|
"SERVER_ERROR_DVAR": "Could not get the dvar value for",
|
||||||
|
"SERVER_ERROR_DVAR_HELP": "ensure the server has a map loaded",
|
||||||
|
"SERVER_ERROR_EXCEPTION": "Unexpected exception on",
|
||||||
|
"SERVER_ERROR_LOG": "Invalid game log file",
|
||||||
|
"SERVER_ERROR_PLUGIN": "An error occured loading plugin",
|
||||||
|
"SERVER_ERROR_POLLING": "reducing polling rate",
|
||||||
|
"SERVER_ERROR_UNFIXABLE": "Not monitoring server due to uncorrectable errors",
|
||||||
|
"SERVER_KICK_CONTROLCHARS": "Your name cannot contain control characters",
|
||||||
|
"SERVER_KICK_GENERICNAME": "Please change your name using /name",
|
||||||
|
"SERVER_KICK_MINNAME": "Your name must contain at least 3 characters",
|
||||||
|
"SERVER_KICK_NAME_INUSE": "Your name is being used by someone else",
|
||||||
|
"SERVER_KICK_TEXT": "You were kicked",
|
||||||
|
"SERVER_KICK_VPNS_NOTALLOWED": "VPNs are not allowed on this server",
|
||||||
|
"SERVER_PLUGIN_ERROR": "A plugin generated an error",
|
||||||
|
"SERVER_REPORT_COUNT": "There are ^5{0} ^7recent reports",
|
||||||
|
"SERVER_TB_REMAIN": "You are temporarily banned",
|
||||||
|
"SERVER_TB_TEXT": "You're temporarily banned",
|
||||||
|
"SERVER_WARNING": "WARNING",
|
||||||
|
"SERVER_WARNLIMT_REACHED": "Too many warnings",
|
||||||
|
"SERVER_WEBSITE_GENERIC": "this server's website",
|
||||||
|
"SETUP_DISPLAY_SOCIAL": "Display social media link on webfront (discord, website, VK, etc..)",
|
||||||
|
"SETUP_ENABLE_CUSTOMSAY": "Enable custom say name",
|
||||||
|
"SETUP_ENABLE_MULTIOWN": "Enable multiple owners",
|
||||||
|
"SETUP_ENABLE_STEPPEDPRIV": "Enable stepped privilege hierarchy",
|
||||||
|
"SETUP_ENABLE_VPNS": "Enable client VPNs",
|
||||||
|
"SETUP_ENABLE_WEBFRONT": "Enable webfront",
|
||||||
|
"SETUP_ENCODING_STRING": "Enter encoding string",
|
||||||
|
"SETUP_IPHUB_KEY": "Enter iphub.info api key",
|
||||||
|
"SETUP_SAY_NAME": "Enter custom say name",
|
||||||
|
"SETUP_SERVER_IP": "Enter server IP Address",
|
||||||
|
"SETUP_SERVER_MANUALLOG": "Enter manual log file path",
|
||||||
|
"SETUP_SERVER_PORT": "Enter server port",
|
||||||
|
"SETUP_SERVER_RCON": "Enter server RCon password",
|
||||||
|
"SETUP_SERVER_SAVE": "Configuration saved, add another",
|
||||||
|
"SETUP_SERVER_USEIW5M": "Use Pluto IW5 Parser",
|
||||||
|
"SETUP_SERVER_USET6M": "Use Pluto T6 parser",
|
||||||
|
"SETUP_SOCIAL_LINK": "Enter social media link",
|
||||||
|
"SETUP_SOCIAL_TITLE": "Enter social media name",
|
||||||
|
"SETUP_USE_CUSTOMENCODING": "Use custom encoding parser",
|
||||||
|
"WEBFRONT_ACTION_BAN_NAME": "Ban",
|
||||||
|
"WEBFRONT_ACTION_LABEL_ID": "Client ID",
|
||||||
|
"WEBFRONT_ACTION_LABEL_PASSWORD": "Password",
|
||||||
|
"WEBFRONT_ACTION_LABEL_REASON": "Reason",
|
||||||
|
"WEBFRONT_ACTION_LOGIN_NAME": "Login",
|
||||||
|
"WEBFRONT_ACTION_UNBAN_NAME": "Unban",
|
||||||
|
"WEBFRONT_CLIENT_META_FALSE": "Is not",
|
||||||
|
"WEBFRONT_CLIENT_META_JOINED": "Joined with alias",
|
||||||
|
"WEBFRONT_CLIENT_META_MASKED": "Masked",
|
||||||
|
"WEBFRONT_CLIENT_META_TRUE": "Is",
|
||||||
|
"WEBFRONT_CLIENT_PRIVILEGED_TITLE": "Privileged Clients",
|
||||||
|
"WEBFRONT_CLIENT_PROFILE_TITLE": "Profile",
|
||||||
|
"WEBFRONT_CLIENT_SEARCH_MATCHING": "Clients Matching",
|
||||||
|
"WEBFRONT_CONSOLE_EXECUTE": "Execute",
|
||||||
|
"WEBFRONT_CONSOLE_TITLE": "Web Console",
|
||||||
|
"WEBFRONT_ERROR_DESC": "IW4MAdmin encountered an error",
|
||||||
|
"WEBFRONT_ERROR_GENERIC_DESC": "An error occurred while processing your request",
|
||||||
|
"WEBFRONT_ERROR_GENERIC_TITLE": "Sorry!",
|
||||||
|
"WEBFRONT_ERROR_TITLE": "Error!",
|
||||||
|
"WEBFRONT_HOME_TITLE": "Server Overview",
|
||||||
|
"WEBFRONT_NAV_CONSOLE": "Console",
|
||||||
|
"WEBFRONT_NAV_DISCORD": "Discord",
|
||||||
|
"WEBFRONT_NAV_HOME": "Home",
|
||||||
|
"WEBFRONT_NAV_LOGOUT": "Logout",
|
||||||
|
"WEBFRONT_NAV_PENALTIES": "Penalties",
|
||||||
|
"WEBFRONT_NAV_PRIVILEGED": "Admins",
|
||||||
|
"WEBFRONT_NAV_PROFILE": "Client Profile",
|
||||||
|
"WEBFRONT_NAV_SEARCH": "Find Client",
|
||||||
|
"WEBFRONT_NAV_SOCIAL": "Social",
|
||||||
|
"WEBFRONT_PENALTY_TEMPLATE_ADMIN": "Admin",
|
||||||
|
"WEBFRONT_PENALTY_TEMPLATE_AGO": "ago",
|
||||||
|
"WEBFRONT_PENALTY_TEMPLATE_NAME": "Name",
|
||||||
|
"WEBFRONT_PENALTY_TEMPLATE_OFFENSE": "Offense",
|
||||||
|
"WEBFRONT_PENALTY_TEMPLATE_REMAINING": "left",
|
||||||
|
"WEBFRONT_PENALTY_TEMPLATE_SHOW": "Show",
|
||||||
|
"WEBFRONT_PENALTY_TEMPLATE_SHOWONLY": "Show only",
|
||||||
|
"WEBFRONT_PENALTY_TEMPLATE_TIME": "Time/Left",
|
||||||
|
"WEBFRONT_PENALTY_TEMPLATE_TYPE": "Type",
|
||||||
|
"WEBFRONT_PENALTY_TITLE": "Client Penalties",
|
||||||
|
"WEBFRONT_PROFILE_FSEEN": "First seen",
|
||||||
|
"WEBFRONT_PROFILE_LEVEL": "Level",
|
||||||
|
"WEBFRONT_PROFILE_LSEEN": "Last seen",
|
||||||
|
"WEBFRONT_PROFILE_PLAYER": "Played",
|
||||||
|
"PLUGIN_STATS_SETUP_ENABLEAC": "Enable server-side anti-cheat (IW4 only)",
|
||||||
|
"PLUGIN_STATS_ERROR_ADD": "Could not add server to server stats",
|
||||||
|
"PLUGIN_STATS_CHEAT_DETECTED": "You appear to be cheating",
|
||||||
|
"PLUGINS_STATS_TEXT_KDR": "KDR",
|
||||||
|
"PLUGINS_STATS_META_SPM": "Score per Minute",
|
||||||
|
"PLUGINS_WELCOME_USERANNOUNCE": "^5{{ClientName}} ^7hails from ^5{{ClientLocation}}",
|
||||||
|
"PLUGINS_WELCOME_USERWELCOME": "Welcome ^5{{ClientName}}^7, this is your ^5{{TimesConnected}} ^7time connecting!",
|
||||||
|
"PLUGINS_WELCOME_PRIVANNOUNCE": "{{ClientLevel}} {{ClientName}} has joined the server",
|
||||||
|
"PLUGINS_LOGIN_AUTH": "not logged in",
|
||||||
|
"PLUGINS_PROFANITY_SETUP_ENABLE": "Enable profanity deterring",
|
||||||
|
"PLUGINS_PROFANITY_WARNMSG": "Please do not use profanity on this server",
|
||||||
|
"PLUGINS_PROFANITY_KICKMSG": "Excessive use of profanity",
|
||||||
|
"GLOBAL_DEBUG": "Debug",
|
||||||
|
"COMMANDS_UNFLAG_DESC": "Remove flag for client",
|
||||||
|
"COMMANDS_UNFLAG_FAIL": "You cannot unflag",
|
||||||
|
"COMMANDS_UNFLAG_NOTFLAGGED": "Client is not flagged",
|
||||||
|
"COMMANDS_FLAG_ALREADYFLAGGED": "Client is already flagged",
|
||||||
|
"PLUGINS_STATS_COMMANDS_MOSTPLAYED_TEXT": "Most Played",
|
||||||
|
"PLUGINS_STATS_COMMANDS_MOSTPLAYED_DESC": "view the top 5 dedicated players on the server",
|
||||||
|
"WEBFRONT_PROFILE_MESSAGES": "Messages",
|
||||||
|
"WEBFRONT_CLIENT_META_CONNECTIONS": "Connections",
|
||||||
|
"PLUGINS_STATS_COMMANDS_TOPSTATS_RATING": "Rating",
|
||||||
|
"PLUGINS_STATS_COMMANDS_PERFORMANCE": "Performance"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
269
Application/Localization/IW4MAdmin.es-EC.json
Normal file
269
Application/Localization/IW4MAdmin.es-EC.json
Normal file
@ -0,0 +1,269 @@
|
|||||||
|
{
|
||||||
|
"LocalizationName": "es-EC",
|
||||||
|
"LocalizationIndex": {
|
||||||
|
"Set": {
|
||||||
|
"BROADCAST_OFFLINE": "^5IW4MAdmin ^7está ^1DESCONECTANDOSE",
|
||||||
|
"BROADCAST_ONLINE": "^5IW4MADMIN ^7está ahora ^2en línea",
|
||||||
|
"COMMAND_HELP_OPTIONAL": "opcional",
|
||||||
|
"COMMAND_HELP_SYNTAX": "sintaxis:",
|
||||||
|
"COMMAND_MISSINGARGS": "No se han proporcionado suficientes argumentos",
|
||||||
|
"COMMAND_NOACCESS": "Tú no tienes acceso a ese comando",
|
||||||
|
"COMMAND_NOTAUTHORIZED": "Tú no estás autorizado para ejecutar ese comando",
|
||||||
|
"COMMAND_TARGET_MULTI": "Múltiples jugadores coinciden con ese nombre",
|
||||||
|
"COMMAND_TARGET_NOTFOUND": "No se puede encontrar el jugador especificado",
|
||||||
|
"COMMAND_UNKNOWN": "Has ingresado un comando desconocido",
|
||||||
|
"COMMANDS_ADMINS_DESC": "enlistar clientes privilegiados actualmente conectados",
|
||||||
|
"COMMANDS_ADMINS_NONE": "No hay administradores visibles en línea",
|
||||||
|
"COMMANDS_ALIAS_ALIASES": "Aliases",
|
||||||
|
"COMMANDS_ALIAS_DESC": "obtener alias e ips anteriores de un cliente",
|
||||||
|
"COMMANDS_ALIAS_IPS": "IPs",
|
||||||
|
"COMMANDS_ARGS_CLEAR": "borrar",
|
||||||
|
"COMMANDS_ARGS_CLIENTID": "id del cliente",
|
||||||
|
"COMMANDS_ARGS_COMMANDS": "comandos",
|
||||||
|
"COMMANDS_ARGS_DURATION": "duración (m|h|d|w|y)",
|
||||||
|
"COMMANDS_ARGS_INACTIVE": "días inactivo",
|
||||||
|
"COMMANDS_ARGS_LEVEL": "nivel",
|
||||||
|
"COMMANDS_ARGS_MAP": "mapa",
|
||||||
|
"COMMANDS_ARGS_MESSAGE": "mensaje",
|
||||||
|
"COMMANDS_ARGS_PASSWORD": "contraseña",
|
||||||
|
"COMMANDS_ARGS_PLAYER": "jugador",
|
||||||
|
"COMMANDS_ARGS_REASON": "razón",
|
||||||
|
"COMMANDS_BAN_DESC": "banear permanentemente un cliente del servidor",
|
||||||
|
"COMMANDS_BAN_FAIL": "Tú no puedes banear",
|
||||||
|
"COMMANDS_BAN_SUCCESS": "ha sido baneado permanentemente",
|
||||||
|
"COMMANDS_BANINFO_DESC": "obtener información sobre el ban de un cliente",
|
||||||
|
"COMMANDS_BANINFO_NONE": "No se encontró ban activo para ese jugador",
|
||||||
|
"COMMANDS_BANINO_SUCCESS": "fue baneado por ^5{0} ^7debido a:",
|
||||||
|
"COMMANDS_FASTRESTART_DESC": "dar reinicio rápido al mapa actial",
|
||||||
|
"COMMANDS_FASTRESTART_MASKED": "Al mapa se le ha dado un reinicio rápido",
|
||||||
|
"COMMANDS_FASTRESTART_UNMASKED": "ha dado rápido reinicio al mapa",
|
||||||
|
"COMMANDS_FIND_DESC": "encontrar cliente en la base de datos",
|
||||||
|
"COMMANDS_FIND_EMPTY": "No se encontraron jugadores",
|
||||||
|
"COMMANDS_FIND_MIN": "Por Favor introduzca al menos 3 caracteres",
|
||||||
|
"COMMANDS_FLAG_DESC": "marcar un cliente sospechoso y anunciar a los administradores al unirse",
|
||||||
|
"COMMANDS_FLAG_FAIL": "Tú no puedes marcar",
|
||||||
|
"COMMANDS_FLAG_SUCCESS": "Has marcado a",
|
||||||
|
"COMMANDS_FLAG_UNFLAG": "Has desmarcado a",
|
||||||
|
"COMMANDS_HELP_DESC": "enlistar todos los comandos disponibles",
|
||||||
|
"COMMANDS_HELP_MOREINFO": "Escribe !help <nombre del comando> para obtener la sintaxis de uso del comando",
|
||||||
|
"COMMANDS_HELP_NOTFOUND": "No se ha podido encontrar ese comando",
|
||||||
|
"COMMANDS_IP_DESC": "ver tu dirección IP externa",
|
||||||
|
"COMMANDS_IP_SUCCESS": "Tu IP externa es",
|
||||||
|
"COMMANDS_KICK_DESC": "expulsar a un cliente por su nombre",
|
||||||
|
"COMMANDS_KICK_FAIL": "No tienes los privilegios necesarios para expulsar a",
|
||||||
|
"COMMANDS_KICK_SUCCESS": "ha sido expulsado",
|
||||||
|
"COMMANDS_LIST_DESC": "enlistar clientes activos",
|
||||||
|
"COMMANDS_MAP_DESC": "cambiar al mapa especificado",
|
||||||
|
"COMMANDS_MAP_SUCCESS": "Cambiando al mapa",
|
||||||
|
"COMMANDS_MAP_UKN": "Intentando cambiar a un mapa desconocido",
|
||||||
|
"COMMANDS_MAPROTATE": "Rotación de mapa en ^55 ^7segundos",
|
||||||
|
"COMMANDS_MAPROTATE_DESC": "pasar al siguiente mapa en rotación",
|
||||||
|
"COMMANDS_MASK_DESC": "esconde tu presencia como un cliente privilegiado",
|
||||||
|
"COMMANDS_MASK_OFF": "Ahora estás desenmascarado",
|
||||||
|
"COMMANDS_MASK_ON": "Ahora estás enmascarado",
|
||||||
|
"COMMANDS_OWNER_DESC": "reclamar la propiedad del servidor",
|
||||||
|
"COMMANDS_OWNER_FAIL": "Este servidor ya tiene un propietario",
|
||||||
|
"COMMANDS_OWNER_SUCCESS": "¡Felicidades, has reclamado la propiedad de este servidor!",
|
||||||
|
"COMMANDS_PASSWORD_FAIL": "Tu contraseña debe tener al menos 5 caracteres de largo",
|
||||||
|
"COMMANDS_PASSWORD_SUCCESS": "Su contraseña ha sido establecida con éxito",
|
||||||
|
"COMMANDS_PING_DESC": "obtener ping del cliente",
|
||||||
|
"COMMANDS_PING_SELF": "Tu ping es",
|
||||||
|
"COMMANDS_PING_TARGET": "ping es",
|
||||||
|
"COMMANDS_PLUGINS_DESC": "ver todos los complementos cargados",
|
||||||
|
"COMMANDS_PLUGINS_LOADED": "Complementos cargados",
|
||||||
|
"COMMANDS_PM_DESC": "enviar mensaje a otro cliente",
|
||||||
|
"COMMANDS_PRUNE_DESC": "degradar a los clientes con privilegios que no se hayan conectado recientemente (el valor predeterminado es 30 días)",
|
||||||
|
"COMMANDS_PRUNE_FAIL": "Número inválido de días inactivos",
|
||||||
|
"COMMANDS_PRUNE_SUCCESS": "los usuarios privilegiados inactivos fueron podados",
|
||||||
|
"COMMANDS_QUIT_DESC": "salir de IW4MAdmin",
|
||||||
|
"COMMANDS_RCON_DESC": "enviar el comando rcon al servidor",
|
||||||
|
"COMMANDS_RCON_SUCCESS": "Exitosamente enviado el comando RCon",
|
||||||
|
"COMMANDS_REPORT_DESC": "reportar un cliente por comportamiento sospechoso",
|
||||||
|
"COMMANDS_REPORT_FAIL": "Tú no puedes reportar",
|
||||||
|
"COMMANDS_REPORT_FAIL_CAMP": "No puedes reportar a un jugador por campear",
|
||||||
|
"COMMANDS_REPORT_FAIL_DUPLICATE": "Ya has reportado a este jugador",
|
||||||
|
"COMMANDS_REPORT_FAIL_SELF": "No puedes reportarte a ti mismo",
|
||||||
|
"COMMANDS_REPORT_SUCCESS": "Gracias por su reporte, un administrador ha sido notificado",
|
||||||
|
"COMMANDS_REPORTS_CLEAR_SUCCESS": "Reportes borrados con éxito",
|
||||||
|
"COMMANDS_REPORTS_DESC": "obtener o borrar informes recientes",
|
||||||
|
"COMMANDS_REPORTS_NONE": "No hay jugadores reportados aun",
|
||||||
|
"COMMANDS_RULES_DESC": "enlistar reglas del servidor",
|
||||||
|
"COMMANDS_RULES_NONE": "El propietario del servidor no ha establecido ninguna regla",
|
||||||
|
"COMMANDS_SAY_DESC": "transmitir el mensaje a todos los clientes",
|
||||||
|
"COMMANDS_SETLEVEL_DESC": "establecer el cliente al nivel de privilegio especificado",
|
||||||
|
"COMMANDS_SETLEVEL_FAIL": "Grupo inválido especificado",
|
||||||
|
"COMMANDS_SETLEVEL_LEVELTOOHIGH": "Tú solo puedes promover ^5{0} ^7a ^5{1} ^7o menor privilegio",
|
||||||
|
"COMMANDS_SETLEVEL_OWNER": "Solo puede haber un propietario. Modifica tu configuración si múltiples propietarios son requeridos",
|
||||||
|
"COMMANDS_SETLEVEL_SELF": "No puedes cambiar tu propio nivel",
|
||||||
|
"COMMANDS_SETLEVEL_STEPPEDDISABLED": "Este servidor no te permite promover",
|
||||||
|
"COMMANDS_SETLEVEL_SUCCESS": "fue promovido con éxito",
|
||||||
|
"COMMANDS_SETLEVEL_SUCCESS_TARGET": "¡Felicitaciones! has ha sido promovido a",
|
||||||
|
"COMMANDS_SETPASSWORD_DESC": "configura tu contraseña de autenticación",
|
||||||
|
"COMMANDS_TEMPBAN_DESC": "banear temporalmente a un cliente por el tiempo especificado (predeterminado en 1 hora)",
|
||||||
|
"COMMANDS_TEMPBAN_FAIL": "Tú no puedes banear temporalmente",
|
||||||
|
"COMMANDS_TEMPBAN_SUCCESS": "ha sido baneado temporalmente por",
|
||||||
|
"COMMANDS_UNBAN_DESC": "desbanear al cliente por ID",
|
||||||
|
"COMMANDS_UNBAN_FAIL": "no está baneado",
|
||||||
|
"COMMANDS_UNBAN_SUCCESS": "Exitosamente desbaneado",
|
||||||
|
"COMMANDS_UPTIME_DESC": "obtener el tiempo de ejecución de la aplicación actual",
|
||||||
|
"COMMANDS_UPTIME_TEXT": "ha estado en línea por",
|
||||||
|
"COMMANDS_USAGE_DESC": "obtener uso de la memoria de la aplicación",
|
||||||
|
"COMMANDS_USAGE_TEXT": "está usando",
|
||||||
|
"COMMANDS_WARN_DESC": "advertir al cliente por infringir las reglas",
|
||||||
|
"COMMANDS_WARN_FAIL": "No tiene los privilegios necesarios para advertir a",
|
||||||
|
"COMMANDS_WARNCLEAR_DESC": "eliminar todas las advertencias de un cliente",
|
||||||
|
"COMMANDS_WARNCLEAR_SUCCESS": "Todas las advertencias borradas para",
|
||||||
|
"COMMANDS_WHO_DESC": "da información sobre ti",
|
||||||
|
"GLOBAL_DAYS": "días",
|
||||||
|
"GLOBAL_ERROR": "Error",
|
||||||
|
"GLOBAL_HOURS": "horas",
|
||||||
|
"GLOBAL_INFO": "Información",
|
||||||
|
"GLOBAL_MINUTES": "minutos",
|
||||||
|
"GLOBAL_REPORT": "Si sospechas que alguien ^5usa cheats ^7usa el comando ^5!report",
|
||||||
|
"GLOBAL_VERBOSE": "Detallado",
|
||||||
|
"GLOBAL_WARNING": "Advertencia",
|
||||||
|
"MANAGER_CONNECTION_REST": "La conexión ha sido restablecida con",
|
||||||
|
"MANAGER_CONSOLE_NOSERV": "No hay servidores que estén siendo monitoreados en este momento",
|
||||||
|
"MANAGER_EXIT": "Presione cualquier tecla para salir...",
|
||||||
|
"MANAGER_INIT_FAIL": "Error fatal durante la inicialización",
|
||||||
|
"MANAGER_MONITORING_TEXT": "Ahora monitoreando",
|
||||||
|
"MANAGER_SHUTDOWN_SUCCESS": "Apagado completo",
|
||||||
|
"MANAGER_VERSION_CURRENT": "Tu versión es",
|
||||||
|
"MANAGER_VERSION_FAIL": "No se ha podido conseguir la última versión de IW4MAdmin",
|
||||||
|
"MANAGER_VERSION_SUCCESS": "IW4MAdmin está actualizado",
|
||||||
|
"MANAGER_VERSION_UPDATE": "tiene una actualización. La última versión es",
|
||||||
|
"PLUGIN_IMPORTER_NOTFOUND": "No se encontraron complementos para cargar",
|
||||||
|
"PLUGIN_IMPORTER_REGISTERCMD": "Comando registrado",
|
||||||
|
"PLUGINS_LOGIN_COMMANDS_LOGIN_DESC": "iniciar sesión usando la contraseña",
|
||||||
|
"PLUGINS_LOGIN_COMMANDS_LOGIN_FAIL": "tu contraseña es incorrecta",
|
||||||
|
"PLUGINS_LOGIN_COMMANDS_LOGIN_SUCCESS": "Ahora está conectado",
|
||||||
|
"PLUGINS_STATS_COMMANDS_RESET_DESC": "restablece tus estadísticas a las nuevas de fábrica",
|
||||||
|
"PLUGINS_STATS_COMMANDS_RESET_FAIL": "Debes estar conectado a un servidor para restablecer tus estadísticas",
|
||||||
|
"PLUGINS_STATS_COMMANDS_RESET_SUCCESS": "Tus estadísticas para este servidor se han restablecido",
|
||||||
|
"PLUGINS_STATS_COMMANDS_TOP_DESC": "ver los 5 mejores jugadores en este servidor",
|
||||||
|
"PLUGINS_STATS_COMMANDS_TOP_TEXT": "Mejores Jugadores",
|
||||||
|
"PLUGINS_STATS_COMMANDS_VIEW_DESC": "ver tus estadísticas",
|
||||||
|
"PLUGINS_STATS_COMMANDS_VIEW_FAIL": "No se puede encontrar el jugador que especificó",
|
||||||
|
"PLUGINS_STATS_COMMANDS_VIEW_FAIL_INGAME": "El jugador especificado debe estar dentro del juego",
|
||||||
|
"PLUGINS_STATS_COMMANDS_VIEW_FAIL_INGAME_SELF": "Debes estar dentro del juego para ver tus estadísticas",
|
||||||
|
"PLUGINS_STATS_COMMANDS_VIEW_SUCCESS": "Estadísticas para",
|
||||||
|
"PLUGINS_STATS_TEXT_DEATHS": "Muertes",
|
||||||
|
"PLUGINS_STATS_TEXT_KILLS": "Asesinatos",
|
||||||
|
"PLUGINS_STATS_TEXT_NOQUALIFY": "No hay jugadores que califiquen para los primeros lugares aun",
|
||||||
|
"PLUGINS_STATS_TEXT_SKILL": "Habilidad",
|
||||||
|
"SERVER_BAN_APPEAL": "apela en",
|
||||||
|
"SERVER_BAN_PREV": "Baneado anteriormente por",
|
||||||
|
"SERVER_BAN_TEXT": "Estás baneado",
|
||||||
|
"SERVER_ERROR_ADDPLAYER": "Incapaz de añadir al jugador",
|
||||||
|
"SERVER_ERROR_COMMAND_INGAME": "Un error interno ocurrió mientras se procesaba tu comando",
|
||||||
|
"SERVER_ERROR_COMMAND_LOG": "Comando generó error",
|
||||||
|
"SERVER_ERROR_COMMUNICATION": "No se ha podido comunicar con",
|
||||||
|
"SERVER_ERROR_DNE": "No existe",
|
||||||
|
"SERVER_ERROR_DVAR": "No se pudo obtener el valor dvar",
|
||||||
|
"SERVER_ERROR_DVAR_HELP": "asegúrate de que el servidor tenga un mapa cargado",
|
||||||
|
"SERVER_ERROR_EXCEPTION": "Excepción inesperada en",
|
||||||
|
"SERVER_ERROR_LOG": "Archivo de registro del juego invalido",
|
||||||
|
"SERVER_ERROR_PLUGIN": "Un error ocurrió mientras se cargaba el complemente",
|
||||||
|
"SERVER_ERROR_POLLING": "reduciendo la tasa de sondeo",
|
||||||
|
"SERVER_ERROR_UNFIXABLE": "No se está supervisando el servidor debido a errores incorregibles",
|
||||||
|
"SERVER_KICK_CONTROLCHARS": "Tu nombre no puede contener caracteres de control",
|
||||||
|
"SERVER_KICK_GENERICNAME": "Por favor cambia tu nombre usando /name",
|
||||||
|
"SERVER_KICK_MINNAME": "Tu nombre debe contener al menos 3 caracteres",
|
||||||
|
"SERVER_KICK_NAME_INUSE": "Tu nombre está siendo usado por alguien más",
|
||||||
|
"SERVER_KICK_TEXT": "Fuiste expulsado",
|
||||||
|
"SERVER_KICK_VPNS_NOTALLOWED": "Las VPNs no están permitidas en este servidor",
|
||||||
|
"SERVER_PLUGIN_ERROR": "Un complemento generó un error",
|
||||||
|
"SERVER_REPORT_COUNT": "Hay ^5{0} ^7reportes recientes",
|
||||||
|
"SERVER_TB_REMAIN": "Tú estás temporalmente baneado",
|
||||||
|
"SERVER_TB_TEXT": "Estás temporalmente baneado",
|
||||||
|
"SERVER_WARNING": "ADVERTENCIA",
|
||||||
|
"SERVER_WARNLIMT_REACHED": "Muchas advertencias",
|
||||||
|
"SERVER_WEBSITE_GENERIC": "el sitio web de este servidor",
|
||||||
|
"SETUP_DISPLAY_SOCIAL": "Mostrar el link del medio de comunicación en la parte frontal de la web. (discord, website, VK, etc..)",
|
||||||
|
"SETUP_ENABLE_CUSTOMSAY": "Habilitar nombre a decir personalizado",
|
||||||
|
"SETUP_ENABLE_MULTIOWN": "Habilitar múltiples propietarios",
|
||||||
|
"SETUP_ENABLE_STEPPEDPRIV": "Habilitar jerarquía de privilegios por escalones",
|
||||||
|
"SETUP_ENABLE_VPNS": "Habilitar VPNs clientes",
|
||||||
|
"SETUP_ENABLE_WEBFRONT": "Habilitar frente de la web",
|
||||||
|
"SETUP_ENCODING_STRING": "Ingresar cadena de codificación",
|
||||||
|
"SETUP_IPHUB_KEY": "Ingresar clave api de iphub.info",
|
||||||
|
"SETUP_SAY_NAME": "Ingresar nombre a decir personalizado",
|
||||||
|
"SETUP_SERVER_IP": "Ingresar Dirección IP del servidor",
|
||||||
|
"SETUP_SERVER_MANUALLOG": "Ingresar manualmente la ruta del archivo de registro",
|
||||||
|
"SETUP_SERVER_PORT": "Ingresar puerto del servidor",
|
||||||
|
"SETUP_SERVER_RCON": "Ingresar contraseña RCon del servidor",
|
||||||
|
"SETUP_SERVER_SAVE": "Configuración guardada, añadir otra",
|
||||||
|
"SETUP_SERVER_USEIW5M": "Usar analizador Pluto IW5",
|
||||||
|
"SETUP_SERVER_USET6M": "Usar analizador Pluto T6",
|
||||||
|
"SETUP_SOCIAL_LINK": "Ingresar link del medio de comunicación",
|
||||||
|
"SETUP_SOCIAL_TITLE": "Ingresa el nombre de la red de comunicación",
|
||||||
|
"SETUP_USE_CUSTOMENCODING": "Usar analizador de codificación personalizado",
|
||||||
|
"WEBFRONT_ACTION_BAN_NAME": "Ban",
|
||||||
|
"WEBFRONT_ACTION_LABEL_ID": "ID del Cliente",
|
||||||
|
"WEBFRONT_ACTION_LABEL_PASSWORD": "Contraseña",
|
||||||
|
"WEBFRONT_ACTION_LABEL_REASON": "Razón",
|
||||||
|
"WEBFRONT_ACTION_LOGIN_NAME": "Inicio de sesión",
|
||||||
|
"WEBFRONT_ACTION_UNBAN_NAME": "Desban",
|
||||||
|
"WEBFRONT_CLIENT_META_FALSE": "No está",
|
||||||
|
"WEBFRONT_CLIENT_META_JOINED": "Se unió con el alias",
|
||||||
|
"WEBFRONT_CLIENT_META_MASKED": "Enmascarado",
|
||||||
|
"WEBFRONT_CLIENT_META_TRUE": "Está",
|
||||||
|
"WEBFRONT_CLIENT_PRIVILEGED_TITLE": "Clientes privilegiados",
|
||||||
|
"WEBFRONT_CLIENT_PROFILE_TITLE": "Perfil",
|
||||||
|
"WEBFRONT_CLIENT_SEARCH_MATCHING": "Clientes que concuerdan",
|
||||||
|
"WEBFRONT_CONSOLE_EXECUTE": "Ejecutar",
|
||||||
|
"WEBFRONT_CONSOLE_TITLE": "Consola Web",
|
||||||
|
"WEBFRONT_ERROR_DESC": "IW4MAdmin encontró un error",
|
||||||
|
"WEBFRONT_ERROR_GENERIC_DESC": "Un error ha ocurrido mientras se procesaba tu solicitud",
|
||||||
|
"WEBFRONT_ERROR_GENERIC_TITLE": "¡Lo lamento!",
|
||||||
|
"WEBFRONT_ERROR_TITLE": "¡Error!",
|
||||||
|
"WEBFRONT_HOME_TITLE": "Vista general del servidor",
|
||||||
|
"WEBFRONT_NAV_CONSOLE": "Consola",
|
||||||
|
"WEBFRONT_NAV_DISCORD": "Discord",
|
||||||
|
"WEBFRONT_NAV_HOME": "Inicio",
|
||||||
|
"WEBFRONT_NAV_LOGOUT": "Cerrar sesión",
|
||||||
|
"WEBFRONT_NAV_PENALTIES": "Sanciones",
|
||||||
|
"WEBFRONT_NAV_PRIVILEGED": "Administradores",
|
||||||
|
"WEBFRONT_NAV_PROFILE": "Perfil del cliente",
|
||||||
|
"WEBFRONT_NAV_SEARCH": "Encontrar cliente",
|
||||||
|
"WEBFRONT_NAV_SOCIAL": "Social",
|
||||||
|
"WEBFRONT_PENALTY_TEMPLATE_ADMIN": "Administrador",
|
||||||
|
"WEBFRONT_PENALTY_TEMPLATE_AGO": "atrás",
|
||||||
|
"WEBFRONT_PENALTY_TEMPLATE_NAME": "Nombre",
|
||||||
|
"WEBFRONT_PENALTY_TEMPLATE_OFFENSE": "Ofensa",
|
||||||
|
"WEBFRONT_PENALTY_TEMPLATE_REMAINING": "restante",
|
||||||
|
"WEBFRONT_PENALTY_TEMPLATE_SHOW": "Mostrar",
|
||||||
|
"WEBFRONT_PENALTY_TEMPLATE_SHOWONLY": "Mostrar solamente",
|
||||||
|
"WEBFRONT_PENALTY_TEMPLATE_TIME": "Tiempo/Restante",
|
||||||
|
"WEBFRONT_PENALTY_TEMPLATE_TYPE": "Tipo",
|
||||||
|
"WEBFRONT_PENALTY_TITLE": "Faltas del cliente",
|
||||||
|
"WEBFRONT_PROFILE_FSEEN": "Primera vez visto hace",
|
||||||
|
"WEBFRONT_PROFILE_LEVEL": "Nivel",
|
||||||
|
"WEBFRONT_PROFILE_LSEEN": "Última vez visto hace",
|
||||||
|
"WEBFRONT_PROFILE_PLAYER": "Jugadas",
|
||||||
|
"PLUGIN_STATS_SETUP_ENABLEAC": "Habilitar anti-trampas junto al servidor (solo IW4)",
|
||||||
|
"PLUGIN_STATS_ERROR_ADD": "No se puedo añadir servidor a los estados del servidor",
|
||||||
|
"PLUGIN_STATS_CHEAT_DETECTED": "Pareces estar haciendo trampa",
|
||||||
|
"PLUGINS_STATS_TEXT_KDR": "KDR",
|
||||||
|
"PLUGINS_STATS_META_SPM": "Puntaje por minuto",
|
||||||
|
"PLUGINS_WELCOME_USERANNOUNCE": "^5{{ClientName}} ^7llega desde ^5{{ClientLocation}}",
|
||||||
|
"PLUGINS_WELCOME_USERWELCOME": "¡Bienvenido ^5{{ClientName}}^7, esta es tu visita numero ^5{{TimesConnected}} ^7 en el servidor!",
|
||||||
|
"PLUGINS_WELCOME_PRIVANNOUNCE": "{{ClientLevel}} {{ClientName}} Se ha unido al servidor",
|
||||||
|
"PLUGINS_LOGIN_AUTH": "No registrado",
|
||||||
|
"PLUGINS_PROFANITY_SETUP_ENABLE": "Habilitar la disuasión de blasfemias",
|
||||||
|
"PLUGINS_PROFANITY_WARNMSG": "Por favor no uses blasfemias en este servidor",
|
||||||
|
"PLUGINS_PROFANITY_KICKMSG": "Excesivo uso de blasfemias",
|
||||||
|
"GLOBAL_DEBUG": "Depurar",
|
||||||
|
"COMMANDS_UNFLAG_DESC": "Remover marca del cliente",
|
||||||
|
"COMMANDS_UNFLAG_FAIL": "Tu no puedes desmarcar",
|
||||||
|
"COMMANDS_UNFLAG_NOTFLAGGED": "El cliente no está marcado",
|
||||||
|
"COMMANDS_FLAG_ALREADYFLAGGED": "El cliente yá se encuentra marcado",
|
||||||
|
"PLUGINS_STATS_COMMANDS_MOSTPLAYED_TEXT": "Más jugado",
|
||||||
|
"PLUGINS_STATS_COMMANDS_MOSTPLAYED_DESC": "ver el Top 5 de jugadores dedicados en el servidor",
|
||||||
|
"WEBFRONT_PROFILE_MESSAGES": "Mensajes",
|
||||||
|
"WEBFRONT_CLIENT_META_CONNECTIONS": "Conexiones",
|
||||||
|
"PLUGINS_STATS_COMMANDS_TOPSTATS_RATING": "Clasificación",
|
||||||
|
"PLUGINS_STATS_COMMANDS_PERFORMANCE": "Desempeño"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
269
Application/Localization/IW4MAdmin.pt-BR.json
Normal file
269
Application/Localization/IW4MAdmin.pt-BR.json
Normal file
@ -0,0 +1,269 @@
|
|||||||
|
{
|
||||||
|
"LocalizationName": "pt-BR",
|
||||||
|
"LocalizationIndex": {
|
||||||
|
"Set": {
|
||||||
|
"BROADCAST_OFFLINE": "IW4MAdmin ficou offline",
|
||||||
|
"BROADCAST_ONLINE": "^5IW4MADMIN ^7agora está ^2ONLINE",
|
||||||
|
"COMMAND_HELP_OPTIONAL": "opcional",
|
||||||
|
"COMMAND_HELP_SYNTAX": "sintaxe:",
|
||||||
|
"COMMAND_MISSINGARGS": "Não foram oferecidos argumentos suficientes",
|
||||||
|
"COMMAND_NOACCESS": "Você não tem acesso a este comando",
|
||||||
|
"COMMAND_NOTAUTHORIZED": "Você não está autorizado a executar este comando",
|
||||||
|
"COMMAND_TARGET_MULTI": "Vários jogadores correspondem a esse nome",
|
||||||
|
"COMMAND_TARGET_NOTFOUND": "Não é possível encontrar o jogador especificado",
|
||||||
|
"COMMAND_UNKNOWN": "Você digitou um comando desconhecido",
|
||||||
|
"COMMANDS_ADMINS_DESC": "lista os clientes privilegiados conectados no momento",
|
||||||
|
"COMMANDS_ADMINS_NONE": "Não há administradores visíveis online",
|
||||||
|
"COMMANDS_ALIAS_ALIASES": "Nomes registrados",
|
||||||
|
"COMMANDS_ALIAS_DESC": "obtém a lista de histórico de nomes que o jogador usou no servidor",
|
||||||
|
"COMMANDS_ALIAS_IPS": "IPs",
|
||||||
|
"COMMANDS_ARGS_CLEAR": "apagar",
|
||||||
|
"COMMANDS_ARGS_CLIENTID": "id do jogador",
|
||||||
|
"COMMANDS_ARGS_COMMANDS": "comandos",
|
||||||
|
"COMMANDS_ARGS_DURATION": "duração (m|h|d|w|y)",
|
||||||
|
"COMMANDS_ARGS_INACTIVE": "dias inativos",
|
||||||
|
"COMMANDS_ARGS_LEVEL": "nível",
|
||||||
|
"COMMANDS_ARGS_MAP": "mapa",
|
||||||
|
"COMMANDS_ARGS_MESSAGE": "mensagem",
|
||||||
|
"COMMANDS_ARGS_PASSWORD": "senha",
|
||||||
|
"COMMANDS_ARGS_PLAYER": "jogador",
|
||||||
|
"COMMANDS_ARGS_REASON": "razão",
|
||||||
|
"COMMANDS_BAN_DESC": "banir permanentemente um cliente do servidor",
|
||||||
|
"COMMANDS_BAN_FAIL": "Você não pode banir permanentemente",
|
||||||
|
"COMMANDS_BAN_SUCCESS": "foi banido permanentemente",
|
||||||
|
"COMMANDS_BANINFO_DESC": "obtém informações sobre um banimento para um jogador",
|
||||||
|
"COMMANDS_BANINFO_NONE": "Nenhum banimento ativo foi encontrado para esse jogador",
|
||||||
|
"COMMANDS_BANINO_SUCCESS": "foi banido por ^5{0} ^7por:",
|
||||||
|
"COMMANDS_FASTRESTART_DESC": "reinicializa rapidamente o mapa atual, não recomendável o uso várias vezes seguidas",
|
||||||
|
"COMMANDS_FASTRESTART_MASKED": "O mapa foi reiniciado rapidamente",
|
||||||
|
"COMMANDS_FASTRESTART_UNMASKED": "reiniciou rapidamente o mapa",
|
||||||
|
"COMMANDS_FIND_DESC": "acha o jogador na base de dados",
|
||||||
|
"COMMANDS_FIND_EMPTY": "Nenhum jogador foi encontrado",
|
||||||
|
"COMMANDS_FIND_MIN": "Por favor, insira pelo menos 3 caracteres",
|
||||||
|
"COMMANDS_FLAG_DESC": "sinaliza um cliente suspeito e anuncia aos administradores ao entrar no servidor",
|
||||||
|
"COMMANDS_FLAG_FAIL": "Você não pode sinalizar",
|
||||||
|
"COMMANDS_FLAG_SUCCESS": "Você sinalizou",
|
||||||
|
"COMMANDS_FLAG_UNFLAG": "Você tirou a sinalização de",
|
||||||
|
"COMMANDS_HELP_DESC": "lista todos os comandos disponíveis",
|
||||||
|
"COMMANDS_HELP_MOREINFO": "Digite !help <comando> para saber como usar o comando",
|
||||||
|
"COMMANDS_HELP_NOTFOUND": "Não foi possível encontrar esse comando",
|
||||||
|
"COMMANDS_IP_DESC": "mostrar o seu endereço IP externo",
|
||||||
|
"COMMANDS_IP_SUCCESS": "Seu endereço IP externo é",
|
||||||
|
"COMMANDS_KICK_DESC": "expulsa o jogador pelo nome",
|
||||||
|
"COMMANDS_KICK_FAIL": "Você não tem os privilégios necessários para expulsar",
|
||||||
|
"COMMANDS_KICK_SUCCESS": "foi expulso",
|
||||||
|
"COMMANDS_LIST_DESC": "lista os jogadores ativos na partida",
|
||||||
|
"COMMANDS_MAP_DESC": "muda para o mapa especificado",
|
||||||
|
"COMMANDS_MAP_SUCCESS": "Mudando o mapa para",
|
||||||
|
"COMMANDS_MAP_UKN": "Tentando mudar para o mapa desconhecido",
|
||||||
|
"COMMANDS_MAPROTATE": "Rotacionando o mapa em ^55 ^7segundos",
|
||||||
|
"COMMANDS_MAPROTATE_DESC": "avança para o próximo mapa da rotação",
|
||||||
|
"COMMANDS_MASK_DESC": "esconde a sua presença como um jogador privilegiado",
|
||||||
|
"COMMANDS_MASK_OFF": "Você foi desmascarado",
|
||||||
|
"COMMANDS_MASK_ON": "Você agora está mascarado",
|
||||||
|
"COMMANDS_OWNER_DESC": "reivindica a propriedade do servidor",
|
||||||
|
"COMMANDS_OWNER_FAIL": "Este servidor já tem um dono",
|
||||||
|
"COMMANDS_OWNER_SUCCESS": "Parabéns, você reivindicou a propriedade deste servidor!",
|
||||||
|
"COMMANDS_PASSWORD_FAIL": "Sua senha deve ter pelo menos 5 caracteres",
|
||||||
|
"COMMANDS_PASSWORD_SUCCESS": "Sua senha foi configurada com sucesso",
|
||||||
|
"COMMANDS_PING_DESC": "mostra o quanto de latência tem o jogador",
|
||||||
|
"COMMANDS_PING_SELF": "Sua latência é",
|
||||||
|
"COMMANDS_PING_TARGET": "latência é",
|
||||||
|
"COMMANDS_PLUGINS_DESC": "mostra todos os plugins que estão carregados",
|
||||||
|
"COMMANDS_PLUGINS_LOADED": "Plugins carregados",
|
||||||
|
"COMMANDS_PM_DESC": "envia a mensagem para o outro jogador de maneira privada, use /!pm para ter efeito, se possível",
|
||||||
|
"COMMANDS_PRUNE_DESC": "rebaixa qualquer jogador privilegiado que não tenha se conectado recentemente (o padrão é 30 dias)",
|
||||||
|
"COMMANDS_PRUNE_FAIL": "Número inválido de dias ativo",
|
||||||
|
"COMMANDS_PRUNE_SUCCESS": "usuários privilegiados inativos foram removidos",
|
||||||
|
"COMMANDS_QUIT_DESC": "sair do IW4MAdmin",
|
||||||
|
"COMMANDS_RCON_DESC": "envia o comando Rcon para o servidor",
|
||||||
|
"COMMANDS_RCON_SUCCESS": "O comando para o RCon foi enviado com sucesso!",
|
||||||
|
"COMMANDS_REPORT_DESC": "denuncia o jogador por comportamento suspeito",
|
||||||
|
"COMMANDS_REPORT_FAIL": "Você não pode reportar",
|
||||||
|
"COMMANDS_REPORT_FAIL_CAMP": "Você não pode denunciar o jogador por camperar",
|
||||||
|
"COMMANDS_REPORT_FAIL_DUPLICATE": "Você já denunciou o jogador",
|
||||||
|
"COMMANDS_REPORT_FAIL_SELF": "Você não pode reportar a si mesmo",
|
||||||
|
"COMMANDS_REPORT_SUCCESS": "Obrigado pela sua denúncia, um administrador foi notificado",
|
||||||
|
"COMMANDS_REPORTS_CLEAR_SUCCESS": "Lista de denúncias limpa com sucesso",
|
||||||
|
"COMMANDS_REPORTS_DESC": "obtém ou limpa as denúncias recentes",
|
||||||
|
"COMMANDS_REPORTS_NONE": "Ninguém foi denunciado ainda",
|
||||||
|
"COMMANDS_RULES_DESC": "lista as regras do servidor",
|
||||||
|
"COMMANDS_RULES_NONE": "O proprietário do servidor não definiu nenhuma regra, sinta-se livre",
|
||||||
|
"COMMANDS_SAY_DESC": "transmite mensagem para todos os jogadores",
|
||||||
|
"COMMANDS_SETLEVEL_DESC": "define o jogador para o nível de privilégio especificado",
|
||||||
|
"COMMANDS_SETLEVEL_FAIL": "grupo especificado inválido",
|
||||||
|
"COMMANDS_SETLEVEL_LEVELTOOHIGH": "Você só pode promover do ^5{0} ^7para ^5{1} ^7ou um nível menor",
|
||||||
|
"COMMANDS_SETLEVEL_OWNER": "Só pode haver 1 dono. Modifique suas configurações se vários proprietários forem necessários",
|
||||||
|
"COMMANDS_SETLEVEL_SELF": "Você não pode mudar seu próprio nível",
|
||||||
|
"COMMANDS_SETLEVEL_STEPPEDDISABLED": "Este servidor não permite que você promova",
|
||||||
|
"COMMANDS_SETLEVEL_SUCCESS": "foi promovido com sucesso",
|
||||||
|
"COMMANDS_SETLEVEL_SUCCESS_TARGET": "Parabéns! Você foi promovido para",
|
||||||
|
"COMMANDS_SETPASSWORD_DESC": "define sua senha de autenticação",
|
||||||
|
"COMMANDS_TEMPBAN_DESC": "bane temporariamente um jogador por tempo especificado (o padrão é 1 hora)",
|
||||||
|
"COMMANDS_TEMPBAN_FAIL": "Você não pode banir temporariamente",
|
||||||
|
"COMMANDS_TEMPBAN_SUCCESS": "foi banido temporariamente por",
|
||||||
|
"COMMANDS_UNBAN_DESC": "retira o banimento de um jogador pelo seu ID",
|
||||||
|
"COMMANDS_UNBAN_FAIL": "não está banido",
|
||||||
|
"COMMANDS_UNBAN_SUCCESS": "Foi retirado o banimento com sucesso",
|
||||||
|
"COMMANDS_UPTIME_DESC": "obtém o tempo de execução do aplicativo a quando aberto",
|
||||||
|
"COMMANDS_UPTIME_TEXT": "está online por",
|
||||||
|
"COMMANDS_USAGE_DESC": "vê quanto o aplicativo está usando de memória RAM do seu computador",
|
||||||
|
"COMMANDS_USAGE_TEXT": "está usando",
|
||||||
|
"COMMANDS_WARN_DESC": "adverte o cliente por infringir as regras",
|
||||||
|
"COMMANDS_WARN_FAIL": "Você não tem os privilégios necessários para advertir",
|
||||||
|
"COMMANDS_WARNCLEAR_DESC": "remove todos os avisos para um cliente",
|
||||||
|
"COMMANDS_WARNCLEAR_SUCCESS": "Todos as advertências foram apagados para",
|
||||||
|
"COMMANDS_WHO_DESC": "dá informações sobre você",
|
||||||
|
"GLOBAL_DAYS": "dias",
|
||||||
|
"GLOBAL_ERROR": "Erro",
|
||||||
|
"GLOBAL_HOURS": "horas",
|
||||||
|
"GLOBAL_INFO": "Informação",
|
||||||
|
"GLOBAL_MINUTES": "minutos",
|
||||||
|
"GLOBAL_REPORT": "Se você está suspeitando alguém de alguma ^5TRAPAÇA ^7use o comando ^5!report",
|
||||||
|
"GLOBAL_VERBOSE": "Detalhe",
|
||||||
|
"GLOBAL_WARNING": "AVISO",
|
||||||
|
"MANAGER_CONNECTION_REST": "A conexão foi reestabelecida com",
|
||||||
|
"MANAGER_CONSOLE_NOSERV": "Não há servidores sendo monitorados neste momento",
|
||||||
|
"MANAGER_EXIT": "Pressione qualquer tecla para sair...",
|
||||||
|
"MANAGER_INIT_FAIL": "Erro fatal durante a inicialização",
|
||||||
|
"MANAGER_MONITORING_TEXT": "Agora monitorando",
|
||||||
|
"MANAGER_SHUTDOWN_SUCCESS": "Desligamento concluído",
|
||||||
|
"MANAGER_VERSION_CURRENT": "Está é a sua versão",
|
||||||
|
"MANAGER_VERSION_FAIL": "Não foi possível obter a versão mais recente do IW4MAdmin",
|
||||||
|
"MANAGER_VERSION_SUCCESS": "O IW4MAdmin está atualizado",
|
||||||
|
"MANAGER_VERSION_UPDATE": "Há uma atualização disponível. A versão mais recente é",
|
||||||
|
"PLUGIN_IMPORTER_NOTFOUND": "Não foram encontrados plugins para carregar",
|
||||||
|
"PLUGIN_IMPORTER_REGISTERCMD": "Comando registrado",
|
||||||
|
"PLUGINS_LOGIN_COMMANDS_LOGIN_DESC": "Inicie a sua sessão usando a senha",
|
||||||
|
"PLUGINS_LOGIN_COMMANDS_LOGIN_FAIL": "Sua senha está errada",
|
||||||
|
"PLUGINS_LOGIN_COMMANDS_LOGIN_SUCCESS": "Você agora está conectado",
|
||||||
|
"PLUGINS_STATS_COMMANDS_RESET_DESC": "reinicia suas estatísticas para uma nova",
|
||||||
|
"PLUGINS_STATS_COMMANDS_RESET_FAIL": "Você deve estar conectado a um servidor para reiniciar as suas estatísticas",
|
||||||
|
"PLUGINS_STATS_COMMANDS_RESET_SUCCESS": "Suas estatísticas nesse servidor foram reiniciadas",
|
||||||
|
"PLUGINS_STATS_COMMANDS_TOP_DESC": "visualiza os 5 melhores jogadores do servidor",
|
||||||
|
"PLUGINS_STATS_COMMANDS_TOP_TEXT": "Top Jogadores",
|
||||||
|
"PLUGINS_STATS_COMMANDS_VIEW_DESC": "mostra suas estatísticas",
|
||||||
|
"PLUGINS_STATS_COMMANDS_VIEW_FAIL": "Não foi encontrado o jogador que você especificou",
|
||||||
|
"PLUGINS_STATS_COMMANDS_VIEW_FAIL_INGAME": "o jogador especificado deve estar dentro do jogo",
|
||||||
|
"PLUGINS_STATS_COMMANDS_VIEW_FAIL_INGAME_SELF": "Você deve estar no jogo para ver suas estatísticas",
|
||||||
|
"PLUGINS_STATS_COMMANDS_VIEW_SUCCESS": "Estatísticas para",
|
||||||
|
"PLUGINS_STATS_TEXT_DEATHS": "MORTES",
|
||||||
|
"PLUGINS_STATS_TEXT_KILLS": "BAIXAS",
|
||||||
|
"PLUGINS_STATS_TEXT_NOQUALIFY": "Não há ainda jogadores qualificados para os primeiros lugares",
|
||||||
|
"PLUGINS_STATS_TEXT_SKILL": "HABILIDADE",
|
||||||
|
"SERVER_BAN_APPEAL": "apele em",
|
||||||
|
"SERVER_BAN_PREV": "Banido preventivamente por",
|
||||||
|
"SERVER_BAN_TEXT": "Você está banido",
|
||||||
|
"SERVER_ERROR_ADDPLAYER": "Não foi possível adicionar o jogador",
|
||||||
|
"SERVER_ERROR_COMMAND_INGAME": "Ocorreu um erro interno ao processar seu comando",
|
||||||
|
"SERVER_ERROR_COMMAND_LOG": "o comando gerou um erro",
|
||||||
|
"SERVER_ERROR_COMMUNICATION": "Não foi possível fazer a comunicação com",
|
||||||
|
"SERVER_ERROR_DNE": "não existe",
|
||||||
|
"SERVER_ERROR_DVAR": "Não foi possível obter o valor de dvar para",
|
||||||
|
"SERVER_ERROR_DVAR_HELP": "garanta que o servidor tenha um mapa carregado",
|
||||||
|
"SERVER_ERROR_EXCEPTION": "Exceção inesperada em",
|
||||||
|
"SERVER_ERROR_LOG": "Log do jogo inválido",
|
||||||
|
"SERVER_ERROR_PLUGIN": "Ocorreu um erro ao carregar o plug-in",
|
||||||
|
"SERVER_ERROR_POLLING": "reduzir a taxa de sondagem do server",
|
||||||
|
"SERVER_ERROR_UNFIXABLE": "Não monitorando o servidor devido a erros incorrigíveis",
|
||||||
|
"SERVER_KICK_CONTROLCHARS": "Seu nome não pode conter caracteres de controle",
|
||||||
|
"SERVER_KICK_GENERICNAME": "Por favor, mude o seu nome usando o comando /name no console",
|
||||||
|
"SERVER_KICK_MINNAME": "Seu nome deve conter no mínimo três caracteres",
|
||||||
|
"SERVER_KICK_NAME_INUSE": "Seu nome já está sendo usado por outra pessoa",
|
||||||
|
"SERVER_KICK_TEXT": "Você foi expulso",
|
||||||
|
"SERVER_KICK_VPNS_NOTALLOWED": "VPNs não são permitidas neste servidor",
|
||||||
|
"SERVER_PLUGIN_ERROR": "Um plugin gerou erro",
|
||||||
|
"SERVER_REPORT_COUNT": "Você tem ^5{0} ^7denúncias recentes",
|
||||||
|
"SERVER_TB_REMAIN": "Você está banido temporariamente",
|
||||||
|
"SERVER_TB_TEXT": "Você está banido temporariamente",
|
||||||
|
"SERVER_WARNING": "AVISO",
|
||||||
|
"SERVER_WARNLIMT_REACHED": "Avisos demais! Leia o chat da próxima vez",
|
||||||
|
"SERVER_WEBSITE_GENERIC": "este é o site do servidor",
|
||||||
|
"SETUP_DISPLAY_SOCIAL": "Digitar link do convite do seu site no módulo da web (Discord, YouTube, etc.)",
|
||||||
|
"SETUP_ENABLE_CUSTOMSAY": "Habilitar a customização do nome do comando say",
|
||||||
|
"SETUP_ENABLE_MULTIOWN": "Habilitar vários proprietários",
|
||||||
|
"SETUP_ENABLE_STEPPEDPRIV": "Ativar hierarquia de privilégios escalonada",
|
||||||
|
"SETUP_ENABLE_VPNS": "Habilitar que os usuários usem VPN",
|
||||||
|
"SETUP_ENABLE_WEBFRONT": "Habilitar o módulo da web do IW4MAdmin",
|
||||||
|
"SETUP_ENCODING_STRING": "Digite sequência de codificação",
|
||||||
|
"SETUP_IPHUB_KEY": "Digite iphub.info api key",
|
||||||
|
"SETUP_SAY_NAME": "Habilitar a customização do nome do comando say",
|
||||||
|
"SETUP_SERVER_IP": "Digite o endereço IP do servidor",
|
||||||
|
"SETUP_SERVER_MANUALLOG": "Insira o caminho do arquivo de log manualmente",
|
||||||
|
"SETUP_SERVER_PORT": "Digite a porta do servidor",
|
||||||
|
"SETUP_SERVER_RCON": "Digite a senha do RCon do servidor",
|
||||||
|
"SETUP_SERVER_SAVE": "Configuração salva, adicionar outra",
|
||||||
|
"SETUP_SERVER_USEIW5M": "Usar analisador Pluto IW5 ",
|
||||||
|
"SETUP_SERVER_USET6M": "Usar analisador Pluto T6 ",
|
||||||
|
"SETUP_SOCIAL_LINK": "Digite o link da Rede Social",
|
||||||
|
"SETUP_SOCIAL_TITLE": "Digite o nome da rede social",
|
||||||
|
"SETUP_USE_CUSTOMENCODING": "Usar o analisador de codificação customizado",
|
||||||
|
"WEBFRONT_ACTION_BAN_NAME": "Banir",
|
||||||
|
"WEBFRONT_ACTION_LABEL_ID": "ID do cliente",
|
||||||
|
"WEBFRONT_ACTION_LABEL_PASSWORD": "Senha",
|
||||||
|
"WEBFRONT_ACTION_LABEL_REASON": "Razão",
|
||||||
|
"WEBFRONT_ACTION_LOGIN_NAME": "Iniciar a sessão",
|
||||||
|
"WEBFRONT_ACTION_UNBAN_NAME": "Retirar o banimento",
|
||||||
|
"WEBFRONT_CLIENT_META_FALSE": "Não está",
|
||||||
|
"WEBFRONT_CLIENT_META_JOINED": "Entrou com o nome",
|
||||||
|
"WEBFRONT_CLIENT_META_MASKED": "Mascarado",
|
||||||
|
"WEBFRONT_CLIENT_META_TRUE": "Está",
|
||||||
|
"WEBFRONT_CLIENT_PRIVILEGED_TITLE": "Jogadores Privilegiados",
|
||||||
|
"WEBFRONT_CLIENT_PROFILE_TITLE": "Pefil",
|
||||||
|
"WEBFRONT_CLIENT_SEARCH_MATCHING": "Jogadores correspondidos",
|
||||||
|
"WEBFRONT_CONSOLE_EXECUTE": "Executar",
|
||||||
|
"WEBFRONT_CONSOLE_TITLE": "Console da Web",
|
||||||
|
"WEBFRONT_ERROR_DESC": "O IW4MAdmin encontrou um erro",
|
||||||
|
"WEBFRONT_ERROR_GENERIC_DESC": "Ocorreu um erro ao processar seu pedido",
|
||||||
|
"WEBFRONT_ERROR_GENERIC_TITLE": "Desculpe!",
|
||||||
|
"WEBFRONT_ERROR_TITLE": "Erro!",
|
||||||
|
"WEBFRONT_HOME_TITLE": "Visão geral do servidor",
|
||||||
|
"WEBFRONT_NAV_CONSOLE": "Console",
|
||||||
|
"WEBFRONT_NAV_DISCORD": "Discord",
|
||||||
|
"WEBFRONT_NAV_HOME": "Início",
|
||||||
|
"WEBFRONT_NAV_LOGOUT": "Encerrar a sessão",
|
||||||
|
"WEBFRONT_NAV_PENALTIES": "Penalidades",
|
||||||
|
"WEBFRONT_NAV_PRIVILEGED": "Administradores",
|
||||||
|
"WEBFRONT_NAV_PROFILE": "Perfil do Jogador",
|
||||||
|
"WEBFRONT_NAV_SEARCH": "Achar jogador",
|
||||||
|
"WEBFRONT_NAV_SOCIAL": "Rede Social",
|
||||||
|
"WEBFRONT_PENALTY_TEMPLATE_ADMIN": "Administrador",
|
||||||
|
"WEBFRONT_PENALTY_TEMPLATE_AGO": "atrás",
|
||||||
|
"WEBFRONT_PENALTY_TEMPLATE_NAME": "Nome",
|
||||||
|
"WEBFRONT_PENALTY_TEMPLATE_OFFENSE": "Ofensa",
|
||||||
|
"WEBFRONT_PENALTY_TEMPLATE_REMAINING": "restantes",
|
||||||
|
"WEBFRONT_PENALTY_TEMPLATE_SHOW": "Mostrar",
|
||||||
|
"WEBFRONT_PENALTY_TEMPLATE_SHOWONLY": "Mostrar somente",
|
||||||
|
"WEBFRONT_PENALTY_TEMPLATE_TIME": "Tempo/Restante",
|
||||||
|
"WEBFRONT_PENALTY_TEMPLATE_TYPE": "Tipo",
|
||||||
|
"WEBFRONT_PENALTY_TITLE": "Penalidades dos jogadores",
|
||||||
|
"WEBFRONT_PROFILE_FSEEN": "Visto primeiro em",
|
||||||
|
"WEBFRONT_PROFILE_LEVEL": "Nível",
|
||||||
|
"WEBFRONT_PROFILE_LSEEN": "Visto por último em",
|
||||||
|
"WEBFRONT_PROFILE_PLAYER": "Jogou",
|
||||||
|
"PLUGIN_STATS_SETUP_ENABLEAC": "Habilitar a anti-trapaça no servidor (Somente IW4/MW2)",
|
||||||
|
"PLUGIN_STATS_ERROR_ADD": "Não foi possível adicionar o servidor para as estatísticas do servidor",
|
||||||
|
"PLUGIN_STATS_CHEAT_DETECTED": "Aparentemente você está trapaceando",
|
||||||
|
"PLUGINS_STATS_TEXT_KDR": "KDR",
|
||||||
|
"PLUGINS_STATS_META_SPM": "Pontuação por minuto",
|
||||||
|
"PLUGINS_WELCOME_USERANNOUNCE": "^5{{ClientName}} ^7 vem de ^5{{ClientLocation}}",
|
||||||
|
"PLUGINS_WELCOME_USERWELCOME": "Bem-vindo ^5{{ClientName}}^7, esta é a sua visita de número ^5{{TimesConnected}} ^7 no servidor!",
|
||||||
|
"PLUGINS_WELCOME_PRIVANNOUNCE": "{{ClientLevel}} {{ClientName}} entrou no servidor",
|
||||||
|
"PLUGINS_LOGIN_AUTH": "não está registrado",
|
||||||
|
"PLUGINS_PROFANITY_SETUP_ENABLE": "Habilitar o plugin de anti-palavrão",
|
||||||
|
"PLUGINS_PROFANITY_WARNMSG": "Por favor, não use palavras ofensivas neste servidor",
|
||||||
|
"PLUGINS_PROFANITY_KICKMSG": "Uso excessivo de palavrão, lave a boca da próxima vez",
|
||||||
|
"GLOBAL_DEBUG": "Depuração",
|
||||||
|
"COMMANDS_UNFLAG_DESC": "Remover a sinalização do jogador",
|
||||||
|
"COMMANDS_UNFLAG_FAIL": "Você não pode retirar a sinalização do jogador",
|
||||||
|
"COMMANDS_UNFLAG_NOTFLAGGED": "O jogador não está sinalizado",
|
||||||
|
"COMMANDS_FLAG_ALREADYFLAGGED": "O jogador já está sinalizado",
|
||||||
|
"PLUGINS_STATS_COMMANDS_MOSTPLAYED_TEXT": "Mais jogado",
|
||||||
|
"PLUGINS_STATS_COMMANDS_MOSTPLAYED_DESC": "ver o top 5 de jogadores mais dedicados no servidor",
|
||||||
|
"WEBFRONT_PROFILE_MESSAGES": "Mensagens",
|
||||||
|
"WEBFRONT_CLIENT_META_CONNECTIONS": "Conexões",
|
||||||
|
"PLUGINS_STATS_COMMANDS_TOPSTATS_RATING": "Classificação",
|
||||||
|
"PLUGINS_STATS_COMMANDS_PERFORMANCE": "Desempenho"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
269
Application/Localization/IW4MAdmin.ru-RU.json
Normal file
269
Application/Localization/IW4MAdmin.ru-RU.json
Normal file
@ -0,0 +1,269 @@
|
|||||||
|
{
|
||||||
|
"LocalizationName": "ru-RU",
|
||||||
|
"LocalizationIndex": {
|
||||||
|
"Set": {
|
||||||
|
"BROADCAST_OFFLINE": "^5IW4MAdmin ^1ВЫКЛЮЧАЕТСЯ",
|
||||||
|
"BROADCAST_ONLINE": "^5IW4MADMIN ^7сейчас В СЕТИ",
|
||||||
|
"COMMAND_HELP_OPTIONAL": "опционально",
|
||||||
|
"COMMAND_HELP_SYNTAX": "Проблема с выражением мысли ( пересмотри слова)",
|
||||||
|
"COMMAND_MISSINGARGS": "Приведено недостаточно аргументов",
|
||||||
|
"COMMAND_NOACCESS": "У вас нет доступа к этой команде",
|
||||||
|
"COMMAND_NOTAUTHORIZED": "Вы не авторизованы для исполнения этой команды",
|
||||||
|
"COMMAND_TARGET_MULTI": "Несколько игроков соответствуют этому имени",
|
||||||
|
"COMMAND_TARGET_NOTFOUND": "Невозможно найти указанного игрока",
|
||||||
|
"COMMAND_UNKNOWN": "Вы ввели неизвестную команду",
|
||||||
|
"COMMANDS_ADMINS_DESC": "перечислить присоединенных на данный момент игроков с правами",
|
||||||
|
"COMMANDS_ADMINS_NONE": "Нет видимых администраторов в сети",
|
||||||
|
"COMMANDS_ALIAS_ALIASES": "Имена",
|
||||||
|
"COMMANDS_ALIAS_DESC": "получить прошлые имена и IP игрока",
|
||||||
|
"COMMANDS_ALIAS_IPS": "IP",
|
||||||
|
"COMMANDS_ARGS_CLEAR": "очистить",
|
||||||
|
"COMMANDS_ARGS_CLIENTID": "ID игрока",
|
||||||
|
"COMMANDS_ARGS_COMMANDS": "команды",
|
||||||
|
"COMMANDS_ARGS_DURATION": "длительность (m|h|d|w|y)",
|
||||||
|
"COMMANDS_ARGS_INACTIVE": "дни бездействия",
|
||||||
|
"COMMANDS_ARGS_LEVEL": "уровень",
|
||||||
|
"COMMANDS_ARGS_MAP": "карта",
|
||||||
|
"COMMANDS_ARGS_MESSAGE": "сообщение",
|
||||||
|
"COMMANDS_ARGS_PASSWORD": "пароль",
|
||||||
|
"COMMANDS_ARGS_PLAYER": "игрок",
|
||||||
|
"COMMANDS_ARGS_REASON": "причина",
|
||||||
|
"COMMANDS_BAN_DESC": "навсегда забанить игрока на сервере",
|
||||||
|
"COMMANDS_BAN_FAIL": "Вы не можете выдавать бан",
|
||||||
|
"COMMANDS_BAN_SUCCESS": "был забанен навсегда",
|
||||||
|
"COMMANDS_BANINFO_DESC": "получить информацию о бане игрока",
|
||||||
|
"COMMANDS_BANINFO_NONE": "Не найдено действующего бана для этого игрока",
|
||||||
|
"COMMANDS_BANINO_SUCCESS": "был забанен игроком ^5{0} ^7на:",
|
||||||
|
"COMMANDS_FASTRESTART_DESC": "перезапустить нынешнюю карту",
|
||||||
|
"COMMANDS_FASTRESTART_MASKED": "Карта была перезапущена",
|
||||||
|
"COMMANDS_FASTRESTART_UNMASKED": "перезапустил карту",
|
||||||
|
"COMMANDS_FIND_DESC": "найти игрока в базе данных",
|
||||||
|
"COMMANDS_FIND_EMPTY": "Не найдено игроков",
|
||||||
|
"COMMANDS_FIND_MIN": "Пожалуйста, введите хотя бы 3 символа",
|
||||||
|
"COMMANDS_FLAG_DESC": "отметить подозрительного игрока и сообщить администраторам, чтобы присоединились",
|
||||||
|
"COMMANDS_FLAG_FAIL": "Вы не можете ставить отметки",
|
||||||
|
"COMMANDS_FLAG_SUCCESS": "Вы отметили",
|
||||||
|
"COMMANDS_FLAG_UNFLAG": "Вы сняли отметку",
|
||||||
|
"COMMANDS_HELP_DESC": "перечислить все доступные команды",
|
||||||
|
"COMMANDS_HELP_MOREINFO": "Введите !help <имя команды>, чтобы узнать синтаксис для использования команды",
|
||||||
|
"COMMANDS_HELP_NOTFOUND": "Не удалось найти эту команду",
|
||||||
|
"COMMANDS_IP_DESC": "просмотреть ваш внешний IP-адрес",
|
||||||
|
"COMMANDS_IP_SUCCESS": "Ваш внешний IP:",
|
||||||
|
"COMMANDS_KICK_DESC": "исключить игрока по имени",
|
||||||
|
"COMMANDS_KICK_FAIL": "У вас нет достаточных прав, чтобы исключать",
|
||||||
|
"COMMANDS_KICK_SUCCESS": "был исключен",
|
||||||
|
"COMMANDS_LIST_DESC": "перечислить действующих игроков",
|
||||||
|
"COMMANDS_MAP_DESC": "сменить на определенную карту",
|
||||||
|
"COMMANDS_MAP_SUCCESS": "Смена карты на",
|
||||||
|
"COMMANDS_MAP_UKN": "Попытка сменить на неизвестную карту",
|
||||||
|
"COMMANDS_MAPROTATE": "Смена карты через ^55 ^7секунд",
|
||||||
|
"COMMANDS_MAPROTATE_DESC": "переключиться на следующую карту в ротации",
|
||||||
|
"COMMANDS_MASK_DESC": "скрыть свое присутствие как игрока с правами",
|
||||||
|
"COMMANDS_MASK_OFF": "Вы теперь демаскированы",
|
||||||
|
"COMMANDS_MASK_ON": "Вы теперь замаскированы",
|
||||||
|
"COMMANDS_OWNER_DESC": "утверить владение сервером",
|
||||||
|
"COMMANDS_OWNER_FAIL": "Этот сервер уже имеет владельца",
|
||||||
|
"COMMANDS_OWNER_SUCCESS": "Поздравляю, вы утвердили владение этим сервером!",
|
||||||
|
"COMMANDS_PASSWORD_FAIL": "Ваш пароль должен быть хотя бы 5 символов в длину",
|
||||||
|
"COMMANDS_PASSWORD_SUCCESS": "Ваш пароль был успешно установлен",
|
||||||
|
"COMMANDS_PING_DESC": "получить пинг игрока",
|
||||||
|
"COMMANDS_PING_SELF": "Ваш пинг:",
|
||||||
|
"COMMANDS_PING_TARGET": "пинг:",
|
||||||
|
"COMMANDS_PLUGINS_DESC": "просмотреть все загруженные плагины",
|
||||||
|
"COMMANDS_PLUGINS_LOADED": "Загруженные плагины",
|
||||||
|
"COMMANDS_PM_DESC": "отправить сообщение другому игроку",
|
||||||
|
"COMMANDS_PRUNE_DESC": "понизить любых игроков с правами, которые не подключались за последнее время (по умолчанию: 30 дней)",
|
||||||
|
"COMMANDS_PRUNE_FAIL": "Неверное количество дней бездействия",
|
||||||
|
"COMMANDS_PRUNE_SUCCESS": "бездействующих пользователей с правами было сокращено",
|
||||||
|
"COMMANDS_QUIT_DESC": "покинуть IW4MAdmin",
|
||||||
|
"COMMANDS_RCON_DESC": "отправить RCon команду на сервер",
|
||||||
|
"COMMANDS_RCON_SUCCESS": "Успешно отправлена команда RCon",
|
||||||
|
"COMMANDS_REPORT_DESC": "пожаловаться на игрока за подозрительное поведение",
|
||||||
|
"COMMANDS_REPORT_FAIL": "Вы не можете пожаловаться",
|
||||||
|
"COMMANDS_REPORT_FAIL_CAMP": "Вы не можете пожаловаться на игрока за кемперство",
|
||||||
|
"COMMANDS_REPORT_FAIL_DUPLICATE": "Вы уже пожаловались на этого игрока",
|
||||||
|
"COMMANDS_REPORT_FAIL_SELF": "Вы не можете пожаловаться на самого себя",
|
||||||
|
"COMMANDS_REPORT_SUCCESS": "Спасибо за вашу жалобу, администратор оповещен",
|
||||||
|
"COMMANDS_REPORTS_CLEAR_SUCCESS": "Жалобы успешно очищены",
|
||||||
|
"COMMANDS_REPORTS_DESC": "получить или очистить последние жалобы",
|
||||||
|
"COMMANDS_REPORTS_NONE": "Пока нет жалоб на игроков",
|
||||||
|
"COMMANDS_RULES_DESC": "перечислить правила сервера",
|
||||||
|
"COMMANDS_RULES_NONE": "Владелец сервера не установил никаких правил",
|
||||||
|
"COMMANDS_SAY_DESC": "транслировать сообщения всем игрокам",
|
||||||
|
"COMMANDS_SETLEVEL_DESC": "установить особый уровень прав игроку",
|
||||||
|
"COMMANDS_SETLEVEL_FAIL": "Указана неверная группа",
|
||||||
|
"COMMANDS_SETLEVEL_LEVELTOOHIGH": "Вы только можете повысить ^5{0} ^7до ^5{1} ^7или понизить в правах",
|
||||||
|
"COMMANDS_SETLEVEL_OWNER": "Может быть только 1 владелец. Измените настройки, если требуется несколько владельцов",
|
||||||
|
"COMMANDS_SETLEVEL_SELF": "Вы не можете изменить свой уровень",
|
||||||
|
"COMMANDS_SETLEVEL_STEPPEDDISABLED": "Этот сервер не разрешает вам повыситься",
|
||||||
|
"COMMANDS_SETLEVEL_SUCCESS": "был успешно повышен",
|
||||||
|
"COMMANDS_SETLEVEL_SUCCESS_TARGET": "Поздравляю! Вы были повышены до",
|
||||||
|
"COMMANDS_SETPASSWORD_DESC": "установить свой пароль аутентификации",
|
||||||
|
"COMMANDS_TEMPBAN_DESC": "временно забанить игрока на определенное время (по умолчанию: 1 час)",
|
||||||
|
"COMMANDS_TEMPBAN_FAIL": "Вы не можете выдавать временный бан",
|
||||||
|
"COMMANDS_TEMPBAN_SUCCESS": "был временно забанен за",
|
||||||
|
"COMMANDS_UNBAN_DESC": "разбанить игрока по ID игрока",
|
||||||
|
"COMMANDS_UNBAN_FAIL": "не забанен",
|
||||||
|
"COMMANDS_UNBAN_SUCCESS": "Успешно разбанен",
|
||||||
|
"COMMANDS_UPTIME_DESC": "получить время с начала запуска текущего приложения",
|
||||||
|
"COMMANDS_UPTIME_TEXT": "был в сети",
|
||||||
|
"COMMANDS_USAGE_DESC": "узнать о потреблении памяти приложением",
|
||||||
|
"COMMANDS_USAGE_TEXT": "используется",
|
||||||
|
"COMMANDS_WARN_DESC": "предупредить игрока за нарушение правил",
|
||||||
|
"COMMANDS_WARN_FAIL": "У вас недостаточно прав, чтобы выносить предупреждения",
|
||||||
|
"COMMANDS_WARNCLEAR_DESC": "удалить все предупреждения у игрока",
|
||||||
|
"COMMANDS_WARNCLEAR_SUCCESS": "Все предупреждения очищены у",
|
||||||
|
"COMMANDS_WHO_DESC": "предоставить информацию о себе",
|
||||||
|
"GLOBAL_DAYS": "дней",
|
||||||
|
"GLOBAL_ERROR": "Ошибка",
|
||||||
|
"GLOBAL_HOURS": "часов",
|
||||||
|
"GLOBAL_INFO": "Информация",
|
||||||
|
"GLOBAL_MINUTES": "минут",
|
||||||
|
"GLOBAL_REPORT": "Если вы подозреваете кого-то в ^5ЧИТЕРСТВЕ^7, используйте команду ^5!report",
|
||||||
|
"GLOBAL_VERBOSE": "Подробно",
|
||||||
|
"GLOBAL_WARNING": "Предупреждение",
|
||||||
|
"MANAGER_CONNECTION_REST": "Соединение было восстановлено с помощью",
|
||||||
|
"MANAGER_CONSOLE_NOSERV": "На данный момент нет серверов под мониторингом",
|
||||||
|
"MANAGER_EXIT": "Нажмите любую клавишу, чтобы выйти...",
|
||||||
|
"MANAGER_INIT_FAIL": "Критическая ошибка во время инициализации",
|
||||||
|
"MANAGER_MONITORING_TEXT": "Идет мониторинг",
|
||||||
|
"MANAGER_SHUTDOWN_SUCCESS": "Выключение завершено",
|
||||||
|
"MANAGER_VERSION_CURRENT": "Ваша версия:",
|
||||||
|
"MANAGER_VERSION_FAIL": "Не удалось получить последнюю версию IW4MAdmin",
|
||||||
|
"MANAGER_VERSION_SUCCESS": "IW4MAdmin обновлен",
|
||||||
|
"MANAGER_VERSION_UPDATE": "- есть обновление. Последняя версия:",
|
||||||
|
"PLUGIN_IMPORTER_NOTFOUND": "Не найдено плагинов для загрузки",
|
||||||
|
"PLUGIN_IMPORTER_REGISTERCMD": "Зарегистрированная команда",
|
||||||
|
"PLUGINS_LOGIN_COMMANDS_LOGIN_DESC": "войти, используя пароль",
|
||||||
|
"PLUGINS_LOGIN_COMMANDS_LOGIN_FAIL": "Ваш пароль неверный",
|
||||||
|
"PLUGINS_LOGIN_COMMANDS_LOGIN_SUCCESS": "Вы теперь вошли",
|
||||||
|
"PLUGINS_STATS_COMMANDS_RESET_DESC": "сбросить вашу статистику под ноль",
|
||||||
|
"PLUGINS_STATS_COMMANDS_RESET_FAIL": "Вы должны быть подключены к серверу, чтобы сбросить свою статистику",
|
||||||
|
"PLUGINS_STATS_COMMANDS_RESET_SUCCESS": "Ваша статистика на этом сервере была сброшена",
|
||||||
|
"PLUGINS_STATS_COMMANDS_TOP_DESC": "показать топ-5 лучших игроков на этом сервере",
|
||||||
|
"PLUGINS_STATS_COMMANDS_TOP_TEXT": "Лучшие игроки",
|
||||||
|
"PLUGINS_STATS_COMMANDS_VIEW_DESC": "просмотреть свою статистику",
|
||||||
|
"PLUGINS_STATS_COMMANDS_VIEW_FAIL": "Не удается найти игрока, которого вы указали.",
|
||||||
|
"PLUGINS_STATS_COMMANDS_VIEW_FAIL_INGAME": "Указанный игрок должен быть в игре",
|
||||||
|
"PLUGINS_STATS_COMMANDS_VIEW_FAIL_INGAME_SELF": "Вы должны быть в игре, чтобы просмотреть свою статистику",
|
||||||
|
"PLUGINS_STATS_COMMANDS_VIEW_SUCCESS": "Статистика",
|
||||||
|
"PLUGINS_STATS_TEXT_DEATHS": "СМЕРТЕЙ",
|
||||||
|
"PLUGINS_STATS_TEXT_KILLS": "УБИЙСТВ",
|
||||||
|
"PLUGINS_STATS_TEXT_NOQUALIFY": "Ещё нет совернующихся игроков за лучшую статистику",
|
||||||
|
"PLUGINS_STATS_TEXT_SKILL": "МАСТЕРСТВО",
|
||||||
|
"SERVER_BAN_APPEAL": "оспорить:",
|
||||||
|
"SERVER_BAN_PREV": "Ранее забанены за",
|
||||||
|
"SERVER_BAN_TEXT": "Вы забанены",
|
||||||
|
"SERVER_ERROR_ADDPLAYER": "Не удалось добавить игрока",
|
||||||
|
"SERVER_ERROR_COMMAND_INGAME": "Произошла внутренняя ошибка при обработке вашей команды",
|
||||||
|
"SERVER_ERROR_COMMAND_LOG": "команда сгенерировала ошибку",
|
||||||
|
"SERVER_ERROR_COMMUNICATION": "Не удалось связаться с",
|
||||||
|
"SERVER_ERROR_DNE": "не существует",
|
||||||
|
"SERVER_ERROR_DVAR": "Не удалось получить значение dvar:",
|
||||||
|
"SERVER_ERROR_DVAR_HELP": "убедитесь, что на сервере загружена карта",
|
||||||
|
"SERVER_ERROR_EXCEPTION": "Неожиданное исключение на",
|
||||||
|
"SERVER_ERROR_LOG": "Неверный игровой лог-файл",
|
||||||
|
"SERVER_ERROR_PLUGIN": "Произошла ошибка загрузки плагина",
|
||||||
|
"SERVER_ERROR_POLLING": "снижение частоты обновления данных",
|
||||||
|
"SERVER_ERROR_UNFIXABLE": "Мониторинг сервера выключен из-за неисправимых ошибок",
|
||||||
|
"SERVER_KICK_CONTROLCHARS": "Ваше имя не должно содержать спецсимволы",
|
||||||
|
"SERVER_KICK_GENERICNAME": "Пожалуйста, смените ваше имя, используя /name",
|
||||||
|
"SERVER_KICK_MINNAME": "Ваше имя должно содержать хотя бы 3 символа",
|
||||||
|
"SERVER_KICK_NAME_INUSE": "Ваше имя используется кем-то другим",
|
||||||
|
"SERVER_KICK_TEXT": "Вы были исключены",
|
||||||
|
"SERVER_KICK_VPNS_NOTALLOWED": "Использование VPN не разрешено на этом сервере",
|
||||||
|
"SERVER_PLUGIN_ERROR": "Плагин образовал ошибку",
|
||||||
|
"SERVER_REPORT_COUNT": "Имеется ^5{0} ^7жалоб за последнее время",
|
||||||
|
"SERVER_TB_REMAIN": "Вы временно забанены",
|
||||||
|
"SERVER_TB_TEXT": "Вы временно забанены",
|
||||||
|
"SERVER_WARNING": "ПРЕДУПРЕЖДЕНИЕ",
|
||||||
|
"SERVER_WARNLIMT_REACHED": "Слишком много предупреждений",
|
||||||
|
"SERVER_WEBSITE_GENERIC": "веб-сайт этого сервера",
|
||||||
|
"SETUP_DISPLAY_SOCIAL": "Отображать ссылку на социальную сеть в веб-интерфейсе (Discord, веб-сайт, ВК, и т.д.)",
|
||||||
|
"SETUP_ENABLE_CUSTOMSAY": "Включить кастомное имя для чата",
|
||||||
|
"SETUP_ENABLE_MULTIOWN": "Включить поддержку нескольких владельцев",
|
||||||
|
"SETUP_ENABLE_STEPPEDPRIV": "Включить последовательную иерархию прав",
|
||||||
|
"SETUP_ENABLE_VPNS": "Включить поддержку VPN у игроков",
|
||||||
|
"SETUP_ENABLE_WEBFRONT": "Включить веб-интерфейс",
|
||||||
|
"SETUP_ENCODING_STRING": "Введите кодировку",
|
||||||
|
"SETUP_IPHUB_KEY": "Введите iphub.info api-ключ",
|
||||||
|
"SETUP_SAY_NAME": "Введите кастомное имя для чата",
|
||||||
|
"SETUP_SERVER_IP": "Введите IP-адрес сервера",
|
||||||
|
"SETUP_SERVER_MANUALLOG": "Введите путь для лог-файла",
|
||||||
|
"SETUP_SERVER_PORT": "Введите порт сервера",
|
||||||
|
"SETUP_SERVER_RCON": "Введите RCon пароль сервера",
|
||||||
|
"SETUP_SERVER_SAVE": "Настройки сохранены, добавить",
|
||||||
|
"SETUP_SERVER_USEIW5M": "Использовать парсер Pluto IW5",
|
||||||
|
"SETUP_SERVER_USET6M": "Использовать парсер Pluto T6",
|
||||||
|
"SETUP_SOCIAL_LINK": "Ввести ссылку на социальную сеть",
|
||||||
|
"SETUP_SOCIAL_TITLE": "Ввести имя социальной сети",
|
||||||
|
"SETUP_USE_CUSTOMENCODING": "Использовать кастомную кодировку парсера",
|
||||||
|
"WEBFRONT_ACTION_BAN_NAME": "Забанить",
|
||||||
|
"WEBFRONT_ACTION_LABEL_ID": "ID игрока",
|
||||||
|
"WEBFRONT_ACTION_LABEL_PASSWORD": "Пароль",
|
||||||
|
"WEBFRONT_ACTION_LABEL_REASON": "Причина",
|
||||||
|
"WEBFRONT_ACTION_LOGIN_NAME": "Войти",
|
||||||
|
"WEBFRONT_ACTION_UNBAN_NAME": "Разбанить",
|
||||||
|
"WEBFRONT_CLIENT_META_FALSE": "не",
|
||||||
|
"WEBFRONT_CLIENT_META_JOINED": "Присоединился с именем",
|
||||||
|
"WEBFRONT_CLIENT_META_MASKED": "Замаскирован",
|
||||||
|
"WEBFRONT_CLIENT_META_TRUE": "Это",
|
||||||
|
"WEBFRONT_CLIENT_PRIVILEGED_TITLE": "Игроки с правами",
|
||||||
|
"WEBFRONT_CLIENT_PROFILE_TITLE": "Профиль",
|
||||||
|
"WEBFRONT_CLIENT_SEARCH_MATCHING": "Подходящие игроки",
|
||||||
|
"WEBFRONT_CONSOLE_EXECUTE": "Выполнить",
|
||||||
|
"WEBFRONT_CONSOLE_TITLE": "Веб-консоль",
|
||||||
|
"WEBFRONT_ERROR_DESC": "IW4MAdmin столкнулся с ошибкой",
|
||||||
|
"WEBFRONT_ERROR_GENERIC_DESC": "Произошла ошибка во время обработки вашего запроса",
|
||||||
|
"WEBFRONT_ERROR_GENERIC_TITLE": "Извините!",
|
||||||
|
"WEBFRONT_ERROR_TITLE": "Ошибка!",
|
||||||
|
"WEBFRONT_HOME_TITLE": "Обзор сервера",
|
||||||
|
"WEBFRONT_NAV_CONSOLE": "Консоль",
|
||||||
|
"WEBFRONT_NAV_DISCORD": "Дискорд ",
|
||||||
|
"WEBFRONT_NAV_HOME": "Обзор Серверов ",
|
||||||
|
"WEBFRONT_NAV_LOGOUT": "Выйти",
|
||||||
|
"WEBFRONT_NAV_PENALTIES": "Наказания",
|
||||||
|
"WEBFRONT_NAV_PRIVILEGED": "Админы",
|
||||||
|
"WEBFRONT_NAV_PROFILE": "Профиль игрока",
|
||||||
|
"WEBFRONT_NAV_SEARCH": "Найти игрока",
|
||||||
|
"WEBFRONT_NAV_SOCIAL": "Соц. сети",
|
||||||
|
"WEBFRONT_PENALTY_TEMPLATE_ADMIN": "Админ",
|
||||||
|
"WEBFRONT_PENALTY_TEMPLATE_AGO": "назад",
|
||||||
|
"WEBFRONT_PENALTY_TEMPLATE_NAME": "Имя",
|
||||||
|
"WEBFRONT_PENALTY_TEMPLATE_OFFENSE": "Нарушение",
|
||||||
|
"WEBFRONT_PENALTY_TEMPLATE_REMAINING": "осталось",
|
||||||
|
"WEBFRONT_PENALTY_TEMPLATE_SHOW": "Показывать",
|
||||||
|
"WEBFRONT_PENALTY_TEMPLATE_SHOWONLY": "Показывать только",
|
||||||
|
"WEBFRONT_PENALTY_TEMPLATE_TIME": "Время/Осталось",
|
||||||
|
"WEBFRONT_PENALTY_TEMPLATE_TYPE": "Тип",
|
||||||
|
"WEBFRONT_PENALTY_TITLE": "Наказания игроков",
|
||||||
|
"WEBFRONT_PROFILE_FSEEN": "Впервые заходил",
|
||||||
|
"WEBFRONT_PROFILE_LEVEL": "Уровень",
|
||||||
|
"WEBFRONT_PROFILE_LSEEN": "Последний раз заходил",
|
||||||
|
"WEBFRONT_PROFILE_PLAYER": "Наиграл",
|
||||||
|
"PLUGIN_STATS_SETUP_ENABLEAC": "Включить серверный античит (только IW4)",
|
||||||
|
"PLUGIN_STATS_ERROR_ADD": "Не удалось добавить сервер в статистику серверов",
|
||||||
|
"PLUGIN_STATS_CHEAT_DETECTED": "Кажется, вы читерите",
|
||||||
|
"PLUGINS_STATS_TEXT_KDR": "Вот так ..",
|
||||||
|
"PLUGINS_STATS_META_SPM": "Счёт за минуту",
|
||||||
|
"PLUGINS_WELCOME_USERANNOUNCE": "^5{{ClientName}} ^7из ^5{{ClientLocation}}",
|
||||||
|
"PLUGINS_WELCOME_USERWELCOME": "Добро пожаловать, ^5{{ClientName}}^7. Это ваше ^5{{TimesConnected}} ^7подключение по счёту!",
|
||||||
|
"PLUGINS_WELCOME_PRIVANNOUNCE": "{{ClientLevel}} {{ClientName}} присоединился к серверу",
|
||||||
|
"PLUGINS_LOGIN_AUTH": "Сперва Подключись",
|
||||||
|
"PLUGINS_PROFANITY_SETUP_ENABLE": "Включить сдерживание ненормативной лексики",
|
||||||
|
"PLUGINS_PROFANITY_WARNMSG": "Пожалуйта, не ругайтесь на этом сервере",
|
||||||
|
"PLUGINS_PROFANITY_KICKMSG": "Чрезмерное употребление ненормативной лексики",
|
||||||
|
"GLOBAL_DEBUG": "Отлаживание ",
|
||||||
|
"COMMANDS_UNFLAG_DESC": "Снять все подозрение с игрока !",
|
||||||
|
"COMMANDS_UNFLAG_FAIL": "Вы не можете снять подозрения..",
|
||||||
|
"COMMANDS_UNFLAG_NOTFLAGGED": "Игрок без подозрения !",
|
||||||
|
"COMMANDS_FLAG_ALREADYFLAGGED": "Игрок помечен ! ",
|
||||||
|
"PLUGINS_STATS_COMMANDS_MOSTPLAYED_TEXT": "Самые популярные",
|
||||||
|
"PLUGINS_STATS_COMMANDS_MOSTPLAYED_DESC": "просмотр 5 лучших игроков на сервере",
|
||||||
|
"WEBFRONT_PROFILE_MESSAGES": "Сообщения",
|
||||||
|
"WEBFRONT_CLIENT_META_CONNECTIONS": "Подключения",
|
||||||
|
"PLUGINS_STATS_COMMANDS_TOPSTATS_RATING": "Рейтинг",
|
||||||
|
"PLUGINS_STATS_COMMANDS_PERFORMANCE": "Эффективность"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
90
Application/Logger.cs
Normal file
90
Application/Logger.cs
Normal file
@ -0,0 +1,90 @@
|
|||||||
|
using SharedLibraryCore;
|
||||||
|
using System;
|
||||||
|
using System.Collections.Generic;
|
||||||
|
using System.IO;
|
||||||
|
|
||||||
|
namespace IW4MAdmin.Application
|
||||||
|
{
|
||||||
|
class Logger : SharedLibraryCore.Interfaces.ILogger
|
||||||
|
{
|
||||||
|
enum LogType
|
||||||
|
{
|
||||||
|
Verbose,
|
||||||
|
Info,
|
||||||
|
Debug,
|
||||||
|
Warning,
|
||||||
|
Error,
|
||||||
|
Assert
|
||||||
|
}
|
||||||
|
|
||||||
|
string FileName;
|
||||||
|
object ThreadLock;
|
||||||
|
|
||||||
|
public Logger(string fn)
|
||||||
|
{
|
||||||
|
FileName = fn;
|
||||||
|
ThreadLock = new object();
|
||||||
|
if (File.Exists(fn))
|
||||||
|
File.Delete(fn);
|
||||||
|
}
|
||||||
|
|
||||||
|
void Write(string msg, LogType type)
|
||||||
|
{
|
||||||
|
string stringType = type.ToString();
|
||||||
|
|
||||||
|
try
|
||||||
|
{
|
||||||
|
stringType = Utilities.CurrentLocalization.LocalizationIndex[$"GLOBAL_{type.ToString().ToUpper()}"];
|
||||||
|
}
|
||||||
|
|
||||||
|
catch (Exception) { }
|
||||||
|
|
||||||
|
string LogLine = $"[{DateTime.Now.ToString("HH:mm:ss")}] - {stringType}: {msg}";
|
||||||
|
lock (ThreadLock)
|
||||||
|
{
|
||||||
|
#if DEBUG
|
||||||
|
// lets keep it simple and dispose of everything quickly as logging wont be that much (relatively)
|
||||||
|
|
||||||
|
Console.WriteLine(LogLine);
|
||||||
|
File.AppendAllText(FileName, LogLine + Environment.NewLine);
|
||||||
|
#else
|
||||||
|
if (type == LogType.Error || type == LogType.Verbose)
|
||||||
|
Console.WriteLine(LogLine);
|
||||||
|
//if (type != LogType.Debug)
|
||||||
|
File.AppendAllText(FileName, $"{LogLine}{Environment.NewLine}");
|
||||||
|
#endif
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
public void WriteVerbose(string msg)
|
||||||
|
{
|
||||||
|
Write(msg, LogType.Verbose);
|
||||||
|
}
|
||||||
|
|
||||||
|
public void WriteDebug(string msg)
|
||||||
|
{
|
||||||
|
Write(msg, LogType.Debug);
|
||||||
|
}
|
||||||
|
|
||||||
|
public void WriteError(string msg)
|
||||||
|
{
|
||||||
|
Write(msg, LogType.Error);
|
||||||
|
}
|
||||||
|
|
||||||
|
public void WriteInfo(string msg)
|
||||||
|
{
|
||||||
|
Write(msg, LogType.Info);
|
||||||
|
}
|
||||||
|
|
||||||
|
public void WriteWarning(string msg)
|
||||||
|
{
|
||||||
|
Write(msg, LogType.Warning);
|
||||||
|
}
|
||||||
|
|
||||||
|
public void WriteAssert(bool condition, string msg)
|
||||||
|
{
|
||||||
|
if (!condition)
|
||||||
|
Write(msg, LogType.Assert);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
@ -1,452 +1,186 @@
|
|||||||
using IW4MAdmin.Application.API.Master;
|
using System;
|
||||||
using IW4MAdmin.Application.EventParsers;
|
using System.Threading.Tasks;
|
||||||
using IW4MAdmin.Application.Factories;
|
using System.IO;
|
||||||
using IW4MAdmin.Application.Meta;
|
using System.Reflection;
|
||||||
using IW4MAdmin.Application.Migration;
|
|
||||||
using IW4MAdmin.Application.Misc;
|
|
||||||
using Microsoft.Extensions.DependencyInjection;
|
|
||||||
using RestEase;
|
|
||||||
using SharedLibraryCore;
|
using SharedLibraryCore;
|
||||||
using SharedLibraryCore.Configuration;
|
using SharedLibraryCore.Objects;
|
||||||
using SharedLibraryCore.Database.Models;
|
using SharedLibraryCore.Database;
|
||||||
using SharedLibraryCore.Dtos.Meta.Responses;
|
|
||||||
using SharedLibraryCore.Exceptions;
|
|
||||||
using SharedLibraryCore.Helpers;
|
|
||||||
using SharedLibraryCore.Interfaces;
|
|
||||||
using SharedLibraryCore.QueryHelper;
|
|
||||||
using SharedLibraryCore.Repositories;
|
|
||||||
using SharedLibraryCore.Services;
|
|
||||||
using Stats.Dtos;
|
|
||||||
using System;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Net.Http;
|
|
||||||
using System.Text;
|
using System.Text;
|
||||||
using System.Threading;
|
using System.Threading;
|
||||||
using System.Threading.Tasks;
|
using System.Collections.Generic;
|
||||||
using Data.Abstractions;
|
using SharedLibraryCore.Localization;
|
||||||
using Data.Helpers;
|
|
||||||
using Integrations.Source.Extensions;
|
|
||||||
using IW4MAdmin.Application.Extensions;
|
|
||||||
using IW4MAdmin.Application.Localization;
|
|
||||||
using Microsoft.Extensions.Logging;
|
|
||||||
using ILogger = Microsoft.Extensions.Logging.ILogger;
|
|
||||||
using IW4MAdmin.Plugins.Stats.Client.Abstractions;
|
|
||||||
using IW4MAdmin.Plugins.Stats.Client;
|
|
||||||
using Stats.Client.Abstractions;
|
|
||||||
using Stats.Client;
|
|
||||||
using Stats.Helpers;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application
|
namespace IW4MAdmin.Application
|
||||||
{
|
{
|
||||||
public class Program
|
public class Program
|
||||||
{
|
{
|
||||||
public static BuildNumber Version { get; private set; } = BuildNumber.Parse(Utilities.GetVersionAsString());
|
static public double Version { get; private set; }
|
||||||
public static ApplicationManager ServerManager;
|
static public ApplicationManager ServerManager = ApplicationManager.GetInstance();
|
||||||
private static Task ApplicationTask;
|
public static string OperatingDirectory = Path.GetDirectoryName(Assembly.GetEntryAssembly().Location) + Path.DirectorySeparatorChar;
|
||||||
private static ServiceProvider serviceProvider;
|
private static ManualResetEventSlim OnShutdownComplete = new ManualResetEventSlim();
|
||||||
|
|
||||||
/// <summary>
|
public static void Main(string[] args)
|
||||||
/// entrypoint of the application
|
|
||||||
/// </summary>
|
|
||||||
/// <returns></returns>
|
|
||||||
public static async Task Main(string[] args)
|
|
||||||
{
|
{
|
||||||
AppDomain.CurrentDomain.SetData("DataDirectory", Utilities.OperatingDirectory);
|
AppDomain.CurrentDomain.SetData("DataDirectory", OperatingDirectory);
|
||||||
|
//System.Diagnostics.Process.GetCurrentProcess().PriorityClass = System.Diagnostics.ProcessPriorityClass.BelowNormal;
|
||||||
|
|
||||||
Console.OutputEncoding = Encoding.UTF8;
|
Console.OutputEncoding = Encoding.UTF8;
|
||||||
Console.ForegroundColor = ConsoleColor.Gray;
|
Console.ForegroundColor = ConsoleColor.Gray;
|
||||||
|
|
||||||
Console.CancelKeyPress += new ConsoleCancelEventHandler(OnCancelKey);
|
Version = Assembly.GetExecutingAssembly().GetName().Version.Major + Assembly.GetExecutingAssembly().GetName().Version.Minor / 10.0f;
|
||||||
|
Version = Math.Round(Version, 2);
|
||||||
|
|
||||||
Console.WriteLine("=====================================================");
|
Console.WriteLine("=====================================================");
|
||||||
Console.WriteLine(" IW4MAdmin");
|
Console.WriteLine(" IW4M ADMIN");
|
||||||
Console.WriteLine(" by RaidMax ");
|
Console.WriteLine(" by RaidMax ");
|
||||||
Console.WriteLine($" Version {Utilities.GetVersionAsString()}");
|
Console.WriteLine($" Version {Version.ToString("0.0")}");
|
||||||
Console.WriteLine("=====================================================");
|
Console.WriteLine("=====================================================");
|
||||||
|
|
||||||
await LaunchAsync(args);
|
Index loc = null;
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// event callback executed when the control + c combination is detected
|
|
||||||
/// gracefully stops the server manager and waits for all tasks to finish
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="sender"></param>
|
|
||||||
/// <param name="e"></param>
|
|
||||||
private static async void OnCancelKey(object sender, ConsoleCancelEventArgs e)
|
|
||||||
{
|
|
||||||
ServerManager?.Stop();
|
|
||||||
if (ApplicationTask != null)
|
|
||||||
{
|
|
||||||
await ApplicationTask;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// task that initializes application and starts the application monitoring and runtime tasks
|
|
||||||
/// </summary>
|
|
||||||
/// <returns></returns>
|
|
||||||
private static async Task LaunchAsync(string[] args)
|
|
||||||
{
|
|
||||||
restart:
|
|
||||||
ITranslationLookup translationLookup = null;
|
|
||||||
var logger = BuildDefaultLogger<Program>(new ApplicationConfiguration());
|
|
||||||
Utilities.DefaultLogger = logger;
|
|
||||||
IServiceCollection services = null;
|
|
||||||
logger.LogInformation("Begin IW4MAdmin startup. Version is {version} {@args}", Version, args);
|
|
||||||
|
|
||||||
try
|
try
|
||||||
{
|
{
|
||||||
// do any needed housekeeping file/folder migrations
|
CheckDirectories();
|
||||||
ConfigurationMigration.MoveConfigFolder10518(null);
|
|
||||||
ConfigurationMigration.CheckDirectories();
|
|
||||||
ConfigurationMigration.RemoveObsoletePlugins20210322();
|
|
||||||
logger.LogDebug("Configuring services...");
|
|
||||||
services = ConfigureServices(args);
|
|
||||||
serviceProvider = services.BuildServiceProvider();
|
|
||||||
var versionChecker = serviceProvider.GetRequiredService<IMasterCommunication>();
|
|
||||||
ServerManager = (ApplicationManager) serviceProvider.GetRequiredService<IManager>();
|
|
||||||
translationLookup = serviceProvider.GetRequiredService<ITranslationLookup>();
|
|
||||||
|
|
||||||
await versionChecker.CheckVersion();
|
ServerManager = ApplicationManager.GetInstance();
|
||||||
await ServerManager.Init();
|
Console.CancelKeyPress += new ConsoleCancelEventHandler(OnCancelKey);
|
||||||
|
Localization.Configure.Initialize(ServerManager.GetApplicationSettings().Configuration()?.CustomLocale);
|
||||||
|
loc = Utilities.CurrentLocalization.LocalizationIndex;
|
||||||
|
|
||||||
|
using (var db = new DatabaseContext(ServerManager.GetApplicationSettings().Configuration()?.ConnectionString))
|
||||||
|
new ContextSeed(db).Seed().Wait();
|
||||||
|
|
||||||
|
var api = API.Master.Endpoint.Get();
|
||||||
|
|
||||||
|
var version = new API.Master.VersionInfo()
|
||||||
|
{
|
||||||
|
CurrentVersionStable = 99.99f
|
||||||
|
};
|
||||||
|
|
||||||
|
try
|
||||||
|
{
|
||||||
|
version = api.GetVersion().Result;
|
||||||
}
|
}
|
||||||
|
|
||||||
catch (Exception e)
|
catch (Exception e)
|
||||||
{
|
{
|
||||||
string failMessage = translationLookup == null
|
ServerManager.Logger.WriteWarning(loc["MANAGER_VERSION_FAIL"]);
|
||||||
? "Failed to initialize IW4MAdmin"
|
|
||||||
: translationLookup["MANAGER_INIT_FAIL"];
|
|
||||||
string exitMessage = translationLookup == null
|
|
||||||
? "Press enter to exit..."
|
|
||||||
: translationLookup["MANAGER_EXIT"];
|
|
||||||
|
|
||||||
logger.LogCritical(e, "Failed to initialize IW4MAdmin");
|
|
||||||
Console.WriteLine(failMessage);
|
|
||||||
|
|
||||||
while (e.InnerException != null)
|
while (e.InnerException != null)
|
||||||
{
|
{
|
||||||
e = e.InnerException;
|
e = e.InnerException;
|
||||||
}
|
}
|
||||||
|
|
||||||
if (e is ConfigurationException configException)
|
ServerManager.Logger.WriteDebug(e.Message);
|
||||||
{
|
|
||||||
if (translationLookup != null)
|
|
||||||
{
|
|
||||||
Console.WriteLine(translationLookup[configException.Message]
|
|
||||||
.FormatExt(configException.ConfigurationFileName));
|
|
||||||
}
|
}
|
||||||
|
|
||||||
foreach (string error in configException.Errors)
|
if (version.CurrentVersionStable == 99.99f)
|
||||||
{
|
{
|
||||||
Console.WriteLine(error);
|
Console.ForegroundColor = ConsoleColor.Red;
|
||||||
}
|
Console.WriteLine(loc["MANAGER_VERSION_FAIL"]);
|
||||||
|
Console.ForegroundColor = ConsoleColor.Gray;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
#if !PRERELEASE
|
||||||
|
else if (version.CurrentVersionStable > Version)
|
||||||
|
{
|
||||||
|
Console.ForegroundColor = ConsoleColor.DarkYellow;
|
||||||
|
Console.WriteLine($"IW4MAdmin {loc["MANAGER_VERSION_UPDATE"]} [v{version.CurrentVersionStable.ToString("0.0")}]");
|
||||||
|
Console.WriteLine($"{loc["MANAGER_VERSION_CURRENT"]} [v{Version.ToString("0.0")}]");
|
||||||
|
Console.ForegroundColor = ConsoleColor.Gray;
|
||||||
|
}
|
||||||
|
#else
|
||||||
|
else if (version.CurrentVersionPrerelease > Version)
|
||||||
|
{
|
||||||
|
Console.ForegroundColor = ConsoleColor.DarkYellow;
|
||||||
|
Console.WriteLine($"IW4MAdmin-Prerelease {loc["MANAGER_VERSION_UPDATE"]} [v{version.CurrentVersionPrerelease.ToString("0.0")}-pr]");
|
||||||
|
Console.WriteLine($"{loc["MANAGER_VERSION_CURRENT"]} [v{Version.ToString("0.0")}-pr]");
|
||||||
|
Console.ForegroundColor = ConsoleColor.Gray;
|
||||||
|
}
|
||||||
|
#endif
|
||||||
else
|
else
|
||||||
{
|
{
|
||||||
Console.WriteLine(e.Message);
|
Console.ForegroundColor = ConsoleColor.Green;
|
||||||
|
Console.WriteLine(loc["MANAGER_VERSION_SUCCESS"]);
|
||||||
|
Console.ForegroundColor = ConsoleColor.Gray;
|
||||||
}
|
}
|
||||||
|
|
||||||
Console.WriteLine(exitMessage);
|
ServerManager.Init().Wait();
|
||||||
await Console.In.ReadAsync(new char[1], 0, 1);
|
|
||||||
return;
|
var consoleTask = Task.Run(() =>
|
||||||
|
{
|
||||||
|
String userInput;
|
||||||
|
Player Origin = ServerManager.GetClientService().Get(1).Result.AsPlayer();
|
||||||
|
|
||||||
|
do
|
||||||
|
{
|
||||||
|
userInput = Console.ReadLine();
|
||||||
|
|
||||||
|
if (userInput?.ToLower() == "quit")
|
||||||
|
ServerManager.Stop();
|
||||||
|
|
||||||
|
if (ServerManager.Servers.Count == 0)
|
||||||
|
{
|
||||||
|
Console.WriteLine(loc["MANAGER_CONSOLE_NOSERV"]);
|
||||||
|
continue;
|
||||||
}
|
}
|
||||||
|
|
||||||
try
|
if (userInput?.Length > 0)
|
||||||
{
|
|
||||||
ApplicationTask = RunApplicationTasksAsync(logger, services);
|
|
||||||
await ApplicationTask;
|
|
||||||
}
|
|
||||||
|
|
||||||
catch (Exception e)
|
|
||||||
{
|
|
||||||
logger.LogCritical(e, "Failed to launch IW4MAdmin");
|
|
||||||
string failMessage = translationLookup == null
|
|
||||||
? "Failed to launch IW4MAdmin"
|
|
||||||
: translationLookup["MANAGER_INIT_FAIL"];
|
|
||||||
Console.WriteLine($"{failMessage}: {e.GetExceptionInfo()}");
|
|
||||||
}
|
|
||||||
|
|
||||||
if (ServerManager.IsRestartRequested)
|
|
||||||
{
|
|
||||||
goto restart;
|
|
||||||
}
|
|
||||||
|
|
||||||
serviceProvider.Dispose();
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// runs the core application tasks
|
|
||||||
/// </summary>
|
|
||||||
/// <returns></returns>
|
|
||||||
private static async Task RunApplicationTasksAsync(ILogger logger, IServiceCollection services)
|
|
||||||
{
|
|
||||||
var webfrontTask = ServerManager.GetApplicationSettings().Configuration().EnableWebFront
|
|
||||||
? WebfrontCore.Program.Init(ServerManager, serviceProvider, services, ServerManager.CancellationToken)
|
|
||||||
: Task.CompletedTask;
|
|
||||||
|
|
||||||
var collectionService = serviceProvider.GetRequiredService<IServerDataCollector>();
|
|
||||||
|
|
||||||
// we want to run this one on a manual thread instead of letting the thread pool handle it,
|
|
||||||
// because we can't exit early from waiting on console input, and it prevents us from restarting
|
|
||||||
var inputThread = new Thread(async () => await ReadConsoleInput(logger));
|
|
||||||
inputThread.Start();
|
|
||||||
|
|
||||||
var tasks = new[]
|
|
||||||
{
|
|
||||||
ServerManager.Start(),
|
|
||||||
webfrontTask,
|
|
||||||
serviceProvider.GetRequiredService<IMasterCommunication>()
|
|
||||||
.RunUploadStatus(ServerManager.CancellationToken),
|
|
||||||
collectionService.BeginCollectionAsync(cancellationToken: ServerManager.CancellationToken)
|
|
||||||
};
|
|
||||||
|
|
||||||
logger.LogDebug("Starting webfront and input tasks");
|
|
||||||
await Task.WhenAll(tasks);
|
|
||||||
|
|
||||||
logger.LogInformation("Shutdown completed successfully");
|
|
||||||
Console.WriteLine(Utilities.CurrentLocalization.LocalizationIndex["MANAGER_SHUTDOWN_SUCCESS"]);
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// reads input from the console and executes entered commands on the default server
|
|
||||||
/// </summary>
|
|
||||||
/// <returns></returns>
|
|
||||||
private static async Task ReadConsoleInput(ILogger logger)
|
|
||||||
{
|
|
||||||
if (Console.IsInputRedirected)
|
|
||||||
{
|
|
||||||
logger.LogInformation("Disabling console input as it has been redirected");
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
string lastCommand;
|
|
||||||
var Origin = Utilities.IW4MAdminClient(ServerManager.Servers[0]);
|
|
||||||
|
|
||||||
try
|
|
||||||
{
|
|
||||||
while (!ServerManager.CancellationToken.IsCancellationRequested)
|
|
||||||
{
|
|
||||||
lastCommand = await Console.In.ReadLineAsync();
|
|
||||||
|
|
||||||
if (lastCommand?.Length > 0)
|
|
||||||
{
|
|
||||||
if (lastCommand?.Length > 0)
|
|
||||||
{
|
{
|
||||||
|
Origin.CurrentServer = ServerManager.Servers[0];
|
||||||
GameEvent E = new GameEvent()
|
GameEvent E = new GameEvent()
|
||||||
{
|
{
|
||||||
Type = GameEvent.EventType.Command,
|
Type = GameEvent.EventType.Command,
|
||||||
Data = lastCommand,
|
Data = userInput,
|
||||||
Origin = Origin,
|
Origin = Origin,
|
||||||
Owner = ServerManager.Servers[0]
|
Owner = ServerManager.Servers[0]
|
||||||
};
|
};
|
||||||
|
|
||||||
ServerManager.AddEvent(E);
|
ServerManager.GetEventHandler().AddEvent(E);
|
||||||
await E.WaitAsync(Utilities.DefaultCommandTimeout, ServerManager.CancellationToken);
|
E.OnProcessed.Wait(5000);
|
||||||
|
}
|
||||||
Console.Write('>');
|
Console.Write('>');
|
||||||
|
|
||||||
|
} while (ServerManager.Running);
|
||||||
|
});
|
||||||
}
|
}
|
||||||
}
|
|
||||||
}
|
catch (Exception e)
|
||||||
}
|
|
||||||
catch (OperationCanceledException)
|
|
||||||
{
|
{
|
||||||
}
|
Console.WriteLine(loc["MANAGER_INIT_FAIL"]);
|
||||||
}
|
while (e.InnerException != null)
|
||||||
|
|
||||||
private static IServiceCollection HandlePluginRegistration(ApplicationConfiguration appConfig,
|
|
||||||
IServiceCollection serviceCollection,
|
|
||||||
IMasterApi masterApi)
|
|
||||||
{
|
{
|
||||||
var defaultLogger = BuildDefaultLogger<Program>(appConfig);
|
e = e.InnerException;
|
||||||
var pluginServiceProvider = new ServiceCollection()
|
}
|
||||||
.AddBaseLogger(appConfig)
|
Console.WriteLine($"Exception: {e.Message}");
|
||||||
.AddSingleton(appConfig)
|
Console.WriteLine(loc["MANAGER_EXIT"]);
|
||||||
.AddSingleton(masterApi)
|
Console.ReadKey();
|
||||||
.AddSingleton<IRemoteAssemblyHandler, RemoteAssemblyHandler>()
|
return;
|
||||||
.AddSingleton<IPluginImporter, PluginImporter>()
|
}
|
||||||
.BuildServiceProvider();
|
|
||||||
|
|
||||||
var pluginImporter = pluginServiceProvider.GetRequiredService<IPluginImporter>();
|
if (ServerManager.GetApplicationSettings().Configuration().EnableWebFront)
|
||||||
|
|
||||||
// we need to register the rest client with regular collection
|
|
||||||
serviceCollection.AddSingleton(masterApi);
|
|
||||||
|
|
||||||
// register the native commands
|
|
||||||
foreach (var commandType in typeof(SharedLibraryCore.Commands.QuitCommand).Assembly.GetTypes()
|
|
||||||
.Concat(typeof(Program).Assembly.GetTypes().Where(type => type.Namespace == "IW4MAdmin.Application.Commands"))
|
|
||||||
.Where(_command => _command.BaseType == typeof(Command)))
|
|
||||||
{
|
{
|
||||||
defaultLogger.LogDebug("Registered native command type {name}", commandType.Name);
|
Task.Run(() => WebfrontCore.Program.Init(ServerManager));
|
||||||
serviceCollection.AddSingleton(typeof(IManagerCommand), commandType);
|
|
||||||
}
|
}
|
||||||
|
|
||||||
// register the plugin implementations
|
OnShutdownComplete.Reset();
|
||||||
var (plugins, commands, configurations) = pluginImporter.DiscoverAssemblyPluginImplementations();
|
ServerManager.Start().Wait();
|
||||||
foreach (var pluginType in plugins)
|
ServerManager.Logger.WriteVerbose(loc["MANAGER_SHUTDOWN_SUCCESS"]);
|
||||||
|
OnShutdownComplete.Set();
|
||||||
|
}
|
||||||
|
|
||||||
|
private static void OnCancelKey(object sender, ConsoleCancelEventArgs e)
|
||||||
{
|
{
|
||||||
defaultLogger.LogDebug("Registered plugin type {name}", pluginType.FullName);
|
ServerManager.Stop();
|
||||||
serviceCollection.AddSingleton(typeof(IPlugin), pluginType);
|
OnShutdownComplete.Wait(5000);
|
||||||
}
|
}
|
||||||
|
|
||||||
// register the plugin commands
|
static void CheckDirectories()
|
||||||
foreach (var commandType in commands)
|
|
||||||
{
|
{
|
||||||
defaultLogger.LogDebug("Registered plugin command type {name}", commandType.FullName);
|
string curDirectory = Path.GetDirectoryName(Assembly.GetEntryAssembly().Location) + Path.DirectorySeparatorChar;
|
||||||
serviceCollection.AddSingleton(typeof(IManagerCommand), commandType);
|
|
||||||
}
|
|
||||||
|
|
||||||
foreach (var configurationType in configurations)
|
if (!Directory.Exists($"{curDirectory}Plugins"))
|
||||||
{
|
Directory.CreateDirectory($"{curDirectory}Plugins");
|
||||||
defaultLogger.LogDebug("Registered plugin config type {name}", configurationType.Name);
|
|
||||||
var configInstance = (IBaseConfiguration) Activator.CreateInstance(configurationType);
|
|
||||||
var handlerType = typeof(BaseConfigurationHandler<>).MakeGenericType(configurationType);
|
|
||||||
var handlerInstance = Activator.CreateInstance(handlerType, new[] {configInstance.Name()});
|
|
||||||
var genericInterfaceType = typeof(IConfigurationHandler<>).MakeGenericType(configurationType);
|
|
||||||
|
|
||||||
serviceCollection.AddSingleton(genericInterfaceType, handlerInstance);
|
|
||||||
}
|
|
||||||
|
|
||||||
// register any script plugins
|
|
||||||
foreach (var scriptPlugin in pluginImporter.DiscoverScriptPlugins())
|
|
||||||
{
|
|
||||||
serviceCollection.AddSingleton(scriptPlugin);
|
|
||||||
}
|
|
||||||
|
|
||||||
// register any eventable types
|
|
||||||
foreach (var assemblyType in typeof(Program).Assembly.GetTypes()
|
|
||||||
.Where(_asmType => typeof(IRegisterEvent).IsAssignableFrom(_asmType))
|
|
||||||
.Union(plugins.SelectMany(_asm => _asm.Assembly.GetTypes())
|
|
||||||
.Distinct()
|
|
||||||
.Where(_asmType => typeof(IRegisterEvent).IsAssignableFrom(_asmType))))
|
|
||||||
{
|
|
||||||
var instance = Activator.CreateInstance(assemblyType) as IRegisterEvent;
|
|
||||||
serviceCollection.AddSingleton(instance);
|
|
||||||
}
|
|
||||||
|
|
||||||
return serviceCollection;
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// Configures the dependency injection services
|
|
||||||
/// </summary>
|
|
||||||
private static IServiceCollection ConfigureServices(string[] args)
|
|
||||||
{
|
|
||||||
// setup the static resources (config/master api/translations)
|
|
||||||
var serviceCollection = new ServiceCollection();
|
|
||||||
var appConfigHandler = new BaseConfigurationHandler<ApplicationConfiguration>("IW4MAdminSettings");
|
|
||||||
var defaultConfigHandler = new BaseConfigurationHandler<DefaultSettings>("DefaultSettings");
|
|
||||||
var defaultConfig = defaultConfigHandler.Configuration();
|
|
||||||
var appConfig = appConfigHandler.Configuration();
|
|
||||||
var masterUri = Utilities.IsDevelopment
|
|
||||||
? new Uri("http://127.0.0.1:8080")
|
|
||||||
: appConfig?.MasterUrl ?? new ApplicationConfiguration().MasterUrl;
|
|
||||||
var httpClient = new HttpClient
|
|
||||||
{
|
|
||||||
BaseAddress = masterUri,
|
|
||||||
Timeout = TimeSpan.FromSeconds(15)
|
|
||||||
};
|
|
||||||
var masterRestClient = RestClient.For<IMasterApi>(httpClient);
|
|
||||||
var translationLookup = Configure.Initialize(Utilities.DefaultLogger, masterRestClient, appConfig);
|
|
||||||
|
|
||||||
if (appConfig == null)
|
|
||||||
{
|
|
||||||
appConfig = (ApplicationConfiguration) new ApplicationConfiguration().Generate();
|
|
||||||
appConfigHandler.Set(appConfig);
|
|
||||||
appConfigHandler.Save();
|
|
||||||
}
|
|
||||||
|
|
||||||
// register override level names
|
|
||||||
foreach (var (key, value) in appConfig.OverridePermissionLevelNames)
|
|
||||||
{
|
|
||||||
if (!Utilities.PermissionLevelOverrides.ContainsKey(key))
|
|
||||||
{
|
|
||||||
Utilities.PermissionLevelOverrides.Add(key, value);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
// build the dependency list
|
|
||||||
HandlePluginRegistration(appConfig, serviceCollection, masterRestClient);
|
|
||||||
|
|
||||||
serviceCollection
|
|
||||||
.AddBaseLogger(appConfig)
|
|
||||||
.AddSingleton(defaultConfig)
|
|
||||||
.AddSingleton<IServiceCollection>(_serviceProvider => serviceCollection)
|
|
||||||
.AddSingleton<IConfigurationHandler<DefaultSettings>, BaseConfigurationHandler<DefaultSettings>>()
|
|
||||||
.AddSingleton((IConfigurationHandler<ApplicationConfiguration>) appConfigHandler)
|
|
||||||
.AddSingleton(
|
|
||||||
new BaseConfigurationHandler<CommandConfiguration>("CommandConfiguration") as
|
|
||||||
IConfigurationHandler<CommandConfiguration>)
|
|
||||||
.AddSingleton(appConfig)
|
|
||||||
.AddSingleton(_serviceProvider =>
|
|
||||||
_serviceProvider.GetRequiredService<IConfigurationHandler<CommandConfiguration>>()
|
|
||||||
.Configuration() ?? new CommandConfiguration())
|
|
||||||
.AddSingleton<IPluginImporter, PluginImporter>()
|
|
||||||
.AddSingleton<IMiddlewareActionHandler, MiddlewareActionHandler>()
|
|
||||||
.AddSingleton<IRConConnectionFactory, RConConnectionFactory>()
|
|
||||||
.AddSingleton<IGameServerInstanceFactory, GameServerInstanceFactory>()
|
|
||||||
.AddSingleton<IConfigurationHandlerFactory, ConfigurationHandlerFactory>()
|
|
||||||
.AddSingleton<IParserRegexFactory, ParserRegexFactory>()
|
|
||||||
.AddSingleton<IDatabaseContextFactory, DatabaseContextFactory>()
|
|
||||||
.AddSingleton<IGameLogReaderFactory, GameLogReaderFactory>()
|
|
||||||
.AddSingleton<IScriptCommandFactory, ScriptCommandFactory>()
|
|
||||||
.AddSingleton<IAuditInformationRepository, AuditInformationRepository>()
|
|
||||||
.AddSingleton<IEntityService<EFClient>, ClientService>()
|
|
||||||
.AddSingleton<IMetaService, MetaService>()
|
|
||||||
.AddSingleton<ClientService>()
|
|
||||||
.AddSingleton<PenaltyService>()
|
|
||||||
.AddSingleton<ChangeHistoryService>()
|
|
||||||
.AddSingleton<IMetaRegistration, MetaRegistration>()
|
|
||||||
.AddSingleton<IScriptPluginServiceResolver, ScriptPluginServiceResolver>()
|
|
||||||
.AddSingleton<IResourceQueryHelper<ClientPaginationRequest, ReceivedPenaltyResponse>,
|
|
||||||
ReceivedPenaltyResourceQueryHelper>()
|
|
||||||
.AddSingleton<IResourceQueryHelper<ClientPaginationRequest, AdministeredPenaltyResponse>,
|
|
||||||
AdministeredPenaltyResourceQueryHelper>()
|
|
||||||
.AddSingleton<IResourceQueryHelper<ClientPaginationRequest, UpdatedAliasResponse>,
|
|
||||||
UpdatedAliasResourceQueryHelper>()
|
|
||||||
.AddSingleton<IResourceQueryHelper<ChatSearchQuery, MessageResponse>, ChatResourceQueryHelper>()
|
|
||||||
.AddSingleton<IResourceQueryHelper<ClientPaginationRequest, ConnectionHistoryResponse>, ConnectionsResourceQueryHelper>()
|
|
||||||
.AddTransient<IParserPatternMatcher, ParserPatternMatcher>()
|
|
||||||
.AddSingleton<IRemoteAssemblyHandler, RemoteAssemblyHandler>()
|
|
||||||
.AddSingleton<IMasterCommunication, MasterCommunication>()
|
|
||||||
.AddSingleton<IManager, ApplicationManager>()
|
|
||||||
.AddSingleton<SharedLibraryCore.Interfaces.ILogger, Logger>()
|
|
||||||
.AddSingleton<IClientNoticeMessageFormatter, ClientNoticeMessageFormatter>()
|
|
||||||
.AddSingleton<IClientStatisticCalculator, HitCalculator>()
|
|
||||||
.AddSingleton<IServerDistributionCalculator, ServerDistributionCalculator>()
|
|
||||||
.AddSingleton<IWeaponNameParser, WeaponNameParser>()
|
|
||||||
.AddSingleton<IHitInfoBuilder, HitInfoBuilder>()
|
|
||||||
.AddSingleton(typeof(ILookupCache<>), typeof(LookupCache<>))
|
|
||||||
.AddSingleton(typeof(IDataValueCache<,>), typeof(DataValueCache<,>))
|
|
||||||
.AddSingleton<IServerDataViewer, ServerDataViewer>()
|
|
||||||
.AddSingleton<IServerDataCollector, ServerDataCollector>()
|
|
||||||
.AddSingleton<IEventPublisher, EventPublisher>()
|
|
||||||
.AddSingleton(translationLookup)
|
|
||||||
.AddDatabaseContextOptions(appConfig);
|
|
||||||
|
|
||||||
if (args.Contains("serialevents"))
|
|
||||||
{
|
|
||||||
serviceCollection.AddSingleton<IEventHandler, SerialGameEventHandler>();
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
serviceCollection.AddSingleton<IEventHandler, GameEventHandler>();
|
|
||||||
}
|
|
||||||
|
|
||||||
serviceCollection.AddSource();
|
|
||||||
|
|
||||||
return serviceCollection;
|
|
||||||
}
|
|
||||||
|
|
||||||
private static ILogger BuildDefaultLogger<T>(ApplicationConfiguration appConfig)
|
|
||||||
{
|
|
||||||
var collection = new ServiceCollection()
|
|
||||||
.AddBaseLogger(appConfig)
|
|
||||||
.BuildServiceProvider();
|
|
||||||
|
|
||||||
return collection.GetRequiredService<ILogger<T>>();
|
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
514
Application/Manager.cs
Normal file
514
Application/Manager.cs
Normal file
@ -0,0 +1,514 @@
|
|||||||
|
using System;
|
||||||
|
using System.Collections.Generic;
|
||||||
|
using System.Linq;
|
||||||
|
using System.Threading;
|
||||||
|
using System.IO;
|
||||||
|
using System.Threading.Tasks;
|
||||||
|
|
||||||
|
using SharedLibraryCore;
|
||||||
|
using SharedLibraryCore.Interfaces;
|
||||||
|
using SharedLibraryCore.Commands;
|
||||||
|
using SharedLibraryCore.Helpers;
|
||||||
|
using SharedLibraryCore.Exceptions;
|
||||||
|
using SharedLibraryCore.Objects;
|
||||||
|
using SharedLibraryCore.Services;
|
||||||
|
using IW4MAdmin.Application.API;
|
||||||
|
using Microsoft.Extensions.Configuration;
|
||||||
|
using WebfrontCore;
|
||||||
|
using SharedLibraryCore.Configuration;
|
||||||
|
using Newtonsoft.Json;
|
||||||
|
using Newtonsoft.Json.Linq;
|
||||||
|
using System.Text;
|
||||||
|
using IW4MAdmin.Application.API.Master;
|
||||||
|
|
||||||
|
namespace IW4MAdmin.Application
|
||||||
|
{
|
||||||
|
public class ApplicationManager : IManager
|
||||||
|
{
|
||||||
|
private List<Server> _servers;
|
||||||
|
public List<Server> Servers => _servers.OrderByDescending(s => s.ClientNum).ToList();
|
||||||
|
public Dictionary<int, Player> PrivilegedClients { get; set; }
|
||||||
|
public ILogger Logger { get; private set; }
|
||||||
|
public bool Running { get; private set; }
|
||||||
|
public EventHandler<GameEvent> ServerEventOccurred { get; private set; }
|
||||||
|
public DateTime StartTime { get; private set; }
|
||||||
|
|
||||||
|
static ApplicationManager Instance;
|
||||||
|
List<AsyncStatus> TaskStatuses;
|
||||||
|
List<Command> Commands;
|
||||||
|
List<MessageToken> MessageTokens;
|
||||||
|
ClientService ClientSvc;
|
||||||
|
AliasService AliasSvc;
|
||||||
|
PenaltyService PenaltySvc;
|
||||||
|
BaseConfigurationHandler<ApplicationConfiguration> ConfigHandler;
|
||||||
|
EventApi Api;
|
||||||
|
GameEventHandler Handler;
|
||||||
|
ManualResetEventSlim OnEvent;
|
||||||
|
|
||||||
|
private ApplicationManager()
|
||||||
|
{
|
||||||
|
Logger = new Logger($@"{Utilities.OperatingDirectory}IW4MAdmin.log");
|
||||||
|
_servers = new List<Server>();
|
||||||
|
Commands = new List<Command>();
|
||||||
|
TaskStatuses = new List<AsyncStatus>();
|
||||||
|
MessageTokens = new List<MessageToken>();
|
||||||
|
ClientSvc = new ClientService();
|
||||||
|
AliasSvc = new AliasService();
|
||||||
|
PenaltySvc = new PenaltyService();
|
||||||
|
PrivilegedClients = new Dictionary<int, Player>();
|
||||||
|
Api = new EventApi();
|
||||||
|
ServerEventOccurred += Api.OnServerEvent;
|
||||||
|
ConfigHandler = new BaseConfigurationHandler<ApplicationConfiguration>("IW4MAdminSettings");
|
||||||
|
StartTime = DateTime.UtcNow;
|
||||||
|
OnEvent = new ManualResetEventSlim();
|
||||||
|
}
|
||||||
|
|
||||||
|
public IList<Server> GetServers()
|
||||||
|
{
|
||||||
|
return Servers;
|
||||||
|
}
|
||||||
|
|
||||||
|
public IList<Command> GetCommands()
|
||||||
|
{
|
||||||
|
return Commands;
|
||||||
|
}
|
||||||
|
|
||||||
|
public static ApplicationManager GetInstance()
|
||||||
|
{
|
||||||
|
return Instance ?? (Instance = new ApplicationManager());
|
||||||
|
}
|
||||||
|
|
||||||
|
public async Task UpdateStatus(object state)
|
||||||
|
{
|
||||||
|
var taskList = new List<Task>();
|
||||||
|
|
||||||
|
while (Running)
|
||||||
|
{
|
||||||
|
taskList.Clear();
|
||||||
|
foreach (var server in Servers)
|
||||||
|
{
|
||||||
|
taskList.Add(Task.Run(async () =>
|
||||||
|
{
|
||||||
|
try
|
||||||
|
{
|
||||||
|
await server.ProcessUpdatesAsync(new CancellationToken());
|
||||||
|
}
|
||||||
|
|
||||||
|
catch (Exception e)
|
||||||
|
{
|
||||||
|
Logger.WriteWarning($"Failed to update status for {server}");
|
||||||
|
Logger.WriteDebug($"Exception: {e.Message}");
|
||||||
|
Logger.WriteDebug($"StackTrace: {e.StackTrace}");
|
||||||
|
}
|
||||||
|
}));
|
||||||
|
}
|
||||||
|
#if DEBUG
|
||||||
|
Logger.WriteDebug($"{taskList.Count} servers queued for stats updates");
|
||||||
|
ThreadPool.GetMaxThreads(out int workerThreads, out int n);
|
||||||
|
ThreadPool.GetAvailableThreads(out int availableThreads, out int m);
|
||||||
|
Logger.WriteDebug($"There are {workerThreads - availableThreads} active threading tasks");
|
||||||
|
#endif
|
||||||
|
|
||||||
|
await Task.WhenAll(taskList.ToArray());
|
||||||
|
|
||||||
|
GameEvent sensitiveEvent;
|
||||||
|
while ((sensitiveEvent = Handler.GetNextSensitiveEvent()) != null)
|
||||||
|
{
|
||||||
|
try
|
||||||
|
{
|
||||||
|
await sensitiveEvent.Owner.ExecuteEvent(sensitiveEvent);
|
||||||
|
#if DEBUG
|
||||||
|
Logger.WriteDebug($"Processed Sensitive Event {sensitiveEvent.Type}");
|
||||||
|
#endif
|
||||||
|
}
|
||||||
|
|
||||||
|
catch (NetworkException e)
|
||||||
|
{
|
||||||
|
Logger.WriteError(Utilities.CurrentLocalization.LocalizationIndex["SERVER_ERROR_COMMUNICATION"]);
|
||||||
|
Logger.WriteDebug(e.Message);
|
||||||
|
}
|
||||||
|
|
||||||
|
catch (Exception E)
|
||||||
|
{
|
||||||
|
Logger.WriteError($"{Utilities.CurrentLocalization.LocalizationIndex["SERVER_ERROR_EXCEPTION"]} {sensitiveEvent.Owner}");
|
||||||
|
Logger.WriteDebug("Error Message: " + E.Message);
|
||||||
|
Logger.WriteDebug("Error Trace: " + E.StackTrace);
|
||||||
|
}
|
||||||
|
|
||||||
|
sensitiveEvent.OnProcessed.Set();
|
||||||
|
}
|
||||||
|
|
||||||
|
await Task.Delay(2500);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
public async Task Init()
|
||||||
|
{
|
||||||
|
Running = true;
|
||||||
|
|
||||||
|
#region DATABASE
|
||||||
|
var ipList = (await ClientSvc.Find(c => c.Level > Player.Permission.Trusted))
|
||||||
|
.Select(c => new
|
||||||
|
{
|
||||||
|
c.Password,
|
||||||
|
c.PasswordSalt,
|
||||||
|
c.ClientId,
|
||||||
|
c.Level,
|
||||||
|
c.Name
|
||||||
|
});
|
||||||
|
|
||||||
|
foreach (var a in ipList)
|
||||||
|
{
|
||||||
|
try
|
||||||
|
{
|
||||||
|
PrivilegedClients.Add(a.ClientId, new Player()
|
||||||
|
{
|
||||||
|
Name = a.Name,
|
||||||
|
ClientId = a.ClientId,
|
||||||
|
Level = a.Level,
|
||||||
|
PasswordSalt = a.PasswordSalt,
|
||||||
|
Password = a.Password
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
catch (ArgumentException)
|
||||||
|
{
|
||||||
|
continue;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
#endregion
|
||||||
|
|
||||||
|
#region CONFIG
|
||||||
|
var config = ConfigHandler.Configuration();
|
||||||
|
|
||||||
|
// copy over default config if it doesn't exist
|
||||||
|
if (config == null)
|
||||||
|
{
|
||||||
|
var defaultConfig = new BaseConfigurationHandler<DefaultConfiguration>("DefaultSettings").Configuration();
|
||||||
|
ConfigHandler.Set((ApplicationConfiguration)new ApplicationConfiguration().Generate());
|
||||||
|
var newConfig = ConfigHandler.Configuration();
|
||||||
|
|
||||||
|
newConfig.AutoMessagePeriod = defaultConfig.AutoMessagePeriod;
|
||||||
|
newConfig.AutoMessages = defaultConfig.AutoMessages;
|
||||||
|
newConfig.GlobalRules = defaultConfig.GlobalRules;
|
||||||
|
newConfig.Maps = defaultConfig.Maps;
|
||||||
|
|
||||||
|
if (newConfig.Servers == null)
|
||||||
|
{
|
||||||
|
ConfigHandler.Set(newConfig);
|
||||||
|
newConfig.Servers = new List<ServerConfiguration>();
|
||||||
|
|
||||||
|
do
|
||||||
|
{
|
||||||
|
newConfig.Servers.Add((ServerConfiguration)new ServerConfiguration().Generate());
|
||||||
|
} while (Utilities.PromptBool(Utilities.CurrentLocalization.LocalizationIndex["SETUP_SERVER_SAVE"]));
|
||||||
|
|
||||||
|
config = newConfig;
|
||||||
|
await ConfigHandler.Save();
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
else if (config != null)
|
||||||
|
{
|
||||||
|
if (string.IsNullOrEmpty(config.Id))
|
||||||
|
{
|
||||||
|
config.Id = Guid.NewGuid().ToString();
|
||||||
|
await ConfigHandler.Save();
|
||||||
|
}
|
||||||
|
|
||||||
|
if (string.IsNullOrEmpty(config.WebfrontBindUrl))
|
||||||
|
{
|
||||||
|
config.WebfrontBindUrl = "http://127.0.0.1:1624";
|
||||||
|
await ConfigHandler.Save();
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
else if (config.Servers.Count == 0)
|
||||||
|
throw new ServerException("A server configuration in IW4MAdminSettings.json is invalid");
|
||||||
|
|
||||||
|
Encoding.RegisterProvider(CodePagesEncodingProvider.Instance);
|
||||||
|
Utilities.EncodingType = Encoding.GetEncoding(!string.IsNullOrEmpty(config.CustomParserEncoding) ? config.CustomParserEncoding : "windows-1252");
|
||||||
|
|
||||||
|
#endregion
|
||||||
|
#region PLUGINS
|
||||||
|
SharedLibraryCore.Plugins.PluginImporter.Load(this);
|
||||||
|
|
||||||
|
foreach (var Plugin in SharedLibraryCore.Plugins.PluginImporter.ActivePlugins)
|
||||||
|
{
|
||||||
|
try
|
||||||
|
{
|
||||||
|
await Plugin.OnLoadAsync(this);
|
||||||
|
}
|
||||||
|
|
||||||
|
catch (Exception e)
|
||||||
|
{
|
||||||
|
Logger.WriteError($"{Utilities.CurrentLocalization.LocalizationIndex["SERVER_ERROR_PLUGIN"]} {Plugin.Name}");
|
||||||
|
Logger.WriteDebug($"Exception: {e.Message}");
|
||||||
|
Logger.WriteDebug($"Stack Trace: {e.StackTrace}");
|
||||||
|
}
|
||||||
|
}
|
||||||
|
#endregion
|
||||||
|
|
||||||
|
#region COMMANDS
|
||||||
|
if (ClientSvc.GetOwners().Result.Count == 0)
|
||||||
|
Commands.Add(new COwner());
|
||||||
|
|
||||||
|
Commands.Add(new CQuit());
|
||||||
|
Commands.Add(new CKick());
|
||||||
|
Commands.Add(new CSay());
|
||||||
|
Commands.Add(new CTempBan());
|
||||||
|
Commands.Add(new CBan());
|
||||||
|
Commands.Add(new CWhoAmI());
|
||||||
|
Commands.Add(new CList());
|
||||||
|
Commands.Add(new CHelp());
|
||||||
|
Commands.Add(new CFastRestart());
|
||||||
|
Commands.Add(new CMapRotate());
|
||||||
|
Commands.Add(new CSetLevel());
|
||||||
|
Commands.Add(new CUsage());
|
||||||
|
Commands.Add(new CUptime());
|
||||||
|
Commands.Add(new CWarn());
|
||||||
|
Commands.Add(new CWarnClear());
|
||||||
|
Commands.Add(new CUnban());
|
||||||
|
Commands.Add(new CListAdmins());
|
||||||
|
Commands.Add(new CLoadMap());
|
||||||
|
Commands.Add(new CFindPlayer());
|
||||||
|
Commands.Add(new CListRules());
|
||||||
|
Commands.Add(new CPrivateMessage());
|
||||||
|
Commands.Add(new CFlag());
|
||||||
|
Commands.Add(new CUnflag());
|
||||||
|
Commands.Add(new CReport());
|
||||||
|
Commands.Add(new CListReports());
|
||||||
|
Commands.Add(new CListBanInfo());
|
||||||
|
Commands.Add(new CListAlias());
|
||||||
|
Commands.Add(new CExecuteRCON());
|
||||||
|
Commands.Add(new CPlugins());
|
||||||
|
Commands.Add(new CIP());
|
||||||
|
Commands.Add(new CMask());
|
||||||
|
Commands.Add(new CPruneAdmins());
|
||||||
|
Commands.Add(new CKillServer());
|
||||||
|
Commands.Add(new CSetPassword());
|
||||||
|
Commands.Add(new CPing());
|
||||||
|
|
||||||
|
foreach (Command C in SharedLibraryCore.Plugins.PluginImporter.ActiveCommands)
|
||||||
|
Commands.Add(C);
|
||||||
|
#endregion
|
||||||
|
|
||||||
|
#region INIT
|
||||||
|
async Task Init(ServerConfiguration Conf)
|
||||||
|
{
|
||||||
|
// setup the event handler after the class is initialized
|
||||||
|
Handler = new GameEventHandler(this);
|
||||||
|
try
|
||||||
|
{
|
||||||
|
var ServerInstance = new IW4MServer(this, Conf);
|
||||||
|
await ServerInstance.Initialize();
|
||||||
|
|
||||||
|
lock (_servers)
|
||||||
|
{
|
||||||
|
_servers.Add(ServerInstance);
|
||||||
|
}
|
||||||
|
|
||||||
|
Logger.WriteVerbose($"{Utilities.CurrentLocalization.LocalizationIndex["MANAGER_MONITORING_TEXT"]} {ServerInstance.Hostname}");
|
||||||
|
// add the start event for this server
|
||||||
|
Handler.AddEvent(new GameEvent(GameEvent.EventType.Start, "Server started", null, null, ServerInstance));
|
||||||
|
}
|
||||||
|
|
||||||
|
catch (ServerException e)
|
||||||
|
{
|
||||||
|
Logger.WriteError($"{Utilities.CurrentLocalization.LocalizationIndex["SERVER_ERROR_UNFIXABLE"]} [{Conf.IPAddress}:{Conf.Port}]");
|
||||||
|
if (e.GetType() == typeof(DvarException))
|
||||||
|
Logger.WriteDebug($"{Utilities.CurrentLocalization.LocalizationIndex["SERVER_ERROR_DVAR"]} {(e as DvarException).Data["dvar_name"]} ({Utilities.CurrentLocalization.LocalizationIndex["SERVER_ERROR_DVAR_HELP"]})");
|
||||||
|
else if (e.GetType() == typeof(NetworkException))
|
||||||
|
{
|
||||||
|
Logger.WriteDebug(e.Message);
|
||||||
|
}
|
||||||
|
|
||||||
|
// throw the exception to the main method to stop before instantly exiting
|
||||||
|
throw e;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
await Task.WhenAll(config.Servers.Select(c => Init(c)).ToArray());
|
||||||
|
#endregion
|
||||||
|
}
|
||||||
|
|
||||||
|
private async Task SendHeartbeat(object state)
|
||||||
|
{
|
||||||
|
var heartbeatState = (HeartbeatState)state;
|
||||||
|
|
||||||
|
while (Running)
|
||||||
|
{
|
||||||
|
if (!heartbeatState.Connected)
|
||||||
|
{
|
||||||
|
try
|
||||||
|
{
|
||||||
|
await Heartbeat.Send(this, true);
|
||||||
|
heartbeatState.Connected = true;
|
||||||
|
}
|
||||||
|
|
||||||
|
catch (Exception e)
|
||||||
|
{
|
||||||
|
heartbeatState.Connected = false;
|
||||||
|
Logger.WriteWarning($"Could not connect to heartbeat server - {e.Message}");
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
else
|
||||||
|
{
|
||||||
|
try
|
||||||
|
{
|
||||||
|
await Heartbeat.Send(this);
|
||||||
|
}
|
||||||
|
|
||||||
|
catch (System.Net.Http.HttpRequestException e)
|
||||||
|
{
|
||||||
|
Logger.WriteWarning($"Could not send heartbeat - {e.Message}");
|
||||||
|
}
|
||||||
|
|
||||||
|
catch (AggregateException e)
|
||||||
|
{
|
||||||
|
Logger.WriteWarning($"Could not send heartbeat - {e.Message}");
|
||||||
|
var exceptions = e.InnerExceptions.Where(ex => ex.GetType() == typeof(RestEase.ApiException));
|
||||||
|
|
||||||
|
foreach (var ex in exceptions)
|
||||||
|
{
|
||||||
|
if (((RestEase.ApiException)ex).StatusCode == System.Net.HttpStatusCode.Unauthorized)
|
||||||
|
{
|
||||||
|
heartbeatState.Connected = false;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
catch (RestEase.ApiException e)
|
||||||
|
{
|
||||||
|
Logger.WriteWarning($"Could not send heartbeat - {e.Message}");
|
||||||
|
if (e.StatusCode == System.Net.HttpStatusCode.Unauthorized)
|
||||||
|
{
|
||||||
|
heartbeatState.Connected = false;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
catch (Exception e)
|
||||||
|
{
|
||||||
|
Logger.WriteWarning($"Could not send heartbeat - {e.Message}");
|
||||||
|
}
|
||||||
|
|
||||||
|
}
|
||||||
|
await Task.Delay(30000);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
public async Task Start()
|
||||||
|
{
|
||||||
|
// this needs to be run seperately from the main thread
|
||||||
|
#pragma warning disable CS4014 // Because this call is not awaited, execution of the current method continues before the call is completed
|
||||||
|
#if !DEBUG
|
||||||
|
// start heartbeat
|
||||||
|
Task.Run(() => SendHeartbeat(new HeartbeatState()));
|
||||||
|
#endif
|
||||||
|
Task.Run(() => UpdateStatus(null));
|
||||||
|
#pragma warning restore CS4014 // Because this call is not awaited, execution of the current method continues before the call is completed
|
||||||
|
|
||||||
|
var eventList = new List<Task>();
|
||||||
|
|
||||||
|
async Task processEvent(GameEvent newEvent)
|
||||||
|
{
|
||||||
|
try
|
||||||
|
{
|
||||||
|
await newEvent.Owner.ExecuteEvent(newEvent);
|
||||||
|
#if DEBUG
|
||||||
|
Logger.WriteDebug("Processed Event");
|
||||||
|
#endif
|
||||||
|
}
|
||||||
|
|
||||||
|
// this happens if a plugin requires login
|
||||||
|
catch (AuthorizationException e)
|
||||||
|
{
|
||||||
|
await newEvent.Origin.Tell($"{Utilities.CurrentLocalization.LocalizationIndex["COMMAND_NOTAUTHORIZED"]} - {e.Message}");
|
||||||
|
}
|
||||||
|
|
||||||
|
catch (NetworkException e)
|
||||||
|
{
|
||||||
|
Logger.WriteError(Utilities.CurrentLocalization.LocalizationIndex["SERVER_ERROR_COMMUNICATION"]);
|
||||||
|
Logger.WriteDebug(e.Message);
|
||||||
|
}
|
||||||
|
|
||||||
|
catch (Exception E)
|
||||||
|
{
|
||||||
|
Logger.WriteError($"{Utilities.CurrentLocalization.LocalizationIndex["SERVER_ERROR_EXCEPTION"]} {newEvent.Owner}");
|
||||||
|
Logger.WriteDebug("Error Message: " + E.Message);
|
||||||
|
Logger.WriteDebug("Error Trace: " + E.StackTrace);
|
||||||
|
}
|
||||||
|
// tell anyone waiting for the output that we're done
|
||||||
|
newEvent.OnProcessed.Set();
|
||||||
|
};
|
||||||
|
|
||||||
|
GameEvent queuedEvent = null;
|
||||||
|
|
||||||
|
while (Running)
|
||||||
|
{
|
||||||
|
// wait for new event to be added
|
||||||
|
OnEvent.Wait();
|
||||||
|
|
||||||
|
// todo: sequencially or parallelize?
|
||||||
|
while ((queuedEvent = Handler.GetNextEvent()) != null)
|
||||||
|
{
|
||||||
|
await processEvent(queuedEvent);
|
||||||
|
}
|
||||||
|
|
||||||
|
// this should allow parallel processing of events
|
||||||
|
// await Task.WhenAll(eventList);
|
||||||
|
|
||||||
|
// signal that all events have been processed
|
||||||
|
OnEvent.Reset();
|
||||||
|
}
|
||||||
|
#if !DEBUG
|
||||||
|
foreach (var S in _servers)
|
||||||
|
await S.Broadcast("^1" + Utilities.CurrentLocalization.LocalizationIndex["BROADCAST_OFFLINE"]);
|
||||||
|
#endif
|
||||||
|
_servers.Clear();
|
||||||
|
}
|
||||||
|
|
||||||
|
|
||||||
|
public void Stop()
|
||||||
|
{
|
||||||
|
Running = false;
|
||||||
|
|
||||||
|
// trigger the event processing loop to end
|
||||||
|
SetHasEvent();
|
||||||
|
}
|
||||||
|
|
||||||
|
public ILogger GetLogger()
|
||||||
|
{
|
||||||
|
return Logger;
|
||||||
|
}
|
||||||
|
|
||||||
|
public IList<MessageToken> GetMessageTokens()
|
||||||
|
{
|
||||||
|
return MessageTokens;
|
||||||
|
}
|
||||||
|
|
||||||
|
public IList<Player> GetActiveClients()
|
||||||
|
{
|
||||||
|
var ActiveClients = new List<Player>();
|
||||||
|
|
||||||
|
foreach (var server in _servers)
|
||||||
|
ActiveClients.AddRange(server.Players.Where(p => p != null));
|
||||||
|
|
||||||
|
return ActiveClients;
|
||||||
|
}
|
||||||
|
|
||||||
|
public ClientService GetClientService() => ClientSvc;
|
||||||
|
public AliasService GetAliasService() => AliasSvc;
|
||||||
|
public PenaltyService GetPenaltyService() => PenaltySvc;
|
||||||
|
public IConfigurationHandler<ApplicationConfiguration> GetApplicationSettings() => ConfigHandler;
|
||||||
|
public IDictionary<int, Player> GetPrivilegedClients() => PrivilegedClients;
|
||||||
|
public IEventApi GetEventApi() => Api;
|
||||||
|
public bool ShutdownRequested() => !Running;
|
||||||
|
public IEventHandler GetEventHandler() => Handler;
|
||||||
|
|
||||||
|
public void SetHasEvent()
|
||||||
|
{
|
||||||
|
OnEvent.Set();
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
@ -1,67 +0,0 @@
|
|||||||
using System.Linq;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
using Data.Abstractions;
|
|
||||||
using Data.Models;
|
|
||||||
using Microsoft.EntityFrameworkCore;
|
|
||||||
using Microsoft.Extensions.Logging;
|
|
||||||
using SharedLibraryCore.Dtos.Meta.Responses;
|
|
||||||
using SharedLibraryCore.Helpers;
|
|
||||||
using SharedLibraryCore.Interfaces;
|
|
||||||
using SharedLibraryCore.QueryHelper;
|
|
||||||
using ILogger = Microsoft.Extensions.Logging.ILogger;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.Meta
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// implementation of IResourceQueryHelper
|
|
||||||
/// query helper that retrieves administered penalties for provided client id
|
|
||||||
/// </summary>
|
|
||||||
public class AdministeredPenaltyResourceQueryHelper : IResourceQueryHelper<ClientPaginationRequest, AdministeredPenaltyResponse>
|
|
||||||
{
|
|
||||||
private readonly ILogger _logger;
|
|
||||||
private readonly IDatabaseContextFactory _contextFactory;
|
|
||||||
|
|
||||||
public AdministeredPenaltyResourceQueryHelper(ILogger<AdministeredPenaltyResourceQueryHelper> logger, IDatabaseContextFactory contextFactory)
|
|
||||||
{
|
|
||||||
_contextFactory = contextFactory;
|
|
||||||
_logger = logger;
|
|
||||||
}
|
|
||||||
|
|
||||||
public async Task<ResourceQueryHelperResult<AdministeredPenaltyResponse>> QueryResource(ClientPaginationRequest query)
|
|
||||||
{
|
|
||||||
await using var ctx = _contextFactory.CreateContext(enableTracking: false);
|
|
||||||
|
|
||||||
var iqPenalties = ctx.Penalties.AsNoTracking()
|
|
||||||
.Where(_penalty => query.ClientId == _penalty.PunisherId)
|
|
||||||
.Where(_penalty => _penalty.When < query.Before)
|
|
||||||
.OrderByDescending(_penalty => _penalty.When);
|
|
||||||
|
|
||||||
var penalties = await iqPenalties
|
|
||||||
.Take(query.Count)
|
|
||||||
.Select(_penalty => new AdministeredPenaltyResponse()
|
|
||||||
{
|
|
||||||
PenaltyId = _penalty.PenaltyId,
|
|
||||||
Offense = _penalty.Offense,
|
|
||||||
AutomatedOffense = _penalty.AutomatedOffense,
|
|
||||||
ClientId = _penalty.OffenderId,
|
|
||||||
OffenderName = _penalty.Offender.CurrentAlias.Name,
|
|
||||||
OffenderClientId = _penalty.Offender.ClientId,
|
|
||||||
PunisherClientId = _penalty.PunisherId,
|
|
||||||
PunisherName = _penalty.Punisher.CurrentAlias.Name,
|
|
||||||
PenaltyType = _penalty.Type,
|
|
||||||
When = _penalty.When,
|
|
||||||
ExpirationDate = _penalty.Expires,
|
|
||||||
IsLinked = _penalty.OffenderId != query.ClientId,
|
|
||||||
IsSensitive = _penalty.Type == EFPenalty.PenaltyType.Flag
|
|
||||||
})
|
|
||||||
.ToListAsync();
|
|
||||||
|
|
||||||
return new ResourceQueryHelperResult<AdministeredPenaltyResponse>
|
|
||||||
{
|
|
||||||
// todo: might need to do count at some point
|
|
||||||
RetrievedResultCount = penalties.Count,
|
|
||||||
Results = penalties
|
|
||||||
};
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,60 +0,0 @@
|
|||||||
using System.Linq;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
using Data.Abstractions;
|
|
||||||
using Microsoft.EntityFrameworkCore;
|
|
||||||
using Microsoft.Extensions.Logging;
|
|
||||||
using SharedLibraryCore.Dtos.Meta.Responses;
|
|
||||||
using SharedLibraryCore.Helpers;
|
|
||||||
using SharedLibraryCore.Interfaces;
|
|
||||||
using SharedLibraryCore.QueryHelper;
|
|
||||||
using ILogger = Microsoft.Extensions.Logging.ILogger;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.Meta
|
|
||||||
{
|
|
||||||
public class
|
|
||||||
ConnectionsResourceQueryHelper : IResourceQueryHelper<ClientPaginationRequest, ConnectionHistoryResponse>
|
|
||||||
{
|
|
||||||
private readonly ILogger _logger;
|
|
||||||
private readonly IDatabaseContextFactory _contextFactory;
|
|
||||||
|
|
||||||
public ConnectionsResourceQueryHelper(ILogger<ConnectionsResourceQueryHelper> logger,
|
|
||||||
IDatabaseContextFactory contextFactory)
|
|
||||||
{
|
|
||||||
_contextFactory = contextFactory;
|
|
||||||
_logger = logger;
|
|
||||||
}
|
|
||||||
|
|
||||||
public async Task<ResourceQueryHelperResult<ConnectionHistoryResponse>> QueryResource(
|
|
||||||
ClientPaginationRequest query)
|
|
||||||
{
|
|
||||||
_logger.LogDebug("{Class} {@Request}", nameof(ConnectionsResourceQueryHelper), query);
|
|
||||||
|
|
||||||
await using var context = _contextFactory.CreateContext(enableTracking: false);
|
|
||||||
|
|
||||||
var iqConnections = context.ConnectionHistory.AsNoTracking()
|
|
||||||
.Where(history => query.ClientId == history.ClientId)
|
|
||||||
.Where(history => history.CreatedDateTime < query.Before)
|
|
||||||
.OrderByDescending(history => history.CreatedDateTime);
|
|
||||||
|
|
||||||
var connections = await iqConnections.Select(history => new ConnectionHistoryResponse
|
|
||||||
{
|
|
||||||
MetaId = history.ClientConnectionId,
|
|
||||||
ClientId = history.ClientId,
|
|
||||||
Type = MetaType.ConnectionHistory,
|
|
||||||
ShouldDisplay = true,
|
|
||||||
When = history.CreatedDateTime,
|
|
||||||
ServerName = history.Server.HostName,
|
|
||||||
ConnectionType = history.ConnectionType
|
|
||||||
})
|
|
||||||
.ToListAsync();
|
|
||||||
|
|
||||||
_logger.LogDebug("{Class} retrieved {Number} items", nameof(ConnectionsResourceQueryHelper),
|
|
||||||
connections.Count);
|
|
||||||
|
|
||||||
return new ResourceQueryHelperResult<ConnectionHistoryResponse>
|
|
||||||
{
|
|
||||||
Results = connections
|
|
||||||
};
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,178 +0,0 @@
|
|||||||
using SharedLibraryCore;
|
|
||||||
using SharedLibraryCore.Database.Models;
|
|
||||||
using SharedLibraryCore.Dtos.Meta.Responses;
|
|
||||||
using SharedLibraryCore.Interfaces;
|
|
||||||
using SharedLibraryCore.QueryHelper;
|
|
||||||
using System;
|
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
using Microsoft.Extensions.Logging;
|
|
||||||
using ILogger = Microsoft.Extensions.Logging.ILogger;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.Meta
|
|
||||||
{
|
|
||||||
public class MetaRegistration : IMetaRegistration
|
|
||||||
{
|
|
||||||
private readonly ILogger _logger;
|
|
||||||
private ITranslationLookup _transLookup;
|
|
||||||
private readonly IMetaService _metaService;
|
|
||||||
private readonly IEntityService<EFClient> _clientEntityService;
|
|
||||||
private readonly IResourceQueryHelper<ClientPaginationRequest, ReceivedPenaltyResponse> _receivedPenaltyHelper;
|
|
||||||
private readonly IResourceQueryHelper<ClientPaginationRequest, AdministeredPenaltyResponse> _administeredPenaltyHelper;
|
|
||||||
private readonly IResourceQueryHelper<ClientPaginationRequest, UpdatedAliasResponse> _updatedAliasHelper;
|
|
||||||
private readonly IResourceQueryHelper<ClientPaginationRequest, ConnectionHistoryResponse>
|
|
||||||
_connectionHistoryHelper;
|
|
||||||
|
|
||||||
public MetaRegistration(ILogger<MetaRegistration> logger, IMetaService metaService, ITranslationLookup transLookup, IEntityService<EFClient> clientEntityService,
|
|
||||||
IResourceQueryHelper<ClientPaginationRequest, ReceivedPenaltyResponse> receivedPenaltyHelper,
|
|
||||||
IResourceQueryHelper<ClientPaginationRequest, AdministeredPenaltyResponse> administeredPenaltyHelper,
|
|
||||||
IResourceQueryHelper<ClientPaginationRequest, UpdatedAliasResponse> updatedAliasHelper,
|
|
||||||
IResourceQueryHelper<ClientPaginationRequest, ConnectionHistoryResponse> connectionHistoryHelper)
|
|
||||||
{
|
|
||||||
_logger = logger;
|
|
||||||
_transLookup = transLookup;
|
|
||||||
_metaService = metaService;
|
|
||||||
_clientEntityService = clientEntityService;
|
|
||||||
_receivedPenaltyHelper = receivedPenaltyHelper;
|
|
||||||
_administeredPenaltyHelper = administeredPenaltyHelper;
|
|
||||||
_updatedAliasHelper = updatedAliasHelper;
|
|
||||||
_connectionHistoryHelper = connectionHistoryHelper;
|
|
||||||
}
|
|
||||||
|
|
||||||
public void Register()
|
|
||||||
{
|
|
||||||
_metaService.AddRuntimeMeta<ClientPaginationRequest, InformationResponse>(MetaType.Information, GetProfileMeta);
|
|
||||||
_metaService.AddRuntimeMeta<ClientPaginationRequest, ReceivedPenaltyResponse>(MetaType.ReceivedPenalty, GetReceivedPenaltiesMeta);
|
|
||||||
_metaService.AddRuntimeMeta<ClientPaginationRequest, AdministeredPenaltyResponse>(MetaType.Penalized, GetAdministeredPenaltiesMeta);
|
|
||||||
_metaService.AddRuntimeMeta<ClientPaginationRequest, UpdatedAliasResponse>(MetaType.AliasUpdate, GetUpdatedAliasMeta);
|
|
||||||
_metaService.AddRuntimeMeta<ClientPaginationRequest, ConnectionHistoryResponse>(MetaType.ConnectionHistory, GetConnectionHistoryMeta);
|
|
||||||
}
|
|
||||||
|
|
||||||
private async Task<IEnumerable<InformationResponse>> GetProfileMeta(ClientPaginationRequest request)
|
|
||||||
{
|
|
||||||
var metaList = new List<InformationResponse>();
|
|
||||||
var lastMapMeta = await _metaService.GetPersistentMeta("LastMapPlayed", new EFClient() { ClientId = request.ClientId });
|
|
||||||
|
|
||||||
if (lastMapMeta != null)
|
|
||||||
{
|
|
||||||
metaList.Add(new InformationResponse()
|
|
||||||
{
|
|
||||||
ClientId = request.ClientId,
|
|
||||||
MetaId = lastMapMeta.MetaId,
|
|
||||||
Key = Utilities.CurrentLocalization.LocalizationIndex["WEBFRONT_CLIENT_META_LAST_MAP"],
|
|
||||||
Value = lastMapMeta.Value,
|
|
||||||
ShouldDisplay = true,
|
|
||||||
Type = MetaType.Information,
|
|
||||||
Column = 1,
|
|
||||||
Order = 6
|
|
||||||
});
|
|
||||||
}
|
|
||||||
|
|
||||||
var lastServerMeta = await _metaService.GetPersistentMeta("LastServerPlayed", new EFClient() { ClientId = request.ClientId });
|
|
||||||
|
|
||||||
if (lastServerMeta != null)
|
|
||||||
{
|
|
||||||
metaList.Add(new InformationResponse()
|
|
||||||
{
|
|
||||||
ClientId = request.ClientId,
|
|
||||||
MetaId = lastServerMeta.MetaId,
|
|
||||||
Key = Utilities.CurrentLocalization.LocalizationIndex["WEBFRONT_CLIENT_META_LAST_SERVER"],
|
|
||||||
Value = lastServerMeta.Value,
|
|
||||||
ShouldDisplay = true,
|
|
||||||
Type = MetaType.Information,
|
|
||||||
Column = 0,
|
|
||||||
Order = 6
|
|
||||||
});
|
|
||||||
}
|
|
||||||
|
|
||||||
var client = await _clientEntityService.Get(request.ClientId);
|
|
||||||
|
|
||||||
if (client == null)
|
|
||||||
{
|
|
||||||
_logger.LogWarning("No client found with id {clientId} when generating profile meta", request.ClientId);
|
|
||||||
return metaList;
|
|
||||||
}
|
|
||||||
|
|
||||||
metaList.Add(new InformationResponse()
|
|
||||||
{
|
|
||||||
ClientId = client.ClientId,
|
|
||||||
Key = _transLookup["WEBFRONT_PROFILE_META_PLAY_TIME"],
|
|
||||||
Value = TimeSpan.FromHours(client.TotalConnectionTime / 3600.0).HumanizeForCurrentCulture(),
|
|
||||||
ShouldDisplay = true,
|
|
||||||
Column = 1,
|
|
||||||
Order = 0,
|
|
||||||
Type = MetaType.Information
|
|
||||||
});
|
|
||||||
|
|
||||||
metaList.Add(new InformationResponse()
|
|
||||||
{
|
|
||||||
ClientId = client.ClientId,
|
|
||||||
Key = _transLookup["WEBFRONT_PROFILE_META_FIRST_SEEN"],
|
|
||||||
Value = (DateTime.UtcNow - client.FirstConnection).HumanizeForCurrentCulture(),
|
|
||||||
ShouldDisplay = true,
|
|
||||||
Column = 1,
|
|
||||||
Order = 1,
|
|
||||||
Type = MetaType.Information
|
|
||||||
});
|
|
||||||
|
|
||||||
metaList.Add(new InformationResponse()
|
|
||||||
{
|
|
||||||
ClientId = client.ClientId,
|
|
||||||
Key = _transLookup["WEBFRONT_PROFILE_META_LAST_SEEN"],
|
|
||||||
Value = (DateTime.UtcNow - client.LastConnection).HumanizeForCurrentCulture(),
|
|
||||||
ShouldDisplay = true,
|
|
||||||
Column = 1,
|
|
||||||
Order = 2,
|
|
||||||
Type = MetaType.Information
|
|
||||||
});
|
|
||||||
|
|
||||||
metaList.Add(new InformationResponse()
|
|
||||||
{
|
|
||||||
ClientId = client.ClientId,
|
|
||||||
Key = Utilities.CurrentLocalization.LocalizationIndex["WEBFRONT_CLIENT_META_CONNECTIONS"],
|
|
||||||
Value = client.Connections.ToString("#,##0", new System.Globalization.CultureInfo(Utilities.CurrentLocalization.LocalizationName)),
|
|
||||||
ShouldDisplay = true,
|
|
||||||
Column = 1,
|
|
||||||
Order = 3,
|
|
||||||
Type = MetaType.Information
|
|
||||||
});
|
|
||||||
|
|
||||||
metaList.Add(new InformationResponse()
|
|
||||||
{
|
|
||||||
ClientId = client.ClientId,
|
|
||||||
Key = Utilities.CurrentLocalization.LocalizationIndex["WEBFRONT_CLIENT_META_MASKED"],
|
|
||||||
Value = client.Masked ? Utilities.CurrentLocalization.LocalizationIndex["WEBFRONT_CLIENT_META_TRUE"] : Utilities.CurrentLocalization.LocalizationIndex["WEBFRONT_CLIENT_META_FALSE"],
|
|
||||||
IsSensitive = true,
|
|
||||||
Column = 1,
|
|
||||||
Order = 4,
|
|
||||||
Type = MetaType.Information
|
|
||||||
});
|
|
||||||
|
|
||||||
return metaList;
|
|
||||||
}
|
|
||||||
|
|
||||||
private async Task<IEnumerable<ReceivedPenaltyResponse>> GetReceivedPenaltiesMeta(ClientPaginationRequest request)
|
|
||||||
{
|
|
||||||
var penalties = await _receivedPenaltyHelper.QueryResource(request);
|
|
||||||
return penalties.Results;
|
|
||||||
}
|
|
||||||
|
|
||||||
private async Task<IEnumerable<AdministeredPenaltyResponse>> GetAdministeredPenaltiesMeta(ClientPaginationRequest request)
|
|
||||||
{
|
|
||||||
var penalties = await _administeredPenaltyHelper.QueryResource(request);
|
|
||||||
return penalties.Results;
|
|
||||||
}
|
|
||||||
|
|
||||||
private async Task<IEnumerable<UpdatedAliasResponse>> GetUpdatedAliasMeta(ClientPaginationRequest request)
|
|
||||||
{
|
|
||||||
var aliases = await _updatedAliasHelper.QueryResource(request);
|
|
||||||
return aliases.Results;
|
|
||||||
}
|
|
||||||
|
|
||||||
private async Task<IEnumerable<ConnectionHistoryResponse>> GetConnectionHistoryMeta(ClientPaginationRequest request)
|
|
||||||
{
|
|
||||||
var connections = await _connectionHistoryHelper.QueryResource(request);
|
|
||||||
return connections.Results;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,104 +0,0 @@
|
|||||||
using System.Collections.Generic;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
using Data.Abstractions;
|
|
||||||
using Data.Models;
|
|
||||||
using Microsoft.EntityFrameworkCore;
|
|
||||||
using Microsoft.Extensions.Logging;
|
|
||||||
using SharedLibraryCore;
|
|
||||||
using SharedLibraryCore.Configuration;
|
|
||||||
using SharedLibraryCore.Dtos.Meta.Responses;
|
|
||||||
using SharedLibraryCore.Helpers;
|
|
||||||
using SharedLibraryCore.Interfaces;
|
|
||||||
using SharedLibraryCore.QueryHelper;
|
|
||||||
using ILogger = Microsoft.Extensions.Logging.ILogger;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.Meta
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// implementation of IResourceQueryHelper
|
|
||||||
/// used to pull in penalties applied to a given client id
|
|
||||||
/// </summary>
|
|
||||||
public class ReceivedPenaltyResourceQueryHelper : IResourceQueryHelper<ClientPaginationRequest, ReceivedPenaltyResponse>
|
|
||||||
{
|
|
||||||
private readonly ILogger _logger;
|
|
||||||
private readonly IDatabaseContextFactory _contextFactory;
|
|
||||||
private readonly ApplicationConfiguration _appConfig;
|
|
||||||
|
|
||||||
public ReceivedPenaltyResourceQueryHelper(ILogger<ReceivedPenaltyResourceQueryHelper> logger,
|
|
||||||
IDatabaseContextFactory contextFactory, ApplicationConfiguration appConfig)
|
|
||||||
{
|
|
||||||
_contextFactory = contextFactory;
|
|
||||||
_logger = logger;
|
|
||||||
_appConfig = appConfig;
|
|
||||||
}
|
|
||||||
|
|
||||||
public async Task<ResourceQueryHelperResult<ReceivedPenaltyResponse>> QueryResource(ClientPaginationRequest query)
|
|
||||||
{
|
|
||||||
var linkedPenaltyType = Utilities.LinkedPenaltyTypes();
|
|
||||||
await using var ctx = _contextFactory.CreateContext(enableTracking: false);
|
|
||||||
|
|
||||||
var linkId = await ctx.Clients.AsNoTracking()
|
|
||||||
.Where(_client => _client.ClientId == query.ClientId)
|
|
||||||
.Select(_client => new {_client.AliasLinkId, _client.CurrentAliasId })
|
|
||||||
.FirstOrDefaultAsync();
|
|
||||||
|
|
||||||
var iqPenalties = ctx.Penalties.AsNoTracking()
|
|
||||||
.Where(_penalty => _penalty.OffenderId == query.ClientId ||
|
|
||||||
linkedPenaltyType.Contains(_penalty.Type) && _penalty.LinkId == linkId.AliasLinkId);
|
|
||||||
|
|
||||||
IQueryable<EFPenalty> iqIpLinkedPenalties = null;
|
|
||||||
|
|
||||||
if (!_appConfig.EnableImplicitAccountLinking)
|
|
||||||
{
|
|
||||||
var usedIps = await ctx.Aliases.AsNoTracking()
|
|
||||||
.Where(alias => (alias.LinkId == linkId.AliasLinkId || alias.AliasId == linkId.CurrentAliasId) && alias.IPAddress != null)
|
|
||||||
.Select(alias => alias.IPAddress).ToListAsync();
|
|
||||||
|
|
||||||
var aliasedIds = await ctx.Aliases.AsNoTracking().Where(alias => usedIps.Contains(alias.IPAddress))
|
|
||||||
.Select(alias => alias.LinkId)
|
|
||||||
.ToListAsync();
|
|
||||||
|
|
||||||
iqIpLinkedPenalties = ctx.Penalties.AsNoTracking()
|
|
||||||
.Where(penalty =>
|
|
||||||
linkedPenaltyType.Contains(penalty.Type) && aliasedIds.Contains(penalty.LinkId));
|
|
||||||
}
|
|
||||||
|
|
||||||
var iqAllPenalties = iqPenalties;
|
|
||||||
|
|
||||||
if (iqIpLinkedPenalties != null)
|
|
||||||
{
|
|
||||||
iqAllPenalties = iqPenalties.Union(iqIpLinkedPenalties);
|
|
||||||
}
|
|
||||||
|
|
||||||
var penalties = await iqAllPenalties
|
|
||||||
.Where(_penalty => _penalty.When < query.Before)
|
|
||||||
.OrderByDescending(_penalty => _penalty.When)
|
|
||||||
.Take(query.Count)
|
|
||||||
.Select(_penalty => new ReceivedPenaltyResponse()
|
|
||||||
{
|
|
||||||
PenaltyId = _penalty.PenaltyId,
|
|
||||||
ClientId = query.ClientId,
|
|
||||||
Offense = _penalty.Offense,
|
|
||||||
AutomatedOffense = _penalty.AutomatedOffense,
|
|
||||||
OffenderClientId = _penalty.OffenderId,
|
|
||||||
OffenderName = _penalty.Offender.CurrentAlias.Name,
|
|
||||||
PunisherClientId = _penalty.PunisherId,
|
|
||||||
PunisherName = _penalty.Punisher.CurrentAlias.Name,
|
|
||||||
PenaltyType = _penalty.Type,
|
|
||||||
When = _penalty.When,
|
|
||||||
ExpirationDate = _penalty.Expires,
|
|
||||||
IsLinked = _penalty.OffenderId != query.ClientId,
|
|
||||||
IsSensitive = _penalty.Type == EFPenalty.PenaltyType.Flag
|
|
||||||
})
|
|
||||||
.ToListAsync();
|
|
||||||
|
|
||||||
return new ResourceQueryHelperResult<ReceivedPenaltyResponse>
|
|
||||||
{
|
|
||||||
// todo: maybe actually count
|
|
||||||
RetrievedResultCount = penalties.Count,
|
|
||||||
Results = penalties
|
|
||||||
};
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,63 +0,0 @@
|
|||||||
using Microsoft.EntityFrameworkCore;
|
|
||||||
using SharedLibraryCore;
|
|
||||||
using SharedLibraryCore.Dtos.Meta.Responses;
|
|
||||||
using SharedLibraryCore.Helpers;
|
|
||||||
using SharedLibraryCore.Interfaces;
|
|
||||||
using SharedLibraryCore.QueryHelper;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
using Data.Abstractions;
|
|
||||||
using Microsoft.Extensions.Logging;
|
|
||||||
using ILogger = Microsoft.Extensions.Logging.ILogger;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.Meta
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// implementation if IResrouceQueryHerlp
|
|
||||||
/// used to pull alias changes for given client id
|
|
||||||
/// </summary>
|
|
||||||
public class UpdatedAliasResourceQueryHelper : IResourceQueryHelper<ClientPaginationRequest, UpdatedAliasResponse>
|
|
||||||
{
|
|
||||||
private readonly ILogger _logger;
|
|
||||||
private readonly IDatabaseContextFactory _contextFactory;
|
|
||||||
|
|
||||||
public UpdatedAliasResourceQueryHelper(ILogger<UpdatedAliasResourceQueryHelper> logger, IDatabaseContextFactory contextFactory)
|
|
||||||
{
|
|
||||||
_logger = logger;
|
|
||||||
_contextFactory = contextFactory;
|
|
||||||
}
|
|
||||||
|
|
||||||
public async Task<ResourceQueryHelperResult<UpdatedAliasResponse>> QueryResource(ClientPaginationRequest query)
|
|
||||||
{
|
|
||||||
await using var ctx = _contextFactory.CreateContext(enableTracking: false);
|
|
||||||
int linkId = ctx.Clients.First(_client => _client.ClientId == query.ClientId).AliasLinkId;
|
|
||||||
|
|
||||||
var iqAliasUpdates = ctx.Aliases
|
|
||||||
.Where(_alias => _alias.LinkId == linkId)
|
|
||||||
.Where(_alias => _alias.DateAdded < query.Before)
|
|
||||||
.Where(_alias => _alias.IPAddress != null)
|
|
||||||
.OrderByDescending(_alias => _alias.DateAdded)
|
|
||||||
.Select(_alias => new UpdatedAliasResponse
|
|
||||||
{
|
|
||||||
MetaId = _alias.AliasId,
|
|
||||||
Name = _alias.Name,
|
|
||||||
IPAddress = _alias.IPAddress.ConvertIPtoString(),
|
|
||||||
When = _alias.DateAdded,
|
|
||||||
Type = MetaType.AliasUpdate,
|
|
||||||
IsSensitive = true
|
|
||||||
});
|
|
||||||
|
|
||||||
var result = (await iqAliasUpdates
|
|
||||||
.Take(query.Count)
|
|
||||||
.ToListAsync())
|
|
||||||
.Distinct();
|
|
||||||
|
|
||||||
|
|
||||||
return new ResourceQueryHelperResult<UpdatedAliasResponse>
|
|
||||||
{
|
|
||||||
Results = result, // we can potentially have duplicates
|
|
||||||
RetrievedResultCount = result.Count()
|
|
||||||
};
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,104 +0,0 @@
|
|||||||
using SharedLibraryCore;
|
|
||||||
using System;
|
|
||||||
using System.IO;
|
|
||||||
using System.Linq;
|
|
||||||
using ILogger = Microsoft.Extensions.Logging.ILogger;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.Migration
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// helps facilitate the migration of configs from one version and or location
|
|
||||||
/// to another
|
|
||||||
/// </summary>
|
|
||||||
class ConfigurationMigration
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// ensures required directories are created
|
|
||||||
/// </summary>
|
|
||||||
public static void CheckDirectories()
|
|
||||||
{
|
|
||||||
if (!Directory.Exists(Path.Join(Utilities.OperatingDirectory, "Plugins")))
|
|
||||||
{
|
|
||||||
Directory.CreateDirectory(Path.Join(Utilities.OperatingDirectory, "Plugins"));
|
|
||||||
}
|
|
||||||
|
|
||||||
if (!Directory.Exists(Path.Join(Utilities.OperatingDirectory, "Database")))
|
|
||||||
{
|
|
||||||
Directory.CreateDirectory(Path.Join(Utilities.OperatingDirectory, "Database"));
|
|
||||||
}
|
|
||||||
|
|
||||||
if (!Directory.Exists(Path.Join(Utilities.OperatingDirectory, "Log")))
|
|
||||||
{
|
|
||||||
Directory.CreateDirectory(Path.Join(Utilities.OperatingDirectory, "Log"));
|
|
||||||
}
|
|
||||||
|
|
||||||
if (!Directory.Exists(Path.Join(Utilities.OperatingDirectory, "Localization")))
|
|
||||||
{
|
|
||||||
Directory.CreateDirectory(Path.Join(Utilities.OperatingDirectory, "Localization"));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// moves existing configs from the root folder into a configs folder
|
|
||||||
/// </summary>
|
|
||||||
public static void MoveConfigFolder10518(ILogger log)
|
|
||||||
{
|
|
||||||
string currentDirectory = Utilities.OperatingDirectory;
|
|
||||||
|
|
||||||
// we don't want to do this for migrations or tests where the
|
|
||||||
// property isn't initialized or it's wrong
|
|
||||||
if (currentDirectory != null)
|
|
||||||
{
|
|
||||||
string configDirectory = Path.Join(currentDirectory, "Configuration");
|
|
||||||
|
|
||||||
if (!Directory.Exists(configDirectory))
|
|
||||||
{
|
|
||||||
Directory.CreateDirectory(configDirectory);
|
|
||||||
}
|
|
||||||
|
|
||||||
var configurationFiles = Directory.EnumerateFiles(currentDirectory, "*.json")
|
|
||||||
.Select(f => f.Split(Path.DirectorySeparatorChar).Last())
|
|
||||||
.Where(f => f.Count(c => c == '.') == 1);
|
|
||||||
|
|
||||||
foreach (var configFile in configurationFiles)
|
|
||||||
{
|
|
||||||
string destinationPath = Path.Join("Configuration", configFile);
|
|
||||||
if (!File.Exists(destinationPath))
|
|
||||||
{
|
|
||||||
File.Move(configFile, destinationPath);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
if (!File.Exists(Path.Join("Database", "Database.db")) &&
|
|
||||||
File.Exists("Database.db"))
|
|
||||||
{
|
|
||||||
File.Move("Database.db", Path.Join("Database", "Database.db"));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
public static void ModifyLogPath020919(SharedLibraryCore.Configuration.ServerConfiguration config)
|
|
||||||
{
|
|
||||||
if (config.ManualLogPath.IsRemoteLog())
|
|
||||||
{
|
|
||||||
config.GameLogServerUrl = new Uri(config.ManualLogPath);
|
|
||||||
config.ManualLogPath = null;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
public static void RemoveObsoletePlugins20210322()
|
|
||||||
{
|
|
||||||
var files = new[] {"StatsWeb.dll", "StatsWeb.Views.dll"};
|
|
||||||
|
|
||||||
foreach (var file in files)
|
|
||||||
{
|
|
||||||
var path = Path.Join(Utilities.OperatingDirectory, "Plugins", file);
|
|
||||||
|
|
||||||
if (File.Exists(path))
|
|
||||||
{
|
|
||||||
File.Delete(path);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,23 +0,0 @@
|
|||||||
using System;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Threading;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
using Data.Abstractions;
|
|
||||||
using Data.Models.Client.Stats;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.Migration
|
|
||||||
{
|
|
||||||
public static class DatabaseHousekeeping
|
|
||||||
{
|
|
||||||
private static readonly DateTime CutoffDate = DateTime.UtcNow.AddMonths(-6);
|
|
||||||
|
|
||||||
public static async Task RemoveOldRatings(IDatabaseContextFactory contextFactory, CancellationToken token)
|
|
||||||
{
|
|
||||||
await using var context = contextFactory.CreateContext();
|
|
||||||
var dbSet = context.Set<EFRating>();
|
|
||||||
var itemsToDelete = dbSet.Where(rating => rating.When <= CutoffDate);
|
|
||||||
dbSet.RemoveRange(itemsToDelete);
|
|
||||||
await context.SaveChangesAsync(token);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,77 +0,0 @@
|
|||||||
using Newtonsoft.Json;
|
|
||||||
using SharedLibraryCore;
|
|
||||||
using SharedLibraryCore.Exceptions;
|
|
||||||
using SharedLibraryCore.Interfaces;
|
|
||||||
using System;
|
|
||||||
using System.IO;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.Misc
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// default implementation of IConfigurationHandler
|
|
||||||
/// </summary>
|
|
||||||
/// <typeparam name="T">base configuration type</typeparam>
|
|
||||||
public class BaseConfigurationHandler<T> : IConfigurationHandler<T> where T : IBaseConfiguration
|
|
||||||
{
|
|
||||||
T _configuration;
|
|
||||||
|
|
||||||
public BaseConfigurationHandler(string fn)
|
|
||||||
{
|
|
||||||
FileName = Path.Join(Utilities.OperatingDirectory, "Configuration", $"{fn}.json");
|
|
||||||
Build();
|
|
||||||
}
|
|
||||||
|
|
||||||
public BaseConfigurationHandler() : this(typeof(T).Name)
|
|
||||||
{
|
|
||||||
|
|
||||||
}
|
|
||||||
|
|
||||||
public string FileName { get; }
|
|
||||||
|
|
||||||
public void Build()
|
|
||||||
{
|
|
||||||
try
|
|
||||||
{
|
|
||||||
var configContent = File.ReadAllText(FileName);
|
|
||||||
_configuration = JsonConvert.DeserializeObject<T>(configContent);
|
|
||||||
}
|
|
||||||
|
|
||||||
catch (FileNotFoundException)
|
|
||||||
{
|
|
||||||
_configuration = default;
|
|
||||||
}
|
|
||||||
|
|
||||||
catch (Exception e)
|
|
||||||
{
|
|
||||||
throw new ConfigurationException("MANAGER_CONFIGURATION_ERROR")
|
|
||||||
{
|
|
||||||
Errors = new[] { e.Message },
|
|
||||||
ConfigurationFileName = FileName
|
|
||||||
};
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
public Task Save()
|
|
||||||
{
|
|
||||||
var settings = new JsonSerializerSettings()
|
|
||||||
{
|
|
||||||
Formatting = Formatting.Indented
|
|
||||||
};
|
|
||||||
settings.Converters.Add(new Newtonsoft.Json.Converters.StringEnumConverter());
|
|
||||||
|
|
||||||
var appConfigJSON = JsonConvert.SerializeObject(_configuration, settings);
|
|
||||||
return File.WriteAllTextAsync(FileName, appConfigJSON);
|
|
||||||
}
|
|
||||||
|
|
||||||
public T Configuration()
|
|
||||||
{
|
|
||||||
return _configuration;
|
|
||||||
}
|
|
||||||
|
|
||||||
public void Set(T config)
|
|
||||||
{
|
|
||||||
_configuration = config;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,120 +0,0 @@
|
|||||||
using System;
|
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Text;
|
|
||||||
using Data.Models;
|
|
||||||
using SharedLibraryCore;
|
|
||||||
using SharedLibraryCore.Configuration;
|
|
||||||
using SharedLibraryCore.Interfaces;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.Misc
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// implementation of IClientNoticeMessageFormatter
|
|
||||||
/// </summary>
|
|
||||||
public class ClientNoticeMessageFormatter : IClientNoticeMessageFormatter
|
|
||||||
{
|
|
||||||
private readonly ITranslationLookup _transLookup;
|
|
||||||
private readonly ApplicationConfiguration _appConfig;
|
|
||||||
|
|
||||||
public ClientNoticeMessageFormatter(ITranslationLookup transLookup, ApplicationConfiguration appConfig)
|
|
||||||
{
|
|
||||||
_transLookup = transLookup;
|
|
||||||
_appConfig = appConfig;
|
|
||||||
}
|
|
||||||
|
|
||||||
public string BuildFormattedMessage(IRConParserConfiguration config, EFPenalty currentPenalty, EFPenalty originalPenalty = null)
|
|
||||||
{
|
|
||||||
var isNewLineSeparator = config.NoticeLineSeparator == Environment.NewLine;
|
|
||||||
var penalty = originalPenalty ?? currentPenalty;
|
|
||||||
var builder = new StringBuilder();
|
|
||||||
// build the top level header
|
|
||||||
var header = _transLookup[$"SERVER_{penalty.Type.ToString().ToUpper()}_TEXT"];
|
|
||||||
builder.Append(header);
|
|
||||||
builder.Append(config.NoticeLineSeparator);
|
|
||||||
// build the reason
|
|
||||||
var reason = _transLookup["GAME_MESSAGE_PENALTY_REASON"].FormatExt(penalty.Offense);
|
|
||||||
|
|
||||||
if (isNewLineSeparator)
|
|
||||||
{
|
|
||||||
foreach (var splitReason in SplitOverMaxLength(reason, config.NoticeMaxCharactersPerLine))
|
|
||||||
{
|
|
||||||
builder.Append(splitReason);
|
|
||||||
builder.Append(config.NoticeLineSeparator);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
else
|
|
||||||
{
|
|
||||||
builder.Append(reason);
|
|
||||||
builder.Append(config.NoticeLineSeparator);
|
|
||||||
}
|
|
||||||
|
|
||||||
if (penalty.Type == EFPenalty.PenaltyType.TempBan)
|
|
||||||
{
|
|
||||||
// build the time remaining if temporary
|
|
||||||
var timeRemainingValue = penalty.Expires.HasValue
|
|
||||||
? (penalty.Expires - DateTime.UtcNow).Value.HumanizeForCurrentCulture()
|
|
||||||
: "--";
|
|
||||||
var timeRemaining = _transLookup["GAME_MESSAGE_PENALTY_TIME_REMAINING"].FormatExt(timeRemainingValue);
|
|
||||||
|
|
||||||
if (isNewLineSeparator)
|
|
||||||
{
|
|
||||||
foreach (var splitReason in SplitOverMaxLength(timeRemaining, config.NoticeMaxCharactersPerLine))
|
|
||||||
{
|
|
||||||
builder.Append(splitReason);
|
|
||||||
builder.Append(config.NoticeLineSeparator);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
else
|
|
||||||
{
|
|
||||||
builder.Append(timeRemaining);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
if (penalty.Type == EFPenalty.PenaltyType.Ban)
|
|
||||||
{
|
|
||||||
// provide a place to appeal the ban (should always be specified but including a placeholder just incase)
|
|
||||||
builder.Append(_transLookup["GAME_MESSAGE_PENALTY_APPEAL"].FormatExt(_appConfig.ContactUri ?? "--"));
|
|
||||||
}
|
|
||||||
|
|
||||||
// final format looks something like:
|
|
||||||
/*
|
|
||||||
* You are permanently banned
|
|
||||||
* Reason - toxic behavior
|
|
||||||
* Visit example.com to appeal
|
|
||||||
*/
|
|
||||||
|
|
||||||
return builder.ToString();
|
|
||||||
}
|
|
||||||
|
|
||||||
private static IEnumerable<string> SplitOverMaxLength(string source, int maxCharactersPerLine)
|
|
||||||
{
|
|
||||||
if (source.Length <= maxCharactersPerLine)
|
|
||||||
{
|
|
||||||
return new[] {source};
|
|
||||||
}
|
|
||||||
|
|
||||||
var segments = new List<string>();
|
|
||||||
var currentLocation = 0;
|
|
||||||
while (currentLocation < source.Length)
|
|
||||||
{
|
|
||||||
var nextLocation = currentLocation + maxCharactersPerLine;
|
|
||||||
// there's probably a more efficient way to do this but this is readable
|
|
||||||
segments.Add(string.Concat(
|
|
||||||
source
|
|
||||||
.Skip(currentLocation)
|
|
||||||
.Take(Math.Min(maxCharactersPerLine, source.Length - currentLocation))));
|
|
||||||
currentLocation = nextLocation;
|
|
||||||
}
|
|
||||||
|
|
||||||
if (currentLocation < source.Length)
|
|
||||||
{
|
|
||||||
segments.Add(source.Substring(currentLocation, source.Length - currentLocation));
|
|
||||||
}
|
|
||||||
|
|
||||||
return segments;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,27 +0,0 @@
|
|||||||
using Newtonsoft.Json;
|
|
||||||
using SharedLibraryCore;
|
|
||||||
using System;
|
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.Text;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.Misc
|
|
||||||
{
|
|
||||||
public class EventLog : Dictionary<long, IList<GameEvent>>
|
|
||||||
{
|
|
||||||
private static JsonSerializerSettings serializationSettings;
|
|
||||||
|
|
||||||
public static JsonSerializerSettings BuildVcrSerializationSettings()
|
|
||||||
{
|
|
||||||
if (serializationSettings == null)
|
|
||||||
{
|
|
||||||
serializationSettings = new JsonSerializerSettings() { Formatting = Formatting.Indented, ReferenceLoopHandling = ReferenceLoopHandling.Ignore };
|
|
||||||
serializationSettings.Converters.Add(new IPAddressConverter());
|
|
||||||
serializationSettings.Converters.Add(new IPEndPointConverter());
|
|
||||||
serializationSettings.Converters.Add(new GameEventConverter());
|
|
||||||
serializationSettings.Converters.Add(new ClientEntityConverter());
|
|
||||||
}
|
|
||||||
|
|
||||||
return serializationSettings;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,44 +0,0 @@
|
|||||||
using System;
|
|
||||||
using Microsoft.Extensions.Logging;
|
|
||||||
using SharedLibraryCore;
|
|
||||||
using SharedLibraryCore.Interfaces;
|
|
||||||
using ILogger = Microsoft.Extensions.Logging.ILogger;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.Misc
|
|
||||||
{
|
|
||||||
public class EventPublisher : IEventPublisher
|
|
||||||
{
|
|
||||||
public event EventHandler<GameEvent> OnClientDisconnect;
|
|
||||||
public event EventHandler<GameEvent> OnClientConnect;
|
|
||||||
|
|
||||||
private readonly ILogger _logger;
|
|
||||||
|
|
||||||
public EventPublisher(ILogger<EventPublisher> logger)
|
|
||||||
{
|
|
||||||
_logger = logger;
|
|
||||||
}
|
|
||||||
|
|
||||||
public void Publish(GameEvent gameEvent)
|
|
||||||
{
|
|
||||||
_logger.LogDebug("Handling publishing event of type {EventType}", gameEvent.Type);
|
|
||||||
|
|
||||||
try
|
|
||||||
{
|
|
||||||
if (gameEvent.Type == GameEvent.EventType.Connect)
|
|
||||||
{
|
|
||||||
OnClientConnect?.Invoke(this, gameEvent);
|
|
||||||
}
|
|
||||||
|
|
||||||
if (gameEvent.Type == GameEvent.EventType.Disconnect)
|
|
||||||
{
|
|
||||||
OnClientDisconnect?.Invoke(this, gameEvent);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
catch (Exception ex)
|
|
||||||
{
|
|
||||||
_logger.LogError(ex, "Could not publish event of type {EventType}", gameEvent.Type);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,57 +0,0 @@
|
|||||||
using System.Runtime.InteropServices;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.Misc
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// dto class for handling log path generation
|
|
||||||
/// </summary>
|
|
||||||
public class LogPathGeneratorInfo
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// directory under the paths where data comes from by default
|
|
||||||
/// <remarks>fs_basegame</remarks>
|
|
||||||
/// </summary>
|
|
||||||
public string BaseGameDirectory { get; set; } = "";
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// base game root path
|
|
||||||
/// <remarks>fs_basepath</remarks>
|
|
||||||
/// </summary>
|
|
||||||
public string BasePathDirectory { get; set; } = "";
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// directory for local storage
|
|
||||||
/// <remarks>fs_homepath</remarks>
|
|
||||||
/// </summary>
|
|
||||||
public string HomePathDirectory { get; set; } = "";
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// overide game directory
|
|
||||||
/// <remarks>plugin driven</remarks>
|
|
||||||
/// </summary>
|
|
||||||
public string GameDirectory { get; set; } = "";
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// game director
|
|
||||||
/// <remarks>fs_game</remarks>
|
|
||||||
/// </summary>
|
|
||||||
public string ModDirectory { get; set; } = "";
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// log file name
|
|
||||||
/// <remarks>g_log</remarks>
|
|
||||||
/// </summary>
|
|
||||||
public string LogFile { get; set; } = "";
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// indicates if running on windows
|
|
||||||
/// </summary>
|
|
||||||
public bool IsWindows { get; set; } = true;
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// indicates that the game does not log to the mods folder (when mod is loaded),
|
|
||||||
/// but rather always to the fs_basegame directory
|
|
||||||
/// </summary>
|
|
||||||
public bool IsOneLog { get; set; }
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,47 +0,0 @@
|
|||||||
using System;
|
|
||||||
using Microsoft.Extensions.Logging;
|
|
||||||
using ILogger = SharedLibraryCore.Interfaces.ILogger;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application
|
|
||||||
{
|
|
||||||
[Obsolete]
|
|
||||||
public class Logger : ILogger
|
|
||||||
{
|
|
||||||
private readonly Microsoft.Extensions.Logging.ILogger _logger;
|
|
||||||
|
|
||||||
public Logger(ILogger<Logger> logger)
|
|
||||||
{
|
|
||||||
_logger = logger;
|
|
||||||
}
|
|
||||||
|
|
||||||
public void WriteVerbose(string msg)
|
|
||||||
{
|
|
||||||
_logger.LogInformation(msg);
|
|
||||||
}
|
|
||||||
|
|
||||||
public void WriteDebug(string msg)
|
|
||||||
{
|
|
||||||
_logger.LogDebug(msg);
|
|
||||||
}
|
|
||||||
|
|
||||||
public void WriteError(string msg)
|
|
||||||
{
|
|
||||||
_logger.LogError(msg);
|
|
||||||
}
|
|
||||||
|
|
||||||
public void WriteInfo(string msg)
|
|
||||||
{
|
|
||||||
WriteVerbose(msg);
|
|
||||||
}
|
|
||||||
|
|
||||||
public void WriteWarning(string msg)
|
|
||||||
{
|
|
||||||
_logger.LogWarning(msg);
|
|
||||||
}
|
|
||||||
|
|
||||||
public void WriteAssert(bool condition, string msg)
|
|
||||||
{
|
|
||||||
throw new NotImplementedException();
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,205 +0,0 @@
|
|||||||
using IW4MAdmin.Application.API.Master;
|
|
||||||
using RestEase;
|
|
||||||
using SharedLibraryCore;
|
|
||||||
using SharedLibraryCore.Configuration;
|
|
||||||
using SharedLibraryCore.Helpers;
|
|
||||||
using SharedLibraryCore.Interfaces;
|
|
||||||
using System;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Threading;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
using Microsoft.Extensions.Logging;
|
|
||||||
using ILogger = Microsoft.Extensions.Logging.ILogger;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.Misc
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// implementation of IMasterCommunication
|
|
||||||
/// talks to the master server
|
|
||||||
/// </summary>
|
|
||||||
class MasterCommunication : IMasterCommunication
|
|
||||||
{
|
|
||||||
private readonly ILogger _logger;
|
|
||||||
private readonly ITranslationLookup _transLookup;
|
|
||||||
private readonly IMasterApi _apiInstance;
|
|
||||||
private readonly IManager _manager;
|
|
||||||
private readonly ApplicationConfiguration _appConfig;
|
|
||||||
private readonly BuildNumber _fallbackVersion = BuildNumber.Parse("99.99.99.99");
|
|
||||||
private readonly int _apiVersion = 1;
|
|
||||||
private bool firstHeartBeat = true;
|
|
||||||
|
|
||||||
public MasterCommunication(ILogger<MasterCommunication> logger, ApplicationConfiguration appConfig, ITranslationLookup translationLookup, IMasterApi apiInstance, IManager manager)
|
|
||||||
{
|
|
||||||
_logger = logger;
|
|
||||||
_transLookup = translationLookup;
|
|
||||||
_apiInstance = apiInstance;
|
|
||||||
_appConfig = appConfig;
|
|
||||||
_manager = manager;
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// checks for latest version of the application
|
|
||||||
/// notifies user if an update is available
|
|
||||||
/// </summary>
|
|
||||||
/// <returns></returns>
|
|
||||||
public async Task CheckVersion()
|
|
||||||
{
|
|
||||||
var version = new VersionInfo()
|
|
||||||
{
|
|
||||||
CurrentVersionStable = _fallbackVersion
|
|
||||||
};
|
|
||||||
|
|
||||||
try
|
|
||||||
{
|
|
||||||
version = await _apiInstance.GetVersion(_apiVersion);
|
|
||||||
}
|
|
||||||
|
|
||||||
catch (Exception e)
|
|
||||||
{
|
|
||||||
_logger.LogWarning(e, "Unable to retrieve IW4MAdmin version information");
|
|
||||||
}
|
|
||||||
|
|
||||||
if (version.CurrentVersionStable == _fallbackVersion)
|
|
||||||
{
|
|
||||||
Console.ForegroundColor = ConsoleColor.Red;
|
|
||||||
Console.WriteLine(_transLookup["MANAGER_VERSION_FAIL"]);
|
|
||||||
Console.ForegroundColor = ConsoleColor.Gray;
|
|
||||||
}
|
|
||||||
|
|
||||||
#if !PRERELEASE
|
|
||||||
else if (version.CurrentVersionStable > Program.Version)
|
|
||||||
{
|
|
||||||
Console.ForegroundColor = ConsoleColor.DarkYellow;
|
|
||||||
Console.WriteLine($"IW4MAdmin {_transLookup["MANAGER_VERSION_UPDATE"]} [v{version.CurrentVersionStable.ToString()}]");
|
|
||||||
Console.WriteLine(_transLookup["MANAGER_VERSION_CURRENT"].FormatExt($"[v{Program.Version.ToString()}]"));
|
|
||||||
Console.ForegroundColor = ConsoleColor.Gray;
|
|
||||||
}
|
|
||||||
#else
|
|
||||||
else if (version.CurrentVersionPrerelease > Program.Version)
|
|
||||||
{
|
|
||||||
Console.ForegroundColor = ConsoleColor.DarkYellow;
|
|
||||||
Console.WriteLine($"IW4MAdmin-Prerelease {_transLookup["MANAGER_VERSION_UPDATE"]} [v{version.CurrentVersionPrerelease.ToString()}-pr]");
|
|
||||||
Console.WriteLine(_transLookup["MANAGER_VERSION_CURRENT"].FormatExt($"[v{Program.Version.ToString()}-pr]"));
|
|
||||||
Console.ForegroundColor = ConsoleColor.Gray;
|
|
||||||
}
|
|
||||||
#endif
|
|
||||||
else
|
|
||||||
{
|
|
||||||
Console.ForegroundColor = ConsoleColor.Green;
|
|
||||||
Console.WriteLine(_transLookup["MANAGER_VERSION_SUCCESS"]);
|
|
||||||
Console.ForegroundColor = ConsoleColor.Gray;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
public async Task RunUploadStatus(CancellationToken token)
|
|
||||||
{
|
|
||||||
// todo: clean up this logic
|
|
||||||
bool connected;
|
|
||||||
|
|
||||||
while (!token.IsCancellationRequested)
|
|
||||||
{
|
|
||||||
try
|
|
||||||
{
|
|
||||||
await UploadStatus();
|
|
||||||
}
|
|
||||||
|
|
||||||
catch (System.Net.Http.HttpRequestException e)
|
|
||||||
{
|
|
||||||
_logger.LogWarning(e, "Could not send heartbeat");
|
|
||||||
}
|
|
||||||
|
|
||||||
catch (AggregateException e)
|
|
||||||
{
|
|
||||||
_logger.LogWarning(e, "Could not send heartbeat");
|
|
||||||
var exceptions = e.InnerExceptions.Where(ex => ex.GetType() == typeof(ApiException));
|
|
||||||
|
|
||||||
foreach (var ex in exceptions)
|
|
||||||
{
|
|
||||||
if (((ApiException)ex).StatusCode == System.Net.HttpStatusCode.Unauthorized)
|
|
||||||
{
|
|
||||||
connected = false;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
catch (ApiException e)
|
|
||||||
{
|
|
||||||
_logger.LogWarning(e, "Could not send heartbeat");
|
|
||||||
if (e.StatusCode == System.Net.HttpStatusCode.Unauthorized)
|
|
||||||
{
|
|
||||||
connected = false;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
catch (Exception e)
|
|
||||||
{
|
|
||||||
_logger.LogWarning(e, "Could not send heartbeat");
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
try
|
|
||||||
{
|
|
||||||
await Task.Delay(30000, token);
|
|
||||||
}
|
|
||||||
|
|
||||||
catch
|
|
||||||
{
|
|
||||||
break;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
private async Task UploadStatus()
|
|
||||||
{
|
|
||||||
if (firstHeartBeat)
|
|
||||||
{
|
|
||||||
var token = await _apiInstance.Authenticate(new AuthenticationId
|
|
||||||
{
|
|
||||||
Id = _appConfig.Id
|
|
||||||
});
|
|
||||||
|
|
||||||
_apiInstance.AuthorizationToken = $"Bearer {token.AccessToken}";
|
|
||||||
}
|
|
||||||
|
|
||||||
var instance = new ApiInstance
|
|
||||||
{
|
|
||||||
Id = _appConfig.Id,
|
|
||||||
Uptime = (int)(DateTime.UtcNow - (_manager as ApplicationManager).StartTime).TotalSeconds,
|
|
||||||
Version = Program.Version,
|
|
||||||
Servers = _manager.GetServers().Select(s =>
|
|
||||||
new ApiServer()
|
|
||||||
{
|
|
||||||
ClientNum = s.ClientNum,
|
|
||||||
Game = s.GameName.ToString(),
|
|
||||||
Version = s.Version,
|
|
||||||
Gametype = s.Gametype,
|
|
||||||
Hostname = s.Hostname,
|
|
||||||
Map = s.CurrentMap.Name,
|
|
||||||
MaxClientNum = s.MaxClients,
|
|
||||||
Id = s.EndPoint,
|
|
||||||
Port = (short)s.Port,
|
|
||||||
IPAddress = s.IP
|
|
||||||
}).ToList(),
|
|
||||||
WebfrontUrl = _appConfig.WebfrontUrl
|
|
||||||
};
|
|
||||||
|
|
||||||
Response<ResultMessage> response = null;
|
|
||||||
|
|
||||||
if (firstHeartBeat)
|
|
||||||
{
|
|
||||||
response = await _apiInstance.AddInstance(instance);
|
|
||||||
}
|
|
||||||
|
|
||||||
else
|
|
||||||
{
|
|
||||||
response = await _apiInstance.UpdateInstance(instance.Id, instance);
|
|
||||||
firstHeartBeat = false;
|
|
||||||
}
|
|
||||||
|
|
||||||
if (response.ResponseMessage.StatusCode != System.Net.HttpStatusCode.OK)
|
|
||||||
{
|
|
||||||
_logger.LogWarning("Non success response code from master is {statusCode}, message is {message}", response.ResponseMessage.StatusCode, response.StringContent);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,300 +0,0 @@
|
|||||||
using Microsoft.EntityFrameworkCore;
|
|
||||||
using SharedLibraryCore.Database.Models;
|
|
||||||
using SharedLibraryCore.Dtos;
|
|
||||||
using SharedLibraryCore.Interfaces;
|
|
||||||
using SharedLibraryCore.QueryHelper;
|
|
||||||
using System;
|
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
using Data.Abstractions;
|
|
||||||
using Microsoft.Extensions.Logging;
|
|
||||||
using ILogger = Microsoft.Extensions.Logging.ILogger;
|
|
||||||
using Data.Models;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.Misc
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// implementation of IMetaService
|
|
||||||
/// used to add and retrieve runtime and persistent meta
|
|
||||||
/// </summary>
|
|
||||||
public class MetaService : IMetaService
|
|
||||||
{
|
|
||||||
private readonly IDictionary<MetaType, List<dynamic>> _metaActions;
|
|
||||||
private readonly IDatabaseContextFactory _contextFactory;
|
|
||||||
private readonly ILogger _logger;
|
|
||||||
|
|
||||||
public MetaService(ILogger<MetaService> logger, IDatabaseContextFactory contextFactory)
|
|
||||||
{
|
|
||||||
_logger = logger;
|
|
||||||
_metaActions = new Dictionary<MetaType, List<dynamic>>();
|
|
||||||
_contextFactory = contextFactory;
|
|
||||||
}
|
|
||||||
|
|
||||||
public async Task AddPersistentMeta(string metaKey, string metaValue, EFClient client, EFMeta linkedMeta = null)
|
|
||||||
{
|
|
||||||
// this seems to happen if the client disconnects before they've had time to authenticate and be added
|
|
||||||
if (client.ClientId < 1)
|
|
||||||
{
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
await using var ctx = _contextFactory.CreateContext();
|
|
||||||
|
|
||||||
var existingMeta = await ctx.EFMeta
|
|
||||||
.Where(_meta => _meta.Key == metaKey)
|
|
||||||
.Where(_meta => _meta.ClientId == client.ClientId)
|
|
||||||
.FirstOrDefaultAsync();
|
|
||||||
|
|
||||||
if (existingMeta != null)
|
|
||||||
{
|
|
||||||
existingMeta.Value = metaValue;
|
|
||||||
existingMeta.Updated = DateTime.UtcNow;
|
|
||||||
existingMeta.LinkedMetaId = linkedMeta?.MetaId;
|
|
||||||
}
|
|
||||||
|
|
||||||
else
|
|
||||||
{
|
|
||||||
ctx.EFMeta.Add(new EFMeta()
|
|
||||||
{
|
|
||||||
ClientId = client.ClientId,
|
|
||||||
Created = DateTime.UtcNow,
|
|
||||||
Key = metaKey,
|
|
||||||
Value = metaValue,
|
|
||||||
LinkedMetaId = linkedMeta?.MetaId
|
|
||||||
});
|
|
||||||
}
|
|
||||||
|
|
||||||
await ctx.SaveChangesAsync();
|
|
||||||
}
|
|
||||||
|
|
||||||
public async Task AddPersistentMeta(string metaKey, string metaValue)
|
|
||||||
{
|
|
||||||
await using var ctx = _contextFactory.CreateContext();
|
|
||||||
|
|
||||||
var existingMeta = await ctx.EFMeta
|
|
||||||
.Where(meta => meta.Key == metaKey)
|
|
||||||
.Where(meta => meta.ClientId == null)
|
|
||||||
.ToListAsync();
|
|
||||||
|
|
||||||
var matchValues = existingMeta
|
|
||||||
.Where(meta => meta.Value == metaValue)
|
|
||||||
.ToArray();
|
|
||||||
|
|
||||||
if (matchValues.Any())
|
|
||||||
{
|
|
||||||
foreach (var meta in matchValues)
|
|
||||||
{
|
|
||||||
_logger.LogDebug("Updating existing meta with key {key} and id {id}", meta.Key, meta.MetaId);
|
|
||||||
meta.Value = metaValue;
|
|
||||||
meta.Updated = DateTime.UtcNow;
|
|
||||||
}
|
|
||||||
|
|
||||||
await ctx.SaveChangesAsync();
|
|
||||||
}
|
|
||||||
|
|
||||||
else
|
|
||||||
{
|
|
||||||
_logger.LogDebug("Adding new meta with key {key}", metaKey);
|
|
||||||
|
|
||||||
ctx.EFMeta.Add(new EFMeta()
|
|
||||||
{
|
|
||||||
Created = DateTime.UtcNow,
|
|
||||||
Key = metaKey,
|
|
||||||
Value = metaValue
|
|
||||||
});
|
|
||||||
|
|
||||||
await ctx.SaveChangesAsync();
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
public async Task RemovePersistentMeta(string metaKey, EFClient client)
|
|
||||||
{
|
|
||||||
await using var context = _contextFactory.CreateContext();
|
|
||||||
|
|
||||||
var existingMeta = await context.EFMeta
|
|
||||||
.FirstOrDefaultAsync(meta => meta.Key == metaKey && meta.ClientId == client.ClientId);
|
|
||||||
|
|
||||||
if (existingMeta == null)
|
|
||||||
{
|
|
||||||
_logger.LogDebug("No meta with key {key} found for client id {id}", metaKey, client.ClientId);
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
_logger.LogDebug("Removing meta for key {key} with id {id}", metaKey, existingMeta.MetaId);
|
|
||||||
context.EFMeta.Remove(existingMeta);
|
|
||||||
await context.SaveChangesAsync();
|
|
||||||
}
|
|
||||||
|
|
||||||
public async Task RemovePersistentMeta(string metaKey, string metaValue = null)
|
|
||||||
{
|
|
||||||
await using var context = _contextFactory.CreateContext(enableTracking: false);
|
|
||||||
var existingMeta = await context.EFMeta
|
|
||||||
.Where(meta => meta.Key == metaKey)
|
|
||||||
.Where(meta => meta.ClientId == null)
|
|
||||||
.ToListAsync();
|
|
||||||
|
|
||||||
if (metaValue == null)
|
|
||||||
{
|
|
||||||
_logger.LogDebug("Removing all meta for key {key} with ids [{ids}] ", metaKey, string.Join(", ", existingMeta.Select(meta => meta.MetaId)));
|
|
||||||
existingMeta.ForEach(meta => context.Remove(existingMeta));
|
|
||||||
await context.SaveChangesAsync();
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
var foundMeta = existingMeta.FirstOrDefault(meta => meta.Value == metaValue);
|
|
||||||
|
|
||||||
if (foundMeta != null)
|
|
||||||
{
|
|
||||||
_logger.LogDebug("Removing meta for key {key} with id {id}", metaKey, foundMeta.MetaId);
|
|
||||||
context.Remove(foundMeta);
|
|
||||||
await context.SaveChangesAsync();
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
public async Task<EFMeta> GetPersistentMeta(string metaKey, EFClient client)
|
|
||||||
{
|
|
||||||
await using var ctx = _contextFactory.CreateContext(enableTracking: false);
|
|
||||||
|
|
||||||
return await ctx.EFMeta
|
|
||||||
.Where(_meta => _meta.Key == metaKey)
|
|
||||||
.Where(_meta => _meta.ClientId == client.ClientId)
|
|
||||||
.Select(_meta => new EFMeta()
|
|
||||||
{
|
|
||||||
MetaId = _meta.MetaId,
|
|
||||||
Key = _meta.Key,
|
|
||||||
ClientId = _meta.ClientId,
|
|
||||||
Value = _meta.Value,
|
|
||||||
LinkedMetaId = _meta.LinkedMetaId,
|
|
||||||
LinkedMeta = _meta.LinkedMetaId != null ? new EFMeta()
|
|
||||||
{
|
|
||||||
MetaId = _meta.LinkedMeta.MetaId,
|
|
||||||
Key = _meta.LinkedMeta.Key,
|
|
||||||
Value = _meta.LinkedMeta.Value
|
|
||||||
} : null
|
|
||||||
})
|
|
||||||
.FirstOrDefaultAsync();
|
|
||||||
}
|
|
||||||
|
|
||||||
public async Task<IEnumerable<EFMeta>> GetPersistentMeta(string metaKey)
|
|
||||||
{
|
|
||||||
await using var context = _contextFactory.CreateContext(enableTracking: false);
|
|
||||||
return await context.EFMeta
|
|
||||||
.Where(meta => meta.Key == metaKey)
|
|
||||||
.Where(meta => meta.ClientId == null)
|
|
||||||
.Select(meta => new EFMeta
|
|
||||||
{
|
|
||||||
MetaId = meta.MetaId,
|
|
||||||
Key = meta.Key,
|
|
||||||
ClientId = meta.ClientId,
|
|
||||||
Value = meta.Value,
|
|
||||||
})
|
|
||||||
.ToListAsync();
|
|
||||||
}
|
|
||||||
|
|
||||||
public void AddRuntimeMeta<T, V>(MetaType metaKey, Func<T, Task<IEnumerable<V>>> metaAction) where T : PaginationRequest where V : IClientMeta
|
|
||||||
{
|
|
||||||
if (!_metaActions.ContainsKey(metaKey))
|
|
||||||
{
|
|
||||||
_metaActions.Add(metaKey, new List<dynamic>() { metaAction });
|
|
||||||
}
|
|
||||||
|
|
||||||
else
|
|
||||||
{
|
|
||||||
_metaActions[metaKey].Add(metaAction);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
public async Task<IEnumerable<IClientMeta>> GetRuntimeMeta(ClientPaginationRequest request)
|
|
||||||
{
|
|
||||||
var meta = new List<IClientMeta>();
|
|
||||||
|
|
||||||
foreach (var (type, actions) in _metaActions)
|
|
||||||
{
|
|
||||||
// information is not listed chronologically
|
|
||||||
if (type != MetaType.Information)
|
|
||||||
{
|
|
||||||
var metaItems = await actions[0](request);
|
|
||||||
meta.AddRange(metaItems);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
return meta.OrderByDescending(_meta => _meta.When)
|
|
||||||
.Take(request.Count)
|
|
||||||
.ToList();
|
|
||||||
}
|
|
||||||
|
|
||||||
public async Task<IEnumerable<T>> GetRuntimeMeta<T>(ClientPaginationRequest request, MetaType metaType) where T : IClientMeta
|
|
||||||
{
|
|
||||||
IEnumerable<T> meta;
|
|
||||||
if (metaType == MetaType.Information)
|
|
||||||
{
|
|
||||||
var allMeta = new List<T>();
|
|
||||||
|
|
||||||
foreach (var individualMetaRegistration in _metaActions[metaType])
|
|
||||||
{
|
|
||||||
allMeta.AddRange(await individualMetaRegistration(request));
|
|
||||||
}
|
|
||||||
|
|
||||||
return ProcessInformationMeta(allMeta);
|
|
||||||
}
|
|
||||||
|
|
||||||
else
|
|
||||||
{
|
|
||||||
meta = await _metaActions[metaType][0](request) as IEnumerable<T>;
|
|
||||||
}
|
|
||||||
|
|
||||||
return meta;
|
|
||||||
}
|
|
||||||
|
|
||||||
private static IEnumerable<T> ProcessInformationMeta<T>(IEnumerable<T> meta) where T : IClientMeta
|
|
||||||
{
|
|
||||||
var table = new List<List<T>>();
|
|
||||||
var metaWithColumn = meta
|
|
||||||
.Where(_meta => _meta.Column != null);
|
|
||||||
|
|
||||||
var columnGrouping = metaWithColumn
|
|
||||||
.GroupBy(_meta => _meta.Column);
|
|
||||||
|
|
||||||
var metaToSort = meta.Except(metaWithColumn).ToList();
|
|
||||||
|
|
||||||
foreach (var metaItem in columnGrouping)
|
|
||||||
{
|
|
||||||
table.Add(new List<T>(metaItem));
|
|
||||||
}
|
|
||||||
|
|
||||||
while (metaToSort.Count > 0)
|
|
||||||
{
|
|
||||||
var sortingMeta = metaToSort.First();
|
|
||||||
|
|
||||||
int indexOfSmallestColumn()
|
|
||||||
{
|
|
||||||
int index = 0;
|
|
||||||
int smallestColumnSize = int.MaxValue;
|
|
||||||
for (int i = 0; i < table.Count; i++)
|
|
||||||
{
|
|
||||||
if (table[i].Count < smallestColumnSize)
|
|
||||||
{
|
|
||||||
smallestColumnSize = table[i].Count;
|
|
||||||
index = i;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
return index;
|
|
||||||
}
|
|
||||||
|
|
||||||
int columnIndex = indexOfSmallestColumn();
|
|
||||||
|
|
||||||
sortingMeta.Column = columnIndex;
|
|
||||||
sortingMeta.Order = columnGrouping
|
|
||||||
.First(_group => _group.Key == columnIndex)
|
|
||||||
.Count();
|
|
||||||
|
|
||||||
table[columnIndex].Add(sortingMeta);
|
|
||||||
|
|
||||||
metaToSort.Remove(sortingMeta);
|
|
||||||
}
|
|
||||||
|
|
||||||
return meta;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,74 +0,0 @@
|
|||||||
using SharedLibraryCore.Interfaces;
|
|
||||||
using System;
|
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
using Microsoft.Extensions.Logging;
|
|
||||||
using ILogger = Microsoft.Extensions.Logging.ILogger;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.Misc
|
|
||||||
{
|
|
||||||
class MiddlewareActionHandler : IMiddlewareActionHandler
|
|
||||||
{
|
|
||||||
private readonly IDictionary<string, IList<object>> _actions;
|
|
||||||
private readonly ILogger _logger;
|
|
||||||
|
|
||||||
public MiddlewareActionHandler(ILogger<MiddlewareActionHandler> logger)
|
|
||||||
{
|
|
||||||
_actions = new Dictionary<string, IList<object>>();
|
|
||||||
_logger = logger;
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// Executes the action with the given name
|
|
||||||
/// </summary>
|
|
||||||
/// <typeparam name="T">Execution return type</typeparam>
|
|
||||||
/// <param name="value">Input value</param>
|
|
||||||
/// <param name="name">Name of action to execute</param>
|
|
||||||
/// <returns></returns>
|
|
||||||
public async Task<T> Execute<T>(T value, string name = null)
|
|
||||||
{
|
|
||||||
string key = string.IsNullOrEmpty(name) ? typeof(T).ToString() : name;
|
|
||||||
|
|
||||||
if (_actions.ContainsKey(key))
|
|
||||||
{
|
|
||||||
foreach (var action in _actions[key])
|
|
||||||
{
|
|
||||||
try
|
|
||||||
{
|
|
||||||
value = await ((IMiddlewareAction<T>)action).Invoke(value);
|
|
||||||
}
|
|
||||||
catch (Exception e)
|
|
||||||
{
|
|
||||||
_logger.LogWarning(e, "Failed to invoke middleware action {name}", name);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
return value;
|
|
||||||
}
|
|
||||||
|
|
||||||
return value;
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// Registers an action by name
|
|
||||||
/// </summary>
|
|
||||||
/// <typeparam name="T"></typeparam>
|
|
||||||
/// <param name="actionType">Action type specifier</param>
|
|
||||||
/// <param name="action">Action to perform</param>
|
|
||||||
/// <param name="name">Name of action</param>
|
|
||||||
public void Register<T>(T actionType, IMiddlewareAction<T> action, string name = null)
|
|
||||||
{
|
|
||||||
string key = string.IsNullOrEmpty(name) ? typeof(T).ToString() : name;
|
|
||||||
|
|
||||||
if (_actions.ContainsKey(key))
|
|
||||||
{
|
|
||||||
_actions[key].Add(action);
|
|
||||||
}
|
|
||||||
|
|
||||||
else
|
|
||||||
{
|
|
||||||
_actions.Add(key, new[] { action });
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,26 +0,0 @@
|
|||||||
using SharedLibraryCore.Interfaces;
|
|
||||||
using System;
|
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.Text;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// implementatin of IPageList that supports basic
|
|
||||||
/// pages title and page location for webfront
|
|
||||||
/// </summary>
|
|
||||||
class PageList : IPageList
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// Pages dictionary
|
|
||||||
/// Key = page name
|
|
||||||
/// Value = page location (url)
|
|
||||||
/// </summary>
|
|
||||||
public IDictionary<string, string> Pages { get; set; }
|
|
||||||
|
|
||||||
public PageList()
|
|
||||||
{
|
|
||||||
Pages = new Dictionary<string, string>();
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,21 +0,0 @@
|
|||||||
using SharedLibraryCore.Interfaces;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.Misc
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// implementation of the IMatchResult
|
|
||||||
/// used to hold matching results
|
|
||||||
/// </summary>
|
|
||||||
public class ParserMatchResult : IMatchResult
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// array of matched pattern groups
|
|
||||||
/// </summary>
|
|
||||||
public string[] Values { get; set; }
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// indicates if the match succeeded
|
|
||||||
/// </summary>
|
|
||||||
public bool Success { get; set; }
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,149 +0,0 @@
|
|||||||
using System;
|
|
||||||
using System.IO;
|
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.Reflection;
|
|
||||||
using SharedLibraryCore.Interfaces;
|
|
||||||
using System.Linq;
|
|
||||||
using SharedLibraryCore;
|
|
||||||
using IW4MAdmin.Application.API.Master;
|
|
||||||
using Microsoft.Extensions.Logging;
|
|
||||||
using SharedLibraryCore.Configuration;
|
|
||||||
using ILogger = Microsoft.Extensions.Logging.ILogger;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.Misc
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// implementation of IPluginImporter
|
|
||||||
/// discovers plugins and script plugins
|
|
||||||
/// </summary>
|
|
||||||
public class PluginImporter : IPluginImporter
|
|
||||||
{
|
|
||||||
private IEnumerable<PluginSubscriptionContent> _pluginSubscription;
|
|
||||||
private static readonly string PLUGIN_DIR = "Plugins";
|
|
||||||
private readonly ILogger _logger;
|
|
||||||
private readonly IRemoteAssemblyHandler _remoteAssemblyHandler;
|
|
||||||
private readonly IMasterApi _masterApi;
|
|
||||||
private readonly ApplicationConfiguration _appConfig;
|
|
||||||
|
|
||||||
public PluginImporter(ILogger<PluginImporter> logger, ApplicationConfiguration appConfig, IMasterApi masterApi, IRemoteAssemblyHandler remoteAssemblyHandler)
|
|
||||||
{
|
|
||||||
_logger = logger;
|
|
||||||
_masterApi = masterApi;
|
|
||||||
_remoteAssemblyHandler = remoteAssemblyHandler;
|
|
||||||
_appConfig = appConfig;
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// discovers all the script plugins in the plugins dir
|
|
||||||
/// </summary>
|
|
||||||
/// <returns></returns>
|
|
||||||
public IEnumerable<IPlugin> DiscoverScriptPlugins()
|
|
||||||
{
|
|
||||||
string pluginDir = $"{Utilities.OperatingDirectory}{PLUGIN_DIR}{Path.DirectorySeparatorChar}";
|
|
||||||
|
|
||||||
if (Directory.Exists(pluginDir))
|
|
||||||
{
|
|
||||||
var scriptPluginFiles = Directory.GetFiles(pluginDir, "*.js").AsEnumerable().Union(GetRemoteScripts());
|
|
||||||
|
|
||||||
_logger.LogDebug("Discovered {count} potential script plugins", scriptPluginFiles.Count());
|
|
||||||
|
|
||||||
if (scriptPluginFiles.Count() > 0)
|
|
||||||
{
|
|
||||||
foreach (string fileName in scriptPluginFiles)
|
|
||||||
{
|
|
||||||
_logger.LogDebug("Discovered script plugin {fileName}", fileName);
|
|
||||||
var plugin = new ScriptPlugin(_logger, fileName);
|
|
||||||
yield return plugin;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// discovers all the C# assembly plugins and commands
|
|
||||||
/// </summary>
|
|
||||||
/// <returns></returns>
|
|
||||||
public (IEnumerable<Type>, IEnumerable<Type>, IEnumerable<Type>) DiscoverAssemblyPluginImplementations()
|
|
||||||
{
|
|
||||||
var pluginDir = $"{Utilities.OperatingDirectory}{PLUGIN_DIR}{Path.DirectorySeparatorChar}";
|
|
||||||
var pluginTypes = Enumerable.Empty<Type>();
|
|
||||||
var commandTypes = Enumerable.Empty<Type>();
|
|
||||||
var configurationTypes = Enumerable.Empty<Type>();
|
|
||||||
|
|
||||||
if (Directory.Exists(pluginDir))
|
|
||||||
{
|
|
||||||
var dllFileNames = Directory.GetFiles(pluginDir, "*.dll");
|
|
||||||
_logger.LogDebug("Discovered {count} potential plugin assemblies", dllFileNames.Length);
|
|
||||||
|
|
||||||
if (dllFileNames.Length > 0)
|
|
||||||
{
|
|
||||||
// we only want to load the most recent assembly in case of duplicates
|
|
||||||
var assemblies = dllFileNames.Select(_name => Assembly.LoadFrom(_name))
|
|
||||||
.Union(GetRemoteAssemblies())
|
|
||||||
.GroupBy(_assembly => _assembly.FullName).Select(_assembly => _assembly.OrderByDescending(_assembly => _assembly.GetName().Version).First());
|
|
||||||
|
|
||||||
pluginTypes = assemblies
|
|
||||||
.SelectMany(_asm => _asm.GetTypes())
|
|
||||||
.Where(_assemblyType => _assemblyType.GetInterface(nameof(IPlugin), false) != null);
|
|
||||||
|
|
||||||
_logger.LogDebug("Discovered {count} plugin implementations", pluginTypes.Count());
|
|
||||||
|
|
||||||
commandTypes = assemblies
|
|
||||||
.SelectMany(_asm => _asm.GetTypes())
|
|
||||||
.Where(_assemblyType => _assemblyType.IsClass && _assemblyType.BaseType == typeof(Command));
|
|
||||||
|
|
||||||
_logger.LogDebug("Discovered {count} plugin commands", commandTypes.Count());
|
|
||||||
|
|
||||||
configurationTypes = assemblies
|
|
||||||
.SelectMany(asm => asm.GetTypes())
|
|
||||||
.Where(asmType =>
|
|
||||||
asmType.IsClass && asmType.GetInterface(nameof(IBaseConfiguration), false) != null);
|
|
||||||
|
|
||||||
_logger.LogDebug("Discovered {count} configuration implementations", configurationTypes.Count());
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
return (pluginTypes, commandTypes, configurationTypes);
|
|
||||||
}
|
|
||||||
|
|
||||||
private IEnumerable<Assembly> GetRemoteAssemblies()
|
|
||||||
{
|
|
||||||
try
|
|
||||||
{
|
|
||||||
if (_pluginSubscription == null)
|
|
||||||
_pluginSubscription = _masterApi.GetPluginSubscription(Guid.Parse(_appConfig.Id), _appConfig.SubscriptionId).Result;
|
|
||||||
|
|
||||||
return _remoteAssemblyHandler.DecryptAssemblies(_pluginSubscription.Where(sub => sub.Type == PluginType.Binary).Select(sub => sub.Content).ToArray());
|
|
||||||
}
|
|
||||||
|
|
||||||
catch (Exception ex)
|
|
||||||
{
|
|
||||||
_logger.LogWarning(ex, "Could not load remote assemblies");
|
|
||||||
return Enumerable.Empty<Assembly>();
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
private IEnumerable<string> GetRemoteScripts()
|
|
||||||
{
|
|
||||||
try
|
|
||||||
{
|
|
||||||
if (_pluginSubscription == null)
|
|
||||||
_pluginSubscription = _masterApi.GetPluginSubscription(Guid.Parse(_appConfig.Id), _appConfig.SubscriptionId).Result;
|
|
||||||
|
|
||||||
return _remoteAssemblyHandler.DecryptScripts(_pluginSubscription.Where(sub => sub.Type == PluginType.Script).Select(sub => sub.Content).ToArray());
|
|
||||||
}
|
|
||||||
|
|
||||||
catch (Exception ex)
|
|
||||||
{
|
|
||||||
_logger.LogWarning(ex,"Could not load remote scripts");
|
|
||||||
return Enumerable.Empty<string>();
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
public enum PluginType
|
|
||||||
{
|
|
||||||
Binary,
|
|
||||||
Script
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,76 +0,0 @@
|
|||||||
using SharedLibraryCore.Configuration;
|
|
||||||
using SharedLibraryCore.Interfaces;
|
|
||||||
using System;
|
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Reflection;
|
|
||||||
using System.Security.Cryptography;
|
|
||||||
using System.Text;
|
|
||||||
using Microsoft.Extensions.Logging;
|
|
||||||
using ILogger = Microsoft.Extensions.Logging.ILogger;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.Misc
|
|
||||||
{
|
|
||||||
public class RemoteAssemblyHandler : IRemoteAssemblyHandler
|
|
||||||
{
|
|
||||||
private const int keyLength = 32;
|
|
||||||
private const int tagLength = 16;
|
|
||||||
private const int nonceLength = 12;
|
|
||||||
private const int iterationCount = 10000;
|
|
||||||
|
|
||||||
private readonly ApplicationConfiguration _appconfig;
|
|
||||||
private readonly ILogger _logger;
|
|
||||||
|
|
||||||
public RemoteAssemblyHandler(ILogger<RemoteAssemblyHandler> logger, ApplicationConfiguration appconfig)
|
|
||||||
{
|
|
||||||
_appconfig = appconfig;
|
|
||||||
_logger = logger;
|
|
||||||
}
|
|
||||||
|
|
||||||
public IEnumerable<Assembly> DecryptAssemblies(string[] encryptedAssemblies)
|
|
||||||
{
|
|
||||||
return DecryptContent(encryptedAssemblies)
|
|
||||||
.Select(decryptedAssembly => Assembly.Load(decryptedAssembly));
|
|
||||||
}
|
|
||||||
|
|
||||||
public IEnumerable<string> DecryptScripts(string[] encryptedScripts)
|
|
||||||
{
|
|
||||||
return DecryptContent(encryptedScripts).Select(decryptedScript => Encoding.UTF8.GetString(decryptedScript));
|
|
||||||
}
|
|
||||||
|
|
||||||
private byte[][] DecryptContent(string[] content)
|
|
||||||
{
|
|
||||||
if (string.IsNullOrEmpty(_appconfig.Id) || string.IsNullOrWhiteSpace(_appconfig.SubscriptionId))
|
|
||||||
{
|
|
||||||
_logger.LogWarning($"{nameof(_appconfig.Id)} and {nameof(_appconfig.SubscriptionId)} must be provided to attempt loading remote assemblies/scripts");
|
|
||||||
return new byte[0][];
|
|
||||||
}
|
|
||||||
|
|
||||||
var assemblies = content.Select(piece =>
|
|
||||||
{
|
|
||||||
byte[] byteContent = Convert.FromBase64String(piece);
|
|
||||||
byte[] encryptedContent = byteContent.Take(byteContent.Length - (tagLength + nonceLength)).ToArray();
|
|
||||||
byte[] tag = byteContent.Skip(byteContent.Length - (tagLength + nonceLength)).Take(tagLength).ToArray();
|
|
||||||
byte[] nonce = byteContent.Skip(byteContent.Length - nonceLength).Take(nonceLength).ToArray();
|
|
||||||
byte[] decryptedContent = new byte[encryptedContent.Length];
|
|
||||||
|
|
||||||
var keyGen = new Rfc2898DeriveBytes(Encoding.UTF8.GetBytes(_appconfig.SubscriptionId), Encoding.UTF8.GetBytes(_appconfig.Id.ToString()), iterationCount, HashAlgorithmName.SHA512);
|
|
||||||
var encryption = new AesGcm(keyGen.GetBytes(keyLength));
|
|
||||||
|
|
||||||
try
|
|
||||||
{
|
|
||||||
encryption.Decrypt(nonce, encryptedContent, tag, decryptedContent);
|
|
||||||
}
|
|
||||||
|
|
||||||
catch (CryptographicException ex)
|
|
||||||
{
|
|
||||||
_logger.LogError(ex, "Could not decrypt remote plugin assemblies");
|
|
||||||
}
|
|
||||||
|
|
||||||
return decryptedContent;
|
|
||||||
});
|
|
||||||
|
|
||||||
return assemblies.ToArray();
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,54 +0,0 @@
|
|||||||
using SharedLibraryCore;
|
|
||||||
using SharedLibraryCore.Commands;
|
|
||||||
using SharedLibraryCore.Configuration;
|
|
||||||
using SharedLibraryCore.Interfaces;
|
|
||||||
using System;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
using Data.Models.Client;
|
|
||||||
using Microsoft.Extensions.Logging;
|
|
||||||
using static SharedLibraryCore.Database.Models.EFClient;
|
|
||||||
using ILogger = Microsoft.Extensions.Logging.ILogger;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.Misc
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// generic script command implementation
|
|
||||||
/// </summary>
|
|
||||||
public class ScriptCommand : Command
|
|
||||||
{
|
|
||||||
private readonly Action<GameEvent> _executeAction;
|
|
||||||
private readonly ILogger _logger;
|
|
||||||
|
|
||||||
public ScriptCommand(string name, string alias, string description, bool isTargetRequired, EFClient.Permission permission,
|
|
||||||
CommandArgument[] args, Action<GameEvent> executeAction, CommandConfiguration config, ITranslationLookup layout, ILogger<ScriptCommand> logger)
|
|
||||||
: base(config, layout)
|
|
||||||
{
|
|
||||||
|
|
||||||
_executeAction = executeAction;
|
|
||||||
_logger = logger;
|
|
||||||
Name = name;
|
|
||||||
Alias = alias;
|
|
||||||
Description = description;
|
|
||||||
RequiresTarget = isTargetRequired;
|
|
||||||
Permission = permission;
|
|
||||||
Arguments = args;
|
|
||||||
}
|
|
||||||
|
|
||||||
public override async Task ExecuteAsync(GameEvent e)
|
|
||||||
{
|
|
||||||
if (_executeAction == null)
|
|
||||||
{
|
|
||||||
throw new InvalidOperationException($"No execute action defined for command \"{Name}\"");
|
|
||||||
}
|
|
||||||
|
|
||||||
try
|
|
||||||
{
|
|
||||||
await Task.Run(() => _executeAction(e));
|
|
||||||
}
|
|
||||||
catch (Exception ex)
|
|
||||||
{
|
|
||||||
_logger.LogError(ex, "Failed to execute ScriptCommand action for command {command} {@event}", Name, e);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,365 +0,0 @@
|
|||||||
using System;
|
|
||||||
using Jint;
|
|
||||||
using Jint.Native;
|
|
||||||
using Jint.Runtime;
|
|
||||||
using Microsoft.CSharp.RuntimeBinder;
|
|
||||||
using SharedLibraryCore;
|
|
||||||
using SharedLibraryCore.Database.Models;
|
|
||||||
using SharedLibraryCore.Exceptions;
|
|
||||||
using SharedLibraryCore.Interfaces;
|
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.IO;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Text;
|
|
||||||
using System.Threading;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
using Microsoft.Extensions.Logging;
|
|
||||||
using Serilog.Context;
|
|
||||||
using ILogger = Microsoft.Extensions.Logging.ILogger;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.Misc
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// implementation of IPlugin
|
|
||||||
/// used to proxy script plugin requests
|
|
||||||
/// </summary>
|
|
||||||
public class ScriptPlugin : IPlugin
|
|
||||||
{
|
|
||||||
public string Name { get; set; }
|
|
||||||
|
|
||||||
public float Version { get; set; }
|
|
||||||
|
|
||||||
public string Author { get; set; }
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// indicates if the plugin is a parser
|
|
||||||
/// </summary>
|
|
||||||
public bool IsParser { get; private set; }
|
|
||||||
|
|
||||||
public FileSystemWatcher Watcher { get; private set; }
|
|
||||||
|
|
||||||
private Engine _scriptEngine;
|
|
||||||
private readonly string _fileName;
|
|
||||||
private readonly SemaphoreSlim _onProcessing;
|
|
||||||
private bool successfullyLoaded;
|
|
||||||
private readonly List<string> _registeredCommandNames;
|
|
||||||
private readonly ILogger _logger;
|
|
||||||
|
|
||||||
public ScriptPlugin(ILogger logger, string filename, string workingDirectory = null)
|
|
||||||
{
|
|
||||||
_logger = logger;
|
|
||||||
_fileName = filename;
|
|
||||||
Watcher = new FileSystemWatcher()
|
|
||||||
{
|
|
||||||
Path = workingDirectory == null ? $"{Utilities.OperatingDirectory}Plugins{Path.DirectorySeparatorChar}" : workingDirectory,
|
|
||||||
NotifyFilter = NotifyFilters.Size,
|
|
||||||
Filter = _fileName.Split(Path.DirectorySeparatorChar).Last()
|
|
||||||
};
|
|
||||||
|
|
||||||
Watcher.EnableRaisingEvents = true;
|
|
||||||
_onProcessing = new SemaphoreSlim(1, 1);
|
|
||||||
_registeredCommandNames = new List<string>();
|
|
||||||
}
|
|
||||||
|
|
||||||
~ScriptPlugin()
|
|
||||||
{
|
|
||||||
Watcher.Dispose();
|
|
||||||
_onProcessing.Dispose();
|
|
||||||
}
|
|
||||||
|
|
||||||
public async Task Initialize(IManager manager, IScriptCommandFactory scriptCommandFactory, IScriptPluginServiceResolver serviceResolver)
|
|
||||||
{
|
|
||||||
await _onProcessing.WaitAsync();
|
|
||||||
|
|
||||||
try
|
|
||||||
{
|
|
||||||
// for some reason we get an event trigger when the file is not finished being modified.
|
|
||||||
// this must have been a change in .NET CORE 3.x
|
|
||||||
// so if the new file is empty we can't process it yet
|
|
||||||
if (new FileInfo(_fileName).Length == 0L)
|
|
||||||
{
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
bool firstRun = _scriptEngine == null;
|
|
||||||
|
|
||||||
// it's been loaded before so we need to call the unload event
|
|
||||||
if (!firstRun)
|
|
||||||
{
|
|
||||||
await OnUnloadAsync();
|
|
||||||
|
|
||||||
foreach (string commandName in _registeredCommandNames)
|
|
||||||
{
|
|
||||||
_logger.LogDebug("Removing plugin registered command {command}", commandName);
|
|
||||||
manager.RemoveCommandByName(commandName);
|
|
||||||
}
|
|
||||||
|
|
||||||
_registeredCommandNames.Clear();
|
|
||||||
}
|
|
||||||
|
|
||||||
successfullyLoaded = false;
|
|
||||||
string script;
|
|
||||||
|
|
||||||
using (var stream = new FileStream(_fileName, FileMode.Open, FileAccess.Read, FileShare.ReadWrite))
|
|
||||||
{
|
|
||||||
using (var reader = new StreamReader(stream, Encoding.Default))
|
|
||||||
{
|
|
||||||
script = await reader.ReadToEndAsync();
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
_scriptEngine = new Engine(cfg =>
|
|
||||||
cfg.AllowClr(new[]
|
|
||||||
{
|
|
||||||
typeof(System.Net.Http.HttpClient).Assembly,
|
|
||||||
typeof(EFClient).Assembly,
|
|
||||||
typeof(Utilities).Assembly,
|
|
||||||
typeof(Encoding).Assembly
|
|
||||||
})
|
|
||||||
.CatchClrExceptions());
|
|
||||||
|
|
||||||
try
|
|
||||||
{
|
|
||||||
_scriptEngine.Execute(script);
|
|
||||||
}
|
|
||||||
catch (JavaScriptException ex)
|
|
||||||
{
|
|
||||||
|
|
||||||
_logger.LogError(ex,
|
|
||||||
"Encountered JavaScript runtime error while executing {methodName} for script plugin {plugin} at {@locationInfo}",
|
|
||||||
nameof(Initialize), _fileName, ex.Location);
|
|
||||||
throw new PluginException($"A JavaScript parsing error occured while initializing script plugin");
|
|
||||||
}
|
|
||||||
|
|
||||||
catch (Exception e)
|
|
||||||
{
|
|
||||||
|
|
||||||
_logger.LogError(e,
|
|
||||||
"Encountered unexpected error while running {methodName} for script plugin {plugin}",
|
|
||||||
nameof(Initialize), _fileName);
|
|
||||||
throw new PluginException($"An unexpected error occured while initialization script plugin");
|
|
||||||
}
|
|
||||||
|
|
||||||
_scriptEngine.SetValue("_localization", Utilities.CurrentLocalization);
|
|
||||||
_scriptEngine.SetValue("_serviceResolver", serviceResolver);
|
|
||||||
dynamic pluginObject = _scriptEngine.GetValue("plugin").ToObject();
|
|
||||||
|
|
||||||
Author = pluginObject.author;
|
|
||||||
Name = pluginObject.name;
|
|
||||||
Version = (float)pluginObject.version;
|
|
||||||
|
|
||||||
var commands = _scriptEngine.GetValue("commands");
|
|
||||||
|
|
||||||
if (commands != JsValue.Undefined)
|
|
||||||
{
|
|
||||||
try
|
|
||||||
{
|
|
||||||
foreach (var command in GenerateScriptCommands(commands, scriptCommandFactory))
|
|
||||||
{
|
|
||||||
_logger.LogDebug("Adding plugin registered command {commandName}", command.Name);
|
|
||||||
manager.AddAdditionalCommand(command);
|
|
||||||
_registeredCommandNames.Add(command.Name);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
catch (RuntimeBinderException e)
|
|
||||||
{
|
|
||||||
throw new PluginException($"Not all required fields were found: {e.Message}") { PluginFile = _fileName };
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
_scriptEngine.SetValue("_configHandler", new ScriptPluginConfigurationWrapper(Name, _scriptEngine));
|
|
||||||
await OnLoadAsync(manager);
|
|
||||||
|
|
||||||
try
|
|
||||||
{
|
|
||||||
if (pluginObject.isParser)
|
|
||||||
{
|
|
||||||
IsParser = true;
|
|
||||||
IEventParser eventParser = (IEventParser)_scriptEngine.GetValue("eventParser").ToObject();
|
|
||||||
IRConParser rconParser = (IRConParser)_scriptEngine.GetValue("rconParser").ToObject();
|
|
||||||
manager.AdditionalEventParsers.Add(eventParser);
|
|
||||||
manager.AdditionalRConParsers.Add(rconParser);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
catch (RuntimeBinderException) { }
|
|
||||||
|
|
||||||
if (!firstRun)
|
|
||||||
{
|
|
||||||
await OnLoadAsync(manager);
|
|
||||||
}
|
|
||||||
|
|
||||||
successfullyLoaded = true;
|
|
||||||
}
|
|
||||||
|
|
||||||
catch (JavaScriptException ex)
|
|
||||||
{
|
|
||||||
_logger.LogError(ex,
|
|
||||||
"Encountered JavaScript runtime error while executing {methodName} for script plugin {plugin} initialization {@locationInfo}",
|
|
||||||
nameof(OnLoadAsync), _fileName, ex.Location);
|
|
||||||
|
|
||||||
throw new PluginException("An error occured while initializing script plugin");
|
|
||||||
}
|
|
||||||
|
|
||||||
catch (Exception ex)
|
|
||||||
{
|
|
||||||
_logger.LogError(ex,
|
|
||||||
"Encountered unexpected error while running {methodName} for script plugin {plugin}",
|
|
||||||
nameof(OnLoadAsync), _fileName);
|
|
||||||
|
|
||||||
throw new PluginException("An unexpected error occured while initializing script plugin");
|
|
||||||
}
|
|
||||||
|
|
||||||
finally
|
|
||||||
{
|
|
||||||
if (_onProcessing.CurrentCount == 0)
|
|
||||||
{
|
|
||||||
_onProcessing.Release(1);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
public async Task OnEventAsync(GameEvent E, Server S)
|
|
||||||
{
|
|
||||||
if (successfullyLoaded)
|
|
||||||
{
|
|
||||||
await _onProcessing.WaitAsync();
|
|
||||||
|
|
||||||
try
|
|
||||||
{
|
|
||||||
_scriptEngine.SetValue("_gameEvent", E);
|
|
||||||
_scriptEngine.SetValue("_server", S);
|
|
||||||
_scriptEngine.SetValue("_IW4MAdminClient", Utilities.IW4MAdminClient(S));
|
|
||||||
_scriptEngine.Execute("plugin.onEventAsync(_gameEvent, _server)").GetCompletionValue();
|
|
||||||
}
|
|
||||||
|
|
||||||
catch (JavaScriptException ex)
|
|
||||||
{
|
|
||||||
using (LogContext.PushProperty("Server", S.ToString()))
|
|
||||||
{
|
|
||||||
_logger.LogError(ex,
|
|
||||||
"Encountered JavaScript runtime error while executing {methodName} for script plugin {plugin} with event type {eventType} {@locationInfo}",
|
|
||||||
nameof(OnEventAsync), _fileName, E.Type, ex.Location);
|
|
||||||
}
|
|
||||||
|
|
||||||
throw new PluginException($"An error occured while executing action for script plugin");
|
|
||||||
}
|
|
||||||
|
|
||||||
catch (Exception e)
|
|
||||||
{
|
|
||||||
using (LogContext.PushProperty("Server", S.ToString()))
|
|
||||||
{
|
|
||||||
_logger.LogError(e,
|
|
||||||
"Encountered unexpected error while running {methodName} for script plugin {plugin} with event type {eventType}",
|
|
||||||
nameof(OnEventAsync), _fileName, E.Type);
|
|
||||||
}
|
|
||||||
|
|
||||||
throw new PluginException($"An error occured while executing action for script plugin");
|
|
||||||
}
|
|
||||||
|
|
||||||
finally
|
|
||||||
{
|
|
||||||
if (_onProcessing.CurrentCount == 0)
|
|
||||||
{
|
|
||||||
_onProcessing.Release(1);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
public Task OnLoadAsync(IManager manager)
|
|
||||||
{
|
|
||||||
_logger.LogDebug("OnLoad executing for {name}", Name);
|
|
||||||
_scriptEngine.SetValue("_manager", manager);
|
|
||||||
return Task.FromResult(_scriptEngine.Execute("plugin.onLoadAsync(_manager)").GetCompletionValue());
|
|
||||||
}
|
|
||||||
|
|
||||||
public Task OnTickAsync(Server S)
|
|
||||||
{
|
|
||||||
_scriptEngine.SetValue("_server", S);
|
|
||||||
return Task.FromResult(_scriptEngine.Execute("plugin.onTickAsync(_server)").GetCompletionValue());
|
|
||||||
}
|
|
||||||
|
|
||||||
public async Task OnUnloadAsync()
|
|
||||||
{
|
|
||||||
if (successfullyLoaded)
|
|
||||||
{
|
|
||||||
await Task.FromResult(_scriptEngine.Execute("plugin.onUnloadAsync()").GetCompletionValue());
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// finds declared script commands in the script plugin
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="commands">commands value from jint parser</param>
|
|
||||||
/// <param name="scriptCommandFactory">factory to create the command from</param>
|
|
||||||
/// <returns></returns>
|
|
||||||
public IEnumerable<IManagerCommand> GenerateScriptCommands(JsValue commands, IScriptCommandFactory scriptCommandFactory)
|
|
||||||
{
|
|
||||||
List<IManagerCommand> commandList = new List<IManagerCommand>();
|
|
||||||
|
|
||||||
// go through each defined command
|
|
||||||
foreach (var command in commands.AsArray())
|
|
||||||
{
|
|
||||||
dynamic dynamicCommand = command.ToObject();
|
|
||||||
string name = dynamicCommand.name;
|
|
||||||
string alias = dynamicCommand.alias;
|
|
||||||
string description = dynamicCommand.description;
|
|
||||||
string permission = dynamicCommand.permission;
|
|
||||||
bool targetRequired = false;
|
|
||||||
|
|
||||||
List<(string, bool)> args = new List<(string, bool)>();
|
|
||||||
dynamic arguments = null;
|
|
||||||
|
|
||||||
try
|
|
||||||
{
|
|
||||||
arguments = dynamicCommand.arguments;
|
|
||||||
}
|
|
||||||
|
|
||||||
catch (RuntimeBinderException)
|
|
||||||
{
|
|
||||||
// arguments are optional
|
|
||||||
}
|
|
||||||
|
|
||||||
try
|
|
||||||
{
|
|
||||||
targetRequired = dynamicCommand.targetRequired;
|
|
||||||
}
|
|
||||||
|
|
||||||
catch (RuntimeBinderException)
|
|
||||||
{
|
|
||||||
// arguments are optional
|
|
||||||
}
|
|
||||||
|
|
||||||
if (arguments != null)
|
|
||||||
{
|
|
||||||
foreach (var arg in dynamicCommand.arguments)
|
|
||||||
{
|
|
||||||
args.Add((arg.name, (bool)arg.required));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
void execute(GameEvent e)
|
|
||||||
{
|
|
||||||
_scriptEngine.SetValue("_event", e);
|
|
||||||
var jsEventObject = _scriptEngine.GetValue("_event");
|
|
||||||
|
|
||||||
try
|
|
||||||
{
|
|
||||||
dynamicCommand.execute.Target.Invoke(jsEventObject);
|
|
||||||
}
|
|
||||||
|
|
||||||
catch (JavaScriptException ex)
|
|
||||||
{
|
|
||||||
throw new PluginException($"An error occured while executing action for script plugin: {ex.Error} (Line: {ex.Location.Start.Line}, Character: {ex.Location.Start.Column})") { PluginFile = _fileName };
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
commandList.Add(scriptCommandFactory.CreateScriptCommand(name, alias, description, permission, targetRequired, args, execute));
|
|
||||||
}
|
|
||||||
|
|
||||||
return commandList;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,90 +0,0 @@
|
|||||||
using System.Collections.Generic;
|
|
||||||
using System.Globalization;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
using IW4MAdmin.Application.Configuration;
|
|
||||||
using Jint;
|
|
||||||
using Jint.Native;
|
|
||||||
using Newtonsoft.Json.Linq;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.Misc
|
|
||||||
{
|
|
||||||
public class ScriptPluginConfigurationWrapper
|
|
||||||
{
|
|
||||||
private readonly BaseConfigurationHandler<ScriptPluginConfiguration> _handler;
|
|
||||||
private readonly ScriptPluginConfiguration _config;
|
|
||||||
private readonly string _pluginName;
|
|
||||||
private readonly Engine _scriptEngine;
|
|
||||||
|
|
||||||
public ScriptPluginConfigurationWrapper(string pluginName, Engine scriptEngine)
|
|
||||||
{
|
|
||||||
_handler = new BaseConfigurationHandler<ScriptPluginConfiguration>("ScriptPluginSettings");
|
|
||||||
_config = _handler.Configuration() ??
|
|
||||||
(ScriptPluginConfiguration) new ScriptPluginConfiguration().Generate();
|
|
||||||
_pluginName = pluginName;
|
|
||||||
_scriptEngine = scriptEngine;
|
|
||||||
}
|
|
||||||
|
|
||||||
private static int? AsInteger(double d)
|
|
||||||
{
|
|
||||||
return int.TryParse(d.ToString(CultureInfo.InvariantCulture), out var parsed) ? parsed : (int?) null;
|
|
||||||
}
|
|
||||||
|
|
||||||
public async Task SetValue(string key, object value)
|
|
||||||
{
|
|
||||||
var castValue = value;
|
|
||||||
|
|
||||||
if (value is double d)
|
|
||||||
{
|
|
||||||
castValue = AsInteger(d) ?? value;
|
|
||||||
}
|
|
||||||
|
|
||||||
if (value is object[] array && array.All(item => item is double d && AsInteger(d) != null))
|
|
||||||
{
|
|
||||||
castValue = array.Select(item => AsInteger((double)item)).ToArray();
|
|
||||||
}
|
|
||||||
|
|
||||||
if (!_config.ContainsKey(_pluginName))
|
|
||||||
{
|
|
||||||
_config.Add(_pluginName, new Dictionary<string, object>());
|
|
||||||
}
|
|
||||||
|
|
||||||
var plugin = _config[_pluginName];
|
|
||||||
|
|
||||||
if (plugin.ContainsKey(key))
|
|
||||||
{
|
|
||||||
plugin[key] = castValue;
|
|
||||||
}
|
|
||||||
|
|
||||||
else
|
|
||||||
{
|
|
||||||
plugin.Add(key, castValue);
|
|
||||||
}
|
|
||||||
|
|
||||||
_handler.Set(_config);
|
|
||||||
await _handler.Save();
|
|
||||||
}
|
|
||||||
|
|
||||||
public JsValue GetValue(string key)
|
|
||||||
{
|
|
||||||
if (!_config.ContainsKey(_pluginName))
|
|
||||||
{
|
|
||||||
return JsValue.Undefined;
|
|
||||||
}
|
|
||||||
|
|
||||||
if (!_config[_pluginName].ContainsKey(key))
|
|
||||||
{
|
|
||||||
return JsValue.Undefined;
|
|
||||||
}
|
|
||||||
|
|
||||||
var item = _config[_pluginName][key];
|
|
||||||
|
|
||||||
if (item is JArray array)
|
|
||||||
{
|
|
||||||
item = array.ToObject<List<dynamic>>();
|
|
||||||
}
|
|
||||||
|
|
||||||
return JsValue.FromObject(_scriptEngine, item);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,48 +0,0 @@
|
|||||||
using SharedLibraryCore.Interfaces;
|
|
||||||
using System;
|
|
||||||
using System.Linq;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.Misc
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// implementation of IScriptPluginServiceResolver
|
|
||||||
/// </summary>
|
|
||||||
public class ScriptPluginServiceResolver : IScriptPluginServiceResolver
|
|
||||||
{
|
|
||||||
private readonly IServiceProvider _serviceProvider;
|
|
||||||
|
|
||||||
public ScriptPluginServiceResolver(IServiceProvider serviceProvider)
|
|
||||||
{
|
|
||||||
_serviceProvider = serviceProvider;
|
|
||||||
}
|
|
||||||
|
|
||||||
public object ResolveService(string serviceName)
|
|
||||||
{
|
|
||||||
var serviceType = DetermineRootType(serviceName);
|
|
||||||
return _serviceProvider.GetService(serviceType);
|
|
||||||
}
|
|
||||||
|
|
||||||
public object ResolveService(string serviceName, string[] genericParameters)
|
|
||||||
{
|
|
||||||
var serviceType = DetermineRootType(serviceName, genericParameters.Length);
|
|
||||||
var genericTypes = genericParameters.Select(_genericTypeParam => DetermineRootType(_genericTypeParam));
|
|
||||||
var resolvedServiceType = serviceType.MakeGenericType(genericTypes.ToArray());
|
|
||||||
return _serviceProvider.GetService(resolvedServiceType);
|
|
||||||
}
|
|
||||||
|
|
||||||
private Type DetermineRootType(string serviceName, int genericParamCount = 0)
|
|
||||||
{
|
|
||||||
var typeCollection = AppDomain.CurrentDomain.GetAssemblies()
|
|
||||||
.SelectMany(t => t.GetTypes());
|
|
||||||
string generatedName = $"{serviceName}{(genericParamCount == 0 ? "" : $"`{genericParamCount}")}".ToLower();
|
|
||||||
var serviceType = typeCollection.FirstOrDefault(_type => _type.Name.ToLower() == generatedName);
|
|
||||||
|
|
||||||
if (serviceType == null)
|
|
||||||
{
|
|
||||||
throw new InvalidOperationException($"No object type '{serviceName}' defined in loaded assemblies");
|
|
||||||
}
|
|
||||||
|
|
||||||
return serviceType;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,150 +0,0 @@
|
|||||||
using Newtonsoft.Json;
|
|
||||||
using Newtonsoft.Json.Linq;
|
|
||||||
using SharedLibraryCore;
|
|
||||||
using SharedLibraryCore.Database.Models;
|
|
||||||
using System;
|
|
||||||
using System.Net;
|
|
||||||
using Data.Models;
|
|
||||||
using static SharedLibraryCore.Database.Models.EFClient;
|
|
||||||
using static SharedLibraryCore.GameEvent;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.Misc
|
|
||||||
{
|
|
||||||
class IPAddressConverter : JsonConverter
|
|
||||||
{
|
|
||||||
public override bool CanConvert(Type objectType)
|
|
||||||
{
|
|
||||||
return (objectType == typeof(IPAddress));
|
|
||||||
}
|
|
||||||
|
|
||||||
public override void WriteJson(JsonWriter writer, object value, JsonSerializer serializer)
|
|
||||||
{
|
|
||||||
writer.WriteValue(value.ToString());
|
|
||||||
}
|
|
||||||
|
|
||||||
public override object ReadJson(JsonReader reader, Type objectType, object existingValue, JsonSerializer serializer)
|
|
||||||
{
|
|
||||||
return IPAddress.Parse((string)reader.Value);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
class IPEndPointConverter : JsonConverter
|
|
||||||
{
|
|
||||||
public override bool CanConvert(Type objectType)
|
|
||||||
{
|
|
||||||
return (objectType == typeof(IPEndPoint));
|
|
||||||
}
|
|
||||||
|
|
||||||
public override void WriteJson(JsonWriter writer, object value, JsonSerializer serializer)
|
|
||||||
{
|
|
||||||
IPEndPoint ep = (IPEndPoint)value;
|
|
||||||
JObject jo = new JObject();
|
|
||||||
jo.Add("Address", JToken.FromObject(ep.Address, serializer));
|
|
||||||
jo.Add("Port", ep.Port);
|
|
||||||
jo.WriteTo(writer);
|
|
||||||
}
|
|
||||||
|
|
||||||
public override object ReadJson(JsonReader reader, Type objectType, object existingValue, JsonSerializer serializer)
|
|
||||||
{
|
|
||||||
JObject jo = JObject.Load(reader);
|
|
||||||
IPAddress address = jo["Address"].ToObject<IPAddress>(serializer);
|
|
||||||
int port = (int)jo["Port"];
|
|
||||||
return new IPEndPoint(address, port);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
class ClientEntityConverter : JsonConverter
|
|
||||||
{
|
|
||||||
public override bool CanConvert(Type objectType) => objectType == typeof(EFClient);
|
|
||||||
|
|
||||||
public override object ReadJson(JsonReader reader, Type objectType,object existingValue, JsonSerializer serializer)
|
|
||||||
{
|
|
||||||
if (reader.Value == null)
|
|
||||||
{
|
|
||||||
return null;
|
|
||||||
}
|
|
||||||
|
|
||||||
var jsonObject = JObject.Load(reader);
|
|
||||||
|
|
||||||
return new EFClient
|
|
||||||
{
|
|
||||||
NetworkId = (long)jsonObject["NetworkId"],
|
|
||||||
ClientNumber = (int)jsonObject["ClientNumber"],
|
|
||||||
State = Enum.Parse<ClientState>(jsonObject["state"].ToString()),
|
|
||||||
CurrentAlias = new EFAlias()
|
|
||||||
{
|
|
||||||
IPAddress = (int?)jsonObject["IPAddress"],
|
|
||||||
Name = jsonObject["Name"].ToString()
|
|
||||||
}
|
|
||||||
};
|
|
||||||
}
|
|
||||||
|
|
||||||
public override void WriteJson(JsonWriter writer, object value, JsonSerializer serializer)
|
|
||||||
{
|
|
||||||
var client = value as EFClient;
|
|
||||||
var jsonObject = new JObject
|
|
||||||
{
|
|
||||||
{ "NetworkId", client.NetworkId },
|
|
||||||
{ "ClientNumber", client.ClientNumber },
|
|
||||||
{ "IPAddress", client.CurrentAlias?.IPAddress },
|
|
||||||
{ "Name", client.CurrentAlias?.Name },
|
|
||||||
{ "State", (int)client.State }
|
|
||||||
};
|
|
||||||
|
|
||||||
jsonObject.WriteTo(writer);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
class GameEventConverter : JsonConverter
|
|
||||||
{
|
|
||||||
public override bool CanConvert(Type objectType) =>objectType == typeof(GameEvent);
|
|
||||||
|
|
||||||
public override object ReadJson(JsonReader reader, Type objectType, object existingValue, JsonSerializer serializer)
|
|
||||||
{
|
|
||||||
var jsonObject = JObject.Load(reader);
|
|
||||||
|
|
||||||
return new GameEvent
|
|
||||||
{
|
|
||||||
Type = Enum.Parse<EventType>(jsonObject["Type"].ToString()),
|
|
||||||
Subtype = jsonObject["Subtype"]?.ToString(),
|
|
||||||
Source = Enum.Parse<EventSource>(jsonObject["Source"].ToString()),
|
|
||||||
RequiredEntity = Enum.Parse<EventRequiredEntity>(jsonObject["RequiredEntity"].ToString()),
|
|
||||||
Data = jsonObject["Data"].ToString(),
|
|
||||||
Message = jsonObject["Message"].ToString(),
|
|
||||||
GameTime = (int?)jsonObject["GameTime"],
|
|
||||||
Origin = jsonObject["Origin"]?.ToObject<EFClient>(serializer),
|
|
||||||
Target = jsonObject["Target"]?.ToObject<EFClient>(serializer),
|
|
||||||
ImpersonationOrigin = jsonObject["ImpersonationOrigin"]?.ToObject<EFClient>(serializer),
|
|
||||||
IsRemote = (bool)jsonObject["IsRemote"],
|
|
||||||
Extra = null, // fix
|
|
||||||
Time = (DateTime)jsonObject["Time"],
|
|
||||||
IsBlocking = (bool)jsonObject["IsBlocking"]
|
|
||||||
};
|
|
||||||
}
|
|
||||||
|
|
||||||
public override void WriteJson(JsonWriter writer, object value, JsonSerializer serializer)
|
|
||||||
{
|
|
||||||
var gameEvent = value as GameEvent;
|
|
||||||
|
|
||||||
var jsonObject = new JObject
|
|
||||||
{
|
|
||||||
{ "Type", (int)gameEvent.Type },
|
|
||||||
{ "Subtype", gameEvent.Subtype },
|
|
||||||
{ "Source", (int)gameEvent.Source },
|
|
||||||
{ "RequiredEntity", (int)gameEvent.RequiredEntity },
|
|
||||||
{ "Data", gameEvent.Data },
|
|
||||||
{ "Message", gameEvent.Message },
|
|
||||||
{ "GameTime", gameEvent.GameTime },
|
|
||||||
{ "Origin", gameEvent.Origin != null ? JToken.FromObject(gameEvent.Origin, serializer) : null },
|
|
||||||
{ "Target", gameEvent.Target != null ? JToken.FromObject(gameEvent.Target, serializer) : null },
|
|
||||||
{ "ImpersonationOrigin", gameEvent.ImpersonationOrigin != null ? JToken.FromObject(gameEvent.ImpersonationOrigin, serializer) : null},
|
|
||||||
{ "IsRemote", gameEvent.IsRemote },
|
|
||||||
{ "Extra", gameEvent.Extra?.ToString() },
|
|
||||||
{ "Time", gameEvent.Time },
|
|
||||||
{ "IsBlocking", gameEvent.IsBlocking }
|
|
||||||
};
|
|
||||||
|
|
||||||
jsonObject.WriteTo(writer);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,147 +0,0 @@
|
|||||||
using System;
|
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Threading;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
using Data.Abstractions;
|
|
||||||
using Data.Models;
|
|
||||||
using Data.Models.Client;
|
|
||||||
using Data.Models.Client.Stats.Reference;
|
|
||||||
using Data.Models.Server;
|
|
||||||
using Microsoft.EntityFrameworkCore;
|
|
||||||
using Microsoft.Extensions.Logging;
|
|
||||||
using SharedLibraryCore;
|
|
||||||
using SharedLibraryCore.Configuration;
|
|
||||||
using ILogger = Microsoft.Extensions.Logging.ILogger;
|
|
||||||
using SharedLibraryCore.Interfaces;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.Misc
|
|
||||||
{
|
|
||||||
/// <inheritdoc/>
|
|
||||||
public class ServerDataCollector : IServerDataCollector
|
|
||||||
{
|
|
||||||
private readonly ILogger _logger;
|
|
||||||
private readonly IManager _manager;
|
|
||||||
private readonly IDatabaseContextFactory _contextFactory;
|
|
||||||
private readonly ApplicationConfiguration _appConfig;
|
|
||||||
private readonly IEventPublisher _eventPublisher;
|
|
||||||
|
|
||||||
private bool _inProgress;
|
|
||||||
private TimeSpan _period;
|
|
||||||
|
|
||||||
public ServerDataCollector(ILogger<ServerDataCollector> logger, ApplicationConfiguration appConfig,
|
|
||||||
IManager manager, IDatabaseContextFactory contextFactory, IEventPublisher eventPublisher)
|
|
||||||
{
|
|
||||||
_logger = logger;
|
|
||||||
_appConfig = appConfig;
|
|
||||||
_manager = manager;
|
|
||||||
_contextFactory = contextFactory;
|
|
||||||
_eventPublisher = eventPublisher;
|
|
||||||
|
|
||||||
_eventPublisher.OnClientConnect += SaveConnectionInfo;
|
|
||||||
_eventPublisher.OnClientDisconnect += SaveConnectionInfo;
|
|
||||||
}
|
|
||||||
|
|
||||||
~ServerDataCollector()
|
|
||||||
{
|
|
||||||
_eventPublisher.OnClientConnect -= SaveConnectionInfo;
|
|
||||||
_eventPublisher.OnClientDisconnect -= SaveConnectionInfo;
|
|
||||||
}
|
|
||||||
|
|
||||||
public async Task BeginCollectionAsync(TimeSpan? period = null, CancellationToken cancellationToken = default)
|
|
||||||
{
|
|
||||||
if (_inProgress)
|
|
||||||
{
|
|
||||||
throw new InvalidOperationException($"{nameof(ServerDataCollector)} is already collecting data");
|
|
||||||
}
|
|
||||||
|
|
||||||
_logger.LogDebug("Initializing data collection with {Name}", nameof(ServerDataCollector));
|
|
||||||
_inProgress = true;
|
|
||||||
_period = period ?? (Utilities.IsDevelopment
|
|
||||||
? TimeSpan.FromMinutes(1)
|
|
||||||
: _appConfig.ServerDataCollectionInterval);
|
|
||||||
|
|
||||||
while (!cancellationToken.IsCancellationRequested)
|
|
||||||
{
|
|
||||||
try
|
|
||||||
{
|
|
||||||
await Task.Delay(_period, cancellationToken);
|
|
||||||
_logger.LogDebug("{Name} is collecting server data", nameof(ServerDataCollector));
|
|
||||||
|
|
||||||
var data = await BuildCollectionData(cancellationToken);
|
|
||||||
await SaveData(data, cancellationToken);
|
|
||||||
}
|
|
||||||
catch (TaskCanceledException)
|
|
||||||
{
|
|
||||||
_logger.LogInformation("Shutdown requested for {Name}", nameof(ServerDataCollector));
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
catch (Exception ex)
|
|
||||||
{
|
|
||||||
_logger.LogError(ex, "Unexpected error encountered collecting server data for {Name}",
|
|
||||||
nameof(ServerDataCollector));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
private async Task<IEnumerable<EFServerSnapshot>> BuildCollectionData(CancellationToken token)
|
|
||||||
{
|
|
||||||
var data = await Task.WhenAll(_manager.GetServers()
|
|
||||||
.Select(async server => new EFServerSnapshot
|
|
||||||
{
|
|
||||||
CapturedAt = DateTime.UtcNow,
|
|
||||||
PeriodBlock = (int) (DateTimeOffset.UtcNow - DateTimeOffset.UnixEpoch).TotalMinutes,
|
|
||||||
ServerId = await server.GetIdForServer(),
|
|
||||||
MapId = await GetOrCreateMap(server.CurrentMap.Name, (Reference.Game) server.GameName, token),
|
|
||||||
ClientCount = server.ClientNum
|
|
||||||
}));
|
|
||||||
|
|
||||||
return data;
|
|
||||||
}
|
|
||||||
|
|
||||||
private async Task<int> GetOrCreateMap(string mapName, Reference.Game game, CancellationToken token)
|
|
||||||
{
|
|
||||||
await using var context = _contextFactory.CreateContext();
|
|
||||||
var existingMap =
|
|
||||||
await context.Maps.FirstOrDefaultAsync(map => map.Name == mapName && map.Game == game, token);
|
|
||||||
|
|
||||||
if (existingMap != null)
|
|
||||||
{
|
|
||||||
return existingMap.MapId;
|
|
||||||
}
|
|
||||||
|
|
||||||
var newMap = new EFMap
|
|
||||||
{
|
|
||||||
Name = mapName,
|
|
||||||
Game = game
|
|
||||||
};
|
|
||||||
|
|
||||||
context.Maps.Add(newMap);
|
|
||||||
await context.SaveChangesAsync(token);
|
|
||||||
|
|
||||||
return newMap.MapId;
|
|
||||||
}
|
|
||||||
|
|
||||||
private async Task SaveData(IEnumerable<EFServerSnapshot> snapshots, CancellationToken token)
|
|
||||||
{
|
|
||||||
await using var context = _contextFactory.CreateContext();
|
|
||||||
context.ServerSnapshots.AddRange(snapshots);
|
|
||||||
await context.SaveChangesAsync(token);
|
|
||||||
}
|
|
||||||
|
|
||||||
private void SaveConnectionInfo(object sender, GameEvent gameEvent)
|
|
||||||
{
|
|
||||||
using var context = _contextFactory.CreateContext(enableTracking: false);
|
|
||||||
context.ConnectionHistory.Add(new EFClientConnectionHistory
|
|
||||||
{
|
|
||||||
ClientId = gameEvent.Origin.ClientId,
|
|
||||||
ServerId = gameEvent.Owner.GetIdForServer().Result,
|
|
||||||
ConnectionType = gameEvent.Type == GameEvent.EventType.Connect
|
|
||||||
? Reference.ConnectionType.Connect
|
|
||||||
: Reference.ConnectionType.Disconnect
|
|
||||||
});
|
|
||||||
context.SaveChanges();
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,162 +0,0 @@
|
|||||||
using System;
|
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Threading;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
using Data.Abstractions;
|
|
||||||
using Data.Models.Client;
|
|
||||||
using Data.Models.Server;
|
|
||||||
using Microsoft.EntityFrameworkCore;
|
|
||||||
using Microsoft.Extensions.Logging;
|
|
||||||
using SharedLibraryCore;
|
|
||||||
using SharedLibraryCore.Dtos;
|
|
||||||
using SharedLibraryCore.Interfaces;
|
|
||||||
using ILogger = Microsoft.Extensions.Logging.ILogger;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.Misc
|
|
||||||
{
|
|
||||||
/// <inheritdoc/>
|
|
||||||
public class ServerDataViewer : IServerDataViewer
|
|
||||||
{
|
|
||||||
private readonly ILogger _logger;
|
|
||||||
private readonly IDataValueCache<EFServerSnapshot, (int?, DateTime?)> _snapshotCache;
|
|
||||||
private readonly IDataValueCache<EFClient, (int, int)> _serverStatsCache;
|
|
||||||
private readonly IDataValueCache<EFServerSnapshot, List<ClientHistoryInfo>> _clientHistoryCache;
|
|
||||||
|
|
||||||
private readonly TimeSpan? _cacheTimeSpan =
|
|
||||||
Utilities.IsDevelopment ? TimeSpan.FromSeconds(30) : (TimeSpan?) TimeSpan.FromMinutes(10);
|
|
||||||
|
|
||||||
public ServerDataViewer(ILogger<ServerDataViewer> logger, IDataValueCache<EFServerSnapshot, (int?, DateTime?)> snapshotCache,
|
|
||||||
IDataValueCache<EFClient, (int, int)> serverStatsCache,
|
|
||||||
IDataValueCache<EFServerSnapshot, List<ClientHistoryInfo>> clientHistoryCache)
|
|
||||||
{
|
|
||||||
_logger = logger;
|
|
||||||
_snapshotCache = snapshotCache;
|
|
||||||
_serverStatsCache = serverStatsCache;
|
|
||||||
_clientHistoryCache = clientHistoryCache;
|
|
||||||
}
|
|
||||||
|
|
||||||
public async Task<(int?, DateTime?)>
|
|
||||||
MaxConcurrentClientsAsync(long? serverId = null, TimeSpan? overPeriod = null,
|
|
||||||
CancellationToken token = default)
|
|
||||||
{
|
|
||||||
_snapshotCache.SetCacheItem(async (snapshots, cancellationToken) =>
|
|
||||||
{
|
|
||||||
var oldestEntry = overPeriod.HasValue
|
|
||||||
? DateTime.UtcNow - overPeriod.Value
|
|
||||||
: DateTime.UtcNow.AddDays(-1);
|
|
||||||
|
|
||||||
int? maxClients;
|
|
||||||
DateTime? maxClientsTime;
|
|
||||||
|
|
||||||
if (serverId != null)
|
|
||||||
{
|
|
||||||
var clients = await snapshots.Where(snapshot => snapshot.ServerId == serverId)
|
|
||||||
.Where(snapshot => snapshot.CapturedAt >= oldestEntry)
|
|
||||||
.OrderByDescending(snapshot => snapshot.ClientCount)
|
|
||||||
.Select(snapshot => new
|
|
||||||
{
|
|
||||||
snapshot.ClientCount,
|
|
||||||
snapshot.CapturedAt
|
|
||||||
})
|
|
||||||
.FirstOrDefaultAsync(cancellationToken);
|
|
||||||
|
|
||||||
maxClients = clients?.ClientCount;
|
|
||||||
maxClientsTime = clients?.CapturedAt;
|
|
||||||
}
|
|
||||||
|
|
||||||
else
|
|
||||||
{
|
|
||||||
var clients = await snapshots.Where(snapshot => snapshot.CapturedAt >= oldestEntry)
|
|
||||||
.GroupBy(snapshot => snapshot.PeriodBlock)
|
|
||||||
.Select(grp => new
|
|
||||||
{
|
|
||||||
ClientCount = grp.Sum(snapshot => (int?) snapshot.ClientCount),
|
|
||||||
Time = grp.Max(snapshot => (DateTime?) snapshot.CapturedAt)
|
|
||||||
})
|
|
||||||
.OrderByDescending(snapshot => snapshot.ClientCount)
|
|
||||||
.FirstOrDefaultAsync(cancellationToken);
|
|
||||||
|
|
||||||
maxClients = clients?.ClientCount;
|
|
||||||
maxClientsTime = clients?.Time;
|
|
||||||
}
|
|
||||||
|
|
||||||
_logger.LogDebug("Max concurrent clients since {Start} is {Clients}", oldestEntry, maxClients);
|
|
||||||
|
|
||||||
return (maxClients, maxClientsTime);
|
|
||||||
}, nameof(MaxConcurrentClientsAsync), _cacheTimeSpan, true);
|
|
||||||
|
|
||||||
try
|
|
||||||
{
|
|
||||||
return await _snapshotCache.GetCacheItem(nameof(MaxConcurrentClientsAsync), token);
|
|
||||||
}
|
|
||||||
catch (Exception ex)
|
|
||||||
{
|
|
||||||
_logger.LogError(ex, "Could not retrieve data for {Name}", nameof(MaxConcurrentClientsAsync));
|
|
||||||
return (null, null);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
public async Task<(int, int)> ClientCountsAsync(TimeSpan? overPeriod = null, CancellationToken token = default)
|
|
||||||
{
|
|
||||||
_serverStatsCache.SetCacheItem(async (set, cancellationToken) =>
|
|
||||||
{
|
|
||||||
var count = await set.CountAsync(cancellationToken);
|
|
||||||
var startOfPeriod =
|
|
||||||
DateTime.UtcNow.AddHours(-overPeriod?.TotalHours ?? -24);
|
|
||||||
var recentCount = await set.CountAsync(client => client.LastConnection >= startOfPeriod,
|
|
||||||
cancellationToken);
|
|
||||||
|
|
||||||
return (count, recentCount);
|
|
||||||
}, nameof(_serverStatsCache), _cacheTimeSpan, true);
|
|
||||||
|
|
||||||
try
|
|
||||||
{
|
|
||||||
return await _serverStatsCache.GetCacheItem(nameof(_serverStatsCache), token);
|
|
||||||
}
|
|
||||||
catch (Exception ex)
|
|
||||||
{
|
|
||||||
_logger.LogError(ex, "Could not retrieve data for {Name}", nameof(ClientCountsAsync));
|
|
||||||
return (0, 0);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
public async Task<IEnumerable<ClientHistoryInfo>> ClientHistoryAsync(TimeSpan? overPeriod = null, CancellationToken token = default)
|
|
||||||
{
|
|
||||||
_clientHistoryCache.SetCacheItem(async (set, cancellationToken) =>
|
|
||||||
{
|
|
||||||
var oldestEntry = overPeriod.HasValue
|
|
||||||
? DateTime.UtcNow - overPeriod.Value
|
|
||||||
: DateTime.UtcNow.AddHours(-12);
|
|
||||||
|
|
||||||
var history = await set.Where(snapshot => snapshot.CapturedAt >= oldestEntry)
|
|
||||||
.Select(snapshot =>
|
|
||||||
new
|
|
||||||
{
|
|
||||||
snapshot.ServerId,
|
|
||||||
snapshot.CapturedAt,
|
|
||||||
snapshot.ClientCount
|
|
||||||
})
|
|
||||||
.OrderBy(snapshot => snapshot.CapturedAt)
|
|
||||||
.ToListAsync(cancellationToken);
|
|
||||||
|
|
||||||
return history.GroupBy(snapshot => snapshot.ServerId).Select(byServer => new ClientHistoryInfo
|
|
||||||
{
|
|
||||||
ServerId = byServer.Key,
|
|
||||||
ClientCounts = byServer.Select(snapshot => new ClientCountSnapshot()
|
|
||||||
{Time = snapshot.CapturedAt, ClientCount = snapshot.ClientCount}).ToList()
|
|
||||||
}).ToList();
|
|
||||||
}, nameof(_clientHistoryCache), TimeSpan.MaxValue);
|
|
||||||
|
|
||||||
try
|
|
||||||
{
|
|
||||||
return await _clientHistoryCache.GetCacheItem(nameof(_clientHistoryCache), token);
|
|
||||||
}
|
|
||||||
catch (Exception ex)
|
|
||||||
{
|
|
||||||
_logger.LogError(ex, "Could not retrieve data for {Name}", nameof(ClientHistoryAsync));
|
|
||||||
return Enumerable.Empty<ClientHistoryInfo>();
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,100 +0,0 @@
|
|||||||
using SharedLibraryCore.Helpers;
|
|
||||||
using SharedLibraryCore.Interfaces;
|
|
||||||
using System;
|
|
||||||
using System.Collections.Concurrent;
|
|
||||||
using System.Security.Cryptography;
|
|
||||||
using System.Text;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.Misc
|
|
||||||
{
|
|
||||||
class TokenAuthentication : ITokenAuthentication
|
|
||||||
{
|
|
||||||
private readonly ConcurrentDictionary<long, TokenState> _tokens;
|
|
||||||
private readonly RNGCryptoServiceProvider _random;
|
|
||||||
private readonly static TimeSpan _timeoutPeriod = new TimeSpan(0, 0, 120);
|
|
||||||
private const short TOKEN_LENGTH = 4;
|
|
||||||
|
|
||||||
public TokenAuthentication()
|
|
||||||
{
|
|
||||||
_tokens = new ConcurrentDictionary<long, TokenState>();
|
|
||||||
_random = new RNGCryptoServiceProvider();
|
|
||||||
}
|
|
||||||
|
|
||||||
public bool AuthorizeToken(long networkId, string token)
|
|
||||||
{
|
|
||||||
bool authorizeSuccessful = _tokens.ContainsKey(networkId) && _tokens[networkId].Token == token;
|
|
||||||
|
|
||||||
if (authorizeSuccessful)
|
|
||||||
{
|
|
||||||
_tokens.TryRemove(networkId, out TokenState _);
|
|
||||||
}
|
|
||||||
|
|
||||||
return authorizeSuccessful;
|
|
||||||
}
|
|
||||||
|
|
||||||
public TokenState GenerateNextToken(long networkId)
|
|
||||||
{
|
|
||||||
TokenState state = null;
|
|
||||||
|
|
||||||
if (_tokens.ContainsKey(networkId))
|
|
||||||
{
|
|
||||||
state = _tokens[networkId];
|
|
||||||
|
|
||||||
if ((DateTime.Now - state.RequestTime) > _timeoutPeriod)
|
|
||||||
{
|
|
||||||
_tokens.TryRemove(networkId, out TokenState _);
|
|
||||||
}
|
|
||||||
|
|
||||||
else
|
|
||||||
{
|
|
||||||
return state;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
state = new TokenState()
|
|
||||||
{
|
|
||||||
NetworkId = networkId,
|
|
||||||
Token = _generateToken(),
|
|
||||||
TokenDuration = _timeoutPeriod
|
|
||||||
};
|
|
||||||
|
|
||||||
_tokens.TryAdd(networkId, state);
|
|
||||||
|
|
||||||
// perform some housekeeping so we don't have built up tokens if they're not ever used
|
|
||||||
foreach (var (key, value) in _tokens)
|
|
||||||
{
|
|
||||||
if ((DateTime.Now - value.RequestTime) > _timeoutPeriod)
|
|
||||||
{
|
|
||||||
_tokens.TryRemove(key, out TokenState _);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
return state;
|
|
||||||
}
|
|
||||||
|
|
||||||
public string _generateToken()
|
|
||||||
{
|
|
||||||
bool validCharacter(char c)
|
|
||||||
{
|
|
||||||
// this ensure that the characters are 0-9, A-Z, a-z
|
|
||||||
return (c > 47 && c < 58) || (c > 64 && c < 91) || (c > 96 && c < 123);
|
|
||||||
}
|
|
||||||
|
|
||||||
StringBuilder token = new StringBuilder();
|
|
||||||
|
|
||||||
while (token.Length < TOKEN_LENGTH)
|
|
||||||
{
|
|
||||||
byte[] charSet = new byte[1];
|
|
||||||
_random.GetBytes(charSet);
|
|
||||||
|
|
||||||
if (validCharacter((char)charSet[0]))
|
|
||||||
{
|
|
||||||
token.Append((char)charSet[0]);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
_random.Dispose();
|
|
||||||
return token.ToString();
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
42
Application/Misc/VPNCheck.cs
Normal file
42
Application/Misc/VPNCheck.cs
Normal file
@ -0,0 +1,42 @@
|
|||||||
|
using Newtonsoft.Json;
|
||||||
|
using Newtonsoft.Json.Linq;
|
||||||
|
using System;
|
||||||
|
using System.Collections.Generic;
|
||||||
|
using System.Linq;
|
||||||
|
using System.Threading.Tasks;
|
||||||
|
|
||||||
|
namespace Application.Misc
|
||||||
|
{
|
||||||
|
public class VPNCheck
|
||||||
|
{
|
||||||
|
public static async Task<bool> UsingVPN(string ip, string apiKey)
|
||||||
|
{
|
||||||
|
#if DEBUG
|
||||||
|
return await Task.FromResult(false);
|
||||||
|
|
||||||
|
#else
|
||||||
|
try
|
||||||
|
{
|
||||||
|
using (var RequestClient = new System.Net.Http.HttpClient())
|
||||||
|
{
|
||||||
|
RequestClient.DefaultRequestHeaders.Add("X-Key", apiKey);
|
||||||
|
string response = await RequestClient.GetStringAsync($"http://v2.api.iphub.info/ip/{ip}");
|
||||||
|
var responseJson = JsonConvert.DeserializeObject<JObject>(response);
|
||||||
|
int blockType = Convert.ToInt32(responseJson["block"]);
|
||||||
|
/*if (responseJson.ContainsKey("isp"))
|
||||||
|
{
|
||||||
|
if (responseJson["isp"].ToString() == "TSF-IP-CORE")
|
||||||
|
return true;
|
||||||
|
}*/
|
||||||
|
return blockType == 1;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
catch (Exception)
|
||||||
|
{
|
||||||
|
return false;
|
||||||
|
}
|
||||||
|
#endif
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
12
Application/Properties/PublishProfiles/Stable-Windows.pubxml
Normal file
12
Application/Properties/PublishProfiles/Stable-Windows.pubxml
Normal file
@ -0,0 +1,12 @@
|
|||||||
|
<?xml version="1.0" encoding="utf-8"?>
|
||||||
|
<!--
|
||||||
|
https://go.microsoft.com/fwlink/?LinkID=208121.
|
||||||
|
-->
|
||||||
|
<Project ToolsVersion="4.0" xmlns="http://schemas.microsoft.com/developer/msbuild/2003">
|
||||||
|
<PropertyGroup>
|
||||||
|
<PublishProtocol>FileSystem</PublishProtocol>
|
||||||
|
<Configuration>Release</Configuration>
|
||||||
|
<TargetFramework>netcoreapp2.0</TargetFramework>
|
||||||
|
<PublishDir>C:\Projects\IW4M-Admin\Publish\Windows</PublishDir>
|
||||||
|
</PropertyGroup>
|
||||||
|
</Project>
|
@ -1,320 +0,0 @@
|
|||||||
using SharedLibraryCore;
|
|
||||||
using SharedLibraryCore.Database.Models;
|
|
||||||
using SharedLibraryCore.Exceptions;
|
|
||||||
using SharedLibraryCore.Interfaces;
|
|
||||||
using SharedLibraryCore.RCon;
|
|
||||||
using System;
|
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Text.RegularExpressions;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
using Data.Models;
|
|
||||||
using Microsoft.Extensions.Logging;
|
|
||||||
using static SharedLibraryCore.Server;
|
|
||||||
using ILogger = Microsoft.Extensions.Logging.ILogger;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.RConParsers
|
|
||||||
{
|
|
||||||
public class BaseRConParser : IRConParser
|
|
||||||
{
|
|
||||||
private readonly ILogger _logger;
|
|
||||||
|
|
||||||
public BaseRConParser(ILogger<BaseRConParser> logger, IParserRegexFactory parserRegexFactory)
|
|
||||||
{
|
|
||||||
_logger = logger;
|
|
||||||
Configuration = new DynamicRConParserConfiguration(parserRegexFactory)
|
|
||||||
{
|
|
||||||
CommandPrefixes = new CommandPrefix()
|
|
||||||
{
|
|
||||||
Tell = "tell {0} {1}",
|
|
||||||
Say = "say {0}",
|
|
||||||
Kick = "clientkick {0} \"{1}\"",
|
|
||||||
Ban = "clientkick {0} \"{1}\"",
|
|
||||||
TempBan = "tempbanclient {0} \"{1}\"",
|
|
||||||
RConCommand = "ÿÿÿÿrcon {0} {1}",
|
|
||||||
RConGetDvar = "ÿÿÿÿrcon {0} {1}",
|
|
||||||
RConSetDvar = "ÿÿÿÿrcon {0} set {1}",
|
|
||||||
RConGetStatus = "ÿÿÿÿgetstatus",
|
|
||||||
RConGetInfo = "ÿÿÿÿgetinfo",
|
|
||||||
RConResponse = "ÿÿÿÿprint",
|
|
||||||
RconGetInfoResponseHeader = "ÿÿÿÿinfoResponse"
|
|
||||||
},
|
|
||||||
ServerNotRunningResponse = "Server is not running."
|
|
||||||
};
|
|
||||||
|
|
||||||
Configuration.Status.Pattern = @"^ *([0-9]+) +-?([0-9]+) +((?:[A-Z]+|[0-9]+)) +((?:[a-z]|[0-9]){8,32}|(?:[a-z]|[0-9]){8,32}|bot[0-9]+|(?:[0-9]+)) *(.{0,32}) +([0-9]+) +(\d+\.\d+\.\d+.\d+\:-*\d{1,5}|0+.0+:-*\d{1,5}|loopback|unknown) +(-*[0-9]+) +([0-9]+) *$";
|
|
||||||
Configuration.Status.AddMapping(ParserRegex.GroupType.RConClientNumber, 1);
|
|
||||||
Configuration.Status.AddMapping(ParserRegex.GroupType.RConScore, 2);
|
|
||||||
Configuration.Status.AddMapping(ParserRegex.GroupType.RConPing, 3);
|
|
||||||
Configuration.Status.AddMapping(ParserRegex.GroupType.RConNetworkId, 4);
|
|
||||||
Configuration.Status.AddMapping(ParserRegex.GroupType.RConName, 5);
|
|
||||||
Configuration.Status.AddMapping(ParserRegex.GroupType.RConIpAddress, 7);
|
|
||||||
|
|
||||||
Configuration.Dvar.Pattern = "^\"(.+)\" is: \"(.+)?\" default: \"(.+)?\"\n(?:latched: \"(.+)?\"\n)? *(.+)$";
|
|
||||||
Configuration.Dvar.AddMapping(ParserRegex.GroupType.RConDvarName, 1);
|
|
||||||
Configuration.Dvar.AddMapping(ParserRegex.GroupType.RConDvarValue, 2);
|
|
||||||
Configuration.Dvar.AddMapping(ParserRegex.GroupType.RConDvarDefaultValue, 3);
|
|
||||||
Configuration.Dvar.AddMapping(ParserRegex.GroupType.RConDvarLatchedValue, 4);
|
|
||||||
Configuration.Dvar.AddMapping(ParserRegex.GroupType.RConDvarDomain, 5);
|
|
||||||
Configuration.Dvar.AddMapping(ParserRegex.GroupType.AdditionalGroup, int.MaxValue);
|
|
||||||
|
|
||||||
Configuration.StatusHeader.Pattern = "num +score +ping +guid +name +lastmsg +address +qport +rate *";
|
|
||||||
Configuration.GametypeStatus.Pattern = "";
|
|
||||||
Configuration.MapStatus.Pattern = @"map: (([a-z]|_|\d)+)";
|
|
||||||
Configuration.MapStatus.AddMapping(ParserRegex.GroupType.RConStatusMap, 1);
|
|
||||||
|
|
||||||
if (!Configuration.DefaultDvarValues.ContainsKey("mapname"))
|
|
||||||
{
|
|
||||||
Configuration.DefaultDvarValues.Add("mapname", "Unknown");
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
public IRConParserConfiguration Configuration { get; set; }
|
|
||||||
public virtual string Version { get; set; } = "CoD";
|
|
||||||
public Game GameName { get; set; } = Game.COD;
|
|
||||||
public bool CanGenerateLogPath { get; set; } = true;
|
|
||||||
public string Name { get; set; } = "Call of Duty";
|
|
||||||
public string RConEngine { get; set; } = "COD";
|
|
||||||
public bool IsOneLog { get; set; }
|
|
||||||
|
|
||||||
public async Task<string[]> ExecuteCommandAsync(IRConConnection connection, string command)
|
|
||||||
{
|
|
||||||
var response = await connection.SendQueryAsync(StaticHelpers.QueryType.COMMAND, command);
|
|
||||||
return response.Where(item => item != Configuration.CommandPrefixes.RConResponse).ToArray();
|
|
||||||
}
|
|
||||||
|
|
||||||
public async Task<Dvar<T>> GetDvarAsync<T>(IRConConnection connection, string dvarName, T fallbackValue = default)
|
|
||||||
{
|
|
||||||
string[] lineSplit;
|
|
||||||
|
|
||||||
try
|
|
||||||
{
|
|
||||||
lineSplit = await connection.SendQueryAsync(StaticHelpers.QueryType.GET_DVAR, dvarName);
|
|
||||||
}
|
|
||||||
catch
|
|
||||||
{
|
|
||||||
if (fallbackValue == null)
|
|
||||||
{
|
|
||||||
throw;
|
|
||||||
}
|
|
||||||
|
|
||||||
lineSplit = new string[0];
|
|
||||||
}
|
|
||||||
|
|
||||||
string response = string.Join('\n', lineSplit).TrimEnd('\0');
|
|
||||||
var match = Regex.Match(response, Configuration.Dvar.Pattern);
|
|
||||||
|
|
||||||
if (response.Contains("Unknown command") ||
|
|
||||||
!match.Success)
|
|
||||||
{
|
|
||||||
if (fallbackValue != null)
|
|
||||||
{
|
|
||||||
return new Dvar<T>()
|
|
||||||
{
|
|
||||||
Name = dvarName,
|
|
||||||
Value = fallbackValue
|
|
||||||
};
|
|
||||||
}
|
|
||||||
|
|
||||||
throw new DvarException(Utilities.CurrentLocalization.LocalizationIndex["SERVER_ERROR_DVAR"].FormatExt(dvarName));
|
|
||||||
}
|
|
||||||
|
|
||||||
string value = match.Groups[Configuration.Dvar.GroupMapping[ParserRegex.GroupType.RConDvarValue]].Value;
|
|
||||||
string defaultValue = match.Groups[Configuration.Dvar.GroupMapping[ParserRegex.GroupType.RConDvarDefaultValue]].Value;
|
|
||||||
string latchedValue = match.Groups[Configuration.Dvar.GroupMapping[ParserRegex.GroupType.RConDvarLatchedValue]].Value;
|
|
||||||
|
|
||||||
string removeTrailingColorCode(string input) => Regex.Replace(input, @"\^7$", "");
|
|
||||||
|
|
||||||
value = removeTrailingColorCode(value);
|
|
||||||
defaultValue = removeTrailingColorCode(defaultValue);
|
|
||||||
latchedValue = removeTrailingColorCode(latchedValue);
|
|
||||||
|
|
||||||
return new Dvar<T>()
|
|
||||||
{
|
|
||||||
Name = dvarName,
|
|
||||||
Value = string.IsNullOrEmpty(value) ? default : (T)Convert.ChangeType(value, typeof(T)),
|
|
||||||
DefaultValue = string.IsNullOrEmpty(defaultValue) ? default : (T)Convert.ChangeType(defaultValue, typeof(T)),
|
|
||||||
LatchedValue = string.IsNullOrEmpty(latchedValue) ? default : (T)Convert.ChangeType(latchedValue, typeof(T)),
|
|
||||||
Domain = match.Groups[Configuration.Dvar.GroupMapping[ParserRegex.GroupType.RConDvarDomain]].Value
|
|
||||||
};
|
|
||||||
}
|
|
||||||
|
|
||||||
public virtual async Task<IStatusResponse> GetStatusAsync(IRConConnection connection)
|
|
||||||
{
|
|
||||||
var response = await connection.SendQueryAsync(StaticHelpers.QueryType.COMMAND_STATUS);
|
|
||||||
_logger.LogDebug("Status Response {response}", string.Join(Environment.NewLine, response));
|
|
||||||
return new StatusResponse
|
|
||||||
{
|
|
||||||
Clients = ClientsFromStatus(response).ToArray(),
|
|
||||||
Map = GetValueFromStatus<string>(response, ParserRegex.GroupType.RConStatusMap, Configuration.MapStatus.Pattern),
|
|
||||||
GameType = GetValueFromStatus<string>(response, ParserRegex.GroupType.RConStatusGametype, Configuration.GametypeStatus.Pattern),
|
|
||||||
Hostname = GetValueFromStatus<string>(response, ParserRegex.GroupType.RConStatusHostname, Configuration.HostnameStatus.Pattern),
|
|
||||||
MaxClients = GetValueFromStatus<int?>(response, ParserRegex.GroupType.RConStatusMaxPlayers, Configuration.MaxPlayersStatus.Pattern)
|
|
||||||
};
|
|
||||||
}
|
|
||||||
|
|
||||||
private T GetValueFromStatus<T>(IEnumerable<string> response, ParserRegex.GroupType groupType, string groupPattern)
|
|
||||||
{
|
|
||||||
if (string.IsNullOrEmpty(groupPattern))
|
|
||||||
{
|
|
||||||
return default;
|
|
||||||
}
|
|
||||||
|
|
||||||
string value = null;
|
|
||||||
foreach (var line in response)
|
|
||||||
{
|
|
||||||
var regex = Regex.Match(line, groupPattern);
|
|
||||||
if (regex.Success)
|
|
||||||
{
|
|
||||||
value = regex.Groups[Configuration.MapStatus.GroupMapping[groupType]].ToString();
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
if (value == null)
|
|
||||||
{
|
|
||||||
return default;
|
|
||||||
}
|
|
||||||
|
|
||||||
if (typeof(T) == typeof(int?))
|
|
||||||
{
|
|
||||||
return (T)Convert.ChangeType(int.Parse(value), Nullable.GetUnderlyingType(typeof(T)));
|
|
||||||
}
|
|
||||||
|
|
||||||
return (T)Convert.ChangeType(value, typeof(T));
|
|
||||||
}
|
|
||||||
|
|
||||||
public async Task<bool> SetDvarAsync(IRConConnection connection, string dvarName, object dvarValue)
|
|
||||||
{
|
|
||||||
string dvarString = (dvarValue is string str)
|
|
||||||
? $"{dvarName} \"{str}\""
|
|
||||||
: $"{dvarName} {dvarValue}";
|
|
||||||
|
|
||||||
return (await connection.SendQueryAsync(StaticHelpers.QueryType.SET_DVAR, dvarString)).Length > 0;
|
|
||||||
}
|
|
||||||
|
|
||||||
private List<EFClient> ClientsFromStatus(string[] Status)
|
|
||||||
{
|
|
||||||
List<EFClient> StatusPlayers = new List<EFClient>();
|
|
||||||
|
|
||||||
bool parsedHeader = false;
|
|
||||||
foreach (string statusLine in Status)
|
|
||||||
{
|
|
||||||
string responseLine = statusLine.Trim();
|
|
||||||
|
|
||||||
if (Configuration.StatusHeader.PatternMatcher.Match(responseLine).Success)
|
|
||||||
{
|
|
||||||
parsedHeader = true;
|
|
||||||
continue;
|
|
||||||
}
|
|
||||||
|
|
||||||
var match = Configuration.Status.PatternMatcher.Match(responseLine);
|
|
||||||
|
|
||||||
if (match.Success)
|
|
||||||
{
|
|
||||||
if (match.Values[Configuration.Status.GroupMapping[ParserRegex.GroupType.RConPing]] == "ZMBI")
|
|
||||||
{
|
|
||||||
_logger.LogDebug("Ignoring detected client {client} because they are zombie state", string.Join(",", match.Values));
|
|
||||||
continue;
|
|
||||||
}
|
|
||||||
|
|
||||||
var clientNumber = int.Parse(match.Values[Configuration.Status.GroupMapping[ParserRegex.GroupType.RConClientNumber]]);
|
|
||||||
var score = 0;
|
|
||||||
|
|
||||||
if (Configuration.Status.GroupMapping[ParserRegex.GroupType.RConScore] > 0)
|
|
||||||
{
|
|
||||||
score = int.Parse(match.Values[Configuration.Status.GroupMapping[ParserRegex.GroupType.RConScore]]);
|
|
||||||
}
|
|
||||||
|
|
||||||
var ping = 999;
|
|
||||||
|
|
||||||
// their state can be CNCT, ZMBI etc
|
|
||||||
if (match.Values[Configuration.Status.GroupMapping[ParserRegex.GroupType.RConPing]].Length <= 3)
|
|
||||||
{
|
|
||||||
ping = int.Parse(match.Values[Configuration.Status.GroupMapping[ParserRegex.GroupType.RConPing]]);
|
|
||||||
}
|
|
||||||
|
|
||||||
long networkId;
|
|
||||||
var name = match.Values[Configuration.Status.GroupMapping[ParserRegex.GroupType.RConName]].TrimNewLine();
|
|
||||||
string networkIdString;
|
|
||||||
var ip = match.Values[Configuration.Status.GroupMapping[ParserRegex.GroupType.RConIpAddress]].Split(':')[0].ConvertToIP();
|
|
||||||
|
|
||||||
try
|
|
||||||
{
|
|
||||||
networkIdString = match.Values[Configuration.Status.GroupMapping[ParserRegex.GroupType.RConNetworkId]];
|
|
||||||
|
|
||||||
networkId = networkIdString.IsBotGuid() || (ip == null && ping == 999) ?
|
|
||||||
name.GenerateGuidFromString() :
|
|
||||||
networkIdString.ConvertGuidToLong(Configuration.GuidNumberStyle);
|
|
||||||
}
|
|
||||||
|
|
||||||
catch (FormatException)
|
|
||||||
{
|
|
||||||
continue;
|
|
||||||
}
|
|
||||||
|
|
||||||
var client = new EFClient()
|
|
||||||
{
|
|
||||||
CurrentAlias = new EFAlias()
|
|
||||||
{
|
|
||||||
Name = name,
|
|
||||||
IPAddress = ip
|
|
||||||
},
|
|
||||||
NetworkId = networkId,
|
|
||||||
ClientNumber = clientNumber,
|
|
||||||
Ping = ping,
|
|
||||||
Score = score,
|
|
||||||
State = EFClient.ClientState.Connecting
|
|
||||||
};
|
|
||||||
|
|
||||||
client.SetAdditionalProperty("BotGuid", networkIdString);
|
|
||||||
|
|
||||||
if (Configuration.Status.GroupMapping.ContainsKey(ParserRegex.GroupType.AdditionalGroup))
|
|
||||||
{
|
|
||||||
var additionalGroupIndex =
|
|
||||||
Configuration.Status.GroupMapping[ParserRegex.GroupType.AdditionalGroup];
|
|
||||||
|
|
||||||
if (match.Values.Length > additionalGroupIndex)
|
|
||||||
{
|
|
||||||
client.SetAdditionalProperty("ConnectionClientId", match.Values[additionalGroupIndex]);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
StatusPlayers.Add(client);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
// this can happen if status is requested while map is rotating and we get a log dump back
|
|
||||||
if (!parsedHeader)
|
|
||||||
{
|
|
||||||
throw new ServerException(Utilities.CurrentLocalization.LocalizationIndex["SERVER_ERROR_UNEXPECTED_STATUS"]);
|
|
||||||
}
|
|
||||||
|
|
||||||
return StatusPlayers;
|
|
||||||
}
|
|
||||||
|
|
||||||
public string GetOverrideDvarName(string dvarName)
|
|
||||||
{
|
|
||||||
if (Configuration.OverrideDvarNameMapping.ContainsKey(dvarName))
|
|
||||||
{
|
|
||||||
return Configuration.OverrideDvarNameMapping[dvarName];
|
|
||||||
}
|
|
||||||
|
|
||||||
return dvarName;
|
|
||||||
}
|
|
||||||
|
|
||||||
public T GetDefaultDvarValue<T>(string dvarName) => Configuration.DefaultDvarValues.ContainsKey(dvarName) ?
|
|
||||||
(T)Convert.ChangeType(Configuration.DefaultDvarValues[dvarName], typeof(T)) :
|
|
||||||
default;
|
|
||||||
|
|
||||||
public TimeSpan OverrideTimeoutForCommand(string command)
|
|
||||||
{
|
|
||||||
if (command.Contains("map_rotate", StringComparison.InvariantCultureIgnoreCase) ||
|
|
||||||
command.StartsWith("map ", StringComparison.InvariantCultureIgnoreCase))
|
|
||||||
{
|
|
||||||
return TimeSpan.FromSeconds(30);
|
|
||||||
}
|
|
||||||
|
|
||||||
return TimeSpan.Zero;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,16 +0,0 @@
|
|||||||
using Microsoft.Extensions.Logging;
|
|
||||||
using SharedLibraryCore.Interfaces;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.RConParsers
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// empty implementation of the IW4RConParser
|
|
||||||
/// allows script plugins to generate dynamic RCon parsers
|
|
||||||
/// </summary>
|
|
||||||
internal sealed class DynamicRConParser : BaseRConParser
|
|
||||||
{
|
|
||||||
public DynamicRConParser(ILogger<BaseRConParser> logger, IParserRegexFactory parserRegexFactory) : base(logger, parserRegexFactory)
|
|
||||||
{
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,62 +0,0 @@
|
|||||||
using System;
|
|
||||||
using SharedLibraryCore.Interfaces;
|
|
||||||
using SharedLibraryCore.RCon;
|
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.Globalization;
|
|
||||||
using SharedLibraryCore.Formatting;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.RConParsers
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// generic implementation of the IRConParserConfiguration
|
|
||||||
/// allows script plugins to generate dynamic RCon configurations
|
|
||||||
/// </summary>
|
|
||||||
public class DynamicRConParserConfiguration : IRConParserConfiguration
|
|
||||||
{
|
|
||||||
public CommandPrefix CommandPrefixes { get; set; }
|
|
||||||
public ParserRegex Status { get; set; }
|
|
||||||
public ParserRegex MapStatus { get; set; }
|
|
||||||
public ParserRegex GametypeStatus { get; set; }
|
|
||||||
public ParserRegex HostnameStatus { get; set; }
|
|
||||||
public ParserRegex MaxPlayersStatus { get; set; }
|
|
||||||
public ParserRegex Dvar { get; set; }
|
|
||||||
public ParserRegex StatusHeader { get; set; }
|
|
||||||
public string ServerNotRunningResponse { get; set; }
|
|
||||||
public bool WaitForResponse { get; set; } = true;
|
|
||||||
public NumberStyles GuidNumberStyle { get; set; } = NumberStyles.HexNumber;
|
|
||||||
public IDictionary<string, string> OverrideDvarNameMapping { get; set; } = new Dictionary<string, string>();
|
|
||||||
public IDictionary<string, string> DefaultDvarValues { get; set; } = new Dictionary<string, string>();
|
|
||||||
public int NoticeMaximumLines { get; set; } = 8;
|
|
||||||
public int NoticeMaxCharactersPerLine { get; set; } = 50;
|
|
||||||
public string NoticeLineSeparator { get; set; } = Environment.NewLine;
|
|
||||||
public int? DefaultRConPort { get; set; }
|
|
||||||
public string DefaultInstallationDirectoryHint { get; set; }
|
|
||||||
|
|
||||||
public ColorCodeMapping ColorCodeMapping { get; set; } = new ColorCodeMapping
|
|
||||||
{
|
|
||||||
// this is the default mapping (IW4), but can be overridden as needed in the parsers
|
|
||||||
{ColorCodes.Black.ToString(), "^0"},
|
|
||||||
{ColorCodes.Red.ToString(), "^1"},
|
|
||||||
{ColorCodes.Green.ToString(), "^2"},
|
|
||||||
{ColorCodes.Yellow.ToString(), "^3"},
|
|
||||||
{ColorCodes.Blue.ToString(), "^4"},
|
|
||||||
{ColorCodes.Cyan.ToString(), "^5"},
|
|
||||||
{ColorCodes.Pink.ToString(), "^6"},
|
|
||||||
{ColorCodes.White.ToString(), "^7"},
|
|
||||||
{ColorCodes.Map.ToString(), "^8"},
|
|
||||||
{ColorCodes.Grey.ToString(), "^9"},
|
|
||||||
{ColorCodes.Wildcard.ToString(), ":^"},
|
|
||||||
};
|
|
||||||
|
|
||||||
public DynamicRConParserConfiguration(IParserRegexFactory parserRegexFactory)
|
|
||||||
{
|
|
||||||
Status = parserRegexFactory.CreateParserRegex();
|
|
||||||
MapStatus = parserRegexFactory.CreateParserRegex();
|
|
||||||
GametypeStatus = parserRegexFactory.CreateParserRegex();
|
|
||||||
Dvar = parserRegexFactory.CreateParserRegex();
|
|
||||||
StatusHeader = parserRegexFactory.CreateParserRegex();
|
|
||||||
HostnameStatus = parserRegexFactory.CreateParserRegex();
|
|
||||||
MaxPlayersStatus = parserRegexFactory.CreateParserRegex();
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,15 +0,0 @@
|
|||||||
using SharedLibraryCore.Database.Models;
|
|
||||||
using SharedLibraryCore.Interfaces;
|
|
||||||
|
|
||||||
namespace IW4MAdmin.Application.RConParsers
|
|
||||||
{
|
|
||||||
/// <inheritdoc cref="IStatusResponse"/>
|
|
||||||
public class StatusResponse : IStatusResponse
|
|
||||||
{
|
|
||||||
public string Map { get; set; }
|
|
||||||
public string GameType { get; set; }
|
|
||||||
public string Hostname { get; set; }
|
|
||||||
public int? MaxClients { get; set; }
|
|
||||||
public EFClient[] Clients { get; set; }
|
|
||||||
}
|
|
||||||
}
|
|
22
Application/RconParsers/IW3RConParser.cs
Normal file
22
Application/RconParsers/IW3RConParser.cs
Normal file
@ -0,0 +1,22 @@
|
|||||||
|
using Application.RconParsers;
|
||||||
|
using SharedLibraryCore.RCon;
|
||||||
|
using System;
|
||||||
|
using System.Collections.Generic;
|
||||||
|
using System.Text;
|
||||||
|
|
||||||
|
namespace Application.RconParsers
|
||||||
|
{
|
||||||
|
class IW3RConParser : IW4RConParser
|
||||||
|
{
|
||||||
|
private static CommandPrefix Prefixes = new CommandPrefix()
|
||||||
|
{
|
||||||
|
Tell = "tell {0} {1}",
|
||||||
|
Say = "say {0}",
|
||||||
|
Kick = "clientkick {0} \"{1}\"",
|
||||||
|
Ban = "clientkick {0} \"{1}\"",
|
||||||
|
TempBan = "tempbanclient {0} \"{1}\""
|
||||||
|
};
|
||||||
|
|
||||||
|
public override CommandPrefix GetCommandPrefixes() => Prefixes;
|
||||||
|
}
|
||||||
|
}
|
Some files were not shown because too many files have changed in this diff Show More
Reference in New Issue
Block a user