Move to jda-ktx and a few fixes

Update to JDA 5 alpha 13
Fix missing queue()
Use new sticker upload API
This commit is contained in:
NepNep21 2022-06-28 18:08:31 -03:00
parent 64481eecb9
commit 6258453308
Signed by untrusted user who does not match committer: nep
GPG key ID: 818E86B41BD5C364
46 changed files with 361 additions and 422 deletions

View file

@ -1,6 +1,6 @@
plugins { plugins {
id 'java' id 'java'
id 'org.jetbrains.kotlin.jvm' version '1.5.31' id 'org.jetbrains.kotlin.jvm' version '1.6.21'
} }
group 'me.nepnep.nepbot' group 'me.nepnep.nepbot'
@ -12,13 +12,14 @@ repositories {
} }
dependencies { dependencies {
implementation 'net.dv8tion:JDA:5.0.0-alpha.10' implementation 'net.dv8tion:JDA:5.0.0-alpha.13'
implementation 'org.mongodb:mongodb-driver-sync:4.5.1' implementation 'org.mongodb:mongodb-driver-sync:4.5.1'
implementation 'com.fasterxml.jackson.core:jackson-core:2.13.2' implementation 'com.fasterxml.jackson.core:jackson-core:2.13.2'
implementation 'com.fasterxml.jackson.core:jackson-databind:2.13.2.2' implementation 'com.fasterxml.jackson.core:jackson-databind:2.13.2.2'
implementation 'ch.qos.logback:logback-classic:1.3.0-alpha5' implementation 'ch.qos.logback:logback-classic:1.3.0-alpha5'
implementation 'com.github.bottom-software-foundation:bottom-java:v2.1.0' implementation 'com.github.bottom-software-foundation:bottom-java:v2.1.0'
implementation 'org.jetbrains.kotlin:kotlin-stdlib-jdk8' implementation 'org.jetbrains.kotlin:kotlin-stdlib-jdk8'
implementation 'com.github.minndevelopment:jda-ktx:d5c5d9d2da0beec8b04c5414651b3e39690e7093'
} }
jar { jar {

View file

@ -1,22 +0,0 @@
package me.nepnep.nepbot
import me.nepnep.nepbot.database.getDefaultRole
import net.dv8tion.jda.api.Permission
import net.dv8tion.jda.api.events.guild.member.GuildMemberJoinEvent
import net.dv8tion.jda.api.hooks.ListenerAdapter
class DefaultRole : ListenerAdapter() {
override fun onGuildMemberJoin(event: GuildMemberJoinEvent) {
val guild = event.guild
val role = guild.getDefaultRole() ?: return
val member = event.member
val selfMember = guild.selfMember
if (selfMember.hasPermission(Permission.MANAGE_ROLES)
&& selfMember.canInteract(member)
&& selfMember.canInteract(role)
) {
guild.addRoleToMember(member, role).queue()
}
}
}

View file

@ -0,0 +1,179 @@
@file:Suppress("unused") // Unused receiver
package me.nepnep.nepbot
import dev.minn.jda.ktx.coroutines.await
import dev.minn.jda.ktx.events.CoroutineEventListener
import dev.minn.jda.ktx.messages.Embed
import me.nepnep.nepbot.database.*
import me.nepnep.nepbot.message.command.CommandRegister
import net.dv8tion.jda.api.Permission
import net.dv8tion.jda.api.entities.GuildMessageChannel
import net.dv8tion.jda.api.entities.emoji.Emoji
import net.dv8tion.jda.api.events.guild.member.GuildMemberJoinEvent
import net.dv8tion.jda.api.events.guild.member.GuildMemberRemoveEvent
import net.dv8tion.jda.api.events.message.MessageReceivedEvent
import net.dv8tion.jda.api.events.message.react.MessageReactionAddEvent
import net.dv8tion.jda.api.events.thread.ThreadHiddenEvent
import net.dv8tion.jda.api.events.thread.ThreadRevealedEvent
suspend fun CoroutineEventListener.commandResponder(event: MessageReceivedEvent) {
// Ignore private events for now
if (!event.isFromGuild) {
return
}
val content = event.message.contentRaw
val guild = event.guild
val prefix = guild.getPrefix()
val author = event.author
val channel = event.channel as GuildMessageChannel
if (!author.isBot
&& !event.isWebhookMessage
&& content.startsWith(prefix)
&& guild.selfMember.canSend(channel)
) {
val split = content.replaceFirst(prefix, "").split(" ")
val invoke = split[0].lowercase()
if (CommandRegister.register.containsKey(invoke)) {
val command = CommandRegister.register.getValue(invoke)
if (event.member!!.hasPermission(channel, command.requiredPermission)) {
val args = split.subList(1, split.size)
command.execute(args, event, channel)
} else {
channel.sendMessage("Invalid permissions (required ${command.requiredPermission.name})").queue()
}
}
}
}
fun CoroutineEventListener.defaultRole(event: GuildMemberJoinEvent) {
val guild = event.guild
val role = guild.getDefaultRole() ?: return
val member = event.member
val selfMember = guild.selfMember
if (selfMember.hasPermission(Permission.MANAGE_ROLES)
&& selfMember.canInteract(member)
&& selfMember.canInteract(role)
) {
guild.addRoleToMember(member, role).queue()
}
}
fun CoroutineEventListener.joinMessage(event: GuildMemberJoinEvent) {
val guild = event.guild
val joinDetails = guild.getJoinDetails() ?: return
val channel = guild.getTextChannelById(joinDetails["channel"].longValue()) ?: return
val message = joinDetails["message"].textValue()
if (guild.selfMember.hasPermission(channel, Permission.MESSAGE_SEND)) {
channel.sendMessage(message.replace("%s", event.user.asMention)).queue()
}
}
fun CoroutineEventListener.leaveMessage(event: GuildMemberRemoveEvent) {
val guild = event.guild
val channels = guild.getTextChannelsByName("goodbye", false)
if (channels.isNotEmpty()) {
val channel = channels[0]
if (guild.selfMember.hasPermission(channel, Permission.MESSAGE_SEND)) {
channel.sendMessage("${event.user.asTag} just left the server, goodbye.").queue()
}
}
}
fun CoroutineEventListener.onThreadRevealed(event: ThreadRevealedEvent) {
event.thread.join().queue()
}
fun CoroutineEventListener.onThreadHidden(event: ThreadHiddenEvent) {
val thread = event.thread
for (type in BlacklistType.values()) {
thread.removeFromBlacklist(type)
}
thread.removeFromWhitelist()
}
suspend fun CoroutineEventListener.onMessageReactionAdd(event: MessageReactionAddEvent) {
if (!event.isFromGuild) {
return
}
val guild = event.guild
val channels = guild.getTextChannelsByName("starboard", false)
if (channels.isNotEmpty()) {
val starboard = channels[0]
val channel = event.channel
if (!guild.isInStarboard(event.messageIdLong)
&& channel != starboard
&& guild.selfMember.hasPermission(starboard, Permission.MESSAGE_SEND)
) {
val message = event.retrieveMessage().await()
val stars = message.reactions.filter { it.emoji.type == Emoji.Type.UNICODE && it.emoji.asReactionCode == "" }
if (stars.isNotEmpty()) {
val reaction = stars[0]
val users = reaction.retrieveUsers().await()
val author = message.author
val starCount = if (users.contains(author)) reaction.count - 1 else reaction.count
if (starCount == 3) {
val embed = Embed {
author {
name = author.asTag
url = author.effectiveAvatarUrl
}
description = "[Context](${message.jumpUrl})\n${message.contentRaw}"
timestamp = message.timeCreated
image = message.attachments.firstOrNull()?.url
}
guild.addToStarboard(event.messageIdLong)
starboard.sendMessageEmbeds(embed).queue()
}
}
}
}
}
fun CoroutineEventListener.messages(event: MessageReceivedEvent) {
if (!event.isFromGuild) {
return
}
val message = event.message
val guild = event.guild
val selfMember = guild.selfMember
val channel = event.channel as GuildMessageChannel
val canSend = selfMember.canSend(channel)
if (!(event.isWebhookMessage || event.author.isBot)) {
if (message.mentions.members.contains(selfMember) && canSend) {
channel.sendMessage("My prefix for this guild is ${guild.getPrefix()}").queue()
}
if (config["uncalledMessages"].booleanValue()) {
val shouldSendLewd = !channel.isInBlacklist(BlacklistType.LEWD)
val content = message.contentRaw.lowercase()
if (canSend) {
if (content.contains("communism") || content.contains("socialism")) {
channel.sendMessage("https://www.youtube.com/watch?v=gnXUFXc2Yns&ab_channel=ComradeLuigi")
.queue()
}
if ((content.contains("lewd")
|| content.contains("sex")
|| content.contains("cum")
|| content.contains("semen")
|| content.contains("penis")) && shouldSendLewd
) {
channel.sendMessage("https://tenor.com/view/neptunia-gif-18952040").queue()
}
if (content.contains("what if") && !channel.isInBlacklist(BlacklistType.TRY_IT_AND_SEE)) {
channel.sendMessage("https://tryitands.ee/").queue()
}
}
}
}
}

View file

@ -1,19 +0,0 @@
package me.nepnep.nepbot
import me.nepnep.nepbot.database.getJoinDetails
import net.dv8tion.jda.api.Permission
import net.dv8tion.jda.api.events.guild.member.GuildMemberJoinEvent
import net.dv8tion.jda.api.hooks.ListenerAdapter
class JoinMessage : ListenerAdapter() {
override fun onGuildMemberJoin(event: GuildMemberJoinEvent) {
val guild = event.guild
val joinDetails = guild.getJoinDetails() ?: return
val channel = guild.getTextChannelById(joinDetails["channel"].longValue()) ?: return
val message = joinDetails["message"].textValue()
if (guild.selfMember.hasPermission(channel, Permission.MESSAGE_SEND)) {
channel.sendMessage(message.replace("%s", event.user.asMention)).queue()
}
}
}

View file

@ -1,19 +0,0 @@
package me.nepnep.nepbot
import net.dv8tion.jda.api.Permission
import net.dv8tion.jda.api.events.guild.member.GuildMemberRemoveEvent
import net.dv8tion.jda.api.hooks.ListenerAdapter
class LeaveMessage : ListenerAdapter() {
override fun onGuildMemberRemove(event: GuildMemberRemoveEvent) {
val guild = event.guild
val channels = guild.getTextChannelsByName("goodbye", false)
if (channels.isNotEmpty()) {
val channel = channels[0]
if (guild.selfMember.hasPermission(channel, Permission.MESSAGE_SEND)) {
channel.sendMessage("${event.user.asTag} just left the server, goodbye.").queue()
}
}
}
}

View file

@ -3,10 +3,11 @@ package me.nepnep.nepbot
import com.fasterxml.jackson.databind.ObjectMapper import com.fasterxml.jackson.databind.ObjectMapper
import com.mongodb.ConnectionString import com.mongodb.ConnectionString
import com.mongodb.client.MongoClients import com.mongodb.client.MongoClients
import me.nepnep.nepbot.message.Messages import dev.minn.jda.ktx.events.CoroutineEventListener
import dev.minn.jda.ktx.events.listener
import dev.minn.jda.ktx.jdabuilder.default
import dev.minn.jda.ktx.jdabuilder.intents
import me.nepnep.nepbot.message.command.CommandRegister import me.nepnep.nepbot.message.command.CommandRegister
import me.nepnep.nepbot.message.command.CommandResponder
import net.dv8tion.jda.api.JDABuilder
import net.dv8tion.jda.api.entities.Activity import net.dv8tion.jda.api.entities.Activity
import net.dv8tion.jda.api.requests.GatewayIntent import net.dv8tion.jda.api.requests.GatewayIntent
import net.dv8tion.jda.api.utils.MemberCachePolicy import net.dv8tion.jda.api.utils.MemberCachePolicy
@ -24,36 +25,28 @@ fun main() {
val token = System.getenv("BOT_TOKEN") val token = System.getenv("BOT_TOKEN")
CommandRegister.registerCommands() CommandRegister.registerCommands()
val jda = default(token) {
intents += GatewayIntent.GUILD_MEMBERS
setMemberCachePolicy(MemberCachePolicy.ALL)
setMaxReconnectDelay(config["reconnectDelay"].intValue())
val builder = JDABuilder.createDefault(token) val activity = config["activity"]
.enableIntents(GatewayIntent.GUILD_MEMBERS) val content = activity["content"].textValue()
.setMemberCachePolicy(MemberCachePolicy.ALL) setActivity(when (activity["content"].textValue()) {
.addEventListeners( "watching" -> Activity.watching(content)
CommandResponder(), "competing" -> Activity.competing(content)
Messages(), "listening" -> Activity.listening(content)
DefaultRole(), "playing" -> Activity.playing(content)
JoinMessage(), else -> null
LeaveMessage(), })
Starboard(),
ThreadListener()
)
.setMaxReconnectDelay(config["reconnectDelay"].intValue())
val activity = config["activity"]
val content = activity["content"].textValue()
when (activity["type"].textValue()) {
"watching" -> {
builder.setActivity(Activity.watching(content))
}
"competing" -> {
builder.setActivity(Activity.competing(content))
}
"listening" -> {
builder.setActivity(Activity.listening(content))
}
"playing" -> {
builder.setActivity(Activity.playing(content))
}
} }
builder.build() jda.listener(consumer = CoroutineEventListener::commandResponder)
jda.listener(consumer = CoroutineEventListener::defaultRole)
jda.listener(consumer = CoroutineEventListener::joinMessage)
jda.listener(consumer = CoroutineEventListener::leaveMessage)
jda.listener(consumer = CoroutineEventListener::onThreadRevealed)
jda.listener(consumer = CoroutineEventListener::onThreadHidden)
jda.listener(consumer = CoroutineEventListener::onMessageReactionAdd)
jda.listener(consumer = CoroutineEventListener::messages)
} }

View file

@ -1,53 +0,0 @@
package me.nepnep.nepbot
import me.nepnep.nepbot.database.addToStarboard
import me.nepnep.nepbot.database.isInStarboard
import net.dv8tion.jda.api.EmbedBuilder
import net.dv8tion.jda.api.Permission
import net.dv8tion.jda.api.events.message.react.MessageReactionAddEvent
import net.dv8tion.jda.api.hooks.ListenerAdapter
class Starboard : ListenerAdapter() {
override fun onMessageReactionAdd(event: MessageReactionAddEvent) {
if (!event.isFromGuild) {
return
}
val guild = event.guild
val channels = guild.getTextChannelsByName("starboard", false)
if (channels.isNotEmpty()) {
val starboard = channels[0]
val channel = event.channel
if (!guild.isInStarboard(event.messageIdLong)
&& channel != starboard
&& guild.selfMember.hasPermission(starboard, Permission.MESSAGE_SEND)
) {
event.retrieveMessage().queue { message ->
val stars = message.reactions.filter { it.reactionEmote.isEmoji && it.reactionEmote.emoji == "" }
if (stars.isNotEmpty()) {
val reaction = stars[0]
reaction.retrieveUsers().queue {
val author = message.author
val starCount = if (it.contains(author)) reaction.count - 1 else reaction.count
if (starCount == 3) {
val builder = EmbedBuilder()
.setAuthor(author.asTag, null, author.effectiveAvatarUrl)
.setDescription("[Context](${message.jumpUrl})\n${message.contentRaw}")
.setTimestamp(message.timeCreated)
val attachments = message.attachments
if (attachments.isNotEmpty()) {
builder.setImage(attachments[0].url)
}
guild.addToStarboard(event.messageIdLong)
starboard.sendMessageEmbeds(builder.build()).queue()
}
}
}
}
}
}
}
}

View file

@ -1,22 +0,0 @@
package me.nepnep.nepbot
import me.nepnep.nepbot.database.BlacklistType
import me.nepnep.nepbot.database.removeFromBlacklist
import me.nepnep.nepbot.database.removeFromWhitelist
import net.dv8tion.jda.api.events.thread.ThreadHiddenEvent
import net.dv8tion.jda.api.events.thread.ThreadRevealedEvent
import net.dv8tion.jda.api.hooks.ListenerAdapter
class ThreadListener : ListenerAdapter() {
override fun onThreadRevealed(event: ThreadRevealedEvent) {
event.thread.join().queue()
}
override fun onThreadHidden(event: ThreadHiddenEvent) {
val thread = event.thread
for (type in BlacklistType.values()) {
thread.removeFromBlacklist(type)
}
thread.removeFromWhitelist()
}
}

View file

@ -1,53 +0,0 @@
package me.nepnep.nepbot.message
import me.nepnep.nepbot.canSend
import me.nepnep.nepbot.config
import me.nepnep.nepbot.database.BlacklistType
import me.nepnep.nepbot.database.getPrefix
import me.nepnep.nepbot.database.isInBlacklist
import net.dv8tion.jda.api.Permission
import net.dv8tion.jda.api.entities.GuildMessageChannel
import net.dv8tion.jda.api.events.message.MessageReceivedEvent
import net.dv8tion.jda.api.hooks.ListenerAdapter
class Messages : ListenerAdapter() {
override fun onMessageReceived(event: MessageReceivedEvent) {
if (!event.isFromGuild) {
return
}
val message = event.message
val guild = event.guild
val selfMember = guild.selfMember
val channel = event.channel as GuildMessageChannel
val canSend = selfMember.canSend(channel)
if (!(event.isWebhookMessage || event.author.isBot)) {
if (message.mentionedMembers.contains(selfMember) && canSend) {
channel.sendMessage("My prefix for this guild is ${guild.getPrefix()}").queue()
}
if (config["uncalledMessages"].booleanValue()) {
val shouldSendLewd = !channel.isInBlacklist(BlacklistType.LEWD)
val content = message.contentRaw.lowercase()
if (canSend) {
if (content.contains("communism") || content.contains("socialism")) {
channel.sendMessage("https://www.youtube.com/watch?v=gnXUFXc2Yns&ab_channel=ComradeLuigi")
.queue()
}
if ((content.contains("lewd")
|| content.contains("sex")
|| content.contains("cum")
|| content.contains("semen")
|| content.contains("penis")) && shouldSendLewd
) {
channel.sendMessage("https://tenor.com/view/neptunia-gif-18952040").queue()
}
if (content.contains("what if") && !channel.isInBlacklist(BlacklistType.TRY_IT_AND_SEE)) {
channel.sendMessage("https://tryitands.ee/").queue()
}
}
}
}
}
}

View file

@ -10,5 +10,5 @@ abstract class AbstractCommand(
val description: String, val description: String,
val requiredPermission: Permission = Permission.MESSAGE_SEND val requiredPermission: Permission = Permission.MESSAGE_SEND
) { ) {
abstract fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) abstract suspend fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel)
} }

