From 5ff2dd9c50169a5af1715c9df6768a1cb07a5219 Mon Sep 17 00:00:00 2001 From: Troy Date: Fri, 9 Feb 2024 14:35:45 +0000 Subject: [PATCH] Publish project to Git --- README.md | 34 +++++ bot.py | 43 ++++++ cogs/audio.py | 109 +++++++++++++++ cogs/default.py | 28 ++++ cogs/integrations.py | 313 +++++++++++++++++++++++++++++++++++++++++++ cogs/listeners.py | 118 ++++++++++++++++ cogs/management.py | 87 ++++++++++++ discord.ico | Bin 0 -> 255678 bytes gui.py | 139 +++++++++++++++++++ test.py | 17 +++ 10 files changed, 888 insertions(+) create mode 100644 README.md create mode 100644 bot.py create mode 100644 cogs/audio.py create mode 100644 cogs/default.py create mode 100644 cogs/integrations.py create mode 100644 cogs/listeners.py create mode 100644 cogs/management.py create mode 100644 discord.ico create mode 100644 gui.py create mode 100644 test.py diff --git a/README.md b/README.md new file mode 100644 index 0000000..ffbb6c6 --- /dev/null +++ b/README.md @@ -0,0 +1,34 @@ +

+ AQA Computer Science NEA Project +
+

+ +

+ + Made with Python 3.8 + + + discord.py + + +

