Skip to content
hiei.js

Context Menu Commands

Context menu commands are similar to slash commands, except for a few unique differences:

  • They are invoked directly on a message or user
  • They do not have descriptions
  • They do not accept options
  • Their names can have spaces and uppercase letters (and probably should for better readability)

As the name suggests, these commands are available in the context menu, under the Apps submenu.

Message commands are invoked by right-clicking on a message, while user commands are invoked by right-clicking on a user’s avatar.

Message Commands

Let’s create a context menu command that lets you reverse a message. Create a new file in your interactions directory called reverse-message.js and add the following code.

import { MessageCommand } from 'hiei.js'

class Reverse extends MessageCommand {
  constructor () {
    super({
      name: 'Reverse Message'
    })
  }

  run (interaction, message) {
    const reversed = message.content.split('').reverse().join('') 
    return interaction.reply({ content: reversed, ephemeral: true })
  }
}

export default Reverse

Message commands only require a name. See the API reference to learn more.

This time we get two parameters: the interaction that invoked the command, and the message it was invoked on.

User Commands

Let’s create a context menu command that lets you get information about a specific user. Create a new file in your interactions directory called user-info.js and add the following code.

import { UserCommand } from 'hiei.js'

class UserInfo extends UserCommand {
  constructor () {
    super({
      name: 'User Info'
    })
  }

  run (interaction, user) {
    const info = `**Username:** ${user.tag}\n**ID:** ${user.id}`
    return interaction.reply({ content: info, ephemeral: true })
  }
}

export default UserInfo

User commands only require a name. See the API reference to learn more.

Again we have two parameters: the interaction that invoked the command, and the user it was invoked on.