Таблисты

Tab lists are used in Minecraft to display the list of players currently on a server. SpongeAPI allows for manipulation of the tab list on a per-player basis.

Чтобы получить TabList игрока, вам просто нужно вызвать метод Player#getTabList():

import org.spongepowered.api.entity.living.player.Player;
import org.spongepowered.api.entity.living.player.tab.TabList;

TabList tablist = player.getTabList();

Теперь, когда мы получили TabList, мы можем изменить несколько его компонентов. Например, чтобы установить заголовок или нижний колонтитул таблицы TabList, нам просто нужно вызвать соответствующие методы:

import org.spongepowered.api.text.Text;
import org.spongepowered.api.text.format.TextColors;

tablist.setHeader(Text.of(TextColors.GOLD, "The tab list header"));
tablist.setFooter(Text.of(TextColors.RED, "The tab list footer"));

Мы можем вызвать метод TabList#setHeaderAndFooter(Text, Text), если мы хотим изменить их всех сразу:

tablist.setHeaderAndFooter(Text.of("header"), Text.of("footer"));

Примечание

Если Вы хотите изменить верхний и нижний колонтитулы таблиста, рекомендуется использовать метод setHeaderAndFooter() для индивидуального вызова TabList#setHeader(Text) и TabList#setFooter(Text), поскольку он отправляет только один пакет вместо двух отдельных пакетов для заголовка и нижнего колонтитула.

Записи в таблисте

Теперь, когда мы установили верхний и нижний колонтитулы TabList, мы можем также добавить наши собственные записи в список. Пример этого показан ниже:

import org.spongepowered.api.entity.living.player.gamemode.GameModes;
import org.spongepowered.api.entity.living.player.tab.TabListEntry;
import org.spongepowered.api.profile.GameProfile;

TabListEntry entry = TabListEntry.builder()
    .list(tablist)
    .gameMode(GameModes.SURVIVAL)
    .profile(gameProfile)
    .build();
tablist.addEntry(entry);

Now let’s break this down. We set the list associated with the TabListEntry to our specified TabList using the TabListEntry.Builder#list(TabList) method. We then set the game mode of our entry to GameModes#SURVIVAL. The game mode of our entry is used to determine various things. On the client, it is used to determine if a player is in creative or perhaps a spectator. If the game mode is spectator, then their name will also appear gray and italicized. We then need to specify the GameProfile that the entry is associated with. The GameProfile may be constructed using the GameProfile#of() method, or it can be obtained from a real profile, such as a player. For more information, see the Игровой менеджер профилей article. To apply the entry to the tab list, we simply need to call the TabList#addEntry(TabListEntry) method.

Мы можем конкретизировать наш базовый пример, указав такие вещи, как отображаемое имя или латентность записи:

TabListEntry entry = TabListEntry.builder()
    .list(tablist)
    .displayName(Text.of("Spongie"))
    .latency(0)
    .profile(gameProfile)
    .build();
tablist.addEntry(entry);

Здесь мы устанавливаем отображаемое имя, чтобы наша запись появлялась под Spongie, используя метод TabListEntry.Builder#displayName(Text). Затем мы устанавливаем задержку для нашего TabListEntry на пять баров. См. метод TabListEntry#setLatency(int) для получения дополнительной информации о том, как указать другие типы баров для нашей записи.

Изменение текущих записей

Используя TabList, мы можем получить записи в настоящее время в TabList для нашей собственной модификации. Чтобы получить конкретную запись, используйте метод TabList#getEntry(UUID). Этот метод вернет Optional.empty(), если указанный UUID не может быть найден. Пример показан ниже:

import java.util.Optional;

Optional<TabListEntry> optional = tablist.getEntry(uuid);
if (optional.isPresent()) {
    TabListEntry entry = optional.get();
}

При этом мы можем использовать методы в TabListEntry, чтобы изменить игровой режим, время ожидания и отображаемое имя записи:

entry.setDisplayName(Text.of("Pretender Spongie"));
entry.setLatency(1000);
entry.setGameMode(GameModes.SPECTATOR);

As an alternative to getting entries, we can also remove a specified entry. We must simply call the TabList#removeEntry(UUID) method, specifying the UUID of the entry that we wish to remove. As with getEntry(UUID), this will return Optional.empty() if the specified UUID cannot be found.

Если у нас нет определенной записи для изменения, мы можем перебирать все TabListEntry в TabList. Нам просто нужно вызвать метод TabList#getEntries(), чтобы получить Collection<TabListEntry> для выполнения итерации.