+ +# Overview + +This repository contains all of the code used in my AQA Computer Science NEA Project. The project's objective is to create a Discord bot in [Python](https://www.python.org) using the [discord.py](https://github.com/Rapptz/discord.py) API wrapper. + +**Features include:** + +- [x] Moderation (kick/ban/unban, chat cleaner, warnings, announcements) +- [x] Integrations (Steam data integration, Riot Games data integration) +- [x] Full database storage (messages, guild info e.g. prefix, bad manners) +- [x] Member join and leave notifications +- [x] Simple commands (coinflip, dice roll, latency) +- [x] All commands stored using Cogs +- [x] Music playback from YouTube +- [ ] Simple GUI to interact with stored data +- [ ] Alerts (Twitch, Youtube, Mixer) +- [ ] Custom commands (using data from database) +- [ ] Admin automation (self-role assignment, cross-server announcements, mod-mail reports) diff --git a/bot.py b/bot.py new file mode 100644 index 0000000..0b69124 --- /dev/null +++ b/bot.py @@ -0,0 +1,43 @@ +import discord +import os +from discord.ext import commands + +PREFIX = "!" +VERSION = "1.0" + +bot = commands.Bot(command_prefix = PREFIX, case_insensitive=True, self_bot = False, description = f"Help Dialog Box") + +#Load commands for Cog files +@bot.command(brief="Load specified cog", description="Loads the specified cog from the folder of cogs.") +@commands.is_owner()#@commands.has_role("Owner") +async def load(ctx, extension): #Load command + bot.load_extension(f"cogs.{extension}") + +@bot.command(brief="Unload specified cog", description="Unloads the specified cog from the folder of cogs.") +@commands.is_owner() +async def unload(ctx, extension):#Unload command + bot.unload_extension(f"cogs.{extension}") + +@bot.command(brief="Reload specified cog", description="Unloads and loads the specified cog from the folder of cogs.") +@commands.is_owner() +async def reload(ctx, extension):#Reload command + bot.unload_extension(f"cogs.{extension}") + bot.load_extension(f"cogs.{extension}") + +#Read all Cog files in. +for filename in os.listdir("./cogs"): + if filename.endswith(".py"): + bot.load_extension(f"cogs.{filename[:-3]}") + +#Commands +@bot.command(brief="Shows info about the bot", description="Shows info about the bot.") +async def info(ctx): + embed = discord.Embed(title=f"{bot.user.name}", description=f"Made by **Troy#7760**") + embed.add_field(name="Version:", value=(f"{VERSION}")) + embed.add_field(name="Help:", value=(f"Use `{PREFIX} + help` to get started")) + embed.colour = (0xfb5246) + #embed.colour = random.randint(0, 0xffffff)#Gives the embed box a random colour everytime. + embed.set_footer(text="troylusty.com", icon_url="https://pbs.twimg.com/profile_images/1218306285382307841/ur9_dCej_400x400.jpg") + await ctx.send(content=None, embed=embed) + +bot.run("")#Secret token which is unique used to run code on the bot. diff --git a/cogs/audio.py b/cogs/audio.py new file mode 100644 index 0000000..61edb95 --- /dev/null +++ b/cogs/audio.py @@ -0,0 +1,109 @@ +import discord +import os +import youtube_dl +from discord.ext import commands +from discord.utils import get + +players = {} + +class Audio(commands.Cog): + + def __init__(self, bot): + self.bot = bot + + @commands.command(aliases=["j"], brief="Bot joins the channel", description="Bot joins the channel the message authour is currently in.") + async def join(self, ctx): + global voice + channel = ctx.message.author.voice.channel + voice = get(self.bot.voice_clients, guild=ctx.guild) + if voice and voice.is_connected(): + await voice.move_to(channel) + else: + voice = await channel.connect() + await ctx.send(f"joined {channel}") + + @commands.command(aliases=["l"], brief="Bot leaves the channel", description="Bot leaves the channel.") + async def leave(self, ctx): + channel = ctx.message.author.voice.channel + voice = get(self.bot.voice_clients, guild=ctx.guild) + if voice and voice.is_connected(): + await voice.disconnect() + await ctx.send(f"left {channel}") + else: + await ctx.send(f"not in any voice channel") + + @commands.command(aliases=["p", "pla"], brief="Play audio from YouTube video.", description="Play audio from specified YouTube video.") + async def play(self, ctx, url : str): + song_there = os.path.isfile("song.mp3") + try: + if song_there: + os.remove("song.mp3") + print("removed old song file") + except PermissionError: + print("tried to delete old song file") + await ctx.send(f"error music playing") + return + await ctx.send(f"getting ready") + voice = get(self.bot.voice_clients, guild=ctx.guild) + ydl_opts = { + 'format': 'bestaudio/best', + 'quiet': True, + 'postprocessors': [{ + 'key': 'FFmpegExtractAudio', + 'preferredcodec': 'mp3', + 'preferredquality': '192', + }], + } + with youtube_dl.YoutubeDL(ydl_opts) as ydl: + print(f"downloading audio") + ydl.download([url]) + for file in os.listdir("./"): + if file.endswith(".mp3"): + name = file + print(f"renamed audio file {file}") + os.rename(file, "song.mp3") + voice.play(discord.FFmpegPCMAudio("song.mp3"), after=lambda e: print(f"{name} has finished playing"))#If song is done do function `e`. + voice.source = discord.PCMVolumeTransformer(voice.source) + voice.source.volume = 0.33 + nnname = name.rsplit("-", 2) + await ctx.send(f"playing {nnname[0]}") + print("playing") + """ + https://youtu.be/Bp9SZYqIWIM + """ + + @commands.command(aliases=["pau"], brief="Pause song", description="Pause currently playing song.") + async def pause(self, ctx): + voice = get(self.bot.voice_clients, guild=ctx.guild) + if voice and voice.is_playing(): + print(f"music paused") + voice.pause() + await ctx.send(f"music paused") + else: + print("music not playing") + await ctx.send("music not playing failed to pause") + + @commands.command(aliases=["r"], brief="Resume song", description="Resume paused song.") + async def resume(self, ctx): + voice = get(self.bot.voice_clients, guild=ctx.guild) + if voice and voice.is_paused(): + print(f"music resumed") + voice.resume() + await ctx.send(f"music resumed") + else: + print("music not paused") + await ctx.send("music not paused") + + @commands.command(aliases=["s"], brief="Stop playing all songs", description="Stop playing all songs and clear queues.") + async def stop(self, ctx): + voice = get(self.bot.voice_clients, guild=ctx.guild) + if voice and voice.is_playing(): + print(f"music stopped") + voice.stop() + await ctx.send(f"music stopped") + else: + print("music not playing failed to stop") + await ctx.send("music not playing failed to stop") + +def setup(bot): + bot.add_cog(Audio(bot)) \ No newline at end of file diff --git a/cogs/default.py b/cogs/default.py new file mode 100644 index 0000000..36556ea --- /dev/null +++ b/cogs/default.py @@ -0,0 +1,28 @@ +import random +from discord.ext import commands + +class Default(commands.Cog): + + def __init__(self, bot): + self.bot = bot + + @commands.command(aliases=["flip"], brief="Flips a coin", description="Generates a random number between 0 and 1. If 0 is generated Heads is returned and if 1 is generated Tails is returned.") + async def coin(self, ctx): + zeroOrOne = random.randint(0,1) + if zeroOrOne == 0: + result = "Heads" + else: + result = "Tails" + await ctx.send(f"It's {result}") + + @commands.command(aliases=["roll"], brief="Rolls a dice", description="Generates a random number between 1 and 6 then returns the value.") + async def dice(self, ctx): + roll = random.randint(1, 6)#Generate a random number between 1 and 6. + await ctx.send(f"I've rolled a {roll} :game_die:")#Used an f-string to easily format the string since it makes it easier to add more variables and other values. + + @commands.command(aliases=["ping"], brief="Displays the bot's latency", description="Uses bot.latency to display the latency of the bot.") + async def latency(self, ctx): + await ctx.send(f"{round(self.bot.latency * 1000)}ms :alarm_clock:") + +def setup(bot): + bot.add_cog(Default(bot)) diff --git a/cogs/integrations.py b/cogs/integrations.py new file mode 100644 index 0000000..b1d11dd --- /dev/null +++ b/cogs/integrations.py @@ -0,0 +1,313 @@ +import discord +import json +import time +import urllib.request +from discord.ext import commands + +logins = { + "steam": { + "api-key": "", + }, + "riot": { + "api-key": "", + } +} + + +def most_frequent(List): + counter = 0 + num = List[0] + for i in List: + curr_frequency = List.count(i) + if (curr_frequency > counter): + counter = curr_frequency + num = i + return num + + +class Integrations(commands.Cog): + + def __init__(self, bot): + self.bot = bot + + @commands.command(brief="Steam user's ban info", description="Uses the Steam API to return a specified users detailed ban status.") + async def steambans(self, ctx, *, steamID64=""): + steamWebApiKey = logins["steam"]["api-key"] + try: + with urllib.request.urlopen( + f"http://api.steampowered.com/ISteamUser/GetPlayerSummaries/v0002/?key={steamWebApiKey}&steamids={steamID64}") as url: + playerSummaries = json.loads(url.read().decode()) + try: + personaname = playerSummaries['response']['players'][0]['personaname'] + except: + personaname = "*data not found*" + try: + realname = playerSummaries['response']['players'][0]['realname'] + except: + realname = "*data not found*" + try: + avatarfull = playerSummaries['response']['players'][0]['avatarfull'] + except: + avatarfull = "https://steamcdn-a.akamaihd.net/steamcommunity/public/images/avatars/b5/b5bd56c1aa4644a474a2e4972be27ef9e82e517e_full.jpg" + try: + profileurl = playerSummaries['response']['players'][0]['profileurl'] + except: + profileurl = f"https://steamcommunity.com/profiles/{steamID64}" + except: + personaname, realname, avatarfull, profileurl = "*data not loaded*", "*data not loaded*", "https://steamcdn-a.akamaihd.net/steamcommunity/public/images/avatars/b5/b5bd56c1aa4644a474a2e4972be27ef9e82e517e_full.jpg", f"https://steamcommunity.com/profiles/{steamID64}" + try: + with urllib.request.urlopen( + f"http://api.steampowered.com/ISteamUser/GetPlayerBans/v1/?key={steamWebApiKey}&steamids={steamID64}") as url: + getPlayerBans = json.loads(url.read().decode()) + try: + communityBanned = getPlayerBans['players'][0]['CommunityBanned'] + except: + communityBanned = "*data not found*" + try: + vacBanned = getPlayerBans['players'][0]['VACBanned'] + except: + vacBanned = "*data not found*" + try: + numberOfVACBans = getPlayerBans['players'][0]['NumberOfVACBans'] + except: + numberOfVACBans = "*data not found*" + try: + daysSinceLastBan = getPlayerBans['players'][0]['DaysSinceLastBan'] + except: + daysSinceLastBan = "*data not found*" + try: + numberOfGameBans = getPlayerBans['players'][0]['NumberOfGameBans'] + except: + numberOfGameBans = "*data not found*" + try: + economyBan = getPlayerBans['players'][0]['EconomyBan'] + except: + economyBan = "*data not found*" + except: + communityBanned, vacBanned, numberOfVACBans, daysSinceLastBan, numberOfGameBans, economyBan = "*data not loaded*", "*data not loaded*", "*data not loaded*", "*data not loaded*", "*data not loaded*", "*data not loaded*" + embed = discord.Embed(title="Steam Bans Check", description="") + embed.set_image(url=f"{avatarfull}") + embed.add_field(name="Username", value=f"{personaname}") + embed.add_field(name="Real name", value=f"{realname}") + embed.add_field(name="Profile url", value=f"{profileurl}") + embed.add_field(name="VAC", value=f"{vacBanned}") + embed.add_field(name="Number of VAC bans", value=f"{numberOfVACBans}") + embed.add_field(name="Days since last ban", value=f"{daysSinceLastBan}") + embed.add_field(name="Number of game bans", value=f"{numberOfGameBans}") + embed.add_field(name="Community banned", value=f"{communityBanned}") + embed.add_field(name="Economy ban", value=f"{economyBan}") + embed.colour = (0x5dcff6) + embed.set_footer(text="Steam", + icon_url="https://upload.wikimedia.org/wikipedia/commons/thumb/8/83/Steam_icon_logo.svg/2000px-Steam_icon_logo.svg.png") + await ctx.send(content=None, embed=embed) + + @commands.command(aliases=["csgo", "cs"], brief="CS:GO stats info", description="Uses the Steam API to return and calculate a specified users Counter-Strike: Global Offensive statistics.") + async def csgostats(self, ctx, *, steamID64=""): + steamWebApiKey = logins["steam"]["api-key"] + try: + with urllib.request.urlopen(f"http://api.steampowered.com/ISteamUser/GetPlayerSummaries/v0002/?key={steamWebApiKey}&steamids={steamID64}") as url: + playerSummaries = json.loads(url.read().decode()) + try: + personaname = playerSummaries['response']['players'][0]['personaname'] + except: + personaname = "*data not found*" + try: + realname = playerSummaries['response']['players'][0]['realname'] + except: + realname = "*data not found*" + try: + avatarfull = playerSummaries['response']['players'][0]['avatarfull'] + except: + avatarfull = "*data not found*" + try: + profileurl = playerSummaries['response']['players'][0]['profileurl'] + except: + profileurl = "*data not found*" + except: + personaname, realname, avatarfull, profileurl = "*data not loaded*", "*data not loaded*", "https://steamcdn-a.akamaihd.net/steamcommunity/public/images/avatars/b5/b5bd56c1aa4644a474a2e4972be27ef9e82e517e_full.jpg", f"https://steamcommunity.com/profiles/{steamID64}" + try: + with urllib.request.urlopen(f"http://api.steampowered.com/ISteamUserStats/GetUserStatsForGame/v0002/?appid=730&key={steamWebApiKey}&steamid={steamID64}") as url: + getUserStatsForGame = json.loads(url.read().decode()) + playerstats = getUserStatsForGame["playerstats"] + stats = playerstats["stats"] + for i in range(len(stats)): + if stats[i]['name'] == "total_kills": + totalKills = stats[i]['value'] + if stats[i]['name'] == "total_deaths": + totalDeaths = stats[i]['value'] + if stats[i]['name'] == "total_time_played": + totalTimePlayed = stats[i]['value'] + if stats[i]['name'] == "total_wins": + totalWins = stats[i]['value'] + if stats[i]['name'] == "total_kills_headshot": + totalKillsHeadshot = stats[i]['value'] + if stats[i]['name'] == "total_shots_fired": + totalShotsFired = stats[i]['value'] + if stats[i]['name'] == "total_shots_hit": + totalShotsHit = stats[i]['value'] + if stats[i]['name'] == "total_mvps": + totalMvps = stats[i]['value'] + killToDeath = round((totalKills / totalDeaths), 2) + accuracy = round((totalShotsHit / totalShotsFired * 100), 2) + headshotPercentage = round((totalKillsHeadshot / totalKills * 100), 2) + totalTimePlayed = round(totalTimePlayed / 3600) + except: + killToDeath, totalKills, totalTimePlayed, accuracy, headshotPercentage, totalMvps = "*data not loaded*", "*data not loaded*", "*data not loaded*", "*data not loaded*", "*data not loaded*", "*data not loaded*" + try: + data = {} + for i in range(len(stats)): + if stats[i]['name'].startswith("total_kills_"): + data[f"{stats[i]['name']}"] = int(f"{stats[i]['value']}") + try: + data.pop("total_kills_knife") + except: + error = True + try: + data.pop("total_kills_hegrenade") + except: + error = True + try: + data.pop("total_kills_headshot") + except: + error = True + try: + data.pop("total_kills_enemy_weapon") + except: + error = True + try: + data.pop("total_kills_enemy_blinded") + except: + error = True + try: + data.pop("total_kills_knife_fight") + except: + error = True + try: + data.pop("total_kills_against_zoomed_sniper") + except: + error = True + try: + data.pop("total_kills_molotov") + except: + error = True + try: + data.pop("total_kills_taser") + except: + error = True + data = {k: v for k, v in sorted(data.items(), key=lambda item: item[1], reverse=True)} # Sort weapons into most used + dict_items = data.items() + values = list(dict_items)[:5] # Cut to the top 5 most used + for i in range(0, len(values)): # Save stats to easily referenceable variables + if i == 0: + ak47 = values[i][1] + elif i == 1: + awp = values[i][1] + elif i == 2: + m4a1 = values[i][1] + elif i == 3: + deagle = values[i][1] + elif i == 4: + hkp2000 = values[i][1] + except: + error = True + if error == True: + print(f"error is true") + try: + with urllib.request.urlopen( + f"http://api.steampowered.com/ISteamUser/GetPlayerBans/v1/?key={steamWebApiKey}&steamids={steamID64}") as url: + getPlayerBans = json.loads(url.read().decode()) + try: + vacBanned = getPlayerBans['players'][0]['VACBanned'] + except: + vacBanned = "*data not found*" + except: + vacBanned = "*data not loaded*" + embed = discord.Embed(title="CS:GO Stats", description="") + embed.set_image(url=f"{avatarfull}") + embed.add_field(name="Username", value=f"{personaname}") + embed.add_field(name="Real name", value=f"{realname}") + embed.add_field(name="Profile url", value=f"{profileurl}") + embed.add_field(name="VAC", value=f"{vacBanned}") + embed.add_field(name="K/D", value=f"{killToDeath}") + embed.add_field(name="Total Kills", value=f"{totalKills}") + embed.add_field(name="Time Played", value=f"{totalTimePlayed} hours") + #embed.add_field(name="Win Percentage", value=f"") + embed.add_field(name="Accuracy", value=f"{accuracy}%") + embed.add_field(name="Headshot Percentage", value=f"{headshotPercentage}%") + embed.add_field(name="MVPs", value=f"{totalMvps}") + embed.add_field(name="Total Weapon Kills", value=f"AK-47: {ak47}, M4A1: {m4a1}, AWP: {awp}, DEAGLE: {deagle}, HKP2000: {hkp2000}") + embed.colour = (0xf99d1c) + embed.set_footer(text="Counter-Strike: Global Offensive", icon_url="http://i.imgur.com/JP5mOFP.png") + await ctx.send(content=None, embed=embed) + + @commands.command(brief="UNFINISHED - League of Legends Stats", description="League of Legends Stats") + async def lol(self, ctx, name, region="DEFAULT"): + print(region.casefold()) + start = time.time() + riotGamesApiKey = logins["riot"]["api-key"] + regions = ["BR1", "EUN1", "EUW1", "JP1", "KR", "LA1", "LA2", "NA1", "OC1", "TR1", "RU"] + if region == "DEFAULT": + for i in range(0, len(regions)): + try: + with urllib.request.urlopen( + f"https://{regions[i].casefold()}.api.riotgames.com/lol/summoner/v4/summoners/by-name/{name.casefold()}?api_key={riotGamesApiKey}") as url: + data = json.loads(url.read().decode()) + print(f"FOUND {regions[i]}") + correctRegion = regions[i].casefold() + if data == None: + break # Stop searching through the regions if one has been found + except: + print(f"NOT FOUND {regions[i]}") + else: + try: + print(f"{region, name, riotGamesApiKey}") + print( + f"https://{region.casefold()}.api.riotgames.com/lol/summoner/v4/summoners/by-name/{name.casefold()}?api_key={riotGamesApiKey}") + with urllib.request.urlopen( + f"https://{region.casefold()}.api.riotgames.com/lol/summoner/v4/summoners/by-name/{name.casefold()}?api_key={riotGamesApiKey}") as url: + data = json.loads(url.read().decode()) + correctRegion = region.casefold() + except: + print(f"error") + name = data["name"] + accountId = data["accountId"] + summonerLevel = data["summonerLevel"] + profileIconId = data["profileIconId"] + try: + with urllib.request.urlopen( + f"https://{correctRegion.casefold()}.api.riotgames.com/lol/match/v4/matchlists/by-account/{accountId}?api_key={riotGamesApiKey}") as url: + data2 = json.loads(url.read().decode()) + except: + print("error2") + lane = [] + for i in range(0, len(data2)): + lane.append(data2["matches"][i]["lane"]) + role = [] + for i in range(0, len(data2)): + role.append(data2["matches"][i]["role"]) + champion = [] + for i in range(0, len(data2)): + champion.append(data2["matches"][i]["champion"]) + totalGames = data2["totalGames"] + embed = discord.Embed(title="League of Legends Stats", description="") + embed.add_field(name="Name", value=f"{name}") + embed.add_field(name="Region", value=f"{correctRegion}") + # embed.add_field(name="Account ID", value=f"{accountId}") + embed.add_field(name="Summoner Level", value=f"{summonerLevel}") + embed.add_field(name="Favourite Lane", value=f"{most_frequent(lane)}") + embed.add_field(name="Favourite Role", value=f"{most_frequent(role)}") + embed.add_field(name="Favourite Champion", value=f"{most_frequent(champion)}") + embed.add_field(name="Total Games", value=f"{totalGames}") + embed.colour = (0xc28f2c) + embed.set_footer(text="League of Legends", + icon_url="https://pbs.twimg.com/profile_images/1229450306343145472/eOInxRFz_400x400.png") + end = time.time() + embed.add_field(name="Time Taken", value=f"{round(end - start)} second(s)") + await ctx.send(content=None, embed=embed) + + @commands.command(brief="UNRELEASED - Valorant Stats", description="Valorant Stats") + async def valorant(self, ctx, name="DEFAULT", region="DEFAULT"): + await ctx.send(f"GAME NOT RELEASED YET") + +def setup(bot): + bot.add_cog(Integrations(bot)) diff --git a/cogs/listeners.py b/cogs/listeners.py new file mode 100644 index 0000000..f3524c5 --- /dev/null +++ b/cogs/listeners.py @@ -0,0 +1,118 @@ +import datetime +import discord +import os +import sqlite3 +from discord.ext import commands +from profanity_check import predict + +DBFILENAME = "bot.db" + +def createDB(): + if os.path.isfile(DBFILENAME): + db = sqlite3.connect(DBFILENAME) + else: + db = sqlite3.connect(DBFILENAME) + print(f"File didn't exist. Created file: {DBFILENAME}") + cursor = db.cursor() + cursor.execute("CREATE TABLE if not exists guilds (id INTEGER, prefix TEXT, PRIMARY KEY (id))") + cursor.execute("CREATE TABLE if not exists messages (date TEXT, time TEXT, message TEXT, details TEXT, user INTEGER, guild INTEGER, link TEXT, bool INTEGER, PRIMARY KEY (date, time), FOREIGN KEY (user) REFERENCES users (user), FOREIGN KEY (guild) REFERENCES guilds (id))") + cursor.execute("CREATE TABLE if not exists users (user INTEGER, username TEXT, total INTEGER, profanity INTEGER, PRIMARY KEY (user))") + db.commit() + db.close() + +class Listeners(commands.Cog): + + def __init__(self, bot): + self.bot = bot + + @commands.Cog.listener() + async def on_ready(self): + try: + createDB()#Run createDB. This will check for the database and tables. If they don't exist they will be created. + print(f"Bot is ready (createDB successful)") + print(f"Name: {self.bot.user.name}\nID: {self.bot.user.id}") # Prints the bots username (e.g. Bot#1111) and prints out the user id of the bot (e.g. 58492482649273613). + await self.bot.change_presence(status=discord.Status.dnd, activity=discord.Activity(type=discord.ActivityType.watching, name=f"in {len(self.bot.guilds)} guild(s) with {len(set(self.bot.get_all_members()))} members")) + except: + print(f"Bot is ready (createDB failed)") + print (f"Name: {self.bot.user.name}\nID: {self.bot.user.id}")#Prints the bots username (e.g. Bot#1111) and prints out the user id of the bot (e.g. 58492482649273613). + await self.bot.change_presence(status=discord.Status.dnd, activity=discord.Activity(type=discord.ActivityType.watching, name=f"in {len(self.bot.guilds)} guild(s) with {len(set(self.bot.get_all_members()))} members")) + + @commands.Cog.listener() + async def on_member_join(self, member): + channel = member.guild.system_channel + if channel is not None: + await channel.send(f"Hey {member.mention} :wave:") + + @commands.Cog.listener() + async def on_member_remove(self, guild): + channel = member.guild.system_channel + if channel is not None: + await channel.send(f"Bye {member.mention} :cry:") + + @commands.Cog.listener() + async def on_message(self, message): + if message.author == self.bot.user: + return + else: + messageLink = f"https://discordapp.com/channels/{message.guild.id}/{message.channel.id}/{message.id}" + if message.content != "": # Checks if the message contains content. (Stops server messages being registered) + db = sqlite3.connect(DBFILENAME) # Add guild to guilds table + cursor = db.cursor() + cursor.execute("SELECT id FROM guilds WHERE id=?", (message.guild.id,)) + guildResult = cursor.fetchone() + if guildResult: + # Does exist + db.close() + else: + # Doesn't exist + cursor.execute("INSERT INTO guilds(id, prefix) VALUES(?,?)", (message.guild.id, "!")) + db.commit() + db.close() + db = sqlite3.connect(DBFILENAME)#Open the database + cursor = db.cursor() + cursor.execute("SELECT user FROM users WHERE user=?", (message.author.id,))#Select `user` to see if the value exists + userResult = cursor.fetchone() + if userResult: + #User does exist + cursor.execute("SELECT total FROM users WHERE user=?", (message.author.id,))#Select the total from the user + totalResult = cursor.fetchone() + totalResult = int(totalResult[0]) + totalResult += 1#Add 1 to the total (messages) count + if predict([f"{message.content}"]) == [1]:#If message contains profanity [1] will be returned + cursor.execute("SELECT profanity FROM users WHERE user=?", (message.author.id,))#Select the total profanity from the user + totalProfanity = cursor.fetchone() + totalProfanity = int(totalProfanity[0]) + totalProfanity += 1#Add 1 to the total profanity count + cursor.execute("UPDATE users SET profanity=? WHERE user=?", (totalProfanity, message.author.id)) + cursor.execute("UPDATE users SET total=? WHERE user=?", (totalResult, message.author.id))#Add the new total value into the table + cursor.execute("UPDATE users SET username=? WHERE user=?", (message.author.name, message.author.id)) + dateTime = datetime.datetime.now() + time = str(dateTime.strftime("%X")) + ":" + str((dateTime.strftime("%f"))) + cursor.execute("INSERT INTO messages(date, time, message, details, user, guild, link, bool) VALUES(?,?,?,?,?,?,?,?)", (str(dateTime.strftime("%x")), (time), str(message.content), str(message), int(message.author.id), int(message.guild.id), str(messageLink), int(1))) + else: + cursor.execute("UPDATE users SET total=? WHERE user=?", (totalResult, message.author.id))#Add the new total value into the table + cursor.execute("UPDATE users SET username=? WHERE user=?", (message.author.name, message.author.id)) + dateTime = datetime.datetime.now() + time = str(dateTime.strftime("%X")) + ":" + str((dateTime.strftime("%f"))) + cursor.execute("INSERT INTO messages(date, time, message, details, user, guild, link, bool) VALUES(?,?,?,?,?,?,?,?)", (str(dateTime.strftime("%x")), (time), str(message.content), str(message), int(message.author.id), int(message.guild.id), str(messageLink), int(0))) + db.commit() + else: + #User doesn't exist + if predict([f"{message.content}"]) == [1]:#If message contains profanity [1] will be returned + cursor.execute("INSERT INTO users(user, username, total, profanity) VALUES(?,?,?,?)", (message.author.id, message.author.name, 1, 1))#Adds the user into the table and adds a value of 1 as the total + dateTime = datetime.datetime.now() + time = str(dateTime.strftime("%X")) + ":" + str((dateTime.strftime("%f"))) + cursor.execute("INSERT INTO messages(date, time, message, details, user, guild, link, bool) VALUES(?,?,?,?,?,?,?,?)", (str(dateTime.strftime("%x")), (time), str(message.content), str(message), int(message.author.id), int(message.guild.id), str(messageLink), int(0))) + else: + cursor.execute("INSERT INTO users(user, username, total, profanity) VALUES(?,?,?,?)", (message.author.id, message.author.name, 1, 0))#Adds the user into the table and adds a value of 1 as the total + dateTime = datetime.datetime.now() + time = str(dateTime.strftime("%X")) + ":" + str((dateTime.strftime("%f"))) + cursor.execute("INSERT INTO messages(date, time, message, details, user, guild, link, bool) VALUES(?,?,?,?,?,?,?,?)", (str(dateTime.strftime("%x")), (time), str(message.content), str(message), int(message.author.id), int(message.guild.id), str(messageLink), int(0))) + db.commit() + db.close() + #await self.bot.process_commands(message) + else: + return + +def setup(bot): + bot.add_cog(Listeners(bot)) diff --git a/cogs/management.py b/cogs/management.py new file mode 100644 index 0000000..6e0e2b8 --- /dev/null +++ b/cogs/management.py @@ -0,0 +1,87 @@ +import discord +import sqlite3 +from discord.ext import commands + +DBFILENAME = "bot.db" + +class Management(commands.Cog): + + def __init__(self, bot): + self.bot = bot + + #Commands + @commands.command(aliases=["purge", "clear"], brief="Cleans messages from channel", description="Clears either 1 or a user set amount of messages from the channel the command was called within.") + @commands.has_permissions(manage_messages=True) + async def clean(self, ctx, *, amount=1): + await ctx.channel.purge(limit=int(amount) + 1) + + @commands.command(brief="Kicks user", description="Removes a specified user from the server. They can re-join if they have an invite link.") + @commands.has_permissions(kick_members=True)#@commands.has_any_role("Owner", "Moderator") + async def kick(self, ctx, member : discord.Member, *, reason=None): + await member.kick(reason=reason) + + @commands.command(brief="Ban user", description="Removes a specified user from the server. They will be unable to re-join until they have been unbanned.") + @commands.has_permissions(ban_members=True) + async def ban(self, ctx, member : discord.Member, *, reason=None): + await member.ban(reason=reason) + + @commands.command(brief="Unban user", description="Removes a specified user from the servers list of banned users. Allowing them to re-join the server with an invite link.") + @commands.has_permissions(ban_members=True) + async def unban(self, ctx, *, member): + banned_users = await ctx.guild.bans() + member_name, member_discriminator = member.split("#") + for ban_entry in banned_users: + user = ban_entry.user + if (user.name, user.discriminator) == (member_name, member_discriminator): + await ctx.guild.unban(user) + + @commands.command(aliases=["a"], brief="Echo messsage", description="The bot will echo the text following the command also deleting the message used to call the commmand.") + @commands.has_permissions(manage_messages = True) + async def announcement(self, ctx, *, message=""): + await ctx.message.channel.purge(limit=1) + await ctx.send(f"{message}") + + @commands.command(brief="Warn user", description="Sends a warning message with reasoning to the specified user.") + @commands.has_permissions(manage_messages = True) + async def warn(self, ctx, member : discord.Member, *, reason=None): + await ctx.message.channel.purge(limit=1) + #await member.send(f"**WARNING** from {ctx.message.author.mention}:\n{reason}") + embed = discord.Embed(title=f"**WARNING** from", description=f"{ctx.message.author.mention}") + embed.add_field(name="Reason:", value=(f"{reason}")) + embed.colour = (0xff0000) + await member.send(content=None, embed=embed) + + @commands.command(brief="User messages", description="Check specified users profanity rating.") + @commands.has_permissions(manage_messages=True) + async def messages(self, ctx, member: discord.Member): + db = sqlite3.connect(DBFILENAME)#Open the database + cursor = db.cursor() + cursor.execute("SELECT total FROM users WHERE user=?", (member.id,))#Select mentioned user to see if the value exists + totalResult = cursor.fetchone() + totalResult = int(totalResult[0]) + cursor.execute("SELECT profanity FROM users WHERE user=?", (member.id,))#Select mentioned user to see if the value exists + profanityResult = cursor.fetchone() + profanityResult = int(profanityResult[0]) + profanityPercent = round((profanityResult / totalResult * 100), 2) + cursor.execute("SELECT message FROM messages WHERE bool=? AND user=?", (1, member.id)) + messageResult = cursor.fetchall() + db.close() + if not messageResult: #if messageResult is empty + allMessages = "No messages to show" + else: + messageResult = messageResult[-5:]#Only select the last 5 messages which contained profanity + allMessages = "" + for i in range(0, len(messageResult)): + allMessages += str(messageResult[i]) + allMessages = allMessages.replace("(", "") + allMessages = allMessages.replace(")", "") + allMessages = allMessages.replace(",", " ") + embed = discord.Embed(title="Messages", description="") + embed.add_field(name="Total", value=f"{totalResult}") + embed.add_field(name="Profanity", value=f"{profanityResult}") + embed.add_field(name="Profanity %", value=f"{profanityPercent}") + embed.add_field(name="Recent rude messages", value=f"{allMessages}") + await ctx.send(content=None, embed=embed) + +def setup(bot): + bot.add_cog(Management(bot)) diff --git a/discord.ico b/discord.ico new file mode 100644 index 0000000000000000000000000000000000000000..da77c862a4e9841cd22c09dfa051da8ca62335af GIT binary patch literal 255678 zcmeHw4}2BXo$ruDNU0S{t!0%O>bllveU|6C%32Fy! ze}E(qA|y9Ae@Gw+{{tc*A|iiWq?SN*(OPSLmIt{rHwjY8^RZT3+byoZec#{AoiO)i z?)0c4o z)RRpA65)RW&P9lCLHG{Je@0wZP4Zf=Q=a%I{NF@OI$nryB-&6i5%E%lH*h^3@CtGL zG6M0S#jnb*G`i#`WDj3NxEVO}5MPCGW5P~I*T)RX?*opDkzaWCcPC^MjXk?sIQDLz z5MBH@!6jX*xb*P<9(m>i#@7-5Il@;EzKZ+5K)45Gf1bddj(&Phb~1qQ8-!B`?;#vP zcprh%)u4x8O|ufK<-Z4*gwskHZJw^9#SfB9icogH&GIKv?kzU?7J=#+R8<11Bf0)UBnYUpvZ-fe7zTf^MFIN!9C(-y9l|5J&v7S{(6=(+vSP~3}hYTcujzW~4fiK~#_ zpAl?@9<{DiVNiUaHNOdP~6d1`F%lb ztt9wgf$dF-HkDsQ^}o2bUO+o0h)d_?0ruyR{-4F>^09zR{#9lPetq$p!M@i7Y1Na0 zxU7cSv(As(|1p z=y=s4{6C_sT!+gz!lf4>9tT*XsIEewx(fHDqvdo(W>WzB|5=0|2mID!CyvOvG^$@w zFRJbH6B^j$W9jWj@%bp|`?AfaX%G-Z0Kg(e+x4IYlM4ozZS5m4pQp|EA*>*-$!}$k&2I^{J$YkU*SXfzM+`v z+}|ST`L>ySRQQ?3?!j*;{t|eMA!JIcUb%kAkouD38y5riPKV*|2Ha1>4&c|aPks$C z)qi@r(xWfkGb;Zp&`t2j|Alz`Lxf}KYmJhF+Eh9Y%-wTE<>a%{4fAy*$-2Y=>N<0e{%)Zdo+&uZ=^%FesaALp}tn} zV~{`f;lE3IaN{T2QX_1tp|}P(e~&;mg0|}dev%F9GqjB*e~NzLHxRy+Ww=uemwa_Q z7zFP$#-=fwT9=V64&fJ3r;3pfjSC;g^8tiEBAiLYbe&1~1n}yBoBHHy0pl!!>KjS; z@toSeyAe}8spiQxMq60&1Hjz`n5n*-guk!qQNrKuAa0`l-vE>5G|uV3O~MbIk3t?A z`(?|s)$+;sl{piR-&p>iKtE)kT07R0H~AQi)r|7lk^d>!5%tl(1AC@^3fZ$BUV3&G z=@I0+1@S`&&)}J!Pg%u}_NwF?ViWqR^>TardEC=jf%-L@5gHJx5tbl4jc@?A{10e9 zY3`5evoVOj0~)B$p{3ahe$3mH(AZb$!$(4s0sA3@ZxVd;|MH^sm{;1|iGDzdIu(@@7xmdBnFeJp@)5w%>ca~D-vQ2l0S!WIU0A?aXguoZF{sbbr!M_Gc)N(&6mjW% zsynET9V_$QRF+44qyIau|M@jano_r^buY=m3jRL;?(GDdeuPWL(NNrk@_l$d7kvnf z5#)J~%W%ID&krO1{?Q-&jSy`rQ_3lI>-Q2kRUKHte-5x_p_~GTc%(VA3-hJNaQ`Lb zAs+t+o|AtN{MSGyjWGo12)dK!Fe(#icJR|!V-d{}%5W4uuK}F?1S}eZeL=xrG9Ay9 zdEAEL?T|ml4rouC$_25#ipH?1b(%x6fzqx~s1g7G!x)L}D|VRzK$ngiUbU#Pmb$-nGVgMd{7 zerAD|zek|D{cgm!BHV;J>Nebe8`rau=RwdwYXpmdTRX1L20xW0KB(T=h0u%ZKOj&$ zcRF!RFp2t1a_oQPjPVKb~{ilVYg=hDgcyUuFF0s|eE4`P8HG(h{kRg9qxV<2MRBf#i4vfnmbzls_=zL5p7tvbLYy?{GmVZ}!H&3Aukl8=!6m0>Gd8-iQd8*7HxnD}A zy|Hv6=QABUpCin~T-EmwW-$(g<9?~BY#f3h zt#73D5ZVJUkV1P}`;lO4)c*thUxvP(LOGh(r?DmVDOd*@6TOA@;`6api-~rc!=rTs zRp#1QSNwOSJvP@3)%nNq^uF#EYgbq6|~bl0rlI>;0&i<8Bcx@WmD&K%wRc{ zPJX60p3;LqoPL@MQQ8Db(<|erXPka-b;RXAGUR_6^)2SHG44_NS9Zr%H0QAm;SlPK z|BGO?e75%UE^s!Wy}6af6X+*mPfdv0?Vs7Gy9QAH>*9*KJj};o4{7Q3DE|`#niDhQ zBUAd%1O6W1x)C&w5-|rm`1~rWcLl5?6oMXFW2Ci3v_ZuZ^8O3LKO@k*(oYeHwi5{d zf$L2&&uthR(|!{4mHXyCO#PQDkk*1cw8t%7ot+u|G=J3?`V-J8oQuchdEaPrIqg~c zI&iK)*dVw6Va&NTmVOa({S3y@V=zBB8obh6@dP}-2IcQTKAI=qgzJ9T~yDPCeGK&~TI`&z-kc z(tPF>C`WUOkATk!G*>}C@I&D;(EqD6I>>~6nrr<_1Q`eRCS#vh^%&^>i{PPv1I`Ck`c<6oo{A}JaI{xS z*#k{JcLw=t(3j7rd88=TdInEMX&&t-Nc(+)rc;1-e{?b42UuRCf|KI}{eOmhFg%cwhO-%0A)X+P-rl0u8T|AN+&-btc|>aymFLev3TkTm9{@HOO3 z*O$(e{#CKvPmLnqRe!RrqK*M=FDB7O`_RMkK1;c(OXlkkyj<-D|3hxH1ufx2g5XIg<^%q^f zK#11NA$Ue}#+lJi`)M0XuOt0xe+he~`eGr%A%v&o_LSCwx)#Y<@eDGR=b%>O`Za{G zTt}wDB3_%yKZW#{l6Xz_gG}i^3)+X)ZIgItsX&{6I!I}=F4F2q%|~@C=5;QT^R!gv zQ@xe?1CLbqTnpOieF#0@rDvJaPd>a_T(KyR>J%0~&_=fZcZk#3es=WN7xzIvSCY** z{iC`TYn-%KE7?zm>mhUb(-@o97-8G}Z@ug&3*=Xj3$2kKM@VNoS;`-9vBrWv*4QZO zo&J=z$1X$ie)DeZ0eQAd=u_6J%1mg_o_<h;v$ zyDvR099@XEq8aZEQ2#ny`d<-00K2~qd=!E9Wsp711EtcNdY?W03XbEzSqmCyU-%=? zNh|J`Bg{v582A4jf%@0CBg{aUh39k84{FDC1IpbGncskGdcWdL&}~%bXnAmoeu7E! z(lnl=vB(01W?YL28PdL_KO)dripC-|emj9YbqGJkb$en>((1gM%7c^it1wkwR9dyq zwbx`Hv_HYBthHs;YgY8D@L9*4e)Bqlr4G3K{U(29%ytFp1qp$r?wx>5?~2jf%TN<3 zkCCWP(@?zE_w*BuM5|`*LPS4Ie&?Ik(3CkqC*;He2F>HlmiL~f^c`uAMvRn^4w}FN zwVN#PX9JV=_%z8hYUY-Pj0hL#lTg3#V(|D+$V>Z;s1J}0PAAIJeDAMinus=?u@mM2 z;_*WQ-kHL0aUve0#OD+7S;VKo<9Nh_#5Cfbl(;5wpLIM&7}W##HIsmg;;GY5KQ71d z^Kv|WOzmm9pPsM8)AC2j_g5z3qWpaMzGzIXT)wFJkQ|ST$JMxp%Hv*+$0TAQepaC8 zLeZcSgCY6enYagFgmDSEAs(drBIUh)lIkIHs^h*0Bc?m87E&(qkaBNfC#h9PmP5mw}>EO7z1h@q3NuX~{{X~qP-cZL(_Db{I zTmoDIUP&OjV$n4??;@u9E^mLm(gerLC16hiQpbX+m>;CGdy?iG?LpzWxdgZb+?If} ztomNe@9VCYxJ?Vk$0fieU|j+@PvtTAZrZ&x)*SZ z@NN*D+i!NJ-Z0;#{~Z;G_hi9Sd*5`p|n$`K%U>lXP-eTmoDI$r6y3)zJ4W=saG>`pjBb$=LWEmjIW5 zQxd?te~j;#w%aC%>c)pj^{rOr9$63AWx;_4-r+kNNWs&87!mpupGLO8U4N1n81 z$qmxdc@ITfD(cXOS&MjQe^VI`Tn6cFpuOrx*;?+=6?Ipqo~Lfb=bX%wEe~Fl7q@j4 zO6^rM@r}f-*pv2wlk(uO*z7a#n_RIrJ3AZOl{y#Fcd1W$%~v)&xLsCU7oLc3sn_FM z;M`{!?dS2@9$mrTP#o{y*g7#&`|a;oa4US*7dDtF4{nx=(f8I`D(ljnLGOyrxxX;k z|L2MBB4ux8YQOjv!VK)G()|{K7rbQ3hg;?3vw<2*k9i>*j&o%8rO}70%fx=8%2_v` z_{lCZ;lqtGzj}2yzE3=t_MoNxc7&hg$Y}|VuS=b^x7xMgD1FDohqh>!4>$4;Ze3m& zb?}S=?pwj}E#|svEPel%2X_|Ov16=l%wtYhhT}6ke7KSKH=CA@m72=-`Bh$=u7KAC zP32px+VP=R_T)*eb6fqabE~|#k?-WLbp<#ZXt$r`#c2z+|6<+fAuG20+g;rS*hjFz z@A|gFi(7fb*2*@&%Zt+&VE?6cqfJXq*NytOb`)Z7!Hyv4+AZHS!-I3IX9huDoW=nA zZ=~!EGdui08(J>G9=`oS(X$ypZlw3GZJ3Dl@b`lvGfrnPeHiOTwMO>bzb<^K7zw=* zB>fuk<5n8Jb?WPY`U*w;f*4r zvt8YguO3fsJ&Ubga&@%6c;xJ><$mN_UFxkH#g^CHhIyBazT4@BZ(70OmappJiMCWO zwn8J%6TtqepXxGs-Kgy{tqsPORo~^O_Yg9*aV<}7Uq>UMSf+IIa@?ma+d#^?kssef zu*^$Jz38^js`$jU4cBE#GcU(|*NzQf-Dts(-TCxA1Uvj_^QwHg9g9on&e77ruendM zvVqu&MN`SX@g71YD;!?Ib=z-MeAu71)+?Sl-W;kc8cRcN@nt#czIQSYihxgBHd z>*#k-N1|>xPubTq*c-G3^Q0rTt#I3KReU&e)AO^xxPN5tAAXmi7%3ak`*Kx(ay!O( z*Zf?Kl(|H|`vRxWfAyW)eyidWu_nju!GHF^brLL{sQ%=3%XeFRDMe9dkPgmYr~Y`BPtR z`>l$P+k-#tf$Jq$dQtt!?U>t1udS4vRq=6q@TWa+ zy#z}ysz13Mb2|x^op62mQ(tcTt%{G^gFo$o>m^uvQT@s7nA=IP?1byfpZap!Z&iHU z9{gz!Tra`Wi|S8q$J|bWWhY!;{?wP-eyif+_TW!@;Ccy`UQ~Z_JLYy0EIZ-)@~6Js z_FEMnw+DaP1J_Hi^rHHc+cCG3VA%=Rmp}F8w%@AwxIOsO9=KkDr5Dwo+>W`Oz)m8e zQwXn$P34=S&E*k%Cq5Kwpa1C5=8BnOGoJD91IMF{r7^L&;=bsz>W2~k2%#?8RK7Oa zRQ58y0UwKoOLF=<(r){$iZADEGZK0acDGGztt^o`7Thj9+c`m%goo2>$mf z{52%4ZMdQJyLac=m2q_SlFOsv(i08D#=vq}e0t`W<5D!rL=xXU*gX`=ol$!VkGo>?AgvjCuEim zM*pU^OQNlFD@TGKr{j_J^T69%Q~7?WtM*3La#G=+eCg=|^a1w;UT!J<?xfsC?qO7p?xJ7~w8S%wBP3o+@0qw;f zf+#;DnlWGe2y59H!9RF#R~~4X6KyC7lx&T7Vwq;7OW&no{#Rd83oy^)U8}xK6U2H6U8*AGq zu>Z-Kb*;wIQ^4De_1=5l-QCS}?#ha;2Df&Mr8)2**r*kLSmX(UY)}us9$iy^84LdH zz!cYoFNZHxfu2}Ka%(8TKE#k1jg;+{eShh^$FL@Km$Yi}_5Ckx&T2f+*Yn)?{HbOeNf@j4?tswxUz1F9T~C6E4Iz6%t+oQ{S7B!vf$eaOec9@ z0ZVKu+k0$N+r?IRVU;JgV$qG*bGZrQ-A^p@NInw@^%GBse}8rc*4iA z7oWPA@Pm#ySZ7-ey6o+3Y%1%Ome<_V+q=j1-ZiIm5^JxT?dN?TPVs3Mj%9mvu`U~; zsi}Og_*|D~{W$FTodW;cIYf_{49H)bE0#%Z^Y4?kEcd*>U}Ov8Gs`ESt-crgD3-yW zMN2$lJSxJEjo`9O>!bMwpYGja$+r<~OL{Z2TNde&vfkrc+Q%Bv&MK|HyKy4ydM#vQ zyw5LO@-fys_EP(b`S8iC=y3xs_C#F+K1yh>ID8~-XctZ82e9Vu$y@~93wyYag}r47 z(+wTz;V{%wmONz)yRo$ISa+l0dqH}mujzi#Be{5;m>aHOgn#*6+(&olB?Kc`WuiRAj zCZ5mg-?7HCxidF-&lCsNzHh?3UN_{Hv|ky0?v9gtx(hOeYquQcDDD}u9WU(`xb4#J zRDQqkFVoRdxx*>GtiTyIj>24&gm(|El;wE@L0Jz^*~5bUC75?~rQSQ*7@F!A`}N8m z{K7xcfxhZax8!hi>Ad~TFQK0>u`JZ z?L#``?XU5gfeZ4Xy@GDoHricfKaaAWd8ZpVa{&kD39dw+cBAZ5P360Pvx{wC`pAm9 zySV@Q=$y`Q$zIlWF28etxm5UY$=f~KT^p;h=F3m;F$S56Jt1#meW`;bUHx6PcXR*s zkN?u1e3tqaS3P+>{B||giY{k~hrpbzK5_r(td9zP^@i->hFGv6EsYvKJz56hLJq=#cNw`n^^TyHG&pjLT z_F|8e{yWWhR}k<2h6bN%W;S2!v>Y(r^38YUoaW6cJU{rXmIj;$<=OcTR%C{=bZ|y- z`2j7>hS&6NPHSZyeaFxWe5do^yo}rBGqh2G}E#**RoZWnm+q zRhpg7XJ~si=ywVZ_E*etnn$PL(YcIhzx3aOHIWs4gY@W{dRP0YkYy-ZpQgPvqqn7E z<2&0{dQ#_D)t6)EZkou#ifvn^+39>%Xmd4BOGT~IJURgn{et`Y()B$p>c0=~x*uB? z&gz^=tGr-sWkJ?@!@ESk-OY9nvsHdl^Bvp!^n|SWv#2*Kcv9(e>)r}&uI9n{!*20z z6%Wpxo`QB)f1GRA2Jo)a(cTxB?z=`^+9d_TsIoytn}wVndntdzUbFJ&WbO*1B7plmwc#)H`8aBtDDA(-b~>} z+cB2OK=!Q4WXeaj_(B2ZNRF|P5&EU& zX87%<<2;N>=;vEMW8Q*Ys=T8OzQZm(Ec4_1x>l7oKg29~HG=I2-cxB9+|cBU^WtKi z3-3s!&9VDP*%2eXWRgbfw~o=5>f6ob8#1AZRT=D^+|7*FRNgJzv*ObXuAgKuL`!?s z-DY&Vk&eD-^AJrIbZ9qkY<*<1lYC%5gY|W3yZkhUPWh=1jqki!`(}h)J~Pbkq#o_S zvTJj0DbI$g=%82ad?JzG3quVC%JMo+;5^z?6R@qDa>{_}e(JuG7MpR2ObowjWM=C+*aKcimV z$wD95z|`u(&FgGvW?2?RYyXZCoeX?OfGe}#JWI7{2h z1h$(#tHqTGt!|XTH}C4Sbb4`(^&_Tx1jMxs*Ez`-){lCb>BcAPNBEA~Wz2X?Q*T+p z=cFF(z_LP{CwU@e%+GQ+lT!@yt;~3jgpQfvx0_D$+05wm$^H$@fzM#ZBllnD_T4sy z-nVPNPUk<|^E~!XmNMz9!Pgw`Ur6i1SEfB*BMaLkfAP!yNt!d@{(HgF{U{5SCaJs8 z^L>;UqduY1<5-M$5$W4~7qsBq74`)y-yh1-Uz2$C(fbR2+c&Ao$vF+$gQVj3V~jJK z9P-2?zTHF8^Q)P@UnPH&+@bc@Pw($b>l&}k zRPL*-PnwR`8E7_C(Ha|ol?C{}a-c&k#b>C1N$JxZLoEK$9ru4o+#^>nZ+ia3c zzDvB&yF#${+D!F{vu}NOejVzQ?o9b%UCxUAu*k!juWaGt8aw)^w^SnQ`^a+ZQ+*%-9l+3G3N@=nms z6h?E!vP^knRqo)y7xS3mjb^E6K+bl7R0orL%9zRhE!U5joG%J)-Z zTRX=G@%t$l3q0zn9h&&JlQv}smY-#!(uT9%CfVVM=N)+xz}R=IY7c&ly^^>eWsyn~ z`hE|4B_EF0dkNq?L)r)D%XMGXR=tvvir?39Q~4IJp0_3!7{I!Dgt^s`Kc(biHi z&spv{G(Sr~+R{D&eP<@$a~ft_S+>(&$({e3^!&st-RRNc>t`*MybtY_vABpgwy7;JeP{9) z7e$kV%GbWC*S}%#-OVI{@Ec!9!0+!Xr236lLQAD12=~&;CvWshUL3DG5)hjhehXEv zUC8p8J5m{rB?$hSN+Zt2Y97uBe=<@efOG9}2A}`;Y-sJ$E7@yl2+Vb3>3d?&b4<^G z^GY8auOQ&Ol6ir##YDU9mEM9TCzW2D3v-WGGUIsJNnqdJXY+7Qj;QK6C^0*U7()(< ze1_54RJPriGoBhm2}qr_(}w9f%dx2&@Vt_>8@w^Wfqgkrcf^&mSiRCsF5<=aBQ`Lx z7shpfSGo$KtW=uC*2+q+im-#8};dyrK8 zL5;D_@A-Fv?Ma;H){_9fG3Cqe`dal1J)YcnW|cnw<|~d%tDd~p4Owv<>?9yImGAbi zjhUbI!A>&9kb^8Um3HjM>M-V#r}|j}(yGP2{jQ*DV`i~e@-?F?5b5~dt+>9)H{Ut) zN|!;!OW%nNgq<18g?T0Wpvz6AA8Sdv-^A|Sw=K^r*>b#s@XCRmhUfm`e7cF)>m0~6 zBh~gO_Da`U8UlSCE;%JW({XXC9AnR|ygIgG(QIkUvSDeddHKC_64HZvQv4$H^d&-la;il{&JjSxINlBw>-9`{Sv)A{F!qS zz+CcOIQwRYxO{=(ncai<)*<$5e5mR#$gy+Mvj-{2G8;yFW9iB0vt48LByeKqx&rJE zSWMs1!TT)>#PtzAUe*&-hROF(e0~7W6rrd zD?R(Hole6l^T#7ehC{qyJ`>*@ee9(@TMXL)v9tCje3Sl-p>pVdqiSG) zHwfjhr{_g+)ndbMf4@oNHhf0`62bOljLmEPyAZeZM~@Y{3;K}=)(M_)HZ+4 zFJ9Sg*gi;`+b@PaR$)x`Q4(%Chba;|g!SbR&SlDpc6s2ZTSnu(kUQbC9nr>6a=iwB z!#ld0P%mDk+K^c+typv|+U(vWxsDLORe3U#0jqQs|45I~Pkx>H%Vu(v)<-UbABWSn z6OmAi_G_Xad9V0v=Xf)CK}i?aHC~N1wmFzP-af1jOZXc4GdtjmQ>^kNZEB-BaWUo@ zJ|5}zWmP6l=NsvA9mXH#P5M_axzbFI{fZwiHe8>?{1@tlw=j?0hCcX%vGtLw&Bokj zc-=^Uvv*fPZ1v(Piocd^K>yTLwdc!*b;-)gC7j&(Phu2J@HZodTM;1cvBj}4VKl1*diL-=$rY`zQr@p!bo`X1~< zy5TpwyFFQNmbP_WDs?TIhP^A)wl2fBuwTVk-+T;;^)<+-1N~%6bIN2}ul4TE!#w^> zk=BxoWHbWP^nA;WXSpWlBz_xkRtwtB{x$WJ&18M#!1D#tva0(qj(a%?h8OM*tu{)BLI|+>Ucq-bs8beZ*}v&uV2I1bxqI;4AgR=BypIEh!R;!xw3NS`KK} z<5IZ9`R~q$OFqWfb`$nJ-eG0$g=(WB-aWv)-aN?RM3OummO~I=t1@vr4uWi4r7;rf zgKw6L>%yjEL>ieXY$`Z_}bz}bOE%@svexuv(^sw+vD=_^omq60jRCcZ}T`9+o_D*xYAw#RgdTrWKgEB45rYuS;0kfE8b3 zk%uKu95(lvT(JQbzG($!uE>}3$?Fo9HekiqSma^J6Nk-xCRc2Lg>PDcnJe<;eDb=4 zr43l|H5PeT^2A|tpUD*)VBwoqVCIT^IiI{PVQB+ae2qmOmOOFT+-Gvd23Yu}6_~jq zU(P45OIX@~6<=eKhb2!OHusrau>lsoX$5Ak$d~iU>k^hWV8z#1^5uN;x`d?-Sn)L$d06tqVRN6!6&qmTn^s`vihMbrye?sB z16F*EMIM$saoF5va>WK%_@)(@xguZAC$CFb+JF^bW08j?PaHP)nOv~}7QSf(rWgtF z@4)i!k#ZZz!Uo8PtoRy>JorZZ`?*p_az1%~fQb#jhgkTg6`0XT**i>l%A!8w^l(25 zlnua#toRy>JYrMX)oXf5A7bH~R$xY3Dl57F^7f9~Ko&LtAF|?WEb@rU z7fj>2%R+ZPYYVt8-Pfhqv0xet-?Rc#{MokA(QxU9T<`Adoy&X#$Q-^S?cX-qim$QC zBQ}?BdY>D>;T%Q{t-(lsKR^dt=3+~|l%l((zfPEVv-?8dvtn&5tzL*z{gbs84 z+1DSJSq{q#K1064$}jD}72B(3aa+t`TjYIj+kJ2H89P44GVj|x+Y8VJzs-G^`!Kfw z3pM~>A)jIClXhXFFMk`?odw|{JARlqV z7c;?eWNT+3`q6JV$uEb+{b$730DR-fvz>*R_?BB``d2TRggqT6MvTmPe>dm*yN=j0 ze1d$#EkDc#&p=o0b7|JMBMyfG1+liP$!OHvG6Rm+E59YYy~1 zVAEvVWaEDDHI_8IesE`=w7h19*i^m+^VEOf_MHRv9hCOd4xO-FvSG4ivT2q+<5$@4 z?s=*(iub56UZ}!(c-s+<;9ScOC4M&T$nIy_@e_~p%C-oblx-6>D%&b-mTcFLeicvu zdn=C9YSSmjn@!Tk8K<8&Nk40ne#RvIv`Ko8NqUV*x?r4s-X#63N%|R+^wTEkgC^-U zCh3B4`gxP|vnJ_hOwv!Aqz{^;*O;Wk7mf4>_6*a(o?$xJGfW42L+Ny#{40tN;(!dcisC)^Poxv6DZiq44W1;@iIkMzbom(SMEY>_!gLvCBE2W2Fm9(4`zrhzx=#L0 zmvJV_Cnw2w)q@l%={n>K)jcNZH5bxlQs`FmQ%>1d;Onq2C^*xnD=?LG9q|YX%(UsF zlrl>CpoXr*0tsZC`n}1z^8{Q z{Ayg+5K)@+F?a@~V@L=^xE@SNM^-!|D9XPqD@}PSQzKO4KQ0ppSV{1w6M8}t2Zrhd z1Df)9bVittRLWPBpjDHO=ci>JanXb4GA|d>DQOV5^6xa^Nyblv_e_^lQI>MoB+*Cd z3lhml(@j^Xr%Z#@I_1w7QIh;SGhHYBEFLC)=W#g<{~0wEagk2?Cz|vDopenyT@Hhv zRk|wr3qX?LE9pIyOrtLR^wLSO@j)f8PWoBdKzfuBqfYu6+5T!2Gto&uEnA*qzbX2c zaSqa86ox}o=%x2iIy_5eK)^5AzNjIurgYg5lGA0HYbYItpGEp~Do@6kLZ1qMI{7E1 zr`Uhi>D7P<`qRR9EIq-WT!CGXFI5SIe@K3I)2E|+k48VKc`qinQ;)5Fd&`a0a zS893@@GJI7LZoZ_H2hJz*1q-9<%%!iAA0p`yazxM{*{_8+bks~erD<5HHp5|@~P>v zO{>5WXPe#w^ji6(!cR??eL{oZEWHNcweVBRr>3V?aAxTQUJF09d}_Mvpc?v3(v_xK zV?VNkTqtjrE}OrWzLfIA)2Ckmjw`ct*?g1W7bTT9OP9^lp#1RkWCJxz9~>s%WCPPl zAJ8x`&@-%j{vl0zqN}OZPyVqB>F1}{3@bnCboEe%)73iZXN!i?d*s?b$-V^P`~?%v zSJa;*KVf=}TK>!!MSaQXMLjBlo+3qj$?0QGClH($st0BAlhgChDh)67!xZw9(*>pD zhn8tfg1nUU={<7G*dr7v){(-WFpj9ILQv7ClpmDof` literal 0 HcmV?d00001 diff --git a/gui.py b/gui.py new file mode 100644 index 0000000..da8aace --- /dev/null +++ b/gui.py @@ -0,0 +1,139 @@ +import sqlite3 +from tkinter import * + +DBFILENAME = "bot.db" + +#USE JOIN STATEMENT +#NAME AND ALL MESSAGES + +def runGUI(): + window = Tk() + #window.title(f"{self.bot.user.name} - {self.bot.user.id}") + window.title("Discord") + window.geometry("600x200") + + txt = Entry(window, width=10) + txt.grid(column=0, row=0) + + txt2 = Entry(window, width=10) + txt2.grid(column=3, row=0) + + def clicked(): + db = sqlite3.connect(DBFILENAME) + cursor = db.cursor() + try: + cursor.execute("SELECT total FROM users WHERE user=?", (txt.get(),)) + totalResult = cursor.fetchone() + totalResult = int(totalResult[0]) + except: + totalResult = "error" + try: + cursor.execute("SELECT profanity FROM users WHERE user=?", (txt.get(),)) + profanityResult = cursor.fetchone() + profanityResult = int(profanityResult[0]) + try: + percentageProfanity = round((profanityResult / totalResult * 100), 2) + except: + percentageProfanity = "error" + except: + profanityResult = "error" + percentageProfanity = "error" + try: + cursor.execute("SELECT message FROM messages WHERE bool=? AND user=?", (1, txt.get(),)) + profanityMessagesResult = cursor.fetchall() + profanityMessagesResult = profanityMessagesResult[-5:] + allMessages = "" + for i in range(0, len(profanityMessagesResult)): + allMessages += str(profanityMessagesResult[i]) + allMessages = allMessages.replace("(", "") + allMessages = allMessages.replace(")", "") + allMessages = allMessages.replace(",", " ") + except: + allMessages = "error" + db.close() + resT = f"Total: {totalResult}" + total.configure(text=resT) + resP = f"Profanity: {profanityResult}" + profanity.configure(text=resP) + resPERC = f"Percentage: {percentageProfanity}%" + percentage.configure(text=resPERC) + resTPM = f"Recent profanity: {allMessages}" + recentprofanity.configure(text=resTPM) + + def clicked2(): + db = sqlite3.connect(DBFILENAME) + cursor = db.cursor() + try: + cursor.execute("SELECT total FROM users WHERE user=?", (txt2.get(),)) + totalResult = cursor.fetchone() + totalResult = int(totalResult[0]) + except: + totalResult = "error" + try: + cursor.execute("SELECT profanity FROM users WHERE user=?", (txt2.get(),)) + profanityResult = cursor.fetchone() + profanityResult = int(profanityResult[0]) + try: + percentageProfanity = round((profanityResult / totalResult * 100), 2) + except: + percentageProfanity = "error" + except: + profanityResult = "error" + percentageProfanity = "error" + try: + cursor.execute("SELECT message FROM messages WHERE bool=? AND user=?", (1, txt2.get(),)) + profanityMessagesResult = cursor.fetchall() + profanityMessagesResult = profanityMessagesResult[-5:] + allMessages = "" + for i in range(0, len(profanityMessagesResult)): + allMessages += str(profanityMessagesResult[i]) + allMessages = allMessages.replace("(", "") + allMessages = allMessages.replace(")", "") + allMessages = allMessages.replace(",", " ") + except: + allMessages = "error" + db.close() + resT = f"Total: {totalResult}" + total2.configure(text=resT) + resP = f"Profanity: {profanityResult}" + profanity2.configure(text=resP) + resPERC = f"Percentage: {percentageProfanity}%" + percentage2.configure(text=resPERC) + resTPM = f"Recent profanity: {allMessages}" + recentprofanity2.configure(text=resTPM) + + btn = Button(window, text="Search", command=clicked) + btn.grid(column=1, row=0) + + btn2 = Button(window, text="Search", command=clicked2) + btn2.grid(column=4, row=0) + + total = Label(window, text="Total:") + total.grid(column=0, row=1) + + total2 = Label(window, text="Total:") + total2.grid(column=3, row=1) + + profanity = Label(window, text=f"Profanity:") + profanity.grid(column=0, row=2) + + profanity2 = Label(window, text=f"Profanity:") + profanity2.grid(column=3, row=2) + + percentage = Label(window, text=f"Percentage:") + percentage.grid(column=0, row=3) + + percentage2 = Label(window, text=f"Percentage:") + percentage2.grid(column=3, row=3) + + recentprofanity = Label(window, text=f"Recent profanity:") + recentprofanity.grid(column=0, row=4) + + recentprofanity2 = Label(window, text=f"Recent profanity:") + recentprofanity2.grid(column=3, row=4) + + window.iconbitmap("discord.ico") + + window.mainloop() + +runGUI() diff --git a/test.py b/test.py new file mode 100644 index 0000000..d162c83 --- /dev/null +++ b/test.py @@ -0,0 +1,17 @@ +values = [('total_kills_ak47', 3563), ('total_kills_awp', 2321), ('total_kills_m4a1', 1662), ('total_kills_deagle', 1151), ('total_kills_hkp2000', 959)] + +for i in range(0, len(values)): + if i == 0: + ak47 = values[i][1] + elif i == 1: + awp = values[i][1] + elif i == 1: + m4a1 = values[i][1] + elif i == 1: + deagle = values[i][1] + elif i == 1: + hkp2000 = values[i][1] + +print(ak47) + +#print(values[i][1]) \ No newline at end of file