-
Notifications
You must be signed in to change notification settings - Fork 120
/
Copy pathloop.py
192 lines (162 loc) · 9.3 KB
/
loop.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
from __future__ import annotations
import asyncio
import discord
import logging
from datetime import datetime, timedelta, timezone
from discord import AllowedMentions
from discord.ext import commands, tasks
from discord.utils import format_dt
from typing import TYPE_CHECKING
from utils.utils import send_dm_message, KurisuCooldown
from utils import Restriction, OptionalMember, WarnState
from utils.warns import WARN_EXPIRATION
if TYPE_CHECKING:
from kurisu import Kurisu
from utils.context import KurisuContext
logger = logging.getLogger(__name__)
class Loop(commands.Cog):
"""
Loop events.
"""
def __init__(self, bot: Kurisu):
self.bot: Kurisu = bot
self.emoji = discord.PartialEmoji.from_str('⌚')
self.restrictions = bot.restrictions
self.extras = bot.extras
bot.loop.create_task(self.start_update_loop())
self.warn_expiration_check.start()
def __unload(self):
self.is_active = False
is_active = True
last_hour = datetime.now().hour
netinfo_embed = discord.Embed(description="The Network Maintenance Information page has not been successfully checked yet.")
def netinfo_parse_time(self, time_str: str) -> datetime:
return self.bot.tz.localize(datetime.strptime(' '.join(time_str.split()), '%A, %B %d, %Y %I :%M %p')).astimezone()
async def update_netinfo(self):
async with self.bot.session.get('https://www.nintendo.co.jp/netinfo/en_US/status.json?callback=getJSON', timeout=45) as r:
if r.status == 200:
# Nintendo likes to fuck up the json content type sometimes.
j = await r.json(content_type=None)
else:
self.netinfo_embed.description = "Failure when checking the Network Maintenance Information page."
logger.warning("Status %s while trying to update netinfo.", r.status)
return
now = datetime.now(self.bot.tz)
embed = discord.Embed(title="Network Maintenance Information / Online Status",
url="https://www.nintendo.co.jp/netinfo/en_US/index.html",
timestamp=now)
embed.set_footer(text="This information was last updated:")
for status_type in ("operational_statuses", "temporary_maintenances"):
descriptor = "Maintenance" if status_type == "temporary_maintenances" else "Status"
for entry in j[status_type]:
if "platform" in entry:
entry_desc = ', '.join(entry["platform"]).replace("nintendo", "Nintendo").replace("web", "Web")
else:
entry_desc = 'No console specified.'
if "begin" in entry and entry["begin"] is not None:
begin = self.netinfo_parse_time(entry["begin"])
entry_desc += '\nBegins: ' + format_dt(begin)
else:
begin = datetime(year=2000, month=1, day=1, tzinfo=self.bot.tz)
if "end" in entry and entry["end"] is not None:
end = self.netinfo_parse_time(entry["end"])
entry_desc += '\nEnds: ' + format_dt(end)
else:
end = datetime(year=2099, month=1, day=1, tzinfo=self.bot.tz)
if now < end:
entry_name = "{} {}: {}".format(
"Current" if begin <= now else "Upcoming",
descriptor,
entry["software_title"].replace(' <br />\r\n', ', ')
)
if "services" in entry:
entry_name += ", " + ', '.join(entry["services"])
embed.add_field(name=entry_name, value=entry_desc, inline=False)
if len(embed.fields) == 0:
embed.description = "No ongoing or upcoming maintenances."
self.netinfo_embed = embed
@commands.dynamic_cooldown(KurisuCooldown(1, 60.0), commands.BucketType.channel)
@commands.command()
async def netinfo(self, ctx: KurisuContext):
"""Show the nintendo network status."""
await ctx.send(embed=self.netinfo_embed)
@commands.dynamic_cooldown(KurisuCooldown(1, 60.0), commands.BucketType.channel)
@commands.command()
async def netinfo_refresh(self, ctx: KurisuContext):
"""Refreshes the nintendo network status information."""
await self.update_netinfo()
embed = discord.Embed(title="Netinfo Refresh", color=discord.Color.blue())
embed.description = "Refresh complete."
await ctx.send(embed=embed)
async def start_update_loop(self):
# thanks, Luc#5653
await self.bot.wait_until_all_ready()
await self.update_netinfo() # Run once so it will always be available after restart
while self.is_active:
try:
current_timestamp = datetime.now(self.bot.tz)
for restriction in list(self.restrictions.timed_restrictions.values()):
restriction_type = Restriction(restriction.type)
if current_timestamp > restriction.end_date:
member = self.bot.guild.get_member(restriction.user_id) or OptionalMember(
id=restriction.user_id)
await self.bot.restrictions.remove_restriction(member, restriction_type)
if restriction_type is Restriction.Ban:
u = discord.Object(id=restriction.user_id)
try:
self.bot.actions.append(f"bu:{u.id}")
await self.bot.guild.unban(u)
except discord.errors.NotFound:
pass
msg = f"⚠️ **Ban expired**: {member.id}"
await self.bot.channels['mod-logs'].send(msg)
elif not restriction.alerted:
warning_time_period = timedelta(minutes=30) if restriction.type is Restriction.Ban else timedelta(minutes=10)
warning_time = restriction.end_date - warning_time_period
if current_timestamp > warning_time:
await self.bot.restrictions.set_timed_restriction_alert(restriction.user_id, restriction.type)
await self.bot.channels['mods'].send(
f"**Note**: <@{restriction.user_id}> | {restriction.user_id} {restriction_type.name}"
f" restriction will be removed "
f"in {((restriction.end_date - current_timestamp).seconds // 60) + 1} minutes.")
for timed_role in list(self.extras.timed_roles.values()):
if current_timestamp > timed_role.expiring_date:
await self.extras.delete_timed_role(timed_role.user_id, timed_role.role_id)
member = self.bot.guild.get_member(timed_role.user_id)
role = self.bot.guild.get_role(timed_role.role_id)
if member and role:
await member.remove_roles(role)
msg = f"⭕ **Timed Role Expired**: <@{timed_role.user_id}> (`{role.name if role else timed_role.role_id}`)"
await self.bot.channels['mod-logs'].send(msg)
for reminder_entries in list(self.extras.reminders.values()):
for reminder in reminder_entries:
if current_timestamp <= reminder.date:
continue
await self.extras.delete_reminder(reminder.id, reminder.author_id)
member = self.bot.guild.get_member(reminder.author_id)
if member:
msg = f"You asked to remind you of: {reminder.content}"
send = await send_dm_message(member, msg)
if not send:
await self.bot.channels['bot-cmds'].send(f"{msg}\n{member.mention}", allowed_mentions=AllowedMentions(users=[member]))
if current_timestamp.minute == 0 and current_timestamp.hour != self.last_hour:
# Hopefully update the guild object with an updated one
guild = self.bot.get_guild(self.bot.guild.id)
if guild:
self.bot.guild = guild
await self.bot.channels['helpers'].send(f"{self.bot.guild.name} has {self.bot.guild.member_count:,} members at this hour!")
self.last_hour = current_timestamp.hour
if current_timestamp.minute % 30 == 0 and current_timestamp.second == 0:
self.bot.loop.create_task(self.update_netinfo())
except Exception:
await self.bot.on_error("start_update_loop")
finally:
await asyncio.sleep(1)
@tasks.loop(minutes=120)
async def warn_expiration_check(self):
await self.bot.wait_until_all_ready()
async for warn in self.bot.warns.get_all_ephemeral_warnings():
if datetime.now(timezone.utc) - warn.date >= WARN_EXPIRATION:
await self.bot.warns.delete_warning(warn.warn_id, None, None, deletion_type=WarnState.Expired)
async def setup(bot):
await bot.add_cog(Loop(bot))