diff --git a/ItemSpawn/scripting/ItemSpawn.sp b/ItemSpawn/scripting/ItemSpawn.sp index c5278ae6..7358c2ab 100644 --- a/ItemSpawn/scripting/ItemSpawn.sp +++ b/ItemSpawn/scripting/ItemSpawn.sp @@ -39,6 +39,8 @@ public void OnPluginStart() RegAdminCmd("sm_humandog", Command_HumanDog, ADMFLAG_KICK); RegAdminCmd("sm_vortigaunt", Command_Vortigaunt, ADMFLAG_KICK); RegAdminCmd("sm_whiteknight", Command_WhiteKnight, ADMFLAG_KICK); + + LoadTranslations("common.phrases"); } //---------------------------------------------------------------------------------------------------- diff --git a/playerscount_in_hostname/scripting/playerscount_in_hostname.sp b/playerscount_in_hostname/scripting/playerscount_in_hostname.sp new file mode 100644 index 00000000..7bb52cb4 --- /dev/null +++ b/playerscount_in_hostname/scripting/playerscount_in_hostname.sp @@ -0,0 +1,61 @@ +#include +#pragma semicolon 1 + +public Plugin:myinfo = +{ + name = "Players count in hostname", + author = "D1maxa", + description = "Showing number of players in name of server", + version = "1.11", + url = "http://forums.alliedmods.net/showthread.php?t=126060" +}; + +new g_NumClients=0; +new Handle:hostname = INVALID_HANDLE; +new Handle:sv_visiblemaxplayers = INVALID_HANDLE; +new Handle:formatted_hostname = INVALID_HANDLE; + +public OnPluginStart() +{ + hostname = FindConVar("hostname"); + sv_visiblemaxplayers = FindConVar("sv_visiblemaxplayers"); + formatted_hostname=CreateConVar("sm_formatted_hostname", "My Server %d/%d", "Formatted string for dynamic hostname",FCVAR_PLUGIN); +} + +public OnMapStart() +{ + g_NumClients=0; +} + + public OnConfigsExecuted() +{ + SetNumberOfPlayersInHostname(); +} + +public OnClientConnected(client) +{ + if(!IsFakeClient(client)) + { + g_NumClients++; + SetNumberOfPlayersInHostname(); + } +} + +public OnClientDisconnect(client) +{ + if(!IsFakeClient(client)) + { + g_NumClients--; + SetNumberOfPlayersInHostname(); + } +} + +SetNumberOfPlayersInHostname() +{ + decl String:my_buf[64]; + decl String:f_hostname[64]; + GetConVarString(formatted_hostname,f_hostname,sizeof(f_hostname)); + Format(my_buf,sizeof(my_buf),f_hostname,g_NumClients,GetConVarInt(sv_visiblemaxplayers)); + SetConVarString(hostname,my_buf); + ServerCommand("heartbeat"); +} diff --git a/togsjumpstats/scripting/include/autoexecconfig.inc b/togsjumpstats/scripting/include/autoexecconfig.inc new file mode 100644 index 00000000..2491b99a --- /dev/null +++ b/togsjumpstats/scripting/include/autoexecconfig.inc @@ -0,0 +1,876 @@ +#if defined _autoexecconfig_included + #endinput +#endif +#define _autoexecconfig_included + + +#include + + +// Append +#define AUTOEXEC_APPEND_BAD_FILENAME 0 +#define AUTOEXEC_APPEND_FILE_NOT_FOUND 1 +#define AUTOEXEC_APPEND_BAD_HANDLE 2 +#define AUTOEXEC_APPEND_SUCCESS 3 + + + +// Find +#define AUTOEXEC_FIND_BAD_FILENAME 10 +#define AUTOEXEC_FIND_FILE_NOT_FOUND 11 +#define AUTOEXEC_FIND_BAD_HANDLE 12 +#define AUTOEXEC_FIND_NOT_FOUND 13 +#define AUTOEXEC_FIND_SUCCESS 14 + + + +// Clean +#define AUTOEXEC_CLEAN_FILE_NOT_FOUND 20 +#define AUTOEXEC_CLEAN_BAD_HANDLE 21 +#define AUTOEXEC_CLEAN_SUCCESS 22 + + + +// General +#define AUTOEXEC_NO_CONFIG 30 + + + +// Formatter +#define AUTOEXEC_FORMAT_BAD_FILENAME 40 +#define AUTOEXEC_FORMAT_SUCCESS 41 + + + +// Global variables +static char g_sConfigFile[PLATFORM_MAX_PATH]; +static char g_sRawFileName[PLATFORM_MAX_PATH]; +static char g_sFolderPath[PLATFORM_MAX_PATH]; + +static StringMap g_hConvarTrie = null; +static bool g_bCacheEnabled = false; + +static bool g_bCreateFile = false; +static Handle g_hPluginHandle = null; + + + +// Workaround for now +static int g_iLastFindResult; +static int g_iLastAppendResult; + + + + +/** + * Returns the last result from the parser. + * + * @return Returns one of the AUTOEXEC_FIND values or -1 if not set. +*/ +stock int AutoExecConfig_GetFindResult() +{ + return g_iLastFindResult; +} + + + + + +/** + * Returns the last result from the appender. + * + * @return Returns one of the AUTOEXEC_APPEND values or -1 if not set. +*/ +stock int AutoExecConfig_GetAppendResult() +{ + return g_iLastAppendResult; +} + + +/** + * Set if the config file should be created if it doesn't exist yet. + * + * @param create True if config file should be created, false otherwise. + * @noreturn + */ +stock void AutoExecConfig_SetCreateFile(bool create) +{ + g_bCreateFile = create; +} + + +/** + * Returns if the config file should be created if it doesn't exist. + * + * @return Returns true, if the config file should be created or false if it should not. + */ +stock bool AutoExecConfig_GetCreateFile() +{ + return g_bCreateFile; +} + + +/** + * Set the plugin for which the config file should be created. + * Set to null to use the calling plugin. + * Used to print the correct filename in the top comment when creating the file. + * + * @param plugin The plugin to create convars for or null to use the calling plugin. + * @noreturn + */ +stock void AutoExecConfig_SetPlugin(Handle plugin) +{ + g_hPluginHandle = plugin; +} + + +/** + * Returns the plugin for which the config file is created. + * + * @return The plugin handle + */ +stock Handle AutoExecConfig_GetPlugin() +{ + return g_hPluginHandle; +} + + +/** + * Set the global autoconfigfile used by functions of this file. + * + * @param file Name of the config file, path and .cfg extension is being added if not given. + * @param folder Folder under cfg/ to use. By default this is "sourcemod." + * @return True if formatter returned success, false otherwise. +*/ +stock bool AutoExecConfig_SetFile(char[] file, char[] folder="sourcemod") +{ + Format(g_sConfigFile, sizeof(g_sConfigFile), "%s", file); + + // Global buffers for cfg execution + strcopy(g_sRawFileName, sizeof(g_sRawFileName), file); + strcopy(g_sFolderPath, sizeof(g_sFolderPath), folder); + + + // Format the filename + return AutoExecConfig_FormatFileName(g_sConfigFile, sizeof(g_sConfigFile), folder) == AUTOEXEC_FORMAT_SUCCESS; +} + + + + + + +/** + * Get the formatted autoconfigfile used by functions of this file. + * + * @param buffer String to format. + * @param size Maximum size of buffer + * @return True if filename was set, false otherwise. +*/ +stock bool AutoExecConfig_GetFile(char[] buffer,int size) +{ + if (strlen(g_sConfigFile) > 0) + { + strcopy(buffer, size, g_sConfigFile); + + return true; + } + + // Security for decl users + buffer[0] = '\0'; + + return false; +} + + + + + + +/** + * Creates a convar and appends it to the autoconfigfile if not found. + * FCVAR_DONTRECORD will be skipped. + * + * @param name Name of new convar. + * @param defaultValue String containing the default value of new convar. + * @param description Optional description of the convar. + * @param flags Optional bitstring of flags determining how the convar should be handled. See FCVAR_* constants for more details. + * @param hasMin Optional boolean that determines if the convar has a minimum value. + * @param min Minimum floating point value that the convar can have if hasMin is true. + * @param hasMax Optional boolean that determines if the convar has a maximum value. + * @param max Maximum floating point value that the convar can have if hasMax is true. + * @return A handle to the newly created convar. If the convar already exists, a handle to it will still be returned. + * @error Convar name is blank or is the same as an existing console command. +*/ +stock ConVar AutoExecConfig_CreateConVar(const char[] name, const char[] defaultValue, const char[] description="", int flags=0, bool hasMin=false, float min=0.0, bool hasMax=false, float max=0.0) +{ + // If configfile was set and convar has no dontrecord flag + if (!(flags & FCVAR_DONTRECORD) && strlen(g_sConfigFile) > 0) + { + // Reset the results + g_iLastFindResult = -1; + g_iLastAppendResult = -1; + + + // Add it if not found + char buffer[64]; + + g_iLastFindResult = AutoExecConfig_FindValue(name, buffer, sizeof(buffer), true); + + // We only add this convar if it doesn't exist, or the file doesn't exist and it should be auto-generated + if (g_iLastFindResult == AUTOEXEC_FIND_NOT_FOUND || (g_iLastFindResult == AUTOEXEC_FIND_FILE_NOT_FOUND && g_bCreateFile)) + { + g_iLastAppendResult = AutoExecConfig_AppendValue(name, defaultValue, description, flags, hasMin, min, hasMax, max); + } + } + + + // Create the convar + return CreateConVar(name, defaultValue, description, flags, hasMin, min, hasMax, max); +} + + + + +/** + * Executes the autoconfigfile, and adds it to the OnConfigsExecuted forward. + * If we didn't created it already we let SourceMod create it. + * + * @noreturn +*/ +stock void AutoExecConfig_ExecuteFile() +{ + // Only let sourcemod create the file, if we didn't do that already. + AutoExecConfig(!g_bCreateFile, g_sRawFileName, g_sFolderPath); +} + + + + + +/** + * Formats a autoconfigfile, prefixes path and adds .cfg extension if missed. + * + * @param buffer String to format. + * @param size Maximum size of buffer. + * @return Returns one of the AUTOEXEC_FORMAT values.. +*/ +stock static int AutoExecConfig_FormatFileName(char[] buffer, int size, char[] folder="sourcemod") +{ + // No config set + if (strlen(g_sConfigFile) < 1) + { + return AUTOEXEC_NO_CONFIG; + } + + + // Can't be an cfgfile + if (StrContains(g_sConfigFile, ".cfg") == -1 && strlen(g_sConfigFile) < 4) + { + return AUTOEXEC_FORMAT_BAD_FILENAME; + } + + + // Pathprefix + char pathprefixbuffer[PLATFORM_MAX_PATH]; + if (strlen(folder) > 0) + { + Format(pathprefixbuffer, sizeof(pathprefixbuffer), "cfg/%s/", folder); + } + else + { + Format(pathprefixbuffer, sizeof(pathprefixbuffer), "cfg/"); + } + + + char filebuffer[PLATFORM_MAX_PATH]; + filebuffer[0] = '\0'; + + // Add path if file doesn't begin with it + if (StrContains(buffer, pathprefixbuffer) != 0) + { + StrCat(filebuffer, sizeof(filebuffer), pathprefixbuffer); + } + + StrCat(filebuffer, sizeof(filebuffer), g_sConfigFile); + + + // Add .cfg extension if file doesn't end with it + if (StrContains(filebuffer[strlen(filebuffer) - 4], ".cfg") != 0) + { + StrCat(filebuffer, sizeof(filebuffer), ".cfg"); + } + + strcopy(buffer, size, filebuffer); + + return AUTOEXEC_FORMAT_SUCCESS; +} + + + + + + +/** + * Appends a convar to the global autoconfigfile + * + * @param name Name of new convar. + * @param defaultValue String containing the default value of new convar. + * @param description Optional description of the convar. + * @param flags Optional bitstring of flags determining how the convar should be handled. See FCVAR_* constants for more details. + * @param hasMin Optional boolean that determines if the convar has a minimum value. + * @param min Minimum floating point value that the convar can have if hasMin is true. + * @param hasMax Optional boolean that determines if the convar has a maximum value. + * @param max Maximum floating point value that the convar can have if hasMax is true. + * @return Returns one of the AUTOEXEC_APPEND values +*/ +stock int AutoExecConfig_AppendValue(const char[] name, const char[] defaultValue, const char[] description, int flags, bool hasMin, float min, bool hasMax, float max) +{ + // No config set + if (strlen(g_sConfigFile) < 1) + { + return AUTOEXEC_NO_CONFIG; + } + + + char filebuffer[PLATFORM_MAX_PATH]; + strcopy(filebuffer, sizeof(filebuffer), g_sConfigFile); + + + //PrintToServer("pathbuffer: %s", filebuffer); + + bool bFileExists = FileExists(filebuffer); + + if (g_bCreateFile || bFileExists) + { + // If the file already exists we open it in append mode, otherwise we use a write mode which creates the file + File fFile = OpenFile(filebuffer, (bFileExists ? "a" : "w")); + char writebuffer[2048]; + + + if (fFile == null) + { + return AUTOEXEC_APPEND_BAD_HANDLE; + } + + // We just created the file, so add some header about version and stuff + if (g_bCreateFile && !bFileExists) + { + fFile.WriteLine( "// This file was auto-generated by AutoExecConfig read and append beta"); + + GetPluginFilename(g_hPluginHandle, writebuffer, sizeof(writebuffer)); + Format(writebuffer, sizeof(writebuffer), "// ConVars for plugin \"%s\"", writebuffer); + fFile.WriteLine(writebuffer); + } + + // Spacer + fFile.WriteLine("\n"); + + + // This is used for multiline comments + int newlines = GetCharCountInStr('\n', description); + if (newlines == 0) + { + // We have no newlines, we can write the description to the file as is + Format(writebuffer, sizeof(writebuffer), "// %s", description); + fFile.WriteLine(writebuffer); + } + else + { + char[][] newlineBuf = new char[newlines +1][2048]; + ExplodeString(description, "\n", newlineBuf, newlines +1, 2048, false); + + // Each newline gets a commented newline + for (int i; i <= newlines; i++) + { + if (strlen(newlineBuf[i]) > 0) + { + fFile.WriteLine("// %s", newlineBuf[i]); + } + } + } + + + // Descspacer + fFile.WriteLine("// -"); + + + // Default + Format(writebuffer, sizeof(writebuffer), "// Default: \"%s\"", defaultValue); + fFile.WriteLine(writebuffer); + + + // Minimum + if (hasMin) + { + Format(writebuffer, sizeof(writebuffer), "// Minimum: \"%f\"", min); + fFile.WriteLine(writebuffer); + } + + + // Maximum + if (hasMax) + { + Format(writebuffer, sizeof(writebuffer), "// Maximum: \"%f\"", max); + fFile.WriteLine(writebuffer); + } + + + // Write end and defaultvalue + Format(writebuffer, sizeof(writebuffer), "%s \"%s\"", name, defaultValue); + fFile.WriteLine(writebuffer); + + + fFile.Close(); + + + // Clean up the file + //AutoExecConfig_CleanFile(filebuffer, false); + + + return AUTOEXEC_APPEND_SUCCESS; + } + + return AUTOEXEC_APPEND_FILE_NOT_FOUND; +} + + + + + + +/** + * Returns a convars value from the global autoconfigfile + * + * @param cvar Cvar to search for. + * @param value Buffer to store result into. + * @param size Maximum size of buffer. + * @param caseSensitive Whether or not the search should be case sensitive. + * @return Returns one of the AUTOEXEC_FIND values +*/ +stock int AutoExecConfig_FindValue(const char[] cvar, char[] value, int size, bool caseSensitive=false) +{ + // Security for decl users + value[0] = '\0'; + + + // No config set + if (strlen(g_sConfigFile) < 1) + { + return AUTOEXEC_NO_CONFIG; + } + + if (g_bCacheEnabled) + { + char sTrieValue[64]; + + if (g_hConvarTrie.GetString(cvar, sTrieValue, sizeof(sTrieValue))) + { + strcopy(value, size, sTrieValue); + + return AUTOEXEC_FIND_SUCCESS; + } + + return AUTOEXEC_FIND_NOT_FOUND; + } + + + char filebuffer[PLATFORM_MAX_PATH]; + strcopy(filebuffer, sizeof(filebuffer), g_sConfigFile); + + + + //PrintToServer("pathbuffer: %s", filebuffer); + + bool bFileExists = FileExists(filebuffer); + + // We want to create the config file and it doesn't exist yet. + if (g_bCreateFile && !bFileExists) + { + return AUTOEXEC_FIND_FILE_NOT_FOUND; + } + + + if (bFileExists) + { + File fFile = OpenFile(filebuffer, "r"); + int valuestart; + int valueend; + int cvarend; + + // Just an reminder to self, leave the values that high + char sConvar[64]; + char sValue[64]; + char readbuffer[2048]; + char copybuffer[2048]; + + if (fFile == null) + { + return AUTOEXEC_FIND_BAD_HANDLE; + } + + + while (!fFile.EndOfFile() && fFile.ReadLine(readbuffer, sizeof(readbuffer))) + { + // Is a comment or not valid + if (IsCharSpace(readbuffer[0]) || readbuffer[0] == '/' || !IsCharAlpha(readbuffer[0])) + { + continue; + } + + + // Has not enough spaces, must have at least 1 + if (GetCharCountInStr(' ', readbuffer) < 1) + { + continue; + } + + + // Ignore cvars which aren't quoted + if (GetCharCountInStr('"', readbuffer) != 2) + { + continue; + } + + + + // Get the start of the value + if ( (valuestart = StrContains(readbuffer, "\"")) == -1 ) + { + continue; + } + + + // Get the end of the value + if ( (valueend = StrContains(readbuffer[valuestart+1], "\"")) == -1 ) + { + continue; + } + + + // Get the start of the cvar, + if ( (cvarend = StrContains(readbuffer, " ")) == -1 || cvarend >= valuestart) + { + continue; + } + + + // Skip if cvarendindex is before valuestartindex + if (cvarend >= valuestart) + { + continue; + } + + + // Convar + // Tempcopy for security + strcopy(copybuffer, sizeof(copybuffer), readbuffer); + copybuffer[cvarend] = '\0'; + + strcopy(sConvar, sizeof(sConvar), copybuffer); + + + // Value + // Tempcopy for security + strcopy(copybuffer, sizeof(copybuffer), readbuffer[valuestart+1]); + copybuffer[valueend] = '\0'; + + strcopy(sValue, sizeof(sValue), copybuffer); + + + //PrintToServer("Cvar %s has a value of %s", sConvar, sValue); + + if (StrEqual(sConvar, cvar, caseSensitive)) + { + Format(value, size, "%s", sConvar); + + fFile.Close(); + return AUTOEXEC_FIND_SUCCESS; + } + } + + fFile.Close(); + return AUTOEXEC_FIND_NOT_FOUND; + } + + + return AUTOEXEC_FIND_FILE_NOT_FOUND; +} + + + + + + +/** + * Cleans the global autoconfigfile from too much spaces + * + * @return One of the AUTOEXEC_CLEAN values. +*/ +stock int AutoExecConfig_CleanFile() +{ + // No config set + if (strlen(g_sConfigFile) < 1) + { + return AUTOEXEC_NO_CONFIG; + } + + + char sfile[PLATFORM_MAX_PATH]; + strcopy(sfile, sizeof(sfile), g_sConfigFile); + + + // Security + if (!FileExists(sfile)) + { + return AUTOEXEC_CLEAN_FILE_NOT_FOUND; + } + + + + char sfile2[PLATFORM_MAX_PATH]; + Format(sfile2, sizeof(sfile2), "%s_tempcopy", sfile); + + + char readbuffer[2048]; + int count; + bool firstreached; + + + // Open files + File fFile1 = OpenFile(sfile, "r"); + File fFile2 = OpenFile(sfile2, "w"); + + + + // Check filehandles + if (fFile1 == null || fFile2 == null) + { + if (fFile1 != null) + { + //PrintToServer("Handle1 invalid"); + fFile1.Close(); + } + + if (fFile2 != null) + { + //PrintToServer("Handle2 invalid"); + fFile2.Close(); + } + + return AUTOEXEC_CLEAN_BAD_HANDLE; + } + + + + while (!fFile1.EndOfFile() && fFile1.ReadLine(readbuffer, sizeof(readbuffer))) + { + // Is space + if (IsCharSpace(readbuffer[0])) + { + count++; + } + // No space, count from start + else + { + count = 0; + } + + + // Don't write more than 1 space if seperation after informations have been reached + if (count < 2 || !firstreached) + { + ReplaceString(readbuffer, sizeof(readbuffer), "\n", ""); + fFile2.WriteLine(readbuffer); + } + + + // First bigger seperation after informations has been reached + if (count == 2) + { + firstreached = true; + } + } + + + fFile1.Close(); + fFile2.Close(); + + + // This might be a risk, for now it works + DeleteFile(sfile); + RenameFile(sfile, sfile2); + + return AUTOEXEC_CLEAN_SUCCESS; +} + + + + + + +/** + * Returns how many times the given char occures in the given string. + * + * @param str String to search for in. + * @return Occurences of the given char found in string. +*/ +stock static int GetCharCountInStr(int character, const char[] str) +{ + int len = strlen(str); + int count; + + for (int i; i < len; i++) + { + if (str[i] == character) + { + count++; + } + } + + return count; +} + + + + + + +/** + * Reads the existing config file and caches any convars and values that were found. + * + * @param str String to search for in. + * @return True when config existed and could be read, false otherwise. +*/ +stock bool AutoExecConfig_CacheConvars() +{ + if (g_hConvarTrie == null) + { + g_hConvarTrie = new StringMap(); + } + + // No config set + if (strlen(g_sConfigFile) < 1) + { + return false; + } + + + char filebuffer[PLATFORM_MAX_PATH]; + strcopy(filebuffer, sizeof(filebuffer), g_sConfigFile); + + + + //PrintToServer("pathbuffer: %s", filebuffer); + + bool bFileExists = FileExists(filebuffer); + + // We want to create the config file and it doesn't exist yet. + if (!bFileExists) + { + return false; + } + + + + File fFile = OpenFile(filebuffer, "r"); + int valuestart; + int valueend; + int cvarend; + + // Just an reminder to self, leave the values that high + char sConvar[64]; + char sValue[64]; + char readbuffer[2048]; + char copybuffer[2048]; + + if (fFile == null) + { + return false; + } + + + while (!fFile.EndOfFile() && fFile.ReadLine(readbuffer, sizeof(readbuffer))) + { + // Is a comment or not valid + if (IsCharSpace(readbuffer[0]) || readbuffer[0] == '/' || !IsCharAlpha(readbuffer[0])) + { + continue; + } + + + // Has not enough spaces, must have at least 1 + if (GetCharCountInStr(' ', readbuffer) < 1) + { + continue; + } + + + // Ignore cvars which aren't quoted + if (GetCharCountInStr('"', readbuffer) != 2) + { + continue; + } + + + + // Get the start of the value + if ( (valuestart = StrContains(readbuffer, "\"")) == -1 ) + { + continue; + } + + + // Get the end of the value + if ( (valueend = StrContains(readbuffer[valuestart+1], "\"")) == -1 ) + { + continue; + } + + + // Get the start of the cvar, + if ( (cvarend = StrContains(readbuffer, " ")) == -1 || cvarend >= valuestart) + { + continue; + } + + + // Skip if cvarendindex is before valuestartindex + if (cvarend >= valuestart) + { + continue; + } + + + // Convar + // Tempcopy for security + strcopy(copybuffer, sizeof(copybuffer), readbuffer); + copybuffer[cvarend] = '\0'; + + strcopy(sConvar, sizeof(sConvar), copybuffer); + + + // Value + // Tempcopy for security + strcopy(copybuffer, sizeof(copybuffer), readbuffer[valuestart+1]); + copybuffer[valueend] = '\0'; + + strcopy(sValue, sizeof(sValue), copybuffer); + + + //PrintToServer("Cvar %s has a value of %s", sConvar, sValue); + + char sTrieValue[64]; + if (!g_hConvarTrie.GetString(sConvar, sTrieValue, sizeof(sTrieValue))) + { + //PrintToServer("Adding convar %s to trie", sConvar); + g_hConvarTrie.SetString(sConvar, sValue); + } + } + + fFile.Close(); + + g_bCacheEnabled = true; + + return true; +} diff --git a/togsjumpstats/scripting/include/morecolors.inc b/togsjumpstats/scripting/include/morecolors.inc new file mode 100644 index 00000000..3a416d8c --- /dev/null +++ b/togsjumpstats/scripting/include/morecolors.inc @@ -0,0 +1,674 @@ +// MOAR COLORS +// By Dr. McKay +// Inspired by: https://forums.alliedmods.net/showthread.php?t=96831 + +#if defined _colors_included + #endinput +#endif +#define _colors_included + +#include + +#define MORE_COLORS_VERSION "1.9.1" +#define MAX_MESSAGE_LENGTH 256 +#define MAX_BUFFER_LENGTH (MAX_MESSAGE_LENGTH * 4) + +#define COLOR_RED 0xFF4040 +#define COLOR_BLUE 0x99CCFF +#define COLOR_GRAY 0xCCCCCC +#define COLOR_GREEN 0x3EFF3E + +#define GAME_DODS 0 + +new bool:CSkipList[MAXPLAYERS + 1]; +new Handle:CTrie; +new CTeamColors[][] = {{0xCCCCCC, 0x4D7942, 0xFF4040}}; // Multi-dimensional array for games that don't support SayText2. First index is the game index (as defined by the GAME_ defines), second index is team. 0 = spectator, 1 = team1, 2 = team2 + +/** + * Prints a message to a specific client in the chat area. + * Supports color tags. + * + * @param client Client index. + * @param message Message (formatting rules). + * @noreturn + * + * On error/Errors: If the client is not connected an error will be thrown. + */ +stock CPrintToChat(client, const String:message[], any:...) { + CCheckTrie(); + if(client <= 0 || client > MaxClients) { + ThrowError("Invalid client index %i", client); + } + if(!IsClientInGame(client)) { + ThrowError("Client %i is not in game", client); + } + decl String:buffer[MAX_BUFFER_LENGTH], String:buffer2[MAX_BUFFER_LENGTH]; + SetGlobalTransTarget(client); + Format(buffer, sizeof(buffer), "\x01%s", message); + VFormat(buffer2, sizeof(buffer2), buffer, 3); + CReplaceColorCodes(buffer2); + CSendMessage(client, buffer2); +} + +/** + * Prints a message to all clients in the chat area. + * Supports color tags. + * + * @param client Client index. + * @param message Message (formatting rules). + * @noreturn + */ +stock CPrintToChatAll(const String:message[], any:...) { + CCheckTrie(); + decl String:buffer[MAX_BUFFER_LENGTH], String:buffer2[MAX_BUFFER_LENGTH]; + for(new i = 1; i <= MaxClients; i++) { + if(!IsClientInGame(i) || CSkipList[i]) { + CSkipList[i] = false; + continue; + } + SetGlobalTransTarget(i); + Format(buffer, sizeof(buffer), "\x01%s", message); + VFormat(buffer2, sizeof(buffer2), buffer, 2); + CReplaceColorCodes(buffer2); + CSendMessage(i, buffer2); + } +} + +/** + * Prints a message to a specific client in the chat area. + * Supports color tags and teamcolor tag. + * + * @param client Client index. + * @param author Author index whose color will be used for teamcolor tag. + * @param message Message (formatting rules). + * @noreturn + * + * On error/Errors: If the client or author are not connected an error will be thrown + */ +stock CPrintToChatEx(client, author, const String:message[], any:...) { + CCheckTrie(); + if(client <= 0 || client > MaxClients) { + ThrowError("Invalid client index %i", client); + } + if(!IsClientInGame(client)) { + ThrowError("Client %i is not in game", client); + } + if(author <= 0 || author > MaxClients) { + ThrowError("Invalid client index %i", author); + } + if(!IsClientInGame(author)) { + ThrowError("Client %i is not in game", author); + } + decl String:buffer[MAX_BUFFER_LENGTH], String:buffer2[MAX_BUFFER_LENGTH]; + SetGlobalTransTarget(client); + Format(buffer, sizeof(buffer), "\x01%s", message); + VFormat(buffer2, sizeof(buffer2), buffer, 4); + CReplaceColorCodes(buffer2, author); + CSendMessage(client, buffer2, author); +} + +/** + * Prints a message to all clients in the chat area. + * Supports color tags and teamcolor tag. + * + * @param author Author index whose color will be used for teamcolor tag. + * @param message Message (formatting rules). + * @noreturn + * + * On error/Errors: If the author is not connected an error will be thrown. + */ +stock CPrintToChatAllEx(author, const String:message[], any:...) { + CCheckTrie(); + if(author <= 0 || author > MaxClients) { + ThrowError("Invalid client index %i", author); + } + if(!IsClientInGame(author)) { + ThrowError("Client %i is not in game", author); + } + decl String:buffer[MAX_BUFFER_LENGTH], String:buffer2[MAX_BUFFER_LENGTH]; + for(new i = 1; i <= MaxClients; i++) { + if(!IsClientInGame(i) || CSkipList[i]) { + CSkipList[i] = false; + continue; + } + SetGlobalTransTarget(i); + Format(buffer, sizeof(buffer), "\x01%s", message); + VFormat(buffer2, sizeof(buffer2), buffer, 3); + CReplaceColorCodes(buffer2, author); + CSendMessage(i, buffer2, author); + } +} + +/** + * Sends a SayText2 usermessage + * + * @param client Client to send usermessage to + * @param message Message to send + * @noreturn + */ +stock CSendMessage(client, const String:message[], author=0) { + if(author == 0) { + author = client; + } + decl String:buffer[MAX_MESSAGE_LENGTH], String:game[16]; + GetGameFolderName(game, sizeof(game)); + strcopy(buffer, sizeof(buffer), message); + new UserMsg:index = GetUserMessageId("SayText2"); + if(index == INVALID_MESSAGE_ID) { + if(StrEqual(game, "dod")) { + new team = GetClientTeam(author); + if(team == 0) { + ReplaceString(buffer, sizeof(buffer), "\x03", "\x04", false); // Unassigned gets green + } else { + decl String:temp[16]; + Format(temp, sizeof(temp), "\x07%06X", CTeamColors[GAME_DODS][team - 1]); + ReplaceString(buffer, sizeof(buffer), "\x03", temp, false); + } + } + PrintToChat(client, "%s", buffer); + return; + } + new Handle:buf = StartMessageOne("SayText2", client, USERMSG_RELIABLE|USERMSG_BLOCKHOOKS); + if(GetFeatureStatus(FeatureType_Native, "GetUserMessageType") == FeatureStatus_Available && GetUserMessageType() == UM_Protobuf) { + PbSetInt(buf, "ent_idx", author); + PbSetBool(buf, "chat", true); + PbSetString(buf, "msg_name", buffer); + PbAddString(buf, "params", ""); + PbAddString(buf, "params", ""); + PbAddString(buf, "params", ""); + PbAddString(buf, "params", ""); + } else { + BfWriteByte(buf, author); // Message author + BfWriteByte(buf, true); // Chat message + BfWriteString(buf, buffer); // Message text + } + EndMessage(); +} + +/** + * This function should only be used right in front of + * CPrintToChatAll or CPrintToChatAllEx. It causes those functions + * to skip the specified client when printing the message. + * After printing the message, the client will no longer be skipped. + * + * @param client Client index + * @noreturn + */ +stock CSkipNextClient(client) { + if(client <= 0 || client > MaxClients) { + ThrowError("Invalid client index %i", client); + } + CSkipList[client] = true; +} + +/** + * Checks if the colors trie is initialized and initializes it if it's not (used internally) + * + * @return No return + */ +stock CCheckTrie() { + if(CTrie == INVALID_HANDLE) { + CTrie = InitColorTrie(); + } +} + +/** + * Replaces color tags in a string with color codes (used internally by CPrintToChat, CPrintToChatAll, CPrintToChatEx, and CPrintToChatAllEx + * + * @param buffer String. + * @param author Optional client index to use for {teamcolor} tags, or 0 for none + * @param removeTags Optional boolean value to determine whether we're replacing tags with colors, or just removing tags, used by CRemoveTags + * @param maxlen Optional value for max buffer length, used by CRemoveTags + * @noreturn + * + * On error/Errors: If the client index passed for author is invalid or not in game. + */ +stock CReplaceColorCodes(String:buffer[], author=0, bool:removeTags=false, maxlen=MAX_BUFFER_LENGTH) { + CCheckTrie(); + if(!removeTags) { + ReplaceString(buffer, maxlen, "{default}", "\x01", false); + } else { + ReplaceString(buffer, maxlen, "{default}", "", false); + ReplaceString(buffer, maxlen, "{teamcolor}", "", false); + } + if(author != 0 && !removeTags) { + if(author < 0 || author > MaxClients) { + ThrowError("Invalid client index %i", author); + } + if(!IsClientInGame(author)) { + ThrowError("Client %i is not in game", author); + } + ReplaceString(buffer, maxlen, "{teamcolor}", "\x03", false); + } + new cursor = 0; + new value; + decl String:tag[32], String:buff[32], String:output[maxlen]; + strcopy(output, maxlen, buffer); + // Since the string's size is going to be changing, output will hold the replaced string and we'll search buffer + + new Handle:regex = CompileRegex("{[a-zA-Z0-9]+}"); + for(new i = 0; i < 1000; i++) { // The RegEx extension is quite flaky, so we have to loop here :/. This loop is supposed to be infinite and broken by return, but conditions have been added to be safe. + if(MatchRegex(regex, buffer[cursor]) < 1) { + CloseHandle(regex); + strcopy(buffer, maxlen, output); + return; + } + GetRegexSubString(regex, 0, tag, sizeof(tag)); + CStrToLower(tag); + cursor = StrContains(buffer[cursor], tag, false) + cursor + 1; + strcopy(buff, sizeof(buff), tag); + ReplaceString(buff, sizeof(buff), "{", ""); + ReplaceString(buff, sizeof(buff), "}", ""); + + if(!GetTrieValue(CTrie, buff, value)) { + continue; + } + + if(removeTags) { + ReplaceString(output, maxlen, tag, "", false); + } else { + Format(buff, sizeof(buff), "\x07%06X", value); + ReplaceString(output, maxlen, tag, buff, false); + } + } + LogError("[MORE COLORS] Infinite loop broken."); +} + +/** + * Gets a part of a string + * + * @param input String to get the part from + * @param output Buffer to write to + * @param maxlen Max length of output buffer + * @param start Position to start at + * @param numChars Number of characters to return, or 0 for the end of the string + * @noreturn + */ +stock CSubString(const String:input[], String:output[], maxlen, start, numChars=0) { + new i = 0; + for(;;) { + if(i == maxlen - 1 || i >= numChars || input[start + i] == '\0') { + output[i] = '\0'; + return; + } + output[i] = input[start + i]; + i++; + } +} + +/** + * Converts a string to lowercase + * + * @param buffer String to convert + * @noreturn + */ +stock CStrToLower(String:buffer[]) { + new len = strlen(buffer); + for(new i = 0; i < len; i++) { + buffer[i] = CharToLower(buffer[i]); + } +} + +/** + * Adds a color to the colors trie + * + * @param name Color name, without braces + * @param color Hexadecimal representation of the color (0xRRGGBB) + * @return True if color was added successfully, false if a color already exists with that name + */ +stock bool:CAddColor(const String:name[], color) { + CCheckTrie(); + new value; + if(GetTrieValue(CTrie, name, value)) { + return false; + } + decl String:newName[64]; + strcopy(newName, sizeof(newName), name); + CStrToLower(newName); + SetTrieValue(CTrie, newName, color); + return true; +} + +/** + * Removes color tags from a message + * + * @param message Message to remove tags from + * @param maxlen Maximum buffer length + * @noreturn + */ +stock CRemoveTags(String:message[], maxlen) { + CReplaceColorCodes(message, 0, true, maxlen); +} + +/** + * Replies to a command with colors + * + * @param client Client to reply to + * @param message Message (formatting rules) + * @noreturn + */ +stock CReplyToCommand(client, const String:message[], any:...) { + decl String:buffer[MAX_BUFFER_LENGTH]; + SetGlobalTransTarget(client); + VFormat(buffer, sizeof(buffer), message, 3); + if(GetCmdReplySource() == SM_REPLY_TO_CONSOLE) { + CRemoveTags(buffer, sizeof(buffer)); + PrintToConsole(client, "%s", buffer); + } else { + CPrintToChat(client, "%s", buffer); + } +} + +/** + * Replies to a command with colors + * + * @param client Client to reply to + * @param author Client to use for {teamcolor} + * @param message Message (formatting rules) + * @noreturn + */ +stock CReplyToCommandEx(client, author, const String:message[], any:...) { + decl String:buffer[MAX_BUFFER_LENGTH]; + SetGlobalTransTarget(client); + VFormat(buffer, sizeof(buffer), message, 4); + if(GetCmdReplySource() == SM_REPLY_TO_CONSOLE) { + CRemoveTags(buffer, sizeof(buffer)); + PrintToConsole(client, "%s", buffer); + } else { + CPrintToChatEx(client, author, "%s", buffer); + } +} + +/** + * Shows admin activity with colors + * + * @param client Client performing an action + * @param message Message (formatting rules) + * @noreturn + */ +stock CShowActivity(client, const String:message[], any:...) { + CCheckTrie(); + if(client < 0 || client > MaxClients) { + ThrowError("Invalid client index %d", client); + } + if(client != 0 && !IsClientInGame(client)) { + ThrowError("Client %d is not in game", client); + } + decl String:buffer[MAX_BUFFER_LENGTH], String:buffer2[MAX_BUFFER_LENGTH]; + Format(buffer, sizeof(buffer), "\x01%s", message); + VFormat(buffer2, sizeof(buffer2), buffer, 3); + CReplaceColorCodes(buffer2); + ShowActivity(client, "%s", buffer2); +} + +/** + * Shows admin activity with colors + * + * @param client Client performing an action + * @param tag Tag to prepend to the message (color tags supported) + * @param message Message (formatting rules) + * @noreturn + */ +stock CShowActivityEx(client, const String:tag[], const String:message[], any:...) { + CCheckTrie(); + if(client < 0 || client > MaxClients) { + ThrowError("Invalid client index %d", client); + } + if(client != 0 && !IsClientInGame(client)) { + ThrowError("Client %d is not in game", client); + } + decl String:buffer[MAX_BUFFER_LENGTH], String:buffer2[MAX_BUFFER_LENGTH]; + Format(buffer, sizeof(buffer), "\x01%s", message); + VFormat(buffer2, sizeof(buffer2), buffer, 4); + CReplaceColorCodes(buffer2); + strcopy(buffer, sizeof(buffer), tag); + CReplaceColorCodes(buffer); + ShowActivityEx(client, tag, "%s", buffer2); +} + +/** + * Shows admin activity with colors + * + * @param client Client performing an action + * @param tag Tag to prepend to the message (color tags supported) + * @param message Message (formatting rules) + * @noreturn + */ +stock CShowActivity2(client, const String:tag[], const String:message[], any:...) { + CCheckTrie(); + if(client < 0 || client > MaxClients) { + ThrowError("Invalid client index %d", client); + } + if(client != 0 && !IsClientInGame(client)) { + ThrowError("Client %d is not in game", client); + } + decl String:buffer[MAX_BUFFER_LENGTH], String:buffer2[MAX_BUFFER_LENGTH]; + Format(buffer, sizeof(buffer), "\x01%s", message); + VFormat(buffer2, sizeof(buffer2), buffer, 4); + CReplaceColorCodes(buffer2); + strcopy(buffer, sizeof(buffer), tag); + CReplaceColorCodes(buffer); + ShowActivity2(client, buffer, "%s", buffer2); +} + +/** + * Determines whether a color name exists + * + * @param color The color name to check + * @return True if the color exists, false otherwise + */ +stock bool:CColorExists(const String:color[]) { + CCheckTrie(); + new temp; + return GetTrieValue(CTrie, color, temp); +} + +/** + * Returns the hexadecimal representation of a client's team color (will NOT initialize the trie) + * + * @param client Client to get the team color for + * @return Client's team color in hexadecimal, or green if unknown + * On error/Errors: If the client index passed is invalid or not in game. + */ +stock CGetTeamColor(client) { + if(client <= 0 || client > MaxClients) { + ThrowError("Invalid client index %i", client); + } + if(!IsClientInGame(client)) { + ThrowError("Client %i is not in game", client); + } + new value; + switch(GetClientTeam(client)) { + case 1: { + value = COLOR_GRAY; + } + case 2: { + value = COLOR_RED; + } + case 3: { + value = COLOR_BLUE; + } + default: { + value = COLOR_GREEN; + } + } + return value; +} + +stock Handle:InitColorTrie() { + new Handle:hTrie = CreateTrie(); + SetTrieValue(hTrie, "aliceblue", 0xF0F8FF); + SetTrieValue(hTrie, "allies", 0x4D7942); // same as Allies team in DoD:S + SetTrieValue(hTrie, "ancient", 0xEB4B4B); // same as Ancient item rarity in Dota 2 + SetTrieValue(hTrie, "antiquewhite", 0xFAEBD7); + SetTrieValue(hTrie, "aqua", 0x00FFFF); + SetTrieValue(hTrie, "aquamarine", 0x7FFFD4); + SetTrieValue(hTrie, "arcana", 0xADE55C); // same as Arcana item rarity in Dota 2 + SetTrieValue(hTrie, "axis", 0xFF4040); // same as Axis team in DoD:S + SetTrieValue(hTrie, "azure", 0x007FFF); + SetTrieValue(hTrie, "beige", 0xF5F5DC); + SetTrieValue(hTrie, "bisque", 0xFFE4C4); + SetTrieValue(hTrie, "black", 0x000000); + SetTrieValue(hTrie, "blanchedalmond", 0xFFEBCD); + SetTrieValue(hTrie, "blue", 0x99CCFF); // same as BLU/Counter-Terrorist team color + SetTrieValue(hTrie, "blueviolet", 0x8A2BE2); + SetTrieValue(hTrie, "brown", 0xA52A2A); + SetTrieValue(hTrie, "burlywood", 0xDEB887); + SetTrieValue(hTrie, "cadetblue", 0x5F9EA0); + SetTrieValue(hTrie, "chartreuse", 0x7FFF00); + SetTrieValue(hTrie, "chocolate", 0xD2691E); + SetTrieValue(hTrie, "collectors", 0xAA0000); // same as Collector's item quality in TF2 + SetTrieValue(hTrie, "common", 0xB0C3D9); // same as Common item rarity in Dota 2 + SetTrieValue(hTrie, "community", 0x70B04A); // same as Community item quality in TF2 + SetTrieValue(hTrie, "coral", 0xFF7F50); + SetTrieValue(hTrie, "cornflowerblue", 0x6495ED); + SetTrieValue(hTrie, "cornsilk", 0xFFF8DC); + SetTrieValue(hTrie, "corrupted", 0xA32C2E); // same as Corrupted item quality in Dota 2 + SetTrieValue(hTrie, "crimson", 0xDC143C); + SetTrieValue(hTrie, "cyan", 0x00FFFF); + SetTrieValue(hTrie, "darkblue", 0x00008B); + SetTrieValue(hTrie, "darkcyan", 0x008B8B); + SetTrieValue(hTrie, "darkgoldenrod", 0xB8860B); + SetTrieValue(hTrie, "darkgray", 0xA9A9A9); + SetTrieValue(hTrie, "darkgrey", 0xA9A9A9); + SetTrieValue(hTrie, "darkgreen", 0x006400); + SetTrieValue(hTrie, "darkkhaki", 0xBDB76B); + SetTrieValue(hTrie, "darkmagenta", 0x8B008B); + SetTrieValue(hTrie, "darkolivegreen", 0x556B2F); + SetTrieValue(hTrie, "darkorange", 0xFF8C00); + SetTrieValue(hTrie, "darkorchid", 0x9932CC); + SetTrieValue(hTrie, "darkred", 0x8B0000); + SetTrieValue(hTrie, "darksalmon", 0xE9967A); + SetTrieValue(hTrie, "darkseagreen", 0x8FBC8F); + SetTrieValue(hTrie, "darkslateblue", 0x483D8B); + SetTrieValue(hTrie, "darkslategray", 0x2F4F4F); + SetTrieValue(hTrie, "darkslategrey", 0x2F4F4F); + SetTrieValue(hTrie, "darkturquoise", 0x00CED1); + SetTrieValue(hTrie, "darkviolet", 0x9400D3); + SetTrieValue(hTrie, "deeppink", 0xFF1493); + SetTrieValue(hTrie, "deepskyblue", 0x00BFFF); + SetTrieValue(hTrie, "dimgray", 0x696969); + SetTrieValue(hTrie, "dimgrey", 0x696969); + SetTrieValue(hTrie, "dodgerblue", 0x1E90FF); + SetTrieValue(hTrie, "exalted", 0xCCCCCD); // same as Exalted item quality in Dota 2 + SetTrieValue(hTrie, "firebrick", 0xB22222); + SetTrieValue(hTrie, "floralwhite", 0xFFFAF0); + SetTrieValue(hTrie, "forestgreen", 0x228B22); + SetTrieValue(hTrie, "frozen", 0x4983B3); // same as Frozen item quality in Dota 2 + SetTrieValue(hTrie, "fuchsia", 0xFF00FF); + SetTrieValue(hTrie, "fullblue", 0x0000FF); + SetTrieValue(hTrie, "fullred", 0xFF0000); + SetTrieValue(hTrie, "gainsboro", 0xDCDCDC); + SetTrieValue(hTrie, "genuine", 0x4D7455); // same as Genuine item quality in TF2 + SetTrieValue(hTrie, "ghostwhite", 0xF8F8FF); + SetTrieValue(hTrie, "gold", 0xFFD700); + SetTrieValue(hTrie, "goldenrod", 0xDAA520); + SetTrieValue(hTrie, "gray", 0xCCCCCC); // same as spectator team color + SetTrieValue(hTrie, "grey", 0xCCCCCC); + SetTrieValue(hTrie, "green", 0x3EFF3E); + SetTrieValue(hTrie, "greenyellow", 0xADFF2F); + SetTrieValue(hTrie, "haunted", 0x38F3AB); // same as Haunted item quality in TF2 + SetTrieValue(hTrie, "honeydew", 0xF0FFF0); + SetTrieValue(hTrie, "hotpink", 0xFF69B4); + SetTrieValue(hTrie, "immortal", 0xE4AE33); // same as Immortal item rarity in Dota 2 + SetTrieValue(hTrie, "indianred", 0xCD5C5C); + SetTrieValue(hTrie, "indigo", 0x4B0082); + SetTrieValue(hTrie, "ivory", 0xFFFFF0); + SetTrieValue(hTrie, "khaki", 0xF0E68C); + SetTrieValue(hTrie, "lavender", 0xE6E6FA); + SetTrieValue(hTrie, "lavenderblush", 0xFFF0F5); + SetTrieValue(hTrie, "lawngreen", 0x7CFC00); + SetTrieValue(hTrie, "legendary", 0xD32CE6); // same as Legendary item rarity in Dota 2 + SetTrieValue(hTrie, "lemonchiffon", 0xFFFACD); + SetTrieValue(hTrie, "lightblue", 0xADD8E6); + SetTrieValue(hTrie, "lightcoral", 0xF08080); + SetTrieValue(hTrie, "lightcyan", 0xE0FFFF); + SetTrieValue(hTrie, "lightgoldenrodyellow", 0xFAFAD2); + SetTrieValue(hTrie, "lightgray", 0xD3D3D3); + SetTrieValue(hTrie, "lightgrey", 0xD3D3D3); + SetTrieValue(hTrie, "lightgreen", 0x99FF99); + SetTrieValue(hTrie, "lightpink", 0xFFB6C1); + SetTrieValue(hTrie, "lightsalmon", 0xFFA07A); + SetTrieValue(hTrie, "lightseagreen", 0x20B2AA); + SetTrieValue(hTrie, "lightskyblue", 0x87CEFA); + SetTrieValue(hTrie, "lightslategray", 0x778899); + SetTrieValue(hTrie, "lightslategrey", 0x778899); + SetTrieValue(hTrie, "lightsteelblue", 0xB0C4DE); + SetTrieValue(hTrie, "lightyellow", 0xFFFFE0); + SetTrieValue(hTrie, "lime", 0x00FF00); + SetTrieValue(hTrie, "limegreen", 0x32CD32); + SetTrieValue(hTrie, "linen", 0xFAF0E6); + SetTrieValue(hTrie, "magenta", 0xFF00FF); + SetTrieValue(hTrie, "maroon", 0x800000); + SetTrieValue(hTrie, "mediumaquamarine", 0x66CDAA); + SetTrieValue(hTrie, "mediumblue", 0x0000CD); + SetTrieValue(hTrie, "mediumorchid", 0xBA55D3); + SetTrieValue(hTrie, "mediumpurple", 0x9370D8); + SetTrieValue(hTrie, "mediumseagreen", 0x3CB371); + SetTrieValue(hTrie, "mediumslateblue", 0x7B68EE); + SetTrieValue(hTrie, "mediumspringgreen", 0x00FA9A); + SetTrieValue(hTrie, "mediumturquoise", 0x48D1CC); + SetTrieValue(hTrie, "mediumvioletred", 0xC71585); + SetTrieValue(hTrie, "midnightblue", 0x191970); + SetTrieValue(hTrie, "mintcream", 0xF5FFFA); + SetTrieValue(hTrie, "mistyrose", 0xFFE4E1); + SetTrieValue(hTrie, "moccasin", 0xFFE4B5); + SetTrieValue(hTrie, "mythical", 0x8847FF); // same as Mythical item rarity in Dota 2 + SetTrieValue(hTrie, "navajowhite", 0xFFDEAD); + SetTrieValue(hTrie, "navy", 0x000080); + SetTrieValue(hTrie, "normal", 0xB2B2B2); // same as Normal item quality in TF2 + SetTrieValue(hTrie, "oldlace", 0xFDF5E6); + SetTrieValue(hTrie, "olive", 0x9EC34F); + SetTrieValue(hTrie, "olivedrab", 0x6B8E23); + SetTrieValue(hTrie, "orange", 0xFFA500); + SetTrieValue(hTrie, "orangered", 0xFF4500); + SetTrieValue(hTrie, "orchid", 0xDA70D6); + SetTrieValue(hTrie, "palegoldenrod", 0xEEE8AA); + SetTrieValue(hTrie, "palegreen", 0x98FB98); + SetTrieValue(hTrie, "paleturquoise", 0xAFEEEE); + SetTrieValue(hTrie, "palevioletred", 0xD87093); + SetTrieValue(hTrie, "papayawhip", 0xFFEFD5); + SetTrieValue(hTrie, "peachpuff", 0xFFDAB9); + SetTrieValue(hTrie, "peru", 0xCD853F); + SetTrieValue(hTrie, "pink", 0xFFC0CB); + SetTrieValue(hTrie, "plum", 0xDDA0DD); + SetTrieValue(hTrie, "powderblue", 0xB0E0E6); + SetTrieValue(hTrie, "purple", 0x800080); + SetTrieValue(hTrie, "rare", 0x4B69FF); // same as Rare item rarity in Dota 2 + SetTrieValue(hTrie, "red", 0xFF4040); // same as RED/Terrorist team color + SetTrieValue(hTrie, "rosybrown", 0xBC8F8F); + SetTrieValue(hTrie, "royalblue", 0x4169E1); + SetTrieValue(hTrie, "saddlebrown", 0x8B4513); + SetTrieValue(hTrie, "salmon", 0xFA8072); + SetTrieValue(hTrie, "sandybrown", 0xF4A460); + SetTrieValue(hTrie, "seagreen", 0x2E8B57); + SetTrieValue(hTrie, "seashell", 0xFFF5EE); + SetTrieValue(hTrie, "selfmade", 0x70B04A); // same as Self-Made item quality in TF2 + SetTrieValue(hTrie, "sienna", 0xA0522D); + SetTrieValue(hTrie, "silver", 0xC0C0C0); + SetTrieValue(hTrie, "skyblue", 0x87CEEB); + SetTrieValue(hTrie, "slateblue", 0x6A5ACD); + SetTrieValue(hTrie, "slategray", 0x708090); + SetTrieValue(hTrie, "slategrey", 0x708090); + SetTrieValue(hTrie, "snow", 0xFFFAFA); + SetTrieValue(hTrie, "springgreen", 0x00FF7F); + SetTrieValue(hTrie, "steelblue", 0x4682B4); + SetTrieValue(hTrie, "strange", 0xCF6A32); // same as Strange item quality in TF2 + SetTrieValue(hTrie, "tan", 0xD2B48C); + SetTrieValue(hTrie, "teal", 0x008080); + SetTrieValue(hTrie, "thistle", 0xD8BFD8); + SetTrieValue(hTrie, "tomato", 0xFF6347); + SetTrieValue(hTrie, "turquoise", 0x40E0D0); + SetTrieValue(hTrie, "uncommon", 0xB0C3D9); // same as Uncommon item rarity in Dota 2 + SetTrieValue(hTrie, "unique", 0xFFD700); // same as Unique item quality in TF2 + SetTrieValue(hTrie, "unusual", 0x8650AC); // same as Unusual item quality in TF2 + SetTrieValue(hTrie, "valve", 0xA50F79); // same as Valve item quality in TF2 + SetTrieValue(hTrie, "vintage", 0x476291); // same as Vintage item quality in TF2 + SetTrieValue(hTrie, "violet", 0xEE82EE); + SetTrieValue(hTrie, "wheat", 0xF5DEB3); + SetTrieValue(hTrie, "white", 0xFFFFFF); + SetTrieValue(hTrie, "whitesmoke", 0xF5F5F5); + SetTrieValue(hTrie, "yellow", 0xFFFF00); + SetTrieValue(hTrie, "yellowgreen", 0x9ACD32); + return hTrie; +} \ No newline at end of file diff --git a/togsjumpstats/scripting/include/sourcebans.inc b/togsjumpstats/scripting/include/sourcebans.inc new file mode 100644 index 00000000..f9d2d1c4 --- /dev/null +++ b/togsjumpstats/scripting/include/sourcebans.inc @@ -0,0 +1,34 @@ +#if defined _sourcebans_included + #endinput +#endif +#define _sourcebans_included + +public SharedPlugin:__pl_sourcebans = +{ + name = "SourceBans", + file = "sourcebans.smx", +#if defined REQUIRE_PLUGIN + required = 1 +#else + required = 0 +#endif +}; + +#if !defined REQUIRE_PLUGIN +public __pl_sourcebans_SetNTVOptional() +{ + MarkNativeAsOptional("SBBanPlayer"); + MarkNativeAsOptional("SBCheckBans"); +} +#endif + +/********************************************************* + * Ban Player from server + * + * @param client The client index of the admin who is banning the client + * @param target The client index of the player to ban + * @param time The time to ban the player for (in minutes, 0 = permanent) + * @param reason The reason to ban the player from the server + * @noreturn + *********************************************************/ +native SBBanPlayer(client, target, time, String:reason[]); \ No newline at end of file diff --git a/togsjumpstats/scripting/togsjumpstats.sp b/togsjumpstats/scripting/togsjumpstats.sp new file mode 100644 index 00000000..51682c00 --- /dev/null +++ b/togsjumpstats/scripting/togsjumpstats.sp @@ -0,0 +1,1060 @@ +/* +To Do: + * Add cfg option to disable hyperscroll detection...maybe if jumps is set to 0? + * Code in natives to ignore a client. This would allow other plugins to ignore them, give them bhop hacks, later turn off hacks, then re-enable this plugin checking them. +*/ + +#pragma semicolon 1 +#define PLUGIN_VERSION "1.10.1" //changelog at bottom +#define TAG "[TOGs Jump Stats] " +#define CSGO_RED "\x07" +#define CSS_RED "\x07FF0000" + +#include +#include +#include +#include +#undef REQUIRE_PLUGIN +#include + +#pragma newdecls required + +public Plugin myinfo = +{ + name = "TOGs Jump Stats", + author = "That One Guy (based on code from Inami)", + description = "Player bhop method analysis.", + version = PLUGIN_VERSION, + url = "http://www.togcoding.com" +} + +ConVar g_hEnableAdmNotifications = null; +ConVar g_hEnableLogs = null; +ConVar g_hReqMultRoundsHyp = null; +ConVar g_hAboveNumber = null; +ConVar g_hAboveNumberFlags = null; +ConVar g_hHypPerf = null; +ConVar g_hHacksPerf = null; +ConVar g_hCooldown = null; +ConVar g_hPatCount = null; +ConVar g_hStatsFlag = null; +char g_sStatsFlag[30]; +ConVar g_hAdminFlag = null; +char g_sAdminFlag[30]; +ConVar g_hRelogDiff = null; +ConVar g_hFPSMaxMinValue = null; +ConVar g_hBanHacks = null; +ConVar g_hBanPat = null; +ConVar g_hBanHyp = null; +ConVar g_hBanFPSMax = null; + +float ga_fAvgJumps[MAXPLAYERS + 1] = {1.0, ...}; +float ga_fAvgSpeed[MAXPLAYERS + 1] = {250.0, ...}; +float ga_fVel[MAXPLAYERS + 1][3]; +float ga_fLastPos[MAXPLAYERS + 1][3]; +float ga_fAvgPerfJumps[MAXPLAYERS + 1] = {0.3333, ...}; +float ga_fMaxPerf[MAXPLAYERS + 1] = {0.0, ...}; + +bool ga_bFlagged[MAXPLAYERS + 1]; +bool ga_bFlagHypCurrentRound[MAXPLAYERS + 1]; +bool ga_bFlagHypLastRound[MAXPLAYERS + 1]; +bool ga_bFlagHypTwoRoundsAgo[MAXPLAYERS + 1]; +bool ga_bSurfCheck[MAXPLAYERS + 1]; +bool ga_bNotificationsPaused[MAXPLAYERS + 1] = {false, ...}; + +char g_sHypPath[PLATFORM_MAX_PATH]; +char g_sHacksPath[PLATFORM_MAX_PATH]; +char g_sPatPath[PLATFORM_MAX_PATH]; + +int ga_iJumps[MAXPLAYERS + 1] = {0, ...}; +int ga_iPattern[MAXPLAYERS + 1] = {0, ...}; +int ga_iPatternhits[MAXPLAYERS + 1] = {0, ...}; +int ga_iAutojumps[MAXPLAYERS + 1] = {0, ...}; +int ga_iIgnoreCount[MAXPLAYERS + 1]; +int ga_iLastPos[MAXPLAYERS + 1] = {0, ...}; +int ga_iNumberJumpsAbove[MAXPLAYERS + 1]; + +int gaa_iLastJumps[MAXPLAYERS + 1][30]; + +int g_iTickCount = 1; +bool g_bDisableAdminMsgs = false; +bool g_bCSGO = false; + +public void OnPluginStart() +{ + LoadTranslations("common.phrases"); + + AutoExecConfig_SetFile("togsjumpstats"); + AutoExecConfig_CreateConVar("tjs_version", PLUGIN_VERSION, "TOGs Jump Stats Version", FCVAR_NOTIFY|FCVAR_DONTRECORD); + + g_hCooldown = AutoExecConfig_CreateConVar("tjs_gen_cooldown", "60", "Cooldown time between chat notifications to admins for any given clients that is flagged.", FCVAR_NONE, true, 0.0); + + g_hStatsFlag = AutoExecConfig_CreateConVar("tjs_gen_flag", "", "Players with this flag will be able to check stats. Set to \"public\" to let everyone use it."); + g_hStatsFlag.AddChangeHook(OnCVarChange); + g_hStatsFlag.GetString(g_sStatsFlag, sizeof(g_sStatsFlag)); + + g_hAdminFlag = AutoExecConfig_CreateConVar("tjs_adm_flag", "b", "Players with this flag will see notifications when players are flagged. Set to \"public\" to let everyone use it."); + g_hAdminFlag.AddChangeHook(OnCVarChange); + g_hAdminFlag.GetString(g_sAdminFlag, sizeof(g_sAdminFlag)); + + g_hRelogDiff = AutoExecConfig_CreateConVar("tjs_flag_relogdiff", "0.05", "Players are re-logged in the same map if they are flagged with a perf that is this much higher than the previous one.", FCVAR_NONE, true, 0.0, true, 1.0); + + g_hFPSMaxMinValue = AutoExecConfig_CreateConVar("tjs_fpsmax_minvalue", "60.0", "Minimum value of fps_max to enforce. Players below this will be flagged (other than zero).", FCVAR_NONE, true, 0.0, true, 1.0); + + g_hEnableAdmNotifications = AutoExecConfig_CreateConVar("tjs_gen_notifications", "1", "Enable admin chat notifications when a player is flagged (0 = Disabled, 1 = Enabled).", FCVAR_NONE, true, 0.0, true, 1.0); + + g_hEnableLogs = AutoExecConfig_CreateConVar("tjs_gen_log", "1", "Enable logging player jump stats if a player is flagged (0 = Disabled, 1 = Enabled).", FCVAR_NONE, true, 0.0, true, 1.0); + + g_hReqMultRoundsHyp = AutoExecConfig_CreateConVar("tjs_hyp_mult_rounds", "1", "Clients will not be flagged (in logs and admin notifications) for hyperscrolling until they are noted 3 rounds in a row (0 = Disabled, 1 = Enabled).", FCVAR_NONE, true, 0.0, true, 1.0); + + g_hAboveNumber = AutoExecConfig_CreateConVar("tjs_hyp_numjumps", "16", "Number of jump commands to use as a threshold for flagging hyperscrollers.", FCVAR_NONE, true, 1.0); + + g_hAboveNumberFlags = AutoExecConfig_CreateConVar("tjs_hyp_threshold", "16", "Out of the last 30 jumps, the number of jumps that must be above tjs_numjumps to flag player for hyperscrolling.", FCVAR_NONE, true, 1.0); + + g_hHypPerf = AutoExecConfig_CreateConVar("tjs_hyp_perf", "0.6", "Above this perf ratio (in combination with the other hyperscroll cvars), players will be flagged for hyperscrolling.", FCVAR_NONE, true, 0.0, true, 1.0); + + g_hHacksPerf = AutoExecConfig_CreateConVar("tjs_hacks_perf", "0.8", "Above this perf ratio (ratios range between 0.0 - 1.0), players will be flagged for hacks.", FCVAR_NONE, true, 0.0, true, 1.0); + + g_hPatCount = AutoExecConfig_CreateConVar("tjs_pat_count", "18", "Number of jump out of the last 30 that must match to be flagged for pattern jumps (scripts).", FCVAR_NONE, true, 1.0); + + g_hBanHacks = AutoExecConfig_CreateConVar("tjs_ban_hacks", "0", "Ban length in minutes (0 = perm, -1 = disabled) for hacks detection.", FCVAR_NONE, true, -1.0); + + g_hBanPat = AutoExecConfig_CreateConVar("tjs_ban_pat", "-1", "Ban length in minutes (0 = perm, -1 = disabled) for pattern jumps detection.", FCVAR_NONE, true, -1.0); + + g_hBanHyp = AutoExecConfig_CreateConVar("tjs_ban_hyp", "-1", "Ban length in minutes (0 = perm, -1 = disabled) for hyperscroll detection.", FCVAR_NONE, true, -1.0); + + g_hBanFPSMax = AutoExecConfig_CreateConVar("tjs_ban_fpsmax", "-1", "Ban length in minutes (0 = perm, -1 = disabled) for FPS Max abuse detection.", FCVAR_NONE, true, -1.0); + + HookEvent("player_jump", Event_PlayerJump, EventHookMode_Post); + + BuildPath(Path_SM, g_sHypPath, sizeof(g_sHypPath), "logs/togsjumpstats/hyperscrollers.log"); + BuildPath(Path_SM, g_sHacksPath, sizeof(g_sHacksPath), "logs/togsjumpstats/hacks.log"); + BuildPath(Path_SM, g_sPatPath, sizeof(g_sPatPath), "logs/togsjumpstats/patterns.log"); + + RegConsoleCmd("sm_jumps", Command_Jumps, "Gives statistics for player jumps."); + RegConsoleCmd("sm_stopmsgs", Command_StopAdminMsgs, "Stops admin chat notifications when players are flagged for current map."); + RegConsoleCmd("sm_enablemsgs", Command_EnableAdminMsgs, "Re-enables admin chat notifications when players are flagged."); + RegConsoleCmd("sm_msgstatus", Command_MsgStatus, "Check enabled/disabled status of admin chat notifications."); + RegConsoleCmd("sm_resetjumps", Command_ResetJumps, "Reset statistics for a player."); + + AutoExecConfig_ExecuteFile(); + AutoExecConfig_CleanFile(); + + char sGame[32]; + GetGameFolderName(sGame, sizeof(sGame)); + if(StrEqual(sGame, "csgo", false)) + { + g_bCSGO = true; + } + else + { + g_bCSGO = false; + } + + HookEvent("round_start", Event_RoundStart, EventHookMode_Pre); + + for(int i = 1; i <= MaxClients; i++) //late load handler + { + if(IsValidClient(i)) + { + OnClientPutInServer(i); + } + } + + char sBuffer[PLATFORM_MAX_PATH]; + BuildPath(Path_SM, sBuffer, sizeof(sBuffer), "logs/togsjumpstats/"); + if(!DirExists(sBuffer)) + { + CreateDirectory(sBuffer, 777); + } +} + +public void OnCVarChange(ConVar hCVar, const char[] sOldValue, const char[] sNewValue) +{ + if(hCVar == g_hStatsFlag) + { + g_hStatsFlag.GetString(g_sStatsFlag, sizeof(g_sStatsFlag)); + } + else if(hCVar == g_hAdminFlag) + { + g_hAdminFlag.GetString(g_sAdminFlag, sizeof(g_sAdminFlag)); + } +} + +public Action Event_RoundStart(Handle hEvent, const char[] sName, bool bDontBroadcast) +{ + if(g_hReqMultRoundsHyp.IntValue) + { + for(int i = 1; i <= MaxClients; i++) + { + if(ga_bFlagHypLastRound[i]) + { + ga_bFlagHypTwoRoundsAgo[i] = true; + } + else + { + ga_bFlagHypTwoRoundsAgo[i] = false; + } + + if(ga_bFlagHypCurrentRound[i]) + { + ga_bFlagHypLastRound[i] = true; + } + else + { + ga_bFlagHypLastRound[i] = false; + } + + ga_bFlagHypCurrentRound[i] = false; + } + } + for(int i = 1; i <= MaxClients; i++) + { + if(IsValidClient(i)) + { + QueryClientConVar(i, "fps_max", ClientConVar, i); + } + } + +} + +public int ClientConVar(QueryCookie cookie, int client, ConVarQueryResult result, const char[] sCVarName, const char[] sCVarValue) +{ + float fValue = StringToFloat(sCVarValue); + if((fValue < g_hFPSMaxMinValue.FloatValue) && fValue) //if non-zero and less + { + char sMsg[32]; + Format(sMsg, sizeof(sMsg), "fps_max-%s", sCVarValue); + LogFlag(client, sMsg); + if(!g_bDisableAdminMsgs && g_hEnableAdmNotifications.BoolValue) + { + NotifyAdmins(client, sMsg); + } + } +} + +public void OnClientPutInServer(int client) +{ + ga_bNotificationsPaused[client] = false; + ga_bFlagged[client] = false; + ga_bFlagHypCurrentRound[client] = false; + ga_bFlagHypLastRound[client] = false; + ga_bFlagHypTwoRoundsAgo[client] = false; +} + +public void OnClientPostAdminCheck(int client) +{ + if(HasFlags(client, g_sAdminFlag)) + { + CreateTimer(30.0, TimerCB_CheckForFlags, GetClientUserId(client), TIMER_FLAG_NO_MAPCHANGE); + } +} + +public Action TimerCB_CheckForFlags(Handle hTimer, any iUserID) +{ + int client = GetClientOfUserId(iUserID); + int iCount = 0; + if(IsValidClient(client)) + { + for(int i = 1; i <= MaxClients; i++) + { + if(IsValidClient(i)) + { + if(ga_bFlagged[i]) + { + iCount++; + } + } + } + if(iCount) + { + PrintToChat(client, "%s%s%i players have been flagged for jump stats! Please check everyone's stats!", TAG, g_bCSGO ? CSGO_RED : CSS_RED, iCount); + } + } +} + +public void Event_PlayerJump(Handle hEvent, const char[] sName, bool bDontBroadcast) +{ + int client = GetClientOfUserId(GetEventInt(hEvent, "userid")); + + if(!IsValidClient(client)) + { + return; + } + + ga_fAvgJumps[client] = (ga_fAvgJumps[client] * 9.0 + float(ga_iJumps[client])) / 10.0; + + float a_fVelVectors[3]; + GetEntPropVector(client, Prop_Data, "m_vecVelocity", a_fVelVectors); + a_fVelVectors[2] = 0.0; + float speed = GetVectorLength(a_fVelVectors); + ga_fAvgSpeed[client] = (ga_fAvgSpeed[client] * 9.0 + speed) / 10.0; + + gaa_iLastJumps[client][ga_iLastPos[client]] = ga_iJumps[client]; + ga_iLastPos[client]++; + if(ga_iLastPos[client] == 30) + { + ga_iLastPos[client] = 0; + } + + if(ga_fAvgJumps[client] > 15.0) + { + if((ga_iPatternhits[client] > 0) && (ga_iJumps[client] == ga_iPattern[client])) + { + ga_iPatternhits[client]++; + if(ga_iPatternhits[client] > g_hPatCount.IntValue) + { + if(!ga_bNotificationsPaused[client]) + { + if(!g_bDisableAdminMsgs && g_hEnableAdmNotifications.BoolValue) + { + NotifyAdmins(client, "Pattern Jumps"); + } + } + + if((ga_fAvgPerfJumps[client] - g_hRelogDiff.FloatValue) > ga_fMaxPerf[client]) + { + LogFlag(client, "pattern jumps", ga_bFlagged[client]); + ga_fMaxPerf[client] = ga_fAvgPerfJumps[client]; + } + } + } + else if((ga_iPatternhits[client] > 0) && (ga_iJumps[client] != ga_iPattern[client])) + { + ga_iPatternhits[client] -= 2; + } + else + { + ga_iPattern[client] = ga_iJumps[client]; + ga_iPatternhits[client] = 2; + } + } + + if(ga_fAvgJumps[client] > 14.0) + { + //check if more than 8 of the last 30 jumps were above 12 + ga_iNumberJumpsAbove[client] = 0; + + for(int i = 0; i < 29; i++) //count + { + if((gaa_iLastJumps[client][i]) > (g_hAboveNumber.IntValue - 1)) //threshhold for # jump commands + { + ga_iNumberJumpsAbove[client]++; + } + } + if((ga_iNumberJumpsAbove[client] > (g_hAboveNumberFlags.IntValue - 1)) && (ga_fAvgPerfJumps[client] >= g_hHypPerf.FloatValue)) //if more than # + { + if(g_hReqMultRoundsHyp.IntValue) + { + if(ga_bFlagHypTwoRoundsAgo[client] && ga_bFlagHypLastRound[client]) + { + if(!ga_bNotificationsPaused[client]) + { + if(!g_bDisableAdminMsgs && g_hEnableAdmNotifications.BoolValue) + { + NotifyAdmins(client, "Hyperscroll (3 rounds in a row)"); + } + } + + if((ga_fAvgPerfJumps[client] - g_hRelogDiff.FloatValue) > ga_fMaxPerf[client]) + { + LogFlag(client, "hyperscroll (3 rounds in a row)", ga_bFlagged[client]); + ga_fMaxPerf[client] = ga_fAvgPerfJumps[client]; + } + } + else + { + ga_bFlagHypCurrentRound[client] = true; + } + } + else + { + if(!ga_bNotificationsPaused[client]) + { + if(!g_bDisableAdminMsgs && g_hEnableAdmNotifications.BoolValue) + { + NotifyAdmins(client, "Hyperscroll"); + } + } + + if((ga_fAvgPerfJumps[client] - g_hRelogDiff.FloatValue) > ga_fMaxPerf[client]) + { + LogFlag(client, "hyperscroll", ga_bFlagged[client]); + ga_fMaxPerf[client] = ga_fAvgPerfJumps[client]; + } + } + } + } + else if(ga_iJumps[client] > 1) + { + ga_iAutojumps[client] = 0; + } + + ga_iJumps[client] = 0; + float a_fTempVectors[3]; + a_fTempVectors = ga_fLastPos[client]; + GetEntPropVector(client, Prop_Send, "m_vecOrigin", ga_fLastPos[client]); + + float len = GetVectorDistance(ga_fLastPos[client], a_fTempVectors, true); + if(len < 30.0) + { + ga_iIgnoreCount[client] = 2; + } + + if(ga_fAvgPerfJumps[client] >= g_hHacksPerf.FloatValue) + { + if(!ga_bNotificationsPaused[client]) + { + if(!g_bDisableAdminMsgs && g_hEnableAdmNotifications.BoolValue) + { + NotifyAdmins(client, "Hacks"); + } + } + + if((ga_fAvgPerfJumps[client] - g_hRelogDiff.FloatValue) > ga_fMaxPerf[client]) + { + LogFlag(client, "hacks", ga_bFlagged[client]); + ga_fMaxPerf[client] = ga_fAvgPerfJumps[client]; + } + } +} + +public Action Command_StopAdminMsgs(int client, int iArgs) +{ + if(!HasFlags(client, g_sAdminFlag) && IsValidClient(client)) + { + ReplyToCommand(client, "%sYou do not have access to this command!", TAG); + return Plugin_Handled; + } + + StopMsgs(client); + + return Plugin_Handled; +} + +public Action Command_MsgStatus(int client, int iArgs) +{ + if(!HasFlags(client, g_sAdminFlag) && IsValidClient(client)) + { + ReplyToCommand(client, "%sYou do not have access to this command!", TAG); + return Plugin_Handled; + } + + if(g_bDisableAdminMsgs) + { + ReplyToCommand(client, "%sAdmin chat notifications for flagged players is currently disabled!", TAG); + } + else + { + ReplyToCommand(client, "%sAdmin chat notifications for flagged players is currently enabled.", TAG); + } + + return Plugin_Handled; +} + +void StopMsgs(any client) +{ + g_bDisableAdminMsgs = true; + for(int i = 1; i <= MaxClients; i++) + { + if(IsClientInGame(i) && CheckCommandAccess(i, "sm_admin", ADMFLAG_GENERIC, true) && !IsFakeClient(i)) + { + if(i > 0) + { + CPrintToChat(i, "%s%s%N has disabled admin notices for bhop cheats until map changes!", TAG, g_bCSGO ? CSGO_RED : CSS_RED, client); + } + } + } +} + +void EnableMsgs(any client) +{ + g_bDisableAdminMsgs = false; + for(int i = 1; i <= MaxClients; i++) + { + if(IsClientInGame(i) && CheckCommandAccess(i, "sm_admin", ADMFLAG_GENERIC, true) && !IsFakeClient(i)) + { + if(i > 0) + { + CPrintToChat(i, "%s%s%N has re-enabled admin notices for bhop cheats!", TAG, g_bCSGO ? CSGO_RED : CSS_RED, client); + } + } + } +} + +public Action Command_EnableAdminMsgs(int client, int iArgs) +{ + if(!HasFlags(client, g_sAdminFlag) && IsValidClient(client)) + { + ReplyToCommand(client, "%sYou do not have access to this command!", TAG); + return Plugin_Handled; + } + + EnableMsgs(client); + + return Plugin_Handled; +} + +public void OnMapStart() +{ + g_bDisableAdminMsgs = false; + + for(int i = 1; i <= MaxClients; i++) + { + if(IsClientInGame(i)) + { + ga_bNotificationsPaused[i] = false; + ga_bFlagHypCurrentRound[i] = false; + ga_bFlagHypLastRound[i] = false; + ga_bFlagHypTwoRoundsAgo[i] = false; + } + } +} + +void NotifyAdmins(int client, char[] sFlagType) +{ + if(IsValidClient(client)) + { + if(StrContains(sFlagType, "fps_max", false) == -1) + { + for(int i = 1; i <= MaxClients; i++) + { + if(IsValidClient(i) && CheckCommandAccess(i, "sm_admin", ADMFLAG_GENERIC, true)) + { + CPrintToChat(i, "%s%s'%N' has been flagged for '%s'! Please check their jump stats!", TAG, g_bCSGO ? CSGO_RED : CSS_RED, client, sFlagType); + PerformStats(i, client); + } + } + + ga_bNotificationsPaused[client] = true; + CreateTimer(g_hCooldown.FloatValue, UnPause_TimerMonitor, GetClientUserId(client), TIMER_FLAG_NO_MAPCHANGE); + } + else + { + char a_sTempArray[2][32]; + ExplodeString(sFlagType, "-", a_sTempArray, sizeof(a_sTempArray), sizeof(a_sTempArray[])); + + for(int i = 1; i <= MaxClients; i++) + { + if(IsValidClient(i) && CheckCommandAccess(i, "sm_admin", ADMFLAG_GENERIC, true)) + { + CPrintToChat(i, "%s%s'%N' has been flagged for having fps_max set to %s! Please enforce a minimum value of %5.1f.", TAG, g_bCSGO ? CSGO_RED : CSS_RED, client, a_sTempArray[1], g_hFPSMaxMinValue.FloatValue); + PerformStats(i, client); + } + } + } + } +} + + +public Action UnPause_TimerMonitor(Handle hTimer, any iUserID) +{ + int client = GetClientOfUserId(iUserID); + if(IsValidClient(client)) + { + ga_bNotificationsPaused[client] = false; + } + return Plugin_Continue; +} + +public void OnClientDisconnect(int client) +{ + ga_iJumps[client] = 0; + ga_fAvgJumps[client] = 5.0; + ga_fAvgSpeed[client] = 250.0; + ga_fAvgPerfJumps[client] = 0.3333; + ga_iPattern[client] = 0; + ga_iPatternhits[client] = 0; + ga_iAutojumps[client] = 0; + ga_iIgnoreCount[client] = 0; + ga_bFlagged[client] = false; + ga_bFlagHypCurrentRound[client] = false; + ga_bFlagHypLastRound[client] = false; + ga_bFlagHypTwoRoundsAgo[client] = false; + ga_fVel[client][2] = 0.0; + int i; + while(i < 30) + { + gaa_iLastJumps[client][i] = 0; + i++; + } +} + +public void OnGameFrame() +{ + if(g_iTickCount > 1*MaxClients) + { + g_iTickCount = 1; + } + else + { + if(g_iTickCount % 1 == 0) + { + int client = g_iTickCount / 1; + if(ga_bSurfCheck[client] && IsClientInGame(client) && IsPlayerAlive(client)) + { + GetEntPropVector(client, Prop_Data, "m_vecVelocity", ga_fVel[client]); + if(ga_fVel[client][2] < -290) + { + ga_iIgnoreCount[client] = 2; + } + + } + } + g_iTickCount++; + } +} + +void LogFlag(int client, const char[] sType, bool bAlreadyFlagged = false) +{ + if(IsValidClient(client)) + { + char sStats[256], sLogMsg[300]; + GetClientStats(client, sStats, sizeof(sStats)); + Format(sLogMsg, sizeof(sLogMsg), "%s %s%s", sStats, sType, (bAlreadyFlagged ? " (already flagged this map)" : "")); + + if(StrEqual(sType, "hacks", false)) + { + if(g_hEnableLogs.BoolValue) + { + LogToFileEx(g_sHacksPath, sLogMsg); + } + + if(g_hBanHacks.IntValue != -1) + { + if(LibraryExists("sourcebans")) + { + SBBanPlayer(0, client, g_hBanHacks.IntValue, sLogMsg); + } + else + { + BanClient(client, g_hBanHacks.IntValue, BANFLAG_AUTO, sLogMsg, "You have been banned for bhop hacks!", "jumpstats", 0); + } + } + } + else if(StrEqual(sType, "pattern jumps", false)) + { + if(g_hEnableLogs.BoolValue) + { + LogToFileEx(g_sPatPath, sLogMsg); + } + + if(g_hBanPat.IntValue != -1) + { + if(LibraryExists("sourcebans")) + { + SBBanPlayer(0, client, g_hBanPat.IntValue, sLogMsg); + } + else + { + BanClient(client, g_hBanPat.IntValue, BANFLAG_AUTO, sLogMsg, "You have been banned for bhop hacks!", "jumpstats", 0); + } + } + } + else if(StrEqual(sType, "hyperscroll", false) || StrEqual(sType, "hyperscroll (3 rounds in a row)", false)) + { + if(g_hEnableLogs.BoolValue) + { + LogToFileEx(g_sHypPath, sLogMsg); + } + + if(g_hBanHyp.IntValue != -1) + { + if(LibraryExists("sourcebans")) + { + SBBanPlayer(0, client, g_hBanHyp.IntValue, sLogMsg); + } + else + { + BanClient(client, g_hBanHyp.IntValue, BANFLAG_AUTO, sLogMsg, "You have been banned for bhop hacks!", "jumpstats", 0); + } + } + } + else if(StrContains(sType, "fps_max", false) != -1) + { + char a_sTempArray[2][32]; + ExplodeString(sType, "-", a_sTempArray, sizeof(a_sTempArray), sizeof(a_sTempArray[])); + Format(sLogMsg, sizeof(sLogMsg), "%L has fps_max set to %s (min. accepted value set to %i)! This can be used as a glitch to get high perfect percentages!", client, a_sTempArray[1], g_hFPSMaxMinValue.IntValue); + + if(g_hEnableLogs.BoolValue) + { + LogToFileEx(g_sHacksPath, sLogMsg); + } + + if(g_hBanFPSMax.IntValue != -1) + { + if(LibraryExists("sourcebans")) + { + SBBanPlayer(0, client, g_hBanFPSMax.IntValue, sLogMsg); + } + else + { + BanClient(client, g_hBanFPSMax.IntValue, BANFLAG_AUTO, sLogMsg, "You have been banned for bhop hacks!", "jumpstats", 0); + } + } + } + ga_bFlagged[client] = true; + } +} + +public Action Command_Jumps(int client, int iArgs) +{ + if(iArgs != 1) + { + ReplyToCommand(client, "%sUsage: sm_jumps <#userid|name|@all>", TAG); + return Plugin_Handled; + } + + if(IsValidClient(client)) + { + if(!HasFlags(client, g_sStatsFlag)) + { + ReplyToCommand(client, "%sYou do not have access to this command!", TAG); + return Plugin_Handled; + } + } + + char sArg[65]; + GetCmdArg(1, sArg, sizeof(sArg)); + + char sTargetName[MAX_TARGET_LENGTH]; + int a_iTargets[MAXPLAYERS], iTargetCount; + bool bTN_Is_ML; + + if((iTargetCount = ProcessTargetString(sArg, client, a_iTargets, MAXPLAYERS, COMMAND_FILTER_NO_IMMUNITY, sTargetName, sizeof(sTargetName), bTN_Is_ML)) <= 0) + { + ReplyToCommand(client, "Not found or invalid parameter."); + return Plugin_Handled; + } + + SortedStats(client, a_iTargets, iTargetCount); + + if(IsValidClient(client)) + { + ReplyToCommand(client, "%sCheck console for output!", TAG); + } + + return Plugin_Handled; +} + +public Action Command_ResetJumps(int client, int iArgs) +{ + if(iArgs != 1) + { + ReplyToCommand(client, "%sUsage: sm_resetjumps <#userid|name|@all>", TAG); + return Plugin_Handled; + } + + if(IsValidClient(client)) + { + if(!HasFlags(client, g_sAdminFlag) && IsValidClient(client)) + { + ReplyToCommand(client, "%sYou do not have access to this command!", TAG); + return Plugin_Handled; + } + } + + char sArg[65]; + GetCmdArg(1, sArg, sizeof(sArg)); + + char sTargetName[MAX_TARGET_LENGTH]; + int a_iTargets[MAXPLAYERS], iTargetCount; + bool bTN_Is_ML; + + if((iTargetCount = ProcessTargetString(sArg, client, a_iTargets, MAXPLAYERS, COMMAND_FILTER_NO_IMMUNITY, sTargetName, sizeof(sTargetName), bTN_Is_ML)) <= 0) + { + ReplyToCommand(client, "Not found or invalid parameter."); + return Plugin_Handled; + } + + for(int i = 0; i < iTargetCount; i++) + { + int target = a_iTargets[i]; + if(IsValidClient(target)) + { + ResetJumps(target); + ReplyToCommand(client, "%sStats are now reset for player %N.", TAG, target); + } + } + + return Plugin_Handled; +} + +void ResetJumps(int target) +{ + for(int i = 0; i < 29; i++) + { + gaa_iLastJumps[target][i] = 0; + } +} + +void PerformStats(int client, int target) +{ + char sStats[300]; + GetClientStats(target, sStats, sizeof(sStats)); + if(IsValidClient(client)) + { + PrintToConsole(client, "Flagged: %i || %s", ga_bFlagged[target], sStats); + } + else + { + PrintToServer("Flagged: %i || %s", ga_bFlagged[target], sStats); + } +} + +void SortedStats(int client, int[] a_iTargets, int iCount) +{ + float[][] a_fPerfs = new float[iCount][2]; + int iValidCount = 0; + for(int i = 0; i < iCount; i++) + { + if(IsValidClient(a_iTargets[i])) + { + a_fPerfs[i][0] = ga_fAvgPerfJumps[a_iTargets[i]] * 1000; + iValidCount++; + } + else + { + a_fPerfs[i][0] = -1.0; + } + a_fPerfs[i][1] = float(a_iTargets[i]); + } + + SortCustom2D(a_fPerfs, iCount, SortPerfs); + + char[][] a_sStats = new char[iValidCount][300]; + int k = 0; + char sMsg[300]; + for(int j = 0; j < iCount; j++) + { + int target = RoundFloat(a_fPerfs[j][1]); + if(IsValidClient(target) && (a_fPerfs[j][0] != -1.0)) + { + //save to another array to display them in order, since the get stats takes time and therefor they can sometimes come out of order slightly + char sStats[300]; + GetClientStats(target, sStats, sizeof(sStats)); + Format(sMsg, sizeof(sMsg), "Flagged: %d || %s", ga_bFlagged[target], sStats); + strcopy(a_sStats[k], 300, sMsg); + k++; + } + } + + if(IsValidClient(client)) + { + for(int m = 0; m < iValidCount; m++) + { + PrintToConsole(client, a_sStats[m]); + } + } + else + { + for(int m = 0; m < iValidCount; m++) + { + PrintToServer(a_sStats[m]); + } + } + +} + +public int SortPerfs(int[] x, int[] y, const int[][] aArray, Handle hHndl) +{ + if(view_as(x[0]) > view_as(y[0])) + { + return -1; + } + return view_as(x[0]) < view_as(y[0]); +} + +void GetClientStats(int client, char[] sStats, int iLength) +{ + char sMap[128]; + GetCurrentMap(sMap, sizeof(sMap)); + Format(sStats, iLength, "Perf: %4.1f%% || Avg: %-4.1f / %5.1f || %L || Map: %s || Last: ", + ga_fAvgPerfJumps[client]*100, ga_fAvgJumps[client], ga_fAvgSpeed[client], client, sMap); + Format(sStats, iLength, "%s%i %i %i %i %i %i %i %i %i %i %i %i %i %i %i %i %i %i %i %i %i %i %i %i %i %i %i %i %i %i", sStats, + gaa_iLastJumps[client][0], gaa_iLastJumps[client][1], gaa_iLastJumps[client][2], gaa_iLastJumps[client][3], gaa_iLastJumps[client][4], gaa_iLastJumps[client][5], + gaa_iLastJumps[client][6], gaa_iLastJumps[client][7], gaa_iLastJumps[client][8], gaa_iLastJumps[client][9], gaa_iLastJumps[client][10], gaa_iLastJumps[client][11], + gaa_iLastJumps[client][12], gaa_iLastJumps[client][13], gaa_iLastJumps[client][14], gaa_iLastJumps[client][15], gaa_iLastJumps[client][16], gaa_iLastJumps[client][17], + gaa_iLastJumps[client][18], gaa_iLastJumps[client][19], gaa_iLastJumps[client][20], gaa_iLastJumps[client][21], gaa_iLastJumps[client][22], gaa_iLastJumps[client][23], + gaa_iLastJumps[client][24], gaa_iLastJumps[client][25], gaa_iLastJumps[client][26], gaa_iLastJumps[client][27], gaa_iLastJumps[client][28], gaa_iLastJumps[client][29]); +} + +public Action OnPlayerRunCmd(int client, int &buttons, int &impulse, float a_fVel[3], float a_fAngles[3], int &weapon) +{ + if(IsPlayerAlive(client)) + { + static bool bHoldingJump[MAXPLAYERS + 1]; + static bLastOnGround[MAXPLAYERS + 1]; + if(buttons & IN_JUMP) + { + if(!bHoldingJump[client]) + { + bHoldingJump[client] = true;//started pressing +jump + ga_iJumps[client]++; + if(bLastOnGround[client] && (GetEntityFlags(client) & FL_ONGROUND)) + { + ga_fAvgPerfJumps[client] = (ga_fAvgPerfJumps[client] * 9.0 + 0) / 10.0; + + } + else if(!bLastOnGround[client] && (GetEntityFlags(client) & FL_ONGROUND)) + { + ga_fAvgPerfJumps[client] = (ga_fAvgPerfJumps[client] * 9.0 + 1) / 10.0; + } + } + } + else if(bHoldingJump[client]) + { + bHoldingJump[client] = false;//released (-jump) + + } + bLastOnGround[client] = GetEntityFlags(client) & FL_ONGROUND; + } + + return Plugin_Continue; +} + +bool HasFlags(int client, char[] sFlags) +{ + if(StrEqual(sFlags, "public", false) || StrEqual(sFlags, "", false)) + { + return true; + } + else if(StrEqual(sFlags, "none", false)) //useful for some plugins + { + return false; + } + else if(!client) //if rcon + { + return true; + } + else if(CheckCommandAccess(client, "sm_not_a_command", ADMFLAG_ROOT, true)) + { + return true; + } + + AdminId id = GetUserAdmin(client); + if(id == INVALID_ADMIN_ID) + { + return false; + } + int flags, clientflags; + clientflags = GetUserFlagBits(client); + + if(StrContains(sFlags, ";", false) != -1) //check if multiple strings + { + int i = 0, iStrCount = 0; + while(sFlags[i] != '\0') + { + if(sFlags[i++] == ';') + { + iStrCount++; + } + } + iStrCount++; //add one more for stuff after last comma + + char[][] a_sTempArray = new char[iStrCount][30]; + ExplodeString(sFlags, ";", a_sTempArray, iStrCount, 30); + bool bMatching = true; + + for(i = 0; i < iStrCount; i++) + { + bMatching = true; + flags = ReadFlagString(a_sTempArray[i]); + for(int j = 0; j <= 20; j++) + { + if(bMatching) //if still matching, continue loop + { + if(flags & (1< include. + * Changed g_iDisableAdminMsgs to boolean, since it was being used like one (only two options). + * Replaced global cache of game folder name (for checking if CS:GO) with global cached boolean, thus not needing to check the game name each time, but rather check boolean value. + * Cleaned up variable names all throughout the plugin and did general cleanup, deleting unneccesary code (havent touched this plugin in a long time). +1.9.1.nm + * Broke apart GetClientStats formatting function to enforce 32 arg max (it had 35). + * Converted to new syntax. +1.9.2 + * Made admin notification after connecting only show if a player has been flagged. + * Added code to create log folder if it doesn't exist. +1.9.3 + * Fixed logs indication regarding whether a player has "already been flagged this map". + * Changed console stats output from using %d to use %i for the "flagged" boolean output. Shouldn't make a difference as I can see, but made the change due to a report of the flag not functioning properly. +1.9.4 + * Added cvar for admin notification flags. +1.9.5 + * Minor edit to low fps_max detection - zero values were supposed to be allowed, but slipped through due to float decimals extending past string compared against. Fixed. +1.10.0 + * Added options to use sourcebans to ban for detections (defaults to bans for hacks only - scripts, hyperscroll, and fps_max abuse default to no ban). +1.10.1 + * Added alternative if sourcebans is not enabled. Renamed ban length CVars to no longer imply sourcebans (SB). +*/