Skip to main content

Message doesn't get deleted in Discord but I dont get any error

On a discord bot I'm trying to continually clear some channels with the code below so that you can add channels and set a scheduled clear specified for it with time interval in hours or in minutes. So, when I type
!cc channelid1 3h
!cc channelid2 12h,
it will add 2 separated channels to be cleared at their specific time

When I do !start in Discord, I get Scheduled clear started. But no message is deleted and there is no error in output, terminal or logs

The code is below. What did I do wrong? Something not logical ? in the code any other approach ?

import discord
import pytz
from datetime import datetime, timedelta
from discord.ext import commands, tasks
intents = discord.Intents.all()
bot = commands.Bot(command_prefix='!', intents=intents)

channels_to_clear = {}  # Dictionary of channel IDs and their clear frequencies
hours_between_clears = 24  # The default number of hours between clearings is 24 hours
channel_clear_frequencies = {}  # Dictionary to store the clear frequencies for each channel

# Define the scheduled clear task
@tasks.loop(minutes=1)
async def scheduled_clear():
    now = datetime.now(pytz.utc)
    for channel_id in channels_to_clear:
        channel = bot.get_channel(channel_id)
        clear_frequency = channels_to_clear[channel_id]['clear_frequency']
        if (now - channels_to_clear[channel_id]['last_cleared']).total_seconds() / 3600 >= clear_frequency:
            messages = []
            two_weeks_ago = datetime.now(pytz.utc) - timedelta(days=14)
            async for message in channel.history(limit=None):
                if not message.pinned and message.created_at > two_weeks_ago:
                    messages.append(message)
            for i in range(0, len(messages), 100):
                try:
                    await channel.delete_messages(messages[i:i+100])
                except discord.HTTPException as e:
                    print(f"An error occurred while deleting messages: {e}")
            channels_to_clear[channel_id]['last_cleared'] = now

# Define the add and remove channel commands, and set_clear_frequency
@bot.command(aliases=['cc'])
@commands.has_permissions(administrator=True) 
async def clear_channel(ctx, channel_id: int, time_interval: str):
    '''!cc channelid time in hours or minutes. !cc 12345678 3m'''
    global channels_to_clear
    try:
        if time_interval.endswith("h"):
            hours = int(time_interval[:-1])
            if channel_id in channels_to_clear:
                channels_to_clear[channel_id]['clear_frequency'] = hours
                await ctx.send(f"Clear frequency for <#{channel_id}> set to {hours} hours.")
            else:
                channels_to_clear[channel_id] = {'clear_frequency': hours, 'last_cleared': datetime.now(pytz.utc)}
                await ctx.send(f"Added channel <#{channel_id}> to the list of channels to clear with a clear frequency of {hours} hours.")
        elif time_interval.endswith("m"):
            minutes = int(time_interval[:-1])
            hours = minutes / 60
            if channel_id in channels_to_clear:
                channels_to_clear[channel_id]['clear_frequency'] = hours
                await ctx.send(f"Clear frequency for <#{channel_id}> set to {minutes} minutes ({hours} hours).")
            else:
                channels_to_clear[channel_id] = {'clear_frequency': hours, 'last_cleared': datetime.now(pytz.utc)}
                await ctx.send(f"Added channel <#{channel_id}> to the list of channels to clear with a clear frequency of {minutes} minutes ({hours} hours).")
        else:
            await ctx.send("Invalid time interval. Please specify a time interval in hours (h) or minutes (m).")
    except Exception as e:
        await ctx.send(f"An error occurred while processing your request: {e}")

@bot.command(aliases=['rc'])
@commands.has_permissions(administrator=True)
async def remove_channel(ctx, channel_id: int):
    if channel_id in channels_to_clear:
        channels_to_clear.pop(channel_id)
        await ctx.send(f"Removed channel <#{channel_id}> from the list of channels to clear.")
    else:
        await ctx.send(f"Channel <#{channel_id}> is not in the list of channels to clear.")

# Define the start and stop commands 
@bot.command()
@commands.has_permissions(administrator=True)
async def start(ctx): #start the clearing command
    try:
        for channel_id in channels_to_clear:
            scheduled_clear.change_interval(hours=channel_clear_frequencies.get(channel_id, hours_between_clears))
        scheduled_clear.start()
        await ctx.send("Scheduled clear started.")
    except Exception as e:
        await ctx.send(f"An error occurred while starting the scheduled clear: {e}")

@bot.command()
@commands.has_permissions(administrator=True)
async def stop(ctx): #stop the clearing command
    scheduled_clear.stop()
    await ctx.send("Scheduled clear stopped.")

