Discord4J is a fast, powerful, unopinionated, reactive library to enable quick and easy development of Discord bots for Java, Kotlin, and other JVM languages using the official Discord Bot API.
In this example for v3.3, whenever a user sends a !ping message the bot will immediately respond with Pong!.
Make sure your bot has the Message Content intent enabled in your developer portal.
public class ExampleBot {
    public static void main(String[] args) {
        String token = args[0];
        DiscordClient client = DiscordClient.create(token);
        GatewayDiscordClient gateway = client.login().block();
        gateway.on(MessageCreateEvent.class).subscribe(event -> {
            Message message = event.getMessage();
            if ("!ping".equals(message.getContent())) {
                MessageChannel channel = message.getChannel().block();
                channel.createMessage("Pong!").block();
            }
        });
        gateway.onDisconnect().block();
    }
}For a full project example, check out our example projects repository here.
- 
🚀 Reactive - Discord4J follows the reactive-streams protocol to ensure Discord bots run smoothly and efficiently regardless of size. 
- 
📜 Official - Automatic rate limiting, automatic reconnection strategies, and consistent naming conventions are among the many features Discord4J offers to ensure your Discord bots run up to Discord's specifications and to provide the least amount of surprises when interacting with our library. 
- 
🛠️ Modular - Discord4J breaks itself into modules to allow advanced users to interact with our API at lower levels to build minimal and fast runtimes or even add their own abstractions. 
- 
⚔️ Powerful - Discord4J can be used to develop any bot, big or small. We offer many tools for developing large-scale bots from custom distribution frameworks, off-heap caching, and its interaction with Reactor allows complete integration with frameworks such as Spring and Micronaut. 
- 
🏫 Community - We pride ourselves on our inclusive community and are willing to help whenever challenges arise; or if you just want to chat! We offer help ranging from Discord4J specific problems, to general programming and web development help, and even Reactor-specific questions. Be sure to visit us on our Discord server! 
- Creating a new Gradle project with IntelliJ (recommended)
- Creating a new Maven project with IntelliJ
- Creating a new Gradle project with Eclipse
- Creating a new Maven project with Eclipse
repositories {
    mavenCentral()
}
dependencies {
    implementation 'com.discord4j:discord4j-core:3.3.0'
}repositories {
    mavenCentral()
}
dependencies {
    implementation("com.discord4j:discord4j-core:3.3.0")
}<dependencies>
    <dependency>
        <groupId>com.discord4j</groupId>
        <artifactId>discord4j-core</artifactId>
        <version>3.3.0</version>
    </dependency>
</dependencies>libraryDependencies ++= Seq(
  "com.discord4j" % "discord4j-core" % "3.3.0"
)Discord4J 3.3.x includes simpler and more powerful APIs to build requests, a new entity cache and performance improvements from dependency upgrades. Check our Migration Guide for more details.
| Discord4J | Support | Gateway/API | Intents | Interactions | 
|---|---|---|---|---|
| v3.3.x | Current | v10 | Mandatory, non-privileged default | Fully supported | 
| v3.2.x | Maintenance only | v8 | Mandatory, non-privileged default | Fully supported | 
| v3.1.x | Unsupported | v6 | Optional, no intent default | Maintenance only | 
See our docs for more details about compatibility.
We would like to give special thanks to all of our sponsors for providing us the funding to continue developing and hosting repository resources as well as driving forward initiatives for community programs. In particular, we would like to give a special shoutout to these wonderful individuals:
Here are some real-world examples of large bots using Discord4J:
- Groovy - Was the second-largest bot on Discord, serving music to over 4 million servers before its shutdown in August 2021.
- ZeroTwo - An anime multi-purpose bot used in over 1 million servers.
- DisCal - Implements Google Calendar into Discord as seamlessly and comprehensively as possible; serving over 21k servers.
- Shadbot - A configurable multipurpose bot with music, gambling mini-games, video game stats, and more; serving nearly 12K servers before its shutdown in August 2021.
- See-Bot - A Fortnite focused bot with stat tracking, player lookup, mission alerts, and much more; in over 10k servers.
Do you own a large bot using Discord4J? Ask an admin in our Discord or submit a pull request to add your bot to the list!
Discord4J uses Project Reactor as the foundation for our asynchronous framework. Reactor provides a simple yet extremely powerful API that enables users to reduce resources and increase performance.
public class ExampleBot {
    public static void main(String[] args) {
        String token = args[0];
        DiscordClient client = DiscordClient.create(token);
        client.login().flatMapMany(gateway -> gateway.on(MessageCreateEvent.class))
            .map(MessageCreateEvent::getMessage)
            .filter(message -> "!ping".equals(message.getContent()))
            .flatMap(Message::getChannel)
            .flatMap(channel -> channel.createMessage("Pong!"))
            .blockLast();
    }
}Discord4J also provides several methods to aid in better reactive chain compositions, such as
GatewayDiscordClient#withGateway and EventDispatcher#on with
an error handling overload.
public class ExampleBot {
    public static void main(String[] args) {
        String token = args[0];
        DiscordClient client = DiscordClient.create(token);
        client.withGateway(gateway -> {
            Publisher<?> pingPong = gateway.on(MessageCreateEvent.class, event ->
                Mono.just(event.getMessage())
                    .filter(message -> "!ping".equals(message.getContent()))
                    .flatMap(Message::getChannel)
                    .flatMap(channel -> channel.createMessage("Pong!")));
            Publisher<?> onDisconnect = gateway.onDisconnect()
                .doOnTerminate(() -> System.out.println("Disconnected!"));
            return Mono.when(pingPong, onDisconnect);
        }).block();
    }
}By utilizing Reactor, Discord4J has native integration with Kotlin coroutines when paired with the kotlinx-coroutines-reactor library.
val token = args[0]
val client = DiscordClient.create(token)
client.withGateway {
    mono {
        it.on(MessageCreateEvent::class.java)
            .asFlow()
            .collect {
                val message = it.message
                if (message.content == "!ping") {
                    val channel = message.channel.awaitSingle()
                    channel.createMessage("Pong!").awaitSingle()
                }
            }
    }
}
    .block()Starting from September 1, 2022, Discord requires bots to enable the "MESSAGE_CONTENT" intent to access the content of messages. To enable the intent, go to the Discord Developer Portal and select your bot. Then, go to the "Bot" tab and enable the "Message Content" intent. Then, add the intent to your bot when creating the DiscordClient:
