#node.js #discord.js
#node.js #discord.js
Вопрос:
я делаю две команды для моего discord.js бот v12, но он выдает ошибку «TypeError: не удается прочитать свойство ‘me’ неопределенного», когда первая команда использовала код первой команды:
function generateID() {
let ticketGen = "abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ0123456789".split("");
let ticketStr = "";
for(let i = 0; i < 3; i ) {
ticketStr = ticketGen[Math.floor(Math.random() * ticketGen.length)];
}
return ticketStr;
}
const fsn = require("fs-nextra");
const colors = require("colors");
const Discord = require('discord.js');
module.exports = {
name: 'order',
description: 'Ordering something',
args: 'true',
usage: '<order desription>',
aliases: ['o'],
execute(message) {
const client = message.client; //<- Line added right here
let order = message.content.substring(7);
let channel = message.guild.channels.cache.get("746423099871985755");
let customer = message.author.id
fsn.readJSON("./blacklist.json").then((blacklistDB) => {
let entry = blacklistDB[message.guild.id];
// Checks is server is blacklisted or not.
if(entry === undefined) {
// Gets ticket ID.
const ticketID = generateID();
// Sends ticket information to tickets channel.
const exampleEmbed = new Discord.MessageEmbed()
.setColor('#FFFF33')
.setTitle(message.member.user.tag)
.setAuthor(`Order ID: ${ticketID}`)
.setDescription(order)
.setThumbnail(message.author.avatarURL())
.setTimestamp()
.setFooter(`From ${message.guild.name} (${message.guild.id})`);
channel.send(exampleEmbed);
// Sets ticket info.
fsn.readJSON("./orders.json").then(orderDB => {
// Set JSON information.
if (!orderDB[ticketID]) orderDB[ticketID] = {
"orderID": ticketID,
"userID": message.author.id,
"guildID": message.guild.id,
"channelID": message.channel.id,
"order": order,
"status": "Unclaimed",
"ticketChannelMessageID": "not set"
};
// Write JSON information.
fsn.writeJSON("./orders.json", orderDB, {
replacer: null,
spaces: 4
}).then(() => {
// Sends an embed to the customer.
message.channel.send("Your order has been sent and it will be delivered soon.")
// Logs in console.
console.log(colors.green(`${message.author.username} ordered "${order}" in ${message.guild.name} (${message.guild.id}) in ${message.channel.name} (${message.channel.id}).`));
}).catch((err) => {
if(err) {
message.reply(`There was a database error! Show the following message to a developer: ```${err}````);
console.log(colors.red(`Error in order ${ticketID}: ${err}`));
}
});
});
}else {
message.reply("This server is currently blacklisted.");
}
});
}
};
В этой части я думаю, что что-то не так с тем, как он сохраняет информацию?
// Sets ticket info.
fsn.readJSON("./orders.json").then(orderDB => {
// Set JSON information.
if (!orderDB[ticketID]) orderDB[ticketID] = {
"orderID": ticketID,
"userID": message.author.id,
"guildID": message.guild.id,
"channelID": message.channel.id,
"order": order,
"status": "Unclaimed",
"ticketChannelMessageID": "not set"
};
// Write JSON information.
fsn.writeJSON("./orders.json", orderDB, {
replacer: null,
spaces: 4
}).then(() => {
// Sends an embed to the customer.
message.channel.send("Your order has been sent and it will be delivered soon.")
ошибка возникает при использовании 2-й команды, которая возвращает ошибку «Ошибка типа: не удается прочитать свойство ‘me’ неопределенного», и я думаю, что это связано с первой командой
код 2-й команды:
if (order.status === "Ready") {
// Delete ticket from database.
delete orderDB[ticketID];
// Writes data to JSON.
fsn.writeJSON("./orders.json", orderDB, {
replacer: null,
spaces: 4
}).then(() => {
// If bot has create instant invite permission.
if(client.guilds.cache.get(order.guildID).me.hasPermission("CREATE_INSTANT_INVITE")) {
// Send message to cook.
client.channels.cache.get(order.channelID).send(`${client.users.cache.get(order.userID)}, Here is your taco that you ordered. Remember you can do `.tip [Amount]` to give us virtual tips, and `.feedback [Feedback]` to give us feedback on how we did. ${order.imageURL}`);
message.reply(`Order has been sent to ${client.guilds.cache.get(order.guildID).name}`);
}else {
// Bot delivers it's self.
client.channels.cache.get(order.channelID).send(`${client.users.cache.get(order.userID)}, Here is your taco that you ordered. Remember you can do `.tip [Amount]` to give us virtual tips, and `.feedback [Feedback]` to give us feedback on how we did. ${order.imageURL}`);
я включил только ту часть, которая, по моему мнению, содержит ошибку, потому order.guildid
что не определена, но как мне это исправить?
Ответ №1:
Как объясняется в сообщении об ошибке, свойства undefined нет me
, поэтому гильдия не определена / не найдена. Убедитесь, что используемый вами идентификатор гильдии является правильным идентификатором гильдии, и это строка, а не число. Возможно, стоит добавить console.log(client.guilds.cache.get(order.guildID).name));
туда, чтобы помочь определить проблему.
Комментарии:
1. Я пытаюсь получить
guildID
из файла json, как показано на этом изображении imgur.com/a/nLrYAoj файл json содержит информацию о заказах, но я не уверен, почему он не работает, идентификатор также не является неправильным, когда я добавилconsole.log(client.guilds.cache.get(order.guildID).name));
, что в консоли указано «TypeError: не удается прочитать свойство ‘name’ неопределенного»