View file

@ -1,42 +0,0 @@
package me.nepnep.nepbot.message.command
import me.nepnep.nepbot.canSend
import me.nepnep.nepbot.database.getPrefix
import net.dv8tion.jda.api.entities.GuildMessageChannel
import net.dv8tion.jda.api.events.message.MessageReceivedEvent
import net.dv8tion.jda.api.hooks.ListenerAdapter
class CommandResponder : ListenerAdapter() {
override fun onMessageReceived(event: MessageReceivedEvent) {
// Ignore private events for now
if (!event.isFromGuild) {
return
}
val content = event.message.contentRaw
val guild = event.guild
val prefix = guild.getPrefix()
val author = event.author
val channel = event.channel as GuildMessageChannel
if (!author.isBot
&& !event.isWebhookMessage
&& content.startsWith(prefix)
&& guild.selfMember.canSend(channel)
) {
val split = content.replaceFirst(prefix, "").split(" ")
val invoke = split[0].lowercase()
if (CommandRegister.register.containsKey(invoke)) {
val command = CommandRegister.register.getValue(invoke)
if (event.member!!.hasPermission(channel, command.requiredPermission)) {
val args = split.subList(1, split.size)
command.execute(args, event, channel)
} else {
channel.sendMessage("Invalid permissions (required ${command.requiredPermission.name})")
.queue()
}
}
}
}
}

