I’m trying to make a bot that takes images from channel A and posts them to channel B when someone reacts to it. I have everything down so far except that it’ll also post pictures in channel B if someone reacts to one in channel C. I’m trying to use “if channel.id ==” but so far when I introduce that line the bot will only save the file and will not post anything. any advice would be appreciated
JavaScript
x
13
13
1
@client.event
2
async def on_reaction_add(reaction, channel):
3
if reaction.emoji:
4
for attachment in reaction.message.attachments:
5
filename = attachment.filename
6
channel = client.get_channel(560327910179864576)
7
await attachment.save(f'imgs/{filename}')
8
print("File wrote.")
9
if channel.id == 560327910179864576:
10
await channel.send(file=discord.File(f'imgs/{filename}'))
11
os.remove(f'imgs/{filename}')
12
13
Advertisement
Answer
on_reaction_add
doesn’t take thechannel
argument, it’suser
if reaction.emoji
doesn’t make sense, it always returns andiscord.Emoji
,discord.PartialEmoji
orstr
, neverNone
,True
orFalse
.- You’re getting a channel by an id, checking if the channel id is the same as it is doesn’t make sense
client.get_channel(id)
doesn’t return a boolean soif client.get_channel
also doesn’t make sense- You’re saving, sending and then deleting a file, you can simply convert it to a
discord.File
object and send it without all that.
Here’s your fixed code:
JavaScript
1
25
25
1
@client.event
2
async def on_reaction_add(reaction, user):
3
"""Sends the message attachments to a channel if the
4
message is in a specific channel"""
5
6
reaction_channel = reaction.message.channel
7
# Checking if the channel is the one want we want
8
if reaction_channel.id != your_id:
9
# If not, exit
10
return
11
12
message = reaction.message
13
# Checking if there are any attachments in the message
14
if len(message.attachments) == 0:
15
# If not, exit
16
return
17
18
# Getting the channel
19
channel = message.guild.get_channel(some_id) # I'm using `Guild.get_channel` as it is faster than `client.get_channel`
20
21
# Iterating through every attachment and sending it to the channel
22
for attachment in message.attachments:
23
f = await attachment.to_file()
24
await channel.send(file=f)
25
Note: You probably want to use on_raw_reaction_add
instead. on_reaction_add
it’s called if the message is in the internal cache. You also probably want to check if the channel is not a discord.DMChannel
instance:
JavaScript
1
3
1
is isinstance(reaction_channel, discord.DMCHannel):
2
return
3