获取超过 100 条消息
我正在尝试找出一种方法,通过 fetchMesasges()
和 before 使用循环来获取不和谐的旧消息.我想使用循环获得超过 100 的限制,但我无法弄清楚,我能找到的每篇文章都只讨论如何使用循环删除超过 100 的限制,我只需要检索它们.
I'm trying to figure out a way to use loops to get old messages on discord using fetchMesasges()
and before. I'd like to get more than the 100 limit using a loop but I cannot figure it out, and every post I can find only discuss how to use loops to DELETE more than the 100 limit, I just need to retrieve them.
我是编码新手,尤其是 javascript,所以我希望有人可以帮助我朝着正确的方向前进.
I'm new to coding and javascript in particular so I'm hoping someone can give me a nudge in the right direction.
这是我能够设法检索超过 100 条消息的唯一方法(在多次尝试使用循环失败之后):
Here is the only way I could manage to retrieve messages that are farther than 100 back(after many failed attempts at using loops):
channel.fetchMessages({ limit: 100 })
.then(msg => {
let toBeArray = msg;
let firstLastPost = toBeArray.last().id;
receivedMessage.channel
.fetchMessages({ limit: 100, before: firstLastPost })
.then(msg => {
let secondToBeArray = msg;
let secondLastPost = secondToBeArray.last().id;
receivedMessage.channel
.fetchMessages({ limit: 100, before: secondLastPost })
.then(msg => {
let thirdArray = msg;
let thirdLastPost = thirdArray.last().id;
receivedMessage.channel
.fetchMessages({ limit: 100, before: thirdLastPost })
.then(msg => {
let fourthArray = msg;
});
});
});
});
推荐答案
你可以做的是使用 async/await 函数和一个循环来发出顺序请求
What you can do is use an async/await function and a loop to make sequntial requests
async function lots_of_messages_getter(channel, limit = 500) {
const sum_messages = [];
let last_id;
while (true) {
const options = { limit: 100 };
if (last_id) {
options.before = last_id;
}
const messages = await channel.fetchMessages(options);
sum_messages.push(...messages.array());
last_id = messages.last().id;
if (messages.size != 100 || sum_messages >= limit) {
break;
}
}
return sum_messages;
}
相关文章