Reputation: 51
I made a script called clear. This script works as intended.
But how can my clear script skip the pinned messages in the channel?
This is my script:
const discord = require("discord.js");
module.exports.run = async (bot, message, args) => {
if (message.deletetable) {
message.delete();
}
// Member doesn't have permission
if (!message.member.hasPermission("MANAGE_MESSAGES")) {
return message.channel.send("You can't delete messages...") // .then(m => m.delete(5000));
}
// Check if args[0] is a number
if (isNaN(args[0]) || parseInt(args[0]) <= 0) {
return message.channel.send("Yeah... That's not a number? I also can't delete 0 messages by the way.") // .then(m => m.delete(5000));
}
// Maybe the bot can't delete messages
if (!message.guild.me.hasPermission("MANAGE_MESSAGES")) {
return message.channel.send("Sorry... I can't delete messages.") // .then(m => m.delete(5000));
}
let deleteAmount;
if (parseInt(args[0]) > 100) {
deleteAmount = 100;
} else {
deleteAmount = parseInt(args[0]);
}
message.channel.bulkDelete(deleteAmount, true)
.then(deleted => message.channel.send(`I deleted \`${deleted.size}\` messages.`))
.catch(err => message.channel.send(`Something went wrong... ${err}`));
}
module.exports.help = {
name: "clear"
}
I hope someone can help me, because this would be a nice addition to my clear script.
Upvotes: 2
Views: 1768
Reputation: 14098
While Zooly’s answer works, it doesn’t consider deleteAmount
— the number of messages the user wants to delete. By default, MessageManager#fetch
will fetch a maximum 50 messages.
Use the limit
option to fetch the correct number of messages:
await message.channel.bulkDelete(
// Fetch the messages
(await message.channel.messages.fetch({limit: deleteAmount}))
// Only include the unpinned messages
.filter(message => !message.pinned),
// This parameter (filterOld) ensures that discord.js filters out messages
// older than 2 weeks before making the request to Discord.
// Messages older than 2 weeks cannot be deleted with this method and
// the Discord API will return an error if messages older than 2 weeks are
// attempted to be bulk deleted.
true
)
Works for discord.js v12 and v13.
Upvotes: 0
Reputation: 4787
Get all messages of the channel, then pinned messages, do a diff with filter
, keep only non pinned messages, then delete these ones.
client.on("message", async message => {
if (message.author.bot) return;
if (message.content === "/bulk") {
const allMessages = await message.channel.messages.fetch()
const deletable = allMessages.filter(message => !message.pinned)
await message.channel.bulkDelete(deletable, true)
}
});
Upvotes: 1