@bot.command(aliases=['scf'])
@commands.has_permissions(administrator=True) 
async def set_clear_frequency(ctx, channel_id: int, time_interval: str):
    try:
        if channel_id in channels_to_clear:
            if time_interval.endswith("h"):
                hours = int(time_interval[:-1])
                channel_clear_frequencies[channel_id] = hours
                scheduled_clear.change_interval(hours=hours)
                await ctx.send(f"Clear frequency for channel <#{channel_id}> set to {hours} hours.")
            elif time_interval.endswith("m"):
                minutes = int(time_interval[:-1])
                hours = minutes / 60
                channel_clear_frequencies[channel_id] = hours
                scheduled_clear.change_interval(minutes=minutes)
                await ctx.send(f"Clear frequency for channel <#{channel_id}> set to {minutes} minutes.")
            else:
                await ctx.send("Invalid time interval. Please specify a time interval in hours (h) or minutes (m).")
        else:
            await ctx.send(f"Channel <#{channel_id}> is not in the list of channels to clear.")
    except Exception as e:
        await ctx.send(f"An error occurred while setting clear frequency: {e}")

# Define the list_channels command
@bot.command(aliases=['lc'])
@commands.has_permissions(administrator=True)
async def list_channels(ctx):
    if channels_to_clear:
        embed = discord.Embed(title="Channels to Clear", color=0x00ff00)
        for channel_id in channels_to_clear:
            channel = bot.get_channel(channel_id)
            clear_frequency = channels_to_clear[channel_id]['clear_frequency']
            clear_frequency_str = f"{clear_frequency} hours"
            if clear_frequency < 1:
                clear_frequency_str = f"{clear_frequency * 60} minutes"
            embed.add_field(name=f"{channel.name} ({channel.id})", value=f"Clear frequency: {clear_frequency_str}")
        await ctx.send(embed=embed)
    else:
        await ctx.send("There are no channels to clear.")
bot.run('Token')


source https://stackoverflow.com/questions/75779586/message-doesnt-get-deleted-in-discord-but-i-dont-get-any-error

Comments

Popular posts from this blog

ValueError: X has 10 features, but LinearRegression is expecting 1 features as input

So, I am trying to predict the model but its throwing error like it has 10 features but it expacts only 1. So I am confused can anyone help me with it? more importantly its not working for me when my friend runs it. It works perfectly fine dose anyone know the reason about it? cv = KFold(n_splits = 10) all_loss = [] for i in range(9): # 1st for loop over polynomial orders poly_order = i X_train = make_polynomial(x, poly_order) loss_at_order = [] # initiate a set to collect loss for CV for train_index, test_index in cv.split(X_train): print('TRAIN:', train_index, 'TEST:', test_index) X_train_cv, X_test_cv = X_train[train_index], X_test[test_index] t_train_cv, t_test_cv = t[train_index], t[test_index] reg.fit(X_train_cv, t_train_cv) loss_at_order.append(np.mean((t_test_cv - reg.predict(X_test_cv))**2)) # collect loss at fold all_loss.append(np.mean(loss_at_order)) # collect loss at order plt.plot(np.log(al...

Sorting large arrays of big numeric stings

I was solving bigSorting() problem from hackerrank: Consider an array of numeric strings where each string is a positive number with anywhere from to digits. Sort the array's elements in non-decreasing, or ascending order of their integer values and return the sorted array. I know it works as follows: def bigSorting(unsorted): return sorted(unsorted, key=int) But I didnt guess this approach earlier. Initially I tried below: def bigSorting(unsorted): int_unsorted = [int(i) for i in unsorted] int_sorted = sorted(int_unsorted) return [str(i) for i in int_sorted] However, for some of the test cases, it was showing time limit exceeded. Why is it so? PS: I dont know exactly what those test cases were as hacker rank does not reveal all test cases. source https://stackoverflow.com/questions/73007397/sorting-large-arrays-of-big-numeric-stings

How to load Javascript with imported modules?

I am trying to import modules from tensorflowjs, and below is my code. test.html <!DOCTYPE html> <html lang="en"> <head> <meta charset="UTF-8"> <title>Document</title </head> <body> <script src="https://cdn.jsdelivr.net/npm/@tensorflow/tfjs@2.0.0/dist/tf.min.js"></script> <script type="module" src="./test.js"></script> </body> </html> test.js import * as tf from "./node_modules/@tensorflow/tfjs"; import {loadGraphModel} from "./node_modules/@tensorflow/tfjs-converter"; const MODEL_URL = './model.json'; const model = await loadGraphModel(MODEL_URL); const cat = document.getElementById('cat'); model.execute(tf.browser.fromPixels(cat)); Besides, I run the server using python -m http.server in my command prompt(Windows 10), and this is the error prompt in the console log of my browser: Failed to loa...