I'm trying to code a fighting discord bot game but I ran into troubles lately!
Everything works with reactions.
So basically what i want to do is : roll a dice to determine the one who starts. The winner rolls 2 dices to determine the damages he will do and then its player 2's turn.
Until here, everything works.
What i would like it to do is loop this last part when the first player rolls the 2 dices to inflict damages.
I tried placing while loops userhealth<=0 here and there, but it never works.
I know it has to do with promises and stuff like that, but Im still lost.
A little help would be appreciated!
Here is the code:
const { ReactionCollector } = require('discord.js');
function rolldice(numero){
return Math.floor(Math.random() * numero + 1);
}
function premier(msg,user){
diceroll1 = rolldice(20)
diceroll2 = rolldice(20)
msg.channel.send(`${msg.author.tag} a eu : ${diceroll1} \n\n ${user.tag} a eu : ${diceroll2}`)
if(diceroll1 > diceroll2){
msg.channel.send(`${msg.author.tag} gagne`)
return msg.author.id
}
else if(diceroll1 < diceroll2){
msg.channel.send(`${user.tag} gagne`)
return user.id
}
else{
msg.channel.send(`Vous avez fait égalité. On recommence le tirage.`)
premier(msg,user)
}
}
function attaque1(msg, user){
damagedice1 = rolldice(6)
damagedice2 = rolldice(6)
somme = damagedice1 + damagedice2
return {somme,damagedice1,damagedice2}
}
function bagarre(msg,user,winner,user1health,user2health,fighter1,fighter2){
if(winner === msg.author.id){
msg.channel.send(`Joueur 1 Clique sur 🎲 pour determiner les dégats que tu vas infliger.`).then((riposte) => {
riposte.react('🎲')
var atksmme = attaque1(msg,user)
const filter1 = (reaction, user) => {
return ['🎲'].includes(reaction.emoji.name) && user.id === fighter1;
};
const collector1 = riposte.createReactionCollector(filter1,{
max: 1
});
collector1.on('collect',(collected,reason) => {
user2health = user2health - atksmme.somme
msg.channel.send(`${msg.author.tag} inflige ${atksmme.somme} de dégâts à ${user.tag}! (${atksmme.damagedice1} + ${atksmme.damagedice2})`)
msg.channel.send(`Il reste ${user2health} points de vie à ${user.tag}`)
if(user2health<=0) return msg.channel.send('Vous avez perdu')
collector1.stop()
msg.channel.send(`Joueur 2 Clique sur 🎲 pour determiner les dégats que tu vas infliger.`).then((riposte1) => {
riposte1.react('🎲')
var atk2smme = attaque1(msg,user)
const filter2 = (reaction, user) => {
return ['🎲'].includes(reaction.emoji.name) && user.id === fighter2;
};
const collector2 = riposte1.createReactionCollector(filter2,{
max: 1
});
collector2.on('collect',(collected,reason) => {
user1health = user1health - atk2smme.somme
msg.channel.send(`${user.tag} inflige ${atk2smme.somme} de dégâts à ${msg.author.tag}! (${atk2smme.damagedice1} + ${atk2smme.damagedice2})`)
msg.channel.send(`Il reste ${user1health} points de vie à ${msg.author.tag}`)
if(user1health<=0) return msg.channel.send('Vous avez perdu')
collector2.stop()
})
})
})
})
}
else if(winner === user.id){
var atksmme = attaque1(msg,user)
user1health = user1health - atksmme.somme
msg.channel.send(`${user.tag} inflige ${atksmme.somme} de dégâts à ${msg.author.tag}! (${atksmme.damagedice1} + ${atksmme.damagedice2})`)
msg.channel.send(`Il reste ${user1health} points de vie à ${msg.author.tag}`)
}
}
module.exports = {
name: 'fight',
args : true,
usage : '#<user>',
async execute(msg,args) {
//VARIABLES
const { client } = msg;
var diceroll1;
var diceroll2;
var damagedice1;
var damagedice2;
var user1health = 12;
var user2health = 12;
var winner;
//checks if the username to fight is in the msg
var author1 = msg.author.username;
var user = msg.mentions.users.first();
if(!user) return msg.reply("you did not specify who you would like to fight!");
//checks if the users is trying to fight themselves
if(user.id == msg.author.id) return msg.reply('you cannot fight yourself!');
//checks if the user is trying to fight the bot
if(user.bot == true)
return msg.reply('you cannot fight a bot!');
//saves the two user ids to variables
var fighter1 = msg.author.id;
var fighter2 = user.id;
var challenged = user.toString();
msg.channel.send(`${challenged}, tu veux te battre?`).then((bataille) => {
bataille.react('🎲')
const filter = (reaction, user) => {
return ['🎲'].includes(reaction.emoji.name) && user.id === fighter2;
};
const collector = bataille.createReactionCollector(filter,{
max: 1
});
collector.on('collect',(collected,reason) => {
winner = premier(msg,user)
bagarre(msg,user,winner,user1health,user2health,fighter1,fighter2)
})
})
}}
Okay, there's a lot of weird things about this.
First of all, there are a lot of unused variables. Please use a proper IDE like Visual Studio Code that informs you about these things.
Second, you should be using await instead of then in most cases. (dont just replace then with await - see javascript async tutorials for good examples)
Third, this is just all a mess. You will have to divide your code into more functions: Create a function to initiate an attack from one user to another. That code should be usable for both player 1 and 2 so that no code is copypasted for both players. Then you can just call that function after one player has made their turn to start the next turn for the other player.
Related
I have the following script that takes the inputs on Google Forms, makes a document with those inputs, and sends an e-mail with the document attached. It works properly, but I needed to filter some of the responses, but I don't know how to filter data in an event.
One of the questions on the forms is asking what kind of document people want:
Right now, I have only done the script for the 2nd option (Licença Especial em Pecúnia). I need to filter the data from the forms, so when I choose the 1st option (Substituição de Chefia) it generates a different document from a different template. Right now, the function afterSubmit(e) is triggered on form submit.
Excuse the portuguese names of vars and consts, the important ones for this questions I changed to english.
function afterSubmit(e) {
const info = e.namedValues;
const pdfFileLP = createPDFLP(info);
const url = e.namedValues['Anexos ao ofício'][0];
function getIdFromUrl(url) {return url.match(/[-\w]{25,}$/);};
var idAnexo = getIdFromUrl(url);
const nrof = e.namedValues['Numeração do ofício'][0];
function pdfAnexado(idAnexo,nrof) {return DriveApp.getFileById(idAnexo).setName("Anexos do ofício of. " + nrof + "-PGE/PRF.pdf");};
var pdfAnexo = pdfAnexado(idAnexo);
eprotocolo(e.namedValues['Expresso do solicitante'][0],nrof,pdfFileLP,pdfAnexo);
}
function eprotocolo(email,ofi,pdfFileLP,pdfAnexo){
var EmailTemp = HtmlService.createTemplateFromFile("mailLP");
EmailTemp.mail = email;
var htmlMessage = EmailTemp.evaluate().getContent();
GmailApp.sendEmail("estag.pedron#pge.pr.gov.br","Of. " + ofi + "-PGE/PRF",
"SEU EMAIL NÃO SUPORTA O FORMATO HTML, FAVOR RESPONDER ESTE E-MAIL PARA SOLUCIONAR O PROBLEMA OU ENTRAR EM CONTATO PELO TELEFONE (41)3281-6392.",{
from: "procuradoriafuncional#gmail.com", name: "Gerador de ofícios da PRF", htmlBody: htmlMessage,
replyTo: email, cc: email,
attachments: [pdfFileLP, pdfAnexo]
});
}
function createPDFLP(info) {
const pdfFolder = DriveApp.getFolderById("1mgNPhM9f2U0BWrDK0FAfCYyq968rJ3E8");
const tempFolder = DriveApp.getFolderById("1FfW3Jn9hHARpBU8t8szlQ2YwR9OPR1ZV");
const templateChefia = DriveApp.getFileById("1qP3A8O27Ms8OuybaqrQ6jQBB_PQpo-RhDU9xjIw_a44");
const templateLP = DriveApp.getFileById("1lRab5lPdbRcdl4gaI3zonFseE180cNu4-hWaovamerc");
const newTempFileLP = templateLP.makeCopy(tempFolder);
const openDocLP = DocumentApp.openById(newTempFileLP.getId());
const bodyLP = openDocLP.getBody();
bodyLP.replaceText("{of}", info['Numeração do ofício'][0]);
bodyLP.replaceText("{data}", info['Data do ofício'][0]);
bodyLP.replaceText("{serv}", info['Nome completo'][0]);
bodyLP.replaceText("{rg}", info['Número do RG'][0]);
bodyLP.replaceText("{autos}", info['Numero dos autos'][0]);
bodyLP.replaceText("{prazo}", info['Prazo'][0]);
bodyLP.replaceText("{procurador}", info['Procurador solicitante'][0]);
bodyLP.replaceText("{orgao}", info['GRHS de destino'][0]);
openDocLP.saveAndClose();
const blobPDFLP = newTempFileLP.getAs(MimeType.PDF);
const pdfFileLP = pdfFolder.createFile(blobPDFLP).setName("Of. " + info['Numeração do ofício'][0] + "-PGE/PRF.pdf");
tempFolder.removeFile(newTempFileLP);
return pdfFileLP;}
If anyone was curious, I did a simple if statement at the end:
function createPDFLP(info) {
const pdfFolder = DriveApp.getFolderById("1mgNPhM9f2U0BWrDK0FAfCYyq968rJ3E8");
const tempFolder = DriveApp.getFolderById("1FfW3Jn9hHARpBU8t8szlQ2YwR9OPR1ZV");
const templateChefia = DriveApp.getFileById("1qP3A8O27Ms8OuybaqrQ6jQBB_PQpo-RhDU9xjIw_a44");
const templateLP = DriveApp.getFileById("1lRab5lPdbRcdl4gaI3zonFseE180cNu4-hWaovamerc");
const tipo = info['Tipo de ofício'][0];
if(tipo == "Licença Especial em Pecúnia"){
const newTempFileLP = templateLP.makeCopy(tempFolder);
const openDocLP = DocumentApp.openById(newTempFileLP.getId());
const bodyLP = openDocLP.getBody();
bodyLP.replaceText("{of}", info['Numeração do ofício'][0]);
bodyLP.replaceText("{data}", info['Data do ofício'][0]);
bodyLP.replaceText("{serv}", info['Nome completo'][0]);
bodyLP.replaceText("{rg}", info['Número do RG'][0]);
bodyLP.replaceText("{autos}", info['Numero dos autos'][0]);
bodyLP.replaceText("{prazo}", info['Prazo'][0]);
bodyLP.replaceText("{procurador}", info['Procurador solicitante'][0]);
bodyLP.replaceText("{orgao}", info['GRHS de destino'][0]);
openDocLP.saveAndClose();
const blobPDFLP = newTempFileLP.getAs(MimeType.PDF);
const pdfFileLP = pdfFolder.createFile(blobPDFLP).setName("Of. " + info['Numeração do ofício'][0] + "-PGE/PRF.pdf");
tempFolder.removeFile(newTempFileLP);
return pdfFileLP;
} else if (tipo == "Substituição de Chefia") {
const newTempFileSC = templateChefia.makeCopy(tempFolder);
const openDocSC = DocumentApp.openById(newTempFileSC.getId());
const bodySC = openDocSC.getBody();
bodySC.replaceText("{of}", info['Numeração do ofício'][0]);
bodySC.replaceText("{data}", info['Data do ofício'][0]);
bodySC.replaceText("{servi}", info['Nome completo'][0]);
bodySC.replaceText("{rg}", info['Número do RG'][0]);
bodySC.replaceText("{autos}", info['Numero dos autos'][0]);
bodySC.replaceText("{prazo}", info['Prazo'][0]);
bodySC.replaceText("{procurador}", info['Procurador solicitante'][0]);
bodySC.replaceText("{orgao}", info['GRHS de destino'][0]);
bodySC.replaceText("{periodo}", info['Período que o autor alega que ocupou cargo de chefia'][0]);
openDocSC.saveAndClose();
const blobPDFSC = newTempFileSC.getAs(MimeType.PDF);
const pdfFileLP = pdfFolder.createFile(blobPDFSC).setName("Of. " + info['Numeração do ofício'][0] + "-PGE/PRF.pdf");
tempFolder.removeFile(newTempFileSC);
return pdfFileLP;
}
}
Hello im new in programing ive been using the libery pupperter. My problem is i can't get all the information from same selector. The website is http://eportal.miteco.gob.es/BoleHWeb/, and i need to get information Embases Guadarquivir. If i do it on the websites console i get all the infomation from the selector but if i do it in .js i only get 30 to 40 elements from the same array.
Information i want
The information i get from the console
const puppeter = require('puppeteer');
let embalse = require('../controlador/controladorEmbalse');
(async () => {
//inicializamos en la constante browser, la libreria puppeter.
//Con {headless: false}, nos sale una ventana chrome con los movimientos que estamos realizando.
const browser = await puppeter.launch({headless: false});
//creamos una pagina de chrome
const page = await browser.newPage();
let year = ['2020','2019','2018','2017','2016','2015','2014','2013','2012','2011','2010','2008','2007','2006','2005'];
let month = ["Enero","Febrero","Marzo","Abril","Mayo","Junio","Julio","Agosto","Septiembre","Octubre","Noviembre","Diciembre"];
let day = '#idDate27'
let cuenca = [{nombre: 'Tinto, Odiel y Piedras', id:"#btnMod_Reserva_Hidraulica_Datos_16" }, {nombre: 'Guadalete-Barbate', id: '#btnMod_Reserva_Hidraulica_Datos_15'},
{nombre: 'Guadalquivir', id: '#btnMod_Reserva_Hidraulica_Datos_5'}, {nombre: 'Cuenca Mediterránea Andaluza', id: "#btnMod_Reserva_Hidraulica_Datos_6"}]
//Solo utilizar este metodo si la tabla watershed esta vacia.
// embalse.añadirCuencas(cuenca);
for(let anho of year){
for(let mes of month){
for(let agua of cuenca){
await page.goto('http://eportal.miteco.gob.es/BoleHWeb/');
await page.type('#year' , anho );
await page.type('#month', mes);
await page.click( day);
await page.waitForSelector('#btnMnuReserva');
await page.click('#btnMnuReserva');
await page.waitForSelector(agua.id);
await page.click(agua.id);
await page.waitForSelector('td.tdfondosinbordes');
const elements = await page.evaluate(()=> {
let textos = [];
const td = document.querySelectorAll("td.tdfondosinbordes");
for ( let texto of td){
textos.push(texto.innerText);
}
return textos;
});
await page.waitForSelector('td.tdblancosinbordesletraazul');
const elem = await page.evaluate(()=> {
let textos = [];
const td = document.querySelectorAll("td.tdblancosinbordesletraazul");
for ( let texto of td){
textos.push(texto.innerText);
}
return textos;
});
const indicador = elements.findIndex(element => element == 'Guadiato' )
if(indicador !== -1){
elements.splice(indicador + 1,0,'Cala');
}
let nombreEmbalse =[];
// console.log(elements);
function filtrarNombres(nombres, array){
const arrayFiltrado = array.filter(numero => isNaN(numero));
for(let i = 0 ; i < arrayFiltrado.length ; i++){
if(i % 2 == 0){
nombres.push(arrayFiltrado[i]);
}
}
return nombres;
}
//console.log(filtrarNombres(nombreEmbalse, elements));
const nombre = filtrarNombres(nombreEmbalse, elements);
const datos = elem.slice(0, nombre.length)
//console.log(datos);
function realizarObjeto(nom, dat) {
let infoTotal = [];
let posicion = 0;
for(let i = 0 ; i < dat.length; i++){
let historico = {}
historico.nombre = nom[i];
historico.data = dat[posicion].trim();
historico.fecha = anho;
historico.mes = mes;
historico.cuenca = agua.nombre;
posicion++;
infoTotal.push(historico)
}
return infoTotal;
}
console.log(realizarObjeto(nombre, datos));
//let objeto = realizarObjeto(nombre, datos);
//embalse.añadirHistorico(objeto);
}
}
}
await page.screenshot({path: 'amanzon1.jpg'});
//cerramos el programa
await browser.close();
})();
------------------------------------------------------------------------
await page.waitForSelector('td.tdfondosinbordes');
const elements = await page.evaluate(()=> {
let textos = [];
const td = document.querySelectorAll("td.tdfondosinbordes");
for ( let texto of td){
textos.push(texto.innerText);
}
return textos;
});
This is the funtion ive used to get the information from the images.
On the console of the website i get all the info. But when i do it in .Js every time i run the code i only get half of the infomation and its never the same it varies.
Ive tried it Page.$$eval and other methods but i never get all of the info.
If nobody knows no reason. The most problame is that the web has an antiscrapping process. With a waitFor (they are obsolete). It seems that this pause does not activate this process.
So already hello to all & especially to those who will take the trouble to help me, I have a project to verify the user thanks to a hash decryption challenge system (base64) & that when they are successful its giving them a role to check, I did a good part of it but its not right I don't understand my mistake! the bot connects, 0 code errors, but the verification does not work I would like the verification to be done in the channel & not in the DM! thank you
const Discord = require('discord.js')
const client = new Discord.Client();
const prefix = "&";
let rawdata = fs.readFileSync('config.json');
let object = JSON.parse(rawdata);
var channel_id = object['verification_channelID']
var guild_id = object['guild_ID']
var role_name = object['verification_role_name']
var server_invite = object['server_invite']
var token = object['bot_token']
var questions = object['questions']
var dict = {};
var encodingQuestions = []
questions.forEach(element => {
encodingQuestions.push(element)
});
client.on('ready', function(){
console.log("Login : " + client.user.tag);
})
client.on('guildMemberAdd', member => {
var uname = member.user.username
var disc = member.user.discriminator
var memberID = member.user.id
var rand = Math.random();
rand *= encodingQuestions.length;
rand = Math.floor(rand);
var question = encodingQuestions[rand]
dict[uname] = [Buffer.from(question, 'base64').toString('utf-8'), 3];
const embed = new Discord.MessageEmbed()
.setTitle(uname + "#" + disc)
.setColor(0x1e90ff)
.addField(uname='Welcome', value='Welcome <#' + memberID + '> Déchiffrer le code , vous avez 3 essais ! Utilisez ``&answer {decoded message}`` ', inline=false)
.addField(uname='Question', value=question, inline=false)
member.send(embed)
member.guild.channels.cache.get(channel_id).send("Welcome <#" + memberID + "> Regarder vos DM pour accédez au serveur !")
});
client.on('message', message => {
var memberid = message.author.id;
var memberuname = message.author.username;
var messagecontent = message.content;
var messageID = message.id;
var disc = message.author.discriminator;
if (!message.content.startsWith(prefix)) return;
if (message.content.startsWith(prefix + 'answer') && message.channel.type === "dm"){
var msg = message.toString().replace('&answer ', '')
for (var key in dict){
if (key == message.author.username){
if (msg == dict[key][0]){
message.channel.send("Vous avez passer le test !")
var role = client.guilds.cache.get(guild_id).roles.cache.find(role => role.name === role_name)
client.guilds.cache.get(guild_id).members.cache.get(message.author.id).roles.add(role);
var memberID = message.author.id
client.channels.cache.get(channel_id).send("Trés bien <#" + memberID + "> vous avez réussis le test avec succèes !")
delete dict[key];
} else{
dict[key][1] = dict[key][1] - 1
if (dict[key][1] == 0){
memberID = message.author.id
message.channel.send("Vous avez pas réussis le test vous allez êtres exclus ! Revenir sur Paradox : " + server_invite)
client.channels.cache.get(channel_id).send("<#" + memberID + "> Vous avez échoué le test...")
setTimeout(function(){
client.guilds.cache.get(guild_id).members.cache.get(message.author.id).kick()
}, 5000)
} else{
message.channel.send("Réessayer !")
}
}
}
}
}
})
client.login(token);
The database config.json :
{
"bot_token": "TOKEN",
"verification_channelID": "",
"guild_ID": "",
"verification_role_name": "",
"server_invite": "",
"questions": ["eW91IHBhc3NlZA==", "dGhpcyB3YXMgZWFzeQ==", "dGhhbmtzIGZvciBqb2luaW5n", "ZW5qb3kgeW91ciBzdGF5", "dGhhbmtzIGZvciBub3QgYmVpbmcgYW5vbnltb3Vz", "ZW5qb3kgeW91ciBzdGF5", "aW52aXRlIHlvdXIgZnJpZW5kcyE="]
}
You should use:
client.on('guildMemberAdd', member => {
var uname = member.user.username
var disc = member.user.discriminator
var memberID = member.user.id
var rand = Math.random();
rand *= encodingQuestions.length;
rand = Math.floor(rand);
var question = encodingQuestions[rand]
dict[uname] = [Buffer.from(question, 'base64').toString('utf-8'), 3];
const embed = new Discord.MessageEmbed()
.setTitle(uname + "#" + disc)
.setColor(0x1e90ff)
.addField('Welcome', 'Welcome <#' + memberID + '> Déchiffrer le code , vous avez 3 essais ! Utilisez ``&answer {decoded message}`` ', false)
.addField('Question', question, false)
member.send(embed)
member.guild.channels.cache.get(channel_id).send("Welcome <#" + memberID + "> Regarder vos DM pour accédez au serveur !")
});
I updated the embed part, you should use .addField('coucou', 'salut', true);instead of .addField(name='coucou', value='name', inline=true). This is the javascript function parameters syntax.
I've got an object that I get from a sql query and I want to delete an item inside of it. The thing is that after I delete it, that item has no information but it's still there as:
<1 empty item>
so I would like to know if there is a way to completely remove it and have a clean object with only my data."
The code is to establish matches between two players from the database and it used to work but I would have to verify that the selected player was not the one being left out since they are odd and I wanted a random one to be left out. So I realized it was way easier to simply remove the player that is not going to take part in the matches from the object.
I will leave the hole code.
let tournamentID = args[0];
let categoryID = args[1];
let tournamentSQL = 'SELECT * FROM tournaments WHERE tournamentID = ?';
let tournamentData = [tournamentID];
let matchesCreated = 0;
con.query(tournamentSQL, tournamentData, function(err, result){
if(err) throw err;
let playersSQL = "SELECT * FROM players WHERE tournamentID = ?";
if(result.length == 0){
return message.channel.send('Ingresaste un TournamentID incorrecto');
};
if (result[0].modality > 1){
return message.channel.send('Este torneo es por equipos, usa .partidosequipos');
};
let actualRound = result[0].actualRound + 1;
con.query(playersSQL, tournamentData, function(err, resultPlayers){
if(resultPlayers.length == 0){
return message.channel.send('Este torneo no tiene jugadores.');
};
if(err) throw err;
let roundPlayers = resultPlayers.length - 1;
if(resultPlayers.length % 2 != 0){
let player = Math.round(Math.random() * roundPlayers);
console.log(player);
message.channel.send(`La cantidad de jugadores en el torneo es impar, el jugador ${resultPlayers[player]} no jugará en esta ronda y ya clasificó a la siguiente`);
delete resultPlayers[player];
matchCreating(roundPlayers, resultPlayers, result, categoryID, client, message, actualRound);
} else{
matchCreating(roundPlayers, resultPlayers, result, categoryID, client, message, actualRound);
}
Hope I was able to explain my self.
Thank you for your help.
You need to use splice to delete a particular index
var playersSQL = "SELECT * FROM players WHERE tournamentID = ?";
con.query(playersSQL, tournamentData, function(err, resultPlayers){
if(resultPlayers.length % 2 != 0){
let player = Math.round(Math.random() * roundPlayers);
resultPlayers.splice(player, 1);
}
}
I've created my own discord bot for my server and i want to answer me if i say specific words who are in array tabHello :
var tabHello = ['Bonjour','Salut','Hello', 'Guten tag', 'Buenos Dias'];
var tabAnsw= ['Bonjour votre majesté.','Salutations jeune Douzien !','Ouais, ouais. T\'es qui déjà ?', 'Bonjour ' + message.author + ', comment vas-tu aujourd\'hui ?'];
if (message.content.indexOf('Hello') > 0 && message.isMentioned(client.user)){
var row = Math.floor(Math.random() * tabAnsw.length);
message.channel.sendMessage(tabAnsw[row]);
}
With this code, if i say "#bot Hello" he answers one value of tabAnsw array. But I want to answer me if i say one value of tabHello array.
And, if say "Hello #bot", he doesn't answer me.
Someone can help me ?
Sorry for my english :s
You could always just use a for loop.
var tabHello = ['Bonjour','Salut','Hello', 'Guten tag', 'Buenos Dias'];
var tabAnsw = ['Bonjour votre majesté.','Salutations jeune Douzien !','Ouais, ouais. T\'es qui déjà ?', 'Bonjour ' + message.author + ', comment vas-tu aujourd\'hui ?'];
var content = message.content.split(' ');
for(var x = 0; x < content.length; x++){
if(tabHello.includes(content[x]) && message.isMentioned(client.user)){
var row = Math.floor(Math.random() * tabAnsw.length);
message.channel.send(tabAnsw[row]);
}
}
This should do the trick
var tabHello = ['Bonjour','Salut','Hello', 'Guten tag', 'Buenos Dias'];
var tabAnsw= ['Bonjour votre majesté.','Salutations jeune Douzien !','Ouais, ouais. T\'es qui déjà ?', 'Bonjour ' + message.author + ', comment vas-tu aujourd\'hui ?'];
if (tabHello.indexOf(message.content) > -1 && message.isMentioned(client.user)){
var row = Math.floor(Math.random() * tabAnsw.length);
message.channel.sendMessage(tabAnsw[row]);
}
So instead of checking the message for the world hello, this checks if the message is contained within the Array.
I went and made this for you, it works with Eris I tried to convert it to discord.js, it should work but not 100% sure that it will.
var tabHello = ['bonjour', 'salut', 'hello', 'guten tag', 'buenos dias'];
var tabAnsw = ['Bonjour votre majesté.', 'Salutations jeune Douzien !', 'Ouais, ouais. T\'es qui déjà ?', 'Bonjour ' + message.author.username + ', comment vas-tu aujourd\'hui ?'];
for (i = 0; i < tabAnsw.length; i++) {
if (message.content.startsWith(client.user.mention) && message.content.toLowerCase().indexOf(tabHello[i])) {
var row = Math.floor(Math.random() * tabAnsw.length);
message.channel.sendMessage(tabAnsw[row]);
break;
}
}
I went and converted all content of tabHello to lowercase versions so later you can ignore your user's casing, for example, if John#1234 was to enter '#Bot HeLlO' it would still work because we are ignoring casing.
I have set up this small script so you can build your bot on top of this:
index.js:
const Discord = require('discord.js');
const client = new Discord.Client();
const config = require('./config.json');
const commands = require('./commands');
const prefix = config.prefix;
const commandExecuter = new commands();
client.on("ready", () => {
client.user.setGame('Minecraft');
var servers = client.guilds.array().map(g => g.name).join('.');
console.log('Bot started');
});
client.on('message', message => {
//Check if its a command
isBotCommand(message.content, (command) => {
//If it is, lets execute it if we can
if ( command ) {
commandExecuter.execute(message, client, command);
}
});
});
const isBotCommand = (message, callback) => {
//Get the first char of the message
let firstChar = message.charAt(0);
//If it does not equal our prefix answer that it's not a bot command
if (firstChar !== prefix) return callback(false)
//We got here, so it seems to be a command
return callback(message.substring(1));
}
client.login(config.token);
add a file "commands.js" to your root directory and paste the following:
const botCommandExecuter = function() {}
const findCommandFromStack = (command, callback) => {
//Find the command in the commands array
commands.some((iteratedCommand) => {
//If our keyword is inside the currently iterated command object we have a match
if ( iteratedCommand.keywords.indexOf(command) > -1 ) {
//Call the callback and break the loop
callback(iteratedCommand.action);
return true;
}
});
}
botCommandExecuter.prototype.execute = (messageInstance, client, command) => {
//Find the command
findCommandFromStack(command, (commandToExecute) => {
//Execute the command we found
commandToExecute(messageInstance, client);
});
}
//List of commands
const commands = [
{
keywords: ['Bonjour','Salut','Hello', 'Guten tag', 'Buenos Dias'],
action: (message, client) => {
var tabAnsw = ['Bonjour votre majesté.','Salutations jeune Douzien !','Ouais, ouais. T\'es qui déjà ?', 'Bonjour ' + message.author + ', comment vas-tu aujourd\'hui ?'];
var row = Math.floor(Math.random() * tabAnsw.length);
message.channel.sendMessage(tabAnsw[row]);
}
}
];
module.exports = botCommandExecuter;
There is still a lot of room for improvement and error handling, but I'll leave that up to you. Goodluck!