View file

@ -12,7 +12,7 @@ class Help : AbstractCommand(
Category.GENERAL, Category.GENERAL,
"Help page: ;help <int page> | null" "Help page: ;help <int page> | null"
) { ) {
override fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) { override suspend fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) {
if (args.isEmpty()) { if (args.isEmpty()) {
val categories = Category.values().joinToString("\n") { it.toString() } val categories = Category.values().joinToString("\n") { it.toString() }

View file

@ -10,7 +10,7 @@ class Ping : AbstractCommand(
Category.GENERAL, Category.GENERAL,
"Pong!" "Pong!"
) { ) {
override fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) { override suspend fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) {
channel.sendMessage("${event.jda.gatewayPing}ms").queue() channel.sendMessage("${event.jda.gatewayPing}ms").queue()
} }
} }

View file

@ -11,8 +11,8 @@ class Poll : AbstractCommand(
Category.GENERAL, Category.GENERAL,
"Gets a random answer from options: ;poll <String... options>" "Gets a random answer from options: ;poll <String... options>"
) { ) {
override fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) { override suspend fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) {
if (event.message.mentionsEveryone()) { if (event.message.mentions.mentionsEveryone()) {
channel.sendMessage("Nice atEveryone attempt").queue() channel.sendMessage("Nice atEveryone attempt").queue()
return return
} }

View file

@ -12,7 +12,7 @@ class Shutdown : AbstractCommand(
Category.GENERAL, Category.GENERAL,
"Shuts down the bot" "Shuts down the bot"
) { ) {
override fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) { override suspend fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) {
val operator = config["operator"].longValue() val operator = config["operator"].longValue()
if (event.author.idLong != operator) { if (event.author.idLong != operator) {

View file

@ -1,10 +1,11 @@
package me.nepnep.nepbot.message.command.commands package me.nepnep.nepbot.message.command.commands
import me.nepnep.nepbot.message.command.Category import dev.minn.jda.ktx.messages.Embed
import me.nepnep.nepbot.message.command.AbstractCommand import me.nepnep.nepbot.message.command.AbstractCommand
import net.dv8tion.jda.api.EmbedBuilder import me.nepnep.nepbot.message.command.Category
import net.dv8tion.jda.api.Permission import net.dv8tion.jda.api.Permission
import net.dv8tion.jda.api.entities.GuildMessageChannel import net.dv8tion.jda.api.entities.GuildMessageChannel
import net.dv8tion.jda.api.entities.emoji.Emoji
import net.dv8tion.jda.api.events.message.MessageReceivedEvent import net.dv8tion.jda.api.events.message.MessageReceivedEvent
class Suggestion : AbstractCommand( class Suggestion : AbstractCommand(
@ -12,7 +13,7 @@ class Suggestion : AbstractCommand(
Category.GENERAL, Category.GENERAL,
"Makes a suggestion: ;suggestion <String suggestion>" "Makes a suggestion: ;suggestion <String suggestion>"
) { ) {
override fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) { override suspend fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) {
if (channel.name != "suggestions") { if (channel.name != "suggestions") {
channel.sendMessage("Channel not named `suggestions`!").queue() channel.sendMessage("Channel not named `suggestions`!").queue()
return return
@ -29,15 +30,15 @@ class Suggestion : AbstractCommand(
val suggestion = args.subList(0, args.size).joinToString(" ") val suggestion = args.subList(0, args.size).joinToString(" ")
val author = event.author val author = event.author
val embed = EmbedBuilder() val embed = Embed {
.setTitle(author.asTag) title = author.asTag
.setThumbnail(author.effectiveAvatarUrl) thumbnail = author.effectiveAvatarUrl
.setDescription(suggestion) description = suggestion
.setFooter("ID: " + author.id) footer("ID: " + author.id)
.build() }
channel.sendMessageEmbeds(embed).queue { channel.sendMessageEmbeds(embed).queue {
it.addReaction("").queue() it.addReaction(Emoji.fromUnicode("")).queue()
it.addReaction("").queue() it.addReaction(Emoji.fromUnicode("")).queue()
} }
event.message.delete().queue() event.message.delete().queue()
} }

View file

@ -13,7 +13,7 @@ class BottomWhitelist : AbstractCommand(
"Adds the channel to the bottom whitelist", "Adds the channel to the bottom whitelist",
Permission.MANAGE_CHANNEL Permission.MANAGE_CHANNEL
) { ) {
override fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) { override suspend fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) {
channel.addToWhitelist() channel.addToWhitelist()
} }
} }

View file

@ -1,5 +1,6 @@
package me.nepnep.nepbot.message.command.commands.admin package me.nepnep.nepbot.message.command.commands.admin
import dev.minn.jda.ktx.coroutines.await
import me.nepnep.nepbot.database.getDefaultRole import me.nepnep.nepbot.database.getDefaultRole
import me.nepnep.nepbot.message.command.Category import me.nepnep.nepbot.message.command.Category
import me.nepnep.nepbot.message.command.AbstractCommand import me.nepnep.nepbot.message.command.AbstractCommand
@ -13,7 +14,7 @@ class GiveDefaultRole : AbstractCommand(
"Gives the default role to all members without one", "Gives the default role to all members without one",
Permission.MANAGE_ROLES Permission.MANAGE_ROLES
) { ) {
override fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) { override suspend fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) {
val guild = event.guild val guild = event.guild
val role = guild.getDefaultRole() ?: return val role = guild.getDefaultRole() ?: return
@ -22,11 +23,10 @@ class GiveDefaultRole : AbstractCommand(
channel.sendMessage("I cannot interact with the default role").queue() channel.sendMessage("I cannot interact with the default role").queue()
return return
} }
guild.loadMembers().onSuccess { val members = guild.loadMembers().await()
for (member in it) { for (member in members) {
if (member.roles.isEmpty() && selfMember.canInteract(member)) { if (member.roles.isEmpty() && selfMember.canInteract(member)) {
guild.addRoleToMember(member, role).queue() guild.addRoleToMember(member, role).queue()
}
} }
} }
} }

View file

@ -13,7 +13,7 @@ class JoinMessage : AbstractCommand(
";joinmessage (set <long channelId> <String message (Use %s where you want the user's name to be)>) | remove", ";joinmessage (set <long channelId> <String message (Use %s where you want the user's name to be)>) | remove",
Permission.MANAGE_CHANNEL Permission.MANAGE_CHANNEL
) { ) {
override fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) { override suspend fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) {
val guild = event.guild val guild = event.guild
try { try {
if (args.size >= 3 && args[0] == "set") { if (args.size >= 3 && args[0] == "set") {

View file

@ -14,7 +14,7 @@ class LewdBlacklist : AbstractCommand(
"Adds the current channel to the lewd blacklist", "Adds the current channel to the lewd blacklist",
Permission.MANAGE_CHANNEL Permission.MANAGE_CHANNEL
) { ) {
override fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) { override suspend fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) {
channel.addToBlacklist(BlacklistType.LEWD) channel.addToBlacklist(BlacklistType.LEWD)
} }
} }

View file

@ -13,7 +13,7 @@ class Prefix : AbstractCommand(
"Sets/unsets the prefix: ;prefix (set <String prefix>) | unset", "Sets/unsets the prefix: ;prefix (set <String prefix>) | unset",
Permission.MANAGE_CHANNEL Permission.MANAGE_CHANNEL
) { ) {
override fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) { override suspend fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) {
if (args.isEmpty()) { if (args.isEmpty()) {
channel.sendMessage("Args cannot be empty!").queue() channel.sendMessage("Args cannot be empty!").queue()
return return
@ -22,7 +22,7 @@ class Prefix : AbstractCommand(
when (args[0]) { when (args[0]) {
"set" -> { "set" -> {
if (args.size < 2) { if (args.size < 2) {
channel.sendMessage("You must specify a prefix when using 'set'") channel.sendMessage("You must specify a prefix when using 'set'").queue()
return return
} }
guild.setPrefix(args[1]) guild.setPrefix(args[1])

View file

@ -13,7 +13,7 @@ class RemoveBottomWhitelist : AbstractCommand(
"Removes the channel from the bottom whitelist", "Removes the channel from the bottom whitelist",
Permission.MANAGE_CHANNEL Permission.MANAGE_CHANNEL
) { ) {
override fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) { override suspend fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) {
channel.removeFromWhitelist() channel.removeFromWhitelist()
} }
} }

View file

@ -14,7 +14,7 @@ class RemoveLewdBlacklist : AbstractCommand(
"Removes the current channel from the lewd blacklist", "Removes the current channel from the lewd blacklist",
Permission.MANAGE_CHANNEL Permission.MANAGE_CHANNEL
) { ) {
override fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) { override suspend fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) {
channel.removeFromBlacklist(BlacklistType.LEWD) channel.removeFromBlacklist(BlacklistType.LEWD)
} }
} }

View file

@ -13,8 +13,8 @@ class SetDefaultRole : AbstractCommand(
"Sets the default role: ;setdefaultrole <Mention role> or empty arguments for unsetting", "Sets the default role: ;setdefaultrole <Mention role> or empty arguments for unsetting",
Permission.MANAGE_ROLES Permission.MANAGE_ROLES
) { ) {
override fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) { override suspend fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) {
val mentionedRoles = event.message.mentionedRoles val mentionedRoles = event.message.mentions.roles
val guild = event.guild val guild = event.guild
if (mentionedRoles.isEmpty()) { if (mentionedRoles.isEmpty()) {
guild.setDefaultRole(null) guild.setDefaultRole(null)

View file

@ -1,12 +1,16 @@
package me.nepnep.nepbot.message.command.commands.admin package me.nepnep.nepbot.message.command.commands.admin
import dev.minn.jda.ktx.coroutines.await
import kotlinx.coroutines.Dispatchers
import kotlinx.coroutines.withContext
import me.nepnep.nepbot.isDiscord import me.nepnep.nepbot.isDiscord
import me.nepnep.nepbot.message.command.Category
import me.nepnep.nepbot.message.command.AbstractCommand import me.nepnep.nepbot.message.command.AbstractCommand
import me.nepnep.nepbot.message.command.Category
import net.dv8tion.jda.api.Permission import net.dv8tion.jda.api.Permission
import net.dv8tion.jda.api.entities.GuildMessageChannel import net.dv8tion.jda.api.entities.GuildMessageChannel
import net.dv8tion.jda.api.entities.Icon import net.dv8tion.jda.api.entities.Icon
import net.dv8tion.jda.api.events.message.MessageReceivedEvent import net.dv8tion.jda.api.events.message.MessageReceivedEvent
import net.dv8tion.jda.api.exceptions.ErrorResponseException
import java.net.MalformedURLException import java.net.MalformedURLException
import java.net.URL import java.net.URL
@ -14,12 +18,12 @@ class Steal : AbstractCommand(
"steal", "steal",
Category.ADMIN, Category.ADMIN,
"Steals an emote: ;steal <String url> <String name>", "Steals an emote: ;steal <String url> <String name>",
Permission.MANAGE_EMOTES_AND_STICKERS Permission.MANAGE_EMOJIS_AND_STICKERS
) { ) {
override fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) { override suspend fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) {
val guild = event.guild val guild = event.guild
if (!guild.selfMember.hasPermission(Permission.MANAGE_EMOTES_AND_STICKERS)) { if (!guild.selfMember.hasPermission(Permission.MANAGE_EMOJIS_AND_STICKERS)) {
channel.sendMessage("Insufficient bot permissions!").queue() channel.sendMessage("Insufficient bot permissions!").queue()
return return
} }
@ -40,13 +44,15 @@ class Steal : AbstractCommand(
return return
} }
val connection = url.openConnection() withContext(Dispatchers.IO) {
connection.setRequestProperty("User-Agent", "") val connection = url.openConnection()
connection.setRequestProperty("User-Agent", "")
val stream = connection.getInputStream() val stream = connection.getInputStream()
try {
guild.createEmote(args[1], Icon.from(stream)).queue(null) { guild.createEmoji(args[1], Icon.from(stream)).await()
channel.sendMessage(it.message!!).queue() } catch (e: ErrorResponseException) {
channel.sendMessage(e.message!!).queue()
}
} }
} catch (e: MalformedURLException) { } catch (e: MalformedURLException) {
channel.sendMessage("Malformed URL").queue() channel.sendMessage("Malformed URL").queue()

View file

@ -1,5 +1,8 @@
package me.nepnep.nepbot.message.command.commands.admin package me.nepnep.nepbot.message.command.commands.admin
import dev.minn.jda.ktx.coroutines.await
import kotlinx.coroutines.Dispatchers
import kotlinx.coroutines.withContext
import me.nepnep.nepbot.QUOTED_REGEX import me.nepnep.nepbot.QUOTED_REGEX
import me.nepnep.nepbot.isDiscord import me.nepnep.nepbot.isDiscord
import me.nepnep.nepbot.message.command.AbstractCommand import me.nepnep.nepbot.message.command.AbstractCommand
@ -7,23 +10,20 @@ import me.nepnep.nepbot.message.command.Category
import net.dv8tion.jda.api.Permission import net.dv8tion.jda.api.Permission
import net.dv8tion.jda.api.entities.GuildMessageChannel import net.dv8tion.jda.api.entities.GuildMessageChannel
import net.dv8tion.jda.api.events.message.MessageReceivedEvent import net.dv8tion.jda.api.events.message.MessageReceivedEvent
import net.dv8tion.jda.internal.requests.Route import net.dv8tion.jda.api.exceptions.ErrorResponseException
import net.dv8tion.jda.internal.requests.restaction.AuditableRestActionImpl import net.dv8tion.jda.api.utils.FileUpload
import net.dv8tion.jda.internal.utils.IOUtil
import okhttp3.MediaType.Companion.toMediaType
import okhttp3.MultipartBody
import java.net.URL import java.net.URL
class StealSticker : AbstractCommand( class StealSticker : AbstractCommand(
"stealsticker", "stealsticker",
Category.ADMIN, Category.ADMIN,
"Steals a sticker: ;stealsticker (<String link> \"<String description>\" \"<CommaSeparated tags>\" \"<String name>\") | <Sticker sticker>", "Steals a sticker: ;stealsticker (<String link> \"<String description>\" \"<CommaSeparated tags>\" \"<String name>\") | <Sticker sticker>",
Permission.MANAGE_EMOTES_AND_STICKERS Permission.MANAGE_EMOJIS_AND_STICKERS
) { ) {
override fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) { override suspend fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) {
val guild = event.guild val guild = event.guild
if (!guild.selfMember.hasPermission(Permission.MANAGE_EMOTES_AND_STICKERS)) { if (!guild.selfMember.hasPermission(Permission.MANAGE_EMOJIS_AND_STICKERS)) {
channel.sendMessage("I can't upload stickers!").queue() channel.sendMessage("I can't upload stickers!").queue()
return return
} }
@ -40,7 +40,7 @@ class StealSticker : AbstractCommand(
return return
} }
if (hasStickers) { if (hasStickers) {
val sticker = stickers[0] val sticker = event.jda.retrieveSticker(stickers.first()).await()
url = sticker.iconUrl url = sticker.iconUrl
name = sticker.name name = sticker.name
description = sticker.description description = sticker.description
@ -83,22 +83,16 @@ class StealSticker : AbstractCommand(
return return
} }
val connection = actualUrl.openConnection() withContext(Dispatchers.IO) {
connection.setRequestProperty("User-Agent", "") // To fix discord file downloading weirdness val connection = actualUrl.openConnection()
val stream = connection.inputStream connection.setRequestProperty("User-Agent", "") // To fix discord file downloading weirdness
val stream = connection.inputStream
val data = MultipartBody.Builder() try {
.setType(MultipartBody.FORM) guild.createSticker(name, description, FileUpload.fromData(stream, "sticker"), tags.split(',')).await()
.addFormDataPart("name", name) } catch (e: ErrorResponseException) {
.addFormDataPart("description", description) channel.sendMessage(e.message!!).queue()
.addFormDataPart("tags", tags) }
.addFormDataPart("file", "sticker", IOUtil.createRequestBody(connection.contentType.toMediaType(), stream))
.build()
// JDA doesn't support sticker uploading in its API yet
AuditableRestActionImpl<Unit>(event.jda, Route.post("guilds/{guildId}/stickers").compile(guild.id), data).queue(
null
) {
channel.sendMessage(it.message!!).queue()
} }
} }
} }

View file

@ -15,7 +15,7 @@ class TryItAndSeeBlacklist : AbstractCommand(
"Adds/removes a channel from the \"try it and see\" blacklist", "Adds/removes a channel from the \"try it and see\" blacklist",
Permission.MANAGE_CHANNEL Permission.MANAGE_CHANNEL
) { ) {
override fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) { override suspend fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) {
when { when {
args.isEmpty() -> { args.isEmpty() -> {
channel.addToBlacklist(BlacklistType.TRY_IT_AND_SEE) channel.addToBlacklist(BlacklistType.TRY_IT_AND_SEE)

View file

@ -10,7 +10,7 @@ class BigRat : AbstractCommand(
Category.ANIMALS, Category.ANIMALS,
"A big rat" "A big rat"
) { ) {
override fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) { override suspend fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) {
channel.sendMessage("https://bigrat.monster/").queue() channel.sendMessage("https://bigrat.monster/").queue()
} }
} }

View file

@ -11,7 +11,7 @@ class HttpCat : AbstractCommand(
Category.ANIMALS, Category.ANIMALS,
"Http cats: ;http <int code>" "Http cats: ;http <int code>"
) { ) {
override fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) { override suspend fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) {
if (args.isEmpty()) { if (args.isEmpty()) {
channel.sendMessage("Invalid usage").queue() channel.sendMessage("Invalid usage").queue()
return return

View file

@ -37,7 +37,7 @@ class RandomChimpEvent : AbstractCommand(
"https://cdn.discordapp.com/attachments/710891361615740948/762014906039271524/video0.mp4" "https://cdn.discordapp.com/attachments/710891361615740948/762014906039271524/video0.mp4"
) )
override fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) { override suspend fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) {
channel.sendMessage(monkeys[ThreadLocalRandom.current().nextInt(0, monkeys.size)]).queue() channel.sendMessage(monkeys[ThreadLocalRandom.current().nextInt(0, monkeys.size)]).queue()
} }
} }

View file

@ -10,7 +10,7 @@ class Shut : AbstractCommand(
Category.ANIMALS, Category.ANIMALS,
"Shut!!" "Shut!!"
) { ) {
override fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) { override suspend fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) {
channel.sendMessage("https://shutplea.se/").queue() channel.sendMessage("https://shutplea.se/").queue()
} }
} }

View file

@ -10,7 +10,7 @@ class TinyCat : AbstractCommand(
Category.ANIMALS, Category.ANIMALS,
"A tiny cat" "A tiny cat"
) { ) {
override fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) { override suspend fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) {
channel.sendMessage("http://tinycat.monster/").queue() channel.sendMessage("http://tinycat.monster/").queue()
} }
} }

View file

@ -10,7 +10,7 @@ class XmasRat : AbstractCommand(
Category.ANIMALS, Category.ANIMALS,
"A christmas rat" "A christmas rat"
) { ) {
override fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) { override suspend fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) {
channel.sendMessage("https://christmas.bigrat.monster/").queue() channel.sendMessage("https://christmas.bigrat.monster/").queue()
} }
} }

