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.
Related
I am a javascript student so there are things that are still not entirely clear in my head. I want to rearrange my code to make it reusable by passing it certain parameters
At this moment I have built this credit simulator, in a much longer code, it occurred to me to build a class, with that class to be able to feed the data it requires and return the values that I need to be shown on the screen.
The first method "creacionClientes" builds the profile of the credit applicant and saves it in an array, what I need is that the second method which returns a value of the fee that the person must pay, is added in the client's profile requesting the credit. Likewise, I can't find a way for the "calcularCuotas" method to feed on the information that the client variable receives, I'm very stuck and I'm drowning in a glass of water thks!
const datosTabla = document.querySelector("#tftable,tbody"); const tasas = cambiarValorTasas() let planesVisible = false;
class Clientes {
constructor (){
this.clients = []
}
creacionClientes(nombre, apellido, email, monto, plazo, tasas){
this.clients.push({
id: Date.now(),
nombre: nombre,
apellido: apellido,
email: email,
monto: monto,
plazo: plazo,
tasas: tasas,
});
}
calcularCuotas(monto, tasas, plazos){
let hoy = new Date()
let pagoMensual = 0;
let pagoAmortizacion = 0;
let pagosIntereses = 0;
pagoMensual = monto * (Math.pow(1+tasas/100, plazos)*tasas/100)/(Math.pow(1+tasas/100, plazos)-1);
while (datosTabla.firstChild){
datosTabla.removeChild(datosTabla.firstChild);
}
//creacion de fechas sucesivas
function formatoFecha(fecha) {
fecha = new Date(fecha);
var dia = fecha.getDate();
var mesIndex = fecha.getMonth()+1;
var año = fecha.getFullYear();
return dia + "/" + mesIndex + "/" + año;
}
for(let i = 1; i <= plazos; i++) {
pagosIntereses = parseFloat(monto*(tasas/100));
pagoAmortizacion = parseFloat(pagoMensual - pagosIntereses);
monto = parseFloat(monto-pagoAmortizacion);
var fechaX = hoy.setMonth(hoy.getMonth() + 1);
//creacion de las filas
$("#tablaPrestamos").append(`<tr><td>${formatoFecha(fechaX)}
<td class="valorCuota">${pagoMensual.toFixed(2)}</td>
<td>${pagoAmortizacion.toFixed(2)}</td>
<td>${pagosIntereses.toFixed(2)}</td>
<td>${monto.toFixed(2)}</td>`);
}
} }
function cambiarValorTasas (){
let plazosOpc = $("#menuPlazos").prop('selectedIndex');
let opciones = $("#menuPlazos").prop('options');
if (opciones[plazosOpc].value == 12){
$('#tasasSeleccion').html(3.95);
} else if (opciones[plazosOpc].value == 24){
$('#tasasSeleccion').html(4.19);
} else if (opciones[plazosOpc].value == 36){
$('#tasasSeleccion').html(4.36);;
}
return $('#tasasSeleccion').val(); } $(document).on('change', cambiarValorTasas);
function mostrarTabla(nombre, visibilidad ){
let mostrar = document.getElementById(nombre);
if (visibilidad == false){
if(mostrar.classList.contains("noMostrar")){
mostrar.classList.remove("noMostrar")
}
mostrar.className += " mostrar"
} else {
if(mostrar.classList.contains("mostrar")){
mostrar.classList.remove("mostrar")
}
mostrar.className += " noMostrar"
} } $('#botonCalc').on('click', (e) =>{
e.preventDefault();
mostrarTabla('tasasSeleccion', planesVisible);
mostrarTabla('tasasLabel', planesVisible);
mostrarTabla('botonEnviar', planesVisible);
mostrarTabla('tablaPrestamos', planesVisible);
planesVisible = !planesVisible;
})
$('#botonEnviar').on("click", (e) =>{
e.preventDefault();
let cliente = new Clientes();
cliente.creacionClientes($('#nombre').val(), $('#apellido').val(), $('#mail').val(), parseInt($('#aSolicitar').val()), parseInt($('#menuPlazos').val()), parseFloat(tasas))
console.log(cliente)
cliente.calcularCuotas(parseInt($('#aSolicitar').val()), tasas, parseInt($('#menuPlazos').val())) })
The problem is that you are saving the list of clients inside the client
I would try this:
Get the list of clients outside every client
Create the client on the constructor (instead of creacionClientes)
Add it to the clients list before creating the client
NOW you can use this inside calcularCuotas where the client information is stored (e.g. this.nombre)
It could be something like that
const datosTabla = document.querySelector("#tftable,tbody"); const tasas = cambiarValorTasas() let planesVisible = false;
const clientes = []
class Clientes {
constructor (nombre, apellido, email, monto, plazo, tasas){
this = {
id: Date.now(),
nombre: nombre,
apellido: apellido,
email: email,
monto: monto,
plazo: plazo,
tasas: tasas,
}
clients.push(this);
}
calcularCuotas(monto, tasas, plazos){
let hoy = new Date()
let pagoMensual = 0;
let pagoAmortizacion = 0;
let pagosIntereses = 0;
pagoMensual = monto * (Math.pow(1+tasas/100, plazos)*tasas/100)/(Math.pow(1+tasas/100, plazos)-1);
while (datosTabla.firstChild){
datosTabla.removeChild(datosTabla.firstChild);
}
//creacion de fechas sucesivas
function formatoFecha(fecha) {
fecha = new Date(fecha);
var dia = fecha.getDate();
var mesIndex = fecha.getMonth()+1;
var año = fecha.getFullYear();
return dia + "/" + mesIndex + "/" + año;
}
for(let i = 1; i <= plazos; i++) {
pagosIntereses = parseFloat(monto*(tasas/100));
pagoAmortizacion = parseFloat(pagoMensual - pagosIntereses);
monto = parseFloat(monto-pagoAmortizacion);
var fechaX = hoy.setMonth(hoy.getMonth() + 1);
//creacion de las filas
$("#tablaPrestamos").append(`<tr><td>${formatoFecha(fechaX)}
<td class="valorCuota">${pagoMensual.toFixed(2)}</td>
<td>${pagoAmortizacion.toFixed(2)}</td>
<td>${pagosIntereses.toFixed(2)}</td>
<td>${monto.toFixed(2)}</td>`);
}
} }
function cambiarValorTasas (){
let plazosOpc = $("#menuPlazos").prop('selectedIndex');
let opciones = $("#menuPlazos").prop('options');
if (opciones[plazosOpc].value == 12){
$('#tasasSeleccion').html(3.95);
} else if (opciones[plazosOpc].value == 24){
$('#tasasSeleccion').html(4.19);
} else if (opciones[plazosOpc].value == 36){
$('#tasasSeleccion').html(4.36);;
}
return $('#tasasSeleccion').val(); } $(document).on('change', cambiarValorTasas);
function mostrarTabla(nombre, visibilidad ){
let mostrar = document.getElementById(nombre);
if (visibilidad == false){
if(mostrar.classList.contains("noMostrar")){
mostrar.classList.remove("noMostrar")
}
mostrar.className += " mostrar"
} else {
if(mostrar.classList.contains("mostrar")){
mostrar.classList.remove("mostrar")
}
mostrar.className += " noMostrar"
} } $('#botonCalc').on('click', (e) =>{
e.preventDefault();
mostrarTabla('tasasSeleccion', planesVisible);
mostrarTabla('tasasLabel', planesVisible);
mostrarTabla('botonEnviar', planesVisible);
mostrarTabla('tablaPrestamos', planesVisible);
planesVisible = !planesVisible;
})
$('#botonEnviar').on("click", (e) =>{
e.preventDefault();
let cliente = new Clientes($('#nombre').val(), $('#apellido').val(), $('#mail').val(), parseInt($('#aSolicitar').val()), parseInt($('#menuPlazos').val()), parseFloat(tasas))
console.log(cliente)
clientes.push(cliente)
cliente.calcularCuotas(parseInt($('#aSolicitar').val()), tasas, parseInt($('#menuPlazos').val())) })
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.
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;
}
}
in my code when I try to put gifs, it runs correctly and works ideally until the gif I select at random doesn't load
module.exports = {
name: "slap",
description: "da un golpe a un usuario",
execute(message, args) {
let userm = message.mentions.users.first();
const user = message.author;
const gif = [
"https://tenor.com/view/mm-emu-emu-anime-slap-strong-gif-7958720",
"https://tenor.com/view/slap-butts-anime-hit-gif-14179582",
"https://tenor.com/view/ass-ass-slap-anime-put-that-ass-away-uzaki-chan-wants-to-hang-out-gif-17851886",
"https://tenor.com/view/hit-hitting-slap-ow-ouch-gif-5497551",
"https://tenor.com/view/anime-boy-bitch-slap-daily-lives-of-high-school-boys-gif-16649188",
"https://tenor.com/view/powerful-head-slap-anime-death-tragic-gif-14358509",
"https://tenor.com/view/oreimo-gif-10937039",
"https://tenor.com/view/overlord-narberal-gamma-anime-slap-gif-18080646",
"https://tenor.com/view/anime-slap-gif-10426943",
"https://tenor.com/view/seiya-cautious-hero-funny-slap-anime-gif-15631717",
"https://tenor.com/view/bunny-girl-slap-angry-girlfriend-anime-gif-15144612",
"https://tenor.com/view/anime-manga-japanese-anime-japanese-manga-toradora-gif-5373994",
"https://tenor.com/view/slap-bakaramon-confused-gif-14866419",
"https://tenor.com/view/konosuba-megumin-yunyun-anime-slap-gif-17555205",
"https://tenor.com/view/asobi-asobase-slap-anime-gif-17190309",
"https://tenor.com/view/slap-anime-gif-9955713",
];
message.replytext = Math.floor(Math.random() * gif.length + 0);
if (!userm) {
const accion2 = [", te dare esto para cumplir tus deseos, masoquista"];
message.unaper = Math.floor(Math.random() * accion2.length + 0);
const embed = new Discord.MessageEmbed()
.addField(user.username + accion2[message.unaper])
.setImage(gif[message.replytext])
.setColor("RANDOM");
message.channel.send({ embed });
}
const accion = [
" le dio una abofeteada a ",
" abofeteo a ",
" dio una dolorosa abofeteada a ",
" abofeteo fuertemente a ",
" sintio la necesidad de abofetear a ",
];
message.dosper = Math.floor(Math.random() * accion.length + 0);
const embed = new Discord.MessageEmbed()
.setAuthor(
user.username + accion[message.dosper] + userm.username,
user.avatarURL({ size: 32 })
)
.setImage(gif[message.replytext])
.setColor("RANDOM");
message.channel.send({ embed });
},
};
The links you are using are not image or gif links but tenor webstite viewing an image. For Each link you'll have to replace it with the actual image.v)
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!