Stats thread safe

Cleaned up WebService class and shutdown
reimped stats and topstats
moved things out of stats into main code
This commit is contained in:
RaidMax 2018-02-10 00:26:38 -06:00
parent b9900707b5
commit d331d998c0
31 changed files with 668 additions and 927 deletions

View File

@ -28,7 +28,7 @@ namespace IW4MAdmin
List<AsyncStatus> TaskStatuses; List<AsyncStatus> TaskStatuses;
List<Command> Commands; List<Command> Commands;
List<MessageToken> MessageTokens; List<MessageToken> MessageTokens;
Kayak.IScheduler webServiceTask; WebService WebSvc;
Thread WebThread; Thread WebThread;
ClientService ClientSvc; ClientService ClientSvc;
AliasService AliasSvc; AliasService AliasSvc;
@ -70,14 +70,8 @@ namespace IW4MAdmin
{ {
#region WEBSERVICE #region WEBSERVICE
SharedLibrary.WebService.Init(); SharedLibrary.WebService.Init();
webServiceTask = WebService.GetScheduler(); WebSvc = new WebService();
WebSvc.StartScheduler();
WebThread = new Thread(webServiceTask.Start)
{
Name = "Web Thread"
};
WebThread.Start();
#endregion #endregion
#region PLUGINS #region PLUGINS
@ -182,6 +176,7 @@ namespace IW4MAdmin
Commands.Add(new CPlugins()); Commands.Add(new CPlugins());
Commands.Add(new CIP()); Commands.Add(new CIP());
Commands.Add(new CMask()); Commands.Add(new CMask());
Commands.Add(new CPruneAdmins());
foreach (Command C in SharedLibrary.Plugins.PluginImporter.ActiveCommands) foreach (Command C in SharedLibrary.Plugins.PluginImporter.ActiveCommands)
Commands.Add(C); Commands.Add(C);
@ -192,19 +187,22 @@ namespace IW4MAdmin
public void Start() public void Start()
{ {
while (Running) while (Running || TaskStatuses.Count > 0)
{ {
for (int i = 0; i < TaskStatuses.Count; i++) for (int i = 0; i < TaskStatuses.Count; i++)
{ {
var Status = TaskStatuses[i]; var Status = TaskStatuses[i];
// remove the task when we want to quit and last run has finished
if (!Running)
{
TaskStatuses.RemoveAt(i);
continue;
}
// task is read to be rerun
if (Status.RequestedTask == null || Status.RequestedTask.Status == TaskStatus.RanToCompletion) if (Status.RequestedTask == null || Status.RequestedTask.Status == TaskStatus.RanToCompletion)
{ {
if (Status.ElapsedMillisecondsTime() > 60000)
{
Logger.WriteWarning($"Task took longer than 60 seconds to complete, killing");
//Status.RequestedTask.
}
Status.Update(new Task<bool>(() => { return (Status.Dependant as Server).ProcessUpdatesAsync(Status.GetToken()).Result; })); Status.Update(new Task<bool>(() => { return (Status.Dependant as Server).ProcessUpdatesAsync(Status.GetToken()).Result; }));
if (Status.RunAverage > 1000 + UPDATE_FREQUENCY) if (Status.RunAverage > 1000 + UPDATE_FREQUENCY)
Logger.WriteWarning($"Update task average execution is longer than desired for {(Status.Dependant as Server)} [{Status.RunAverage}ms]"); Logger.WriteWarning($"Update task average execution is longer than desired for {(Status.Dependant as Server)} [{Status.RunAverage}ms]");
@ -218,13 +216,16 @@ namespace IW4MAdmin
S.Broadcast("^1IW4MAdmin going offline!"); S.Broadcast("^1IW4MAdmin going offline!");
#endif #endif
_servers.Clear(); _servers.Clear();
WebThread.Abort(); WebSvc.WebScheduler.Stop();
webServiceTask.Stop(); WebSvc.SchedulerThread.Join();
} }
public void Stop() public void Stop()
{ {
// tell threads it's time to stop
foreach (var status in TaskStatuses)
status.TokenSrc.Cancel();
Running = false; Running = false;
} }

View File

@ -15,11 +15,13 @@ namespace IW4MAdmin
{ {
public class IW4MServer : Server public class IW4MServer : Server
{ {
private CancellationToken cts;
public IW4MServer(IManager mgr, ServerConfiguration cfg) : base(mgr, cfg) { } public IW4MServer(IManager mgr, ServerConfiguration cfg) : base(mgr, cfg) { }
public override int GetHashCode() public override int GetHashCode()
{ {
return Math.Abs(IP.GetHashCode() + Port); return Math.Abs($"{IP}:{Port.ToString()}".GetHashCode());
} }
override public async Task<bool> AddPlayer(Player polledPlayer) override public async Task<bool> AddPlayer(Player polledPlayer)
{ {
@ -32,7 +34,7 @@ namespace IW4MAdmin
if (Players[polledPlayer.ClientNumber] != null && if (Players[polledPlayer.ClientNumber] != null &&
Players[polledPlayer.ClientNumber].NetworkId == polledPlayer.NetworkId) Players[polledPlayer.ClientNumber].NetworkId == polledPlayer.NetworkId)
{ {
// update their ping // update their ping & score
Players[polledPlayer.ClientNumber].Ping = polledPlayer.Ping; Players[polledPlayer.ClientNumber].Ping = polledPlayer.Ping;
Players[polledPlayer.ClientNumber].Score = polledPlayer.Score; Players[polledPlayer.ClientNumber].Score = polledPlayer.Score;
return true; return true;
@ -117,6 +119,17 @@ namespace IW4MAdmin
Players[player.ClientNumber] = player; Players[player.ClientNumber] = player;
Logger.WriteInfo($"Client {player} connecting..."); Logger.WriteInfo($"Client {player} connecting...");
// give trusted rank
if (Config.AllowTrustedRank &&
player.TotalConnectionTime / 60.0 >= 2880 &&
player.Level < Player.Permission.Trusted &&
player.Level != Player.Permission.Flagged)
{
player.Level = Player.Permission.Trusted;
await player.Tell("Congratulations, you are now a ^5trusted ^7player! Type ^5!help ^7to view new commands.");
await player.Tell("You earned this by playing for ^53 ^7full days!");
}
await ExecuteEvent(new Event(Event.GType.Connect, "", player, null, this)); await ExecuteEvent(new Event(Event.GType.Connect, "", player, null, this));
// if (NewPlayer.Level > Player.Permission.Moderator) // if (NewPlayer.Level > Player.Permission.Moderator)
@ -261,7 +274,9 @@ namespace IW4MAdmin
E.Target = matchingPlayers.First(); E.Target = matchingPlayers.First();
E.Data = Regex.Replace(E.Data, $"\"{E.Target.Name}\"", "", RegexOptions.IgnoreCase).Trim(); E.Data = Regex.Replace(E.Data, $"\"{E.Target.Name}\"", "", RegexOptions.IgnoreCase).Trim();
if (E.Data.ToLower().Trim() == E.Target.Name.ToLower().Trim()) if ((E.Data.ToLower().Trim() == E.Target.Name.ToLower().Trim() ||
E.Data == String.Empty) &&
C.RequiresTarget)
{ {
await E.Origin.Tell($"Not enough arguments supplied!"); await E.Origin.Tell($"Not enough arguments supplied!");
await E.Origin.Tell(C.Syntax); await E.Origin.Tell(C.Syntax);
@ -284,8 +299,11 @@ namespace IW4MAdmin
{ {
E.Target = matchingPlayers.First(); E.Target = matchingPlayers.First();
E.Data = Regex.Replace(E.Data, $"{E.Target.Name}", "", RegexOptions.IgnoreCase).Trim(); E.Data = Regex.Replace(E.Data, $"{E.Target.Name}", "", RegexOptions.IgnoreCase).Trim();
E.Data = Regex.Replace(E.Data, $"{Args[0]}", "", RegexOptions.IgnoreCase).Trim();
if (E.Data.Trim() == E.Target.Name.ToLower().Trim()) if ((E.Data.Trim() == E.Target.Name.ToLower().Trim() ||
E.Data == String.Empty) &&
C.RequiresTarget)
{ {
await E.Origin.Tell($"Not enough arguments supplied!"); await E.Origin.Tell($"Not enough arguments supplied!");
await E.Origin.Tell(C.Syntax); await E.Origin.Tell(C.Syntax);
@ -316,6 +334,9 @@ namespace IW4MAdmin
try try
#endif #endif
{ {
if (cts.IsCancellationRequested)
break;
await P.OnEventAsync(E, this); await P.OnEventAsync(E, this);
} }
#if !DEBUG #if !DEBUG
@ -362,6 +383,7 @@ namespace IW4MAdmin
override public async Task<bool> ProcessUpdatesAsync(CancellationToken cts) override public async Task<bool> ProcessUpdatesAsync(CancellationToken cts)
{ {
this.cts = cts;
#if DEBUG == false #if DEBUG == false
try try
#endif #endif
@ -400,7 +422,12 @@ namespace IW4MAdmin
if ((DateTime.Now - tickTime).TotalMilliseconds >= 1000) if ((DateTime.Now - tickTime).TotalMilliseconds >= 1000)
{ {
foreach (var Plugin in SharedLibrary.Plugins.PluginImporter.ActivePlugins) foreach (var Plugin in SharedLibrary.Plugins.PluginImporter.ActivePlugins)
{
if (cts.IsCancellationRequested)
break;
await Plugin.OnTickAsync(this); await Plugin.OnTickAsync(this);
}
tickTime = DateTime.Now; tickTime = DateTime.Now;
} }
@ -459,6 +486,11 @@ namespace IW4MAdmin
} }
oldLines = lines; oldLines = lines;
l_size = LogFile.Length(); l_size = LogFile.Length();
if (!((ApplicationManager)Manager).Running)
{
foreach (var plugin in SharedLibrary.Plugins.PluginImporter.ActivePlugins)
await plugin.OnUnloadAsync();
}
return true; return true;
} }
#if DEBUG == false #if DEBUG == false

View File

@ -16,6 +16,7 @@ namespace IW4MAdmin
int Port = 0; int Port = 0;
string Password; string Password;
bool AllowMultipleOwners; bool AllowMultipleOwners;
bool AllowTrustedRank;
while (IP == String.Empty) while (IP == String.Empty)
{ {
@ -53,7 +54,18 @@ namespace IW4MAdmin
Console.Write("Allow multiple owners? [y/n]: "); Console.Write("Allow multiple owners? [y/n]: ");
AllowMultipleOwners = (Console.ReadLine().ToLower().FirstOrDefault() as char?) == 'y'; AllowMultipleOwners = (Console.ReadLine().ToLower().FirstOrDefault() as char?) == 'y';
var config = new ServerConfiguration() { IP = IP, Password = Password, Port = Port, AllowMultipleOwners = AllowMultipleOwners }; Console.Write("Allow trusted rank? [y/n]: ");
AllowTrustedRank = (Console.ReadLine().ToLower().FirstOrDefault() as char?) == 'y';
var config = new ServerConfiguration()
{
IP = IP,
Password = Password,
Port = Port,
AllowMultipleOwners = AllowMultipleOwners,
AllowTrustedRank = AllowTrustedRank
};
config.Write(); config.Write();
Console.Write("Configuration saved, add another? [y/n]:"); Console.Write("Configuration saved, add another? [y/n]:");

View File

@ -19,12 +19,14 @@ namespace IW4MAdmin
{ {
public class WebService public class WebService
{ {
public static IServer webService; public IServer WebServer { get; private set; }
public IScheduler WebScheduler { get; private set; }
public Thread SchedulerThread { get; private set; }
public static IScheduler GetScheduler() public void StartScheduler()
{ {
var webScheduler = Kayak.KayakScheduler.Factory.Create(new Scheduler()); WebScheduler = KayakScheduler.Factory.Create(new Scheduler());
webService = KayakServer.Factory.CreateHttp(new Request(), webScheduler); WebServer = KayakServer.Factory.CreateHttp(new Request(), WebScheduler);
SharedLibrary.WebService.PageList.Add(new Pages()); SharedLibrary.WebService.PageList.Add(new Pages());
SharedLibrary.WebService.PageList.Add(new Homepage()); SharedLibrary.WebService.PageList.Add(new Homepage());
@ -40,13 +42,14 @@ namespace IW4MAdmin
SharedLibrary.WebService.PageList.Add(new AdminsJSON()); SharedLibrary.WebService.PageList.Add(new AdminsJSON());
SharedLibrary.WebService.PageList.Add(new Admins()); SharedLibrary.WebService.PageList.Add(new Admins());
Thread scheduleThread = new Thread(() => { ScheduleThreadStart(webScheduler, webService); }) SchedulerThread = new Thread(() => {
ScheduleThreadStart(WebScheduler, WebServer);
})
{ {
Name = "Web Service Thread" Name = "Web Service Thread"
}; };
scheduleThread.Start();
return webScheduler; SchedulerThread.Start();
} }
private static void ScheduleThreadStart(IScheduler S, IServer ss) private static void ScheduleThreadStart(IScheduler S, IServer ss)

View File

@ -1,7 +1,8 @@
60 60
Over ^5{{TOTALPLAYTIME}} ^7man hours have been played on this server!
This server uses ^5IW4M Admin v{{VERSION}} ^7get it at ^5raidmax.org/IW4MAdmin This server uses ^5IW4M Admin v{{VERSION}} ^7get it at ^5raidmax.org/IW4MAdmin
^5IW4M Admin ^7sees ^5YOU! ^5IW4M Admin ^7sees ^5YOU!
This server has harvested the information of ^5{{TOTALPLAYERS}} ^7players! This server has harvested the information of ^5{{TOTALPLAYERS}} ^7players!
Cheaters are ^1unwelcome ^7 on this server Cheaters are ^1unwelcome ^7 on this server
Did you know 8/10 people agree with unverified statistics? Did you know 8/10 people agree with unverified statistics?
^5{{TOTALKILLS}} ^7innocent people having been murdered in this server! ^5{{TOTALKILLS}} ^7innocent people have been murdered in this server!

Binary file not shown.

View File

@ -1,188 +0,0 @@
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
using SharedLibrary;
using System.IO;
using System.Data;
namespace StatsPlugin
{
public class ChatDatabase : _Database
{
private string[] CommonWords = new string[] { "for",
"with",
"from",
"about",
"your",
"just",
"into",
"over",
"after",
"that",
"not",
"you",
"this",
"but",
"his",
"they",
"then",
"her",
"she",
"will",
"one",
"all",
"would",
"there",
"their",
"have",
"say",
"get",
"make",
"know",
"take",
"see",
"come",
"think",
"look",
"want",
"can",
"was",
"give",
"use",
"find",
"tell",
"ask",
"work",
"seem",
"feel",
"try",
"leave",
"call",
"good",
"new",
"first",
"last",
"long",
"great",
"little",
"own",
"other",
"old",
"right",
"big",
"high",
"small",
"large",
"next",
"early",
"young",
"important",
"few",
"public",
"same",
"able",
"the",
"and",
"that",
"than",
"have",
"this",
"one",
"would",
"yeah",
"yah",
"why",
"who" ,
"when",
"where",
};
public ChatDatabase(string FN, SharedLibrary.Interfaces.ILogger logger) : base(FN, logger)
{
}
public override void Init()
{
if (!File.Exists(FileName))
{
string createChatHistory = @"CREATE TABLE `CHATHISTORY` (
`ClientID` INTEGER NOT NULL,
`Message` TEXT NOT NULL,
`ServerID` INTEGER NOT NULL,
`TimeSent` TEXT NOT NULL
);";
ExecuteNonQuery(createChatHistory);
string createChatStats = @"CREATE TABLE `WORDSTATS` (
`Word` TEXT NOT NULL,
`Count` INTEGER NOT NULL DEFAULT 1,
PRIMARY KEY(`Word`)
);";
ExecuteNonQuery(createChatStats);
}
}
private List<ChatHistory> GetChatHistoryFromQuery(DataTable dt)
{
return dt.Select().Select(q => new ChatHistory()
{
ClientID = Convert.ToInt32(q["ClientID"].ToString()),
Message = q["Message"].ToString(),
ServerID = Convert.ToInt32(q["ServerID"].ToString()),
TimeSent = DateTime.Parse(q["TimeSent"].ToString())
})
.ToList();
}
public List<ChatHistory> GetChatForPlayer(int clientID)
{
var queryResult = GetDataTable("CHATHISTORY", new KeyValuePair<string, object>("ClientID", clientID));
return GetChatHistoryFromQuery(queryResult);
}
public List<ChatHistory> GetChatForServer(int serverID)
{
var queryResult = GetDataTable("CHATHISTORY", new KeyValuePair<string, object>("ServerID", serverID));
return GetChatHistoryFromQuery(queryResult);
}
public void AddChatHistory(int clientID, int serverID, string message)
{
if (message.Length < 3)
return;
var chat = new Dictionary<string, object>()
{
{ "ClientID", clientID },
{ "ServerID", serverID },
{ "Message", message},
{ "TimeSent", DateTime.UtcNow }
};
Insert("CHATHISTORY", chat);
var eachWord = message.Split(new char[] { ' ' }, StringSplitOptions.RemoveEmptyEntries)
.Where (word => word.Length >= 3)
.Where(word => CommonWords.FirstOrDefault(c => c == word.ToLower()) == null)
.ToList();
foreach (string _word in eachWord)
{
string word = _word.ToLower();
Insert("WORDSTATS", new Dictionary<string, object>() { { "Word", word } }, true);
UpdateIncrement("WORDSTATS", "Count", new Dictionary<string, object>() { { "Count", 1 } }, new KeyValuePair<string, object>("Word", word));
}
}
public KeyValuePair<string, int>[] GetWords()
{
var result = GetDataTable("SELECT * FROM WORDSTATS ORDER BY Count desc LIMIT 200");
return result.Select().Select(w => new KeyValuePair<string, int>(w["Word"].ToString(), Convert.ToInt32(w["Count"].ToString()))).ToArray();
}
}
}

View File

@ -1,16 +0,0 @@
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
namespace StatsPlugin
{
public class ChatHistory
{
public int ClientID { get; set; }
public string Message { get; set; }
public int ServerID { get; set; }
public DateTime TimeSent { get; set; }
}
}

View File

@ -1,89 +0,0 @@
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
using SharedLibrary;
using System.Collections.Specialized;
namespace StatsPlugin.Chat
{
public class ChatPage : HTMLPage
{
public override string GetContent(NameValueCollection querySet, IDictionary<string, string> headers)
{
StringBuilder S = new StringBuilder();
S.Append(LoadHeader());
IFile chat = new IFile("webfront\\chat.html");
S.Append(chat.GetText());
chat.Close();
S.Append(LoadFooter());
return S.ToString();
}
public override string GetName() => "Word Cloud";
public override string GetPath() => "/chat";
}
public class WordCloudJSON : IPage
{
public string GetName() => "Word Cloud JSON";
public string GetPath() => "/_words";
public string GetContentType() => "application/json";
public bool Visible() => false;
public HttpResponse GetPage(NameValueCollection querySet, IDictionary<string, string> headers)
{
HttpResponse resp = new HttpResponse()
{
contentType = GetContentType(),
content = Stats.ChatDB.GetWords().Select(w => new
{
Word = w.Key,
Count = w.Value
})
.OrderByDescending(x => x.Count)
.ToArray(),
additionalHeaders = new Dictionary<string, string>()
};
return resp;
}
}
public class ClientChatJSON : IPage
{
public string GetName() => "Client Chat JSON";
public string GetPath() => "/_clientchat";
public string GetContentType() => "application/json";
public bool Visible() => false;
public HttpResponse GetPage(NameValueCollection querySet, IDictionary<string, string> headers)
{
int clientID = Convert.ToInt32(querySet["clientid"]);
var name = Stats.ManagerInstance.GetDatabase().GetClient(clientID).Name;
HttpResponse resp = new HttpResponse()
{
contentType = GetContentType(),
content = Stats.ChatDB.GetChatForPlayer(clientID).ToArray().Select(c => new
{
ClientID = c.ClientID,
ServerID = c.ServerID,
Message = c.Message,
TimeSent = c.TimeSent,
ClientName = name,
}),
additionalHeaders = new Dictionary<string, string>()
};
return resp;
}
}
}

View File

@ -0,0 +1,40 @@
using SharedLibrary;
using SharedLibrary.Objects;
using StatsPlugin.Models;
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
namespace StatsPlugin.Commands
{
public class ResetStats : Command
{
public ResetStats() : base("resetstats", "reset your stats to factory-new", "rs", Player.Permission.User, false) { }
public override async Task ExecuteAsync(Event E)
{
if (E.Origin.ClientNumber >= 0)
{
var svc = new SharedLibrary.Services.GenericRepository<EFClientStatistics>();
var stats = svc.Find(s => s.ClientId == E.Origin.ClientId).First();
stats.Deaths = 0;
stats.Kills = 0;
stats.SPM = 0;
stats.Skill = 0;
// fixme: this doesn't work properly when another context exists
await svc.SaveChangesAsync();
await E.Origin.Tell("Your stats have been reset");
}
else
{
await E.Origin.Tell("You must be connected to a server to reset your stats");
}
}
}
}

View File

@ -0,0 +1,43 @@
using SharedLibrary;
using SharedLibrary.Objects;
using SharedLibrary.Services;
using StatsPlugin.Models;
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
namespace StatsPlugin.Commands
{
class TopStats : Command
{
public TopStats() : base("topstats", "view the top 5 players on this server", "ts", Player.Permission.User, false) { }
public override async Task ExecuteAsync(Event E)
{
var statsSvc = new GenericRepository<EFClientStatistics>();
var iqStats = statsSvc.GetQuery(cs => cs.Active);
var topStats = iqStats.Where(cs => cs.Skill > 100)
.OrderByDescending(cs => cs.Skill)
.Take(5)
.ToList();
if (!E.Message.IsBroadcastCommand())
{
await E.Origin.Tell("^5--Top Players--");
foreach (var stat in topStats)
await E.Origin.Tell($"^3{stat.Client.Name}^7 - ^5{stat.KDR} ^7KDR | ^5{stat.Skill} ^7SKILL");
}
else
{
await E.Owner.Broadcast("^5--Top Players--");
foreach (var stat in topStats)
await E.Owner.Broadcast($"^3{stat.Client.Name}^7 - ^5{stat.KDR} ^7KDR | ^5{stat.Skill} ^7SKILL");
}
}
}
}

View File

@ -0,0 +1,72 @@
using SharedLibrary;
using SharedLibrary.Objects;
using SharedLibrary.Services;
using StatsPlugin.Models;
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
namespace StatsPlugin.Commands
{
public class CViewStats : Command
{
public CViewStats() : base("stats", "view your stats", "xlrstats", Player.Permission.User, false, new CommandArgument[]
{
new CommandArgument()
{
Name = "player",
Required = false
}
})
{ }
public override async Task ExecuteAsync(Event E)
{
if (E.Origin.ClientNumber < 0)
{
await E.Origin.Tell("You must be ingame to view your stats");
return;
}
String statLine;
EFClientStatistics pStats;
if (E.Data.Length > 0 && E.Target == null)
{
await E.Origin.Tell("Cannot find the player you specified");
return;
}
var clientStats = new GenericRepository<EFClientStatistics>();
if (E.Target != null)
{
pStats = clientStats.Find(c => c.ClientId == E.Target.ClientId).First();
statLine = String.Format("^5{0} ^7KILLS | ^5{1} ^7DEATHS | ^5{2} ^7KDR | ^5{3} ^7SKILL", pStats.Kills, pStats.Deaths, pStats.KDR, pStats.Skill);
}
else
{
pStats = pStats = clientStats.Find(c => c.ClientId == E.Origin.ClientId).First();
statLine = String.Format("^5{0} ^7KILLS | ^5{1} ^7DEATHS | ^5{2} ^7KDR | ^5{3} ^7SKILL", pStats.Kills, pStats.Deaths, pStats.KDR, pStats.Skill);
}
if (E.Message.IsBroadcastCommand())
{
string name = E.Target == null ? E.Origin.Name : E.Target.Name;
await E.Owner.Broadcast($"Stats for ^5{name}^7");
await E.Owner.Broadcast(statLine);
}
else
{
if (E.Target != null)
await E.Origin.Tell($"Stats for ^5{E.Target.Name}^7");
await E.Origin.Tell(statLine);
}
}
}
}

View File

@ -14,22 +14,16 @@ namespace StatsPlugin.Helpers
public class StatManager public class StatManager
{ {
private Dictionary<int, ServerStats> Servers; private Dictionary<int, ServerStats> Servers;
private Dictionary<int, ThreadSafeStatsService> ContextThreads;
private ILogger Log; private ILogger Log;
private IManager Manager; private IManager Manager;
private GenericRepository<EFClientStatistics> ClientStatSvc;
private GenericRepository<EFServer> ServerSvc;
private GenericRepository<EFClientKill> KillStatsSvc;
private GenericRepository<EFServerStatistics> ServerStatsSvc;
public StatManager(IManager mgr) public StatManager(IManager mgr)
{ {
Servers = new Dictionary<int, ServerStats>(); Servers = new Dictionary<int, ServerStats>();
ContextThreads = new Dictionary<int, ThreadSafeStatsService>();
Log = mgr.GetLogger(); Log = mgr.GetLogger();
Manager = mgr; Manager = mgr;
ClientStatSvc = new GenericRepository<EFClientStatistics>();
ServerSvc = new GenericRepository<EFServer>();
KillStatsSvc = new GenericRepository<EFClientKill>();
ServerStatsSvc = new GenericRepository<EFServerStatistics>();
} }
~StatManager() ~StatManager()
@ -48,9 +42,11 @@ namespace StatsPlugin.Helpers
try try
{ {
int serverId = sv.GetHashCode(); int serverId = sv.GetHashCode();
var statsSvc = new ThreadSafeStatsService();
ContextThreads.Add(serverId, statsSvc);
// get the server from the database if it exists, otherwise create and insert a new one // get the server from the database if it exists, otherwise create and insert a new one
var server = ServerSvc.Find(c => c.ServerId == serverId).FirstOrDefault(); var server = statsSvc.ServerSvc.Find(c => c.ServerId == serverId).FirstOrDefault();
if (server == null) if (server == null)
{ {
server = new EFServer() server = new EFServer()
@ -60,17 +56,16 @@ namespace StatsPlugin.Helpers
ServerId = serverId ServerId = serverId
}; };
ServerSvc.Insert(server); statsSvc.ServerSvc.Insert(server);
} }
// this doesn't need to be async as it's during initialization // this doesn't need to be async as it's during initialization
ServerSvc.SaveChanges(); statsSvc.ServerSvc.SaveChanges();
InitializeServerStats(sv);
ServerStatsSvc.SaveChanges();
var serverStats = ServerStatsSvc.Find(c => c.ServerId == serverId).FirstOrDefault();
// check to see if the stats have ever been initialized // check to see if the stats have ever been initialized
InitializeServerStats(sv);
statsSvc.ServerStatsSvc.SaveChanges();
var serverStats = statsSvc.ServerStatsSvc.Find(c => c.ServerId == serverId).FirstOrDefault();
Servers.Add(serverId, new ServerStats(server, serverStats)); Servers.Add(serverId, new ServerStats(server, serverStats));
} }
@ -89,10 +84,11 @@ namespace StatsPlugin.Helpers
{ {
int serverId = pl.CurrentServer.GetHashCode(); int serverId = pl.CurrentServer.GetHashCode();
var playerStats = Servers[serverId].PlayerStats; var playerStats = Servers[serverId].PlayerStats;
var statsSvc = ContextThreads[serverId];
// get the client's stats from the database if it exists, otherwise create and attach a new one // get the client's stats from the database if it exists, otherwise create and attach a new one
// if this fails we want to throw an exception // if this fails we want to throw an exception
var clientStats = ClientStatSvc.Find(c => c.ClientId == pl.ClientId && c.ServerId == serverId).FirstOrDefault(); var clientStats = statsSvc.ClientStatSvc.Find(c => c.ClientId == pl.ClientId && c.ServerId == serverId).FirstOrDefault();
if (clientStats == null) if (clientStats == null)
{ {
clientStats = new EFClientStatistics() clientStats = new EFClientStatistics()
@ -106,7 +102,7 @@ namespace StatsPlugin.Helpers
SPM = 0.0, SPM = 0.0,
}; };
clientStats = ClientStatSvc.Insert(clientStats); clientStats = statsSvc.ClientStatSvc.Insert(clientStats);
} }
// set these on connecting // set these on connecting
@ -125,17 +121,32 @@ namespace StatsPlugin.Helpers
return clientStats; return clientStats;
} }
/// <summary>
/// Perform stat updates for disconnecting client
/// </summary>
/// <param name="pl">Disconnecting client</param>
/// <returns></returns>
public async Task RemovePlayer(Player pl) public async Task RemovePlayer(Player pl)
{ {
int serverId = pl.CurrentServer.GetHashCode(); int serverId = pl.CurrentServer.GetHashCode();
var playerStats = Servers[serverId].PlayerStats; var playerStats = Servers[serverId].PlayerStats;
var serverStats = Servers[serverId].ServerStatistics;
var statsSvc = ContextThreads[serverId];
// get individual client's stats // get individual client's stats
var clientStats = playerStats[pl.ClientNumber]; var clientStats = playerStats[pl.ClientNumber];
// remove the client from the stats dictionary as they're leaving // remove the client from the stats dictionary as they're leaving
lock (playerStats) lock (playerStats)
playerStats.Remove(pl.ClientNumber); playerStats.Remove(pl.ClientNumber);
var serverStats = ServerStatsSvc.Find(sv => sv.ServerId == serverId).FirstOrDefault(); // sync their stats before they leave
clientStats.Client = pl;
UpdateStats(clientStats);
clientStats.Client = null;
// todo: should this be saved every disconnect?
await statsSvc.ClientStatSvc.SaveChangesAsync();
// increment the total play time
serverStats.TotalPlayTime += (int)(DateTime.UtcNow - pl.LastConnection).TotalSeconds; serverStats.TotalPlayTime += (int)(DateTime.UtcNow - pl.LastConnection).TotalSeconds;
} }
@ -148,6 +159,8 @@ namespace StatsPlugin.Helpers
{ {
AddStandardKill(attacker, victim); AddStandardKill(attacker, victim);
var statsSvc = ContextThreads[serverId];
var kill = new EFClientKill() var kill = new EFClientKill()
{ {
Active = true, Active = true,
@ -163,8 +176,8 @@ namespace StatsPlugin.Helpers
Weapon = ParseEnum<IW4Info.WeaponName>.Get(weapon, typeof(IW4Info.WeaponName)) Weapon = ParseEnum<IW4Info.WeaponName>.Get(weapon, typeof(IW4Info.WeaponName))
}; };
KillStatsSvc.Insert(kill); statsSvc.KillStatsSvc.Insert(kill);
await KillStatsSvc.SaveChangesAsync(); await statsSvc.KillStatsSvc.SaveChangesAsync();
} }
public void AddStandardKill(Player attacker, Player victim) public void AddStandardKill(Player attacker, Player victim)
@ -183,8 +196,9 @@ namespace StatsPlugin.Helpers
// immediately write changes in debug // immediately write changes in debug
#if DEBUG #if DEBUG
ClientStatSvc.SaveChanges(); var statsSvc = ContextThreads[serverId];
ServerStatsSvc.SaveChanges(); statsSvc.ClientStatSvc.SaveChanges();
statsSvc.ServerStatsSvc.SaveChanges();
#endif #endif
} }
@ -262,7 +276,9 @@ namespace StatsPlugin.Helpers
public void InitializeServerStats(Server sv) public void InitializeServerStats(Server sv)
{ {
int serverId = sv.GetHashCode(); int serverId = sv.GetHashCode();
var serverStats = ServerStatsSvc.Find(s => s.ServerId == serverId).FirstOrDefault(); var statsSvc = ContextThreads[serverId];
var serverStats = statsSvc.ServerStatsSvc.Find(s => s.ServerId == serverId).FirstOrDefault();
if (serverStats == null) if (serverStats == null)
{ {
Log.WriteDebug($"Initializing server stats for {sv}"); Log.WriteDebug($"Initializing server stats for {sv}");
@ -275,29 +291,46 @@ namespace StatsPlugin.Helpers
TotalPlayTime = 0, TotalPlayTime = 0,
}; };
var ieClientStats = ClientStatSvc.Find(cs => cs.ServerId == serverId); var ieClientStats = statsSvc.ClientStatSvc.Find(cs => cs.ServerId == serverId);
// set these incase they've we've imported settings // set these incase they've we've imported settings
serverStats.TotalKills = ieClientStats.Sum(cs => cs.Kills); serverStats.TotalKills = ieClientStats.Sum(cs => cs.Kills);
serverStats.TotalPlayTime = Manager.GetClientService().GetTotalPlayTime().Result; serverStats.TotalPlayTime = Manager.GetClientService().GetTotalPlayTime().Result;
ServerStatsSvc.Insert(serverStats); statsSvc.ServerStatsSvc.Insert(serverStats);
} }
} }
public async Task Sync() public async Task AddMessageAsync(int clientId, int serverId, string message)
{ {
var messageSvc = ContextThreads[serverId].MessageSvc;
messageSvc.Insert(new EFClientMessage()
{
Active = true,
ClientId = clientId,
Message = message,
ServerId = serverId,
TimeSent = DateTime.UtcNow
});
await messageSvc.SaveChangesAsync();
}
public async Task Sync(Server sv)
{
int serverId = sv.GetHashCode();
var statsSvc = ContextThreads[serverId];
Log.WriteDebug("Syncing server stats"); Log.WriteDebug("Syncing server stats");
await ServerStatsSvc.SaveChangesAsync(); await statsSvc.ServerStatsSvc.SaveChangesAsync();
Log.WriteDebug("Syncing client stats"); Log.WriteDebug("Syncing client stats");
await ClientStatSvc.SaveChangesAsync(); await statsSvc.ClientStatSvc.SaveChangesAsync();
Log.WriteDebug("Syncing kill stats"); Log.WriteDebug("Syncing kill stats");
await KillStatsSvc.SaveChangesAsync(); await statsSvc.KillStatsSvc.SaveChangesAsync();
Log.WriteDebug("Syncing servers"); Log.WriteDebug("Syncing servers");
await ServerSvc.SaveChangesAsync(); await statsSvc.ServerSvc.SaveChangesAsync();
} }
} }
} }

View File

@ -0,0 +1,29 @@
using SharedLibrary.Services;
using StatsPlugin.Models;
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
namespace StatsPlugin.Helpers
{
public class ThreadSafeStatsService
{
public GenericRepository<EFClientStatistics> ClientStatSvc { get; private set; }
public GenericRepository<EFServer> ServerSvc { get; private set; }
public GenericRepository<EFClientKill> KillStatsSvc { get; private set; }
public GenericRepository<EFServerStatistics> ServerStatsSvc { get; private set; }
public GenericRepository<EFClientMessage> MessageSvc { get; private set; }
public ThreadSafeStatsService()
{
ClientStatSvc = new GenericRepository<EFClientStatistics>();
ServerSvc = new GenericRepository<EFServer>();
KillStatsSvc = new GenericRepository<EFClientKill>();
ServerStatsSvc = new GenericRepository<EFServerStatistics>();
MessageSvc = new GenericRepository<EFClientMessage>();
}
}
}

View File

@ -0,0 +1,25 @@
using SharedLibrary.Database.Models;
using System;
using System.Collections.Generic;
using System.ComponentModel.DataAnnotations;
using System.ComponentModel.DataAnnotations.Schema;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
namespace StatsPlugin.Models
{
public class EFClientMessage : SharedEntity
{
[Key]
public long MessageId { get; set; }
public int ServerId { get; set; }
[ForeignKey("ServerId")]
public virtual EFServer Server { get; set; }
public int ClientId { get; set; }
[ForeignKey("ClientId")]
public virtual EFClient Client { get; set; }
public string Message { get; set; }
public DateTime TimeSent { get; set; }
}
}

View File

@ -0,0 +1,44 @@
using SharedLibrary;
using SharedLibrary.Database.Models;
using SharedLibrary.Services;
using StatsPlugin.Models;
using System;
using System.Collections.Generic;
using System.Collections.Specialized;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
namespace StatsPlugin.Pages
{
public class ClientMessageJson : IPage
{
public string GetName() => "Client Chat JSON";
public string GetPath() => "/_clientchat";
public string GetContentType() => "application/json";
public bool Visible() => false;
public async Task<HttpResponse> GetPage(NameValueCollection querySet, IDictionary<string, string> headers)
{
int clientId = Convert.ToInt32(querySet["clientid"]);
var messageSvc = new GenericRepository<EFClientMessage>();
var clientMessages = (await messageSvc.FindAsync(m => m.ClientId == clientId));
HttpResponse resp = new HttpResponse()
{
contentType = GetContentType(),
content = clientMessages.Select(c => new
{
ClientID = c.ClientId,
ServerID = c.ServerId,
c.Message,
c.TimeSent,
ClientName = c.Client.Name,
}),
additionalHeaders = new Dictionary<string, string>()
};
return resp;
}
}
}

View File

@ -0,0 +1,30 @@
using SharedLibrary;
using System;
using System.Collections.Generic;
using System.Collections.Specialized;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
namespace StatsPlugin.Pages
{
public class ClientMessages : HTMLPage
{
public override string GetContent(NameValueCollection querySet, IDictionary<string, string> headers)
{
StringBuilder S = new StringBuilder();
S.Append(LoadHeader());
IFile chat = new IFile("webfront\\chat.html");
S.Append(chat.GetText());
chat.Close();
S.Append(LoadFooter());
return S.ToString();
}
public override string GetName() => "Word Cloud";
public override string GetPath() => "/chat";
}
}

View File

@ -0,0 +1,30 @@
using SharedLibrary;
using System;
using System.Collections.Generic;
using System.Collections.Specialized;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
namespace StatsPlugin.Pages
{
public class LiveStats : HTMLPage
{
public override string GetContent(NameValueCollection querySet, IDictionary<string, string> headers)
{
StringBuilder S = new StringBuilder();
S.Append(LoadHeader());
IFile stats = new IFile("webfront\\stats.html");
S.Append(stats.GetText());
stats.Close();
S.Append(LoadFooter());
return S.ToString();
}
public override string GetName() => "Server Stats";
public override string GetPath() => "/stats";
}
}

View File

@ -1,45 +1,25 @@
using System; using SharedLibrary;
using System;
using System.Collections.Generic; using System.Collections.Generic;
using System.Collections.Specialized; using System.Collections.Specialized;
using System.Linq; using System.Linq;
using System.Text; using System.Text;
using System.Threading.Tasks; using System.Threading.Tasks;
using SharedLibrary; namespace StatsPlugin.Pages
namespace StatsPlugin
{ {
public class StatsPage : HTMLPage class LiveStatsJson : IPage
{
public override string GetContent(NameValueCollection querySet, IDictionary<string, string> headers)
{
StringBuilder S = new StringBuilder();
S.Append(LoadHeader());
IFile stats = new IFile("webfront\\stats.html");
S.Append(stats.GetText());
stats.Close();
S.Append(LoadFooter());
return S.ToString();
}
public override string GetName() => "Stats";
public override string GetPath() => "/stats";
}
class KillStatsJSON : IPage
{ {
public string GetName() => "Kill Stats JSON"; public string GetName() => "Kill Stats JSON";
public string GetPath() => "/_killstats"; public string GetPath() => "/_killstats";
public string GetContentType() => "application/json"; public string GetContentType() => "application/json";
public bool Visible() => false; public bool Visible() => false;
public HttpResponse GetPage(NameValueCollection querySet, IDictionary<string, string> headers) public async Task<HttpResponse> GetPage(NameValueCollection querySet, IDictionary<string, string> headers)
{ {
// todo: redo this
int selectCount = Stats.MAX_KILLEVENTS; return await Task.FromResult(new HttpResponse());
/*int selectCount = Stats.MAX_KILLEVENTS;
if (querySet.Get("count") != null) if (querySet.Get("count") != null)
selectCount = Int32.Parse(querySet.Get("count")); selectCount = Int32.Parse(querySet.Get("count"));
@ -62,7 +42,7 @@ namespace StatsPlugin
}, },
additionalHeaders = new Dictionary<string, string>() additionalHeaders = new Dictionary<string, string>()
}; };
return resp; return resp;*/
} }
} }
} }

View File

@ -0,0 +1,32 @@
using SharedLibrary;
using System;
using System.Collections.Generic;
using System.Collections.Specialized;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
namespace StatsPlugin.Pages
{
public class WordCloudJson : IPage
{
public string GetName() => "Word Cloud JSON";
public string GetPath() => "/_words";
public string GetContentType() => "application/json";
public bool Visible() => false;
public async Task<HttpResponse> GetPage(NameValueCollection querySet, IDictionary<string, string> headers)
{
// todo: this
HttpResponse resp = new HttpResponse()
{
contentType = GetContentType(),
content = null,
additionalHeaders = new Dictionary<string, string>()
};
return resp;
}
}
}

View File

@ -10,6 +10,7 @@ using SharedLibrary.Interfaces;
using SharedLibrary.Services; using SharedLibrary.Services;
using StatsPlugin.Helpers; using StatsPlugin.Helpers;
using StatsPlugin.Models; using StatsPlugin.Models;
using StatsPlugin.Pages;
namespace StatsPlugin namespace StatsPlugin
{ {
@ -22,6 +23,7 @@ namespace StatsPlugin
public string Author => "RaidMax"; public string Author => "RaidMax";
private StatManager Manager; private StatManager Manager;
private IManager ServerManager;
public async Task OnEventAsync(Event E, Server S) public async Task OnEventAsync(Event E, Server S)
{ {
@ -39,11 +41,13 @@ namespace StatsPlugin
await Manager.RemovePlayer(E.Origin); await Manager.RemovePlayer(E.Origin);
break; break;
case Event.GType.Say: case Event.GType.Say:
if (E.Data != string.Empty)
await Manager.AddMessageAsync(E.Origin.ClientId, E.Owner.GetHashCode(), E.Data);
break; break;
case Event.GType.MapChange: case Event.GType.MapChange:
break; break;
case Event.GType.MapEnd: case Event.GType.MapEnd:
await Manager.Sync(); await Manager.Sync(S);
break; break;
case Event.GType.Broadcast: case Event.GType.Broadcast:
break; break;
@ -66,7 +70,7 @@ namespace StatsPlugin
case Event.GType.Kill: case Event.GType.Kill:
string[] killInfo = (E.Data != null) ? E.Data.Split(';') : new string[0]; string[] killInfo = (E.Data != null) ? E.Data.Split(';') : new string[0];
if (killInfo.Length >= 9 && killInfo[0].Contains("ScriptKill")) if (killInfo.Length >= 9 && killInfo[0].Contains("ScriptKill"))
await Manager.AddScriptKill(E.Origin, E.Target, S.GetHashCode(), S.CurrentMap.Name, killInfo[7], killInfo[8], killInfo[5], killInfo[6], killInfo[3], killInfo[4]); await Manager.AddScriptKill(E.Origin, E.Target, S.GetHashCode(), S.CurrentMap.Name, killInfo[7], killInfo[8], killInfo[5], killInfo[6], killInfo[3], killInfo[4]);
break; break;
case Event.GType.Death: case Event.GType.Death:
break; break;
@ -75,15 +79,11 @@ namespace StatsPlugin
public Task OnLoadAsync(IManager manager) public Task OnLoadAsync(IManager manager)
{ {
/* // todo: is this fast?
*
ManagerInstance.GetMessageTokens().Add(new MessageToken("TOTALKILLS", GetTotalKills));
ManagerInstance.GetMessageTokens().Add(new MessageToken("TOTALPLAYTIME", GetTotalPlaytime));
*/
string totalKills() string totalKills()
{ {
var serverStats = new GenericRepository<EFServerStatistics>(); var serverStats = new GenericRepository<EFServerStatistics>();
return serverStats.GetQuery(s => s.Active) return serverStats.Find(s => s.Active)
.Sum(c => c.TotalKills).ToString(); .Sum(c => c.TotalKills).ToString();
} }
@ -96,6 +96,13 @@ namespace StatsPlugin
manager.GetMessageTokens().Add(new MessageToken("TOTALKILLS", totalKills)); manager.GetMessageTokens().Add(new MessageToken("TOTALKILLS", totalKills));
manager.GetMessageTokens().Add(new MessageToken("TOTALPLAYTIME", totalPlayTime)); manager.GetMessageTokens().Add(new MessageToken("TOTALPLAYTIME", totalPlayTime));
WebService.PageList.Add(new ClientMessageJson());
WebService.PageList.Add(new ClientMessages());
WebService.PageList.Add(new LiveStats());
ServerManager = manager;
return Task.FromResult( return Task.FromResult(
Manager = new StatManager(manager) Manager = new StatManager(manager)
); );
@ -103,14 +110,13 @@ namespace StatsPlugin
public async Task OnTickAsync(Server S) public async Task OnTickAsync(Server S)
{ {
} }
public Task OnUnloadAsync() public async Task OnUnloadAsync()
{ {
return Task.FromResult( foreach (var sv in ServerManager.GetServers())
Manager = null await Manager.Sync(sv);
);
} }
} }
} }

View File

@ -67,23 +67,28 @@
<Reference Include="System.Xml" /> <Reference Include="System.Xml" />
</ItemGroup> </ItemGroup>
<ItemGroup> <ItemGroup>
<None Include="Chat\ChatDatabase.cs" /> <Compile Include="Commands\ResetStats.cs" />
<None Include="Chat\ChatHistory.cs" /> <Compile Include="Commands\TopStats.cs" />
<None Include="Chat\ChatHistoryPage.cs" /> <Compile Include="Commands\ViewStats.cs" />
<Compile Include="Helpers\ServerStats.cs" /> <Compile Include="Helpers\ServerStats.cs" />
<Compile Include="Helpers\StatManager.cs" /> <Compile Include="Helpers\StatManager.cs" />
<Compile Include="Helpers\StreakMessage.cs" /> <Compile Include="Helpers\StreakMessage.cs" />
<Compile Include="Helpers\ThreadSafeStatsService.cs" />
<Compile Include="IW4Info.cs" /> <Compile Include="IW4Info.cs" />
<Compile Include="MinimapConfig.cs" /> <Compile Include="MinimapConfig.cs" />
<Compile Include="Models\EFClientKill.cs" /> <Compile Include="Models\EFClientKill.cs" />
<Compile Include="Models\EFClientMessage.cs" />
<Compile Include="Models\EFServer.cs" /> <Compile Include="Models\EFServer.cs" />
<Compile Include="Models\EFClientStatistics.cs" /> <Compile Include="Models\EFClientStatistics.cs" />
<Compile Include="Models\EFServerStatistics.cs" /> <Compile Include="Models\EFServerStatistics.cs" />
<Compile Include="Pages\ClientMessages.cs" />
<Compile Include="Pages\ClientMessageJson.cs" />
<Compile Include="Pages\LiveStats.cs" />
<Compile Include="Pages\LiveStatsJson.cs" />
<Compile Include="Pages\WordCloudJson.cs" />
<Compile Include="Plugin.cs" /> <Compile Include="Plugin.cs" />
<None Include="_Plugin.cs" /> <None Include="_Plugin.cs" />
<Compile Include="Properties\AssemblyInfo.cs" /> <Compile Include="Properties\AssemblyInfo.cs" />
<None Include="StatsPage.cs" />
<None Include="TrustedGroupCommands.cs" />
</ItemGroup> </ItemGroup>
<ItemGroup> <ItemGroup>
<ProjectReference Include="..\..\SharedLibrary\SharedLibrary.csproj"> <ProjectReference Include="..\..\SharedLibrary\SharedLibrary.csproj">

View File

@ -1,44 +0,0 @@
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
using SharedLibrary;
using SharedLibrary.Interfaces;
using SharedLibrary.Helpers;
namespace StatsPlugin
{
public class CEnableTrusted : Command
{
public CEnableTrusted() : base("enabletrusted", "enable trusted player group for the server", "et", Player.Permission.Owner, false) { }
public override async Task ExecuteAsync(Event E)
{
var config = new ConfigurationManager(E.Owner);
if (config.GetProperty("EnableTrusted") == null)
config.AddProperty(new KeyValuePair<string, object>("EnableTrusted", true));
else
config.UpdateProperty(new KeyValuePair<string, object>("EnableTrusted", true));
await E.Origin.Tell("Trusted group has been disabled for this server");
}
}
public class CDisableTrusted : Command
{
public CDisableTrusted() : base("disabletrusted", "disable trusted player group for the server", "dt", Player.Permission.Owner, false) { }
public override async Task ExecuteAsync(Event E)
{
var config = new ConfigurationManager(E.Owner);
if (config.GetProperty("EnableTrusted") == null)
config.AddProperty(new KeyValuePair<string, object>("EnableTrusted", false));
else
config.UpdateProperty(new KeyValuePair<string, object>("EnableTrusted", false));
await E.Origin.Tell("Trusted group has been disabled for this server");
}
}
}

View File

@ -13,145 +13,6 @@ using StatsPlugin.Models;
namespace StatsPlugin namespace StatsPlugin
{ {
public class CViewStats : Command
{
public CViewStats() : base("stats", "view your stats", "xlrstats", Player.Permission.User, false, new CommandArgument[]
{
new CommandArgument()
{
Name = "player",
Required = false
}
})
{ }
public override async Task ExecuteAsync(Event E)
{
if (E.Origin.ClientNumber < 0)
{
await E.Origin.Tell("You must be ingame to view your stats");
return;
}
String statLine;
EFClientStatistics pStats;
if (E.Data.Length > 0 && E.Target == null)
{
await E.Origin.Tell("Cannot find the player you specified");
return;
}
if (E.Target != null)
{
pStats = Stats.statLists.Find(x => x.Port == E.Owner.GetPort()).clientStats[E.Origin.ClientNumber];
statLine = String.Format("^5{0} ^7KILLS | ^5{1} ^7DEATHS | ^5{2} ^7KDR | ^5{3} ^7SKILL", pStats.Kills, pStats.Deaths, pStats.KDR, pStats.Skill);
}
else
{
pStats = Stats.statLists.Find(x => x.Port == E.Owner.GetPort()).clientStats[E.Origin.ClientNumber];
statLine = String.Format("^5{0} ^7KILLS | ^5{1} ^7DEATHS | ^5{2} ^7KDR | ^5{3} ^7SKILL", pStats.Kills, pStats.Deaths, pStats.KDR, pStats.Skill);
}
if (E.Message.IsBroadcastCommand())
{
string name = E.Target == null ? E.Origin.Name : E.Target.Name;
await E.Owner.Broadcast($"Stats for ^5{name}^7");
await E.Owner.Broadcast(statLine);
}
else
{
if (E.Target != null)
await E.Origin.Tell($"Stats for ^5{E.Target.Name}^7");
await E.Origin.Tell(statLine);
}
}
}
public class CViewTopStats : Command
{
public CViewTopStats() :
base("topstats", "view the top 5 players on this server", "ts", Player.Permission.User, false)
{ }
public override async Task ExecuteAsync(Event E)
{
List<KeyValuePair<String, PlayerStats>> pStats = Stats.statLists.Find(x => x.Port == E.Owner.GetPort()).playerStats.GetTopStats();
StringBuilder msgBlder = new StringBuilder();
await E.Origin.Tell("^5--Top Players--");
foreach (KeyValuePair<String, PlayerStats> pStat in pStats)
{
/* Player P = E.Owner.Manager.GetDatabase().GetClient(pStat.Key) as Player;
if (P == null)
continue;
await E.Origin.Tell(String.Format("^3{0}^7 - ^5{1} ^7KDR | ^5{2} ^7SKILL", P.Name, pStat.Value.KDR, pStat.Value.Skill));*/
}
}
}
public class CResetStats : Command
{
public CResetStats() : base("resetstats", "reset your stats to factory-new", "rs", Player.Permission.User, false) { }
public override async Task ExecuteAsync(Event E)
{
if (E.Origin.ClientNumber >= 0)
{
var svc = new SharedLibrary.Services.GenericService<EFClientStatistics>();
var stats = Stats.statLists[E.Owner.GetPort()].clientStats[E.Origin.ClientNumber];
await svc.Delete(stats);
await E.Origin.Tell("Your stats have been reset");
}
else
{
await E.Origin.Tell("You must be connected to a server to reset your stats");
}
}
}
public class CPruneAdmins : Command
{
public CPruneAdmins() : base("prune", "demote any admins that have not connected recently (defaults to 30 days)", "p", Player.Permission.Owner, false, new CommandArgument[]
{
new CommandArgument()
{
Name = "inactive days",
Required = false
}
})
{ }
public override async Task ExecuteAsync(Event E)
{
int inactiveDays = 30;
try
{
if (E.Data.Length > 0)
{
inactiveDays = Int32.Parse(E.Data);
if (inactiveDays < 1)
throw new FormatException();
}
}
catch (FormatException)
{
await E.Origin.Tell("Invalid number of inactive days");
return;
}
var inactiveAdmins = await E.Owner.Manager.GetDatabase().PruneInactivePrivilegedClients(inactiveDays);
await E.Origin.Tell($"Pruned inactive {inactiveAdmins.Count} privileged users");
}
}
/// <summary> /// <summary>
/// Each server runs from the same plugin ( for easier reloading and reduced memory usage ). /// Each server runs from the same plugin ( for easier reloading and reduced memory usage ).
@ -181,63 +42,7 @@ namespace StatsPlugin
public Queue<KillInfo> GetKillQueue() { return KillQueue; } public Queue<KillInfo> GetKillQueue() { return KillQueue; }
} }
public class KillInfo
{
public IW4Info.HitLocation HitLoc { get; set; }
public string HitLocString => HitLoc.ToString();
public IW4Info.MeansOfDeath DeathType { get; set; }
public string DeathTypeString => DeathType.ToString();
public int Damage { get; set; }
public IW4Info.WeaponName Weapon { get; set; }
public string WeaponString => Weapon.ToString();
public Vector3 KillOrigin { get; set; }
public Vector3 DeathOrigin { get; set; }
// http://wiki.modsrepository.com/index.php?title=Call_of_Duty_5:_Gameplay_standards for conversion to meters
public double Distance => Vector3.Distance(KillOrigin, DeathOrigin) * 0.0254;
public string KillerPlayer { get; set; }
public int KillerPlayerID { get; set; }
public string VictimPlayer { get; set; }
public int VictimPlayerID { get; set; }
public IW4Info.MapName Map { get; set; }
public int ID => GetHashCode();
public KillInfo() { }
public KillInfo(int killer, int victim, string map, string hit, string type, string damage, string weapon, string kOrigin, string dOrigin)
{
KillerPlayerID = killer;
VictimPlayerID = victim;
Map = ParseEnum<IW4Info.MapName>.Get(map, typeof(IW4Info.MapName));
HitLoc = ParseEnum<IW4Info.HitLocation>.Get(hit, typeof(IW4Info.HitLocation));
DeathType = ParseEnum<IW4Info.MeansOfDeath>.Get(type, typeof(IW4Info.MeansOfDeath));
Damage = Int32.Parse(damage);
Weapon = ParseEnum<IW4Info.WeaponName>.Get(weapon, typeof(IW4Info.WeaponName));
KillOrigin = Vector3.Parse(kOrigin);
DeathOrigin = Vector3.Parse(dOrigin);
}
}
public static List<StatTracking> statLists;
public class StatTracking
{
public DateTime[] lastKill, connectionTime;
public int[] inactiveMinutes, Kills, deathStreaks, killStreaks;
public int Port;
public Models.EFClientStatistics[] clientStats;
public StatTracking(int port)
{
clientStats = new Models.EFClientStatistics[18];
inactiveMinutes = new int[18];
Kills = new int[18];
deathStreaks = new int[18];
killStreaks = new int[18];
lastKill = new DateTime[18];
connectionTime = new DateTime[18];
Port = port;
}
}
public string Name => "Basic Stats"; public string Name => "Basic Stats";
@ -365,214 +170,9 @@ namespace StatsPlugin
ServerStats[S.GetPort()].GetKillQueue().Clear(); ServerStats[S.GetPort()].GetKillQueue().Clear();
ServerStats[S.GetPort()].RoundStartTime = DateTime.Now; ServerStats[S.GetPort()].RoundStartTime = DateTime.Now;
} }
if (E.Type == Event.GType.Disconnect)
{
CalculateAndSaveSkill(E.Origin, statLists.Find(x => x.Port == S.GetPort()));
ResetCounters(E.Origin.ClientNumber, S.GetPort());
E.Owner.Logger.WriteInfo($"Updated skill for disconnecting client {E.Origin}");
}
if (E.Type == Event.GType.Kill)
{
if (E.Origin == E.Target || E.Origin == null)
return;
string[] killInfo = (E.Data != null) ? E.Data.Split(';') : new string[0];
if (killInfo.Length >= 9 && killInfo[0].Contains("ScriptKill"))
{
var killEvent = new KillInfo(E.Origin.ClientNumber, E.Target.ClientNumber, S.CurrentMap.Name, killInfo[7], killInfo[8], killInfo[5], killInfo[6], killInfo[3], killInfo[4])
{
KillerPlayer = E.Origin.Name,
VictimPlayer = E.Target.Name,
};
if (ServerStats[S.GetPort()].GetKillQueue().Count > MAX_KILLEVENTS - 1)
ServerStats[S.GetPort()].GetKillQueue().Dequeue();
ServerStats[S.GetPort()].GetKillQueue().Enqueue(killEvent);
//S.Logger.WriteInfo($"{E.Origin.Name} killed {E.Target.Name} with a {killEvent.Weapon} from a distance of {Vector3.Distance(killEvent.KillOrigin, killEvent.DeathOrigin)} with {killEvent.Damage} damage, at {killEvent.HitLoc}");
var cs = statLists.Find(x => x.Port == S.GetPort());
cs.playerStats.AddKill(killEvent);
}
Player Killer = E.Origin;
StatTracking curServer = statLists.Find(x => x.Port == S.GetPort());
var killerStats = curServer.clientStats[]
if (killerStats == null)
killerStats = new PlayerStats(0, 0, 0, 0, 0, 0);
curServer.lastKill[E.Origin.ClientNumber] = DateTime.Now;
curServer.Kills[E.Origin.ClientNumber]++;
if ((DateTime.Now - curServer.lastKill[E.Origin.ClientNumber]).TotalSeconds > 120)
curServer.inactiveMinutes[E.Origin.ClientNumber] += 2;
killerStats.Kills++;
killerStats.KDR = (killerStats.Deaths == 0) ? killerStats.Kills : killerStats.KDR = Math.Round((double)killerStats.Kills / (double)killerStats.Deaths, 2);
curServer.playerStats.UpdateStats(Killer, killerStats);
curServer.killStreaks[Killer.ClientNumber] += 1;
curServer.deathStreaks[Killer.ClientNumber] = 0;
await Killer.Tell(MessageOnStreak(curServer.killStreaks[Killer.ClientNumber], curServer.deathStreaks[Killer.ClientNumber]));
}
if (E.Type == Event.GType.Death)
{
if (E.Origin == E.Target || E.Origin == null)
return;
Player Victim = E.Origin;
StatTracking curServer = statLists.Find(x => x.Port == S.GetPort());
PlayerStats victimStats = curServer.playerStats.GetStats(Victim);
if (victimStats == null)
victimStats = new PlayerStats(0, 0, 0, 0, 0, 0);
victimStats.Deaths++;
victimStats.KDR = Math.Round(victimStats.Kills / (double)victimStats.Deaths, 2);
curServer.playerStats.UpdateStats(Victim, victimStats);
curServer.deathStreaks[Victim.ClientNumber] += 1;
curServer.killStreaks[Victim.ClientNumber] = 0;
await Victim.Tell(MessageOnStreak(curServer.killStreaks[Victim.ClientNumber], curServer.deathStreaks[Victim.ClientNumber]));
}
if (E.Type == Event.GType.Say)
{
ChatDB.AddChatHistory(E.Origin.ClientNumber, E.Owner.GetPort(), E.Data);
}
} }
catch (Exception e)
{
S.Logger.WriteWarning("StatsPlugin::OnEventAsync failed to complete");
S.Logger.WriteDebug($"Server:{S}\r\nOrigin:{E.Origin}\r\nTarget:{E.Target}");
S.Logger.WriteDebug($"Exception: {e.Message}");
}
}
public static string GetTotalKills()
{
long Kills = 0;
foreach (var S in statLists)
Kills += S.playerStats.GetTotalServerKills();
return Kills.ToString("#,##0");
}
public static string GetTotalPlaytime()
{
long Playtime = 0;
foreach (var S in statLists)
Playtime += S.playerStats.GetTotalServerPlaytime();
return Playtime.ToString("#,##0");
}
private void CalculateAndSaveSkill(Player P, StatTracking curServer)
{
if (P == null)
return;
var DisconnectingPlayerStats = curServer.clientStats[P.ClientNumber];
if (curServer.Kills[P.ClientNumber] == 0)
return;
//else if (curServer.lastKill[P.ClientNumber] > curServer.connectionTime[P.ClientNumber])
// curServer.inactiveMinutes[P.ClientNumber] += (int)(DateTime.Now - curServer.lastKill[P.ClientNumber]).TotalMinutes;
int newPlayTime = (int)(DateTime.Now - P.LastConnection).TotalMinutes;
// (int)(DateTime.Now - curServer.connectionTime[P.ClientNumber]).TotalMinutes - curServer.inactiveMinutes[P.ClientNumber];
// calculate the players Score Per Minute for the current session
double SessionSPM = curServer.Kills[P.ClientNumber] * 100 / Math.Max(1, newPlayTime);
// calculate how much the KDR should way
// 1.637 is a Eddie-Generated number that weights the KDR nicely
double KDRWeight = Math.Round(Math.Pow(DisconnectingPlayerStats.KDR, 1.637 / Math.E), 3);
double SPMWeightAgainstAverage;
// if no SPM, weight is 1 else the weight is the current sessions spm / lifetime average score per minute
SPMWeightAgainstAverage = (DisconnectingPlayerStats.SPM == 1) ? 1 : SessionSPM / DisconnectingPlayerStats.SPM;
// calculate the weight of the new play time againmst lifetime playtime
double SPMAgainstPlayWeight = newPlayTime / Math.Min(600, P.TotalConnectionTime + newPlayTime);
// calculate the new weight against average times the weight against play time
double newSkillFactor = SPMWeightAgainstAverage * SPMAgainstPlayWeight * SessionSPM;
// if the weight is greater than 1, add, else subtract
DisconnectingPlayerStats.SPM += (SPMWeightAgainstAverage >= 1) ? newSkillFactor : -newSkillFactor;
DisconnectingPlayerStats.Skill = DisconnectingPlayerStats.SPM * KDRWeight * 10;
ClientStatsSvc.Update(DisconnectingPlayerStats);
}
private void ResetCounters(int cID, int serverPort)
{
StatTracking selectedPlayers = statLists.Find(x => x.Port == serverPort);
if (selectedPlayers == null)
return;
selectedPlayers.Kills[cID] = 0;
selectedPlayers.connectionTime[cID] = DateTime.Now;
selectedPlayers.inactiveMinutes[cID] = 0;
selectedPlayers.deathStreaks[cID] = 0;
selectedPlayers.killStreaks[cID] = 0;
}
private String MessageOnStreak(int killStreak, int deathStreak)
{
String Message = "";
switch (killStreak)
{
case 5:
Message = "Great job! You're on a ^55 killstreak!";
break;
case 10:
Message = "Amazing! ^510 kills ^7without dying!";
break;
}
switch (deathStreak)
{
case 5:
Message = "Pick it up soldier, you've died ^55 times ^7in a row...";
break;
case 10:
Message = "Seriously? ^510 deaths ^7without getting a kill?";
break;
}
return Message;
}
} }
public class PlayerStats
{
public PlayerStats(int K, int D, double DR, double S, double sc, int P)
{
Kills = K;
Deaths = D;
KDR = DR;
Skill = S;
scorePerMinute = sc;
TotalPlayTime = P;
}
public int Kills;
public int Deaths;
public double KDR;
public double Skill;
public double scorePerMinute;
public int TotalPlayTime;
}
}

View File

@ -7,7 +7,9 @@ using System.Threading.Tasks;
using SharedLibrary.Network; using SharedLibrary.Network;
using SharedLibrary.Helpers; using SharedLibrary.Helpers;
using SharedLibrary.Objects; using SharedLibrary.Objects;
using SharedLibrary.Database;
using System.Data.Entity;
using SharedLibrary.Database.Models;
namespace SharedLibrary.Commands namespace SharedLibrary.Commands
{ {
@ -917,4 +919,56 @@ namespace SharedLibrary.Commands
await E.Origin.Tell($"Your external IP is ^5{E.Origin.IPAddress}"); await E.Origin.Tell($"Your external IP is ^5{E.Origin.IPAddress}");
} }
} }
public class CPruneAdmins : Command
{
public CPruneAdmins() : base("prune", "demote any admins that have not connected recently (defaults to 30 days)", "p", Player.Permission.Owner, false, new CommandArgument[]
{
new CommandArgument()
{
Name = "inactive days",
Required = false
}
})
{ }
public override async Task ExecuteAsync(Event E)
{
int inactiveDays = 30;
try
{
if (E.Data.Length > 0)
{
inactiveDays = Int32.Parse(E.Data);
if (inactiveDays < 1)
throw new FormatException();
}
}
catch (FormatException)
{
await E.Origin.Tell("Invalid number of inactive days");
return;
}
List<EFClient> inactiveUsers = null;
// update user roles
using (var context = new DatabaseContext())
{
var lastActive = DateTime.UtcNow.AddDays(-inactiveDays);
inactiveUsers = await context.Clients
.Where(c => c.Level > Player.Permission.Flagged && c.Level <= Player.Permission.Moderator)
.Where(c => c.LastConnection < lastActive)
.ToListAsync();
inactiveUsers.ForEach(c => c.Level = Player.Permission.User);
await context.SaveChangesAsync();
}
await E.Origin.Tell($"Pruned inactive {inactiveUsers.Count} privileged users");
}
}
} }

View File

@ -21,7 +21,7 @@ namespace SharedLibrary.Database
public DatabaseContext() : base("DefaultConnection") public DatabaseContext() : base("DefaultConnection")
{ {
System.Data.Entity.Database.SetInitializer(new Initializer()); System.Data.Entity.Database.SetInitializer(new Initializer());
Configuration.LazyLoadingEnabled = false; Configuration.LazyLoadingEnabled = true;
} }
protected override void OnModelCreating(DbModelBuilder modelBuilder) protected override void OnModelCreating(DbModelBuilder modelBuilder)

View File

@ -9,17 +9,17 @@ namespace SharedLibrary.Helpers
{ {
public sealed class AsyncStatus public sealed class AsyncStatus
{ {
CancellationToken Token;
DateTime StartTime; DateTime StartTime;
int TimesRun; int TimesRun;
int UpdateFrequency; int UpdateFrequency;
public double RunAverage { get; private set; } public double RunAverage { get; private set; }
public object Dependant { get; private set; } public object Dependant { get; private set; }
public Task RequestedTask { get; private set; } public Task RequestedTask { get; private set; }
public CancellationTokenSource TokenSrc { get; private set; }
public AsyncStatus(object dependant, int frequency) public AsyncStatus(object dependant, int frequency)
{ {
Token = new CancellationToken(); TokenSrc = new CancellationTokenSource();
StartTime = DateTime.Now; StartTime = DateTime.Now;
Dependant = dependant; Dependant = dependant;
UpdateFrequency = frequency; UpdateFrequency = frequency;
@ -29,7 +29,7 @@ namespace SharedLibrary.Helpers
public CancellationToken GetToken() public CancellationToken GetToken()
{ {
return Token; return TokenSrc.Token;
} }
public double ElapsedMillisecondsTime() public double ElapsedMillisecondsTime()
@ -39,6 +39,10 @@ namespace SharedLibrary.Helpers
public void Update(Task<bool> T) public void Update(Task<bool> T)
{ {
// reset the token source
TokenSrc.Dispose();
TokenSrc = new CancellationTokenSource();
RequestedTask = T; RequestedTask = T;
// Console.WriteLine($"Starting Task {T.Id} "); // Console.WriteLine($"Starting Task {T.Id} ");
RequestedTask.Start(); RequestedTask.Start();

View File

@ -26,77 +26,78 @@ namespace SharedLibrary.Network
static string[] SendQuery(QueryType Type, Server QueryServer, string Parameters = "") static string[] SendQuery(QueryType Type, Server QueryServer, string Parameters = "")
{ {
if ((DateTime.Now - LastQuery).TotalMilliseconds < 300) using (var ServerOOBConnection = new UdpClient())
Task.Delay(300).Wait();
LastQuery = DateTime.Now;
var ServerOOBConnection = new UdpClient();
ServerOOBConnection.Client.SendTimeout = 1000;
ServerOOBConnection.Client.ReceiveTimeout = 1000;
var Endpoint = new IPEndPoint(IPAddress.Parse(QueryServer.GetIP()), QueryServer.GetPort());
string QueryString = String.Empty;
switch (Type)
{ {
case QueryType.DVAR: // prevent flooding
case QueryType.COMMAND: if ((DateTime.Now - LastQuery).TotalMilliseconds < 300)
QueryString = $"ÿÿÿÿrcon {QueryServer.Password} {Parameters}"; Task.Delay(300).Wait();
break; LastQuery = DateTime.Now;
case QueryType.GET_STATUS:
QueryString = "ÿÿÿÿ getstatus";
break;
}
byte[] Payload = GetRequestBytes(QueryString); ServerOOBConnection.Client.SendTimeout = 1000;
ServerOOBConnection.Client.ReceiveTimeout = 1000;
var Endpoint = new IPEndPoint(IPAddress.Parse(QueryServer.GetIP()), QueryServer.GetPort());
int attempts = 0; string QueryString = String.Empty;
retry:
try switch (Type)
{
ServerOOBConnection.Connect(Endpoint);
ServerOOBConnection.Send(Payload, Payload.Length);
byte[] ReceiveBuffer = new byte[8192];
StringBuilder QueryResponseString = new StringBuilder();
do
{ {
ReceiveBuffer = ServerOOBConnection.Receive(ref Endpoint); case QueryType.DVAR:
QueryResponseString.Append(Encoding.ASCII.GetString(ReceiveBuffer).TrimEnd('\0')); case QueryType.COMMAND:
} while (ServerOOBConnection.Available > 0 && ServerOOBConnection.Client.Connected); QueryString = $"ÿÿÿÿrcon {QueryServer.Password} {Parameters}";
break;
ServerOOBConnection.Close(); case QueryType.GET_STATUS:
QueryString = "ÿÿÿÿ getstatus";
if (QueryResponseString.ToString().Contains("Invalid password")) break;
throw new Exceptions.NetworkException("RCON password is invalid");
if (QueryResponseString.ToString().Contains("rcon_password"))
throw new Exceptions.NetworkException("RCON password has not been set");
int num = int.Parse("0a", System.Globalization.NumberStyles.AllowHexSpecifier);
string[] SplitResponse = QueryResponseString.ToString().Split(new char[] { (char)num }, StringSplitOptions.RemoveEmptyEntries);
return SplitResponse;
}
catch (Exceptions.NetworkException e)
{
throw e;
}
catch (Exception e)
{
attempts++;
if (attempts > 2)
{
var ne = new Exceptions.NetworkException("Could not communicate with the server");
ne.Data["internal_exception"] = e.Message;
ne.Data["server_address"] = ServerOOBConnection.Client.RemoteEndPoint.ToString();
ServerOOBConnection.Close();
throw ne;
} }
Thread.Sleep(1000); byte[] Payload = GetRequestBytes(QueryString);
goto retry;
int attempts = 0;
retry:
try
{
ServerOOBConnection.Connect(Endpoint);
ServerOOBConnection.Send(Payload, Payload.Length);
byte[] ReceiveBuffer = new byte[8192];
StringBuilder QueryResponseString = new StringBuilder();
do
{
ReceiveBuffer = ServerOOBConnection.Receive(ref Endpoint);
QueryResponseString.Append(Encoding.ASCII.GetString(ReceiveBuffer).TrimEnd('\0'));
} while (ServerOOBConnection.Available > 0 && ServerOOBConnection.Client.Connected);
if (QueryResponseString.ToString().Contains("Invalid password"))
throw new Exceptions.NetworkException("RCON password is invalid");
if (QueryResponseString.ToString().Contains("rcon_password"))
throw new Exceptions.NetworkException("RCON password has not been set");
int num = int.Parse("0a", System.Globalization.NumberStyles.AllowHexSpecifier);
string[] SplitResponse = QueryResponseString.ToString().Split(new char[] { (char)num }, StringSplitOptions.RemoveEmptyEntries);
return SplitResponse;
}
catch (Exceptions.NetworkException e)
{
throw e;
}
catch (Exception e)
{
attempts++;
if (attempts > 2)
{
var ne = new Exceptions.NetworkException("Could not communicate with the server");
ne.Data["internal_exception"] = e.Message;
ne.Data["server_address"] = ServerOOBConnection.Client.RemoteEndPoint.ToString();
throw ne;
}
Thread.Sleep(1000);
goto retry;
}
} }
} }

View File

@ -9,6 +9,7 @@ namespace SharedLibrary
public string Password; public string Password;
public string FtpPrefix; public string FtpPrefix;
public bool AllowMultipleOwners; public bool AllowMultipleOwners;
public bool AllowTrustedRank;
public override string Filename() public override string Filename()
{ {

View File

@ -41,11 +41,17 @@ namespace SharedLibrary.Services
} }
} }
public virtual async Task<IList<TEntity>> FindAsync(Expression<Func<TEntity, bool>> predicate, Func<IQueryable<TEntity>, IOrderedQueryable<TEntity>> orderExpression = null)
{
return await this.GetQuery(predicate, orderExpression).ToListAsync();
}
public virtual IEnumerable<TEntity> Find(Expression<Func<TEntity, bool>> predicate, Func<IQueryable<TEntity>, IOrderedQueryable<TEntity>> orderExpression = null) public virtual IEnumerable<TEntity> Find(Expression<Func<TEntity, bool>> predicate, Func<IQueryable<TEntity>, IOrderedQueryable<TEntity>> orderExpression = null)
{ {
return this.GetQuery(predicate, orderExpression).AsEnumerable(); return this.GetQuery(predicate, orderExpression).AsEnumerable();
} }
public virtual IQueryable<TEntity> GetQuery(Expression<Func<TEntity, bool>> predicate = null, Func<IQueryable<TEntity>, IOrderedQueryable<TEntity>> orderExpression = null) public virtual IQueryable<TEntity> GetQuery(Expression<Func<TEntity, bool>> predicate = null, Func<IQueryable<TEntity>, IOrderedQueryable<TEntity>> orderExpression = null)
{ {
IQueryable<TEntity> qry = this.DBSet; IQueryable<TEntity> qry = this.DBSet;
@ -131,16 +137,10 @@ namespace SharedLibrary.Services
this.Context.SaveChanges(); this.Context.SaveChanges();
} }
public virtual async Task SaveChangesAsync() public virtual Task SaveChangesAsync()
{ {
try return this.Context.SaveChangesAsync();
{
await this.Context.SaveChangesAsync();
}
catch (Exception e)
{
throw e;
}
} }
} }
} }

View File

@ -87,8 +87,8 @@ namespace SharedLibrary
{ {
return new Dictionary<string, string>(); return new Dictionary<string, string>();
} }
abstract public string GetContent(System.Collections.Specialized.NameValueCollection querySet, IDictionary<string, string> headers); abstract public string GetContent(System.Collections.Specialized.NameValueCollection querySet, IDictionary<string, string> headers);
public async Task<HttpResponse> GetPage(System.Collections.Specialized.NameValueCollection querySet, IDictionary<string, string> headers) public async Task<HttpResponse> GetPage(System.Collections.Specialized.NameValueCollection querySet, IDictionary<string, string> headers)
{ {