-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathindex.js
551 lines (507 loc) · 18.8 KB
/
index.js
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
const Discord = require("discord.js");
const fs = require("fs");
const path = require("path");
require('dotenv').config();
const token = process.env.DOGE_KEY;
const prefix = "?";
const bot = new Discord.Client({
partials: ["MEMBER", "MESSAGE", "CHANNEL", "USER", "REACTION"],
disableEveryone: false,
});
bot.commands = new Discord.Collection();
bot.queues = new Map();
const notify = require("./builder/notify.js");
const messages = require("./builder/messages.js");
const clean = require("./builder/clean.js");
const values = require('./values.js');
const commandFiles = fs
.readdirSync(path.join(__dirname, "/commands"))
.filter((filename) => filename.endsWith(".js"));
for (var filename of commandFiles) {
const command = require(`./commands/${filename}`);
bot.commands.set(command.name, command);
}
/**
* --------------------------------------------------------------------------------------------------------------------Bot Startup
*/
bot.login(token);
bot.on("ready", () => {
bot.user.setPresence({
status: "available",
//bot activity set as "Watching: Đoge Style"
//also can be used with states like: STREAMING or PLAYING
activity: {
name: "Đoge Style",
type: "WATCHING",
url: "https://github.com/jorgsiq/doge-bot",
},
});
clean.cleanBulk(bot);
});
/**
* --------------------------------------------------------------------------------------------------------------------New Message
*/
bot.on("message", (message) => {
//channels for images only
if (
values.imageOnlyChannels.includes(message.channel.id.toString()) && !message.author.bot
) {
if (!(message.attachments.size > 0)) {
message.delete().catch((error) => {
console.error('Failed task with the following error:', error);
});
return message
.reply(
"Opa! Parece que você não anexou nenhuma imagem ou vídeo, tente novamente.."
)
.then((msg) => {
setTimeout(() => msg.delete(), 10000);
}).catch((error) => {
console.error('Failed task with the following error:', error);
});
}
}
//sends message to alerts and to the subscribers
if (
message.channel.id.toString() == values.alertsNotificationId &&
!message.author.bot
) {
//call notify to send news for subscribers
try {
notify.messageSubscribers(bot, message);
} catch (e) {
return message.reply(`Desculpe! Ocorreu um erro.. `).then((msg) => {
setTimeout(() => msg.delete(), 10000);
}).catch((error) => {
console.error('Failed task with the following error:', error);
});
}
}
//sends message to alerts but do not notifies subscribers
if (
message.channel.id.toString() == values.newsNotificationId &&
!message.author.bot
) {
try {
messages.notify(bot, message);
} catch (e) {
return message.reply(`Desculpe! Ocorreu um erro.. `).then((msg) => {
setTimeout(() => msg.delete(), 10000);
}).catch((error) => {
console.error('Failed task with the following error:', error);
});
}
}
//send embed message to a specific channel by passing the channel id
if (
message.channel.id.toString() == values.embedNotificationId &&
!message.author.bot
) {
try {
messages.embed(bot, message);
} catch (e) {
return message.reply(`Desculpe! ocorreu um erro.. `).then((msg) => {
setTimeout(() => msg.delete(), 10000);
}).catch((error) => {
console.error('Failed task with the following error:', error);
});
}
}
//checks if it is not a command or wrote by a bot
if (!message.content.startsWith(prefix) || message.author.bot) {
if (
message.channel.id.toString() == values.commandsChannelId &&
!message.author.bot
) {
message.delete().catch((error) => {
console.error('Failed task with the following error:', error);
});
message
.reply(
`Lembre-se que no canal <#${values.commandsChannelId}> você só pode utilizar comandos no formato "**?command**", por isso apaguei sua mensagem..`
)
.then((msg) => {
setTimeout(() => msg.delete(), 10000);
}).catch((error) => {
console.error('Failed task with the following error:', error);
});
}
return;
}
//it is a command, then...
else {
if (
message.content.startsWith(prefix) &&
message.channel.id.toString() != values.commandsChannelId &&
!message.channel.type == "dm"
) {
/* if (message.channel.type == "dm") {
message.author.send("You are DMing me now!");
return;
}*/
(message.channel.type == "dm");
message.delete().catch((error) => {
console.error('Failed task with the following error:', error);
});
message
.reply(
`Desculpe! mas você não pode utilizar comandos fora do canal <#${values.commandsChannelId}>, por isso apaguei sua mensagem..`
)
.then((msg) => {
setTimeout(() => msg.delete(), 10000);
}).catch((error) => {
console.error('Failed task with the following error:', error);
});
} else {
//...splits the command from the command prefix, key word and args
const args = message.content.slice(prefix.length).split(" ");
const command = args.shift();
if (message.channel.type == "dm" && command != "post") {
message.reply(
`Desculpe! mas você não pode utilizar comandos fora do canal <#${values.commandsChannelId}>..`
);
} else if (!(message.channel.type == "dm") && command == "post") {
message.delete().catch((error) => {
console.error('Failed task with the following error:', error);
});
message
.reply(
`Desculpe! mas você só pode executar este comando em uma conversa privada com o **Đoge Bot**..`
)
.then((msg) => {
setTimeout(() => msg.delete(), 10000);
}).catch((error) => {
console.error('Failed task with the following error:', error);
});
} else {
try {
//executes the command stored in collection
bot.commands.get(command).execute(bot, message, args);
} catch (e) {
message.delete().catch((error) => {
console.error('Failed task with the following error:', error);
});
return message
.reply(`Desculpe! eu ainda não aprendi esse truque.. `)
.then((msg) => {
setTimeout(() => msg.delete(), 10000);
}).catch((error) => {
console.error('Failed task with the following error:', error);
});
}
}
}
}
});
/**
* --------------------------------------------------------------------------------------------------------------------New Member
*/
bot.on("guildMemberAdd", (member) => {
//for safety, the new user must wait for 60 seconds to receive the auto-role
setTimeout(function () {
//the universal role "Crew" is autofilled for the new member
let role = member.guild.roles.cache.find((role) => role.name === "Crew");
member.roles.add(role);
}, 60000);
//build embed
messages.newUserMessage(bot, member);
//build embed
messages.newUserUpdate(member);
});
/**
* --------------------------------------------------------------------------------------------------------------------Member Left
*/
bot.on("guildMemberRemove", (member) => {
//build embed
messages.memberRemoved(bot, member);
});
/**
* --------------------------------------------------------------------------------------------------------------------Profile Update
*/
bot.on("guildMemberUpdate", (oldMember, newMember) => {
//checks if the change is the nickname
if (oldMember.displayName != newMember.displayName) {
//build embed
messages.usernameUpdate(bot, oldMember, newMember);
}
//checks if the change is the profile picture
if (oldMember.user.displayAvatarURL() != newMember.user.displayAvatarURL()) {
//build embed
messages.photoUpdate(bot, oldMember, newMember);
}
});
/**
* --------------------------------------------------------------------------------------------------------------------Message Reaction (Addition)
*/
bot.on("messageReactionAdd", async (reaction, user) => {
if (reaction.message.partial) await reaction.message.fetch();
if (reaction.partial) await reaction.fetch;
if (user.bot) return;
if (!reaction.message.guild) return;
if (reaction.message.id === values.reactNsfwId) {
let channel;
if (reaction.emoji.name === "🍑") {
channel = bot.channels.cache.get(values.nsfw1ChannelId);
channel
.updateOverwrite(user, {
VIEW_CHANNEL: true,
})
.then((channel) =>
(channel.permissionOverwrites.get(user.id))
)
.catch(console.error);
const upd = new Discord.MessageEmbed()
.setTitle(`Acesso Desbloqueado 🍑`)
.setColor(values.colorGreen)
.setAuthor(user.tag, user.displayAvatarURL())
.setDescription(
"Maravilha! Agora você já pode acessar e publicar conteúdo **NSFW** de acordo com as suas preferências. O conteúdo publicado pode ser seu, de alguém que você conhece/admira ou de uma figura pública, contanto que seja **material de circulação consensual na internet**, podendo contar ou não com nudez explícita e teor sexual. **Divirta-se!**"
)
.setTimestamp()
.setFooter("#NSFWGIRL, +18");
user.send(upd);
const rule2 = new Discord.MessageEmbed()
.setColor(values.colorGreen)
.setDescription(
"Utilize sempre o comando **?Post Pin @username** conforme os seguintes exemplos: **?Post nsfwgirl @bellekaffer** ou omitindo o username da pessoa presente na mídia como em: **?Post nsfwgirl**"
);
user.send(rule2);
const rule3 = new Discord.MessageEmbed()
.setColor("values.colorRed")
.setDescription(
"**ATENÇÃO!** Conteúdo que se caracterize por crime e/ou que não possua relação com o tópico resultará em rastreamento e identificação do envolvido"
);
user.send(rule3);
const rule4 = new Discord.MessageEmbed()
.setColor("values.colorRed")
.setDescription(
"**ATENÇÃO!** Por favor, não apague as mídias enviadas neste chat, isso fará com que elas desapareçam também do servidor. Em alternativa apenas exclua a conversa com o Đoge Bot"
);
user.send(rule4);
}
if (reaction.emoji.name === "🍆") {
channel = bot.channels.cache.get(values.nsfw2ChannelId);
channel
.updateOverwrite(user, {
VIEW_CHANNEL: true,
})
.then((channel) =>
(channel.permissionOverwrites.get(user.id))
)
.catch(console.error);
const upd = new Discord.MessageEmbed()
.setTitle(`Acesso Desbloqueado 🍆`)
.setColor(values.colorGreen)
.setAuthor(user.tag, user.displayAvatarURL())
.setDescription(
"Maravilha! Agora você já pode acessar e publicar conteúdo **NSFW** de acordo com as suas preferências. O conteúdo publicado pode ser seu, de alguém que você conhece/admira ou de uma figura pública, contanto que seja **material de circulação consensual na internet**, podendo contar ou não com nudez explícita e teor sexual. **Aproveite!**"
)
.setTimestamp()
.setFooter("#NSFWBOY, +18");
user.send(upd);
const rule2 = new Discord.MessageEmbed()
.setColor(values.colorGreen)
.setDescription(
"Utilize sempre o comando **?Post Pin @username** conforme os seguintes exemplos: **?Post nsfwboy @tchalamet** ou omitindo o username da pessoa presente na mídia como em: **?Post nsfwboy**"
);
user.send(rule2);
const rule3 = new Discord.MessageEmbed()
.setColor("values.colorRed")
.setDescription(
"**ATENÇÃO!** Conteúdo que se caracterize por crime e/ou que não possua relação com o tópico resultará em rastreamento e identificação do envolvido"
);
user.send(rule3);
const rule4 = new Discord.MessageEmbed()
.setColor("values.colorRed")
.setDescription(
"**ATENÇÃO!** Por favor, não apague as mídias enviadas neste chat, isso fará com que elas desapareçam também do servidor. Em alternativa apenas exclua a conversa com o Đoge Bot"
);
user.send(rule4);
}
if (reaction.emoji.name === "💦") {
channel = bot.channels.cache.get(values.nsfw2ChannelId);
channel
.updateOverwrite(user, {
VIEW_CHANNEL: true,
})
.then((channel) =>
(channel.permissionOverwrites.get(user.id))
)
.catch(console.error);
channel = bot.channels.cache.get(values.nsfw1ChannelId);
channel
.updateOverwrite(user, {
VIEW_CHANNEL: true,
})
.then((channel) =>
(channel.permissionOverwrites.get(user.id))
)
.catch(console.error);
const upd = new Discord.MessageEmbed()
.setTitle(`Acesso Desbloqueado 💦`)
.setColor(values.colorGreen)
.setAuthor(user.tag, user.displayAvatarURL())
.setDescription(
"Maravilha! Agora você já pode acessar e publicar conteúdo **NSFW** de acordo com as suas preferências. O conteúdo publicado pode ser seu, de alguém que você conhece/admira ou de uma figura pública, contanto que seja **material de circulação consensual na internet**, podendo contar ou não com nudez explícita e teor sexual. **Aproveite!**"
)
.setTimestamp()
.setFooter("#NSFWGIRL, #NSFWBOY, +18");
user.send(upd);
const rule2 = new Discord.MessageEmbed()
.setColor(values.colorGreen)
.setDescription(
"Utilize sempre o comando **?Post Pin @username** conforme os seguintes exemplos: **?Post nsfwboy @username** ou omitindo o username da pessoa presente na mídia como em: **?Post nsfwgirl**"
);
user.send(rule2);
const rule3 = new Discord.MessageEmbed()
.setColor("values.colorRed")
.setDescription(
"**ATENÇÃO!** Conteúdo que se caracterize por crime e/ou que não possua relação com o tópico resultará em rastreamento e identificação do envolvido"
);
user.send(rule3);
const rule4 = new Discord.MessageEmbed()
.setColor("values.colorRed")
.setDescription(
"**ATENÇÃO!** Por favor, não apague as mídias enviadas neste chat, isso fará com que elas desapareçam também do servidor. Em alternativa apenas exclua a conversa com o Đoge Bot"
);
user.send(rule4);
}
}
if (reaction.message.id === values.reactClubId) {
let role;
let name;
if (reaction.emoji.name === "🐲") {
name = "Anime Club 🐲";
role = values.animeClubId;
}
if (reaction.emoji.name === "🎨") {
name = "Art Club 🎨";
role = values.artClubId;
}
if (reaction.emoji.name === "🎥") {
name = "Cinema Club 🎥";
role = values.cinemaClubId;
}
if (reaction.emoji.name === "🌈") {
name = "LGBT 🌈";
role = values.lgbtClubId ;
}
if (reaction.emoji.name === "📚") {
name = "Reading Club 📚";
role = values.readingClubId;
}
if (reaction.emoji.name === "🌱") {
name = "Veggie 🌱";
role = values.veggieClubId;
}
await reaction.message.guild.members.cache
.get(user.id)
.roles.add(role);
const update = new Discord.MessageEmbed()
.setTitle(`${name}`)
.setColor(values.colorDoge)
.setAuthor(user.tag, user.displayAvatarURL())
.setDescription("Agora faz parte de uma nova comunidade!")
.setFooter(`ID do Usuário: ${user.id}`);
bot.channels.cache
.get(values.updatesChannelId)
.send(`${user}`)
.then((msg) => {
setTimeout(() => msg.delete(), 1800000);
}).catch((error) => {
console.error('Failed task with the following error:', error);
});
bot.channels.cache.get(values.updatesChannelId).send(update);
}
});
/**
* --------------------------------------------------------------------------------------------------------------------Message Reaction (Remotion)
*/
bot.on("messageReactionRemove", async (reaction, user) => {
if (reaction.message.partial) await reaction.message.fetch();
if (reaction.partial) await reaction.fetch;
if (user.bot) return;
if (!reaction.message.guild) return;
if (reaction.message.id === values.reactNsfwId) {
let channel;
if (reaction.emoji.name === "🍑") {
channel = bot.channels.cache.get(values.nsfw1ChannelId);
channel
.updateOverwrite(user, {
VIEW_CHANNEL: false,
})
.then((channel) =>
(channel.permissionOverwrites.get(user.id))
)
.catch(console.error);
}
if (reaction.emoji.name === "🍆") {
channel = bot.channels.cache.get(values.nsfw2ChannelId);
channel
.updateOverwrite(user, {
VIEW_CHANNEL: false,
})
.then((channel) =>
(channel.permissionOverwrites.get(user.id))
)
.catch(console.error);
}
if (reaction.emoji.name === "💦") {
channel = bot.channels.cache.get(values.nsfw3ChannelId);
channel
.updateOverwrite(user, {
VIEW_CHANNEL: false,
})
.then((channel) =>
(channel.permissionOverwrites.get(user.id))
)
.catch(console.error);
}
}
if (reaction.message.id === values.reactClubId) {
let role;
let name;
if (reaction.emoji.name === "🐲") {
name = "Anime Club 🐲";
role = values.animeClubId;
}
if (reaction.emoji.name === "🎨") {
name = "Art Club 🎨";
role = values.artClubId;
}
if (reaction.emoji.name === "🎥") {
name = "Cinema Club 🎥";
role = values.cinemaClubId;
}
if (reaction.emoji.name === "🌈") {
name = "LGBT 🌈";
role = values.lgbtClubId ;
}
if (reaction.emoji.name === "📚") {
name = "Reading Club 📚";
role = values.readingClubId;
}
if (reaction.emoji.name === "🌱") {
name = "Veggie 🌱";
role = values.veggieClubId;
}
await reaction.message.guild.members.cache
.get(user.id)
.roles.remove(role);
const update = new Discord.MessageEmbed()
.setTitle(`${name}`)
.setColor(values.colorGrey)
.setAuthor(user.tag, user.displayAvatarURL())
.setDescription("Agora não faz mais parte desta comunidade!")
.setFooter(`ID do Usuário: ${user.id}`);
bot.channels.cache
.get(values.updatesChannelId)
.send(`${user}`)
.then((msg) => {
setTimeout(() => msg.delete(), 1800000);
}).catch((error) => {
console.error('Failed task with the following error:', error);
});
bot.channels.cache.get(values.updatesChannelId).send(update);
}
});