Extended changes
TIP
This page is a follow-up and bases its code on the previous page, which assumes knowledge of arguments and passing functions.
Sending messages across shards
Let's start with the basic usage of shards. At some point in bot development, you might have wanted to send a message to another channel, which may or may not necessarily be on the same guild, which means it may or may not be on the same shard. To achieve this, you will need to go back to your friend .broadcastEval() and try every shard for the desired channel. Suppose you have the following code in your interactionCreate event:
client.on('interactionCreate', interaction => {
	// ...
	if (commandName === 'send') {
		const id = interaction.options.getString('destination');
		const channel = client.channels.cache.get(id);
		if (!channel) return interaction.reply('I could not find such a channel.');
		channel.send('Hello!');
		return interaction.reply(`I have sent a message to channel: \`${id}\`!`);
	}
});
2
3
4
5
6
7
8
9
10
11
12
This will never work for a channel that lies on another shard. So, let's remedy this.
TIP
In discord.js v13, Client#shardopen in new window can hold multiple ids. If you use the default sharding manager, the .ids array will only have one entry.
if (commandName === 'send') {
	const id = interaction.options.getString('destination');
	return client.shard.broadcastEval(async (c, { channelId }) => {
		const channel = c.channels.cache.get(channelId);
		if (channel) {
			await channel.send(`This is a message from shard ${c.shard.ids.join(',')}!`);
			return true;
		}
		return false;
	}, { context: { channelId: id } })
		.then(console.log);
}
2
3
4
5
6
7
8
9
10
11
12
If all is well, you should notice an output like [false, true, false, false]. If it is not clear why true and false are hanging around, the last expression of the eval statement will be returned. You will want this if you want any feedback from the results. Now that you have observed said results, you can adjust the command to give yourself proper feedback, like so:
return client.shard.broadcastEval(c => {
	// ...
})
	.then(sentArray => {
		// Search for a non falsy value before providing feedback
		if (!sentArray.includes(true)) {
			return message.reply('I could not find such a channel.');
		}
		return message.reply(`I have sent a message to channel: \`${id}\`!`);
	});
2
3
4
5
6
7
8
9
10
And that's it for this section! You have successfully communicated across all of your shards.
Using functions continued
If you remember, there was a brief mention of passing functions through .broadcastEval(), but no super clear description of exactly how to go about it. Well, fret not, for this section will cover it! Suppose you have the following code in your interactionCreate event:
client.on('interactionCreate', message => {
	// ...
	if (commandName === 'emoji') {
		const emojiId = interaction.options.getString('emoji');
		const emoji = client.emojis.cache.get(emojiId);
		return message.reply(`I have found an emoji ${emoji}!`);
	}
});
2
3
4
5
6
7
8
9
The aforementioned code will essentially search through client.emojis.cache for the provided id, which will be given provided by the emoji option. However, with sharding, you might notice it doesn't search through all the client's emojis. As mentioned in an earlier section of this guide, the different shards partition the client and its cache. Emojis derive from guilds meaning each shard will have the emojis from all guilds for that shard. The solution is to use .broadcastEval() to search all the shards for the desired emoji.
Let's start with a basic function, which will try to grab an emoji from the current client and return it.
function findEmoji(c, { nameOrId }) {
	return c.emojis.cache.get(nameOrId) || c.emojis.cache.find(e => e.name.toLowerCase() === nameOrId.toLowerCase());
}
2
3
Next, you need to call the function in your command properly. If you recall from this section, it is shown there how to pass a function and arguments correctly.
client.on('interactionCreate', interaction => {
	// ...
	if (commandName === 'emoji') {
		const emojiNameOrId = interaction.options.getString('emoji');
		return client.shard.broadcastEval(findEmoji, { context: { nameOrId: emojiNameOrId } })
			.then(console.log);
	}
});
2
3
4
5
6
7
8
9
Now, run this code, and you will surely get a result that looks like the following:
[
	{ 
		guild: { 
			members: {},
			// ...
			id: '222078108977594368',
			name: 'discord.js Official',
			icon: '6e4b4d1a0c7187f9fd5d4976c50ac96e',
			// ...
			emojis: {} 
		},
		id: '383735055509356544',
		name: 'duckSmug',
		requiresColons: true,
		managed: false,
		animated: false,
		_roles: []
	}
]
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
While this result isn't necessarily bad or incorrect, it's simply a raw object that got JSON.parse()'d and JSON.stringify()'d over, so all of the circular references are gone. More importantly, The object is no longer a true GuildEmoji object as provided by discord.js. This means none of the convenience methods usually provided to you are available. If this is a problem for you, you will want to handle the item inside the broadcastEval. Conveniently, the findEmoji function will be run, so you should execute your relevant methods there, before the object leaves the context.
function findEmoji(c, { nameOrId }) {
	const emoji = c.emojis.cache.get(nameOrId) || c.emojis.cache.find(e => e.name.toLowerCase() === nameOrId.toLowerCase());
	if (!emoji) return null;
	// If you wanted to delete the emoji with discord.js, this is where you would do it. Otherwise, don't include this code.
	emoji.delete();
	return emoji;
}
2
3
4
5
6
7
With all that said and done, usually you'll want to display the result, so here is how you can go about doing that:
return client.shard.broadcastEval(findEmoji, { context: { nameOrId: emojiNameOrId } })
	.then(emojiArray => {
		// Locate a non falsy result, which will be the emoji in question
		const foundEmoji = emojiArray.find(emoji => emoji);
		if (!foundEmoji) return message.reply('I could not find such an emoji.');
		return message.reply(`I have found the ${foundEmoji.animated ? `<${foundEmoji.identifier}>` : `<:${foundEmoji.identifier}> emoji!`}!`);
	});
2
3
4
5
6
7
And that's all! The emoji should have pretty-printed in a message, as you'd expect.
Resulting code
지금까지 만들어온 코드를 비교해보고 싶으시다면, 이 깃헙 리포지토리 open in new window 에서 확인하실 수 있습니다.