View file

@ -13,7 +13,7 @@ class BottomCommand : AbstractCommand(
Category.FUN, Category.FUN,
"Encodes/Decodes to bottom: ;bottom <encode> | <decode> <String string>" "Encodes/Decodes to bottom: ;bottom <encode> | <decode> <String string>"
) { ) {
override fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) { override suspend fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) {
if (channel.isInWhitelist() && args.size >= 2) { if (channel.isInWhitelist() && args.size >= 2) {
val string = args.subList(1, args.size).joinToString(" ") val string = args.subList(1, args.size).joinToString(" ")

View file

@ -1,8 +1,8 @@
package me.nepnep.nepbot.message.command.commands.`fun` package me.nepnep.nepbot.message.command.commands.`fun`
import me.nepnep.nepbot.message.command.Category import dev.minn.jda.ktx.messages.Embed
import me.nepnep.nepbot.message.command.AbstractCommand import me.nepnep.nepbot.message.command.AbstractCommand
import net.dv8tion.jda.api.EmbedBuilder import me.nepnep.nepbot.message.command.Category
import net.dv8tion.jda.api.entities.GuildMessageChannel import net.dv8tion.jda.api.entities.GuildMessageChannel
import net.dv8tion.jda.api.events.message.MessageReceivedEvent import net.dv8tion.jda.api.events.message.MessageReceivedEvent
@ -11,11 +11,10 @@ class Lmddgtfy : AbstractCommand(
Category.FUN, Category.FUN,
"Searches something for you on duck duck go: ;lmddgtfy <String query>" "Searches something for you on duck duck go: ;lmddgtfy <String query>"
) { ) {
override fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) { override suspend fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) {
val query = args.subList(0, args.size).joinToString(" ") val query = args.subList(0, args.size).joinToString(" ")
val safe = query.replace(" ", "%20") val safe = query.replace(" ", "%20")
val embed = EmbedBuilder().setDescription("[Result](https://lmddgtfy.net/?q=$safe)").build()
channel.sendMessageEmbeds(embed).queue() channel.sendMessageEmbeds(Embed { description = "[Result](https://lmddgtfy.net/?q=$safe)" }).queue()
} }
} }

