add(cog|logs): add cog for logging
This commit is contained in:
parent
9274895226
commit
4c48fdff6e
5 changed files with 258 additions and 17 deletions
22
bot.py
22
bot.py
|
@ -1,7 +1,6 @@
|
||||||
import datetime
|
import datetime
|
||||||
import logging
|
import logging
|
||||||
import sys
|
import sys
|
||||||
import traceback
|
|
||||||
from collections import deque
|
from collections import deque
|
||||||
|
|
||||||
import aiohttp
|
import aiohttp
|
||||||
|
@ -25,6 +24,7 @@ log = logging.getLogger(__name__)
|
||||||
l_extensions = (
|
l_extensions = (
|
||||||
'cogs.admin',
|
'cogs.admin',
|
||||||
'cogs.basics',
|
'cogs.basics',
|
||||||
|
'cogs.logs',
|
||||||
'jishaku',
|
'jishaku',
|
||||||
)
|
)
|
||||||
|
|
||||||
|
@ -38,13 +38,14 @@ async def _prefix_callable(bot, message: discord.message) -> list:
|
||||||
|
|
||||||
|
|
||||||
class TuxBot(commands.AutoShardedBot):
|
class TuxBot(commands.AutoShardedBot):
|
||||||
__slots__ = ('uptime', 'config', 'db', 'session')
|
|
||||||
|
|
||||||
def __init__(self, unload: list, db: asyncpg.pool.Pool):
|
def __init__(self, unload: list, db: asyncpg.pool.Pool):
|
||||||
super().__init__(command_prefix=_prefix_callable, pm_help=None,
|
super().__init__(command_prefix=_prefix_callable, pm_help=None,
|
||||||
help_command=None, description=description,
|
help_command=None, description=description,
|
||||||
help_attrs=dict(hidden=True),
|
help_attrs=dict(hidden=True),
|
||||||
activity=discord.Game(name=Texts().get('Starting...')))
|
activity=discord.Game(
|
||||||
|
name=Texts().get('Starting...'))
|
||||||
|
)
|
||||||
|
|
||||||
self.uptime: datetime = datetime.datetime.utcnow()
|
self.uptime: datetime = datetime.datetime.utcnow()
|
||||||
self.config = config
|
self.config = config
|
||||||
|
@ -81,19 +82,11 @@ class TuxBot(commands.AutoShardedBot):
|
||||||
|
|
||||||
elif isinstance(error, commands.DisabledCommand):
|
elif isinstance(error, commands.DisabledCommand):
|
||||||
await ctx.author.send(
|
await ctx.author.send(
|
||||||
Texts().get("Sorry. This command is disabled and cannot be used.")
|
Texts().get(
|
||||||
|
"Sorry. This command is disabled and cannot be used."
|
||||||
|
)
|
||||||
)
|
)
|
||||||
|
|
||||||
elif isinstance(error, commands.CommandInvokeError):
|
|
||||||
print(Texts().get("In ") + f'{ctx.command.qualified_name}:',
|
|
||||||
file=sys.stderr)
|
|
||||||
traceback.print_tb(error.original.__traceback__)
|
|
||||||
print(f'{error.original.__class__.__name__}: {error.original}',
|
|
||||||
file=sys.stderr)
|
|
||||||
|
|
||||||
elif isinstance(error, commands.ArgumentParsingError):
|
|
||||||
await ctx.send(error.__str__())
|
|
||||||
|
|
||||||
async def process_commands(self, message: discord.message):
|
async def process_commands(self, message: discord.message):
|
||||||
ctx = await self.get_context(message)
|
ctx = await self.get_context(message)
|
||||||
|
|
||||||
|
@ -140,6 +133,7 @@ class TuxBot(commands.AutoShardedBot):
|
||||||
|
|
||||||
async def close(self):
|
async def close(self):
|
||||||
await super().close()
|
await super().close()
|
||||||
|
await self.db.close()
|
||||||
await self.session.close()
|
await self.session.close()
|
||||||
|
|
||||||
def run(self):
|
def run(self):
|
||||||
|
|
|
@ -2,8 +2,8 @@ import datetime
|
||||||
from typing import Union
|
from typing import Union
|
||||||
|
|
||||||
import discord
|
import discord
|
||||||
from discord.ext import commands
|
|
||||||
import humanize
|
import humanize
|
||||||
|
from discord.ext import commands
|
||||||
|
|
||||||
from bot import TuxBot
|
from bot import TuxBot
|
||||||
from .utils.lang import Texts
|
from .utils.lang import Texts
|
||||||
|
@ -233,6 +233,7 @@ class Admin(commands.Cog):
|
||||||
week_ago = datetime.datetime.now() - datetime.timedelta(weeks=6)
|
week_ago = datetime.datetime.now() - datetime.timedelta(weeks=6)
|
||||||
|
|
||||||
async with self.bot.db.acquire() as con:
|
async with self.bot.db.acquire() as con:
|
||||||
|
await ctx.trigger_typing()
|
||||||
warns = await con.fetch(query, week_ago, ctx.guild.id)
|
warns = await con.fetch(query, week_ago, ctx.guild.id)
|
||||||
warns_list = ''
|
warns_list = ''
|
||||||
|
|
||||||
|
|
247
cogs/logs.py
Normal file
247
cogs/logs.py
Normal file
|
@ -0,0 +1,247 @@
|
||||||
|
import asyncio
|
||||||
|
import datetime
|
||||||
|
import json
|
||||||
|
import logging
|
||||||
|
import textwrap
|
||||||
|
import traceback
|
||||||
|
from collections import defaultdict, Counter
|
||||||
|
|
||||||
|
import discord
|
||||||
|
import psutil
|
||||||
|
from discord.ext import commands, tasks
|
||||||
|
|
||||||
|
from bot import TuxBot
|
||||||
|
|
||||||
|
log = logging.getLogger(__name__)
|
||||||
|
|
||||||
|
|
||||||
|
class GatewayHandler(logging.Handler):
|
||||||
|
def __init__(self, cog):
|
||||||
|
self.cog = cog
|
||||||
|
super().__init__(logging.INFO)
|
||||||
|
|
||||||
|
def filter(self, record):
|
||||||
|
return record.name == 'discord.gateway' \
|
||||||
|
or 'Shard ID' in record.msg \
|
||||||
|
or 'Websocket closed ' in record.msg
|
||||||
|
|
||||||
|
def emit(self, record):
|
||||||
|
self.cog.add_record(record)
|
||||||
|
|
||||||
|
|
||||||
|
class Logs(commands.Cog):
|
||||||
|
|
||||||
|
def __init__(self, bot: TuxBot):
|
||||||
|
self.bot = bot
|
||||||
|
self.process = psutil.Process()
|
||||||
|
self._batch_lock = asyncio.Lock(loop=bot.loop)
|
||||||
|
self._data_batch = []
|
||||||
|
self._gateway_queue = asyncio.Queue(loop=bot.loop)
|
||||||
|
self.gateway_worker.start()
|
||||||
|
|
||||||
|
self._resumes = []
|
||||||
|
self._identifies = defaultdict(list)
|
||||||
|
|
||||||
|
def _clear_gateway_data(self):
|
||||||
|
one_week_ago = datetime.datetime.utcnow() - datetime.timedelta(days=7)
|
||||||
|
to_remove = [
|
||||||
|
index for index, dt in enumerate(self._resumes)
|
||||||
|
if dt < one_week_ago
|
||||||
|
]
|
||||||
|
for index in reversed(to_remove):
|
||||||
|
del self._resumes[index]
|
||||||
|
|
||||||
|
for shard_id, dates in self._identifies.items():
|
||||||
|
to_remove = [index for index, dt in enumerate(dates) if
|
||||||
|
dt < one_week_ago]
|
||||||
|
for index in reversed(to_remove):
|
||||||
|
del dates[index]
|
||||||
|
|
||||||
|
@tasks.loop(seconds=0.0)
|
||||||
|
async def gateway_worker(self):
|
||||||
|
record = await self._gateway_queue.get()
|
||||||
|
await self.notify_gateway_status(record)
|
||||||
|
|
||||||
|
async def register_command(self, ctx):
|
||||||
|
if ctx.command is None:
|
||||||
|
return
|
||||||
|
|
||||||
|
command = ctx.command.qualified_name
|
||||||
|
message = ctx.message
|
||||||
|
if ctx.guild is None:
|
||||||
|
destination = 'Private Message'
|
||||||
|
guild_id = None
|
||||||
|
else:
|
||||||
|
destination = f'#{message.channel} ({message.guild})'
|
||||||
|
guild_id = ctx.guild.id
|
||||||
|
|
||||||
|
log.info(
|
||||||
|
f'{message.created_at}: {message.author} '
|
||||||
|
f'in {destination}: {message.content}')
|
||||||
|
async with self._batch_lock:
|
||||||
|
self._data_batch.append({
|
||||||
|
'guild': guild_id,
|
||||||
|
'channel': ctx.channel.id,
|
||||||
|
'author': ctx.author.id,
|
||||||
|
'used': message.created_at.isoformat(),
|
||||||
|
'prefix': ctx.prefix,
|
||||||
|
'command': command,
|
||||||
|
'failed': ctx.command_failed,
|
||||||
|
})
|
||||||
|
|
||||||
|
@commands.Cog.listener()
|
||||||
|
async def on_command_completion(self, ctx):
|
||||||
|
await self.register_command(ctx)
|
||||||
|
|
||||||
|
@commands.Cog.listener()
|
||||||
|
async def on_socket_response(self, msg):
|
||||||
|
self.bot.socket_stats[msg.get('t')] += 1
|
||||||
|
|
||||||
|
@property
|
||||||
|
def webhook(self):
|
||||||
|
return self.bot.logs_webhook
|
||||||
|
|
||||||
|
async def log_error(self, *, ctx=None, extra=None):
|
||||||
|
e = discord.Embed(title='Error', colour=0xdd5f53)
|
||||||
|
e.description = f'```py\n{traceback.format_exc()}\n```'
|
||||||
|
e.add_field(name='Extra', value=extra, inline=False)
|
||||||
|
e.timestamp = datetime.datetime.utcnow()
|
||||||
|
|
||||||
|
if ctx is not None:
|
||||||
|
fmt = '{0} (ID: {0.id})'
|
||||||
|
author = fmt.format(ctx.author)
|
||||||
|
channel = fmt.format(ctx.channel)
|
||||||
|
guild = 'None' if ctx.guild is None else fmt.format(ctx.guild)
|
||||||
|
|
||||||
|
e.add_field(name='Author', value=author)
|
||||||
|
e.add_field(name='Channel', value=channel)
|
||||||
|
e.add_field(name='Guild', value=guild)
|
||||||
|
|
||||||
|
await self.webhook.send(embed=e)
|
||||||
|
|
||||||
|
async def send_guild_stats(self, e, guild):
|
||||||
|
e.add_field(name='Name', value=guild.name)
|
||||||
|
e.add_field(name='ID', value=guild.id)
|
||||||
|
e.add_field(name='Shard ID', value=guild.shard_id or 'N/A')
|
||||||
|
e.add_field(name='Owner',
|
||||||
|
value=f'{guild.owner} (ID: {guild.owner.id})')
|
||||||
|
|
||||||
|
bots = sum(member.bot for member in guild.members)
|
||||||
|
total = guild.member_count
|
||||||
|
online = sum(member.status is discord.Status.online
|
||||||
|
for member in guild.members)
|
||||||
|
|
||||||
|
e.add_field(name='Members', value=str(total))
|
||||||
|
e.add_field(name='Bots', value=f'{bots} ({bots / total:.2%})')
|
||||||
|
e.add_field(name='Online', value=f'{online} ({online / total:.2%})')
|
||||||
|
|
||||||
|
if guild.icon:
|
||||||
|
e.set_thumbnail(url=guild.icon_url)
|
||||||
|
|
||||||
|
if guild.me:
|
||||||
|
e.timestamp = guild.me.joined_at
|
||||||
|
|
||||||
|
await self.webhook.send(embed=e)
|
||||||
|
|
||||||
|
@commands.Cog.listener()
|
||||||
|
async def on_guild_join(self, guild):
|
||||||
|
e = discord.Embed(colour=0x53dda4, title='New Guild') # green colour
|
||||||
|
await self.send_guild_stats(e, guild)
|
||||||
|
|
||||||
|
@commands.Cog.listener()
|
||||||
|
async def on_guild_remove(self, guild):
|
||||||
|
e = discord.Embed(colour=0xdd5f53, title='Left Guild') # red colour
|
||||||
|
await self.send_guild_stats(e, guild)
|
||||||
|
|
||||||
|
@commands.Cog.listener()
|
||||||
|
async def on_command_error(self, ctx, error):
|
||||||
|
await self.register_command(ctx)
|
||||||
|
if not isinstance(error, (
|
||||||
|
commands.CommandInvokeError, commands.ConversionError)):
|
||||||
|
return
|
||||||
|
|
||||||
|
error = error.original
|
||||||
|
if isinstance(error, (discord.Forbidden, discord.NotFound)):
|
||||||
|
return
|
||||||
|
|
||||||
|
e = discord.Embed(title='Command Error', colour=0xcc3366)
|
||||||
|
e.add_field(name='Name', value=ctx.command.qualified_name)
|
||||||
|
e.add_field(name='Author', value=f'{ctx.author} (ID: {ctx.author.id})')
|
||||||
|
|
||||||
|
fmt = f'Channel: {ctx.channel} (ID: {ctx.channel.id})'
|
||||||
|
if ctx.guild:
|
||||||
|
fmt = f'{fmt}\nGuild: {ctx.guild} (ID: {ctx.guild.id})'
|
||||||
|
|
||||||
|
e.add_field(name='Location', value=fmt, inline=False)
|
||||||
|
e.add_field(name='Content', value=textwrap.shorten(
|
||||||
|
ctx.message.content,
|
||||||
|
width=512
|
||||||
|
))
|
||||||
|
|
||||||
|
exc = ''.join(traceback.format_exception(
|
||||||
|
type(error), error, error.__traceback__,
|
||||||
|
chain=False)
|
||||||
|
)
|
||||||
|
e.description = f'```py\n{exc}\n```'
|
||||||
|
e.timestamp = datetime.datetime.utcnow()
|
||||||
|
await self.webhook.send(embed=e)
|
||||||
|
|
||||||
|
@commands.Cog.listener()
|
||||||
|
async def on_socket_raw_send(self, data):
|
||||||
|
if '"op":2' not in data and '"op":6' not in data:
|
||||||
|
return
|
||||||
|
|
||||||
|
back_to_json = json.loads(data)
|
||||||
|
if back_to_json['op'] == 2:
|
||||||
|
payload = back_to_json['d']
|
||||||
|
inner_shard = payload.get('shard', [0])
|
||||||
|
self._identifies[inner_shard[0]].append(datetime.datetime.utcnow())
|
||||||
|
else:
|
||||||
|
self._resumes.append(datetime.datetime.utcnow())
|
||||||
|
|
||||||
|
self._clear_gateway_data()
|
||||||
|
|
||||||
|
def add_record(self, record):
|
||||||
|
self._gateway_queue.put_nowait(record)
|
||||||
|
|
||||||
|
async def notify_gateway_status(self, record):
|
||||||
|
types = {
|
||||||
|
'INFO': ':information_source:',
|
||||||
|
'WARNING': ':warning:'
|
||||||
|
}
|
||||||
|
|
||||||
|
emoji = types.get(record.levelname, ':heavy_multiplication_x:')
|
||||||
|
dt = datetime.datetime.utcfromtimestamp(record.created)
|
||||||
|
msg = f'{emoji} `[{dt:%Y-%m-%d %H:%M:%S}] {record.message}`'
|
||||||
|
await self.webhook.send(msg)
|
||||||
|
|
||||||
|
|
||||||
|
async def on_error(self, event, *args, **kwargs):
|
||||||
|
e = discord.Embed(title='Event Error', colour=0xa32952)
|
||||||
|
e.add_field(name='Event', value=event)
|
||||||
|
e.description = f'```py\n{traceback.format_exc()}\n```'
|
||||||
|
e.timestamp = datetime.datetime.utcnow()
|
||||||
|
|
||||||
|
args_str = ['```py']
|
||||||
|
for index, arg in enumerate(args):
|
||||||
|
args_str.append(f'[{index}]: {arg!r}')
|
||||||
|
args_str.append('```')
|
||||||
|
e.add_field(name='Args', value='\n'.join(args_str), inline=False)
|
||||||
|
|
||||||
|
hook = self.get_cog('Logs').webhook
|
||||||
|
try:
|
||||||
|
await hook.send(embed=e)
|
||||||
|
except (discord.HTTPException, discord.NotFound,
|
||||||
|
discord.Forbidden, discord.InvalidArgument):
|
||||||
|
pass
|
||||||
|
|
||||||
|
|
||||||
|
def setup(bot: TuxBot):
|
||||||
|
if not hasattr(bot, 'socket_stats'):
|
||||||
|
bot.socket_stats = Counter()
|
||||||
|
|
||||||
|
cog = Logs(bot)
|
||||||
|
bot.add_cog(cog)
|
||||||
|
handler = GatewayHandler(cog)
|
||||||
|
logging.getLogger().addHandler(handler)
|
||||||
|
commands.AutoShardedBot.on_error = on_error
|
Binary file not shown.
|
@ -4,7 +4,6 @@ import logging
|
||||||
import socket
|
import socket
|
||||||
import sys
|
import sys
|
||||||
|
|
||||||
import asyncpg
|
|
||||||
import click
|
import click
|
||||||
import git
|
import git
|
||||||
import requests
|
import requests
|
||||||
|
@ -30,7 +29,7 @@ def setup_logging():
|
||||||
|
|
||||||
handler = logging.FileHandler(filename='logs/tuxbot.log',
|
handler = logging.FileHandler(filename='logs/tuxbot.log',
|
||||||
encoding='utf-8', mode='w')
|
encoding='utf-8', mode='w')
|
||||||
fmt = logging.Formatter('[{asctime}] [{levelname:<7}]'
|
fmt = logging.Formatter('[{levelname:<7}] [{asctime}]'
|
||||||
' {name}: {message}',
|
' {name}: {message}',
|
||||||
'%Y-%m-%d %H:%M:%S', style='{')
|
'%Y-%m-%d %H:%M:%S', style='{')
|
||||||
|
|
||||||
|
|
Loading…
Reference in a new issue