-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathdanbot.py
243 lines (187 loc) · 7.02 KB
/
danbot.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
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
#!/usr/bin/env python3
import asyncio
import logging
import os
import random
import re
from urllib.parse import quote
import discord
from discord.ext import commands
from chat import DanBotChat
from image import DanBotImage
development_mode = True
logging.basicConfig(level=logging.INFO)
logging.debug("[DanBot] - Initializing...")
version = "v0.2"
intents = discord.Intents.default()
intents.members = True # Gotta subscribe to the privileged members intent.
bot = commands.Bot(
command_prefix='>',
description=f"DanBot {version}",
intents=intents
)
danbot_re = re.compile('(?m)(?i)DanBot')
@bot.event
async def on_ready():
logging.debug(f"[DanBot] - We have logged in as {bot.user}")
if development_mode:
return await bot.change_presence(
status=discord.Status.dnd,
activity=discord.Activity(
type=discord.ActivityType.listening,
name=f"my overlords"
)
)
else:
await bot.change_presence(status=discord.Status.online)
await bot.change_presence(
activity=discord.Activity(
type=discord.ActivityType.watching,
name=f"for >help"
)
)
@bot.command(
name="ping",
aliases=["ping!"],
help="Check if DanBot is alive. \nHe will only answer if he is awake...",
)
async def ping(ctx):
await ctx.send("pong!")
@bot.command(
name="dmslide",
aliases=["DMslide", "DMSlide"],
help="DanBot slides into them DM's...",
)
async def dmslide(ctx):
await ctx.author.send("Oh hey, did your humanoid father steal the stars from the cosmos and put them in your eyes?")
@bot.command(
name="google",
help="DanBot can google things for ya...",
)
async def google(ctx, *args):
if not len(args):
return await ctx.send("I can't google nothing. :/")
# Sanitize input for links...
sanitized_link_parts = [quote(arg) for arg in args]
results = discord.Embed(
title=f"Google Results For \"{' '.join(args)}\"",
url=f"http://www.justgoogleitup.com/?q={'+'.join(sanitized_link_parts)}",
description="Did my best to find these results...",
colour=discord.Colour.red()
)
results.set_thumbnail(
url="https://lh3.googleusercontent.com/COxitqgJr1sJnIDe8-jiKhxDx1FrYbtRHKJ9z_hELisAlapwE9LUPh6fcXIfb5vwpbMl4xl9H9TRFPc5NOO8Sb3VSgIBrfRYvW6cUA")
await ctx.send(f"Here ya go, this is what I've found...", embed=results)
@bot.command(
name="roll",
aliases=['Roll'],
help="DanBot will roll a dice for you. \ne.g. >roll (d2|d3|d4|d6|d10|d100)"
)
async def roll(ctx, arg):
dice_types = {
"d2": (1, 2),
"d3": (1, 3),
"d4": (1, 4),
"d6": (1, 6),
"d10": (1, 10),
"d100": (1, 100)
}
if arg.lower() not in dice_types.keys():
await ctx.send("Sorry, I don't know that type of dice. :(")
return
await ctx.send(f"{ctx.message.author.mention} rolled a {arg} and got {random.randint(*dice_types[arg])}")
@bot.command(
name="timer",
aliases=['Timer'],
help="DanBot can set a timer for you. \ne.g. >timer 2h 30m 25s"
)
async def timer(ctx, *args):
h = m = s = 0
# Future note: Update to regex.
for i in args:
if i[-1].lower() == "h":
h = int(i[:-1])
elif i[-1].lower() == "m":
m = int(i[:-1])
elif i[-1].lower() == "s":
s = int(i[:-1])
elif i.isnumeric():
s = int(i)
await ctx.send(f'Setting a {" ".join(args)} timer for {ctx.author.mention}.')
time = (h*60*60)+(m*60)+s
await asyncio.sleep(time)
await ctx.reply(f'BEEP BEEP! {ctx.author.mention} your timer just finished!', mention_author=True)
@bot.command(
name="livetimer",
aliases=['LiveTimer', 'countdown', 'Countdown'],
help="DanBot can set live timer that counts down. \ne.g. >livetimer 2h 30m 25s"
)
async def live_timer(ctx, *args):
h = m = s = 0
# Future note: Update to regex.
for i in args:
if i[-1].lower() == "h":
h = int(i[:-1])
elif i[-1].lower() == "m":
m = int(i[:-1])
elif i[-1].lower() == "s":
s = int(i[:-1])
elif i.isnumeric():
s = int(i)
time = (h*60*60)+(m*60)+s
await ctx.send(f'Setting a {" ".join(args)} second timer for {ctx.author.mention}.')
msg = await ctx.send(content=f"`{time} seconds left`")
for i in range(time, 0, -1):
await msg.edit(content=f"`{i} seconds left`")
await asyncio.sleep(1)
await msg.edit(content=f'`BEEP BEEP!`')
@bot.command(name="serverinfo")
async def server_info(ctx):
# Some lines are commented as they require the members intent.
role_count = len(ctx.guild.roles)
list_of_bots = [bot.mention for bot in ctx.guild.members if bot.bot]
embed2 = discord.Embed(
timestamp=ctx.message.created_at, colour=ctx.author.colour)
embed2.add_field(name='Name', value=f"{ctx.guild.name}", inline=False)
# embed2.add_field(name='Owner', value=f"{ctx.guild.owner}", inline=False)
embed2.add_field(name='Highest Role',
value=ctx.guild.roles[-2], inline=False)
# for role in ctx.guild.roles:
# members = '\n'.join([member.name for member in role.members]) or "None"
# embed2.add_field(name=role.name, value=members)
embed2.add_field(name='Number of Roles',
value=str(role_count), inline=False)
embed2.add_field(name='Number of Members',
value=ctx.guild.member_count, inline=False)
embed2.add_field(name='Bots:', value=(', '.join(list_of_bots)))
embed2.add_field(name='Created At', value=ctx.guild.created_at.__format__(
'%A, %d. %B %Y @ %H:%M:%S'), inline=False)
embed2.set_thumbnail(url=ctx.guild.icon_url)
embed2.set_author(name=ctx.author.name, icon_url=ctx.author.avatar_url)
embed2.set_footer(text=ctx.bot.user.name, icon_url=ctx.bot.user.avatar_url)
await ctx.send(embed=embed2)
@bot.event
async def on_message(message):
if message.author == bot.user:
return
await bot.process_commands(message)
if danbot_re.search(message.content):
await message.channel.send('Hewwo UwU?')
if message.content == "load phas":
loading_txt = f" Loading... 0%"
loading_bar = "| |"
msg = await message.channel.send(f"```\n{loading_txt}\n{loading_bar}\n```")
segments = 10
seg_length = len(loading_bar) // segments
for i in range(segments):
loading_txt = f" Loading... {(100//segments)*i}%"
loading_bar = f"|{'='*(seg_length*i)}{' '*(seg_length*(segments-i))}|"
await msg.edit(content=f"```\n{loading_txt}\n{loading_bar}\n```")
if __name__ == "__main__":
bot_token = os.environ.get("DANBOTTOKEN")
if not bot_token:
raise ValueError("Couldn't retrieve bot token!")
logging.debug("[DanBot] - Got bot token!")
bot.add_cog(DanBotImage(bot))
bot.add_cog(DanBotChat(bot))
bot.run(bot_token)