GatewayDiscordClient client = DiscordClient.create(token)
    .gateway()
    .setEnabledIntents(IntentSet.nonPrivileged().or(IntentSet.of(Intent.MESSAGE_CONTENT)))
    .login()
    .block();// IMAGE_URL = https://cdn.betterttv.net/emote/55028cd2135896936880fdd7/3x
// ANY_URL = https://www.youtube.com/watch?v=5zwY50-necw
MessageChannel channel = ...
EmbedCreateSpec.Builder builder = EmbedCreateSpec.builder();
builder.author("setAuthor", ANY_URL, IMAGE_URL);
builder.image(IMAGE_URL);
builder.title("setTitle/setUrl");
builder.url(ANY_URL);
builder.description("setDescription\n" +
      "big D: is setImage\n" +
      "small D: is setThumbnail\n" +
      "<-- setColor");
builder.addField("addField", "inline = true", true);
builder.addField("addFIeld", "inline = true", true);
builder.addField("addFile", "inline = false", false);
builder.thumbnail(IMAGE_URL);
builder.footer("setFooter --> setTimestamp", IMAGE_URL);
builder.timestamp(Instant.now());
channel.createMessage(builder.build()).block();Users typically prefer working with names instead of IDs. This example will demonstrate how to search for all members that have a role with a specific name.
Guild guild = ...
Set<Member> roleMembers = new HashSet<>();
for (Member member : guild.getMembers().toIterable()) {
  for (Role role : member.getRoles().toIterable()) {
    if ("Developers".equalsIgnoreCase(role.getName())) {
      roleMembers.add(member);
      break;
    }
  }
}
return roleMembers;Alternatively, using Reactor:
Guild guild = ...
return guild.getMembers()
  .filterWhen(member -> member.getRoles()
    .map(Role::getName)
    .any("Developers"::equalsIgnoreCase));Discord4J provides full support for voice connections and the ability to send audio to other users connected to the same channel. Discord4J can accept any Opus audio source with LavaPlayer being the preferred solution for downloading and encoding audio from YouTube, SoundCloud, and other providers.
