Skip to content

Commit da6997a

Browse files
MrHemlockwookie184
andauthored
Voice Verify Button Instead of Voice Verify Command (#2856)
* Added additional ignore to `.gitignore` * Setting structure for view class * Transferring voice_verification functionality to button view * Completed VerifyView and added cog_load * Moved `voice_verify()` functionality to button. Added `prepare_voice_button()` to create the persistent button and message. * Tweaked message deletion times to be more consistent * Voice Gate rework - Removed unused imports caused by changes - Changed voice pings to reflect the use of button instead of command - Changed from deleting pings by message id in favor of using built in `delete_after` arguments on messages - Changed `delete_after` to use values from config - Redis cache no longer tracks message ids along with user id for the purpose of tracking people who have been pinged - * Changes to Structure and Logic - Removed superfluous new line in constants file - Removed ModLog from file as it is no longer needed - New to voice chat users will no longer be sent a DM, and will instead only be sent a ping in the verification channel - Changed class name from `VerifyView` to `VoiceVerificationView` for added clarity - Adjusted voice button role check logic to reduce number of api calls * Corrected logging formatting - Formatting now correctly using %-style instead of f-strings * Swapped channel getting & corrected redundant logic - Swapped get_channel to get_or_fetch_channel to make sure channel is retrieved - Adjusted list comprehension and for loop to be a single for loop * Change ping phrasing for clarity Co-authored-by: wookie184 <[email protected]> --------- Co-authored-by: wookie184 <[email protected]>
1 parent baf0fa1 commit da6997a

File tree

3 files changed

+117
-175
lines changed

3 files changed

+117
-175
lines changed

.gitignore

+1
Original file line numberDiff line numberDiff line change
@@ -117,6 +117,7 @@ log.*
117117
*config.yml
118118
docker-compose.override.yml
119119
metricity-config.toml
120+
pyrightconfig.json
120121

121122
# xmlrunner unittest XML reports
122123
TEST-**.xml

bot/constants.py

+1-2
Original file line numberDiff line numberDiff line change
@@ -352,11 +352,10 @@ class _PythonNews(EnvConfig, env_prefix="python_news_"):
352352

353353
class _VoiceGate(EnvConfig, env_prefix="voice_gate_"):
354354

355-
bot_message_delete_delay: int = 10
355+
delete_after_delay: int = 60
356356
minimum_activity_blocks: int = 3
357357
minimum_days_member: int = 3
358358
minimum_messages: int = 50
359-
voice_ping_delete_delay: int = 60
360359

361360

362361
VoiceGate = _VoiceGate()

bot/exts/moderation/voice_gate.py

+115-173
Original file line numberDiff line numberDiff line change
@@ -1,18 +1,15 @@
1-
import asyncio
2-
from contextlib import suppress
31
from datetime import timedelta
42

53
import arrow
64
import discord
75
from async_rediscache import RedisCache
8-
from discord import Colour, Member, VoiceState
9-
from discord.ext.commands import Cog, Context, command
6+
from discord import Colour, Member, TextChannel, VoiceState
7+
from discord.ext.commands import Cog, Context, command, has_any_role
108
from pydis_core.site_api import ResponseCodeError
9+
from pydis_core.utils.channel import get_or_fetch_channel
1110

1211
from bot.bot import Bot
13-
from bot.constants import Bot as BotConfig, Channels, MODERATION_ROLES, Roles, VoiceGate as GateConf
14-
from bot.decorators import has_no_roles, in_whitelist
15-
from bot.exts.moderation.modlog import ModLog
12+
from bot.constants import Channels, MODERATION_ROLES, Roles, VoiceGate as GateConf
1613
from bot.log import get_logger
1714
from bot.utils.checks import InWhitelistCheckFailure
1815

@@ -37,240 +34,185 @@
3734

3835
VOICE_PING = (
3936
"Wondering why you can't talk in the voice channels? "
40-
f"Use the `{BotConfig.prefix}voiceverify` command in here to verify. "
37+
"Click the Voice Verify button above to verify. "
4138
"If you don't yet qualify, you'll be told why!"
4239
)
4340

44-
VOICE_PING_DM = (
45-
"Wondering why you can't talk in the voice channels? "
46-
f"Use the `{BotConfig.prefix}voiceverify` command in "
47-
"{channel_mention} to verify. If you don't yet qualify, you'll be told why!"
48-
)
4941

50-
51-
class VoiceGate(Cog):
52-
"""Voice channels verification management."""
53-
54-
# RedisCache[discord.User.id | discord.Member.id, discord.Message.id | int]
55-
# The cache's keys are the IDs of members who are verified or have joined a voice channel
56-
# The cache's values are either the message ID of the ping message or 0 (NO_MSG) if no message is present
57-
redis_cache = RedisCache()
42+
class VoiceVerificationView(discord.ui.View):
43+
"""Persistent view to add a Voice Verify button."""
5844

5945
def __init__(self, bot: Bot) -> None:
46+
super().__init__(timeout=None)
6047
self.bot = bot
6148

62-
@property
63-
def mod_log(self) -> ModLog:
64-
"""Get the currently loaded ModLog cog instance."""
65-
return self.bot.get_cog("ModLog")
66-
67-
@redis_cache.atomic_transaction # Fully process each call until starting the next
68-
async def _delete_ping(self, member_id: int) -> None:
69-
"""
70-
If `redis_cache` holds a message ID for `member_id`, delete the message.
71-
72-
If the message was deleted, the value under the `member_id` key is then set to `NO_MSG`.
73-
When `member_id` is not in the cache, or has a value of `NO_MSG` already, this function
74-
does nothing.
75-
"""
76-
if message_id := await self.redis_cache.get(member_id):
77-
log.trace(f"Removing voice gate reminder message for user: {member_id}")
78-
with suppress(discord.NotFound):
79-
await self.bot.http.delete_message(Channels.voice_gate, message_id)
80-
await self.redis_cache.set(member_id, NO_MSG)
81-
else:
82-
log.trace(f"Voice gate reminder message for user {member_id} was already removed")
83-
84-
@redis_cache.atomic_transaction
85-
async def _ping_newcomer(self, member: discord.Member) -> tuple:
86-
"""
87-
See if `member` should be sent a voice verification notification, and send it if so.
88-
89-
Returns (False, None) if the notification was not sent. This happens when:
90-
* The `member` has already received the notification
91-
* The `member` is already voice-verified
92-
93-
Otherwise, the notification message ID is stored in `redis_cache` and return (True, channel).
94-
channel is either [discord.TextChannel, discord.DMChannel].
95-
"""
96-
if await self.redis_cache.contains(member.id):
97-
log.trace("User already in cache. Ignore.")
98-
return False, None
99-
100-
log.trace("User not in cache and is in a voice channel.")
101-
verified = any(Roles.voice_verified == role.id for role in member.roles)
102-
if verified:
103-
log.trace("User is verified, add to the cache and ignore.")
104-
await self.redis_cache.set(member.id, NO_MSG)
105-
return False, None
106-
107-
log.trace("User is unverified. Send ping.")
108-
109-
await self.bot.wait_until_guild_available()
110-
voice_verification_channel = self.bot.get_channel(Channels.voice_gate)
111-
112-
try:
113-
message = await member.send(VOICE_PING_DM.format(channel_mention=voice_verification_channel.mention))
114-
except discord.Forbidden:
115-
log.trace("DM failed for Voice ping message. Sending in channel.")
116-
message = await voice_verification_channel.send(f"Hello, {member.mention}! {VOICE_PING}")
117-
118-
await self.redis_cache.set(member.id, message.id)
119-
return True, message.channel
120-
121-
@command(aliases=("voiceverify", "voice-verify",))
122-
@has_no_roles(Roles.voice_verified)
123-
@in_whitelist(channels=(Channels.voice_gate,), redirect=None)
124-
async def voice_verify(self, ctx: Context, *_) -> None:
125-
"""
126-
Apply to be able to use voice within the Discord server.
127-
128-
In order to use voice you must meet all three of the following criteria:
129-
- You must have over a certain number of messages within the Discord server
130-
- You must have accepted our rules over a certain number of days ago
131-
- You must not be actively banned from using our voice channels
132-
- You must have been active for over a certain number of 10-minute blocks
133-
"""
134-
await self._delete_ping(ctx.author.id) # If user has received a ping in voice_verification, delete the message
49+
@discord.ui.button(label="Voice Verify", style=discord.ButtonStyle.primary, custom_id="voice_verify_button",)
50+
async def voice_button(self, interaction: discord.Interaction, button: discord.ui.Button) -> None:
51+
"""A button that checks to see if the user qualifies for voice verification and verifies them if they do."""
52+
if interaction.user.get_role(Roles.voice_verified):
53+
await interaction.response.send_message((
54+
"You have already verified! "
55+
"If you have received this message in error, "
56+
"please send a message to the ModMail bot."),
57+
ephemeral=True,
58+
delete_after=GateConf.delete_after_delay,
59+
)
60+
return
13561

13662
try:
137-
data = await self.bot.api_client.get(f"bot/users/{ctx.author.id}/metricity_data")
138-
except ResponseCodeError as e:
139-
if e.status == 404:
140-
embed = discord.Embed(
141-
title="Not found",
142-
description=(
143-
"We were unable to find user data for you. "
144-
"Please try again shortly, "
145-
"if this problem persists please contact the server staff through Modmail."
146-
),
147-
color=Colour.red()
63+
data = await self.bot.api_client.get(
64+
f"bot/users/{interaction.user.id}/metricity_data",
65+
raise_for_status=True
66+
)
67+
except ResponseCodeError as err:
68+
if err.response.status == 404:
69+
await interaction.response.send_message((
70+
"We were unable to find user data for you. "
71+
"Please try again shortly. "
72+
"If this problem persists, please contact the server staff through ModMail."),
73+
ephemeral=True,
74+
delete_after=GateConf.delete_after_delay,
14875
)
149-
log.info(f"Unable to find Metricity data about {ctx.author} ({ctx.author.id})")
76+
log.info("Unable to find Metricity data about %s (%s)", interaction.user, interaction.user.id)
15077
else:
151-
embed = discord.Embed(
152-
title="Unexpected response",
153-
description=(
154-
"We encountered an error while attempting to find data for your user. "
155-
"Please try again and let us know if the problem persists."
156-
),
157-
color=Colour.red()
78+
await interaction.response.send_message((
79+
"We encountered an error while attempting to find data for your user. "
80+
"Please try again and let us know if the problem persists."),
81+
ephemeral=True,
82+
delete_after=GateConf.delete_after_delay,
83+
)
84+
log.warning(
85+
"Got response code %s while trying to get %s Metricity data.",
86+
err.status,
87+
interaction.user.id
15888
)
159-
log.warning(f"Got response code {e.status} while trying to get {ctx.author.id} Metricity data.")
160-
try:
161-
await ctx.author.send(embed=embed)
162-
except discord.Forbidden:
163-
log.info("Could not send user DM. Sending in voice-verify channel and scheduling delete.")
164-
await ctx.send(embed=embed)
165-
16689
return
16790

16891
checks = {
16992
"joined_at": (
170-
ctx.author.joined_at > arrow.utcnow() - timedelta(days=GateConf.minimum_days_member)
93+
interaction.user.joined_at > arrow.utcnow() - timedelta(days=GateConf.minimum_days_member)
17194
),
17295
"total_messages": data["total_messages"] < GateConf.minimum_messages,
17396
"voice_gate_blocked": data["voice_gate_blocked"],
17497
"activity_blocks": data["activity_blocks"] < GateConf.minimum_activity_blocks,
17598
}
17699

177100
failed = any(checks.values())
178-
failed_reasons = [MESSAGE_FIELD_MAP[key] for key, value in checks.items() if value is True]
179-
[self.bot.stats.incr(f"voice_gate.failed.{key}") for key, value in checks.items() if value is True]
180101

181102
if failed:
103+
failed_reasons = []
104+
for key, value in checks.items():
105+
if value is True:
106+
failed_reasons.append(MESSAGE_FIELD_MAP[key])
107+
self.bot.stats.incr(f"voice_gate.failed.{key}")
108+
182109
embed = discord.Embed(
183110
title="Voice Gate failed",
184111
description=FAILED_MESSAGE.format(reasons="\n".join(f"- You {reason}." for reason in failed_reasons)),
185112
color=Colour.red()
186113
)
187-
try:
188-
await ctx.author.send(embed=embed)
189-
await ctx.send(f"{ctx.author}, please check your DMs.")
190-
except discord.Forbidden:
191-
await ctx.channel.send(ctx.author.mention, embed=embed)
114+
115+
await interaction.response.send_message(
116+
embed=embed,
117+
ephemeral=True,
118+
delete_after=GateConf.delete_after_delay,
119+
)
192120
return
193121

194122
embed = discord.Embed(
195123
title="Voice gate passed",
196124
description="You have been granted permission to use voice channels in Python Discord.",
197-
color=Colour.green()
125+
color=Colour.green(),
198126
)
199127

200-
if ctx.author.voice:
128+
# interaction.user.voice will return None if the user is not in a voice channel
129+
if interaction.user.voice:
201130
embed.description += "\n\nPlease reconnect to your voice channel to be granted your new permissions."
202131

203-
try:
204-
await ctx.author.send(embed=embed)
205-
await ctx.send(f"{ctx.author}, please check your DMs.")
206-
except discord.Forbidden:
207-
await ctx.channel.send(ctx.author.mention, embed=embed)
132+
await interaction.response.send_message(
133+
embed=embed,
134+
ephemeral=True,
135+
delete_after=GateConf.delete_after_delay,
136+
)
137+
await interaction.user.add_roles(discord.Object(Roles.voice_verified), reason="Voice Gate passed")
138+
self.bot.stats.incr("voice_gate.passed")
208139

209-
# wait a little bit so those who don't get DMs see the response in-channel before losing perms to see it.
210-
await asyncio.sleep(3)
211-
await ctx.author.add_roles(discord.Object(Roles.voice_verified), reason="Voice Gate passed")
212140

213-
self.bot.stats.incr("voice_gate.passed")
141+
class VoiceGate(Cog):
142+
"""Voice channels verification management."""
214143

215-
@Cog.listener()
216-
async def on_message(self, message: discord.Message) -> None:
217-
"""Delete all non-staff messages from voice gate channel that don't invoke voice verify command."""
218-
# Check is channel voice gate
219-
if message.channel.id != Channels.voice_gate:
220-
return
144+
# RedisCache[discord.User.id | discord.Member.id, discord.Message.id | int]
145+
# The cache's keys are the IDs of members who are verified or have joined a voice channel
146+
# The cache's values are set to 0, as we only need to track which users have connected before
147+
redis_cache = RedisCache()
221148

222-
ctx = await self.bot.get_context(message)
223-
is_verify_command = ctx.command is not None and ctx.command.name == "voice_verify"
224-
225-
# When it's a bot sent message, delete it after some time
226-
if message.author.bot:
227-
# Comparing the message with the voice ping constant
228-
if message.content.endswith(VOICE_PING):
229-
log.trace("Message is the voice verification ping. Ignore.")
230-
return
231-
with suppress(discord.NotFound):
232-
await message.delete(delay=GateConf.bot_message_delete_delay)
233-
return
234-
235-
# Then check is member moderator+, because we don't want to delete their messages.
236-
if any(role.id in MODERATION_ROLES for role in message.author.roles) and is_verify_command is False:
237-
log.trace(f"Excluding moderator message {message.id} from deletion in #{message.channel}.")
149+
def __init__(self, bot: Bot) -> None:
150+
self.bot = bot
151+
152+
async def cog_load(self) -> None:
153+
"""Adds verify button to be monitored by the bot."""
154+
self.bot.add_view(VoiceVerificationView(self.bot))
155+
156+
@redis_cache.atomic_transaction
157+
async def _ping_newcomer(self, member: discord.Member) -> None:
158+
"""See if `member` should be sent a voice verification notification, and send it if so."""
159+
log.trace("User is not verified. Checking cache.")
160+
if await self.redis_cache.contains(member.id):
161+
log.trace("User %s already in cache. Ignore.", member.id)
238162
return
239163

240-
with suppress(discord.NotFound):
241-
await message.delete()
164+
log.trace("User %s is unverified and has not been pinged before. Sending ping.", member.id)
165+
await self.bot.wait_until_guild_available()
166+
voice_verification_channel = await get_or_fetch_channel(self.bot, Channels.voice_gate)
167+
168+
await voice_verification_channel.send(
169+
f"Hello, {member.mention}! {VOICE_PING}",
170+
delete_after=GateConf.delete_after_delay,
171+
)
172+
173+
await self.redis_cache.set(member.id, NO_MSG)
174+
log.trace("User %s added to cache to not be pinged again.", member.id)
242175

243176
@Cog.listener()
244177
async def on_voice_state_update(self, member: Member, before: VoiceState, after: VoiceState) -> None:
245178
"""Pings a user if they've never joined the voice chat before and aren't voice verified."""
246179
if member.bot:
247-
log.trace("User is a bot. Ignore.")
180+
log.trace("User %s is a bot. Ignore.", member.id)
181+
return
182+
183+
if member.get_role(Roles.voice_verified):
184+
log.trace("User %s already verified. Ignore", member.id)
248185
return
249186

250187
# member.voice will return None if the user is not in a voice channel
251188
if member.voice is None:
252-
log.trace("User not in a voice channel. Ignore.")
189+
log.trace("User %s not in a voice channel. Ignore.", member.id)
253190
return
254191

255192
if isinstance(after.channel, discord.StageChannel):
256-
log.trace("User joined a stage channel. Ignore.")
193+
log.trace("User %s joined a stage channel. Ignore.", member.id)
257194
return
258195

259196
# To avoid race conditions, checking if the user should receive a notification
260197
# and sending it if appropriate is delegated to an atomic helper
261-
notification_sent, message_channel = await self._ping_newcomer(member)
262-
263-
# Schedule the channel ping notification to be deleted after the configured delay, which is
264-
# again delegated to an atomic helper
265-
if notification_sent and isinstance(message_channel, discord.TextChannel):
266-
await asyncio.sleep(GateConf.voice_ping_delete_delay)
267-
await self._delete_ping(member.id)
198+
await self._ping_newcomer(member)
268199

269200
async def cog_command_error(self, ctx: Context, error: Exception) -> None:
270201
"""Check for & ignore any InWhitelistCheckFailure."""
271202
if isinstance(error, InWhitelistCheckFailure):
272203
error.handled = True
273204

205+
@command(name="prepare_voice")
206+
@has_any_role(*MODERATION_ROLES)
207+
async def prepare_voice_button(self, ctx: Context, channel: TextChannel | None, *, text: str) -> None:
208+
"""Sends a message that includes the Voice Verify button. Should only need to be run once."""
209+
if channel is None:
210+
await ctx.send(text, view=VoiceVerificationView(self.bot))
211+
elif not channel.permissions_for(ctx.author).send_messages:
212+
await ctx.send("You don't have permission to send messages to that channel.")
213+
else:
214+
await channel.send(text, view=VoiceVerificationView(self.bot))
215+
274216

275217
async def setup(bot: Bot) -> None:
276218
"""Loads the VoiceGate cog."""

0 commit comments

Comments
 (0)