View file

@ -11,7 +11,7 @@ class Xkcd : AbstractCommand(
Category.FUN, Category.FUN,
"Returns a random xkcd comic or a specific one" "Returns a random xkcd comic or a specific one"
) { ) {
override fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) { override suspend fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) {
when (args.size) { when (args.size) {
0 -> { 0 -> {
event.jda.httpClient.request("https://c.xkcd.com/random/comic/", { event.jda.httpClient.request("https://c.xkcd.com/random/comic/", {

View file

@ -1,8 +1,8 @@
package me.nepnep.nepbot.message.command.commands.info package me.nepnep.nepbot.message.command.commands.info
import me.nepnep.nepbot.message.command.Category import dev.minn.jda.ktx.messages.Embed
import me.nepnep.nepbot.message.command.AbstractCommand import me.nepnep.nepbot.message.command.AbstractCommand
import net.dv8tion.jda.api.EmbedBuilder import me.nepnep.nepbot.message.command.Category
import net.dv8tion.jda.api.JDAInfo import net.dv8tion.jda.api.JDAInfo
import net.dv8tion.jda.api.entities.GuildMessageChannel import net.dv8tion.jda.api.entities.GuildMessageChannel
import net.dv8tion.jda.api.events.message.MessageReceivedEvent import net.dv8tion.jda.api.events.message.MessageReceivedEvent
@ -13,7 +13,7 @@ class BotInfo : AbstractCommand(
Category.INFO, Category.INFO,
"Shows information about the bot!" "Shows information about the bot!"
) { ) {
override fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) { override suspend fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) {
val guilds = event.jda.guildCache val guilds = event.jda.guildCache
val runtime = Runtime.getRuntime() val runtime = Runtime.getRuntime()
@ -25,14 +25,14 @@ class BotInfo : AbstractCommand(
val uptime = ManagementFactory.getRuntimeMXBean().uptime val uptime = ManagementFactory.getRuntimeMXBean().uptime
val jdaVersion = JDAInfo.VERSION val jdaVersion = JDAInfo.VERSION
val embed = EmbedBuilder() val embed = Embed {
.addField("Java Version", javaVersion, true) field("Java Version", javaVersion)
.addField("Total Guilds", guildAmount.toString(), true) field("Total Guilds", guildAmount.toString())
.addField("Total Users", userAmount.toString(), true) field("Total Users", userAmount.toString())
.addField("RAM Usage", (memoryUsed / 1000000).toString() + "MB", true) field("RAM Usage", (memoryUsed / 1000000).toString() + "MB")
.addField("Uptime", (uptime / 3600000).toString() + " Hours", true) field((uptime / 3600000).toString() + " Hours")
.addField("JDA Version", jdaVersion, true) field("JDA Version", jdaVersion)
.build() }
channel.sendMessageEmbeds(embed).queue() channel.sendMessageEmbeds(embed).queue()
} }
} }

View file

@ -1,10 +1,10 @@
package me.nepnep.nepbot.message.command.commands.info package me.nepnep.nepbot.message.command.commands.info
import com.fasterxml.jackson.databind.ObjectMapper import com.fasterxml.jackson.databind.ObjectMapper
import me.nepnep.nepbot.message.command.Category import dev.minn.jda.ktx.messages.Embed
import me.nepnep.nepbot.message.command.AbstractCommand import me.nepnep.nepbot.message.command.AbstractCommand
import me.nepnep.nepbot.message.command.Category
import me.nepnep.nepbot.request import me.nepnep.nepbot.request
import net.dv8tion.jda.api.EmbedBuilder
import net.dv8tion.jda.api.entities.GuildMessageChannel import net.dv8tion.jda.api.entities.GuildMessageChannel
import net.dv8tion.jda.api.events.message.MessageReceivedEvent import net.dv8tion.jda.api.events.message.MessageReceivedEvent
@ -13,7 +13,7 @@ class MinecraftServer : AbstractCommand(
Category.INFO, Category.INFO,
"Gets a minecraft server's info: ;mcsrv <String address>" "Gets a minecraft server's info: ;mcsrv <String address>"
) { ) {
override fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) { override suspend fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) {
if (args.size != 1) { if (args.size != 1) {
channel.sendMessage("Invalid usage").queue() channel.sendMessage("Invalid usage").queue()
return return
@ -53,13 +53,13 @@ class MinecraftServer : AbstractCommand(
val version = json["version"].textValue() val version = json["version"].textValue()
val embed = EmbedBuilder() val embed = Embed {
.addField("IP/Hostname", "$ip:$port/$hostname", false) field("IP/Hostname", "$ip:$port/$hostname", false)
.addField("MOTD", motd, false) field("MOTD", motd, false)
.addField("Online players/Max players", "$online/$max", false) field("Online players/Max players", "$online/$max", false)
.addField("Version", version, false) field("Version", version, false)
.setThumbnail("https://api.mcsrvstat.us/icon/$server") thumbnail = "https://api.mcsrvstat.us/icon/$server"
.build() }
channel.sendMessageEmbeds(embed).queue() channel.sendMessageEmbeds(embed).queue()
}) { }) {
channel.sendMessage("API request failed").queue() channel.sendMessage("API request failed").queue()

View file

@ -1,7 +1,8 @@
package me.nepnep.nepbot.message.command.commands.info package me.nepnep.nepbot.message.command.commands.info
import me.nepnep.nepbot.message.command.Category import dev.minn.jda.ktx.coroutines.await
import me.nepnep.nepbot.message.command.AbstractCommand import me.nepnep.nepbot.message.command.AbstractCommand
import me.nepnep.nepbot.message.command.Category
import net.dv8tion.jda.api.entities.GuildMessageChannel import net.dv8tion.jda.api.entities.GuildMessageChannel
import net.dv8tion.jda.api.events.message.MessageReceivedEvent import net.dv8tion.jda.api.events.message.MessageReceivedEvent
@ -10,9 +11,9 @@ class ProfilePicture : AbstractCommand(
Category.INFO, Category.INFO,
"Sends the avatar url of a user: ;pfp <Mention member> | <long id> | null" "Sends the avatar url of a user: ;pfp <Mention member> | <long id> | null"
) { ) {
override fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) { override suspend fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) {
val authorUrl = event.author.effectiveAvatarUrl val authorUrl = event.author.effectiveAvatarUrl
val mentioned = event.message.mentionedMembers val mentioned = event.message.mentions.members
if (args.isEmpty()) { if (args.isEmpty()) {
channel.sendMessage("$authorUrl?size=2048").queue() channel.sendMessage("$authorUrl?size=2048").queue()
@ -24,13 +25,9 @@ class ProfilePicture : AbstractCommand(
return return
} }
try { try {
event.jda.retrieveUserById(args[0]).queue({ val url = event.jda.retrieveUserById(args[0]).await()
val url = it.effectiveAvatarUrl channel.sendMessage("$url?size=2048").queue()
channel.sendMessage("$url?size=2048").queue() } catch (e: RuntimeException) { // ErrorResponseException | NumberFormatException
}) {
channel.sendMessage("Invalid id").queue()
}
} catch (e: NumberFormatException) {
channel.sendMessage("Invalid id").queue() channel.sendMessage("Invalid id").queue()
} }
} }

View file

@ -1,10 +1,10 @@
package me.nepnep.nepbot.message.command.commands.info package me.nepnep.nepbot.message.command.commands.info
import com.fasterxml.jackson.databind.ObjectMapper import com.fasterxml.jackson.databind.ObjectMapper
import me.nepnep.nepbot.message.command.Category import dev.minn.jda.ktx.messages.Embed
import me.nepnep.nepbot.message.command.AbstractCommand import me.nepnep.nepbot.message.command.AbstractCommand
import me.nepnep.nepbot.message.command.Category
import me.nepnep.nepbot.request import me.nepnep.nepbot.request
import net.dv8tion.jda.api.EmbedBuilder
import net.dv8tion.jda.api.entities.GuildMessageChannel import net.dv8tion.jda.api.entities.GuildMessageChannel
import net.dv8tion.jda.api.entities.MessageEmbed import net.dv8tion.jda.api.entities.MessageEmbed
import net.dv8tion.jda.api.events.message.MessageReceivedEvent import net.dv8tion.jda.api.events.message.MessageReceivedEvent
@ -15,13 +15,13 @@ class UrbanDictionary : AbstractCommand(
Category.INFO, Category.INFO,
"Get a thing's definition from urban dictionary! ;urban <query>" "Get a thing's definition from urban dictionary! ;urban <query>"
) { ) {
override fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) { override suspend fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) {
if (args.isEmpty()) { if (args.isEmpty()) {
channel.sendMessage("Invalid usage").queue() channel.sendMessage("Invalid usage").queue()
return return
} }
val api = "https://api.urbandictionary.com/v0/define?term=" val api = "https://api.urbandictionary.com/v0/define?term="
val query = URLEncoder.encode(args.subList(0, args.size).joinToString(" "), "UTF-8") val query = URLEncoder.encode(args.subList(0, args.size).joinToString(" "), "UTF-8") // Wtf kotlin
event.jda.httpClient.request(api + query, { event.jda.httpClient.request(api + query, {
val json = ObjectMapper().readTree(it.body!!.string()) val json = ObjectMapper().readTree(it.body!!.string())
@ -46,10 +46,10 @@ class UrbanDictionary : AbstractCommand(
return@request return@request
} }
val embed = EmbedBuilder() val embed = Embed {
.addField("Definition:", definition, false) field("Definition:", definition, false)
.addField("Example:", example, false) field("Example:", example, false)
.build() }
if (embed.isSendable) { if (embed.isSendable) {
channel.sendMessageEmbeds(embed).queue() channel.sendMessageEmbeds(embed).queue()

View file

@ -1,11 +1,13 @@
package me.nepnep.nepbot.message.command.commands.info package me.nepnep.nepbot.message.command.commands.info
import dev.minn.jda.ktx.coroutines.await
import dev.minn.jda.ktx.messages.EmbedBuilder
import me.nepnep.nepbot.message.command.AbstractCommand import me.nepnep.nepbot.message.command.AbstractCommand
import me.nepnep.nepbot.message.command.Category import me.nepnep.nepbot.message.command.Category
import net.dv8tion.jda.api.EmbedBuilder
import net.dv8tion.jda.api.entities.GuildMessageChannel import net.dv8tion.jda.api.entities.GuildMessageChannel
import net.dv8tion.jda.api.entities.User import net.dv8tion.jda.api.entities.User
import net.dv8tion.jda.api.events.message.MessageReceivedEvent import net.dv8tion.jda.api.events.message.MessageReceivedEvent
import net.dv8tion.jda.api.exceptions.ErrorResponseException
import java.time.LocalDate import java.time.LocalDate
import java.time.temporal.ChronoUnit import java.time.temporal.ChronoUnit
@ -14,8 +16,8 @@ class WhoIs : AbstractCommand(
Category.INFO, Category.INFO,
"Gets a user's information: ;whois <Mention member> | <long id> | null" "Gets a user's information: ;whois <Mention member> | <long id> | null"
) { ) {
override fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) { override suspend fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) {
val mentioned = event.message.mentionedMembers val mentioned = event.message.mentions.members
if (mentioned.isNotEmpty()) { if (mentioned.isNotEmpty()) {
sendEmbed(mentioned[0].user, event) sendEmbed(mentioned[0].user, event)
return return
@ -23,12 +25,10 @@ class WhoIs : AbstractCommand(
if (args.isNotEmpty()) { if (args.isNotEmpty()) {
try { try {
event.jda.retrieveUserById(args[0]).queue({ val user = event.jda.retrieveUserById(args[0]).await()
sendEmbed(it, event) sendEmbed(user, event)
}) { } catch (e: RuntimeException) { // ErrorResponseException | NumberFormatException
channel.sendMessage("Invalid id!").queue() e.printStackTrace()
}
} catch (e: NumberFormatException) {
channel.sendMessage("Invalid id!").queue() channel.sendMessage("Invalid id!").queue()
} }
return return
@ -36,7 +36,7 @@ class WhoIs : AbstractCommand(
sendEmbed(event.author, event) sendEmbed(event.author, event)
} }
private fun sendEmbed(user: User, event: MessageReceivedEvent) { private suspend fun sendEmbed(user: User, event: MessageReceivedEvent) {
val channel = event.channel val channel = event.channel
val now = LocalDate.now() val now = LocalDate.now()
@ -47,34 +47,33 @@ class WhoIs : AbstractCommand(
val timeCreated = user.timeCreated val timeCreated = user.timeCreated
val sinceCreated = ChronoUnit.DAYS.between(timeCreated.toLocalDate(), now) val sinceCreated = ChronoUnit.DAYS.between(timeCreated.toLocalDate(), now)
val builder = EmbedBuilder() val builder = EmbedBuilder {
.setTitle("$id/$tag") title = "$id/$tag"
.setThumbnail(avatarUrl) thumbnail = avatarUrl
.addField("Created on: ", "${timeCreated.dayOfMonth}-${timeCreated.monthValue}-${timeCreated.year}", false) field("Created on: ", "${timeCreated.dayOfMonth}-${timeCreated.monthValue}-${timeCreated.year}", false)
.addField("Days since created: ", sinceCreated.toString(), false) field("Days since created: ", sinceCreated.toString(), false)
event.guild.retrieveMember(user).queue({ member -> }
try {
val member = event.guild.retrieveMember(user).await()
val timeJoined = member.timeJoined val timeJoined = member.timeJoined
val sinceJoined = ChronoUnit.DAYS.between(timeJoined.toLocalDate(), now) val sinceJoined = ChronoUnit.DAYS.between(timeJoined.toLocalDate(), now)
val roles = member.roles.map { it.name } val roles = member.roles.map { it.name }
val permissions = member.permissions.map { it.name } val permissions = member.permissions.map { it.name }
val embed = builder val embed = builder.apply {
.addField("Joined on: ", "${timeJoined.dayOfMonth}-${timeJoined.monthValue}-${timeJoined.year}", false) field("Joined on: ", "${timeJoined.dayOfMonth}-${timeJoined.monthValue}-${timeJoined.year}", false)
.addField("Days since joined: ", sinceJoined.toString(), false) field("Days since joined: ", sinceJoined.toString(), false)
.addField("Roles: ", roles.toString(), false) field("Roles: ", roles.toString(), false)
.addField("Permissions: ", permissions.toString(), false) field("Permissions: ", permissions.toString(), false)
.build() }.build()
if (embed.isSendable) { if (embed.isSendable) {
channel.sendMessageEmbeds(embed).queue() channel.sendMessageEmbeds(embed).queue()
return@queue return
} }
channel.sendMessage("Embed is too large!").queue() channel.sendMessage("Embed is too large!").queue()
}) { } catch (e: ErrorResponseException) {
val embed = builder channel.sendMessageEmbeds(builder.apply { field("Not in guild", ":x:", false) }.build()).queue()
.addField("Not in guild", ":x:", false)
.build()
channel.sendMessageEmbeds(embed).queue()
} }
} }
} }

View file

@ -12,8 +12,8 @@ class Ban : AbstractCommand(
"Bans someone: ;ban <Mention member> <String reason>", "Bans someone: ;ban <Mention member> <String reason>",
Permission.BAN_MEMBERS Permission.BAN_MEMBERS
) { ) {
override fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) { override suspend fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) {
val mentioned = event.message.mentionedMembers val mentioned = event.message.mentions.members
if (mentioned.isEmpty() || args.size < 2 || mentioned.size > 1) { if (mentioned.isEmpty() || args.size < 2 || mentioned.size > 1) {
channel.sendMessage("Failed, make sure to mention one member and specify a reason").queue() channel.sendMessage("Failed, make sure to mention one member and specify a reason").queue()
return return

View file

@ -12,8 +12,8 @@ class Kick : AbstractCommand(
"Kicks someone: ;kick <Mention member> <String reason>", "Kicks someone: ;kick <Mention member> <String reason>",
Permission.KICK_MEMBERS Permission.KICK_MEMBERS
) { ) {
override fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) { override suspend fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) {
val mentioned = event.message.mentionedMembers val mentioned = event.message.mentions.members
if (mentioned.isEmpty() || args.size < 2 || mentioned.size > 1) { if (mentioned.isEmpty() || args.size < 2 || mentioned.size > 1) {
channel.sendMessage("Failed, make sure to mention one member and specify a reason").queue() channel.sendMessage("Failed, make sure to mention one member and specify a reason").queue()
return return

View file

@ -19,8 +19,8 @@ class Mute : AbstractCommand(
private val validRegex = "\\b\\d{1,2}[mhd]".toRegex() private val validRegex = "\\b\\d{1,2}[mhd]".toRegex()
private val actualMaxTimeout = Member.MAX_TIME_OUT_LENGTH - 1 private val actualMaxTimeout = Member.MAX_TIME_OUT_LENGTH - 1
override fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) { override suspend fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) {
val mentioned = event.message.mentionedMembers val mentioned = event.message.mentions.members
if (mentioned.isEmpty() || args.size < 2) { if (mentioned.isEmpty() || args.size < 2) {
channel.sendMessage(":x: Incorrect usage").queue() channel.sendMessage(":x: Incorrect usage").queue()

View file

@ -12,7 +12,7 @@ class Purge : AbstractCommand(
"Purges messaages: ;purge <int amount>", "Purges messaages: ;purge <int amount>",
Permission.MESSAGE_MANAGE Permission.MESSAGE_MANAGE
) { ) {
override fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) { override suspend fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) {
// May not be required // May not be required
val selfMember = event.guild.selfMember val selfMember = event.guild.selfMember
if (!selfMember.hasPermission(channel, Permission.MESSAGE_HISTORY) if (!selfMember.hasPermission(channel, Permission.MESSAGE_HISTORY)

View file

@ -12,8 +12,8 @@ class Unmute : AbstractCommand(
"Unmutes someone: ;unmute <Mention member>", "Unmutes someone: ;unmute <Mention member>",
Permission.MODERATE_MEMBERS Permission.MODERATE_MEMBERS
) { ) {
override fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) { override suspend fun execute(args: List<String>, event: MessageReceivedEvent, channel: GuildMessageChannel) {
val mentioned = event.message.mentionedMembers val mentioned = event.message.mentions.members
if (mentioned.isEmpty()) { if (mentioned.isEmpty()) {
channel.sendMessage(":x: Incorrect usage.").queue() channel.sendMessage(":x: Incorrect usage.").queue()