Warning
The original LavaPlayer is no longer maintained. A new maintained version can be found here. If you need Java 8 support, you can use Walkyst's LavaPlayer fork, but it is also no longer maintained!
To get started, you will first need to instantiate and configure an, conventionally global, AudioPlayerManager.
public static final AudioPlayerManager PLAYER_MANAGER;
static {
  PLAYER_MANAGER = new DefaultAudioPlayerManager();
  // This is an optimization strategy that Discord4J can utilize to minimize allocations
  PLAYER_MANAGER.getConfiguration().setFrameBufferFactory(NonAllocatingAudioFrameBuffer::new);
  AudioSourceManagers.registerRemoteSources(PLAYER_MANAGER);
  AudioSourceManagers.registerLocalSource(PLAYER_MANAGER);
}Next, we need to allow Discord4J to read from an AudioPlayer to an AudioProvider.
public class LavaPlayerAudioProvider extends AudioProvider {
    private final AudioPlayer player;
    private final MutableAudioFrame frame;
    public LavaPlayerAudioProvider(AudioPlayer player) {
        // Allocate a ByteBuffer for Discord4J's AudioProvider to hold audio data for Discord
        super(ByteBuffer.allocate(StandardAudioDataFormats.DISCORD_OPUS.maximumChunkSize()));
        // Set LavaPlayer's AudioFrame to use the same buffer as Discord4J's
        frame = new MutableAudioFrame();
        frame.setBuffer(getBuffer());
        this.player = player;
    }
    @Override
    public boolean provide() {
        // AudioPlayer writes audio data to the AudioFrame
        boolean didProvide = player.provide(frame);
        if (didProvide) {
            getBuffer().flip();
        }
        return didProvide;
    }
}Typically, audio players will have queues or internal playlists for users to be able to automatically cycle through
songs as they are finished or requested to be skipped over. We can manage this queue externally and pass it to other
areas of our code to allow tracks to be viewed, queued, or skipped over by creating an AudioTrackScheduler.
public class AudioTrackScheduler extends AudioEventAdapter {
    private final List<AudioTrack> queue;
    private final AudioPlayer player;
    public AudioTrackScheduler(AudioPlayer player) {
        // The queue may be modifed by different threads so guarantee memory safety
        // This does not, however, remove several race conditions currently present
        queue = Collections.synchronizedList(new LinkedList<>());
        this.player = player;
    }
    public List<AudioTrack> getQueue() {
        return queue;
    }
    public boolean play(AudioTrack track) {
        return play(track, false);
    }
    public boolean play(AudioTrack track, boolean force) {
        boolean playing = player.startTrack(track, !force);
        if (!playing) {
            queue.add(track);
        }
        return playing;
    }
    public boolean skip() {
        return !queue.isEmpty() && play(queue.remove(0), true);
    }
    @Override
    public void onTrackEnd(AudioPlayer player, AudioTrack track, AudioTrackEndReason endReason) {
        // Advance the player if the track completed naturally (FINISHED) or if the track cannot play (LOAD_FAILED)
        if (endReason.mayStartNext) {
            skip();
        }
    }
}Currently, Discord only allows 1 voice connection per server. Working within this limitation, it is logical to think of
the three components we have worked with thus far (AudioPlayer, LavaPlayerAudioProvider, and AudioTrackScheduler) to
be correlated to a specific Guild, naturally unique by some Snowflake. Logically, it makes sense to combine these
objects into one, so that they can be put into a Map for easier retrieval when connecting to a voice channel or when
working with commands.
public class GuildAudioManager {
    private static final Map<Snowflake, GuildAudioManager> MANAGERS = new ConcurrentHashMap<>();
    public static GuildAudioManager of(Snowflake id) {
        return MANAGERS.computeIfAbsent(id, ignored -> new GuildAudioManager());
    }
    private final AudioPlayer player;
    private final AudioTrackScheduler scheduler;
    private final LavaPlayerAudioProvider provider;
    private GuildAudioManager() {
        player = PLAYER_MANAGER.createPlayer();
        scheduler = new AudioTrackScheduler(player);
        provider = new LavaPlayerAudioProvider(player);
        player.addListener(scheduler);
    }
    // getters
}Finally, we need to connect to the voice channel. After connecting you are given a VoiceConnection object where you
can utilize it later to disconnect from the voice channel by calling VoiceConnection#disconnect.
VoiceChannel channel = ...
AudioProvider provider = GuildAudioManager.of(channel.getGuildId()).getProvider();
VoiceConnection connection = channel.join(spec -> spec.setProvider(provider)).block();
// In the AudioLoadResultHandler, add AudioTrack instances to the AudioTrackScheduler (and send notifications to users)
PLAYER_MANAGER.loadItem("https://www.youtube.com/watch?v=dQw4w9WgXcQ", new AudioLoadResultHandler() { /* overrides */ })Typically, after everyone has left a voice channel, the bot should disconnect automatically as users typically forget to disconnect the bot manually. This problem can be solved rather elegantly using a reactive approach over an imperative one as the example below demonstrates.
VoiceChannel channel = ...
Mono<Void> onDisconnect = channel.join(spec -> { /* TODO Initialize */ })
  .flatMap(connection -> {
    // The bot itself has a VoiceState; 1 VoiceState signals bot is alone
    Publisher<Boolean> voiceStateCounter = channel.getVoiceStates()
      .count()
      .map(count -> 1L == count);
    // After 10 seconds, check if the bot is alone. This is useful if
    // the bot joined alone, but no one else joined since connecting
    Mono<Void> onDelay = Mono.delay(Duration.ofSeconds(10L))
      .filterWhen(ignored -> voiceStateCounter)
      .switchIfEmpty(Mono.never())
      .then();
    // As people join and leave `channel`, check if the bot is alone.
    // Note the first filter is not strictly necessary, but it does prevent many unnecessary cache calls
    Mono<Void> onEvent = channel.getClient().getEventDispatcher().on(VoiceStateUpdateEvent.class)
      .filter(event -> event.getOld().flatMap(VoiceState::getChannelId).map(channel.getId()::equals).orElse(false))
      .filterWhen(ignored -> voiceStateCounter)
      .next()
      .then();
    // Disconnect the bot if either onDelay or onEvent are completed!
    return Mono.first(onDelay, onEvent).then(connection.disconnect());
  });