Autocomplete
Autocomplete allows you to dynamically provide a selection of values to the user, based on their input, rather than relying on static choices. In this section we will cover how to add autocomplete support to your commands.
TIP
This page is a follow-up to the slash commands section covering options and option choices. Please carefully read those pages first so that you can understand the methods used in this section.
Enabling autocomplete
To use autocomplete with your commands, instead of listing static choices, the option must be set to use autocompletion using SlashCommandStringOption#setAutocomplete()
open in new window:
const { SlashCommandBuilder } = require('discord.js');
const data = new SlashCommandBuilder()
.setName('guide')
.setDescription('Search discordjs.guide!')
.addStringOption(option =>
option.setName('query')
.setDescription('Phrase to search for')
.setAutocomplete(true));
2
3
4
5
6
7
8
9
Responding to autocomplete interactions
To handle an AutocompleteInteraction
open in new window, use the BaseInteraction#isAutocomplete()
open in new window type guard to make sure the interaction instance is an autocomplete interaction. You can do this in a separate interactionCreate
listener:
client.on(Events.InteractionCreate, interaction => {
if (!interaction.isAutocomplete()) return;
// do autocomplete handling
});
2
3
4
Or alternatively, by making a small change to your existing Command handler and adding an additional method to your individual command files.
The example below shows how this might be applied to a conceptual version of the guide
command to determine the closest topic to the search input:
client.on(Events.InteractionCreate, async interaction => {
if (interaction.isChatInputCommand()) {
// command handling
} else if (interaction.isAutocomplete()) {
const command = interaction.client.commands.get(interaction.commandName);
if (!command) {
console.error(`No command matching ${interaction.commandName} was found.`);
return;
}
try {
await command.autocomplete(interaction);
} catch (error) {
console.error(error);
}
}
});
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
module.exports = {
data: new SlashCommandBuilder()
.setName('guide')
.setDescription('Search discordjs.guide!')
.addStringOption(option =>
option.setName('query')
.setDescription('Phrase to search for')
.setAutocomplete(true)),
async autocomplete(interaction) {
// handle the autocompletion response (more on how to do that below)
},
async execute(interaction) {
// respond to the complete slash command
},
};
2
3
4
5
6
7
8
9
10
11
12
13
14
15
The command handling is almost identical, but notice the change from execute
to autocomplete
in the new else-if branch. By adding a separate autocomplete
function to the module.exports
of commands that require autocompletion, you can safely separate the logic of providing dynamic choices from the code that needs to respond to the slash command once it is complete.
TIP
You might have already moved this code to events/interactionCreate.js
if you followed our Event handling guide too.
Sending results
The AutocompleteInteraction
open in new window class provides the AutocompleteInteraction#respond()
open in new window method to send a response. Using this, you can submit an array of ApplicationCommandOptionChoiceData
open in new window objects for the user to choose from. Passing an empty array will show "No options match your search" for the user.
WARNING
Unlike static choices, autocompletion suggestions are not enforced, and users may still enter free text.
The CommandInteractionOptionResolver#getFocused()
open in new window method returns the currently focused option's value, which can be used to apply filtering to the choices presented. For example, to only display options starting with the focused value you can use the Array#filter()
method, then using Array#map()
, you can transform the array into an array of ApplicationCommandOptionChoiceData
open in new window objects.
module.exports = {
data: new SlashCommandBuilder()
.setName('guide')
.setDescription('Search discordjs.guide!')
.addStringOption(option =>
option.setName('query')
.setDescription('Phrase to search for')
.setAutocomplete(true)),
async autocomplete(interaction) {
const focusedValue = interaction.options.getFocused();
const choices = ['Popular Topics: Threads', 'Sharding: Getting started', 'Library: Voice Connections', 'Interactions: Replying to slash commands', 'Popular Topics: Embed preview'];
const filtered = choices.filter(choice => choice.startsWith(focusedValue));
await interaction.respond(
filtered.map(choice => ({ name: choice, value: choice })),
);
},
};
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
Handling multiple autocomplete options
To distinguish between multiple options, you can pass true
into CommandInteractionOptionResolver#getFocused()
open in new window, which will now return the full focused object instead of just the value. This is used to get the name of the focused option below, allowing for multiple options to each have their own set of suggestions:
module.exports = {
data: new SlashCommandBuilder()
.setName('guide')
.setDescription('Search discordjs.guide!')
.addStringOption(option =>
option.setName('query')
.setDescription('Phrase to search for')
.setAutocomplete(true))
.addStringOption(option =>
option.setName('version')
.setDescription('Version to search in')
.setAutocomplete(true)),
async autocomplete(interaction) {
const focusedOption = interaction.options.getFocused(true);
let choices;
if (focusedOption.name === 'query') {
choices = ['Popular Topics: Threads', 'Sharding: Getting started', 'Library: Voice Connections', 'Interactions: Replying to slash commands', 'Popular Topics: Embed preview'];
}
if (focusedOption.name === 'version') {
choices = ['v9', 'v11', 'v12', 'v13', 'v14'];
}
const filtered = choices.filter(choice => choice.startsWith(focusedOption.value));
await interaction.respond(
filtered.map(choice => ({ name: choice, value: choice })),
);
},
};
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
Accessing other values
In addition to filtering based on the focused value, you may also wish to change the choices displayed based on the value of other arguments in the command. The following methods work the same in AutocompleteInteraction
open in new window:
const string = interaction.options.getString('input');
const integer = interaction.options.getInteger('int');
const boolean = interaction.options.getBoolean('choice');
const number = interaction.options.getNumber('num');
2
3
4
However, the .getUser()
, .getMember()
, .getRole()
, .getChannel()
, .getMentionable()
and .getAttachment()
methods are not available to autocomplete interactions. Discord does not send the respective full objects for these methods until the slash command is completed. For these, you can get the Snowflake value using interaction.options.get('option').value
:
Notes
- As with other application command interactions, autocomplete interactions must receive a response within 3 seconds.
- You cannot defer the response to an autocomplete interaction. If you're dealing with asynchronous suggestions, such as from an API, consider keeping a local cache.
- After the user selects a value and sends the command, it will be received as a regular
ChatInputCommandInteraction
open in new window with the chosen value. - You can only respond with a maximum of 25 choices at a time, though any more than this likely means you should revise your filter to further narrow the selections.