mirror of
https://github.com/Cog-Creators/Red-DiscordBot.git
synced 2025-11-06 11:18:54 -05:00
* revert the revert the revert git is hard... * and remove old mutes * make voicemutes less yelly * fix error when no args present in mute commands * update docstrings * address review * black * oops * fix voicemutes * remove mutes.py file * Remove _voice_perm_check from mod since it's now in mutes cog * remove naive datetimes prevent muting the bot prevent muting yourself fix error message when lots of channels are present * change alias for channelunmute Be more verbose for creating default mute role * add `[p]activemutes` to show current mutes in the server and time remaining on the mutes * improve resolution of unmute time * black * Show indefinite mutes in activemutes and only show the current servers mutes in activemutes * replace message.created_at with timezone aware timezone * remove "server" from activemutes to clean up look since channelmutes will show channel * better cache management, add tracking for manual muted role removal in the cache and modlog cases * Fix keyerror in mutes command when unsuccessful mutes * add typing indicator and improve config settings * flake8 issue * add one time message when attempting to mute without a role set, consume rate limits across channels for overwrite mutes * Don't clear the whole guilds settings when a mute is finished. Optimize server mutes to better handle migration to API method later. Fix typehints. * Utilize usage to make converter make more sense * remove decorator permission checks and fix doc strings * handle role changes better * More sanely handle channel mutes return and improve failed mutes dialogue. Re-enable task cleaner. Reduce wait time to improve resolution of mute time. * Handle re-mute on leave properly * fix unbound error in overwrites mute * revert the revert the revert git is hard... * and remove old mutes * make voicemutes less yelly * fix error when no args present in mute commands * update docstrings * address review * black * oops * fix voicemutes * Remove _voice_perm_check from mod since it's now in mutes cog * remove naive datetimes prevent muting the bot prevent muting yourself fix error message when lots of channels are present * change alias for channelunmute Be more verbose for creating default mute role * add `[p]activemutes` to show current mutes in the server and time remaining on the mutes * improve resolution of unmute time * black * Show indefinite mutes in activemutes and only show the current servers mutes in activemutes * replace message.created_at with timezone aware timezone * remove "server" from activemutes to clean up look since channelmutes will show channel * better cache management, add tracking for manual muted role removal in the cache and modlog cases * Fix keyerror in mutes command when unsuccessful mutes * add typing indicator and improve config settings * flake8 issue * add one time message when attempting to mute without a role set, consume rate limits across channels for overwrite mutes * Don't clear the whole guilds settings when a mute is finished. Optimize server mutes to better handle migration to API method later. Fix typehints. * Utilize usage to make converter make more sense * remove decorator permission checks and fix doc strings * handle role changes better * More sanely handle channel mutes return and improve failed mutes dialogue. Re-enable task cleaner. Reduce wait time to improve resolution of mute time. * Handle re-mute on leave properly * fix unbound error in overwrites mute * remove mutes.pt * remove reliance on mods is_allowed_by_hierarchy since we don't have a setting to control that anyways inside this. * black * fix hierarchy check * wtf * Cache mute roles for large bots * fix lint * fix this error * Address review 1 * lint * fix string i18n issue * remove unused typing.Coroutine import and fix i18n again * missed this docstring * Put voiceban and voiceunban back in mod where it's more appropriate * Address review 2 electric boogaloo * Make voicemutes use same methods as channel mute * black * handle humanize_list doesn't accept generators * update voicemutes docstrings * make voiceperm check consistent with rest of error handling * bleh * fix modlog case spam when overrides are in place * <a:pandaexplode:639975629793787922> * bleck * use total_seconds() instead of a dict, sorry everyone already using this lmao * <:excited:474074780887285776> This should be everything * black * fix the things * bleh * more cleanup * lmao hang on * fix voice mutes thingy * Title Case Permissions * oh I see * I'm running out of funny one-liners for commit messages * oof * ugh * let's try this * voicemutes manage_permissions * Cleanup mutes if they expire when member is not present * black * linters go brr Co-authored-by: Drapersniper <27962761+drapersniper@users.noreply.github.com>
205 lines
8.0 KiB
Python
205 lines
8.0 KiB
Python
import asyncio
|
|
import logging
|
|
import re
|
|
from abc import ABC
|
|
from collections import defaultdict
|
|
from typing import List, Tuple, Literal
|
|
|
|
import discord
|
|
from redbot.core.utils import AsyncIter
|
|
|
|
from redbot.core import Config, modlog, commands
|
|
from redbot.core.bot import Red
|
|
from redbot.core.i18n import Translator, cog_i18n
|
|
from redbot.core.utils._internal_utils import send_to_owners_with_prefix_replaced
|
|
from .events import Events
|
|
from .kickban import KickBanMixin
|
|
from .names import ModInfo
|
|
from .slowmode import Slowmode
|
|
from .settings import ModSettings
|
|
|
|
_ = T_ = Translator("Mod", __file__)
|
|
|
|
__version__ = "1.2.0"
|
|
|
|
|
|
class CompositeMetaClass(type(commands.Cog), type(ABC)):
|
|
"""
|
|
This allows the metaclass used for proper type detection to
|
|
coexist with discord.py's metaclass
|
|
"""
|
|
|
|
pass
|
|
|
|
|
|
@cog_i18n(_)
|
|
class Mod(
|
|
ModSettings,
|
|
Events,
|
|
KickBanMixin,
|
|
ModInfo,
|
|
Slowmode,
|
|
commands.Cog,
|
|
metaclass=CompositeMetaClass,
|
|
):
|
|
"""Moderation tools."""
|
|
|
|
default_global_settings = {"version": ""}
|
|
|
|
default_guild_settings = {
|
|
"mention_spam": {"ban": None, "kick": None, "warn": None, "strict": False},
|
|
"delete_repeats": -1,
|
|
"ignored": False,
|
|
"respect_hierarchy": True,
|
|
"delete_delay": -1,
|
|
"reinvite_on_unban": False,
|
|
"current_tempbans": [],
|
|
"dm_on_kickban": False,
|
|
"default_days": 0,
|
|
"default_tempban_duration": 60 * 60 * 24,
|
|
}
|
|
|
|
default_channel_settings = {"ignored": False}
|
|
|
|
default_member_settings = {"past_nicks": [], "perms_cache": {}, "banned_until": False}
|
|
|
|
default_user_settings = {"past_names": []}
|
|
|
|
def __init__(self, bot: Red):
|
|
super().__init__()
|
|
self.bot = bot
|
|
|
|
self.config = Config.get_conf(self, 4961522000, force_registration=True)
|
|
self.config.register_global(**self.default_global_settings)
|
|
self.config.register_guild(**self.default_guild_settings)
|
|
self.config.register_channel(**self.default_channel_settings)
|
|
self.config.register_member(**self.default_member_settings)
|
|
self.config.register_user(**self.default_user_settings)
|
|
self.cache: dict = {}
|
|
self.tban_expiry_task = self.bot.loop.create_task(self.check_tempban_expirations())
|
|
self.last_case: dict = defaultdict(dict)
|
|
|
|
self._ready = asyncio.Event()
|
|
|
|
async def red_delete_data_for_user(
|
|
self,
|
|
*,
|
|
requester: Literal["discord_deleted_user", "owner", "user", "user_strict"],
|
|
user_id: int,
|
|
):
|
|
if requester != "discord_deleted_user":
|
|
return
|
|
|
|
all_members = await self.config.all_members()
|
|
|
|
async for guild_id, guild_data in AsyncIter(all_members.items(), steps=100):
|
|
if user_id in guild_data:
|
|
await self.config.member_from_ids(guild_id, user_id).clear()
|
|
|
|
await self.config.user_from_id(user_id).clear()
|
|
|
|
guild_data = await self.config.all_guilds()
|
|
|
|
async for guild_id, guild_data in AsyncIter(guild_data.items(), steps=100):
|
|
if user_id in guild_data["current_tempbans"]:
|
|
async with self.config.guild_from_id(guild_id).current_tempbans() as tbs:
|
|
try:
|
|
tbs.remove(user_id)
|
|
except ValueError:
|
|
pass
|
|
# possible with a context switch between here and getting all guilds
|
|
|
|
async def initialize(self):
|
|
await self._maybe_update_config()
|
|
self._ready.set()
|
|
|
|
async def cog_before_invoke(self, ctx: commands.Context) -> None:
|
|
await self._ready.wait()
|
|
|
|
def cog_unload(self):
|
|
self.tban_expiry_task.cancel()
|
|
|
|
async def _maybe_update_config(self):
|
|
"""Maybe update `delete_delay` value set by Config prior to Mod 1.0.0."""
|
|
if not await self.config.version():
|
|
guild_dict = await self.config.all_guilds()
|
|
async for guild_id, info in AsyncIter(guild_dict.items(), steps=25):
|
|
delete_repeats = info.get("delete_repeats", False)
|
|
if delete_repeats:
|
|
val = 3
|
|
else:
|
|
val = -1
|
|
await self.config.guild_from_id(guild_id).delete_repeats.set(val)
|
|
await self.config.version.set("1.0.0") # set version of last update
|
|
if await self.config.version() < "1.1.0":
|
|
message_sent = False
|
|
async for e in AsyncIter((await self.config.all_channels()).values(), steps=25):
|
|
if e["ignored"] is not False:
|
|
msg = _(
|
|
"Ignored guilds and channels have been moved. "
|
|
"Please use `[p]moveignoredchannels` to migrate the old settings."
|
|
)
|
|
self.bot.loop.create_task(send_to_owners_with_prefix_replaced(self.bot, msg))
|
|
message_sent = True
|
|
break
|
|
if message_sent is False:
|
|
async for e in AsyncIter((await self.config.all_guilds()).values(), steps=25):
|
|
if e["ignored"] is not False:
|
|
msg = _(
|
|
"Ignored guilds and channels have been moved. "
|
|
"Please use `[p]moveignoredchannels` to migrate the old settings."
|
|
)
|
|
self.bot.loop.create_task(
|
|
send_to_owners_with_prefix_replaced(self.bot, msg)
|
|
)
|
|
break
|
|
await self.config.version.set("1.1.0")
|
|
if await self.config.version() < "1.2.0":
|
|
async for e in AsyncIter((await self.config.all_guilds()).values(), steps=25):
|
|
if e["delete_delay"] != -1:
|
|
msg = _(
|
|
"Delete delay settings have been moved. "
|
|
"Please use `[p]movedeletedelay` to migrate the old settings."
|
|
)
|
|
self.bot.loop.create_task(send_to_owners_with_prefix_replaced(self.bot, msg))
|
|
break
|
|
await self.config.version.set("1.2.0")
|
|
if await self.config.version() < "1.3.0":
|
|
guild_dict = await self.config.all_guilds()
|
|
async for guild_id in AsyncIter(guild_dict.keys(), steps=25):
|
|
async with self.config.guild_from_id(guild_id).all() as guild_data:
|
|
current_state = guild_data.pop("ban_mention_spam", False)
|
|
if current_state is not False:
|
|
if "mention_spam" not in guild_data:
|
|
guild_data["mention_spam"] = {}
|
|
guild_data["mention_spam"]["ban"] = current_state
|
|
await self.config.version.set("1.3.0")
|
|
|
|
@commands.command()
|
|
@commands.is_owner()
|
|
async def moveignoredchannels(self, ctx: commands.Context) -> None:
|
|
"""Move ignored channels and servers to core"""
|
|
all_guilds = await self.config.all_guilds()
|
|
all_channels = await self.config.all_channels()
|
|
for guild_id, settings in all_guilds.items():
|
|
await self.bot._config.guild_from_id(guild_id).ignored.set(settings["ignored"])
|
|
await self.config.guild_from_id(guild_id).ignored.clear()
|
|
for channel_id, settings in all_channels.items():
|
|
await self.bot._config.channel_from_id(channel_id).ignored.set(settings["ignored"])
|
|
await self.config.channel_from_id(channel_id).clear()
|
|
await ctx.send(_("Ignored channels and guilds restored."))
|
|
|
|
@commands.command()
|
|
@commands.is_owner()
|
|
async def movedeletedelay(self, ctx: commands.Context) -> None:
|
|
"""
|
|
Move deletedelay settings to core
|
|
"""
|
|
all_guilds = await self.config.all_guilds()
|
|
for guild_id, settings in all_guilds.items():
|
|
await self.bot._config.guild_from_id(guild_id).delete_delay.set(
|
|
settings["delete_delay"]
|
|
)
|
|
await self.config.guild_from_id(guild_id).delete_delay.clear()
|
|
await ctx.send(_("Delete delay settings restored."))
|