ryuko-ng/cogs/mod.py

711 lines
30 KiB
Python
Raw Normal View History

2018-12-26 09:45:00 +00:00
import asyncio
2018-12-23 15:07:59 +00:00
import discord
from discord.ext import commands
import config
2018-12-23 22:11:01 +00:00
import json
import time
from helpers.checks import check_if_staff
2018-12-23 15:07:59 +00:00
2018-12-26 08:18:11 +00:00
class Mod:
2018-12-23 15:07:59 +00:00
def __init__(self, bot):
self.bot = bot
def check_if_target_is_staff(self, target):
return any(r.id in config.staff_role_ids for r in target.roles)
async def add_restriction(self, member, rst):
# from kurisu source, credits go to ihaveamac
with open("data/restrictions.json", "r") as f:
rsts = json.load(f)
if str(member.id) not in rsts:
rsts[str(member.id)] = []
if rst not in rsts[str(member.id)]:
rsts[str(member.id)].append(rst)
with open("data/restrictions.json", "w") as f:
json.dump(rsts, f)
async def remove_restriction(self, member, rst):
# from kurisu source, credits go to ihaveamac
with open("data/restrictions.json", "r") as f:
rsts = json.load(f)
if str(member.id) not in rsts:
rsts[str(member.id)] = []
if rst in rsts[str(member.id)]:
rsts[str(member.id)].remove(rst)
with open("data/restrictions.json", "w") as f:
json.dump(rsts, f)
2018-12-23 20:50:05 +00:00
@commands.guild_only()
@commands.bot_has_permissions(kick_members=True)
@commands.check(check_if_staff)
@commands.command()
async def mute(self, ctx, target: discord.Member, *, reason: str = ""):
"""Mutes a user, staff only."""
2018-12-24 08:40:36 +00:00
# Hedge-proofing the code
if target == ctx.author:
2018-12-24 08:41:28 +00:00
return await ctx.send("You can't do mod actions on yourself.")
2018-12-24 08:40:36 +00:00
elif self.check_if_target_is_staff(target):
2018-12-23 20:50:05 +00:00
return await ctx.send("I can't mute this user as "
"they're a member of staff.")
safe_name = self.bot.escape_message(str(target))
dm_message = f"You were muted!"
if reason:
dm_message += f" The given reason is: \"{reason}\"."
try:
await target.send(dm_message)
except discord.errors.Forbidden:
# Prevents kick issues in cases where user blocked bot
# or has DMs disabled
pass
mute_role = ctx.guild.get_role(config.mute_role)
await target.add_roles(mute_role, reason=str(ctx.author))
chan_message = f"🔇 **Muted**: {ctx.author.mention} muted "\
f"{target.mention} | {safe_name}\n"\
f"🏷 __User ID__: {target.id}\n"
if reason:
chan_message += f"✏️ __Reason__: \"{reason}\""
else:
chan_message += "Please add an explanation below. In the future, "\
"it is recommended to use `.mute <user> [reason]`"\
" as the reason is automatically sent to the user."
log_channel = self.bot.get_channel(config.log_channel)
await log_channel.send(chan_message)
await ctx.send(f"{target.mention} can no longer speak.")
await self.add_restriction(target, config.mute_role)
2018-12-23 20:50:05 +00:00
@commands.guild_only()
@commands.bot_has_permissions(kick_members=True)
@commands.check(check_if_staff)
@commands.command()
async def unmute(self, ctx, target: discord.Member):
"""Unmutes a user, staff only."""
safe_name = self.bot.escape_message(str(target))
mute_role = ctx.guild.get_role(config.mute_role)
await target.remove_roles(mute_role, reason=str(ctx.author))
chan_message = f"🔈 **Unmuted**: {ctx.author.mention} unmuted "\
f"{target.mention} | {safe_name}\n"\
f"🏷 __User ID__: {target.id}\n"
log_channel = self.bot.get_channel(config.log_channel)
await log_channel.send(chan_message)
await ctx.send(f"{target.mention} can now speak again.")
await self.remove_restriction(target, config.mute_role)
2018-12-23 20:50:05 +00:00
@commands.guild_only()
@commands.bot_has_permissions(kick_members=True)
@commands.check(check_if_staff)
@commands.command()
async def kick(self, ctx, target: discord.Member, *, reason: str = ""):
"""Kicks a user, staff only."""
2018-12-24 08:40:36 +00:00
# Hedge-proofing the code
if target == ctx.author:
2018-12-24 08:41:28 +00:00
return await ctx.send("You can't do mod actions on yourself.")
2018-12-24 08:40:36 +00:00
elif self.check_if_target_is_staff(target):
return await ctx.send("I can't kick this user as "
"they're a member of staff.")
safe_name = self.bot.escape_message(str(target))
dm_message = f"You were kicked from {ctx.guild.name}."
if reason:
dm_message += f" The given reason is: \"{reason}\"."
dm_message += "\n\nYou are able to rejoin the server,"\
" but please be sure to behave when participating again."
try:
await target.send(dm_message)
except discord.errors.Forbidden:
# Prevents kick issues in cases where user blocked bot
# or has DMs disabled
pass
await target.kick(reason=f"{ctx.author}, reason: {reason}")
chan_message = f"👢 **Kick**: {ctx.author.mention} kicked "\
f"{target.mention} | {safe_name}\n"\
f"🏷 __User ID__: {target.id}\n"
if reason:
chan_message += f"✏️ __Reason__: \"{reason}\""
else:
chan_message += "Please add an explanation below. In the future"\
", it is recommended to use `.ban <user> [reason]`"\
" as the reason is automatically sent to the user."
2018-12-23 19:03:40 +00:00
log_channel = self.bot.get_channel(config.log_channel)
await log_channel.send(chan_message)
@commands.guild_only()
@commands.bot_has_permissions(ban_members=True)
@commands.check(check_if_staff)
@commands.command()
async def ban(self, ctx, target: discord.Member, *, reason: str = ""):
"""Bans a user, staff only."""
2018-12-24 08:40:36 +00:00
# Hedge-proofing the code
if target == ctx.author:
2018-12-24 08:41:28 +00:00
return await ctx.send("You can't do mod actions on yourself.")
2018-12-24 08:40:36 +00:00
elif self.check_if_target_is_staff(target):
return await ctx.send("I can't ban this user as "
"they're a member of staff.")
safe_name = self.bot.escape_message(str(target))
dm_message = f"You were banned from {ctx.guild.name}."
if reason:
dm_message += f" The given reason is: \"{reason}\"."
dm_message += "\n\nThis ban does not expire."
try:
await target.send(dm_message)
except discord.errors.Forbidden:
2018-12-23 22:11:01 +00:00
# Prevents ban issues in cases where user blocked bot
# or has DMs disabled
pass
await target.ban(reason=f"{ctx.author}, reason: {reason}",
delete_message_days=0)
2018-12-23 15:44:16 +00:00
chan_message = f"⛔ **Ban**: {ctx.author.mention} banned "\
f"{target.mention} | {safe_name}\n"\
f"🏷 __User ID__: {target.id}\n"
if reason:
chan_message += f"✏️ __Reason__: \"{reason}\""
else:
chan_message += "Please add an explanation below. In the future"\
", it is recommended to use `.ban <user> [reason]`"\
" as the reason is automatically sent to the user."
2018-12-25 11:13:02 +00:00
log_channel = self.bot.get_channel(config.log_channel)
await log_channel.send(chan_message)
await ctx.send(f"{safe_name} is now b&. 👍")
2018-12-23 23:25:30 +00:00
@commands.guild_only()
@commands.bot_has_permissions(ban_members=True)
@commands.check(check_if_staff)
@commands.command(alias=["softban"])
2018-12-23 23:25:30 +00:00
async def hackban(self, ctx, target: int, *, reason: str = ""):
"""Bans a user with their ID, doesn't message them, staff only."""
2018-12-25 11:40:04 +00:00
target_user = await self.bot.get_user_info(target)
2018-12-25 11:33:49 +00:00
target_member = ctx.guild.get_member(target)
2018-12-24 08:40:36 +00:00
# Hedge-proofing the code
2018-12-25 11:33:49 +00:00
if target == ctx.author.id:
2018-12-24 08:41:28 +00:00
return await ctx.send("You can't do mod actions on yourself.")
2018-12-25 11:33:49 +00:00
elif target_member and self.check_if_target_is_staff(target_member):
2018-12-23 23:25:30 +00:00
return await ctx.send("I can't ban this user as "
"they're a member of staff.")
2018-12-25 11:33:49 +00:00
safe_name = self.bot.escape_message(str(target_user))
2018-12-23 23:25:30 +00:00
2018-12-25 11:33:49 +00:00
await ctx.guild.ban(target_user,
reason=f"{ctx.author}, reason: {reason}",
delete_message_days=0)
2018-12-23 23:25:30 +00:00
chan_message = f"⛔ **Hackban**: {ctx.author.mention} banned "\
2018-12-25 11:33:49 +00:00
f"{target_user.mention} | {safe_name}\n"\
f"🏷 __User ID__: {target}\n"
2018-12-23 23:25:30 +00:00
if reason:
chan_message += f"✏️ __Reason__: \"{reason}\""
else:
chan_message += "Please add an explanation below. In the future"\
2018-12-25 11:33:49 +00:00
", it is recommended to use "\
"`.hackban <user> [reason]`."
2018-12-23 23:25:30 +00:00
2018-12-23 19:03:40 +00:00
log_channel = self.bot.get_channel(config.log_channel)
await log_channel.send(chan_message)
await ctx.send(f"{safe_name} is now b&. 👍")
2018-12-25 11:43:23 +00:00
@commands.guild_only()
@commands.check(check_if_staff)
@commands.command(aliases=['echo'])
async def say(self, ctx, *, the_text: str):
"""Repeats a given text, staff only."""
await ctx.send(the_text)
@commands.guild_only()
@commands.check(check_if_staff)
@commands.command()
async def speak(self, ctx, channel: discord.TextChannel, *, the_text: str):
"""Repeats a given text in a given channel, staff only."""
await channel.send(the_text)
@commands.guild_only()
2018-12-23 15:44:16 +00:00
@commands.bot_has_permissions(ban_members=True)
@commands.check(check_if_staff)
@commands.command()
async def silentban(self, ctx, target: discord.Member, *, reason: str = ""):
"""Bans a user, staff only."""
2018-12-24 08:40:36 +00:00
# Hedge-proofing the code
if target == ctx.author:
2018-12-24 08:41:28 +00:00
return await ctx.send("You can't do mod actions on yourself.")
2018-12-24 08:40:36 +00:00
elif self.check_if_target_is_staff(target):
2018-12-23 15:44:16 +00:00
return await ctx.send("I can't ban this user as "
"they're a member of staff.")
safe_name = self.bot.escape_message(str(target))
await target.ban(reason=f"{ctx.author}, reason: {reason}",
delete_message_days=0)
chan_message = f"⛔ **Silent ban**: {ctx.author.mention} banned "\
f"{target.mention} | {safe_name}\n"\
f"🏷 __User ID__: {target.id}\n"
if reason:
chan_message += f"✏️ __Reason__: \"{reason}\""
else:
chan_message += "Please add an explanation below. In the future"\
", it is recommended to use `.ban <user> [reason]`"\
" as the reason is automatically sent to the user."
2018-12-23 19:03:40 +00:00
log_channel = self.bot.get_channel(config.log_channel)
await log_channel.send(chan_message)
2018-12-23 15:44:16 +00:00
@commands.guild_only()
2018-12-23 15:07:59 +00:00
@commands.check(check_if_staff)
@commands.command()
async def userinfo(self, ctx, *, user: discord.Member):
"""Gets user info, staff only."""
role = user.top_role.name
if role == "@everyone":
role = "@ everyone"
await ctx.send(f"user = {user}\n"
f"id = {user.id}\n"
f"avatar = {user.avatar_url}\n"
f"bot = {user.bot}\n"
f"created_at = {user.created_at}\n"
f"display_name = {user.display_name}\n"
f"joined_at = {user.joined_at}\n"
f"activities = `{user.activities}`\n"
f"color = {user.colour}\n"
f"top_role = {role}\n")
2018-12-23 19:32:48 +00:00
@commands.guild_only()
@commands.check(check_if_staff)
@commands.command()
async def approve(self, ctx, target: discord.Member,
role: str = "community"):
2018-12-26 08:18:11 +00:00
"""Add a role to a user (default: community), staff only."""
if role not in config.named_roles:
return await ctx.send("No such role! Available roles: " +
','.join(config.named_roles))
2018-12-23 19:32:48 +00:00
log_channel = self.bot.get_channel(config.log_channel)
target_role = ctx.guild.get_role(config.named_roles[role])
if target_role in target.roles:
return await ctx.send("Target already has this role.")
await target.add_roles(target_role, reason=str(ctx.author))
2018-12-23 20:01:43 +00:00
await ctx.send(f"Approved {target.mention} to `{role}` role.")
2018-12-23 19:32:48 +00:00
await log_channel.send(f"✅ Approved: {ctx.author.mention} added"
f" {role} to {target.mention}")
2018-12-23 19:32:48 +00:00
@commands.guild_only()
@commands.check(check_if_staff)
@commands.command(aliases=["unapprove"])
async def revoke(self, ctx, target: discord.Member,
role: str = "community"):
2018-12-26 08:18:11 +00:00
"""Remove a role from a user (default: community), staff only."""
if role not in config.named_roles:
return await ctx.send("No such role! Available roles: " +
','.join(config.named_roles))
2018-12-23 19:32:48 +00:00
log_channel = self.bot.get_channel(config.log_channel)
target_role = ctx.guild.get_role(config.named_roles[role])
if target_role not in target.roles:
return await ctx.send("Target doesn't have this role.")
await target.remove_roles(target_role, reason=str(ctx.author))
2018-12-23 20:01:43 +00:00
await ctx.send(f"Un-approved {target.mention} from `{role}` role.")
2018-12-23 19:32:48 +00:00
await log_channel.send(f"❌ Un-approved: {ctx.author.mention} removed"
f" {role} from {target.mention}")
2018-12-23 19:32:48 +00:00
@commands.guild_only()
@commands.check(check_if_staff)
@commands.command(aliases=["setplaying", "setgame"])
async def playing(self, ctx, *, game: str = ""):
2018-12-23 17:56:27 +00:00
"""Sets the bot's currently played game name, staff only.
Just send .playing to wipe the playing state."""
if game:
await self.bot.change_presence(activity=discord.Game(name=game))
else:
await self.bot.change_presence(activity=None)
2018-12-23 20:59:08 +00:00
await ctx.send("Successfully set game.")
2018-12-23 17:56:27 +00:00
@commands.guild_only()
@commands.check(check_if_staff)
@commands.command(aliases=["setbotnick", "botnick", "robotnick"])
async def botnickname(self, ctx, *, nick: str = ""):
"""Sets the bot's nickname, staff only.
Just send .botnickname to wipe the nickname."""
if nick:
await ctx.guild.me.edit(nick=nick, reason=str(ctx.author))
else:
await ctx.guild.me.edit(nick=None, reason=str(ctx.author))
2018-12-23 20:59:08 +00:00
await ctx.send("Successfully set nickname.")
2018-12-23 17:56:27 +00:00
@commands.guild_only()
@commands.check(check_if_staff)
@commands.command(aliases=["setnick", "nick"])
async def nickname(self, ctx, target: discord.Member, *, nick: str = ""):
"""Sets a user's nickname, staff only.
Just send .nickname <user> to wipe the nickname."""
if nick:
await target.edit(nick=nick, reason=str(ctx.author))
else:
await target.edit(nick=None, reason=str(ctx.author))
2018-12-23 20:59:08 +00:00
await ctx.send("Successfully set nickname.")
@commands.guild_only()
@commands.check(check_if_staff)
@commands.command(aliases=["clear"])
async def purge(self, ctx, limit: int, channel: discord.TextChannel = None):
2018-12-26 08:18:11 +00:00
"""Clears a given number of messages, staff only."""
2018-12-23 20:59:08 +00:00
log_channel = self.bot.get_channel(config.log_channel)
if not channel:
channel = ctx.channel
await channel.purge(limit=limit)
2018-12-23 22:11:01 +00:00
msg = f"🗑 **Purged**: {ctx.author.mention} purged {limit} "\
2018-12-23 20:59:08 +00:00
f"messages in {channel.mention}."
await log_channel.send(msg)
2018-12-23 22:11:01 +00:00
@commands.guild_only()
@commands.check(check_if_staff)
@commands.command()
async def warn(self, ctx, target: discord.Member, *, reason: str = ""):
2018-12-26 08:18:11 +00:00
"""Warns a user, staff only."""
2018-12-24 08:40:36 +00:00
# Hedge-proofing the code
if target == ctx.author:
2018-12-24 08:41:28 +00:00
return await ctx.send("You can't do mod actions on yourself.")
2018-12-24 08:40:36 +00:00
elif self.check_if_target_is_staff(target):
2018-12-23 22:11:01 +00:00
return await ctx.send("I can't warn this user as "
"they're a member of staff.")
log_channel = self.bot.get_channel(config.log_channel)
with open("data/warnsv2.json", "r") as f:
warns = json.load(f)
if str(target.id) not in warns:
warns[str(target.id)] = {"warns": []}
warns[str(target.id)]["name"] = str(target)
timestamp = time.strftime("%Y-%m-%d %H:%M:%S", time.localtime())
warn_data = {"issuer_id": ctx.author.id,
"issuer_name": ctx.author.name,
"reason": reason,
"timestamp": timestamp}
warns[str(target.id)]["warns"].append(warn_data)
with open("data/warnsv2.json", "w") as f:
json.dump(warns, f)
warn_count = len(warns[str(target.id)]["warns"])
msg = f"You were warned on {ctx.guild.name}."
if reason:
msg += " The given reason is: " + reason
msg += f"\n\nPlease read the rules in {config.rules_url}. "\
f"This is warn #{warn_count}."
if warn_count == 2:
msg += " __The next warn will automatically kick.__"
if warn_count == 3:
msg += "\n\nYou were kicked because of this warning. "\
"You can join again right away. "\
"Two more warnings will result in an automatic ban."
if warn_count == 4:
msg += "\n\nYou were kicked because of this warning. "\
"This is your final warning. "\
"You can join again, but "\
"**one more warn will result in a ban**."
if warn_count == 5:
msg += "\n\nYou were automatically banned due to five warnings."
try:
await target.send(msg)
except discord.errors.Forbidden:
# Prevents log issues in cases where user blocked bot
# or has DMs disabled
pass
if warn_count == 3 or warn_count == 4:
await target.kick()
if warn_count >= 5: # just in case
await target.ban(reason="exceeded warn limit",
delete_message_days=0)
await ctx.send(f"{target.mention} warned. "
f"User has {warn_count} warning(s).")
msg = f"⚠️ **Warned**: {ctx.author.mention} warned {target.mention}"\
f" (warn #{warn_count}) | {self.bot.escape_message(target)}\n"
2018-12-23 22:11:01 +00:00
if reason:
msg += f"✏️ __Reason__: \"{reason}\""
else:
msg += "Please add an explanation below. In the future"\
", it is recommended to use `.ban <user> [reason]`"\
" as the reason is automatically sent to the user."
await log_channel.send(msg)
2018-12-23 22:36:36 +00:00
def get_warns_embed_for_id(self, uid: str, name: str):
embed = discord.Embed(color=discord.Color.dark_red())
embed.set_author(name=f"Warns for {name}")
with open("data/warnsv2.json", "r") as f:
warns = json.load(f)
try:
if len(warns[uid]["warns"]):
for idx, warn in enumerate(warns[uid]["warns"]):
embed.add_field(name=f"{idx + 1}: {warn['timestamp']}",
value=f"Issuer: {warn['issuer_name']}\n"
f"Reason: {warn['reason']}")
else:
embed.description = "There are none!"
embed.color = discord.Color.green()
except KeyError: # if the user is not in the file
2018-12-23 23:25:30 +00:00
embed.description = "ID doesn't exist in saved "\
"warns (there likely aren't any warns)."
2018-12-23 22:36:36 +00:00
embed.color = discord.Color.green()
return embed
2018-12-23 23:25:30 +00:00
def clear_warns_from_id(self, uid: str):
with open("data/warnsv2.json", "r") as f:
warns = json.load(f)
if uid not in warns:
return f"<@{uid}> has no warns!"
warn_count = len(warns[uid]["warns"])
if not warn_count:
return f"<@{uid}> has no warns!"
warns[uid]["warns"] = []
with open("data/warnsv2.json", "w") as f:
json.dump(warns, f)
return f"<@{uid}> no longer has any warns!"
def delete_warns_from_id(self, uid: str, idx: int):
with open("data/warnsv2.json", "r") as f:
warns = json.load(f)
if uid not in warns:
return f"<@{uid}> has no warns!"
warn_count = len(warns[uid]["warns"])
if not warn_count:
return f"<@{uid}> has no warns!"
if idx > warn_count:
return "Warn index is higher than "\
f"warn count ({warn_count})!"
if idx < 1:
return "Warn index is below 1!"
warn = warns[uid]["warns"][idx - 1]
embed = discord.Embed(color=discord.Color.dark_red(),
title=f"Warn {idx} on {warn['timestamp']}",
description=f"Issuer: {warn['issuer_name']}\n"
f"Reason: {warn['reason']}")
del warns[uid]["warns"][idx - 1]
with open("data/warnsv2.json", "w") as f:
json.dump(warns, f)
return embed
2018-12-23 22:36:36 +00:00
@commands.guild_only()
@commands.check(check_if_staff)
@commands.command()
async def listwarns(self, ctx, target: discord.Member):
2018-12-26 08:18:11 +00:00
"""Lists warns for a user, staff only."""
2018-12-23 22:36:36 +00:00
embed = self.get_warns_embed_for_id(str(target.id), str(target))
await ctx.send(embed=embed)
2018-12-26 08:18:11 +00:00
@commands.guild_only()
@commands.command()
async def mywarns(self, ctx):
"""Lists your warns."""
embed = discord.Embed(color=discord.Color.dark_red())
uid = str(ctx.author.id)
embed.set_author(name=f"{ctx.author.name}'s warns")
with open("data/warnsv2.json", "r") as f:
warns = json.load(f)
try:
if len(warns[uid]["warns"]):
for idx, warn in enumerate(warns[uid]["warns"]):
embed.add_field(name=f"{idx + 1}: {warn['timestamp']}",
value=f"Reason: {warn['reason']}")
else:
embed.description = "There are none! Good for you."
embed.color = discord.Color.green()
except KeyError: # if the user is not in the file
embed.description = "ID doesn't exist in saved "\
"warns (there likely aren't any warns)."
embed.color = discord.Color.green()
await ctx.send(embed=embed)
2018-12-23 22:36:36 +00:00
@commands.guild_only()
@commands.check(check_if_staff)
@commands.command()
async def listwarnsid(self, ctx, target: int):
2018-12-26 08:18:11 +00:00
"""Lists warns for a user by ID, staff only."""
2018-12-23 22:36:36 +00:00
embed = self.get_warns_embed_for_id(str(target), str(target))
await ctx.send(embed=embed)
2018-12-23 23:25:30 +00:00
@commands.guild_only()
@commands.check(check_if_staff)
@commands.command()
async def clearwarns(self, ctx, target: discord.Member):
2018-12-26 08:18:11 +00:00
"""Clears all warns for a user, staff only."""
2018-12-23 23:25:30 +00:00
log_channel = self.bot.get_channel(config.log_channel)
msg = self.clear_warns_from_id(str(target.id))
await ctx.send(msg)
msg = f"🗑 **Cleared warns**: {ctx.member.mention} cleared"\
f" warns of {target.mention} | "\
f"{self.bot.escape_message(target)}"
await log_channel.send(msg)
@commands.guild_only()
@commands.check(check_if_staff)
@commands.command()
async def clearwarnsid(self, ctx, target: int):
2018-12-26 08:18:11 +00:00
"""Clears all warns for a user from their userid, staff only."""
2018-12-23 23:25:30 +00:00
log_channel = self.bot.get_channel(config.log_channel)
msg = self.clear_warns_from_id(str(target))
await ctx.send(msg)
msg = f"🗑 **Cleared warns**: {ctx.member.mention} cleared"\
f" warns of <@{target}> "
2018-12-23 23:25:30 +00:00
await log_channel.send(msg)
@commands.guild_only()
@commands.check(check_if_staff)
@commands.command()
async def delwarn(self, ctx, target: discord.Member, idx: int):
2018-12-26 08:18:11 +00:00
"""Removes a specific warn from a user, staff only."""
log_channel = self.bot.get_channel(config.log_channel)
del_warn = self.delete_warns_from_id(str(target.id), idx)
# This is hell.
if isinstance(del_warn, discord.Embed):
await ctx.send(f"{target.mention} has a warning removed!")
msg = f"🗑 **Deleted warn**: {ctx.author.mention} removed "\
f"warn {idx} from {target.mention} | "\
f"{self.bot.escape_message(target)}"
await log_channel.send(msg, embed=del_warn)
else:
await ctx.send(del_warn)
@commands.guild_only()
@commands.check(check_if_staff)
@commands.command()
async def delwarnid(self, ctx, target: int, idx: int):
2018-12-26 08:18:11 +00:00
"""Removes a specific warn from a user, staff only."""
log_channel = self.bot.get_channel(config.log_channel)
del_warn = self.delete_warns_from_id(str(target), idx)
# This is hell.
if isinstance(del_warn, discord.Embed):
await ctx.send(f"<@{target}> has a warning removed!")
msg = f"🗑 **Deleted warn**: {ctx.author.mention} removed "\
f"warn {idx} from <@{target}> "
await log_channel.send(msg, embed=del_warn)
else:
await ctx.send(del_warn)
2018-12-26 09:45:00 +00:00
@commands.guild_only()
@commands.check(check_if_staff)
@commands.command()
async def clearreactsbyuser(self, ctx, user: discord.Member, *,
channel: discord.TextChannel = None,
limit: int = 50):
2018-12-26 09:45:00 +00:00
"""Clears reacts from a given user in the given channel, staff only."""
log_channel = self.bot.get_channel(config.log_channel)
if not channel:
channel = ctx.channel
count = 0
async for msg in channel.history(limit=limit):
2018-12-26 09:45:00 +00:00
for react in msg.reactions:
if await react.users().find(lambda u: u == user):
2018-12-26 10:55:59 +00:00
count += 1
2018-12-26 09:45:00 +00:00
async for u in react.users():
await msg.remove_reaction(react, u)
msg = f"✏️ **Cleared reacts**: {ctx.author.mention} cleared "\
f"{user.mention}'s reacts from the last {limit} messages "\
f"in {channel.mention}."
2018-12-26 09:45:00 +00:00
await ctx.channel.send(f"Cleared {count} unique reactions")
await log_channel.send(msg)
@commands.guild_only()
@commands.check(check_if_staff)
@commands.command()
async def clearallreacts(self, ctx, *,
limit: int = 50,
channel: discord.TextChannel = None):
2018-12-26 09:45:00 +00:00
"""Clears all reacts in a given channel, staff only. Use with care."""
log_channel = self.bot.get_channel(config.log_channel)
if not channel:
channel = ctx.channel
count = 0
async for msg in channel.history(limit=limit):
2018-12-26 09:45:00 +00:00
if msg.reactions:
2018-12-26 10:55:59 +00:00
count += 1
2018-12-26 09:45:00 +00:00
await msg.clear_reactions()
msg = f"✏️ **Cleared reacts**: {ctx.author.mention} cleared all "\
f"reacts from the last {limit} messages in {channel.mention}."
await ctx.channel.send(f"Cleared reacts from {count} messages!")
await log_channel.send(msg)
@commands.guild_only()
@commands.check(check_if_staff)
@commands.command()
async def clearreactsinteractive(self, ctx):
"""Clears reacts interactively, staff only. Use with care."""
log_channel = self.bot.get_channel(config.log_channel)
msg_text = f"{ctx.author.mention}, react to the reactions you want "\
f"to remove. React to this message when you're done."
2018-12-26 09:45:00 +00:00
msg = await ctx.channel.send(msg_text)
tasks = []
def check(event):
# we only care about the user who is clearing reactions
if event.user_id != ctx.author.id:
return False
# this is how the user finishes
if event.message_id == msg.id:
return True
else:
# remove a reaction
async def impl():
msg = await self.bot \
.get_guild(event.guild_id) \
.get_channel(event.channel_id) \
.get_message(event.message_id)
2018-12-26 09:45:00 +00:00
def check_emoji(r):
if event.emoji.is_custom_emoji() == r.custom_emoji:
if event.emoji.is_custom_emoji():
return event.emoji.id == r.emoji.id
else:
# gotta love consistent APIs
return event.emoji.name == r.emoji
2018-12-26 09:45:00 +00:00
else:
return False
2018-12-26 09:45:00 +00:00
for reaction in filter(check_emoji, msg.reactions):
async for u in reaction.users():
await reaction.message.remove_reaction(reaction, u)
# schedule immediately
tasks.append(asyncio.create_task(impl()))
2018-12-26 09:45:00 +00:00
return False
try:
await self.bot.wait_for("raw_reaction_add",
timeout=120.0,
check=check)
2018-12-26 09:45:00 +00:00
except asyncio.TimeoutError:
await msg.edit(content = f"{msg_text} Timed out.")
2018-12-26 09:45:00 +00:00
else:
await asyncio.gather(*tasks)
await msg.edit(content = f"{msg_text} Done!")
2018-12-23 15:07:59 +00:00
def setup(bot):
2018-12-26 08:18:11 +00:00
bot.add_cog(Mod(bot))