using System; using System.Collections.Generic; using System.Collections.ObjectModel; using System.Linq; using System.Net; using System.Threading; using System.Threading.Tasks; using Data.Models; using Microsoft.Extensions.DependencyInjection; using Microsoft.Extensions.Logging; using Serilog.Context; using SharedLibraryCore.Configuration; using SharedLibraryCore.Database.Models; using SharedLibraryCore.Dtos; using SharedLibraryCore.Exceptions; using SharedLibraryCore.Helpers; using SharedLibraryCore.Interfaces; using ILogger = Microsoft.Extensions.Logging.ILogger; namespace SharedLibraryCore { public abstract class Server : IGameServer { public enum Game { COD = -1, UKN = 0, IW3 = 1, IW4 = 2, IW5 = 3, IW6 = 4, T4 = 5, T5 = 6, T6 = 7, T7 = 8, SHG1 = 9, CSGO = 10, H1 = 11 } // only here for performance private readonly bool CustomSayEnabled; protected readonly string CustomSayName; protected readonly DefaultSettings DefaultSettings; protected readonly ILogger ServerLogger; protected List BroadcastMessages; protected int ConnectionErrors; protected string FSGame; protected IGameLogReaderFactory gameLogReaderFactory; // Info private string hostname; protected TimeSpan LastMessage; protected DateTime LastPoll; protected int NextMessage; protected ManualResetEventSlim OnRemoteCommandResponse; protected IRConConnectionFactory RConConnectionFactory; #pragma warning disable CS0612 public Server(ILogger logger, Interfaces.ILogger deprecatedLogger, #pragma warning restore CS0612 ServerConfiguration config, IManager mgr, IRConConnectionFactory rconConnectionFactory, IGameLogReaderFactory gameLogReaderFactory, IServiceProvider serviceProvider) { Password = config.Password; IP = config.IPAddress; Port = config.Port; Manager = mgr; #pragma warning disable CS0612 Logger = deprecatedLogger ?? throw new ArgumentNullException(nameof(deprecatedLogger)); #pragma warning restore CS0612 ServerConfig = config; EventProcessing = new SemaphoreSlim(1, 1); Clients = new List(new EFClient[64]); Reports = new List(); ClientHistory = new ClientHistoryInfo(); ChatHistory = new List(); NextMessage = 0; CustomSayEnabled = Manager.GetApplicationSettings().Configuration().EnableCustomSayName; CustomSayName = Manager.GetApplicationSettings().Configuration().CustomSayName; this.gameLogReaderFactory = gameLogReaderFactory; RConConnectionFactory = rconConnectionFactory; ServerLogger = logger; DefaultSettings = serviceProvider.GetRequiredService(); InitializeTokens(); InitializeAutoMessages(); } public long EndPoint => IPAddress.TryParse(ListenAddress, out _) ? Convert.ToInt64($"{ListenAddress!.Replace(".", "")}{ListenPort}") : $"{ListenAddress!.Replace(".", "")}{ListenPort}".GetStableHashCode(); public abstract long LegacyDatabaseId { get; } public string Id => $"{ListenAddress}:{ListenPort}"; // Objects public IManager Manager { get; protected set; } [Obsolete] public Interfaces.ILogger Logger { get; } public ServerConfiguration ServerConfig { get; } public List Maps { get; protected set; } = new List(); public List Reports { get; set; } public List ChatHistory { get; protected set; } public ClientHistoryInfo ClientHistory { get; } public Game GameName { get; set; } public Reference.Game GameCode => (Reference.Game)GameName; public DateTime? MatchEndTime { get; protected set; } public DateTime? MatchStartTime { get; protected set; } public string Hostname { get => ServerConfig.CustomHostname ?? hostname; protected set => hostname = value; } public string ServerName => Hostname; public string Website { get; protected set; } public string Gametype { get; set; } public string GametypeName => DefaultSettings.Gametypes?.FirstOrDefault(gt => gt.Game == GameName)?.Gametypes ?.FirstOrDefault(gt => gt.Name == Gametype)?.Alias ?? Gametype; public string GamePassword { get; protected set; } public int PrivateClientSlots { get; protected set; } public Map CurrentMap { get; set; } public Map Map => CurrentMap; public int ClientNum { get { return Clients.ToArray().Count(p => p != null && Utilities.IsDevelopment || (!p?.IsBot ?? false)); } } public int MaxClients { get; protected set; } public List Clients { get; protected set; } public IReadOnlyList ConnectedClients => new ReadOnlyCollection(GetClientsAsList()); public string Password { get; } public bool Throttled { get; protected set; } public bool CustomCallback { get; protected set; } public bool IsLegacyGameIntegrationEnabled => CustomCallback; public string WorkingDirectory { get; protected set; } public IRConConnection RemoteConnection { get; protected set; } public IRConParser RconParser { get; set; } public IEventParser EventParser { get; set; } public string LogPath { get; protected set; } public bool RestartRequested { get; set; } public SemaphoreSlim EventProcessing { get; } // Internal /// /// this is actually the listen address now /// public string IP { get; protected set; } public string ListenAddress => IP; public IPEndPoint ResolvedIpEndPoint { get; protected set; } public string Version { get; protected set; } public bool IsInitialized { get; set; } public int Port { get; protected set; } public int ListenPort => Port; public abstract Task Kick(string reason, EFClient target, EFClient origin, EFPenalty originalPenalty); public abstract Task ExecuteCommandAsync(string command, CancellationToken token = default); public abstract Task SetDvarAsync(string name, object value, CancellationToken token = default); /// /// Returns list of all current players /// /// public List GetClientsAsList() { return Clients.FindAll(x => x != null && x.NetworkId != 0); } /// /// Add a player to the server's player list /// /// EFClient pulled from memory reading /// True if player added successfully, false otherwise public abstract Task OnClientConnected(EFClient P); /// /// Remove player by client number /// /// true if removal succeeded, false otherwise public abstract Task OnClientDisconnected(EFClient client); /// /// Get a player by name /// todo: make this an extension /// /// EFClient name to search for /// Matching player if found public List GetClientByName(string pName) { if (string.IsNullOrEmpty(pName)) { return new List(); } pName = pName.Trim().StripColors(); var QuoteSplit = pName.Split('"'); var literal = false; if (QuoteSplit.Length > 1) { pName = QuoteSplit[1]; literal = true; } if (literal) { return GetClientsAsList().Where(p => p.Name?.StripColors()?.ToLower() == pName.ToLower()).ToList(); } return GetClientsAsList().Where(p => (p.Name?.StripColors()?.ToLower() ?? "").Contains(pName.ToLower())) .ToList(); } public virtual Task ProcessUpdatesAsync(CancellationToken token) { return (Task)Task.CompletedTask; } /// /// Process any server event /// /// Event /// True on sucess protected abstract Task ProcessEvent(GameEvent E); public abstract Task ExecuteEvent(GameEvent E); /// /// Send a message to all players /// /// Message to be sent to all players /// Client that initiated the broadcast public GameEvent Broadcast(string message, EFClient sender = null) { var hasRawSupport = RconParser.Configuration.CommandPrefixes.Say.Contains("raw"); var formattedMessage = string.Format(RconParser.Configuration.CommandPrefixes.Say ?? "", $"{(CustomSayEnabled && hasRawSupport ? $"{CustomSayName}: " : "")}{message}"); ServerLogger.LogDebug("All-> {Message}", message.FormatMessageForEngine(RconParser.Configuration).StripColors()); var e = new GameEvent { Type = GameEvent.EventType.Broadcast, Data = formattedMessage, Owner = this, Origin = sender }; Manager.AddEvent(e); return e; } [Obsolete("Use BroadcastAsync")] public void Broadcast(IEnumerable messages, EFClient sender = null) { foreach (var message in messages) { #pragma warning disable 4014 Broadcast(message, sender).WaitAsync(); #pragma warning restore 4014 } } public async Task BroadcastAsync(IEnumerable messages, EFClient sender = null, CancellationToken token = default) { foreach (var message in messages) { if (Manager.CancellationToken.IsCancellationRequested) { return; } await Broadcast(message, sender).WaitAsync(Utilities.DefaultCommandTimeout, Manager.CancellationToken); } } /// /// Send a message to a particular players /// /// Message to send /// EFClient to send message to protected async Task Tell(string message, EFClient targetClient) { if (!Utilities.IsDevelopment) { var temporalClientId = targetClient.GetAdditionalProperty("ConnectionClientId"); var parsedClientId = string.IsNullOrEmpty(temporalClientId) ? (int?)null : int.Parse(temporalClientId); var clientNumber = parsedClientId ?? targetClient.ClientNumber; var hasRawSupport = RconParser.Configuration.CommandPrefixes.Tell.Contains("raw"); var formattedMessage = string.Format(RconParser.Configuration.CommandPrefixes.Tell, clientNumber, $"{(CustomSayEnabled && hasRawSupport ? $"{CustomSayName}: " : "")}{message}"); if (targetClient.ClientNumber > -1 && message.Length > 0 && targetClient.Level != Data.Models.Client.EFClient.Permission.Console) { await this.ExecuteCommandAsync(formattedMessage); } } else { ServerLogger.LogDebug("Tell[{ClientNumber}]->{Message}", targetClient.ClientNumber, message.FormatMessageForEngine(RconParser.Configuration).StripColors()); } if (targetClient.Level == Data.Models.Client.EFClient.Permission.Console) { Console.ForegroundColor = ConsoleColor.Green; var cleanMessage = message.FormatMessageForEngine(RconParser.Configuration) .StripColors(); using (LogContext.PushProperty("Server", ToString())) { ServerLogger.LogInformation("Command output received: {Message}", cleanMessage); } Console.WriteLine(cleanMessage); Console.ForegroundColor = ConsoleColor.Gray; } } /// /// Send a message to all admins on the server /// /// Message to send out public void ToAdmins(string message) { foreach (var client in GetClientsAsList() .Where(c => c.Level > Data.Models.Client.EFClient.Permission.Flagged)) client.Tell(message); } /// /// Kick a player from the server /// /// Reason for kicking /// EFClient to kick /// Client initating the kick public Task Kick(string reason, EFClient target, EFClient origin) { return Kick(reason, target, origin, null); } /// /// Temporarily ban a player ( default 1 hour ) from the server /// /// Reason for banning the player /// Duration of the ban /// The client to ban /// The client performing the ban public abstract Task TempBan(string reason, TimeSpan length, EFClient target, EFClient origin); /// /// Perm ban a player from the server /// /// The reason for the ban /// The person to ban /// The person who banned the target /// obsolete public abstract Task Ban(string reason, EFClient target, EFClient origin, bool isEvade = false); public abstract Task Warn(string reason, EFClient target, EFClient origin); /// /// Unban a player by npID / GUID /// /// reason for unban /// client being unbanned /// client performing the unban /// public abstract Task Unban(string reason, EFClient targetClient, EFClient originClient); /// /// Change the current server map /// /// Non-localized map name public async Task LoadMap(string mapName) { await this.ExecuteCommandAsync($"map {mapName}"); } /// /// Initalize the macro variables /// public abstract void InitializeTokens(); /// /// Initialize the messages to be broadcasted /// protected void InitializeAutoMessages() { BroadcastMessages = new List(); if (ServerConfig.AutoMessages != null) { BroadcastMessages.AddRange(ServerConfig.AutoMessages); } BroadcastMessages.AddRange(Manager.GetApplicationSettings().Configuration().AutoMessages); } public override string ToString() { return $"{ListenAddress}:{ListenPort}"; } protected async Task ScriptLoaded() { try { return (await this.GetDvarAsync("sv_customcallbacks", "0", Manager.CancellationToken)).Value == "1"; } catch (DvarException) { return false; } } public abstract Task GetIdForServer(Server server = null); public EFClient GetClientByNumber(int clientNumber) => GetClientsAsList().FirstOrDefault(client => client.ClientNumber == clientNumber); } }