diff --git a/.github/ISSUE_TEMPLATE/report-a-bug.yml b/.github/ISSUE_TEMPLATE/report-a-bug.yml index 44f51eac3c8..7d12663909f 100644 --- a/.github/ISSUE_TEMPLATE/report-a-bug.yml +++ b/.github/ISSUE_TEMPLATE/report-a-bug.yml @@ -1,6 +1,7 @@ name: Report bug description: Report a bug in EssentialsX. labels: 'bug: unconfirmed' +type: Bug body: - type: markdown attributes: diff --git a/.github/ISSUE_TEMPLATE/request-a-feature.yml b/.github/ISSUE_TEMPLATE/request-a-feature.yml index ab8e8363b0a..e6bd83370da 100644 --- a/.github/ISSUE_TEMPLATE/request-a-feature.yml +++ b/.github/ISSUE_TEMPLATE/request-a-feature.yml @@ -1,6 +1,7 @@ name: Request a feature description: Suggest a feature you want to see in EssentialsX! labels: 'type: enhancement' +type: Feature body: - type: markdown attributes: diff --git a/Essentials/src/main/java/com/earth2me/essentials/ISettings.java b/Essentials/src/main/java/com/earth2me/essentials/ISettings.java index c734719df2d..67be6b14d89 100644 --- a/Essentials/src/main/java/com/earth2me/essentials/ISettings.java +++ b/Essentials/src/main/java/com/earth2me/essentials/ISettings.java @@ -424,6 +424,8 @@ public interface ISettings extends IConf { boolean showZeroBaltop(); + String getNickRegex(); + BigDecimal getMultiplier(final User user); int getMaxItemLore(); diff --git a/Essentials/src/main/java/com/earth2me/essentials/IUser.java b/Essentials/src/main/java/com/earth2me/essentials/IUser.java index bd3b3ec1957..8fce2df96d0 100644 --- a/Essentials/src/main/java/com/earth2me/essentials/IUser.java +++ b/Essentials/src/main/java/com/earth2me/essentials/IUser.java @@ -177,6 +177,17 @@ default boolean hasOutstandingTeleportRequest() { String getFormattedJailTime(); + /** + * Returns last activity time. + *

+ * It is used internally to determine if user's afk status should be set to + * true because of ACTIVITY {@link AfkStatusChangeEvent.Cause}, or the player + * should be kicked for being afk too long. + * + * @return Last activity time (Epoch Milliseconds) + */ + long getLastActivityTime(); + @Deprecated List getMails(); diff --git a/Essentials/src/main/java/com/earth2me/essentials/MobCompat.java b/Essentials/src/main/java/com/earth2me/essentials/MobCompat.java index 17cd5cb64d9..6085fb19c6a 100644 --- a/Essentials/src/main/java/com/earth2me/essentials/MobCompat.java +++ b/Essentials/src/main/java/com/earth2me/essentials/MobCompat.java @@ -9,6 +9,8 @@ import org.bukkit.entity.Axolotl; import org.bukkit.entity.Boat; import org.bukkit.entity.Camel; +import org.bukkit.entity.Chicken; +import org.bukkit.entity.Cow; import org.bukkit.entity.Entity; import org.bukkit.entity.EntityType; import org.bukkit.entity.Fox; @@ -18,6 +20,7 @@ import org.bukkit.entity.Ocelot; import org.bukkit.entity.Panda; import org.bukkit.entity.Parrot; +import org.bukkit.entity.Pig; import org.bukkit.entity.Player; import org.bukkit.entity.Salmon; import org.bukkit.entity.TropicalFish; @@ -25,6 +28,9 @@ import org.bukkit.entity.Wolf; import org.bukkit.inventory.ItemStack; +import java.lang.invoke.MethodHandle; +import java.lang.invoke.MethodHandles; +import java.lang.invoke.MethodType; import java.lang.reflect.Method; import static com.earth2me.essentials.utils.EnumUtil.getEntityType; @@ -32,8 +38,21 @@ public final class MobCompat { // Constants for mob interfaces added in later versions - @SuppressWarnings("rawtypes") - public static final Class RAIDER = ReflUtil.getClassCached("org.bukkit.entity.Raider"); + public static final Class RAIDER = ReflUtil.getClassCached("org.bukkit.entity.Raider"); + + // Stupid hacks to avoid Commodore rewrites. + private static final Class COW = ReflUtil.getClassCached("org.bukkit.entity.Cow"); + private static final Class COW_VARIANT = ReflUtil.getClassCached("org.bukkit.entity.Cow$Variant"); + private static final MethodHandle COW_VARIANT_HANDLE; + + static { + MethodHandle handle = null; + try { + handle = MethodHandles.lookup().findVirtual(COW, "setVariant", MethodType.methodType(void.class, COW_VARIANT)); + } catch (final Throwable ignored) { + } + COW_VARIANT_HANDLE = handle; + } // Constants for mobs added in later versions public static final EntityType LLAMA = getEntityType("LLAMA"); @@ -250,6 +269,41 @@ public static void setSalmonSize(Entity spawned, String s) { } } + public static void setCowVariant(final Entity spawned, final String variant) { + if (VersionUtil.getServerBukkitVersion().isLowerThan(VersionUtil.v1_21_5_R01) || COW_VARIANT_HANDLE == null) { + return; + } + + if (spawned instanceof Cow) { + try { + COW_VARIANT_HANDLE.invoke(spawned, RegistryUtil.valueOf(COW_VARIANT, variant)); + } catch (Throwable ignored) { + } + } + } + + public static void setChickenVariant(final Entity spawned, final String variant) { + if (VersionUtil.getServerBukkitVersion().isLowerThan(VersionUtil.v1_21_5_R01)) { + return; + } + + if (spawned instanceof Chicken) { + //noinspection DataFlowIssue + ((Chicken) spawned).setVariant(RegistryUtil.valueOf(Chicken.Variant.class, variant)); + } + } + + public static void setPigVariant(final Entity spawned, final String variant) { + if (VersionUtil.getServerBukkitVersion().isLowerThan(VersionUtil.v1_21_5_R01)) { + return; + } + + if (spawned instanceof Pig) { + //noinspection DataFlowIssue + ((Pig) spawned).setVariant(RegistryUtil.valueOf(Pig.Variant.class, variant)); + } + } + public enum CatType { // These are (loosely) Mojang names for the cats SIAMESE("SIAMESE", "SIAMESE_CAT"), diff --git a/Essentials/src/main/java/com/earth2me/essentials/MobData.java b/Essentials/src/main/java/com/earth2me/essentials/MobData.java index e6a3b9e56e6..808a0ff24ff 100644 --- a/Essentials/src/main/java/com/earth2me/essentials/MobData.java +++ b/Essentials/src/main/java/com/earth2me/essentials/MobData.java @@ -10,6 +10,7 @@ import org.bukkit.entity.Ageable; import org.bukkit.entity.Boat; import org.bukkit.entity.ChestedHorse; +import org.bukkit.entity.Chicken; import org.bukkit.entity.Creeper; import org.bukkit.entity.Entity; import org.bukkit.entity.EntityType; @@ -221,6 +222,15 @@ public enum MobData { SMALL_SALMON("small", MobCompat.SALMON, "salmon:SMALL", true), MEDIUM_SALMON("medium", MobCompat.SALMON, "salmon:MEDIUM", true), LARGE_SALMON("large", MobCompat.SALMON, "salmon:LARGE", true), + TEMPERATE_COW("temperate", EntityType.COW.getEntityClass(), "cow:TEMPERATE", true), + WARM_COW("warm", EntityType.COW.getEntityClass(), "cow:WARM", true), + COLD_COW("cold", EntityType.COW.getEntityClass(), "cow:COLD", true), + TEMPERATE_CHICKEN("temperate", Chicken.class, "chicken:TEMPERATE", true), + WARM_CHICKEN("warm", Chicken.class, "chicken:WARM", true), + COLD_CHICKEN("cold", Chicken.class, "chicken:COLD", true), + TEMPERATE_PIG("temperate", Pig.class, "pig:TEMPERATE", true), + WARM_PIG("warm", Pig.class, "pig:WARM", true), + COLD_PIG("cold", Pig.class, "pig:COLD", true), ; final private String nickname; @@ -442,6 +452,15 @@ public void setData(final Entity spawned, final Player target, final String rawD case "salmon": MobCompat.setSalmonSize(spawned, split[1]); break; + case "cow": + MobCompat.setCowVariant(spawned, split[1]); + break; + case "chicken": + MobCompat.setChickenVariant(spawned, split[1]); + break; + case "pig": + MobCompat.setPigVariant(spawned, split[1]); + break; } } else { Essentials.getWrappedLogger().warning("Unknown mob data type: " + this.toString()); diff --git a/Essentials/src/main/java/com/earth2me/essentials/Settings.java b/Essentials/src/main/java/com/earth2me/essentials/Settings.java index f04347ae4af..8980aa97b3f 100644 --- a/Essentials/src/main/java/com/earth2me/essentials/Settings.java +++ b/Essentials/src/main/java/com/earth2me/essentials/Settings.java @@ -2120,6 +2120,11 @@ public boolean showZeroBaltop() { return config.getBoolean("show-zero-baltop", true); } + @Override + public String getNickRegex() { + return config.getString("allowed-nicks-regex", "^[a-zA-Z_0-9§]+$"); + } + @Override public BigDecimal getMultiplier(final User user) { BigDecimal multiplier = defaultMultiplier; diff --git a/Essentials/src/main/java/com/earth2me/essentials/User.java b/Essentials/src/main/java/com/earth2me/essentials/User.java index df60ff776bf..72f6feaad6c 100644 --- a/Essentials/src/main/java/com/earth2me/essentials/User.java +++ b/Essentials/src/main/java/com/earth2me/essentials/User.java @@ -775,6 +775,11 @@ public boolean checkMuteTimeout(final long currentTime) { return false; } + @Override + public long getLastActivityTime() { + return this.lastActivity; + } + @Deprecated public void updateActivity(final boolean broadcast) { updateActivity(broadcast, AfkStatusChangeEvent.Cause.UNKNOWN); diff --git a/Essentials/src/main/java/com/earth2me/essentials/commands/Commandbalancetop.java b/Essentials/src/main/java/com/earth2me/essentials/commands/Commandbalancetop.java index baba65c5722..f5915467fdc 100644 --- a/Essentials/src/main/java/com/earth2me/essentials/commands/Commandbalancetop.java +++ b/Essentials/src/main/java/com/earth2me/essentials/commands/Commandbalancetop.java @@ -7,6 +7,7 @@ import com.earth2me.essentials.utils.AdventureUtil; import com.earth2me.essentials.utils.EnumUtil; import com.earth2me.essentials.utils.NumberUtil; +import com.earth2me.essentials.utils.VersionUtil; import com.google.common.collect.Lists; import net.essentialsx.api.v2.services.BalanceTop; import org.bukkit.Bukkit; @@ -121,9 +122,14 @@ public void run() { final User user = ess.getUser(entry.getKey()); final Statistic PLAY_ONE_TICK = EnumUtil.getStatistic("PLAY_ONE_MINUTE", "PLAY_ONE_TICK"); + final boolean offlineStatisticSupported = VersionUtil.getServerBukkitVersion().isHigherThanOrEqualTo(VersionUtil.v1_15_2_R01); final long playtime; if (user.getBase() == null || !user.getBase().isOnline()) { - playtime = Bukkit.getServer().getOfflinePlayer(entry.getKey()).getStatistic(PLAY_ONE_TICK); + if (offlineStatisticSupported) { + playtime = Bukkit.getServer().getOfflinePlayer(entry.getKey()).getStatistic(PLAY_ONE_TICK); + } else { + playtime = -1; + } } else { playtime = user.getBase().getStatistic(PLAY_ONE_TICK); } @@ -133,7 +139,8 @@ public void run() { // Checking if player meets the requirements of minimum balance and minimum playtime to be listed in baltop list if ((ess.getSettings().showZeroBaltop() || balance.compareTo(BigDecimal.ZERO) > 0) && balance.compareTo(ess.getSettings().getBaltopMinBalance()) >= 0 && - playTimeSecs >= ess.getSettings().getBaltopMinPlaytime()) { + // Skip playtime check for offline players on versions below 1.15.2 + (playtime == -1 || playTimeSecs >= ess.getSettings().getBaltopMinPlaytime())) { newCache.getLines().add(AdventureUtil.miniToLegacy(tlLiteral("balanceTopLine", pos, entry.getValue().getDisplayName(), AdventureUtil.parsed(NumberUtil.displayCurrency(balance, ess))))); } pos++; diff --git a/Essentials/src/main/java/com/earth2me/essentials/commands/Commanddelhome.java b/Essentials/src/main/java/com/earth2me/essentials/commands/Commanddelhome.java index 95ce6115268..20500ef45d2 100644 --- a/Essentials/src/main/java/com/earth2me/essentials/commands/Commanddelhome.java +++ b/Essentials/src/main/java/com/earth2me/essentials/commands/Commanddelhome.java @@ -30,10 +30,10 @@ private void deleteHome(CommandSource sender, User user, String home) { try { user.delHome(home); + sender.sendTl("deleteHome", home); } catch (Exception e) { sender.sendTl("invalidHome", home); } - sender.sendTl("deleteHome", home); } @Override diff --git a/Essentials/src/main/java/com/earth2me/essentials/commands/Commandnick.java b/Essentials/src/main/java/com/earth2me/essentials/commands/Commandnick.java index 8b47afb024e..7648cbc74f5 100644 --- a/Essentials/src/main/java/com/earth2me/essentials/commands/Commandnick.java +++ b/Essentials/src/main/java/com/earth2me/essentials/commands/Commandnick.java @@ -63,7 +63,7 @@ protected void updatePlayer(final Server server, final CommandSource sender, fin private String formatNickname(final User user, final String nick) throws Exception { final String newNick = user == null ? FormatUtil.replaceFormat(nick) : FormatUtil.formatString(user, "essentials.nick", nick); - if (!newNick.matches("^[a-zA-Z_0-9" + ChatColor.COLOR_CHAR + "]+$") && user != null && !user.isAuthorized("essentials.nick.allowunsafe")) { + if (!newNick.matches(ess.getSettings().getNickRegex()) && user != null && !user.isAuthorized("essentials.nick.allowunsafe")) { throw new TranslatableException("nickNamesAlpha"); } else if (getNickLength(newNick) > ess.getSettings().getMaxNickLength()) { throw new TranslatableException("nickTooLong"); diff --git a/Essentials/src/main/java/com/earth2me/essentials/signs/SignBuy.java b/Essentials/src/main/java/com/earth2me/essentials/signs/SignBuy.java index 8b59f79f62b..ef6508c0987 100644 --- a/Essentials/src/main/java/com/earth2me/essentials/signs/SignBuy.java +++ b/Essentials/src/main/java/com/earth2me/essentials/signs/SignBuy.java @@ -3,6 +3,7 @@ import com.earth2me.essentials.ChargeException; import com.earth2me.essentials.Trade; import com.earth2me.essentials.User; +import net.ess3.api.events.SignTransactionEvent; import net.ess3.api.IEssentials; import net.ess3.api.MaxMoneyException; import org.bukkit.inventory.ItemStack; @@ -45,6 +46,12 @@ protected boolean onSignInteract(final ISign sign, final User player, final Stri } charge.isAffordableFor(player); + final SignTransactionEvent signTransactionEvent = new SignTransactionEvent(sign, this, player, items.getItemStack(), SignTransactionEvent.TransactionType.BUY, charge.getMoney()); + + ess.getServer().getPluginManager().callEvent(signTransactionEvent); + if (signTransactionEvent.isCancelled()) { + return true; + } if (!items.pay(player)) { throw new ChargeException("inventoryFull"); } diff --git a/Essentials/src/main/java/com/earth2me/essentials/signs/SignSell.java b/Essentials/src/main/java/com/earth2me/essentials/signs/SignSell.java index 5841e2b6ee6..34b8a23ffa3 100644 --- a/Essentials/src/main/java/com/earth2me/essentials/signs/SignSell.java +++ b/Essentials/src/main/java/com/earth2me/essentials/signs/SignSell.java @@ -4,6 +4,7 @@ import com.earth2me.essentials.Trade; import com.earth2me.essentials.Trade.OverflowType; import com.earth2me.essentials.User; +import net.ess3.api.events.SignTransactionEvent; import net.ess3.api.IEssentials; import net.ess3.api.MaxMoneyException; import org.bukkit.inventory.ItemStack; @@ -47,6 +48,13 @@ protected boolean onSignInteract(final ISign sign, final User player, final Stri } charge.isAffordableFor(player); + + final SignTransactionEvent signTransactionEvent = new SignTransactionEvent(sign, this, player, charge.getItemStack(), SignTransactionEvent.TransactionType.SELL, money.getMoney()); + ess.getServer().getPluginManager().callEvent(signTransactionEvent); + if (signTransactionEvent.isCancelled()) { + return false; + } + money.pay(player, OverflowType.DROP); charge.charge(player); Trade.log("Sign", "Sell", "Interact", username, charge, username, money, sign.getBlock().getLocation(), player.getMoney(), ess); diff --git a/Essentials/src/main/java/com/earth2me/essentials/signs/SignTrade.java b/Essentials/src/main/java/com/earth2me/essentials/signs/SignTrade.java index f773eb2940f..f5fe53b7c09 100644 --- a/Essentials/src/main/java/com/earth2me/essentials/signs/SignTrade.java +++ b/Essentials/src/main/java/com/earth2me/essentials/signs/SignTrade.java @@ -16,7 +16,6 @@ import java.math.BigDecimal; import java.util.Map; -//TODO: TL exceptions public class SignTrade extends EssentialsSign { private static final int MAX_STOCK_LINE_LENGTH = 15; @@ -47,14 +46,14 @@ protected boolean onSignInteract(final ISign sign, final User player, final Stri final Trade stored; try { stored = getTrade(sign, 1, AmountType.TOTAL, true, true, ess); - subtractAmount(sign, 1, stored, ess); + subtractAmount(sign, 1, stored, ess, false); final Map withdraw = stored.pay(player, OverflowType.RETURN); if (withdraw == null) { Trade.log("Sign", "Trade", "Withdraw", username, store, username, null, sign.getBlock().getLocation(), player.getMoney(), ess); } else { - setAmount(sign, 1, BigDecimal.valueOf(withdraw.get(0).getAmount()), ess); + setAmount(sign, 1, BigDecimal.valueOf(withdraw.get(0).getAmount()), ess, false); Trade.log("Sign", "Trade", "Withdraw", username, stored, username, new Trade(withdraw.get(0), ess), sign.getBlock().getLocation(), player.getMoney(), ess); } } catch (final SignException e) { @@ -67,11 +66,16 @@ protected boolean onSignInteract(final ISign sign, final User player, final Stri final Trade charge = getTrade(sign, 1, AmountType.COST, false, true, ess); final Trade trade = getTrade(sign, 2, AmountType.COST, true, true, ess); charge.isAffordableFor(player); - addAmount(sign, 1, charge, ess); - subtractAmount(sign, 2, trade, ess); + + // validate addAmount + subtractAmount first to ensure they both do not throw exceptions + addAmount(sign, 1, charge, ess, true); + subtractAmount(sign, 2, trade, ess, true); + + addAmount(sign, 1, charge, ess, false); + subtractAmount(sign, 2, trade, ess, false); if (!trade.pay(player)) { - subtractAmount(sign, 1, charge, ess); - addAmount(sign, 2, trade, ess); + subtractAmount(sign, 1, charge, ess, false); + addAmount(sign, 2, trade, ess, false); throw new ChargeException("inventoryFull"); } charge.charge(player); @@ -93,7 +97,7 @@ private Trade rechargeSign(final ISign sign, final IEssentials ess, final User p stack = stack.clone(); stack.setAmount(amount); final Trade store = new Trade(stack, ess); - addAmount(sign, 2, store, ess); + addAmount(sign, 2, store, ess, false); store.charge(player); return store; } @@ -127,10 +131,10 @@ protected boolean onSignBreak(final ISign sign, final User player, final String return true; } - setAmount(sign, 1, BigDecimal.valueOf(withdraw1 == null ? 0L : withdraw1.get(0).getAmount()), ess); + setAmount(sign, 1, BigDecimal.valueOf(withdraw1 == null ? 0L : withdraw1.get(0).getAmount()), ess, false); Trade.log("Sign", "Trade", "Withdraw", signOwner.substring(2), stored1, username, withdraw1 == null ? null : new Trade(withdraw1.get(0), ess), sign.getBlock().getLocation(), player.getMoney(), ess); - setAmount(sign, 2, BigDecimal.valueOf(withdraw2 == null ? 0L : withdraw2.get(0).getAmount()), ess); + setAmount(sign, 2, BigDecimal.valueOf(withdraw2 == null ? 0L : withdraw2.get(0).getAmount()), ess, false); Trade.log("Sign", "Trade", "Withdraw", signOwner.substring(2), stored2, username, withdraw2 == null ? null : new Trade(withdraw2.get(0), ess), sign.getBlock().getLocation(), player.getMoney(), ess); sign.updateSign(); @@ -267,38 +271,37 @@ protected final Trade getTrade(final ISign sign, final int index, final AmountTy throw new SignException("invalidSignLine", index + 1); } - protected final void subtractAmount(final ISign sign, final int index, final Trade trade, final IEssentials ess) throws SignException { + protected final void subtractAmount(final ISign sign, final int index, final Trade trade, final IEssentials ess, final boolean validationRun) throws SignException { final BigDecimal money = trade.getMoney(); if (money != null) { - changeAmount(sign, index, money.negate(), ess); + changeAmount(sign, index, money.negate(), ess, validationRun); } final ItemStack item = trade.getItemStack(); if (item != null) { - changeAmount(sign, index, BigDecimal.valueOf(-item.getAmount()), ess); + changeAmount(sign, index, BigDecimal.valueOf(-item.getAmount()), ess, validationRun); } final Integer exp = trade.getExperience(); if (exp != null) { - changeAmount(sign, index, BigDecimal.valueOf(-exp), ess); + changeAmount(sign, index, BigDecimal.valueOf(-exp), ess, validationRun); } } - protected final void addAmount(final ISign sign, final int index, final Trade trade, final IEssentials ess) throws SignException { + protected final void addAmount(final ISign sign, final int index, final Trade trade, final IEssentials ess, final boolean validationRun) throws SignException { final BigDecimal money = trade.getMoney(); if (money != null) { - changeAmount(sign, index, money, ess); + changeAmount(sign, index, money, ess, validationRun); } final ItemStack item = trade.getItemStack(); if (item != null) { - changeAmount(sign, index, BigDecimal.valueOf(item.getAmount()), ess); + changeAmount(sign, index, BigDecimal.valueOf(item.getAmount()), ess, validationRun); } final Integer exp = trade.getExperience(); if (exp != null) { - changeAmount(sign, index, BigDecimal.valueOf(exp), ess); + changeAmount(sign, index, BigDecimal.valueOf(exp), ess, validationRun); } } - //TODO: Translate these exceptions. - private void changeAmount(final ISign sign, final int index, final BigDecimal value, final IEssentials ess) throws SignException { + private void changeAmount(final ISign sign, final int index, final BigDecimal value, final IEssentials ess, final boolean validationRun) throws SignException { final String line = sign.getLine(index).trim(); if (line.isEmpty()) { throw new SignException("emptySignLine", index + 1); @@ -307,20 +310,18 @@ private void changeAmount(final ISign sign, final int index, final BigDecimal va if (split.length == 2) { final BigDecimal amount = getBigDecimal(split[1], ess).add(value); - setAmount(sign, index, amount, ess); + setAmount(sign, index, amount, ess, validationRun); return; } if (split.length == 3) { final BigDecimal amount = getBigDecimal(split[2], ess).add(value); - setAmount(sign, index, amount, ess); + setAmount(sign, index, amount, ess, validationRun); return; } throw new SignException("invalidSignLine", index + 1); } - //TODO: Translate these exceptions. - private void setAmount(final ISign sign, final int index, final BigDecimal value, final IEssentials ess) throws SignException { - + private void setAmount(final ISign sign, final int index, final BigDecimal value, final IEssentials ess, final boolean validationRun) throws SignException { final String line = sign.getLine(index).trim(); if (line.isEmpty()) { throw new SignException("emptySignLine", index + 1); @@ -333,7 +334,9 @@ private void setAmount(final ISign sign, final int index, final BigDecimal value if (money != null && amount != null) { final String newline = NumberUtil.shortCurrency(money, ess) + ":" + NumberUtil.formatAsCurrency(value); validateSignLength(newline); - sign.setLine(index, newline); + if (!validationRun) { + sign.setLine(index, newline); + } return; } } @@ -343,12 +346,16 @@ private void setAmount(final ISign sign, final int index, final BigDecimal value if (split[1].equalsIgnoreCase("exp") || split[1].equalsIgnoreCase("xp")) { final String newline = stackAmount + " " + split[1] + ":" + value.intValueExact(); validateSignLength(newline); - sign.setLine(index, newline); + if (!validationRun) { + sign.setLine(index, newline); + } } else { getItemStack(split[1], stackAmount, ess); final String newline = stackAmount + " " + split[1] + ":" + value.intValueExact(); validateSignLength(newline); - sign.setLine(index, newline); + if (!validationRun) { + sign.setLine(index, newline); + } } return; } diff --git a/Essentials/src/main/java/com/earth2me/essentials/utils/AdventureUtil.java b/Essentials/src/main/java/com/earth2me/essentials/utils/AdventureUtil.java index e71cad80548..37046bd9225 100644 --- a/Essentials/src/main/java/com/earth2me/essentials/utils/AdventureUtil.java +++ b/Essentials/src/main/java/com/earth2me/essentials/utils/AdventureUtil.java @@ -22,6 +22,7 @@ public final class AdventureUtil { final LegacyComponentSerializer.Builder builder = LegacyComponentSerializer.builder() .flattener(ComponentFlattener.basic()) .extractUrls(AbstractChatEvent.URL_PATTERN) + .hexColors() .useUnusualXRepeatedCharacterHexFormat(); if (VersionUtil.getServerBukkitVersion().isHigherThanOrEqualTo(VersionUtil.v1_16_1_R01)) { builder.hexColors(); diff --git a/Essentials/src/main/java/com/earth2me/essentials/utils/VersionUtil.java b/Essentials/src/main/java/com/earth2me/essentials/utils/VersionUtil.java index 469f94db2ab..790ddc349c9 100644 --- a/Essentials/src/main/java/com/earth2me/essentials/utils/VersionUtil.java +++ b/Essentials/src/main/java/com/earth2me/essentials/utils/VersionUtil.java @@ -38,13 +38,12 @@ public final class VersionUtil { public static final BukkitVersion v1_19_R01 = BukkitVersion.fromString("1.19-R0.1-SNAPSHOT"); public static final BukkitVersion v1_19_4_R01 = BukkitVersion.fromString("1.19.4-R0.1-SNAPSHOT"); public static final BukkitVersion v1_20_1_R01 = BukkitVersion.fromString("1.20.1-R0.1-SNAPSHOT"); - public static final BukkitVersion v1_20_4_R01 = BukkitVersion.fromString("1.20.4-R0.1-SNAPSHOT"); public static final BukkitVersion v1_20_6_R01 = BukkitVersion.fromString("1.20.6-R0.1-SNAPSHOT"); public static final BukkitVersion v1_21_R01 = BukkitVersion.fromString("1.21-R0.1-SNAPSHOT"); public static final BukkitVersion v1_21_3_R01 = BukkitVersion.fromString("1.21.3-R0.1-SNAPSHOT"); - public static final BukkitVersion v1_21_4_R01 = BukkitVersion.fromString("1.21.4-R0.1-SNAPSHOT"); + public static final BukkitVersion v1_21_5_R01 = BukkitVersion.fromString("1.21.5-R0.1-SNAPSHOT"); - private static final Set supportedVersions = ImmutableSet.of(v1_8_8_R01, v1_9_4_R01, v1_10_2_R01, v1_11_2_R01, v1_12_2_R01, v1_13_2_R01, v1_14_4_R01, v1_15_2_R01, v1_16_5_R01, v1_17_1_R01, v1_18_2_R01, v1_19_4_R01, v1_20_6_R01, v1_21_4_R01); + private static final Set supportedVersions = ImmutableSet.of(v1_8_8_R01, v1_9_4_R01, v1_10_2_R01, v1_11_2_R01, v1_12_2_R01, v1_13_2_R01, v1_14_4_R01, v1_15_2_R01, v1_16_5_R01, v1_17_1_R01, v1_18_2_R01, v1_19_4_R01, v1_20_6_R01, v1_21_5_R01); public static final boolean PRE_FLATTENING = VersionUtil.getServerBukkitVersion().isLowerThan(VersionUtil.v1_13_0_R01); diff --git a/Essentials/src/main/java/net/ess3/api/TranslatableException.java b/Essentials/src/main/java/net/ess3/api/TranslatableException.java index 34fdacb8dd0..87ac813a3f5 100644 --- a/Essentials/src/main/java/net/ess3/api/TranslatableException.java +++ b/Essentials/src/main/java/net/ess3/api/TranslatableException.java @@ -1,5 +1,7 @@ package net.ess3.api; +import com.earth2me.essentials.utils.AdventureUtil; + import static com.earth2me.essentials.I18n.tlLiteral; /** @@ -39,6 +41,7 @@ public Object[] getArgs() { @Override public String getMessage() { - return tlLiteral(tlKey, args); + final String literal = tlLiteral(tlKey, args); + return AdventureUtil.miniToLegacy(literal); } } diff --git a/Essentials/src/main/java/net/ess3/api/events/SignTransactionEvent.java b/Essentials/src/main/java/net/ess3/api/events/SignTransactionEvent.java new file mode 100644 index 00000000000..18dac137ad1 --- /dev/null +++ b/Essentials/src/main/java/net/ess3/api/events/SignTransactionEvent.java @@ -0,0 +1,79 @@ +package net.ess3.api.events; + +import com.earth2me.essentials.signs.EssentialsSign; +import net.ess3.api.IUser; +import org.bukkit.event.Cancellable; +import org.bukkit.inventory.ItemStack; +import org.jetbrains.annotations.NotNull; +import org.bukkit.event.HandlerList; + +import java.math.BigDecimal; + +/** + * Fired when a player either buys or sells from an Essentials sign + */ +public final class SignTransactionEvent extends SignInteractEvent implements Cancellable { + private static final HandlerList handlers = new HandlerList(); + private final ItemStack itemStack; + private final TransactionType transactionType; + private final BigDecimal transactionValue; + private boolean isCancelled = false; + + public SignTransactionEvent(EssentialsSign.ISign sign, EssentialsSign essSign, IUser user, ItemStack itemStack, TransactionType transactionType, BigDecimal transactionValue) { + super(sign, essSign, user); + this.itemStack = itemStack; + this.transactionType = transactionType; + this.transactionValue = transactionValue; + } + + @Override + public boolean isCancelled() { + return this.isCancelled; + } + + @Override + public void setCancelled(boolean cancelled) { + this.isCancelled = cancelled; + } + + /** + * Gets the ItemStack that is about to be bought or sold in this transition. + * @return The ItemStack being bought or sold. + */ + public @NotNull ItemStack getItemStack() { + return itemStack.clone(); + } + + /** + * Gets the type of transaction, either buy or sell. + * @return The transaction type. + */ + public @NotNull TransactionType getTransactionType() { + return transactionType; + } + + /** + * Gets the value of the item being bought or sold. + * @return The item's value. + */ + public BigDecimal getTransactionValue() { + return transactionValue; + } + + /** + * The type of transaction for this sign transaction. + */ + public enum TransactionType { + BUY, + SELL + } + + @Override + public HandlerList getHandlers() { + return handlers; + } + + public static HandlerList getHandlerList() { + return handlers; + } +} diff --git a/Essentials/src/main/resources/config.yml b/Essentials/src/main/resources/config.yml index 168dafa510b..771d9372b64 100644 --- a/Essentials/src/main/resources/config.yml +++ b/Essentials/src/main/resources/config.yml @@ -6,71 +6,80 @@ # This is the config file for EssentialsX. # This config was generated for version ${full.version}. +# View the up-to-date default config at https://git.io/JG4z1 # If you want to use special characters in this document, such as accented letters, you MUST save the file as UTF-8, not ANSI. # If you receive an error when Essentials loads, ensure that: -# - No tabs are present: YAML only allows spaces -# - Indents are correct: YAML hierarchy is based entirely on indentation -# - You have "escaped" all apostrophes in your text: If you want to write "don't", for example, write "don''t" instead (note the doubled apostrophe) -# - Text with symbols is enclosed in single or double quotation marks +# - No tabs are present: YAML only allows spaces +# - Indents are correct: YAML hierarchy is based entirely on indentation +# - You have "escaped" all apostrophes in your text: If you want to write "don't", for example, write "don''t" instead (note the doubled apostrophe) +# - Text with symbols is enclosed in single or double quotation marks + +# After editing the config, run '/essentials reload' in-game to apply the changes. # If you need help, you can join the EssentialsX community: https://essentialsx.net/community.html ############################################################ # +------------------------------------------------------+ # -# | Essentials (Global) | # +# | EssentialsX (Global) | # # +------------------------------------------------------+ # ############################################################ # A color code between 0-9 or a-f. Set to 'none' to disable. -# In 1.16+ you can use hex color codes here as well. (For example, #613e1d is brown). +# In 1.16+, you can use hex color codes here as well (for example, #613e1d is brown). ops-name-color: '4' # The character(s) to prefix all nicknames, so that you know they are not true usernames. -# Users with essentials.nick.hideprefix will not be prefixed with the character(s) +# Players with 'essentials.nick.hideprefix' will not be prefixed with the character(s). nickname-prefix: '~' # The maximum length allowed in nicknames. The nickname prefix is not included in this. max-nick-length: 15 +# The regex pattern used to determine if a requested nickname should be allowed for use. +# If the requested nickname does not match this pattern, the nickname will be rejected. +# Players with 'essentials.nick.allowunsafe' will be able to bypass this check. +allowed-nicks-regex: '^[a-zA-Z_0-9§]+$' + # A list of phrases that cannot be used in nicknames. You can include regular expressions here. -# Users with essentials.nick.blacklist.bypass will be able to bypass this filter. +# Players with 'essentials.nick.blacklist.bypass' will be able to bypass this filter. nick-blacklist: -#- Notch -#- '^Dinnerbone' + #- Notch + #- '^Dinnerbone' # When this option is enabled, nickname length checking will exclude color codes in player names. -# ie: "&6Notch" has 7 characters (2 are part of a color code), a length of 5 is used when this option is set to true +# For example, if "&6Notch" has 7 characters (2 are part of a color code), a length of 5 is used when this option is set to true. ignore-colors-in-max-nick-length: false -# When this option is enabled, display names for hidden users will not be shown. This prevents players from being +# When this option is enabled, display names for hidden players will not be shown. This prevents players from being # able to see that they are online while vanished. hide-displayname-in-vanish: true -# Disable this if you have any other plugin, that modifies the displayname of a user. +# Disable this if you have any other plugin that modifies the display name of a player. change-displayname: true -# This option will cause Essentials to show players' displaynames instead of usernames when tab completing Essentials commands. +# This option will cause Essentials to show players' display names instead of usernames when tab completing Essentials commands. +# If your tab completions include prefixes and suffixes, set this option to false. change-tab-complete-name: false -# When this option is enabled, the (tab) player list will be updated with the displayname. -# The value of change-displayname (above) has to be true. -#change-playerlist: true - -# When EssentialsChat.jar isn't used, force essentials to add the prefix and suffix from permission plugins to displayname. -# This setting is ignored if EssentialsChat.jar is used, and defaults to 'true'. -# The value of change-displayname (above) has to be true. +# When EssentialsChat.jar isn't used, force Essentials to add the prefix and suffix from permissions plugins to display names. +# This setting is ignored if EssentialsChat.jar is used, and defaults to true. +# The value of 'change-displayname' above must be true. # Do not edit this setting unless you know what you are doing! #add-prefix-suffix: false -# When this option is enabled, player prefixes will be shown in the playerlist. +# When this option is enabled, the (tab) player list will be updated with the display name. +# The value of 'change-displayname' above must be true. +#change-playerlist: true + +# When this option is enabled, player prefixes will be shown in the (tab) player list. # This feature only works for Minecraft version 1.8 and higher. -# This value of change-playerlist has to be true +# The value of 'change-playerlist' above must be true. #add-prefix-in-playerlist: true -# When this option is enabled, player suffixes will be shown in the playerlist. +# When this option is enabled, player suffixes will be shown in the (tab) player list. # This feature only works for Minecraft version 1.8 and higher. -# This value of change-playerlist has to be true +# The value of 'change-playerlist' above must be true. #add-suffix-in-playerlist: true # If the teleport destination is unsafe, should players be teleported to the nearest safe location? @@ -79,13 +88,17 @@ change-tab-complete-name: false teleport-safety: true # This forcefully disables teleport safety checks without a warning if attempting to teleport to unsafe locations. -# teleport-safety and this option need to be set to true to force teleportation to dangerous locations. +# Both 'teleport-safety' above and this option must be set to true to force teleportation to dangerous locations. force-disable-teleport-safety: false -# If a player is teleporting to an unsafe location in creative, adventure, or god mode; they will not be teleported to a +# If a player is teleporting to an unsafe location in creative, adventure, or god mode, they will not be teleported to a # safe location. If you'd like players to be teleported to a safe location all of the time, set this option to true. force-safe-teleport-location: false +# Consider water blocks as "safe", therefore allowing players to teleport +# using commands such as /home or /spawn to a location that is occupied by water blocks. +is-water-safe: false + # If a player has any passengers, the teleport will fail. Should their passengers be dismounted before they are teleported? # If this is set to true, Essentials will dismount the player's passengers before teleporting. # If this is set to false, attempted teleports will be canceled with a warning. @@ -94,163 +107,156 @@ teleport-passenger-dismount: true # The delay, in seconds, required between /home, /tp, etc. teleport-cooldown: 0 -# The delay, in seconds, before a user actually teleports. If the user moves or gets attacked in this timeframe, the teleport is cancelled. +# The delay, in seconds, before a player actually teleports. +# If the player moves or gets attacked in this timeframe, the teleport is cancelled. teleport-delay: 0 -# The delay, in seconds, a player can't be attacked by other players after they have been teleported by a command. -# This will also prevent the player attacking other players. +# The delay, in seconds, during which a player can't be attacked by other players after being teleported by a command. +# This also prevents the player from attacking others. teleport-invulnerability: 4 -# Whether to make all teleportations go to the center of the block; where the x and z coordinates decimal become .5 +# Whether to make all teleportations go to the center of the block, where the x and z coordinates' decimals become .5. teleport-to-center: true # The delay, in seconds, required between /heal or /feed attempts. heal-cooldown: 60 -# Do you want to remove potion effects when healing a player? +# Should potion effects be removed when healing a player? remove-effects-on-heal: true -# Near Radius -# The default radius with /near -# Used to use chat radius but we are going to make it separate. +# The default radius when /near is used. near-radius: 200 # What to prevent from /item and /give. -# e.g item-spawn-blacklist: 10,11,46 +# Example: item-spawn-blacklist: lava_bucket,tnt,end_crystal item-spawn-blacklist: -# Set this to true if you want permission based item spawn rules. -# Note: The blacklist above will be ignored then. +# Set this to true if you want permission-based item spawn rules. +# Note: 'item-spawn-blacklist' above will be ignored if set to true. # Example permissions (these go in your permissions manager): # - essentials.itemspawn.item-all # - essentials.itemspawn.item-[itemname] -# - essentials.itemspawn.item-[itemid] # - essentials.give.item-all # - essentials.give.item-[itemname] -# - essentials.give.item-[itemid] # - essentials.unlimited.item-all # - essentials.unlimited.item-[itemname] -# - essentials.unlimited.item-[itemid] -# - essentials.unlimited.item-bucket # Unlimited liquid placing +# - essentials.unlimited.item-waterbucket (Unlimited water placing) # -# For more information, visit http://wiki.ess3.net/wiki/Command_Reference/ICheat#Item.2FGive +# For more information, visit https://wiki.ess3.net/wiki/Command_Reference/ICheat#Item.2FGive permission-based-item-spawn: false -# Mob limit on the /spawnmob command per execution. +# The maximum number of entities that can be spawned per use of the /spawnmob command. spawnmob-limit: 10 -# Shall we notify users when using /lightning? +# Should Essentials notify smitten players when /lightning is used? warn-on-smite: true -# Shall we drop items instead of adding to inventory if the target inventory is full? +# Should items be dropped at a player's feet if their inventory is full instead of not giving the item(s)? drop-items-if-full: false -# Essentials Mail Notification -# Should we notify players if they have no new mail? +# Should Essentials notify players if they have no new mail? notify-no-new-mail: true -# Specifies the duration (in seconds) between each time a player is notified of mail they have. -# Useful for servers with a lot of mail traffic. +# Specifies the cooldown duration, in seconds, between mail notifications for a player. +# Useful for servers with high mail traffic. notify-player-of-mail-cooldown: 60 -# The motd and rules are now configured in the files motd.txt and rules.txt. - -# When a command conflicts with another plugin, by default, Essentials will try to force the OTHER plugin to take priority. -# Commands in this list, will tell Essentials to 'not give up' the command to other plugins. -# In this state, which plugin 'wins' appears to be almost random. +# When a command conflicts with another plugin, Essentials will, by default, try to force the OTHER plugin to take priority. +# Adding commands to this list will tell Essentials not to "give up" the command to other plugins. +# In this state, which plugin "wins" may appear almost random. # -# If you have two plugin with the same command and you wish to force Essentials to take over, you need an alias. -# To force essentials to take 'god' alias 'god' to 'egod'. -# See https://bukkit.fandom.com/wiki/Commands.yml#aliases for more information. - +# If you have two plugins with the same command and want to force Essentials to take over, you must set an alias. +# To force Essentials to handle '/god', alias 'god' to 'essentials:god $1-' in the 'commands.yml' file located in your server's root folder. +# See https://breezewiki.com/bukkit/wiki/Commands.yml#aliases for more information. overridden-commands: -# - god -# - info + #- god + #- info -# Disabling commands here will prevent Essentials handling the command, this will not affect command conflicts. -# You should not have to disable commands used in other plugins, they will automatically get priority. -# See https://bukkit.fandom.com/wiki/Commands.yml#aliases to map commands to other plugins. +# Disabling commands here will prevent Essentials from handling the command; this will not affect command conflicts. +# You should not need to disable commands used by other plugins, as they will automatically get priority. +# See https://breezewiki.com/bukkit/wiki/Commands.yml#aliases to map commands to other plugins. disabled-commands: -# - nick -# - clear + #- nick + #- clear -# Whether or not Essentials should show detailed command usages. +# Whether Essentials should show detailed command usages. # If set to false, Essentials will collapse all usages in to one single usage message. verbose-command-usages: true -# These commands will be shown to players with socialSpy enabled. -# You can add commands from other plugins you may want to track or -# remove commands that are used for something you dont want to spy on. -# Set - '*' in order to listen on all possible commands. +# These commands will be shown to players with SocialSpy enabled. +# You can add commands from other plugins to track. +# Remove any commands you don't want to spy on. +# Remove the # from '*' to listen to all possible commands. socialspy-commands: - - msg - - w - - r - - mail - - m - - t - - whisper - - emsg - - tell - - er - - reply - - ereply - - email + #- '*' - action - describe - - eme - eaction - edescribe + - email + - eme + - emsg + - er + - ereply - etell - ewhisper + - m + - mail + - msg - pm + - r + - reply + - t + - tell + - w + - whisper -# Whether the private and public messages from muted players should appear in the social spy. -# If so, they will be differentiated from those sent by normal players. +# Whether private and public messages from muted players should appear in SocialSpy. +# If true, they will be differentiated from messages sent by normal players. socialspy-listen-muted-players: true -# Whether social spy should spy on private messages or just the commands from the list above. -# If false, social spy will only monitor commands from the list above. +# Whether SocialSpy should spy on private messages in addition to the commands from the list above. +# If false, it will only monitor the commands from the list above. socialspy-messages: true -# Whether social spy should use formatted display names which may include color. -# If false, social spy will use only the actual player names. +# Whether SocialSpy should use formatted display names, which may include color. +# If false, it will use only actual player names. socialspy-uses-displaynames: true -# The following settings listen for when a player changes worlds. +# The following world settings listen for when a player changes worlds. # If you use another plugin to control speed and flight, you should change these to false. -# When a player changes world, should EssentialsX reset their flight? -# This will disable flight if the player does not have essentials.fly. +# When a player changes worlds, should Essentials reset their flight? +# This will disable flight if the player does not have 'essentials.fly'. world-change-fly-reset: true -# Starting in 1.17, Minecraft no longer preserves the abilities of a player when they change worlds. -# Setting this to true will make EssentialsX preserve if users flying when they change worlds. -# This will only work if the player has the essentials.fly permission. +# Starting in 1.17, Minecraft no longer preserves a player's abilities when they change worlds. +# Setting this to true will make Essentials preserve a player's flight status when they change worlds. +# This will only work if the player has the 'essentials.fly' permission. world-change-preserve-flying: true -# When a player changes world, should we reset their speed according to their permissions? -# This resets the player's speed to the default if they don't have essentials.speed. -# If the player doesn't have essentials.speed.bypass, this resets their speed to the maximum specified above. +# When a player changes worlds, should Essentials reset their speed according to their permissions? +# This resets the player's speed to the default if they don't have 'essentials.speed'. +# If the player doesn't have 'essentials.speed.bypass', their speed will be reset to the maximum values +# specified in 'max-walk-speed' and 'max-fly-speed' below. world-change-speed-reset: true -# Mute Commands # These commands will be disabled when a player is muted. -# Use '*' to disable every command. -# Essentials already disabled Essentials messaging commands by default. -# It only cares about the root command, not args after that (it sees /f chat the same as /f) +# Essentials already disables Essentials messaging commands by default. +# It only cares about the root command, not args after that (it sees '/f chat' the same as '/f'). +# Remove the # from '*' to disable every command while muted. mute-commands: + #- '*' - f - kittycannon - # - '*' -# If you do not wish to use a permission system, you can define a list of 'player perms' below. +# If you do not wish to use a permission system, you can define a list of "player permissions" below. # This list has no effect if you are using a supported permissions system. # If you are using an unsupported permissions system, simply delete this section. -# Whitelist the commands and permissions you wish to give players by default (everything else is op only). -# These are the permissions without the "essentials." part. +# Whitelist the commands and permissions you wish to give players by default (everything else is OP only). +# These are the permissions without the 'essentials.' part. # -# To enable this feature, please set use-bukkit-permissions to false. +# To enable this feature, ensure 'use-bukkit-permissions' below is set to false. player-commands: - afk - afk.auto @@ -335,12 +341,11 @@ player-commands: # Use this option to force superperms-based permissions handler regardless of detected installed perms plugin. # This is useful if you want superperms-based permissions (with wildcards) for custom permissions plugins. -# If you wish to use EssentialsX's built-in permissions using the `player-commands` section above, set this to false. -# Default is true. +# If you wish to use Essentials' built-in permissions using the 'player-commands' section above, set this to false. use-bukkit-permissions: true -# When this option is enabled, one-time use kits (ie. delay < 0) will be -# removed from the /kit list when a player can no longer use it +# When this option is enabled, one-time use kits (i.e., delay < 0) will be +# removed from '/kit list' when a player can no longer use them. skip-used-one-time-kits-from-kit-list: false # When enabled, armor from kits will automatically be equipped as long as the player's armor slots are empty. @@ -348,43 +353,37 @@ kit-auto-equip: false # Determines the functionality of the /createkit command. # If this is true, /createkit will give the user a link with the kit code. -# If this is false, /createkit will add the kit to the kits.yml config file directly. -# Default is false. +# If this is false, /createkit will add the kit to the 'kits.yml' config file directly. pastebin-createkit: false # Determines if /createkit will generate kits using NBT item serialization. -# If this is true, /createkit will store items as NBT; otherwise, it will use Essentials' human-readable item format. +# If this is true, /createkit will store items as NBT. Otherwise, it will use Essentials' human-readable item format. # By using NBT serialization, /createkit can store items with complex metadata such as shulker boxes and weapons with custom attributes. # WARNING: This option only works on 1.15.2+ Paper servers, and it will bypass any custom serializers from other plugins such as Magic. # WARNING: When creating kits via /createkit with this option enabled, you will not be able to downgrade your server with these kit items. -# This option only affects /createkit - you can still create kits by hand in `kits.yml` using Essentials' human-readable item format. -# Default is false. +# This option only affects /createkit - you can still create kits by hand in 'kits.yml' using Essentials' human-readable item format. use-nbt-serialization-in-createkit: false -# Essentials Sign Control -# See http://wiki.ess3.net/wiki/Sign_Tutorial for instructions on how to use these. -# To enable signs, remove # symbol. To disable all signs, comment/remove each sign. -# Essentials colored sign support will be enabled when any sign types are enabled. -# Color is not an actual sign, it's for enabling using color codes on signs, when the correct permissions are given. - +# To enable signs, remove the # symbol. To disable all signs, comment out or remove each sign. +# See https://wiki.ess3.net/wiki/Sign_Tutorial for instructions on how to use these. +# Essentials' colored sign support will be enabled when any sign type is enabled. +# Note: 'color' is not an actual sign type; it enables using color codes on signs when the correct permissions are given. enabledSigns: #- color #- balance #- buy + #- free #- sell #- trade - #- free - #- warp - #- kit - #- mail #- enchant + #- repair #- gamemode #- heal #- info - #- spawnmob - #- repair - #- time - #- weather + #- kit + #- mail + #- randomteleport + #- warp #- anvil #- cartography #- disposal @@ -392,10 +391,12 @@ enabledSigns: #- loom #- smithing #- workbench - #- randomteleport + #- spawnmob + #- time + #- weather -# How many times per second can Essentials signs be interacted with per player. -# Values should be between 1-20, 20 being virtually no lag protection. +# This defines how many times per second Essentials signs can be interacted with per player. +# Values should be between 1-20, with 20 being virtually no lag protection. # Lower numbers will reduce the possibility of lag, but may annoy players. sign-use-per-second: 4 @@ -405,9 +406,9 @@ sign-use-per-second: 4 allow-old-id-signs: false # List of sign names Essentials should not protect. This feature is especially useful when -# another plugin provides a sign that EssentialsX provides, but Essentials overrides. +# another plugin provides a sign that Essentials provides, but Essentials overrides. # For example, if a plugin provides a [kit] sign, and you wish to use theirs instead of -# Essentials's, then simply add kit below and Essentials will not protect it. +# Essentials', then simply add 'kit' below and Essentials will not protect it. # # See https://github.com/drtshock/Essentials/pull/699 for more information. unprotected-sign-names: @@ -418,30 +419,29 @@ unprotected-sign-names: # saving during the backup to prevent world corruption or other conflicts. # Backups can also be triggered manually with /backup. backup: - # Interval in minutes. + # The interval in minutes. interval: 30 # If true, the backup task will run even if there are no players online. always-run: false # Unless you add a valid backup command or script here, this feature will be useless. - # Use 'save-all' to simply force regular world saving without backup. - # The example command below utilizes rdiff-backup: https://rdiff-backup.net/ + # The example command below utilizes rdiff-backup: https://rdiff-backup.net #command: 'rdiff-backup World1 backups/World1' -# Set this true to enable permission per warp. +# Set this to true to enable permissions per warp. per-warp-permission: false -# Sort output of /list command by groups. -# You can hide and merge the groups displayed in /list by defining the desired behaviour here. -# Detailed instructions and examples can be found on the wiki: http://wiki.ess3.net/wiki/List +# Sort the output of the /list command by groups. +# You can hide and merge the groups displayed in /list by defining the desired behavior here. +# Detailed instructions and examples can be found on the wiki: https://wiki.ess3.net/wiki/List list: - # To merge groups, list the groups you wish to merge + # To merge groups under one name in /list, list each group on one line, separated by spaces. #Staff: owner admin moderator Admins: owner admin - # To limit groups, set a max user limit + # To truncate group lists, set a max player limit. #builder: 20 - # To hide groups, set the group as hidden + # To hide groups, set the group as hidden. #default: hidden - # Uncomment the line below to simply list all players with no grouping + # Uncomment the line below to simply list all players with no grouping. #Players: '*' # Displays real names in /list next to players who are using a nickname. @@ -452,75 +452,72 @@ debug: false # Set the locale for all messages. # If you don't set this, the default locale of the server will be used. -# For example, to set language to English, set locale to en, to use the file "messages_en.properties". +# For example, to set the language to English, set locale to 'en'. It will then use the file 'messages_en.properties'. # Don't forget to remove the # in front of the line. # For more information, visit https://essentialsx.net/wiki/Locale.html #locale: en -# Should EssentialsX use player's language instead of the server's when sending messages? +# Should Essentials use the player's language instead of the server's when sending messages? # This is useful if you want to use a different language for your server than for your players. -# For example, if you have your server set to English and a player who speaks French, you can set this to true -# and EssentialsX will send messages in French to the player and messages in the console as English. +# For example, if your server is set to English and a player speaks French, you can set this to true. +# Essentials will then send messages in French to the player, while messages in the console will remain in English. # If a player's language is not known, the server's language (or one defined above) will be used. per-player-locale: false -# Change the default primary and secondary colours used in EssentialsX messages. -# Some messages may use custom colours, which will need to be edited in the appropriate message files. -# For more information on customising messages, see https://essentialsx.net/wiki/Locale.html +# Change the default primary and secondary colors used in Essentials messages. +# Some messages may use custom colors, which must be edited in the appropriate message files. +# For more information on customizing messages, see https://essentialsx.net/wiki/Locale.html message-colors: primary: '#ffaa00' secondary: '#ff5555' -# Turn off god mode when people leave the server. +# Turn off god mode when the player leaves the server. remove-god-on-disconnect: false -# Auto-AFK -# After this timeout in seconds, the user will be set as AFK. -# This feature requires the player to have essentials.afk.auto node. +# After this timeout in seconds, the player will be set as AFK. +# This feature requires the player to have the 'essentials.afk.auto' permission. # Set to -1 for no timeout. auto-afk: 300 -# Auto-AFK Kick -# After this timeout in seconds, the user will be kicked from the server. -# essentials.afk.kickexempt node overrides this feature. +# After this timeout in seconds, the player will be kicked from the server. +# The 'essentials.afk.kickexempt' permission overrides this feature. # Set to -1 for no timeout. auto-afk-kick: -1 -# Set this to true, if you want to freeze the player, if the player is AFK. -# Other players or monsters can't push the player out of AFK mode then. +# Set this to true if you want to freeze players when they are AFK. +# Other players or monsters won't be able to push them out of AFK mode. # This will also enable temporary god mode for the AFK player. -# The player has to use the command /afk to leave the AFK mode. +# The player must use the /afk command to leave AFK mode. freeze-afk-players: false -# When the player is AFK, should he be able to pickup items? -# Enable this, when you don't want people idling in mob traps. +# When a player is AFK, should they be able to pick up items? +# Enable this if you want to prevent people from idling in mob traps. disable-item-pickup-while-afk: false -# This setting controls if a player is marked as active on interaction. -# When this setting is false, the player would need to manually un-AFK using the /afk command. +# This setting controls if a player is marked as active upon interaction. cancel-afk-on-interact: true -# Should we automatically remove afk status when a player moves? -# Player will be removed from AFK on chat/command regardless of this setting. +# Should Essentials automatically remove AFK status when a player moves? +# Players will exit AFK on chat or command use, regardless of this setting. # Disable this to reduce server lag. cancel-afk-on-move: true -# Should we automatically remove afk status when a player sends a chat message? +# Should Essentials automatically remove AFK status when a player sends a chat message? cancel-afk-on-chat: true # Should AFK players be ignored when other players are trying to sleep? # When this setting is false, players won't be able to skip the night if some players are AFK. -# Users with the permission node essentials.sleepingignored will always be ignored. +# Players with the permission 'essentials.sleepingignored' will always be ignored. sleep-ignores-afk-players: true # Should vanished players be ignored when other players are trying to sleep? -# When this setting is false, player's won't be able to skip the night if vanished players are not sleeping. -# Users with the permission node essentials.sleepingignored will always be ignored. +# When this setting is false, players won't be able to skip the night if vanished players are not sleeping. +# Players with the permission 'essentials.sleepingignored' will always be ignored. sleep-ignores-vanished-player: true -# Set the player's list name when they are AFK. This is none by default which specifies that Essentials -# should not interfere with the AFK player's list name. -# You may use color codes, use {USERNAME} the player's name or {PLAYER} for the player's displayname. +# Change the player's /list name when they are AFK. This is none by default, which specifies that Essentials +# should not interfere with the AFK player's /list name. +# You may use color codes, {USERNAME} for the player's name, or {PLAYER} for the player's display name. afk-list-name: "none" # When a player enters or exits AFK mode, should the AFK notification be broadcast @@ -528,34 +525,32 @@ afk-list-name: "none" # When this setting is false, only the player will be notified upon changing their AFK state. broadcast-afk-message: true -# You can disable the death messages of Minecraft here. +# You can disable the Minecraft death messages here. death-messages: true -# How should essentials handle players with the essentials.keepinv permission who have items with -# curse of vanishing when they die? -# You can set this to "keep" (to keep the item), "drop" (to drop the item), or "delete" (to delete the item). -# Defaults to "keep" +# How should Essentials handle players with the 'essentials.keepinv' permission who have items with +# Curse of Vanishing when they die? +# Valid options are: 'keep', 'drop', and 'delete'. vanishing-items-policy: keep -# How should essentials handle players with the essentials.keepinv permission who have items with -# curse of binding when they die? -# You can set this to "keep" (to keep the item), "drop" (to drop the item), or "delete" (to delete the item). -# Defaults to "keep" +# How should Essentials handle players with the 'essentials.keepinv' permission who have items with +# Curse of Binding when they die? +# Valid options are: 'keep', 'drop', and 'delete'. binding-items-policy: keep # When players die, should they receive the coordinates they died at? send-info-after-death: false -# Should players with permissions be able to join and part silently? -# You can control this with essentials.silentjoin and essentials.silentquit permissions if it is enabled. -# In addition, people with essentials.silentjoin.vanish will be vanished on join. +# Should players with permissions be able to join and quit silently? +# You can control this with 'essentials.silentjoin' and 'essentials.silentquit' permissions if it is enabled. +# In addition, people with 'essentials.silentjoin.vanish' will be vanished upon joining. allow-silent-join-quit: false # You can set custom join and quit messages here. Set this to "none" to use the default Minecraft message, # or set this to "" to hide the message entirely. - +# # Available placeholders: -# {PLAYER} - The player's displayname. +# {PLAYER} - The player's display name. # {USERNAME} - The player's username. # {PREFIX} - The player's prefix. # {SUFFIX} - The player's suffix. @@ -565,13 +560,13 @@ allow-silent-join-quit: false custom-join-message: "none" custom-quit-message: "none" -# You can set a custom join message for users who join with a new username here. -# This message will only be used if a user has joined before and have since changed their username. -# This will be displayed INSTEAD OF custom-join-message, so if you intend to keep them similar, make sure they match. -# Set this to "none" to use the the "custom-join-message" above for every join. - +# You can set a custom join message for players who join with an updated username here. +# This message will only be used if a player has joined before and has since changed their username. +# This will be displayed INSTEAD OF 'custom-join-message' above, so if you intend to keep them similar, make sure they match. +# Set this to "none" to use the 'custom-join-message' setting for every join. +# # Available placeholders: -# {PLAYER} - The player's displayname. +# {PLAYER} - The player's display name. # {USERNAME} - The player's username. # {OLDUSERNAME} - The player's old username. # {PREFIX} - The player's prefix. @@ -590,60 +585,61 @@ use-custom-server-full-message: true # Set this to -1 to always show join and quit messages regardless of player count. hide-join-quit-messages-above: -1 -# Add worlds to this list, if you want to automatically disable god mode there. +# Add worlds to this list if you want to automatically disable god mode there. no-god-in-worlds: -# - world_nether + #- world_nether -# Set to true to enable per-world permissions for teleporting between worlds with essentials commands. -# This applies to /world, /back, /tp[a|o][here|all], but not warps. -# Give someone permission to teleport to a world with essentials.worlds. -# This does not affect the /home command, there is a separate toggle below for this. +# Set to true to enable per-world permissions for teleporting between worlds with Essentials commands. +# This applies to /world, /back, /tp[a|o|here|all] but not warps. +# Give someone permission to teleport to a world with 'essentials.worlds.'. +# This does not affect the /home command; use 'world-home-permissions' below. world-teleport-permissions: false # The number of items given if the quantity parameter is left out in /item or /give. -# If this number is below 1, the maximum stack size size is given. If over-sized stacks. -# are not enabled, any number higher than the maximum stack size results in more than one stack. +# If this number is below 1, the maximum stack size is given. If 'oversized-stacksize' below +# is not changed, any number higher than the maximum stack size results in multiple stacks. default-stack-size: -1 -# Over-sized stacks are stacks that ignore the normal max stack size. -# They can be obtained using /give and /item, if the player has essentials.oversizedstacks permission. -# How many items should be in an over-sized stack? +# Oversized stacks are stacks that ignore the normal max stack size. +# They can be obtained using /give and /item if the player has the 'essentials.oversizedstacks' permission. +# How many items should be in an oversized stack? oversized-stacksize: 64 -# Allow repair of enchanted weapons and armor. -# If you set this to false, you can still allow it for certain players using the permission. -# essentials.repair.enchanted +# Allow repairing enchanted weapons and armor. +# If you set this to false, you can still allow it for certain players +# using the permission 'essentials.repair.enchanted'. repair-enchanted: true -# Allow 'unsafe' enchantments in kits and item spawning. -# Warning: Mixing and overleveling some enchantments can cause issues with clients, servers and plugins. +# Allow "unsafe" enchantments in kits and item spawning. +# WARNING: Mixing and over-leveling some enchantments can cause issues with clients, servers, and plugins. unsafe-enchantments: false -# The maximum range from the player that the /tree and /bigtree commands can spawn trees. +# The maximum distance in blocks from the player that the /tree and /bigtree commands can spawn trees. tree-command-range-limit: 300 -#Do you want Essentials to keep track of previous location for /back in the teleport listener? -#If you set this to true any plugin that uses teleport will have the previous location registered. +# Should Essentials keep track of a player's previous location for /back in the teleport listener? +# If you set this to true, any plugin that uses teleport will have the previous location registered. register-back-in-listener: false -#Delay to wait before people can cause attack damage after logging in. +# The delay, in seconds, before people can cause attack damage after logging in. +# This prevents players from exploiting the temporary invulnerability they receive upon joining. login-attack-delay: 5 -#Set the max fly speed, values range from 0.1 to 1.0 -max-fly-speed: 0.8 - -#Set the max walk speed, values range from 0.1 to 1.0 +# Set the max walk and fly speeds to any value ranging from 0.1 to 1.0. +# Note: These values act as ratios to the in-game speed levels, which range from 0 to 10. +# For example, if the maximum speed is set to 0.8 and a player uses '/speed 10', their actual speed will be 0.8. max-walk-speed: 0.8 +max-fly-speed: 0.8 -#Set the maximum amount of mail that can be sent within a minute. +# Set the maximum amount of mail that can be sent within a minute. mails-per-minute: 1000 -# Set the maximum time /mute can be used for in seconds. -# Set to -1 to disable, and essentials.mute.unlimited can be used to override. +# Set the maximum duration, in seconds, that /mute can be applied for. +# Set to -1 to disable the limit. Players with the 'essentials.mute.unlimited' permission can bypass this restriction. max-mute-time: -1 -# Set the maximum time /tempban can be used for in seconds. -# Set to -1 to disable, and essentials.tempban.unlimited can be used to override. +# Set the maximum duration, in seconds, that /tempban can be applied for. +# Set to -1 to disable the limit. Players with the 'essentials.tempban.unlimited' permission can bypass this restriction. max-tempban-time: -1 # Changes the default /reply functionality. This can be changed on a per-player basis using /rtoggle. @@ -651,88 +647,87 @@ max-tempban-time: -1 # If false, /r goes to the last person that messaged you. last-message-reply-recipient: true -# If last-message-reply-recipient is enabled for a particular player, +# If 'last-message-reply-recipient' is enabled for a particular player, # this specifies the duration, in seconds, that would need to elapse for the -# reply-recipient to update when receiving a message. -# Default is 180 (3 minutes) +# reply recipient to update when receiving a message. +# 180 seconds = 3 minutes last-message-reply-recipient-timeout: 180 # Changes the default /reply functionality. -# If true, /reply will not check if the person you're replying to has vanished. -# If false, players will not be able to /reply to players who they can no longer see due to vanish. +# If true, /reply will not check if the person you're replying to is vanished. +# If false, players will not be able to /reply to vanished players they cannot see. last-message-reply-vanished: false -# Toggles whether or not left clicking mobs with a milk bucket turns them into a baby. +# Toggles whether left clicking mobs with a milk bucket turns them into a baby. milk-bucket-easter-egg: true -# Toggles whether or not the fly status message should be sent to players on join +# Toggles whether the fly status message should be sent to players on join. send-fly-enable-on-join: true -# Set to true to enable per-world permissions for setting time for individual worlds with essentials commands. -# This applies to /time, /day, /eday, /night, /enight, /etime. -# Give someone permission to teleport to a world with essentials.time.world.. +# Set to true to enable per-world permissions for setting the time of individual worlds with Essentials commands. +# This applies to the /time, /day, and /night commands. +# Give someone permission to set time in a world with 'essentials.time.world.'. world-time-permissions: false -# Specify cooldown for both Essentials commands and external commands as well. -# All commands do not start with a Forward Slash (/). Instead of /msg, write msg +# Specify cooldowns for both Essentials commands and external commands. +# Commands do not start with a forward slash (/). For example, instead of '/msg', write 'msg'. # -# Wildcards are supported. E.g. +# Wildcards are supported. For example, # - '*i*': 50 -# adds a 50 second cooldown to all commands that include the letter i +# adds a 50-second cooldown to all commands that include the letter "i". # -# EssentialsX supports regex by starting the command with a caret ^ -# For example, to target commands starting with ban and not banip the following would be used: -# '^ban([^ip])( .*)?': 60 # 60 seconds /ban cooldown. -# Note: If you have a command that starts with ^, then you can escape it using backslash (\). e.g. \^command: 123 +# Essentials supports regex by starting the command with a caret (^). +# For example, to target commands starting with "ban" but not "banip", use: +# '^ban([^ip])( .*)?': 60 # 60-second /ban cooldown +# Note: If you have a command that starts with ^, escape it using a backslash (\). E.g., \^command: 123 command-cooldowns: -# feed: 100 # 100 second cooldown on /feed command -# '*': 5 # 5 Second cooldown on all commands + #feed: 100 # 100-second cooldown on /feed command + #'*': 5 # 5-second cooldown on all commands -# Whether command cooldowns should be persistent past server shutdowns +# Whether command cooldowns should persist across server shutdowns. command-cooldown-persistence: true -# Whether NPC balances should be listed in balance ranking features such as /balancetop. -# NPC balances can include features like factions from FactionsUUID plugin. +# Whether NPC balances should be included in balance ranking features like /balancetop. +# NPC balances can include features like factions from the FactionsUUID plugin. npcs-in-balance-ranking: false -# Allow bulk buying and selling signs when the player is sneaking. -# This is useful when a sign sells or buys one item at a time and the player wants to sell a bunch at once. +# Allow bulk buying and selling with signs while the player is sneaking. +# This is useful when a sign buys or sells one item at a time and the player wants to sell many at once. allow-bulk-buy-sell: true -# Allow selling of items with custom names with the /sell command. -# This may be useful to prevent players accidentally selling named items. +# Allow selling items with custom names with the /sell command. +# This can help prevent players from accidentally selling named items. allow-selling-named-items: false -# Delay for the MOTD display for players on join, in milliseconds. -# This has no effect if the MOTD command or permission are disabled. -# This can also be set to -1 to completely disable the join MOTD all together. +# The delay, in milliseconds, for displaying the MOTD to players on join. +# This has no effect if the MOTD command or permission is disabled. +# Set to -1 to disable the join MOTD entirely. delay-motd: 0 # A list of commands that should have their complementary confirm commands enabled by default. -# This is empty by default, for the latest list of valid commands see the latest source config.yml. +# This is empty by default. For the latest list of valid commands, refer to the latest source 'config.yml'. default-enabled-confirm-commands: -#- pay -#- clearinventory + #- pay + #- clearinventory # Where should Essentials teleport players when they are freed from jail? -# You can set to "back" to have them teleported to where they were before they were jailed, "spawn" to have them -# teleport to spawn, or "off" to not have them teleport. +# Set to 'back' to teleport them to their previous location before being jailed, +# 'spawn' to send them to the spawnpoint, or 'off' to disable teleportation upon release. teleport-when-freed: back -# Whether or not jail time should only be counted while the user is online. +# Whether jail time should only be counted while the player is online. # If true, a jailed player's time will only decrement when they are online. jail-online-time: false -# Set the timeout, in seconds for players to accept a tpa before the request is cancelled. +# Set the timeout, in seconds, for players to accept a teleport request before it is cancelled. # Set to 0 for no timeout. tpa-accept-cancellation: 120 -# The maximum number of simultaneous tpa requests that can be pending for any player. +# The maximum number of simultaneous teleport requests that can be pending for any player. # Once past this threshold, old requests will instantly time out. -# Defaults to 5. tpa-max-requests: 5 -# Allow players to set hats by clicking on their helmet slot. +# Allow players to set hats by clicking on their helmet slot with an item. allow-direct-hat: true # Allow in-game players to specify a world when running /broadcastworld. @@ -740,12 +735,7 @@ allow-direct-hat: true # This doesn't affect running the command from the console, where a world is always required. allow-world-in-broadcastworld: true -# Consider water blocks as "safe," therefore allowing players to teleport -# using commands such as /home or /spawn to a location that is occupied -# by water blocks -is-water-safe: false - -# Should the usermap try to sanitise usernames before saving them? +# Should the usermap try to sanitize usernames before saving them? # You should only change this to false if you use Minecraft China. safe-usermap-names: true @@ -757,11 +747,11 @@ log-command-block-commands: true max-projectile-speed: 8 # Set the maximum amount of lore lines a user can set with the /itemlore command. -# Users with the essentials.itemlore.bypass permission will be able to bypass this limit. +# Players with the 'essentials.itemlore.bypass' permission will be able to bypass this limit. max-itemlore-lines: 10 -# Should EssentialsX check for updates? -# If set to true, EssentialsX will show notifications when a new version is available. +# Should Essentials check for updates? +# If set to true, Essentials will show notifications when a new version is available. # This uses the public GitHub API and no identifying information is sent or stored. update-check: true @@ -777,36 +767,37 @@ update-bed-at-daytime: true # Set to true to enable per-world permissions for using homes to teleport between worlds. # This applies to the /home command only. -# Give someone permission to teleport to a world with essentials.worlds. +# Give someone permission to teleport to a world with 'essentials.worlds.'. world-home-permissions: false # Allow players to have multiple homes. -# Players need essentials.sethome.multiple before they can have more than 1 home. +# Players need 'essentials.sethome.multiple' before they can have more than 1 home. # You can set the default number of multiple homes using the 'default' rank below. # To remove the home limit entirely, give people 'essentials.sethome.multiple.unlimited'. -# To grant different home amounts to different people, you need to define a 'home-rank' below. -# Create the 'home-rank' below, and give the matching permission: essentials.sethome.multiple. -# For more information, visit http://wiki.ess3.net/wiki/Multihome +# +# To grant different home amounts to different people, you need to define a "home rank" below. +# Once created, give the matching permission: 'essentials.sethome.multiple.'. +# Note: The "home ranks" defined below do not need to match your permissions plugin's group names. +# +# In this example, someone with 'essentials.sethome.multiple' and 'essentials.sethome.multiple.vip' will have 5 homes. +# Remember, they must have BOTH permission nodes in order to be able to set multiple homes. +# For more information, visit https://wiki.ess3.net/wiki/Multihome sethome-multiple: default: 3 vip: 5 staff: 10 -# In this example someone with 'essentials.sethome.multiple' and 'essentials.sethome.multiple.vip' will have 5 homes. -# Remember, they MUST have both permission nodes in order to be able to set multiple homes. - -# Controls whether players need the permission "essentials.home.compass" in order to point -# the player's compass at their first home. -# -# Leaving this as false will retain Essentials' original behaviour, which is to always -# change the compass' direction to point towards their first home. +# Controls whether players need the permission 'essentials.home.compass' in order to point +# the player's compass toward their first home. +# Leaving this as false will retain Essentials' original behavior, which is to always +# change the compass' direction to point toward the player's first home. compass-towards-home-perm: false # If no home is set, would you like to send the player to spawn? -# If set to false, players will not be teleported when they run /home without setting a home first. +# If set to false, players will not be teleported when they run /home without first setting a home. spawn-if-no-home: true -# Should players be asked to provide confirmation for homes which they attempt to overwrite? +# Should players be asked to provide confirmation for homes they attempt to overwrite? confirm-home-overwrite: false ############################################################ @@ -815,24 +806,24 @@ confirm-home-overwrite: false # +------------------------------------------------------+ # ############################################################ -# For more information, visit http://wiki.ess3.net/wiki/Essentials_Economy +# For more information, visit https://wiki.ess3.net/wiki/Essentials_Economy -# You can control the values of items that are sold to the server by using the /setworth command. +# You can control the values of items that are sold to the server by using the /setworth command and 'worth.yml'. -# Defines the balance with which new players begin. Defaults to 0. +# Defines the balance new players start with. starting-balance: 0 # Defines the cost to use the given commands PER USE. -# Some commands like /repair have sub-costs, check the wiki for more information. +# Some commands like /repair have sub-costs. Check the wiki for more information. command-costs: - # /example costs $1000 PER USE + # To make /example cost $1000 PER USE: #example: 1000 - # /kit tools costs $1500 PER USE + # To make '/kit tools' cost $1500 PER USE: #kit-tools: 1500 # Set this to a currency symbol you want to use. -# Remember, if you want to use special characters in this document, -# such as accented letters, you MUST save the file as UTF-8, not ANSI. +# Remember, if you want to use special characters in this document, such as accented letters, +# you MUST save the file as UTF-8, not ANSI. currency-symbol: '$' # Enable this to make the currency symbol appear at the end of the amount rather than at the start. @@ -840,54 +831,60 @@ currency-symbol: '$' currency-symbol-suffix: false # Set the maximum amount of money a player can have. -# The amount is always limited to 10 trillion because of the limitations of a java double. +# Note: Extremely large numbers may have unintended consequences. max-money: 10000000000000 -# Set the minimum amount of money a player can have (must be above the negative of max-money). -# Setting this to 0, will disable overdrafts/loans completely. Users need 'essentials.eco.loan' perm to go below 0. +# Set the minimum amount of money a player can have (must be greater than the negative value of max-money). +# Setting this to 0 will disable overdrafts/loans completely. +# Players need 'essentials.eco.loan' permission to have a negative balance. min-money: -10000 -# Enable this to log all interactions with trade/buy/sell signs and sell command. +# Enable this to log all interactions with buy/sell/trade signs and the sell command. economy-log-enabled: false # Enable this to also log all transactions from other plugins through Vault. -# This can cause the economy log to fill up quickly so should only be enabled for testing purposes! +# This can cause the economy log to fill up quickly so it should only be enabled for testing purposes! economy-log-update-enabled: false -# Minimum acceptable amount to be used in /pay. +# The minimum acceptable amount to be used in /pay. minimum-pay-amount: 0.001 -# Enable this to block users who try to /pay another user which ignore them. +# Enable this to block players who try to /pay someone who is ignoring them. pay-excludes-ignore-list: false -# Whether or not users with a balance less than or equal to $0 should be shown in balance-top. -# Setting to false will not show people with balances <= 0 in balance-top. -# NOTE: After reloading the config, you must also run '/baltop force' for this to appear +# Whether players with a balance of $0 or less should be shown in the balance top list. +# Setting this to false will hide balances with $0 or less. +# Note: After reloading the config, run '/baltop force' for changes to take effect. show-zero-baltop: true -# Requirements which must be met by the player to get their name shown in the balance top list. -# Playtime is in seconds. +# Requirements that players must meet to have their name shown in the balance top list. +# Playtime is measured in seconds. baltop-requirements: minimum-balance: 0 minimum-playtime: 0 -# The format of currency, excluding symbols. See currency-symbol-format-locale for symbol configuration. +# The format of currency, excluding symbols. For symbol configuration, see 'currency-symbol-format-locale' below. # # "#,##0.00" is how the majority of countries display currency. #currency-format: "#,##0.00" # Format currency symbols. Some locales use , and . interchangeably. -# Some formats do not display properly in-game due to faulty Minecraft font rendering. +# Certain formats may not display correctly in-game due to Minecraft font rendering issues. +# +# Example locales: +# - de-DE for 1.234,50 +# - en-US for 1,234.50 +# - fr-CH for 1'234,50 # -# For 1.234,50 use de-DE -# For 1,234.50 use en-US -# For 1'234,50 use fr-ch +# Or see https://www.iban.com/country-codes for all Alpha-2 country codes. #currency-symbol-format-locale: en-US # Allow players to receive multipliers for items sold with /sell or the sell sign. # You can set the default multiplier using the 'default' rank below. -# To grant different multipliers to different people, you need to define a 'multiplier-rank' below. -# Create the 'multiplier-rank' below, and give the matching permission: essentials.sell.multiplier. +# +# To grant different multipliers to different people, you need to define a "multiplier rank" below. +# Once created, give the matching permission: 'essentials.sell.multiplier.'. +# Note: The "multiplier ranks" defined below do not need to match your permissions plugin's group names. sell-multipliers: default: 1.0 double: 2.0 @@ -899,13 +896,13 @@ sell-multipliers: # +------------------------------------------------------+ # ############################################################ -# Show other plugins commands in help. +# Show other plugins' commands in the Essentials help list. non-ess-in-help: true -# Hide plugins which do not give a permission. -# You can override a true value here for a single plugin by adding a permission to a user/group. -# The individual permission is: essentials.help., anyone with essentials.* or '*' will see all help regardless. -# You can use negative permissions to remove access to just a single plugins help if the following is enabled. +# Hide plugins that players do not have permission to use. +# You can override this by adding the 'essentials.help.' permission to a player or group. +# Players with 'essentials.*' or '*' will see all help regardless. +# You can also use negative permissions to remove access to a specific plugin's help if this is enabled. hide-permissionless-help: true ############################################################ @@ -914,24 +911,28 @@ hide-permissionless-help: true # +------------------------------------------------------+ # ############################################################ -# You need to install EssentialsX Chat for this section to work. +# You need to install the EssentialsX Chat module for this section to work. # See https://essentialsx.net/wiki/Module-Breakdown.html for more information. chat: - # If EssentialsX Chat is installed, this will define how far a player's voice travels, in blocks. Set to 0 to make all chat global. - # Note that users with the "essentials.chat.spy" permission will hear everything, regardless of this setting. - # Users with essentials.chat.shout can override this by prefixing their message with an exclamation mark (!) - # Users with essentials.chat.question can override this by prefixing their message with a question mark (?) - # You can add command costs for shout/question by adding chat-shout and chat-question to the command costs section. + # If Essentials Chat is installed, this sets how many blocks a player's chat will travel. Set to 0 for global chat. + # Players with 'essentials.chat.spy' will see everything, regardless of this setting. + # Players with 'essentials.chat.shout' can override this by prefixing their message with an exclamation mark (!). + # Players with 'essentials.chat.question' can override this by prefixing their message with a question mark (?). + # You can add command costs for shout/question by adding 'chat-shout' and 'chat-question' to the 'command-costs' section above. radius: 0 - # Chat formatting can be done in two ways, you can either define a standard format for all chat. - # Or you can give a group specific chat format, to give some extra variation. - # For each of these formats, you can specify a sub format for each chat type. - # For more information of chat formatting, check out the wiki: http://wiki.ess3.net/wiki/Chat_Formatting - # Note: Using the {PREFIX} and {SUFFIX} placeholders along with {DISPLAYNAME} may cause double prefixes/suffixes to be shown in chat unless add-prefix-suffix is uncommented and set to false. - + # Chat formatting can be configured in two ways: + # - A standard format for all chat ('format' section) + # - Group-specific chat formats for extra variation ('group-formats' section) + # + # You can use permissions to control whether players can use formatting codes in their chat messages. + # See https://essentialsx.net/wiki/Color-Permissions.html for more information. + # + # You can also specify a sub-format for each chat type. + # For more information on chat formatting, visit the wiki: https://wiki.ess3.net/wiki/Chat_Formatting#Chat_Formatting + # # Available placeholders: # {MESSAGE} - The content of the chat message. # {USERNAME} - The sender's username. @@ -946,10 +947,13 @@ chat: # {TEAMNAME} - The sender's scoreboard team name. # {TEAMPREFIX} - The sender's scoreboard team prefix. # {TEAMSUFFIX} - The sender's scoreboard team suffix. + # + # Note: The {DISPLAYNAME} placeholder includes {PREFIX} and {SUFFIX} by default. + # Using these together may result in double prefixes/suffixes in chat. format: '<{DISPLAYNAME}> {MESSAGE}' #format: '&7[{GROUP}]&r {DISPLAYNAME}&7:&r {MESSAGE}' - #format: '&7{PREFIX}&r {DISPLAYNAME}&r &7{SUFFIX}&r: {MESSAGE}' + #format: '&7{PREFIX}&r {NICKNAME}&r &7{SUFFIX}&r: {MESSAGE}' # You can also specify a format for each type of chat. #format: @@ -957,38 +961,35 @@ chat: # question: '{WORLDNAME} &4{DISPLAYNAME}&7:&r {MESSAGE}' # shout: '{WORLDNAME} &c[{GROUP}]&r &4{DISPLAYNAME}&7:&c {MESSAGE}' - # You can specify a format for each group. + # You can also specify a format for each group. + # If using group formats, remove the # to activate the setting. + # Note: Group names are case-sensitive, so you must match them up with your permissions plugin. + # Note: If a LuckPerms group display name (alias) is set, you must use it instead of the original group name. group-formats: - # default: '{WORLDNAME} {DISPLAYNAME}&7:&r {MESSAGE}' - # admins: '{WORLDNAME} &c[{GROUP}]&r {DISPLAYNAME}&7:&c {MESSAGE}' - - # You can also specify a format for each type of chat for each group. - # admins: - # question: '{WORLDNAME} &4{DISPLAYNAME}&7:&r {MESSAGE}' - # shout: '{WORLDNAME} &c[{GROUP}]&r &4{DISPLAYNAME}&7:&c {MESSAGE}' + #default: '{WORLDNAME} {DISPLAYNAME}&7:&r {MESSAGE}' + #admins: '{WORLDNAME} &c[{GROUP}]&r {DISPLAYNAME}&7:&c {MESSAGE}' - # If you are using group formats make sure to remove the '#' to allow the setting to be read. - # Note: Group names are case-sensitive so you must match them up with your permission plugin. - - # You can use permissions to control whether players can use formatting codes in their chat messages. - # See https://essentialsx.net/wiki/Color-Permissions.html for more information. + # You can also specify a format for each type of chat for each group. + #admins: + # question: '{WORLDNAME} &4{DISPLAYNAME}&7:&r {MESSAGE}' + # shout: '{WORLDNAME} &c[{GROUP}]&r &4{DISPLAYNAME}&7:&c {MESSAGE}' # World aliases allow you to replace the world name with something different in the chat format. - # If you are using world aliases, make sure to remove the '#' at the start to allow the setting to be read. + # If using world aliases, remove the # to activate the setting. world-aliases: - # plots: "&dP&r" - # creative: "&eC&r" + #plots: "&dP&r" + #creative: "&eC&r" # Whether players should be placed into shout mode by default. shout-default: false - # Whether a player's shout mode should persist restarts. + # Whether a player's shout mode should persist across restarts. persist-shout: false - # Whether chat questions should be enabled or not. + # Whether chat questions should be enabled. question-enabled: true - # Whether EssentialsX should use Paper's modern chat event system in 1.16.5+. + # Whether Essentials should use Paper's modern chat event system in 1.16.5+. # This is required for modern chat features such as hover events and click events. # If you're experiencing issues with other plugins that use the chat event system, you can disable this. # You must restart your server after changing this setting. @@ -996,16 +997,16 @@ chat: ############################################################ # +------------------------------------------------------+ # -# | EssentialsX Protect | # +# | EssentialsX Protect | # # +------------------------------------------------------+ # ############################################################ -# You need to install EssentialsX Protect for this section to work. +# You need to install the EssentialsX Protect module for this section to work. # See https://essentialsx.net/wiki/Module-Breakdown.html for more information. protect: - # General physics/behavior modifications. Set these to true to disable behaviours. + # General physics/behavior modifications. Set these to true to disable behaviors. prevent: lava-flow: false water-flow: false @@ -1041,30 +1042,29 @@ protect: villager-death: false bed-explosion: false respawn-anchor-explosion: false - # Monsters won't follow players. - # permission essentials.protect.entitytarget.bypass disables this. + # Prevent monsters from following players. + # The permission 'essentials.protect.entitytarget.bypass' disables this. entitytarget: false - # Prevents zombies from breaking down doors + # Prevent zombies from breaking down doors. zombie-door-break: false - # Prevents Ravagers from stealing blocks + # Prevent ravagers from stealing blocks. ravager-thief: false - # Prevents sheep from turning grass to dirt + # Prevent sheep from turning grass into dirt. sheep-eat-grass: false - # Prevent certain transformations. transformation: - # Prevent creepers becoming charged when struck by lightning. + # Prevent creepers from becoming charged when struck by lightning. charged-creeper: false - # Prevent villagers becoming zombie villagers. + # Prevent villagers from becoming zombie villagers. zombie-villager: false - # Prevent zombie villagers being cured. + # Prevent zombie villagers from being cured. villager: false - # Prevent villagers becoming witches when struck by lightning. + # Prevent villagers from becoming witches when struck by lightning. witch: false - # Prevent pigs becoming zombie pigmen when struck by lightning. + # Prevent pigs from becoming zombified piglins when struck by lightning. zombie-pigman: false - # Prevent zombies turning into drowneds, and husks turning into zombies. + # Prevent zombies from turning into drowneds, and husks from turning into zombies. drowned: false - # Prevent mooshrooms changing colour when struck by lightning. + # Prevent mooshrooms from changing color when struck by lightning. mooshroom: false # Prevent the spawning of creatures. If a creature is missing, you can add it following the format below. spawn: @@ -1099,44 +1099,48 @@ protect: horse: false phantom: false - # Maximum height the creeper should explode. -1 allows them to explode everywhere. - # Set prevent.creeper-explosion to true, if you want to disable creeper explosions. + # The maximum height a creeper can explode. -1 allows them to explode everywhere. + # Set 'creeper-explosion' above to true if you want to disable creeper explosions completely. creeper: max-height: -1 - # Disable various default physics and behaviors. + # Disable various default physics/behaviors. disable: # Should fall damage be disabled? fall: false - # Users with the essentials.protect.pvp permission will still be able to attack each other if this is set to true. - # They will be unable to attack users without that same permission node. + # Should PvP be disabled? + # Players with the 'essentials.protect.pvp' permission will still be able to attack each other if this is set to true. + # However, they will be unable to attack players without the permission node. pvp: false # Should drowning damage be disabled? - # (Split into two behaviors; generally, you want both set to the same value.) drown: false + + # Should suffocation in blocks be disabled? suffocate: false - # Should damage via lava be disabled? Items that fall into lava will still burn to a crisp. ;) + # Should damage by lava be disabled? + # Items that fall into lava will still burn to a crisp. ;) lavadmg: false - # Should arrow damage be disabled? + # Should projectile damage, such as from arrows, be disabled? projectiles: false - # This will disable damage from touching cacti. + # Should contact damage be disabled? + # This includes touching cacti, dripstone, berry bushes, etc. contactdmg: false - # Burn, baby, burn! Should fire damage be disabled? + # Burn, baby, burn! Should fire damage be disabled? firedmg: false - # Should the damage after hit by a lightning be disabled? + # Should the damage from being hit by lightning be disabled? lightning: false - # Should Wither damage be disabled? + # Should wither damage be disabled? wither: false - # Disable weather options? + # Should these types of weather be disabled? weather: storm: false thunder: false @@ -1144,28 +1148,26 @@ protect: ############################################################ # +------------------------------------------------------+ # -# | EssentialsX AntiBuild | # +# | EssentialsX AntiBuild | # # +------------------------------------------------------+ # ############################################################ - # You need to install EssentialsX AntiBuild for this section to work. - # See https://essentialsx.net/wiki/Module-Breakdown.html and http://wiki.ess3.net/wiki/AntiBuild for more information. + # You need to install the EssentialsX AntiBuild module for this section to work. + # See https://essentialsx.net/wiki/Module-Breakdown.html and https://wiki.ess3.net/wiki/AntiBuild for more information. - # Should people without the essentials.build permission be allowed to build? - # Set true to disable building for those people. - # Setting to false means EssentialsAntiBuild will never prevent you from building. + # Should building be disabled for those without the 'essentials.build' permission? + # Setting this to false means Essentials AntiBuild will never prevent players from building. build: true - # Should people without the essentials.build permission be allowed to use items? - # Set true to disable using for those people. - # Setting to false means EssentialsAntiBuild will never prevent you from using items. + # Should people without the 'essentials.build' permission be prevented from using items? + # Setting this to false means Essentials AntiBuild will never prevent players from using items. use: true - # Should we warn people when they are not allowed to build? + # Should Essentials message people when they are not allowed to build? warn-on-build-disallow: true # For which block types would you like to be alerted? - # You can find a list of items at https://hub.spigotmc.org/javadocs/spigot/org/bukkit/Material.html. + # You can find a list of items at https://hub.spigotmc.org/javadocs/spigot/org/bukkit/Material.html alert: on-placement: LAVA,TNT,LAVA_BUCKET on-use: LAVA_BUCKET @@ -1185,7 +1187,7 @@ protect: # Which blocks should not be moved by pistons? piston: - # Which blocks should not be dispensed by dispensers + # Which blocks should not be dispensed by dispensers? dispenser: ############################################################ @@ -1194,62 +1196,69 @@ protect: # +------------------------------------------------------+ # ############################################################ -# You need to install EssentialsX Spawn for this section to work. +# You need to install the EssentialsX Spawn module for this section to work. # See https://essentialsx.net/wiki/Module-Breakdown.html for more information. newbies: - # Should we announce to the server when someone logs in for the first time? - # If so, use this format, replacing {DISPLAYNAME} with the player name. - # If not, set to '' + # Should Essentials announce to the server when someone logs in for the first time? + # {DISPLAYNAME} will be replaced with the player name. + # Set to '' to disable. #announce-format: '' announce-format: '&dWelcome {DISPLAYNAME}&d to the server!' - # When we spawn for the first time, which spawnpoint do we use? - # Set to "none" if you want to use the spawn point of the world. + # When players spawn for the first time, which spawnpoint should be used? + # Set to 'none' to use the spawnpoint of the world. + # Different spawn names can be set using '/setspawn '. spawnpoint: newbies - # Do we want to give users anything on first join? Set to '' to disable - # This kit will be given regardless of cost and permissions, and will not trigger the kit delay. + # Should players receive items on their first join? + # This kit will be given regardless of cost and permissions and won't trigger any kit delay (cooldown). + # Set to '' to disable. #kit: '' kit: tools -# What priority should we use for handling respawns? -# Set this to none, if you want vanilla respawning behaviour. -# Set this to lowest, if you want Multiverse to handle the respawning. -# Set this to high, if you want EssentialsSpawn to handle the respawning. -# Set this to highest, if you want to force EssentialsSpawn to handle the respawning. +# What priority should Essentials use for handling respawns? +# Set this to 'none' if you want vanilla respawning behavior. +# Set this to 'lowest' if you want world plugins to handle the respawning. +# Set this to 'high' if you want Essentials Spawn to handle the respawning. +# Set this to 'highest' if you want to force Essentials Spawn to handle the respawning. # Note: Changes will not apply until after the server is restarted. respawn-listener-priority: high -# What priority should we use for handling spawning on joining the server? -# See respawn-listener-priority for possible values. -# Note: Changing this may impact or break spawn-on-join functionality. +# What priority should Essentials use for handling spawning on joining the server? +# See 'respawn-listener-priority' above for possible values. +# Note: Changing this may impact or break 'spawn-on-join' functionality below. # Note: Changes will not apply until after the server is restarted. spawn-join-listener-priority: high -# When users die, should they respawn at their first home or bed, instead of the spawnpoint? +# When players die, should they respawn at their first home or bed instead of the spawnpoint? respawn-at-home: false -# When users die, should they respawn at their bed instead of the spawnpoint? -# The value of respawn-at-home (above) has to be true. +# When players die, should they respawn at their bed instead of their first home or the spawnpoint? +# The 'respawn-at-home' setting above must also be true for this to take effect. respawn-at-home-bed: true -# When users die, should EssentialsSpawn respect users' respawn anchors? +# When players die, should Essentials respect their respawn anchors? respawn-at-anchor: false -# If configured, users will spawn at the random spawn location instead of the newbies spawnpoint. +# If configured, players will spawn at a random location instead of their spawnpoint. +# This will override the newbies spawnpoint set above. +# +# The location must first be set using the /settpr command or in 'tpr.yml'. +# After a tpr location is created, set the world name (or the name defined in 'tpr.yml') below. random-spawn-location: "none" -# If configured, when users die, they will respawn at the random respawn location. +# If configured, players will respawn at the random respawn location when they die. +# See 'random-spawn-location' above for additional location information. random-respawn-location: "none" -# Teleport all joining players to the spawnpoint +# Teleport all joining players to their spawnpoint. spawn-on-join: false -# The following value of `guests` states that all players in group `guests` will be teleported to spawn when joining. +# The following value of 'guests' states that all players in the 'guests' group will be teleported to spawn when joining. #spawn-on-join: guests -# The following list value states that all players in group `guests` and `admin` are to be teleported to spawn when joining. +# The following list value states that all players in the 'guests' or 'admin' groups will be teleported to spawn when joining. #spawn-on-join: -#- guests -#- admin +# - guests +# - admin # End of file <-- No seriously, you're done with configuration. diff --git a/Essentials/src/main/resources/custom_items.yml b/Essentials/src/main/resources/custom_items.yml index dd798645f82..6311cc9655c 100644 --- a/Essentials/src/main/resources/custom_items.yml +++ b/Essentials/src/main/resources/custom_items.yml @@ -1,5 +1,5 @@ # This file stores custom item aliases. -# NOTE: If you try and alias an item to another entry in this file, the alias won't work. +# Note: You cannot alias an item to another entry in this file. aliases: bluepaint: blue_dye diff --git a/Essentials/src/main/resources/items.json b/Essentials/src/main/resources/items.json index a5a45a2ea0e..8efb97205cb 100644 --- a/Essentials/src/main/resources/items.json +++ b/Essentials/src/main/resources/items.json @@ -2003,6 +2003,11 @@ "bludye": "blue_dye", "bluedye": "blue_dye", "minecraft:blue_dye": "blue_dye", + "blue_egg": { + "material": "BLUE_EGG" + }, + "blueegg": "blue_egg", + "minecraft:blue_egg": "blue_egg", "blue_glazed_terracotta": { "material": "BLUE_GLAZED_TERRACOTTA" }, @@ -2322,6 +2327,11 @@ "brodye": "brown_dye", "browndye": "brown_dye", "minecraft:brown_dye": "brown_dye", + "brown_egg": { + "material": "BROWN_EGG" + }, + "brownegg": "brown_egg", + "minecraft:brown_egg": "brown_egg", "brown_glazed_terracotta": { "material": "BROWN_GLAZED_TERRACOTTA" }, @@ -2469,12 +2479,28 @@ "burnpotterysherd": "burn_pottery_sherd", "burnsherd": "burn_pottery_sherd", "minecraft:burn_pottery_sherd": "burn_pottery_sherd", + "bush": { + "material": "BUSH" + }, + "gbush": "bush", + "grassbush": "bush", + "minecraft:bush": "bush", "cactus": { "material": "CACTUS" }, "cacti": "cactus", "cactuses": "cactus", "minecraft:cactus": "cactus", + "cactus_flower": { + "material": "CACTUS_FLOWER" + }, + "cactiflower": "cactus_flower", + "cactusflower": "cactus_flower", + "cflower": "cactus_flower", + "flowerc": "cactus_flower", + "flowercacti": "cactus_flower", + "flowercactus": "cactus_flower", + "minecraft:cactus_flower": "cactus_flower", "cake": { "material": "CAKE" }, @@ -5712,7 +5738,6 @@ "dead_bush": { "material": "DEAD_BUSH" }, - "bush": "dead_bush", "dbush": "dead_bush", "deadbush": "dead_bush", "deadsapling": "dead_bush", @@ -7425,6 +7450,13 @@ "firerestarr": "fire_resistance_tipped_arrow", "firerestarrow": "fire_resistance_tipped_arrow", "firerestippedarrow": "fire_resistance_tipped_arrow", + "firefly_bush": { + "material": "FIREFLY_BUSH" + }, + "ffbush": "firefly_bush", + "firebush": "firefly_bush", + "fireflybush": "firefly_bush", + "minecraft:firefly_bush": "firefly_bush", "firework_rocket": { "material": "FIREWORK_ROCKET" }, @@ -11428,6 +11460,15 @@ "material": "LEAD" }, "minecraft:lead": "lead", + "leaf_litter": { + "material": "LEAF_LITTER" + }, + "leaflit": "leaf_litter", + "leaflitter": "leaf_litter", + "litter": "leaf_litter", + "llitter": "leaf_litter", + "minecraft:leaf_litter": "leaf_litter", + "spottedleaf": "leaf_litter", "leaping_lingering_potion": { "potionData": { "type": "LEAPING", @@ -27238,6 +27279,14 @@ "minecraft:shield": "shield", "woodenshield": "shield", "woodshield": "shield", + "short_dry_grass": { + "material": "SHORT_DRY_GRASS" + }, + "minecraft:short_dry_grass": "short_dry_grass", + "sdgrass": "short_dry_grass", + "sdrygrass": "short_dry_grass", + "shortdgrass": "short_dry_grass", + "shortdrygrass": "short_dry_grass", "short_grass": { "material": "SHORT_GRASS", "fallbacks": [ @@ -33146,6 +33195,14 @@ "tadpolemonsterspawner": "tadpole_spawner", "tadpolemspawner": "tadpole_spawner", "tadpolespawner": "tadpole_spawner", + "tall_dry_grass": { + "material": "TALL_DRY_GRASS" + }, + "minecraft:tall_dry_grass": "tall_dry_grass", + "talldgrass": "tall_dry_grass", + "talldrygrass": "tall_dry_grass", + "tdgrass": "tall_dry_grass", + "tdrygrass": "tall_dry_grass", "tall_grass": { "material": "TALL_GRASS" }, @@ -33167,6 +33224,16 @@ "material": "TERRACOTTA" }, "minecraft:terracotta": "terracotta", + "test_block": { + "material": "TEST_BLOCK" + }, + "minecraft:test_block": "test_block", + "testblock": "test_block", + "test_instance_block": { + "material": "TEST_INSTANCE_BLOCK" + }, + "minecraft:test_instance_block": "test_instance_block", + "testinstanceblock": "test_instance_block", "thick_lingering_potion": { "potionData": { "type": "THICK", @@ -46809,6 +46876,13 @@ "minecraft:wild_armor_trim_smithing_template": "wild_armor_trim_smithing_template", "wildarmortrimsmithingtemplate": "wild_armor_trim_smithing_template", "wildtrim": "wild_armor_trim_smithing_template", + "wildflowers": { + "material": "WILDFLOWERS" + }, + "minecraft:wildflowers": "wildflowers", + "wflower": "wildflowers", + "wflowers": "wildflowers", + "wildflower": "wildflowers", "wind_charge": { "material": "WIND_CHARGE" }, diff --git a/Essentials/src/main/resources/kits.yml b/Essentials/src/main/resources/kits.yml index cefc3ed8bae..f313a70bd04 100644 --- a/Essentials/src/main/resources/kits.yml +++ b/Essentials/src/main/resources/kits.yml @@ -1,19 +1,21 @@ # EssentialsX kit configuration. -# If you don't have any kits defined in this file, the plugin will try to copy them from the config.yml +# If no kits are defined in this file, the plugin will attempt to copy them from 'config.yml'. -# Note: All items MUST be followed by a quantity! -# All kit names should be lower case, and will be treated as lower in permissions/costs. -# Syntax: - name[:durability] amount [enchantment:level]... [itemmeta:value]... -# For Item Meta information visit http://wiki.ess3.net/wiki/Item_Meta -# To make the kit execute a command, add / to the items list. Use {USERNAME} to specify the player receiving the kit. -# {PLAYER} will show the player's displayname instead of username. -# 'delay' refers to the cooldown between how often you can use each kit, measured in seconds. -# Set delay to -1 for a one time kit. +# All items MUST be followed by a quantity. +# Kit names should be in lowercase and will be treated as such in permissions and costs. +# Syntax: - item[:durability] amount [enchantment:level]... [itemmeta:value]... +# For detailed information on item meta, visit https://wiki.ess3.net/wiki/Item_Meta # -# In addition, you can also organize your kits into separate files under the `kits` subdirectory. -# Essentials will treat all .yml files in the `kits` subdirectory as kits files, and will add any kits from those files along with the kits in `kits.yml`. -# Any file in the `kits` subdirectory must be formatted in the same way as this file. This allows you to define multiple kits in each file. -# For more information, visit http://wiki.ess3.net/wiki/Kits +# To make a kit execute a command, add '/' to the item list. Use {USERNAME} to reference the player receiving the kit. +# Use {PLAYER} to display the player's display name instead of the username. +# 'delay' refers to the cooldown between how often you can use each kit, measured in seconds. Set to -1 for a one-time kit. +# +# You can also organize kits into separate files within the 'kits' subdirectory. +# Essentials will treat all '.yml' files in the subdirectory as valid kit files and add them along with those in here. +# Each file in the 'kits' subdirectory must be formatted the same as this file. +# +# For more information, refer to https://wiki.ess3.net/wiki/Kits + kits: tools: delay: 10 diff --git a/Essentials/src/main/resources/messages.properties b/Essentials/src/main/resources/messages.properties index 25891860263..da0cb682c60 100644 --- a/Essentials/src/main/resources/messages.properties +++ b/Essentials/src/main/resources/messages.properties @@ -6,7 +6,7 @@ adventure=adventure afkCommandDescription=Marks you as away-from-keyboard. afkCommandUsage=/ [player/message...] afkCommandUsage1=/ [message] -afkCommandUsage1Description=Toggles your afk status with an optional reason +afkCommandUsage1Description=Toggles your AFK status with an optional reason afkCommandUsage2=/ [message] afkCommandUsage2Description=Toggles the afk status of the specified player with an optional reason alertBroke=broke\: @@ -247,11 +247,11 @@ discordCommandAccountResponseLinked=Your account is linked to the Minecraft acco discordCommandAccountResponseLinkedOther={0}'s account is linked to the Minecraft account\: **{1}** discordCommandAccountResponseNotLinked=You do not have a linked Minecraft account. discordCommandAccountResponseNotLinkedOther={0} does not have a linked Minecraft account. -discordCommandDescription=Sends the discord invite link to the player. +discordCommandDescription=Sends the Discord invite link to the player. discordCommandLink=Join our Discord server at {0}\! discordCommandUsage=/ discordCommandUsage1=/ -discordCommandUsage1Description=Sends the discord invite link to the player +discordCommandUsage1Description=Sends the Discord invite link to the player discordCommandExecuteDescription=Executes a console command on the Minecraft server. discordCommandExecuteArgumentCommand=The command to be executed discordCommandExecuteReply=Executing command\: "/{0}" @@ -282,7 +282,7 @@ discordErrorNoToken=No token provided\! Please follow the tutorial in the config discordErrorWebhook=An error occurred while sending messages to your console channel\! This was likely caused by accidentally deleting your console webhook. This can usually by fixed by ensuring your bot has the "Manage Webhooks" permission and running "/ess reload". discordLinkInvalidGroup=Invalid group {0} was provided for role {1}. The following groups are available\: {2} discordLinkInvalidRole=An invalid role ID, {0}, was provided for group\: {1}. You can see the ID of roles with the /roleinfo command in Discord. -discordLinkInvalidRoleInteract=The role, {0} ({1}), cannot be used for group->role synchronization because it above your bot''s upper most role. Either move your bot''s role above "{0}" or move "{0}" below your bot''s role. +discordLinkInvalidRoleInteract=The role, {0} ({1}), cannot be used for group->role synchronization because it above your bot''s uppermost role. Either move your bot''s role above "{0}" or move "{0}" below your bot''s role. discordLinkInvalidRoleManaged=The role, {0} ({1}), cannot be used for group->role synchronization because it is managed by another bot or integration. discordLinkLinked=To link your Minecraft account to Discord, type {0} in the Discord server. discordLinkLinkedAlready=You have already linked your Discord account\! If you wish to unlink your discord account use /unlink. @@ -627,7 +627,7 @@ jailList=Jails\: {0} jailMessage=You do the crime, you do the time. jailNotExist=That jail does not exist. jailNotifyJailed=Player {0} jailed by {1}. -jailNotifyJailedFor=Player {0} jailed for {1}by {2}. +jailNotifyJailedFor=Player {0} jailed for {1} by {2}. jailNotifySentenceExtended=Player{0} jail's time extended to {1} by {2}. jailReleased=Player {0} unjailed. jailReleasedPlayerNotify=You have been released\! @@ -885,7 +885,7 @@ noPotionEffectPerm=You do not have permission to apply potion effect < noPowerTools=You have no power tools assigned. notAcceptingPay={0} is not accepting payment. notAllowedToLocal=You don't have permission to speak in local chat. -notAllowedToQuestion=You don't have permission to use question. +notAllowedToQuestion=You don't have permission to send question messages. notAllowedToShout=You don't have permission to shout. notEnoughExperience=You do not have enough experience. notEnoughMoney=You do not have sufficient funds. @@ -1428,7 +1428,7 @@ tradeSignFull=This sign is full\! tradeSignSameType=You cannot trade for the same item type. treeCommandDescription=Spawn a tree where you are looking. treeCommandUsage=/ -treeCommandUsage1=/ +treeCommandUsage1=/ treeCommandUsage1Description=Spawns a tree of the specified type where you're looking treeFailure=Tree generation failure. Try again on grass or dirt. treeSpawned=Tree spawned. diff --git a/Essentials/src/main/resources/messages_cs.properties b/Essentials/src/main/resources/messages_cs.properties index 80728e07adc..662f60d2b05 100644 --- a/Essentials/src/main/resources/messages_cs.properties +++ b/Essentials/src/main/resources/messages_cs.properties @@ -143,6 +143,8 @@ clearinventoryCommandUsage3Description=Vymaže všechny zadané předměty (nebo clearinventoryconfirmtoggleCommandDescription=Přepíná, zda je třeba potvrzovat vyprázdnění inventáře. clearinventoryconfirmtoggleCommandUsage=/ commandArgumentOptional= +commandArgumentOr= +commandArgumentRequired= commandCooldown=Tento příkaz můžete použít až za {0}. commandDisabled=Příkaz {0}je vypnut. commandFailed=Příkaz {0} selhal\: @@ -151,6 +153,7 @@ commandHelpLine1=Nápověda k příkazu\: /{0} commandHelpLine2=Popis\: {0} commandHelpLine3=Použití\: commandHelpLine4=Alias(y)\: {0} +commandHelpLineUsage={0} - {1} commandNotLoaded=Příkaz {0} se nenačetl správně. consoleCannotUseCommand=Tento příkaz nelze použít na konzoli. compassBearing=Kurs\: {0} ({1} stupňů). @@ -807,7 +810,7 @@ mutedPlayerForReason=Hráč {0} byl umlčen na Hráč {0} byl umlčen. Důvod\: {1} mutedUserSpeaks=Hráč {0} se pokusil promluvit, ale je umlčen\: {1} muteExempt=Tohoto hráče nemůžeš umlčet. -muteExemptOffline=emůžeš umlčet hráče, který není ve hře. +muteExemptOffline=nemůžeš umlčet hráče, který není ve hře. muteNotify={0} umlčel hráče {1}. muteNotifyFor={0} umlčel hráče {1} na {2}. muteNotifyForReason={0} umlčel hráče {1} na {2}. Důvod\: {3} @@ -841,7 +844,7 @@ nickInUse=Toto jméno již někdo používá. nickNameBlacklist=Tato přezdívka není dovolena. nickNamesAlpha=Přezdívky musí být alfanumerické. nickNamesOnlyColorChanges=Přezdívky mohou mít změněnou jen barvu. -nickNoMore=Už nemáš přezdívku. +nickNoMore=Už nemáš přezdívku. nickSet=Nyní máš přezdívku {0}. nickTooLong=Tato přezdívka je příliš dlouhá. noAccessCommand=K tomuto příkazu nemáš přístup. @@ -1148,8 +1151,12 @@ setjailCommandUsage=/ setjailCommandUsage1=/ setjailCommandUsage1Description=Nastaví vězení s určitým jménem tam, kde stojíš settprCommandDescription=Nastaví teleportaci na náhodné místo a parametry. +settprCommandUsage=/ [střed|minvzdálenost|maxvzádelnost] [value] +settprCommandUsage1=/ střed settprCommandUsage1Description=Nastaví střed náhodného teleportu tam, kde stojíš +settprCommandUsage2=/ minvzdálenost settprCommandUsage2Description=Nastaví minimální poloměr náhodného teleportu na danou hodnotu +settprCommandUsage3=/ maxvzdálenost settprCommandUsage3Description=Nastaví maximální poloměr náhodného teleportu na danou hodnotu settpr=Nastaven střed náhodné teleportace. settprValue=Nastavena náhodná teleportace {0} na {1}. diff --git a/Essentials/src/main/resources/messages_de.properties b/Essentials/src/main/resources/messages_de.properties index 46bbe16625f..fe042750236 100644 --- a/Essentials/src/main/resources/messages_de.properties +++ b/Essentials/src/main/resources/messages_de.properties @@ -5,7 +5,7 @@ addedToOthersAccount={0} wurde zu dem Account von {1} [spieler/nachricht...] -afkCommandUsage1=/ [nachricht] +afkCommandUsage1=/ [message] afkCommandUsage1Description=Schaltet deinen AFK-Status mit einem optionalen Grund um afkCommandUsage2=/ [message] afkCommandUsage2Description=Schaltet den AFK Status des angegebenen Spielers mit einem optionalen Grund ein @@ -1015,7 +1015,7 @@ pTimeNormal=Die Zeit für {0} ist normal und entspr pTimeOthersPermission=Du hast keine Berechtigung die Zeit von anderen Spielern zu ändern. pTimePlayers=Diese Spieler haben ihre eigene Zeit\: pTimeReset=Die Zeit wurde für {0} zurückgesetzt. -pTimeSet=DieZeit wurde für {1} auf {0} gesetzt. +pTimeSet=Die Zeit wurde für {1} auf {0} gesetzt. pTimeSetFixed=Spielerzeit ist für\: {1} auf {0} fixiert. pWeatherCurrent=Das Wetter von {0} ist {1}. pWeatherInvalidAlias=Ungültiger Wettertyp diff --git a/Essentials/src/main/resources/messages_en.properties b/Essentials/src/main/resources/messages_en.properties index 82733780d04..f9b6ed944e8 100644 --- a/Essentials/src/main/resources/messages_en.properties +++ b/Essentials/src/main/resources/messages_en.properties @@ -1,97 +1,194 @@ #Sat Feb 03 17:34:46 GMT 2024 -addedToOthersAccount= +action=* {0} {1} +addedToAccount={0} has been added to your account. +addedToOthersAccount={0} added to {1} account. New balance\: {2} adventure=adventure afkCommandDescription=Marks you as away-from-keyboard. afkCommandUsage=/ [player/message...] afkCommandUsage1=/ [message] -afkCommandUsage1Description=Toggles your afk status with an optional reason +afkCommandUsage1Description=Toggles your AFK status with an optional reason afkCommandUsage2=/ [message] afkCommandUsage2Description=Toggles the afk status of the specified player with an optional reason alertBroke=broke\: +alertFormat=[{0}] {1} {2} at\: {3} alertPlaced=placed\: alertUsed=used\: +alphaNames=Player names can only contain letters, numbers and underscores. +antiBuildBreak=You are not permitted to break {0} blocks here. +antiBuildCraft=You are not permitted to create {0}. +antiBuildDrop=You are not permitted to drop {0}. +antiBuildInteract=You are not permitted to interact with {0}. +antiBuildPlace=You are not permitted to place {0} here. +antiBuildUse=You are not permitted to use {0}. antiochCommandDescription=A little surprise for operators. antiochCommandUsage=/ [message] anvilCommandDescription=Opens up an anvil. -anvilCommandUsage= +anvilCommandUsage=/ autoAfkKickReason=You have been kicked for idling more than {0} minutes. +autoTeleportDisabled=You are no longer automatically approving teleport requests. +autoTeleportDisabledFor={0} is no longer automatically approving teleport requests. +autoTeleportEnabled=You are now automatically approving teleport requests. +autoTeleportEnabledFor={0} is now automatically approving teleport requests. +backAfterDeath=Use the /back command to return to your death point. backCommandDescription=Teleports you to your location prior to tp/spawn/warp. backCommandUsage=/ [player] +backCommandUsage1=/ backCommandUsage1Description=Teleports you to your prior location +backCommandUsage2=/ backCommandUsage2Description=Teleports the specified player to their prior location +backOther=Returned {0} to previous location. backupCommandDescription=Runs the backup if configured. backupCommandUsage=/ +backupDisabled=An external backup script has not been configured. +backupFinished=Backup finished. +backupStarted=Backup started. +backupInProgress=An external backup script is currently in progress\! Halting plugin disable until finished. +backUsageMsg=Returning to previous location. +balance=Balance\: {0} balanceCommandDescription=States the current balance of a player. +balanceCommandUsage=/ [player] +balanceCommandUsage1=/ balanceCommandUsage1Description=States your current balance -balanceCommandUsage2= +balanceCommandUsage2=/ balanceCommandUsage2Description=Displays the balance of the specified player +balanceOther=Balance of {0}\: {1} +balanceTop=Top balances ({0}) balanceTopLine={0}. {1}, {2} balancetopCommandDescription=Gets the top balance values. balancetopCommandUsage=/ [page] +balancetopCommandUsage1=/ [page] balancetopCommandUsage1Description=Displays the first (or specified) page of the top balance values banCommandDescription=Bans a player. banCommandUsage=/ [reason] +banCommandUsage1=/ [reason] banCommandUsage1Description=Bans the specified player with an optional reason +banExempt=You cannot ban that player. +banExemptOffline=You may not ban offline players. +banFormat=You have been banned\:\n{0} banIpJoin=Your IP address is banned from this server. Reason\: {0} banJoin=You are banned from this server. Reason\: {0} banipCommandDescription=Bans an IP address. banipCommandUsage=/

[reason] +banipCommandUsage1=/
[reason] banipCommandUsage1Description=Bans the specified IP address with an optional reason +bed=bed +bedMissing=Your bed is either unset, missing or blocked. +bedNull=bed +bedOffline=Cannot teleport to the beds of offline users. +bedSet=Bed spawn set\! beezookaCommandDescription=Throw an exploding bee at your opponent. +beezookaCommandUsage=/ +bigTreeFailure=Big tree generation failure. Try again on grass or dirt. +bigTreeSuccess=Big tree spawned. bigtreeCommandDescription=Spawn a big tree where you are looking. bigtreeCommandUsage=/ +bigtreeCommandUsage1=/ bigtreeCommandUsage1Description=Spawns a big tree of the specified type +blockList=EssentialsX is relaying the following commands to other plugins\: +blockListEmpty=EssentialsX is not relaying any commands to other plugins. +bookAuthorSet=Author of the book set to {0}. bookCommandDescription=Allows reopening and editing of sealed books. bookCommandUsage=/ [title|author [name]] +bookCommandUsage1=/ bookCommandUsage1Description=Locks/Unlocks a book-and-quill/signed book bookCommandUsage2=/ author bookCommandUsage2Description=Sets the author of a signed book bookCommandUsage3=/ title bookCommandUsage3Description=Sets the title of a signed book +bookLocked=<primary>This book is now locked. +bookTitleSet=<primary>Title of the book set to {0}. bottomCommandDescription=Teleport to the lowest block at your current position. +bottomCommandUsage=/<command> breakCommandDescription=Breaks the block you are looking at. +breakCommandUsage=/<command> +broadcast=<primary>[<dark_red>Broadcast<primary>]<green> {0} broadcastCommandDescription=Broadcasts a message to the entire server. broadcastCommandUsage=/<command> <msg> +broadcastCommandUsage1=/<command> <message> broadcastCommandUsage1Description=Broadcasts the given message to the entire server broadcastworldCommandDescription=Broadcasts a message to a world. broadcastworldCommandUsage=/<command> <world> <msg> +broadcastworldCommandUsage1=/<command> <world> <msg> broadcastworldCommandUsage1Description=Broadcasts the given message to the specified world burnCommandDescription=Set a player on fire. burnCommandUsage=/<command> <player> <seconds> +burnCommandUsage1=/<command> <player> <seconds> burnCommandUsage1Description=Sets the specified player on fire for the specified amount of seconds +burnMsg=<primary>You set<secondary> {0} <primary>on fire for<secondary> {1} seconds<primary>. +cannotSellNamedItem=<primary>You are not allowed to sell named items. +cannotSellTheseNamedItems=<primary>You are not allowed to sell these named items\: <dark_red>{0} +cannotStackMob=<dark_red>You do not have permission to stack multiple mobs. +cannotRemoveNegativeItems=<dark_red>You cannot remove a negative amount of items. +canTalkAgain=<primary>You can now talk again. cantFindGeoIpDB=Can''t find GeoIP database\! +cantGamemode=<dark_red>You do not have permission to change to gamemode {0} cantReadGeoIpDB=Failed to read GeoIP database\! +cantSpawnItem=<dark_red>You are not allowed to spawn the item<secondary> {0}<dark_red>. cartographytableCommandDescription=Opens up a cartography table. +cartographytableCommandUsage=/<command> +chatTypeLocal=<dark_aqua>[L] chatTypeSpy=[Spy] cleaned=Userfiles Cleaned. cleaning=Cleaning userfiles. +clearInventoryConfirmToggleOff=<primary>You will no longer be prompted to confirm inventory clears. +clearInventoryConfirmToggleOn=<primary>You will now be prompted to confirm inventory clears. clearinventoryCommandDescription=Clear all items in your inventory. -clearinventoryCommandUsage=/<command> [player|*] [item[\:<data>]|*|**] [amount] +clearinventoryCommandUsage=/<command> [player|*] [item[\:\\<data>]|*|**] [amount] +clearinventoryCommandUsage1=/<command> clearinventoryCommandUsage1Description=Clears all items in your inventory +clearinventoryCommandUsage2=/<command> <player> clearinventoryCommandUsage2Description=Clears all items from the specified player''s inventory clearinventoryCommandUsage3=/<command> <player> <item> [amount] clearinventoryCommandUsage3Description=Clears all (or the specified amount) of the given item from the specified player''s inventory clearinventoryconfirmtoggleCommandDescription=Toggles whether you are prompted to confirm inventory clears. +clearinventoryconfirmtoggleCommandUsage=/<command> +commandArgumentOptional=<gray> +commandArgumentOr=<secondary> +commandArgumentRequired=<yellow> +commandCooldown=<secondary>You cannot type that command for {0}. +commandDisabled=<secondary>The command<primary> {0}<secondary> is disabled. commandFailed=Command {0} failed\: commandHelpFailedForPlugin=Error getting help for plugin\: {0} +commandHelpLine1=<primary>Command Help\: <white>/{0} +commandHelpLine2=<primary>Description\: <white>{0} +commandHelpLine3=<primary>Usage(s); +commandHelpLine4=<primary>Aliases(s)\: <white>{0} +commandHelpLineUsage={0} <primary>- {1} +commandNotLoaded=<dark_red>Command {0} is improperly loaded. consoleCannotUseCommand=This command cannot be used by Console. +compassBearing=<primary>Bearing\: {0} ({1} degrees). compassCommandDescription=Describes your current bearing. +compassCommandUsage=/<command> condenseCommandDescription=Condenses items into a more compact blocks. condenseCommandUsage=/<command> [item] +condenseCommandUsage1=/<command> condenseCommandUsage1Description=Condenses all items in your inventory +condenseCommandUsage2=/<command> <item> condenseCommandUsage2Description=Condenses the specified item in your inventory configFileMoveError=Failed to move config.yml to backup location. configFileRenameError=Failed to rename temp file to config.yml. +confirmClear=<gray>To <b>CONFIRM</b><gray> inventory clear, please repeat command\: <primary>{0} +confirmPayment=<gray>To <b>CONFIRM</b><gray> payment of <primary>{0}<gray>, please repeat command\: <primary>{1} +connectedPlayers=<primary>Connected players<reset> connectionFailed=Failed to open connection. consoleName=Console +cooldownWithMessage=<dark_red>Cooldown\: {0} coordsKeyword={0}, {1}, {2} +couldNotFindTemplate=<dark_red>Could not find template {0} +createdKit=<primary>Created kit <secondary>{0} <primary>with <secondary>{1} <primary>entries and delay <secondary>{2} createkitCommandDescription=Create a kit in game\! createkitCommandUsage=/<command> <kitname> <delay> +createkitCommandUsage1=/<command> <kitname> <delay> createkitCommandUsage1Description=Creates a kit with the given name and delay +createKitFailed=<dark_red>Error occurred whilst creating kit {0}. +createKitSeparator=<st>----------------------- +createKitSuccess=<primary>Created Kit\: <white>{0}\n<primary>Delay\: <white>{1}\n<primary>Link\: <white>{2}\n<primary>Copy contents in the link above into your kits.yml. +createKitUnsupported=<dark_red>NBT item serialization has been enabled, but this server is not running Paper 1.15.2+. Falling back to standard item serialization. creatingConfigFromTemplate=Creating config from template\: {0} creatingEmptyConfig=Creating empty config\: {0} creative=creative currency={0}{1} +currentWorld=<primary>Current World\:<secondary> {0} customtextCommandDescription=Allows you to create custom text commands. customtextCommandUsage=/<alias> - Define in bukkit.yml day=day @@ -100,6 +197,10 @@ defaultBanReason=The Ban Hammer has spoken\! deletedHomes=All homes deleted. deletedHomesWorld=All homes in {0} deleted. deleteFileError=Could not delete file\: {0} +deleteHome=<primary>Home<secondary> {0} <primary>has been removed. +deleteJail=<primary>Jail<secondary> {0} <primary>has been removed. +deleteKit=<primary>Kit<secondary> {0} <primary>has been removed. +deleteWarp=<primary>Warp<secondary> {0} <primary>has been removed. deletingHomes=Deleting all homes... deletingHomesWorld=Deleting all homes in {0}... delhomeCommandDescription=Removes a home. @@ -110,20 +211,36 @@ delhomeCommandUsage2=/<command> <player>\:<name> delhomeCommandUsage2Description=Deletes the specified player''s home with the given name deljailCommandDescription=Removes a jail. deljailCommandUsage=/<command> <jailname> +deljailCommandUsage1=/<command> <jailname> deljailCommandUsage1Description=Deletes the jail with the given name delkitCommandDescription=Deletes the specified kit. delkitCommandUsage=/<command> <kit> +delkitCommandUsage1=/<command> <kit> delkitCommandUsage1Description=Deletes the kit with the given name delwarpCommandDescription=Deletes the specified warp. delwarpCommandUsage=/<command> <warp> +delwarpCommandUsage1=/<command> <warp> delwarpCommandUsage1Description=Deletes the warp with the given name +deniedAccessCommand=<secondary>{0} <dark_red>was denied access to command. +denyBookEdit=<dark_red>You cannot unlock this book. +denyChangeAuthor=<dark_red>You cannot change the author of this book. +denyChangeTitle=<dark_red>You cannot change the title of this book. +depth=<primary>You are at sea level. +depthAboveSea=<primary>You are<secondary> {0} <primary>block(s) above sea level. +depthBelowSea=<primary>You are<secondary> {0} <primary>block(s) below sea level. depthCommandDescription=States current depth, relative to sea level. depthCommandUsage=/depth destinationNotSet=Destination not set\! disabled=disabled +disabledToSpawnMob=<dark_red>Spawning this mob was disabled in the config file. +disableUnlimited=<primary>Disabled unlimited placing of<secondary> {0} <primary>for<secondary> {1}<primary>. discordbroadcastCommandDescription=Broadcasts a message to the specified Discord channel. discordbroadcastCommandUsage=/<command> <channel> <msg> +discordbroadcastCommandUsage1=/<command> <channel> <msg> discordbroadcastCommandUsage1Description=Sends the given message to the specified Discord channel +discordbroadcastInvalidChannel=<dark_red>Discord channel <secondary>{0}<dark_red> does not exist. +discordbroadcastPermission=<dark_red>You do not have permission to send messages to the <secondary>{0}<dark_red> channel. +discordbroadcastSent=<primary>Message sent to <secondary>{0}<primary>\! discordCommandAccountArgumentUser=The Discord account to look up discordCommandAccountDescription=Looks up the linked Minecraft account for either yourself or another Discord user discordCommandAccountResponseLinked=Your account is linked to the Minecraft account\: **{0}** @@ -131,6 +248,9 @@ discordCommandAccountResponseLinkedOther={0}''s account is linked to the Minecra discordCommandAccountResponseNotLinked=You do not have a linked Minecraft account. discordCommandAccountResponseNotLinkedOther={0} does not have a linked Minecraft account. discordCommandDescription=Sends the Discord invite link to the player. +discordCommandLink=<primary>Join our Discord server at <secondary><click\:open_url\:"{0}">{0}</click><primary>\! +discordCommandUsage=/<command> +discordCommandUsage1=/<command> discordCommandUsage1Description=Sends the Discord invite link to the player discordCommandExecuteDescription=Executes a console command on the Minecraft server. discordCommandExecuteArgumentCommand=The command to be executed @@ -164,6 +284,13 @@ discordLinkInvalidGroup=Invalid group {0} was provided for role {1}. The followi discordLinkInvalidRole=An invalid role ID, {0}, was provided for group\: {1}. You can see the ID of roles with the /roleinfo command in Discord. discordLinkInvalidRoleInteract=The role, {0} ({1}), cannot be used for group->role synchronization because it above your bot''s uppermost role. Either move your bot''s role above "{0}" or move "{0}" below your bot''s role. discordLinkInvalidRoleManaged=The role, {0} ({1}), cannot be used for group->role synchronization because it is managed by another bot or integration. +discordLinkLinked=<primary>To link your Minecraft account to Discord, type <secondary>{0} <primary>in the Discord server. +discordLinkLinkedAlready=<primary>You have already linked your Discord account\! If you wish to unlink your discord account use <secondary>/unlink<primary>. +discordLinkLoginKick=<primary>You must link your Discord account before you can join this server.\n<primary>To link your Minecraft account to Discord, type\:\n<secondary>{0}\n<primary>in this server''s Discord server\:\n<secondary>{1} +discordLinkLoginPrompt=<primary>You must link your Discord account before you can move, chat on or interact with this server. To link your Minecraft account to Discord, type <secondary>{0} <primary>in this server''s Discord server\: <secondary>{1} +discordLinkNoAccount=<primary>You do not currently have a Discord account linked to your Minecraft account. +discordLinkPending=<primary>You already have a link code. To complete linking your Minecraft account to Discord, type <secondary>{0} <primary>in the Discord server. +discordLinkUnlinked=<primary>Unlinked your Minecraft account from all associated discord accounts. discordLoggingIn=Attempting to login to Discord... discordLoggingInDone=Successfully logged in as {0} discordMailLine=**New mail from {0}\:** {1} @@ -171,8 +298,18 @@ discordNoSendPermission=Cannot send message in channel\: \#{0} Please ensure the discordReloadInvalid=Tried to reload EssentialsX Discord config while the plugin is in an invalid state\! If you''ve modified your config, restart your server. disposal=Disposal disposalCommandDescription=Opens a portable disposal menu. +disposalCommandUsage=/<command> +distance=<primary>Distance\: {0} +dontMoveMessage=<primary>Teleportation will commence in<secondary> {0}<primary>. Don''t move. downloadingGeoIp=Downloading GeoIP database... this might take a while (country\: 1.7 MB, city\: 30MB) +dumpConsoleUrl=A server dump was created\: <secondary>{0} +dumpCreating=<primary>Creating server dump... +dumpDeleteKey=<primary>If you want to delete this dump at a later date, use the following deletion key\: <secondary>{0} +dumpError=<dark_red>Error while creating dump <secondary>{0}<dark_red>. +dumpErrorUpload=<dark_red>Error while uploading <secondary>{0}<dark_red>\: <secondary>{1} +dumpUrl=<primary>Created server dump\: <secondary>{0} duplicatedUserdata=Duplicated userdata\: {0} and {1}. +durability=<primary>This tool has <secondary>{0}<primary> uses left. east=E ecoCommandDescription=Manages the server economy. ecoCommandUsage=/<command> <give|take|set|reset> <player> <amount> @@ -184,17 +321,31 @@ ecoCommandUsage3=/<command> set <player> <amount> ecoCommandUsage3Description=Sets the specified player''s balance to the specified amount of money ecoCommandUsage4=/<command> reset <player> <amount> ecoCommandUsage4Description=Resets the specified player''s balance to the server''s starting balance +editBookContents=<yellow>You may now edit the contents of this book. +emptySignLine=<dark_red>Empty line {0} enabled=enabled enchantCommandDescription=Enchants the item the user is holding. enchantCommandUsage=/<command> <enchantmentname> [level] enchantCommandUsage1=/<command> <enchantment name> [level] enchantCommandUsage1Description=Enchants your held item with the given enchantment to an optional level +enableUnlimited=<primary>Giving unlimited amount of<secondary> {0} <primary>to <secondary>{1}<primary>. +enchantmentApplied=<primary>The enchantment<secondary> {0} <primary>has been applied to your item in hand. +enchantmentNotFound=<dark_red>Enchantment not found\! +enchantmentPerm=<dark_red>You do not have the permission for<secondary> {0}<dark_red>. +enchantmentRemoved=<primary>The enchantment<secondary> {0} <primary>has been removed from your item in hand. +enchantments=<primary>Enchantments\:<reset> {0} enderchestCommandDescription=Lets you see inside an enderchest. +enderchestCommandUsage=/<command> [player] +enderchestCommandUsage1=/<command> enderchestCommandUsage1Description=Opens your ender chest +enderchestCommandUsage2=/<command> <player> enderchestCommandUsage2Description=Opens the ender chest of the target player +equipped=Equipped errorCallingCommand=Error calling the command /{0} +errorWithMessage=<secondary>Error\:<dark_red> {0} essChatNoSecureMsg=EssentialsX Chat version {0} does not support secure chat on this server software. Update EssentialsX, and if this issue persists, inform the developers. essentialsCommandDescription=Reloads essentials. +essentialsCommandUsage=/<command> essentialsCommandUsage1=/<command> reload essentialsCommandUsage1Description=Reloads Essentials'' config essentialsCommandUsage2=/<command> version @@ -213,8 +364,11 @@ essentialsCommandUsage8=/<command> dump [all] [config] [discord] [kits] [log] essentialsCommandUsage8Description=Generates a server dump with the requested information essentialsHelp1=The file is broken and Essentials can''t open it. Essentials is now disabled. If you can''t fix the file yourself, go to http\://tiny.cc/EssentialsChat essentialsHelp2=The file is broken and Essentials can''t open it. Essentials is now disabled. If you can''t fix the file yourself, either type /essentialshelp in game or go to http\://tiny.cc/EssentialsChat +essentialsReload=<primary>Essentials reloaded<secondary> {0}. +exp=<secondary>{0} <primary>has<secondary> {1} <primary>exp (level<secondary> {2}<primary>) and needs<secondary> {3} <primary>more exp to level up. expCommandDescription=Give, set, reset, or look at a players experience. expCommandUsage=/<command> [reset|show|set|give] [playername [amount]] +expCommandUsage1=/<command> give <player> <amount> expCommandUsage1Description=Gives the target player the specified amount of xp expCommandUsage2=/<command> set <playername> <amount> expCommandUsage2Description=Sets the target player''s xp the specified amount @@ -222,19 +376,31 @@ expCommandUsage3=/<command> show <playername> expCommandUsage4Description=Displays the amount of xp the target player has expCommandUsage5=/<command> reset <playername> expCommandUsage5Description=Resets the target player''s xp to 0 +expSet=<secondary>{0} <primary>now has<secondary> {1} <primary>exp. extCommandDescription=Extinguish players. +extCommandUsage=/<command> [player] +extCommandUsage1=/<command> [player] extCommandUsage1Description=Extinguish yourself or another player if specified +extinguish=<primary>You extinguished yourself. +extinguishOthers=<primary>You extinguished {0}<primary>. failedToCloseConfig=Failed to close config {0}. failedToCreateConfig=Failed to create config {0}. failedToWriteConfig=Failed to write config {0}. +false=<dark_red>false<reset> +feed=<primary>Your appetite was sated. feedCommandDescription=Satisfy the hunger. +feedCommandUsage=/<command> [player] +feedCommandUsage1=/<command> [player] feedCommandUsage1Description=Fully feeds yourself or another player if specified +feedOther=<primary>You satiated the appetite of <secondary>{0}<primary>. fileRenameError=Renaming file {0} failed\! fireballCommandDescription=Throw a fireball or other assorted projectiles. fireballCommandUsage=/<command> [fireball|small|large|arrow|skull|egg|snowball|expbottle|dragon|splashpotion|lingeringpotion|trident] [speed] +fireballCommandUsage1=/<command> fireballCommandUsage1Description=Throws a regular fireball from your location fireballCommandUsage2=/<command> <fireball|small|large|arrow|skull|egg|snowball|expbottle|dragon|splashpotion|lingeringpotion|trident> [speed] fireballCommandUsage2Description=Throws the specified projectile from your location, with an optional speed +fireworkColor=<dark_red>Invalid firework charge parameters inserted, must set a color first. fireworkCommandDescription=Allows you to modify a stack of fireworks. fireworkCommandUsage=/<command> <<meta param>|power [amount]|clear|fire [amount]> fireworkCommandUsage1=/<command> clear @@ -245,159 +411,428 @@ fireworkCommandUsage3=/<command> fire [amount] fireworkCommandUsage3Description=Launches either one, or the amount specified, copies of the held firework fireworkCommandUsage4=/<command> <meta> fireworkCommandUsage4Description=Adds the given effect to the held firework +fireworkEffectsCleared=<primary>Removed all effects from held stack. +fireworkSyntax=<primary>Firework parameters\:<secondary> color\:\\<color> [fade\:\\<color>] [shape\:<shape>] [effect\:<effect>]\n<primary>To use multiple colors/effects, separate values with commas\: <secondary>red,blue,pink\n<primary>Shapes\:<secondary> star, ball, large, creeper, burst <primary>Effects\:<secondary> trail, twinkle. fixedHomes=Invalid homes deleted. fixingHomes=Deleting invalid homes... flyCommandDescription=Take off, and soar\! flyCommandUsage=/<command> [player] [on|off] +flyCommandUsage1=/<command> [player] flyCommandUsage1Description=Toggles fly for yourself or another player if specified flying=flying +flyMode=<primary>Set fly mode<secondary> {0} <primary>for {1}<primary>. +foreverAlone=<dark_red>You have nobody to whom you can reply. +fullStack=<dark_red>You already have a full stack. +fullStackDefault=<primary>Your stack has been set to its default size, <secondary>{0}<primary>. +fullStackDefaultOversize=<primary>Your stack has been set to its maximum size, <secondary>{0}<primary>. +gameMode=<primary>Set game mode<secondary> {0} <primary>for <secondary>{1}<primary>. +gameModeInvalid=<dark_red>You need to specify a valid player/mode. gamemodeCommandDescription=Change player gamemode. gamemodeCommandUsage=/<command> <survival|creative|adventure|spectator> [player] +gamemodeCommandUsage1=/<command> <survival|creative|adventure|spectator> [player] gamemodeCommandUsage1Description=Sets the gamemode of either you or another player if specified gcCommandDescription=Reports memory, uptime and tick info. +gcCommandUsage=/<command> +gcfree=<primary>Free memory\:<secondary> {0} MB. +gcmax=<primary>Maximum memory\:<secondary> {0} MB. +gctotal=<primary>Allocated memory\:<secondary> {0} MB. +gcWorld=<primary>{0} "<secondary>{1}<primary>"\: <secondary>{2}<primary> chunks, <secondary>{3}<primary> entities, <secondary>{4}<primary> tiles. +geoipJoinFormat=<primary>Player <secondary>{0} <primary>comes from <secondary>{1}<primary>. getposCommandDescription=Get your current coordinates or those of a player. +getposCommandUsage=/<command> [player] +getposCommandUsage1=/<command> [player] getposCommandUsage1Description=Gets the coordinates of either you or another player if specified giveCommandDescription=Give a player an item. giveCommandUsage=/<command> <player> <item|numeric> [amount [itemmeta...]] +giveCommandUsage1=/<command> <player> <item> [amount] giveCommandUsage1Description=Gives the target player 64 (or the specified amount) of the specified item giveCommandUsage2=/<command> <player> <item> <amount> <meta> giveCommandUsage2Description=Gives the target player the specified amount of the specified item with the given metadata +geoipCantFind=<primary>Player <secondary>{0} <primary>comes from <green>an unknown country<primary>. geoIpErrorOnJoin=Unable to fetch GeoIP data for {0}. Please ensure that your license key and configuration are correct. geoIpLicenseMissing=No license key found\! Please visit https\://essentialsx.net/geoip for first time setup instructions. geoIpUrlEmpty=GeoIP download url is empty. geoIpUrlInvalid=GeoIP download url is invalid. +givenSkull=<primary>You have been given the skull of <secondary>{0}<primary>. +givenSkullOther=<primary>You have given <secondary>{0}<primary> the skull of <secondary>{1}<primary>. godCommandDescription=Enables your godly powers. +godCommandUsage=/<command> [player] [on|off] +godCommandUsage1=/<command> [player] godCommandUsage1Description=Toggles god mode for you or another player if specified +giveSpawn=<primary>Giving<secondary> {0} <primary>of<secondary> {1} <primary>to<secondary> {2}<primary>. +giveSpawnFailure=<dark_red>Not enough space, <secondary>{0} {1} <dark_red>was lost. +godDisabledFor=<secondary>disabled<primary> for<secondary> {0} +godEnabledFor=<green>enabled<primary> for<secondary> {0} +godMode=<primary>God mode<secondary> {0}<primary>. grindstoneCommandDescription=Opens up a grindstone. +grindstoneCommandUsage=/<command> +groupDoesNotExist=<dark_red>There''s no one online in this group\! +groupNumber=<secondary>{0}<white> online, for the full list\:<secondary> /{1} {2} +hatArmor=<dark_red>You cannot use this item as a hat\! hatCommandDescription=Get some cool new headgear. hatCommandUsage=/<command> [remove] +hatCommandUsage1=/<command> hatCommandUsage1Description=Sets your hat to your currently held item hatCommandUsage2=/<command> remove hatCommandUsage2Description=Removes your current hat +hatCurse=<dark_red>You cannot remove a hat with the curse of binding\! +hatEmpty=<dark_red>You are not wearing a hat. +hatFail=<dark_red>You must have something to wear in your hand. +hatPlaced=<primary>Enjoy your new hat\! +hatRemoved=<primary>Your hat has been removed. +haveBeenReleased=<primary>You have been released. +heal=<primary>You have been healed. healCommandDescription=Heals you or the given player. +healCommandUsage=/<command> [player] +healCommandUsage1=/<command> [player] healCommandUsage1Description=Heals you or another player if specified +healDead=<dark_red>You cannot heal someone who is dead\! +healOther=<primary>Healed<secondary> {0}<primary>. helpCommandDescription=Views a list of available commands. helpCommandUsage=/<command> [search term] [page] helpConsole=To view help from the console, type ''?''. +helpFrom=<primary>Commands from {0}\: +helpLine=<primary>/{0}<reset>\: {1} +helpMatching=<primary>Commands matching "<secondary>{0}<primary>"\: +helpOp=<dark_red>[HelpOp]<reset> <primary>{0}\:<reset> {1} +helpPlugin=<dark_red>{0}<reset>\: Plugin Help\: /help {1} helpopCommandDescription=Message online admins. helpopCommandUsage=/<command> <message> +helpopCommandUsage1=/<command> <message> helpopCommandUsage1Description=Sends the given message to all online admins +holdBook=<dark_red>You are not holding a writable book. +holdFirework=<dark_red>You must be holding a firework to add effects. +holdPotion=<dark_red>You must be holding a potion to apply effects to it. +holeInFloor=<dark_red>Hole in floor\! homeCommandDescription=Teleport to your home. homeCommandUsage=/<command> [player\:][name] +homeCommandUsage1=/<command> <name> homeCommandUsage1Description=Teleports you to your home with the given name +homeCommandUsage2=/<command> <player>\:<name> homeCommandUsage2Description=Teleports you to the specified player''s home with the given name +homes=<primary>Homes\:<reset> {0} +homeConfirmation=<primary>You already have a home named <secondary>{0}<primary>\!\nTo overwrite your existing home, type the command again. +homeRenamed=<primary>Home <secondary>{0} <primary>has been renamed to <secondary>{1}<primary>. +homeSet=<primary>Home set to current location. hour=hour hours=hours +ice=<primary>You feel much colder... iceCommandDescription=Cools a player off. +iceCommandUsage=/<command> [player] +iceCommandUsage1=/<command> iceCommandUsage1Description=Cools you off +iceCommandUsage2=/<command> <player> iceCommandUsage2Description=Cools the given player off iceCommandUsage3=/<command> * iceCommandUsage3Description=Cools all online players off +iceOther=<primary>Chilling<secondary> {0}<primary>. ignoreCommandDescription=Ignore or unignore other players. ignoreCommandUsage=/<command> <player> +ignoreCommandUsage1=/<command> <player> ignoreCommandUsage1Description=Ignores or unignores the given player +ignoredList=<primary>Ignored\:<reset> {0} +ignoreExempt=<dark_red>You may not ignore that player. +ignorePlayer=<primary>You ignore player<secondary> {0} <primary>from now on. +ignoreYourself=<primary>Ignoring yourself won''t solve your problems. illegalDate=Illegal date format. +infoAfterDeath=<primary>You died in <yellow>{0} <primary>at <yellow>{1}, {2}, {3}<primary>. +infoChapter=<primary>Select chapter\: +infoChapterPages=<yellow> ---- <primary>{0} <yellow>--<primary> Page <secondary>{1}<primary> of <secondary>{2} <yellow>---- infoCommandDescription=Shows information set by the server owner. infoCommandUsage=/<command> [chapter] [page] +infoPages=<yellow> ---- <primary>{2} <yellow>--<primary> Page <secondary>{0}<primary>/<secondary>{1} <yellow>---- +infoUnknownChapter=<dark_red>Unknown chapter. +insufficientFunds=<dark_red>Insufficient funds available. +invalidBanner=<dark_red>Invalid banner syntax. +invalidCharge=<dark_red>Invalid charge. +invalidFireworkFormat=<dark_red>The option <secondary>{0} <dark_red>is not a valid value for <secondary>{1}<dark_red>. +invalidHome=<dark_red>Home<secondary> {0} <dark_red>doesn''t exist\! +invalidHomeName=<dark_red>Invalid home name\! +invalidItemFlagMeta=<dark_red>Invalid itemflag meta\: <secondary>{0}<dark_red>. +invalidMob=<dark_red>Invalid mob type. +invalidModifier=<dark_red>Invalid Modifier. invalidNumber=Invalid Number. +invalidPotion=<dark_red>Invalid Potion. +invalidPotionMeta=<dark_red>Invalid potion meta\: <secondary>{0}<dark_red>. +invalidSign=<dark_red>Invalid sign +invalidSignLine=<dark_red>Line<secondary> {0} <dark_red>on sign is invalid. +invalidSkull=<dark_red>Please hold a player skull. +invalidWarpName=<dark_red>Invalid warp name\! +invalidWorld=<dark_red>Invalid world. +inventoryClearFail=<dark_red>Player<secondary> {0} <dark_red>does not have<secondary> {1} <dark_red>of<secondary> {2}<dark_red>. +inventoryClearingAllArmor=<primary>Cleared all inventory items and armor from<secondary> {0}<primary>. +inventoryClearingAllItems=<primary>Cleared all inventory items from<secondary> {0}<primary>. +inventoryClearingFromAll=<primary>Clearing the inventory of all users... +inventoryClearingStack=<primary>Removed<secondary> {0} <primary>of<secondary> {1} <primary>from<secondary> {2}<primary>. +inventoryFull=<dark_red>Your inventory is full. invseeCommandDescription=See the inventory of other players. +invseeCommandUsage=/<command> <player> +invseeCommandUsage1=/<command> <player> invseeCommandUsage1Description=Opens the inventory of the specified player +invseeNoSelf=<secondary>You can only view other players'' inventories. is=is +isIpBanned=<primary>IP <secondary>{0} <primary>is banned. +internalError=<secondary>An internal error occurred while attempting to perform this command. +itemCannotBeSold=<dark_red>That item cannot be sold to the server. itemCommandDescription=Spawn an item. itemCommandUsage=/<command> <item|numeric> [amount [itemmeta...]] itemCommandUsage1=/<command> <item> [amount] itemCommandUsage1Description=Gives you a full stack (or the specified amount) of the specified item itemCommandUsage2=/<command> <item> <amount> <meta> itemCommandUsage2Description=Gives you the specified amount of the specified item with the given metadata +itemId=<primary>ID\:<secondary> {0} +itemloreClear=<primary>You have cleared this item''s lore. itemloreCommandDescription=Edit the lore of an item. itemloreCommandUsage=/<command> <add/set/clear> [text/line] [text] itemloreCommandUsage1=/<command> add [text] itemloreCommandUsage1Description=Adds the given text to the end of the held item''s lore +itemloreCommandUsage2=/<command> set <line number> <text> itemloreCommandUsage2Description=Sets the specified line of the held item''s lore to the given text +itemloreCommandUsage3=/<command> clear itemloreCommandUsage3Description=Clears the held item''s lore +itemloreInvalidItem=<dark_red>You need to hold an item to edit its lore. +itemloreMaxLore=<dark_red>You cannot add any more lore lines to this item. +itemloreNoLine=<dark_red>Your held item does not have lore text on line <secondary>{0}<dark_red>. +itemloreNoLore=<dark_red>Your held item does not have any lore text. +itemloreSuccess=<primary>You have added "<secondary>{0}<primary>" to your held item''s lore. +itemloreSuccessLore=<primary>You have set line <secondary>{0}<primary> of your held item''s lore to "<secondary>{1}<primary>". +itemMustBeStacked=<dark_red>Item must be traded in stacks. A quantity of 2s would be two stacks, etc. +itemNames=<primary>Item short names\:<reset> {0} +itemnameClear=<primary>You have cleared this item''s name. itemnameCommandDescription=Names an item. itemnameCommandUsage=/<command> [name] +itemnameCommandUsage1=/<command> itemnameCommandUsage1Description=Clears the held item''s name +itemnameCommandUsage2=/<command> <name> itemnameCommandUsage2Description=Sets the held item''s name to the given text +itemnameInvalidItem=<secondary>You need to hold an item to rename it. +itemnameSuccess=<primary>You have renamed your held item to "<secondary>{0}<primary>". +itemNotEnough1=<dark_red>You do not have enough of that item to sell. +itemNotEnough2=<primary>If you meant to sell all of your items of that type, use<secondary> /sell itemname<primary>. +itemNotEnough3=<secondary>/sell itemname -1<primary> will sell all but one item, etc. +itemsConverted=<primary>Converted all items into blocks. itemsCsvNotLoaded=Could not load {0}\! itemSellAir=You really tried to sell Air? Put an item in your hand. +itemsNotConverted=<dark_red>You have no items that can be converted into blocks. +itemSold=<green>Sold for <secondary>{0} <green>({1} {2} at {3} each). +itemSoldConsole=<yellow>{0} <green>sold<yellow> {1}<green> for <yellow>{2} <green>({3} items at {4} each). +itemSpawn=<primary>Giving<secondary> {0} <primary>of<secondary> {1} +itemType=<primary>Item\:<secondary> {0} itemdbCommandDescription=Searches for an item. itemdbCommandUsage=/<command> <item> +itemdbCommandUsage1=/<command> <item> itemdbCommandUsage1Description=Searches the item database for the given item +jailAlreadyIncarcerated=<dark_red>Person is already in jail\:<secondary> {0} +jailList=<primary>Jails\:<reset> {0} +jailMessage=<dark_red>You do the crime, you do the time. +jailNotExist=<dark_red>That jail does not exist. +jailNotifyJailed=<primary>Player<secondary> {0} <primary>jailed by <secondary>{1}. jailNotifyJailedFor=<primary>Player<secondary> {0} <primary>jailed for<secondary> {1} <primary>by <secondary>{2}<primary>. -jailNotifySentenceExtended=<primary>Player<secondary>{0}<primary>''s jail time extended to <secondary>{1} <primary>by <secondary>{2}<primary>. +jailNotifySentenceExtended=<primary>Player<secondary>{0} <primary>jail''s time extended to <secondary>{1} <primary>by <secondary>{2}<primary>. +jailReleased=<primary>Player <secondary>{0}<primary> unjailed. +jailReleasedPlayerNotify=<primary>You have been released\! +jailSentenceExtended=<primary>Jail time extended to <secondary>{0}<primary>. +jailSet=<primary>Jail<secondary> {0} <primary>has been set. +jailWorldNotExist=<dark_red>That jail''s world does not exist. +jumpEasterDisable=<primary>Flying wizard mode disabled. +jumpEasterEnable=<primary>Flying wizard mode enabled. jailsCommandDescription=List all jails. +jailsCommandUsage=/<command> jumpCommandDescription=Jumps to the nearest block in the line of sight. +jumpCommandUsage=/<command> +jumpError=<dark_red>That would hurt your computer''s brain. kickCommandDescription=Kicks a specified player with a reason. +kickCommandUsage=/<command> <player> [reason] +kickCommandUsage1=/<command> <player> [reason] kickCommandUsage1Description=Kicks the specified player with an optional reason kickDefault=Kicked from server. +kickedAll=<dark_red>Kicked all players from server. +kickExempt=<dark_red>You cannot kick that person. kickallCommandDescription=Kicks all players off the server except the issuer. kickallCommandUsage=/<command> [reason] +kickallCommandUsage1=/<command> [reason] kickallCommandUsage1Description=Kicks all players with an optional reason +kill=<primary>Killed<secondary> {0}<primary>. killCommandDescription=Kills specified player. +killCommandUsage=/<command> <player> +killCommandUsage1=/<command> <player> killCommandUsage1Description=Kills the specified player +killExempt=<dark_red>You cannot kill <secondary>{0}<dark_red>. kitCommandDescription=Obtains the specified kit or views all available kits. kitCommandUsage=/<command> [kit] [player] +kitCommandUsage1=/<command> kitCommandUsage1Description=Lists all available kits +kitCommandUsage2=/<command> <kit> [player] kitCommandUsage2Description=Gives the specified kit to you or another player if specified +kitContains=<primary>Kit <secondary>{0} <primary>contains\: +kitCost=\ <gray><i>({0})<reset> +kitDelay=<st>{0}<reset> +kitError=<dark_red>There are no valid kits. +kitError2=<dark_red>That kit is improperly defined. Contact an administrator. kitError3=Cannot give kit item in kit "{0}" to user {1} as kit item requires Paper 1.15.2+ to deserialize. +kitGiveTo=<primary>Giving kit<secondary> {0}<primary> to <secondary>{1}<primary>. +kitInvFull=<dark_red>Your inventory was full, placing kit on the floor. +kitInvFullNoDrop=<dark_red>There is not enough room in your inventory for that kit. +kitItem=<primary>- <white>{0} +kitNotFound=<dark_red>That kit does not exist. +kitOnce=<dark_red>You can''t use that kit again. +kitReceive=<primary>Received kit<secondary> {0}<primary>. +kitReset=<primary>Reset cooldown for kit <secondary>{0}<primary>. kitresetCommandDescription=Resets the cooldown on the specified kit. kitresetCommandUsage=/<command> <kit> [player] +kitresetCommandUsage1=/<command> <kit> [player] kitresetCommandUsage1Description=Resets the cooldown of the specified kit for you or another player if specified +kitResetOther=<primary>Resetting kit <secondary>{0} <primary>cooldown for <secondary>{1}<primary>. +kits=<primary>Kits\:<reset> {0} kittycannonCommandDescription=Throw an exploding kitten at your opponent. +kittycannonCommandUsage=/<command> +kitTimed=<dark_red>You can''t use that kit again for another<secondary> {0}<dark_red>. +leatherSyntax=<primary>Leather color syntax\:<secondary> color\:\\<red>,\\<green>,\\<blue> eg\: color\:255,0,0<primary> OR<secondary> color\:<rgb int> eg\: color\:16777011 lightningCommandDescription=The power of Thor. Strike at cursor or player. lightningCommandUsage=/<command> [player] [power] +lightningCommandUsage1=/<command> [player] lightningCommandUsage1Description=Strikes lighting either where you''re looking or at another player if specified lightningCommandUsage2=/<command> <player> <power> lightningCommandUsage2Description=Strikes lighting at the target player with the given power +lightningSmited=<primary>Thou hast been smitten\! +lightningUse=<primary>Smiting<secondary> {0} linkCommandDescription=Generates a code to link your Minecraft account to Discord. +linkCommandUsage=/<command> +linkCommandUsage1=/<command> linkCommandUsage1Description=Generates a code for the /link command on Discord +listAfkTag=<gray>[AFK]<reset> +listAmount=<primary>There are <secondary>{0}<primary> out of maximum <secondary>{1}<primary> players online. +listAmountHidden=<primary>There are <secondary>{0}<primary>/<secondary>{1}<primary> out of maximum <secondary>{2}<primary> players online. listCommandDescription=List all online players. listCommandUsage=/<command> [group] +listCommandUsage1=/<command> [group] listCommandUsage1Description=Lists all players on the server, or the given group if specified +listGroupTag=<primary>{0}<reset>\: +listHiddenTag=<gray>[HIDDEN]<reset> listRealName=({0}) +loadWarpError=<dark_red>Failed to load warp {0}. +localFormat=<dark_aqua>[L] <reset><{0}> {1} +localNoOne= loomCommandDescription=Opens up a loom. +loomCommandUsage=/<command> +mailClear=<primary>To clear your mail, type<secondary> /mail clear<primary>. +mailCleared=<primary>Mail cleared\! +mailClearedAll=<primary>Mail cleared for all players\! +mailClearIndex=<dark_red>You must specify a number between 1-{0}. mailCommandDescription=Manages inter-player, intra-server mail. +mailCommandUsage=/<command> [read|clear|clear [number]|clear <player> [number]|send [to] [message]|sendtemp [to] [expire time] [message]|sendall [message]] mailCommandUsage1=/<command> read [page] mailCommandUsage1Description=Reads the first (or specified) page of your mail mailCommandUsage2=/<command> clear [number] mailCommandUsage2Description=Clears either all or the specified mail(s) +mailCommandUsage3=/<command> clear <player> [number] +mailCommandUsage3Description=Clears either all or the specified mail(s) for the given player +mailCommandUsage4=/<command> clearall +mailCommandUsage4Description=Clears all mail for the all players +mailCommandUsage5=/<command> send <player> <message> +mailCommandUsage5Description=Sends the specified player the given message +mailCommandUsage6=/<command> sendall <message> +mailCommandUsage6Description=Sends all players the given message +mailCommandUsage7=/<command> sendtemp <player> <expire time> <message> +mailCommandUsage7Description=Sends the specified player the given message which will expire in the specified time +mailCommandUsage8=/<command> sendtempall <expire time> <message> +mailCommandUsage8Description=Sends all players the given message which will expire in the specified time mailDelay=Too many mails have been sent within the last minute. Maximum\: {0} +mailFormatNew=<primary>[<reset>{0}<primary>] <primary>[<reset>{1}<primary>] <reset>{2} +mailFormatNewTimed=<primary>[<yellow>⚠<primary>] <primary>[<reset>{0}<primary>] <primary>[<reset>{1}<primary>] <reset>{2} +mailFormatNewRead=<primary>[<reset>{0}<primary>] <primary>[<reset>{1}<primary>] <gray><i>{2} +mailFormatNewReadTimed=<primary>[<yellow>⚠<primary>] <primary>[<reset>{0}<primary>] <primary>[<reset>{1}<primary>] <gray><i>{2} +mailFormat=<primary>[<reset>{0}<primary>] <reset>{1} mailMessage={0} +mailSent=<primary>Mail sent\! +mailSentTo=<secondary>{0}<primary> has been sent the following mail\: +mailSentToExpire=<secondary>{0}<primary> has been sent the following mail which will expire in <secondary>{1}<primary>\: +mailTooLong=<dark_red>Mail message too long. Try to keep it below 1000 characters. +markMailAsRead=<primary>To mark your mail as read, type<secondary> /mail clear<primary>. +matchingIPAddress=<primary>The following players previously logged in from that IP address\: +matchingAccounts={0} +maxHomes=<dark_red>You cannot set more than<secondary> {0} <dark_red>homes. +maxMoney=<dark_red>This transaction would exceed the balance limit for this account. +mayNotJail=<dark_red>You may not jail that person\! +mayNotJailOffline=<dark_red>You may not jail offline players. meCommandDescription=Describes an action in the context of the player. meCommandUsage=/<command> <description> +meCommandUsage1=/<command> <description> meCommandUsage1Description=Describes an action meSender=me meRecipient=me +minimumBalanceError=<dark_red>The minimum balance a user can have is {0}. +minimumPayAmount=<secondary>The minimum amount you can pay is {0}. minute=minute minutes=minutes +missingItems=<dark_red>You do not have <secondary>{0}x {1}<dark_red>. +mobDataList=<primary>Valid mob data\:<reset> {0} +mobsAvailable=<primary>Mobs\:<reset> {0} +mobSpawnError=<dark_red>Error while changing mob spawner. mobSpawnLimit=Mob quantity limited to server limit. +mobSpawnTarget=<dark_red>Target block must be a mob spawner. +moneyRecievedFrom=<green>{0}<primary> has been received from<green> {1}<primary>. +moneySentTo=<green>{0} has been sent to {1}. month=month months=months moreCommandDescription=Fills the item stack in hand to specified amount, or to maximum size if none is specified. moreCommandUsage=/<command> [amount] +moreCommandUsage1=/<command> [amount] moreCommandUsage1Description=Fills the held item to the specified amount, or its max size if none is specified +moreThanZero=<dark_red>Quantities must be greater than 0. motdCommandDescription=Views the Message Of The Day. +motdCommandUsage=/<command> [chapter] [page] +moveSpeed=<primary>Set<secondary> {0}<primary> speed to<secondary> {1} <primary>for <secondary>{2}<primary>. msgCommandDescription=Sends a private message to the specified player. msgCommandUsage=/<command> <to> <message> +msgCommandUsage1=/<command> <to> <message> msgCommandUsage1Description=Privately sends the given message to the specified player +msgDisabled=<primary>Receiving messages <secondary>disabled<primary>. +msgDisabledFor=<primary>Receiving messages <secondary>disabled <primary>for <secondary>{0}<primary>. +msgEnabled=<primary>Receiving messages <secondary>enabled<primary>. +msgEnabledFor=<primary>Receiving messages <secondary>enabled <primary>for <secondary>{0}<primary>. +msgFormat=<primary>[<secondary>{0}<primary> -> <secondary>{1}<primary>] <reset>{2} +msgIgnore=<secondary>{0} <dark_red>has messages disabled. msgtoggleCommandDescription=Blocks receiving all private messages. +msgtoggleCommandUsage=/<command> [player] [on|off] +msgtoggleCommandUsage1=/<command> [player] +msgtoggleCommandUsage1Description=Toggles private messages for yourself or another player if specified +multipleCharges=<dark_red>You cannot apply more than one charge to this firework. +multiplePotionEffects=<dark_red>You cannot apply more than one effect to this potion. muteCommandDescription=Mutes or unmutes a player. muteCommandUsage=/<command> <player> [datediff] [reason] +muteCommandUsage1=/<command> <player> muteCommandUsage1Description=Permanently mutes the specified player or unmutes them if they were already muted muteCommandUsage2=/<command> <player> <datediff> [reason] muteCommandUsage2Description=Mutes the specified player for the time given with an optional reason +mutedPlayer=<primary>Player<secondary> {0} <primary>muted. +mutedPlayerFor=<primary>Player<secondary> {0} <primary>muted for<secondary> {1}<primary>. +mutedPlayerForReason=<primary>Player<secondary> {0} <primary>muted for<secondary> {1}<primary>. Reason\: <secondary>{2} +mutedPlayerReason=<primary>Player<secondary> {0} <primary>muted. Reason\: <secondary>{1} mutedUserSpeaks={0} tried to speak, but is muted\: {1} +muteExempt=<dark_red>You may not mute that player. +muteExemptOffline=<dark_red>You may not mute offline players. +muteNotify=<secondary>{0} <primary>has muted player <secondary>{1}<primary>. +muteNotifyFor=<secondary>{0} <primary>has muted player <secondary>{1}<primary> for<secondary> {2}<primary>. +muteNotifyForReason=<secondary>{0} <primary>has muted player <secondary>{1}<primary> for<secondary> {2}<primary>. Reason\: <secondary>{3} +muteNotifyReason=<secondary>{0} <primary>has muted player <secondary>{1}<primary>. Reason\: <secondary>{2} nearCommandDescription=Lists the players near by or around a player. nearCommandUsage=/<command> [playername] [radius] +nearCommandUsage1=/<command> nearCommandUsage1Description=Lists all players within the default near radius of you nearCommandUsage2=/<command> <radius> nearCommandUsage2Description=Lists all players within the given radius of you +nearCommandUsage3=/<command> <player> nearCommandUsage3Description=Lists all players within the default near radius of the specified player nearCommandUsage4=/<command> <player> <radius> nearCommandUsage4Description=Lists all players within the given radius of the specified player +nearbyPlayers=<primary>Players nearby\:<reset> {0} +nearbyPlayersList={0}<white>(<secondary>{1}m<white>) +negativeBalanceError=<dark_red>User is not allowed to have a negative balance. +nickChanged=<primary>Nickname changed. nickCommandDescription=Change your nickname or that of another player. nickCommandUsage=/<command> [player] <nickname|off> +nickCommandUsage1=/<command> <nickname> nickCommandUsage1Description=Changes your nickname to the given text nickCommandUsage2=/<command> off nickCommandUsage2Description=Removes your nickname @@ -405,36 +840,146 @@ nickCommandUsage3=/<command> <player> <nickname> nickCommandUsage3Description=Changes the specified player''s nickname to the given text nickCommandUsage4=/<command> <player> off nickCommandUsage4Description=Removes the given player''s nickname +nickDisplayName=<dark_red>You have to enable change-displayname in Essentials config. +nickInUse=<dark_red>That name is already in use. +nickNameBlacklist=<dark_red>That nickname is not allowed. +nickNamesAlpha=<dark_red>Nicknames must be alphanumeric. +nickNamesOnlyColorChanges=<dark_red>Nicknames can only have their colors changed. +nickNoMore=<primary>You no longer have a nickname. +nickSet=<primary>Your nickname is now <secondary>{0}<primary>. +nickTooLong=<dark_red>That nickname is too long. +noAccessCommand=<dark_red>You do not have access to that command. +noAccessPermission=<dark_red>You do not have permission to access that <secondary>{0}<dark_red>. +noAccessSubCommand=<dark_red>You do not have access to <secondary>{0}<dark_red>. +noBreakBedrock=<dark_red>You are not allowed to destroy bedrock. +noDestroyPermission=<dark_red>You do not have permission to destroy that <secondary>{0}<dark_red>. northEast=NE north=N northWest=NW +noGodWorldWarning=<dark_red>Warning\! God mode in this world disabled. +noHomeSetPlayer=<primary>Player has not set a home. +noIgnored=<primary>You are not ignoring anyone. +noJailsDefined=<primary>No jails defined. +noKitGroup=<dark_red>You do not have access to this kit. +noKitPermission=<dark_red>You need the <secondary>{0}<dark_red> permission to use that kit. +noKits=<primary>There are no kits available yet. +noLocationFound=<dark_red>No valid location found. +noMail=<primary>You do not have any mail. +noMailOther=<secondary>{0} <primary>does not have any mail. +noMatchingPlayers=<primary>No matching players found. +noMetaComponents=Data Components are not supported in this version of Bukkit. Please use JSON NBT metadata. +noMetaFirework=<dark_red>You do not have permission to apply firework meta. noMetaJson=JSON Metadata is not supported in this version of Bukkit. +noMetaNbtKill=JSON NBT metadata is no longer supported. You must manually convert your defined items to data components. You can convert JSON NBT to data components here\: https\://docs.papermc.io/misc/tools/item-command-converter +noMetaPerm=<dark_red>You do not have permission to apply <secondary>{0}<dark_red> meta to this item. none=none -notAllowedToQuestion=<dark_red>You don''t have permission to ask a question. +noNewMail=<primary>You have no new mail. +nonZeroPosNumber=<dark_red>A non-zero number is required. +noPendingRequest=<dark_red>You do not have a pending request. +noPerm=<dark_red>You do not have the <secondary>{0}<dark_red> permission. +noPermissionSkull=<dark_red>You do not have permission to modify that skull. +noPermToAFKMessage=<dark_red>You don''t have permission to set an AFK message. +noPermToSpawnMob=<dark_red>You don''t have permission to spawn this mob. +noPlacePermission=<dark_red>You do not have permission to place a block near that sign. +noPotionEffectPerm=<dark_red>You do not have permission to apply potion effect <secondary>{0} <dark_red>to this potion. +noPowerTools=<primary>You have no power tools assigned. +notAcceptingPay=<dark_red>{0} <dark_red>is not accepting payment. +notAllowedToLocal=<dark_red>You don''t have permission to speak in local chat. +notAllowedToQuestion=<dark_red>You don''t have permission to send question messages. +notAllowedToShout=<dark_red>You don''t have permission to shout. +notEnoughExperience=<dark_red>You do not have enough experience. +notEnoughMoney=<dark_red>You do not have sufficient funds. notFlying=not flying +nothingInHand=<dark_red>You have nothing in your hand. now=now +noWarpsDefined=<primary>No warps defined. +nuke=<dark_purple>May death rain upon them. nukeCommandDescription=May death rain upon them. +nukeCommandUsage=/<command> [player] nukeCommandUsage1=/<command> [players...] nukeCommandUsage1Description=Sends a nuke over all players or another player(s), if specified numberRequired=A number goes there, silly. onlyDayNight=/time only supports day/night. +onlyPlayers=<dark_red>Only in-game players can use <secondary>{0}<dark_red>. +onlyPlayerSkulls=<dark_red>You can only set the owner of player skulls (<secondary>397\:3<dark_red>). +onlySunStorm=<dark_red>/weather only supports sun/storm. +openingDisposal=<primary>Opening disposal menu... +orderBalances=<primary>Ordering balances of<secondary> {0} <primary>users, please wait... +oversizedMute=<dark_red>You may not mute a player for this period of time. +oversizedTempban=<dark_red>You may not ban a player for this period of time. +passengerTeleportFail=<dark_red>You cannot be teleported while carrying passengers. payCommandDescription=Pays another player from your balance. payCommandUsage=/<command> <player> <amount> +payCommandUsage1=/<command> <player> <amount> payCommandUsage1Description=Pays the specified player the given amount of money +payConfirmToggleOff=<primary>You will no longer be prompted to confirm payments. +payConfirmToggleOn=<primary>You will now be prompted to confirm payments. +payDisabledFor=<primary>Disabled accepting payments for <secondary>{0}<primary>. +payEnabledFor=<primary>Enabled accepting payments for <secondary>{0}<primary>. +payMustBePositive=<dark_red>Amount to pay must be positive. +payOffline=<dark_red>You cannot pay offline users. +payToggleOff=<primary>You are no longer accepting payments. +payToggleOn=<primary>You are now accepting payments. payconfirmtoggleCommandDescription=Toggles whether you are prompted to confirm payments. +payconfirmtoggleCommandUsage=/<command> paytoggleCommandDescription=Toggles whether you are accepting payments. +paytoggleCommandUsage=/<command> [player] +paytoggleCommandUsage1=/<command> [player] paytoggleCommandUsage1Description=Toggles if you, or another player if specified, are accepting payments +pendingTeleportCancelled=<dark_red>Pending teleportation request cancelled. +pingCommandDescription=Pong\! +pingCommandUsage=/<command> +playerBanIpAddress=<primary>Player<secondary> {0} <primary>banned IP address<secondary> {1} <primary>for\: <secondary>{2}<primary>. +playerTempBanIpAddress=<primary>Player<secondary> {0} <primary>temporarily banned IP address <secondary>{1}<primary> for <secondary>{2}<primary>\: <secondary>{3}<primary>. +playerBanned=<primary>Player<secondary> {0} <primary>banned<secondary> {1} <primary>for\: <secondary>{2}<primary>. +playerJailed=<primary>Player<secondary> {0} <primary>jailed. +playerJailedFor=<primary>Player<secondary> {0} <primary>jailed for<secondary> {1}<primary>. +playerKicked=<primary>Player<secondary> {0} <primary>kicked<secondary> {1}<primary> for<secondary> {2}<primary>. +playerMuted=<primary>You have been muted\! +playerMutedFor=<primary>You have been muted for<secondary> {0}<primary>. +playerMutedForReason=<primary>You have been muted for<secondary> {0}<primary>. Reason\: <secondary>{1} +playerMutedReason=<primary>You have been muted\! Reason\: <secondary>{0} +playerNeverOnServer=<dark_red>Player<secondary> {0} <dark_red>was never on this server. +playerNotFound=<dark_red>Player not found. +playerTempBanned=<primary>Player <secondary>{0}<primary> temporarily banned <secondary>{1}<primary> for <secondary>{2}<primary>\: <secondary>{3}<primary>. +playerUnbanIpAddress=<primary>Player<secondary> {0} <primary>unbanned IP\:<secondary> {1} +playerUnbanned=<primary>Player<secondary> {0} <primary>unbanned<secondary> {1} +playerUnmuted=<primary>You have been unmuted. playtimeCommandDescription=Shows a player''s time played in game +playtimeCommandUsage=/<command> [player] +playtimeCommandUsage1=/<command> playtimeCommandUsage1Description=Shows your time played in game +playtimeCommandUsage2=/<command> <player> playtimeCommandUsage2Description=Shows the specified player''s time played in game +playtime=<primary>Playtime\:<secondary> {0} +playtimeOther=<primary>Playtime of {1}<primary>\:<secondary> {0} pong=Pong\! +posPitch=<primary>Pitch\: {0} (Head angle) +possibleWorlds=<primary>Possible worlds are the numbers <secondary>0<primary> through <secondary>{0}<primary>. potionCommandDescription=Adds custom potion effects to a potion. potionCommandUsage=/<command> <clear|apply|effect\:<effect> power\:<power> duration\:<duration>> +potionCommandUsage1=/<command> clear potionCommandUsage1Description=Clears all effects on the held potion potionCommandUsage2=/<command> apply potionCommandUsage2Description=Applies all effects on the held potion onto you without consuming the potion potionCommandUsage3=/<command> effect\:<effect> power\:<power> duration\:<duration> potionCommandUsage3Description=Applies the given potion meta to the held potion +posX=<primary>X\: {0} (+East <-> -West) +posY=<primary>Y\: {0} (+Up <-> -Down) +posYaw=<primary>Yaw\: {0} (Rotation) +posZ=<primary>Z\: {0} (+South <-> -North) +potions=<primary>Potions\:<reset> {0}<primary>. +powerToolAir=<dark_red>Command can''t be attached to air. +powerToolAlreadySet=<dark_red>Command <secondary>{0}<dark_red> is already assigned to <secondary>{1}<dark_red>. +powerToolAttach=<secondary>{0}<primary> command assigned to<secondary> {1}<primary>. +powerToolClearAll=<primary>All powertool commands have been cleared. +powerToolList=<primary>Item <secondary>{1} <primary>has the following commands\: <secondary>{0}<primary>. +powerToolListEmpty=<dark_red>Item <secondary>{0} <dark_red>has no commands assigned. +powerToolNoSuchCommandAssigned=<dark_red>Command <secondary>{0}<dark_red> has not been assigned to <secondary>{1}<dark_red>. +powerToolRemove=<primary>Command <secondary>{0}<primary> removed from <secondary>{1}<primary>. +powerToolRemoveAll=<primary>All commands removed from <secondary>{0}<primary>. +powerToolsDisabled=<primary>All of your power tools have been disabled. +powerToolsEnabled=<primary>All of your power tools have been enabled. powertoolCommandDescription=Assigns a command to the item in hand. powertoolCommandUsage=/<command> [l\:|a\:|r\:|c\:|d\:][command] [arguments] - {player} can be replaced by name of a clicked player. powertoolCommandUsage1=/<command> l\: @@ -448,6 +993,7 @@ powertoolCommandUsage4Description=Sets the powertool command of the held item to powertoolCommandUsage5=/<command> a\:<cmd> powertoolCommandUsage5Description=Adds the given powertool command to the held item powertooltoggleCommandDescription=Enables or disables all current powertools. +powertooltoggleCommandUsage=/<command> ptimeCommandDescription=Adjust player''s client time. Add @ prefix to fix. ptimeCommandUsage=/<command> [list|reset|day|night|dawn|17\:30|4pm|4000ticks] [player|*] ptimeCommandUsage1=/<command> list [player|*] @@ -458,60 +1004,133 @@ ptimeCommandUsage3=/<command> reset [player|*] ptimeCommandUsage3Description=Resets the time for you or other player(s) if specified pweatherCommandDescription=Adjust a player''s weather pweatherCommandUsage=/<command> [list|reset|storm|sun|clear] [player|*] +pweatherCommandUsage1=/<command> list [player|*] pweatherCommandUsage1Description=Lists the player weather for either you or other player(s) if specified pweatherCommandUsage2=/<command> <storm|sun> [player|*] pweatherCommandUsage2Description=Sets the weather for you or other player(s) if specified to the given weather +pweatherCommandUsage3=/<command> reset [player|*] pweatherCommandUsage3Description=Resets the weather for you or other player(s) if specified +pTimeCurrent=<secondary>{0}<primary>''s time is<secondary> {1}<primary>. +pTimeCurrentFixed=<secondary>{0}<primary>''s time is fixed to<secondary> {1}<primary>. +pTimeNormal=<secondary>{0}<primary>''s time is normal and matches the server. +pTimeOthersPermission=<dark_red>You are not authorized to set other players'' time. +pTimePlayers=<primary>These players have their own time\:<reset> +pTimeReset=<primary>Player time has been reset for\: <secondary>{0} +pTimeSet=<primary>Player time is set to <secondary>{0}<primary> for\: <secondary>{1}. +pTimeSetFixed=<primary>Player time is fixed to <secondary>{0}<primary> for\: <secondary>{1}. +pWeatherCurrent=<secondary>{0}<primary>''s weather is<secondary> {1}<primary>. +pWeatherInvalidAlias=<dark_red>Invalid weather type +pWeatherNormal=<secondary>{0}<primary>''s weather is normal and matches the server. +pWeatherOthersPermission=<dark_red>You are not authorized to set other players'' weather. +pWeatherPlayers=<primary>These players have their own weather\:<reset> +pWeatherReset=<primary>Player weather has been reset for\: <secondary>{0} +pWeatherSet=<primary>Player weather is set to <secondary>{0}<primary> for\: <secondary>{1}. +questionFormat=<dark_green>[Question]<reset> {0} rCommandDescription=Quickly reply to the last player to message you. +rCommandUsage=/<command> <message> +rCommandUsage1=/<command> <message> rCommandUsage1Description=Replies to the last player to message you with the given text +radiusTooBig=<dark_red>Radius is too big\! Maximum radius is<secondary> {0}<dark_red>. +readNextPage=<primary>Type<secondary> /{0} {1} <primary>to read the next page. +realName=<white>{0}<reset><primary> is <white>{1} realnameCommandDescription=Displays the username of a user based on nick. realnameCommandUsage=/<command> <nickname> +realnameCommandUsage1=/<command> <nickname> realnameCommandUsage1Description=Displays the username of a user based on the given nickname +recentlyForeverAlone=<dark_red>{0} recently went offline. +recipe=<primary>Recipe for <secondary>{0}<primary> (<secondary>{1}<primary> of <secondary>{2}<primary>) recipeBadIndex=There is no recipe by that number. recipeCommandDescription=Displays how to craft items. recipeCommandUsage=/<command> <<item>|hand> [number] recipeCommandUsage1=/<command> <<item>|hand> [page] recipeCommandUsage1Description=Displays how to craft the given item +recipeFurnace=<primary>Smelt\: <secondary>{0}<primary>. +recipeGrid=<secondary>{0}X <primary>| {1}X <primary>| {2}X +recipeGridItem=<secondary>{0}X <primary>is <secondary>{1} +recipeMore=<primary>Type<secondary> /{0} {1} <number><primary> to see other recipes for <secondary>{2}<primary>. recipeNone=No recipes exist for {0}. recipeNothing=nothing +recipeShapeless=<primary>Combine <secondary>{0} +recipeWhere=<primary>Where\: {0} removeCommandDescription=Removes entities in your world. removeCommandUsage=/<command> <all|tamed|named|drops|arrows|boats|minecarts|xp|paintings|itemframes|endercrystals|monsters|animals|ambient|mobs|[mobType]> [radius|world] removeCommandUsage1=/<command> <mob type> [world] removeCommandUsage1Description=Removes all of the given mob type in the current world or another one if specified removeCommandUsage2=/<command> <mob type> <radius> [world] removeCommandUsage2Description=Removes the given mob type within the given radius in the current world or another one if specified +removed=<primary>Removed<secondary> {0} <primary>entities. renamehomeCommandDescription=Renames a home. renamehomeCommandUsage=/<command> <[player\:]name> <new name> renamehomeCommandUsage1=/<command> <name> <new name> renamehomeCommandUsage1Description=Renames your home to the given name renamehomeCommandUsage2=/<command> <player>\:<name> <new name> renamehomeCommandUsage2Description=Renames the specified player''s home to the given name +repair=<primary>You have successfully repaired your\: <secondary>{0}<primary>. +repairAlreadyFixed=<dark_red>This item does not need repairing. repairCommandDescription=Repairs the durability of one or all items. repairCommandUsage=/<command> [hand|all] +repairCommandUsage1=/<command> repairCommandUsage1Description=Repairs the held item repairCommandUsage2=/<command> all repairCommandUsage2Description=Repairs all items in your inventory +repairEnchanted=<dark_red>You are not allowed to repair enchanted items. +repairInvalidType=<dark_red>This item cannot be repaired. +repairNone=<dark_red>There were no items that needed repairing. replyFromDiscord=**Reply from {0}\:** {1} +replyLastRecipientDisabled=<primary>Replying to last message recipient <secondary>disabled<primary>. +replyLastRecipientDisabledFor=<primary>Replying to last message recipient <secondary>disabled <primary>for <secondary>{0}<primary>. +replyLastRecipientEnabled=<primary>Replying to last message recipient <secondary>enabled<primary>. +replyLastRecipientEnabledFor=<primary>Replying to last message recipient <secondary>enabled <primary>for <secondary>{0}<primary>. +requestAccepted=<primary>Teleport request accepted. +requestAcceptedAll=<primary>Accepted <secondary>{0} <primary>pending teleport request(s). +requestAcceptedAuto=<primary>Automatically accepted a teleport request from {0}. +requestAcceptedFrom=<secondary>{0} <primary>accepted your teleport request. +requestAcceptedFromAuto=<secondary>{0} <primary>accepted your teleport request automatically. +requestDenied=<primary>Teleport request denied. +requestDeniedAll=<primary>Denied <secondary>{0} <primary>pending teleport request(s). +requestDeniedFrom=<secondary>{0} <primary>denied your teleport request. +requestSent=<primary>Request sent to<secondary> {0}<primary>. +requestSentAlready=<dark_red>You have already sent {0}<dark_red> a teleport request. +requestTimedOut=<dark_red>Teleport request has timed out. +requestTimedOutFrom=<dark_red>Teleport request from <secondary>{0} <dark_red>has timed out. +resetBal=<primary>Balance has been reset to <secondary>{0} <primary>for all online players. +resetBalAll=<primary>Balance has been reset to <secondary>{0} <primary>for all players. +rest=<primary>You feel well rested. restCommandDescription=Rests you or the given player. +restCommandUsage=/<command> [player] +restCommandUsage1=/<command> [player] restCommandUsage1Description=Resets the time since rest of you or another player if specified +restOther=<primary>Resting<secondary> {0}<primary>. +returnPlayerToJailError=<dark_red>Error occurred when trying to return player<secondary> {0} <dark_red>to jail\: <secondary>{1}<dark_red>\! rtoggleCommandDescription=Change whether the recipient of the reply is last recipient or last sender +rtoggleCommandUsage=/<command> [player] [on|off] rulesCommandDescription=Views the server rules. +rulesCommandUsage=/<command> [chapter] [page] +runningPlayerMatch=<primary>Running search for players matching ''<secondary>{0}<primary>'' (this could take a little while). second=second seconds=seconds +seenAccounts=<primary>Player has also been known as\:<secondary> {0} seenCommandDescription=Shows the last logout time of a player. seenCommandUsage=/<command> <playername> +seenCommandUsage1=/<command> <playername> seenCommandUsage1Description=Shows the logout time, ban, mute, and UUID information of the specified player +seenOffline=<primary>Player<secondary> {0} <primary>has been <dark_red>offline<primary> since <secondary>{1}<primary>. +seenOnline=<primary>Player<secondary> {0} <primary>has been <green>online<primary> since <secondary>{1}<primary>. +sellBulkPermission=<primary>You do not have permission to bulk sell. sellCommandDescription=Sells the item currently in your hand. sellCommandUsage=/<command> <<itemname>|<id>|hand|inventory|blocks> [amount] sellCommandUsage1=/<command> <itemname> [amount] sellCommandUsage1Description=Sells all (or the given amount, if specified) of the given item in your inventory sellCommandUsage2=/<command> hand [amount] sellCommandUsage2Description=Sells all (or the given amount, if specified) of the held item +sellCommandUsage3=/<command> all sellCommandUsage3Description=Sells all possible items in your inventory sellCommandUsage4=/<command> blocks [amount] sellCommandUsage4Description=Sells all (or the given amount, if specified) of blocks in your inventory +sellHandPermission=<primary>You do not have permission to hand sell. serverFull=Server is full\! serverReloading=There''s a good chance you''re reloading your server right now. If that''s the case, why do you hate yourself? Expect no support from the EssentialsX team when using /reload. +serverTotal=<primary>Server Total\:<secondary> {0} serverUnsupported=You are running an unsupported server version\! serverUnsupportedClass=Status determining class\: {0} serverUnsupportedCleanroom=You are running a server that does not properly support Bukkit plugins that rely on internal Mojang code. Consider using an Essentials replacement for your server software. @@ -519,17 +1138,32 @@ serverUnsupportedDangerous=You are running a server fork that is known to be ext serverUnsupportedLimitedApi=You are running a server with limited API functionality. EssentialsX will still work, but certain features may be disabled. serverUnsupportedDumbPlugins=You are using plugins known to cause severe issues with EssentialsX and other plugins. serverUnsupportedMods=You are running a server that does not properly support Bukkit plugins. Bukkit plugins should not be used with Forge/Fabric mods\! For Forge\: Consider using ForgeEssentials, or SpongeForge + Nucleus. +setBal=<green>Your balance was set to {0}. +setBalOthers=<green>You set {0}<green>''s balance to {1}. +setSpawner=<primary>Changed spawner type to<secondary> {0}<primary>. sethomeCommandDescription=Set your home to your current location. sethomeCommandUsage=/<command> [[player\:]name] +sethomeCommandUsage1=/<command> <name> sethomeCommandUsage1Description=Sets your home with the given name at your location +sethomeCommandUsage2=/<command> <player>\:<name> sethomeCommandUsage2Description=Sets the specified player''s home with the given name at your location setjailCommandDescription=Creates a jail where you specified named [jailname]. +setjailCommandUsage=/<command> <jailname> +setjailCommandUsage1=/<command> <jailname> setjailCommandUsage1Description=Sets the jail with the specified name to your location settprCommandDescription=Set the random teleport location and parameters. +settprCommandUsage=/<command> <world> [center|minrange|maxrange] [value] +settprCommandUsage1=/<command> <world> center settprCommandUsage1Description=Sets the random teleport center to your location +settprCommandUsage2=/<command> <world> minrange <radius> settprCommandUsage2Description=Sets the minimum random teleport radius to the given value +settprCommandUsage3=/<command> <world> maxrange <radius> settprCommandUsage3Description=Sets the maximum random teleport radius to the given value +settpr=<primary>Set random teleport center. +settprValue=<primary>Set random teleport <secondary>{0}<primary> to <secondary>{1}<primary>. setwarpCommandDescription=Creates a new warp. +setwarpCommandUsage=/<command> <warp> +setwarpCommandUsage1=/<command> <warp> setwarpCommandUsage1Description=Sets the warp with the specified name to your location setworthCommandDescription=Set the sell value of an item. setworthCommandUsage=/<command> [itemname|id] <price> @@ -537,10 +1171,27 @@ setworthCommandUsage1=/<command> <price> setworthCommandUsage1Description=Sets the worth of your held item to the given price setworthCommandUsage2=/<command> <itemname> <price> setworthCommandUsage2Description=Sets the worth of the specified item to the given price +sheepMalformedColor=<dark_red>Malformed color. +shoutDisabled=<primary>Shout mode <secondary>disabled<primary>. +shoutDisabledFor=<primary>Shout mode <secondary>disabled <primary>for <secondary>{0}<primary>. +shoutEnabled=<primary>Shout mode <secondary>enabled<primary>. +shoutEnabledFor=<primary>Shout mode <secondary>enabled <primary>for <secondary>{0}<primary>. +shoutFormat=<primary>[Shout]<reset> {0} +editsignCommandClear=<primary>Sign cleared. +editsignCommandClearLine=<primary>Cleared line<secondary> {0}<primary>. showkitCommandDescription=Show contents of a kit. showkitCommandUsage=/<command> <kitname> +showkitCommandUsage1=/<command> <kitname> showkitCommandUsage1Description=Displays a summary of the items in the specified kit editsignCommandDescription=Edits a sign in the world. +editsignCommandLimit=<dark_red>Your provided text is too big to fit on the target sign. +editsignCommandNoLine=<dark_red>You must enter a line number between <secondary>1-4<dark_red>. +editsignCommandSetSuccess=<primary>Set line<secondary> {0}<primary> to "<secondary>{1}<primary>". +editsignCommandTarget=<dark_red>You must be looking at a sign to edit its text. +editsignCopy=<primary>Sign copied\! Paste it with <secondary>/{0} paste<primary>. +editsignCopyLine=<primary>Copied line <secondary>{0} <primary>of sign\! Paste it with <secondary>/{1} paste {0}<primary>. +editsignPaste=<primary>Sign pasted\! +editsignPasteLine=<primary>Pasted line <secondary>{0} <primary>of sign\! editsignCommandUsage=/<command> <set/clear/copy/paste> [line number] [text] editsignCommandUsage1=/<command> set <line number> <text> editsignCommandUsage1Description=Sets the specified line of the target sign to the given text @@ -550,19 +1201,44 @@ editsignCommandUsage3=/<command> copy [line number] editsignCommandUsage3Description=Copies the all (or the specified line) of the target sign to your clipboard editsignCommandUsage4=/<command> paste [line number] editsignCommandUsage4Description=Pastes your clipboard to the entire (or the specified line) of the target sign +signFormatFail=<dark_red>[{0}] +signFormatSuccess=<dark_blue>[{0}] signFormatTemplate=[{0}] +signProtectInvalidLocation=<dark_red>You are not allowed to create sign here. +similarWarpExist=<dark_red>A warp with a similar name already exists. southEast=SE south=S southWest=SW +skullChanged=<primary>Skull changed to <secondary>{0}<primary>. skullCommandDescription=Set the owner of a player skull +skullCommandUsage=/<command> [owner] [player] +skullCommandUsage1=/<command> skullCommandUsage1Description=Gets your own skull +skullCommandUsage2=/<command> <player> skullCommandUsage2Description=Gets the skull of the specified player +skullCommandUsage3=/<command> <texture> +skullCommandUsage3Description=Gets a skull with the specified texture (either the hash from a texture URL or a Base64 texture value) +skullCommandUsage4=/<command> <owner> <player> +skullCommandUsage4Description=Gives a skull of the specified owner to a specified player +skullCommandUsage5=/<command> <texture> <player> +skullCommandUsage5Description=Gives a skull with the specified texture (either the hash from a texture URL or a Base64 texture value) to a specified player +skullInvalidBase64=<dark_red>The texture value is invalid. +slimeMalformedSize=<dark_red>Malformed size. smithingtableCommandDescription=Opens up a smithing table. +smithingtableCommandUsage=/<command> +socialSpy=<primary>SocialSpy for <secondary>{0}<primary>\: <secondary>{1} +socialSpyMsgFormat=<primary>[<secondary>{0}<gray> -> <secondary>{1}<primary>] <gray>{2} +socialSpyMutedPrefix=<white>[<primary>SS<white>] <gray>(muted) <reset> socialspyCommandDescription=Toggles if you can see msg/mail commands in chat. +socialspyCommandUsage=/<command> [player] [on|off] +socialspyCommandUsage1=/<command> [player] socialspyCommandUsage1Description=Toggles social spy for yourself or another player if specified +socialSpyPrefix=<white>[<primary>SS<white>] <reset> +soloMob=<dark_red>That mob likes to be alone. spawned=spawned spawnerCommandDescription=Change the mob type of a spawner. spawnerCommandUsage=/<command> <mob> [delay] +spawnerCommandUsage1=/<command> <mob> [delay] spawnerCommandUsage1Description=Changes the mob type (and optionally, the delay) of the spawner you''re looking at spawnmobCommandDescription=Spawns a mob. spawnmobCommandUsage=/<command> <mob>[\:data][,<mount>[\:data]] [amount] [player] @@ -570,6 +1246,7 @@ spawnmobCommandUsage1=/<command> <mob>[\:data] [amount] [player] spawnmobCommandUsage1Description=Spawns one (or the specified amount) of the given mob at your location (or another player if specified) spawnmobCommandUsage2=/<command> <mob>[\:data],<mount>[\:data] [amount] [player] spawnmobCommandUsage2Description=Spawns one (or the specified amount) of the given mob riding the given mob at your location (or another player if specified) +spawnSet=<primary>Spawn location set for group<secondary> {0}<primary>. spectator=spectator speedCommandDescription=Change your speed limits. speedCommandUsage=/<command> [type] <speed> [player] @@ -578,85 +1255,202 @@ speedCommandUsage1Description=Sets either your fly or walk speed to the given sp speedCommandUsage2=/<command> <type> <speed> [player] speedCommandUsage2Description=Sets either the specified type of speed to the given speed for you or another player if specified stonecutterCommandDescription=Opens up a stonecutter. +stonecutterCommandUsage=/<command> sudoCommandDescription=Make another user perform a command. sudoCommandUsage=/<command> <player> <command [args]> sudoCommandUsage1=/<command> <player> <command> [args] sudoCommandUsage1Description=Makes the specified player run the given command +sudoExempt=<dark_red>You cannot sudo <secondary>{0}. +sudoRun=<primary>Forcing<secondary> {0} <primary>to run\:<reset> /{1} suicideCommandDescription=Causes you to perish. +suicideCommandUsage=/<command> +suicideMessage=<primary>Goodbye cruel world... +suicideSuccess=<primary>Player <secondary>{0} <primary>took their own life. survival=survival +takenFromAccount=<yellow>{0}<green> has been taken from your account. +takenFromOthersAccount=<yellow>{0}<green> taken from<yellow> {1}<green> account. New balance\:<yellow> {2} +teleportAAll=<primary>Teleport request sent to all players... +teleportAll=<primary>Teleporting all players... +teleportationCommencing=<primary>Teleportation commencing... +teleportationDisabled=<primary>Teleportation <secondary>disabled<primary>. +teleportationDisabledFor=<primary>Teleportation <secondary>disabled <primary>for <secondary>{0}<primary>. +teleportationDisabledWarning=<primary>You must enable teleportation before other players can teleport to you. +teleportationEnabled=<primary>Teleportation <secondary>enabled<primary>. +teleportationEnabledFor=<primary>Teleportation <secondary>enabled <primary>for <secondary>{0}<primary>. +teleportAtoB=<secondary>{0}<primary> teleported you to <secondary>{1}<primary>. +teleportBottom=<primary>Teleporting to bottom. +teleportDisabled=<secondary>{0} <dark_red>has teleportation disabled. +teleportHereRequest=<secondary>{0}<primary> has requested that you teleport to them. +teleportHome=<primary>Teleporting to <secondary>{0}<primary>. +teleporting=<primary>Teleporting... teleportInvalidLocation=Value of coordinates cannot be over 30000000 +teleportNewPlayerError=<dark_red>Failed to teleport new player\! +teleportNoAcceptPermission=<secondary>{0} <dark_red>does not have permission to accept teleport requests. +teleportRequest=<secondary>{0}<primary> has requested to teleport to you. +teleportRequestAllCancelled=<primary>All outstanding teleport requests cancelled. +teleportRequestCancelled=<primary>Your teleport request to <secondary>{0}<primary> was cancelled. +teleportRequestSpecificCancelled=<primary>Outstanding teleport request with<secondary> {0}<primary> cancelled. +teleportRequestTimeoutInfo=<primary>This request will timeout after<secondary> {0} seconds<primary>. +teleportTop=<primary>Teleporting to top. +teleportToPlayer=<primary>Teleporting to <secondary>{0}<primary>. +teleportOffline=<primary>The player <secondary>{0}<primary> is currently offline. You are able to teleport to them using /otp. +teleportOfflineUnknown=<primary>Unable to find the last known position of <secondary>{0}<primary>. +tempbanExempt=<dark_red>You may not tempban that player. +tempbanExemptOffline=<dark_red>You may not tempban offline players. tempbanJoin=You are banned from this server for {0}. Reason\: {1} +tempBanned=<secondary>You have been temporarily banned for<reset> {0}\:\n<reset>{2} tempbanCommandDescription=Temporary ban a user. tempbanCommandUsage=/<command> <playername> <datediff> [reason] +tempbanCommandUsage1=/<command> <player> <datediff> [reason] tempbanCommandUsage1Description=Bans the given player for the specified amount of time with an optional reason tempbanipCommandDescription=Temporarily ban an IP Address. +tempbanipCommandUsage=/<command> <playername> <datediff> [reason] tempbanipCommandUsage1=/<command> <player|ip-address> <datediff> [reason] tempbanipCommandUsage1Description=Bans the given IP address for the specified amount of time with an optional reason +thunder=<primary>You<secondary> {0} <primary>thunder in your world. thunderCommandDescription=Enable/disable thunder. thunderCommandUsage=/<command> <true/false> [duration] thunderCommandUsage1=/<command> <true|false> [duration] thunderCommandUsage1Description=Enables/disables thunder for an optional duration +thunderDuration=<primary>You<secondary> {0} <primary>thunder in your world for<secondary> {1} <primary>seconds. +timeBeforeHeal=<dark_red>Time before next heal\:<secondary> {0}<dark_red>. +timeBeforeTeleport=<dark_red>Time before next teleport\:<secondary> {0}<dark_red>. timeCommandDescription=Display/Change the world time. Defaults to current world. timeCommandUsage=/<command> [set|add] [day|night|dawn|17\:30|4pm|4000ticks] [worldname|all] +timeCommandUsage1=/<command> timeCommandUsage1Description=Displays the times in all worlds timeCommandUsage2=/<command> set <time> [world|all] timeCommandUsage2Description=Sets the time in the current (or specified) world to the given time timeCommandUsage3=/<command> add <time> [world|all] timeCommandUsage3Description=Adds the given time to the current (or specified) world''s time +timeFormat=<secondary>{0}<primary> or <secondary>{1}<primary> or <secondary>{2}<primary> +timeSetPermission=<dark_red>You are not authorized to set the time. +timeSetWorldPermission=<dark_red>You are not authorized to set the time in world ''{0}''. +timeWorldAdd=<primary>The time was moved forward by<secondary> {0} <primary>in\: <secondary>{1}<primary>. +timeWorldCurrent=<primary>The current time in<secondary> {0} <primary>is <secondary>{1}<primary>. +timeWorldCurrentSign=<primary>The current time is <secondary>{0}<primary>. +timeWorldSet=<primary>The time was set to<secondary> {0} <primary>in\: <secondary>{1}<primary>. togglejailCommandDescription=Jails/Unjails a player, TPs them to the jail specified. togglejailCommandUsage=/<command> <player> <jailname> [datediff] toggleshoutCommandDescription=Toggles whether you are talking in shout mode +toggleshoutCommandUsage=/<command> [player] [on|off] +toggleshoutCommandUsage1=/<command> [player] toggleshoutCommandUsage1Description=Toggles shout mode for yourself or another player if specified topCommandDescription=Teleport to the highest block at your current position. +topCommandUsage=/<command> +totalSellableAll=<green>The total worth of all sellable items and blocks is <secondary>{1}<green>. +totalSellableBlocks=<green>The total worth of all sellable blocks is <secondary>{1}<green>. +totalWorthAll=<green>Sold all items and blocks for a total worth of <secondary>{1}<green>. +totalWorthBlocks=<green>Sold all blocks for a total worth of <secondary>{1}<green>. tpCommandDescription=Teleport to a player. tpCommandUsage=/<command> <player> [otherplayer] +tpCommandUsage1=/<command> <player> tpCommandUsage1Description=Teleports you to the specified player tpCommandUsage2=/<command> <player> <other player> tpCommandUsage2Description=Teleports the first specified player to the second tpaCommandDescription=Request to teleport to the specified player. +tpaCommandUsage=/<command> <player> +tpaCommandUsage1=/<command> <player> tpaCommandUsage1Description=Requests to teleport to the specified player tpaallCommandDescription=Requests all players online to teleport to you. +tpaallCommandUsage=/<command> <player> +tpaallCommandUsage1=/<command> <player> tpaallCommandUsage1Description=Requests for all players to teleport to you tpacancelCommandDescription=Cancel all outstanding teleport requests. Specify [player] to cancel requests with them. +tpacancelCommandUsage=/<command> [player] +tpacancelCommandUsage1=/<command> tpacancelCommandUsage1Description=Cancels all your outstanding teleport requests +tpacancelCommandUsage2=/<command> <player> tpacancelCommandUsage2Description=Cancels all your outstanding teleport request with the specified player tpacceptCommandDescription=Accepts teleport requests. tpacceptCommandUsage=/<command> [otherplayer] +tpacceptCommandUsage1=/<command> tpacceptCommandUsage1Description=Accepts the most recent teleport request +tpacceptCommandUsage2=/<command> <player> tpacceptCommandUsage2Description=Accepts a teleport request from the specified player +tpacceptCommandUsage3=/<command> * tpacceptCommandUsage3Description=Accepts all teleport requests tpahereCommandDescription=Request that the specified player teleport to you. +tpahereCommandUsage=/<command> <player> +tpahereCommandUsage1=/<command> <player> tpahereCommandUsage1Description=Requests for the specified player to teleport to you tpallCommandDescription=Teleport all online players to another player. +tpallCommandUsage=/<command> [player] +tpallCommandUsage1=/<command> [player] tpallCommandUsage1Description=Teleports all players to you, or another player if specified tpautoCommandDescription=Automatically accept teleportation requests. +tpautoCommandUsage=/<command> [player] +tpautoCommandUsage1=/<command> [player] tpautoCommandUsage1Description=Toggles if tpa requests are auto accepted for yourself or another player if specified tpdenyCommandDescription=Rejects teleport requests. +tpdenyCommandUsage=/<command> +tpdenyCommandUsage1=/<command> tpdenyCommandUsage1Description=Rejects the most recent teleport request +tpdenyCommandUsage2=/<command> <player> tpdenyCommandUsage2Description=Rejects a teleport request from the specified player +tpdenyCommandUsage3=/<command> * tpdenyCommandUsage3Description=Rejects all teleport requests tphereCommandDescription=Teleport a player to you. +tphereCommandUsage=/<command> <player> +tphereCommandUsage1=/<command> <player> tphereCommandUsage1Description=Teleports the specified player to you tpoCommandDescription=Teleport override for tptoggle. +tpoCommandUsage=/<command> <player> [otherplayer] +tpoCommandUsage1=/<command> <player> tpoCommandUsage1Description=Teleports the specified player to you whilst overriding their preferences +tpoCommandUsage2=/<command> <player> <other player> tpoCommandUsage2Description=Teleports the first specified player to the second whilst overriding their preferences tpofflineCommandDescription=Teleport to a player''s last known logout location +tpofflineCommandUsage=/<command> <player> +tpofflineCommandUsage1=/<command> <player> tpofflineCommandUsage1Description=Teleports you to the specified player''s logout location tpohereCommandDescription=Teleport here override for tptoggle. +tpohereCommandUsage=/<command> <player> +tpohereCommandUsage1=/<command> <player> +tpohereCommandUsage1Description=Teleports the specified player to you whilst overriding their preferences tpposCommandDescription=Teleport to coordinates. tpposCommandUsage=/<command> <x> <y> <z> [yaw] [pitch] [world] +tpposCommandUsage1=/<command> <x> <y> <z> [yaw] [pitch] [world] tpposCommandUsage1Description=Teleports you to the specified location at an optional yaw, pitch, and/or world tprCommandDescription=Teleport randomly. +tprCommandUsage=/<command> +tprCommandUsage1=/<command> tprCommandUsage1Description=Teleports you to a random location +tprSuccess=<primary>Teleporting to a random location... +tps=<primary>Current TPS \= {0} tptoggleCommandDescription=Blocks all forms of teleportation. +tptoggleCommandUsage=/<command> [player] [on|off] +tptoggleCommandUsage1=/<command> [player] tptoggleCommandUsageDescription=Toggles if teleports are enabled for yourself or another player if specified +tradeSignEmpty=<dark_red>The trade sign has nothing available for you. +tradeSignEmptyOwner=<dark_red>There is nothing to collect from this trade sign. +tradeSignFull=<dark_red>This sign is full\! +tradeSignSameType=<dark_red>You cannot trade for the same item type. treeCommandDescription=Spawn a tree where you are looking. +treeCommandUsage=/<command> <tree|birch|redwood|redmushroom|brownmushroom|jungle|junglebush|swamp|paleoak> +treeCommandUsage1=/<command> <tree|birch|redwood|redmushroom|brownmushroom|jungle|junglebush|swamp|paleoak> treeCommandUsage1Description=Spawns a tree of the specified type where you''re looking +treeFailure=<dark_red>Tree generation failure. Try again on grass or dirt. +treeSpawned=<primary>Tree spawned. +true=<green>true<reset> +typeTpacancel=<primary>To cancel this request, type <secondary>/tpacancel<primary>. +typeTpaccept=<primary>To teleport, type <secondary>/tpaccept<primary>. +typeTpdeny=<primary>To deny this request, type <secondary>/tpdeny<primary>. +typeWorldName=<primary>You can also type the name of a specific world. +unableToSpawnItem=<dark_red>Cannot spawn <secondary>{0}<dark_red>; this is not a spawnable item. +unableToSpawnMob=<dark_red>Unable to spawn mob. unbanCommandDescription=Unbans the specified player. +unbanCommandUsage=/<command> <player> +unbanCommandUsage1=/<command> <player> unbanCommandUsage1Description=Unbans the specified player unbanipCommandDescription=Unbans the specified IP address. unbanipCommandUsage=/<command> <address> +unbanipCommandUsage1=/<command> <address> unbanipCommandUsage1Description=Unbans the specified IP address +unignorePlayer=<primary>You are not ignoring player<secondary> {0} <primary>anymore. +unknownItemId=<dark_red>Unknown item id\:<reset> {0}<dark_red>. +unknownItemInList=<dark_red>Unknown item {0} in {1} list. +unknownItemName=<dark_red>Unknown item name\: {0}. unlimitedCommandDescription=Allows the unlimited placing of items. unlimitedCommandUsage=/<command> <list|item|clear> [player] unlimitedCommandUsage1=/<command> list [player] @@ -665,42 +1459,154 @@ unlimitedCommandUsage2=/<command> <item> [player] unlimitedCommandUsage2Description=Toggles if the given item is unlimited for yourself or another player if specified unlimitedCommandUsage3=/<command> clear [player] unlimitedCommandUsage3Description=Clears all unlimited items for yourself or another player if specified +unlimitedItemPermission=<dark_red>No permission for unlimited item <secondary>{0}<dark_red>. +unlimitedItems=<primary>Unlimited items\:<reset> unlinkCommandDescription=Unlinks your Minecraft account from the currently linked Discord account. +unlinkCommandUsage=/<command> +unlinkCommandUsage1=/<command> +unlinkCommandUsage1Description=Unlinks your Minecraft account from the currently linked Discord account. +unmutedPlayer=<primary>Player<secondary> {0} <primary>unmuted. +unsafeTeleportDestination=<dark_red>The teleport destination is unsafe and teleport-safety is disabled. +unsupportedBrand=<dark_red>The server platform you are currently running does not provide the capabilities for this feature. +unsupportedFeature=<dark_red>This feature is not supported on the current server version. +unvanishedReload=<dark_red>A reload has forced you to become visible. upgradingFilesError=Error while upgrading the files. +uptime=<primary>Uptime\:<secondary> {0} +userAFK=<gray>{0} <dark_purple>is currently AFK and may not respond. +userAFKWithMessage=<gray>{0} <dark_purple>is currently AFK and may not respond\: {1} userdataMoveBackError=Failed to move userdata/{0}.tmp to userdata/{1}\! userdataMoveError=Failed to move userdata/{0} to userdata/{1}.tmp\! +userDoesNotExist=<dark_red>The user<secondary> {0} <dark_red>does not exist. +uuidDoesNotExist=<dark_red>The user with UUID<secondary> {0} <dark_red>does not exist. +userIsAway=<gray>* {0} <gray>is now AFK. +userIsAwayWithMessage=<gray>* {0} <gray>is now AFK. +userIsNotAway=<gray>* {0} <gray>is no longer AFK. +userIsAwaySelf=<gray>You are now AFK. +userIsAwaySelfWithMessage=<gray>You are now AFK. +userIsNotAwaySelf=<gray>You are no longer AFK. +userJailed=<primary>You have been jailed\! +usermapEntry=<secondary>{0} <primary>is mapped to <secondary>{1}<primary>. +usermapKnown=<primary>There are <secondary>{0} <primary>known users to the user cache with <secondary>{1} <primary>name to UUID pairs. +usermapPurge=<primary>Checking for files in userdata that are not mapped, results will be logged to console. Destructive Mode\: {0} +usermapSize=<primary>Current cached users in user map is <secondary>{0}<primary>/<secondary>{1}<primary>/<secondary>{2}<primary>. +userUnknown=<dark_red>Warning\: The user ''<secondary>{0}<dark_red>'' has never joined this server. usingTempFolderForTesting=Using temp folder for testing\: +vanish=<primary>Vanish for {0}<primary>\: {1} vanishCommandDescription=Hide yourself from other players. +vanishCommandUsage=/<command> [player] [on|off] +vanishCommandUsage1=/<command> [player] vanishCommandUsage1Description=Toggles vanish for yourself or another player if specified +vanished=<primary>You are now completely invisible to normal users, and hidden from in-game commands. +versionCheckDisabled=<primary>Update checking disabled in config. +versionCustom=<primary>Unable to check your version\! Self-built? Build information\: <secondary>{0}<primary>. +versionDevBehind=<dark_red>You''re <secondary>{0} <dark_red>EssentialsX dev build(s) out of date\! +versionDevDiverged=<primary>You''re running an experimental build of EssentialsX that is <secondary>{0} <primary>builds behind the latest dev build\! +versionDevDivergedBranch=<primary>Feature Branch\: <secondary>{0}<primary>. +versionDevDivergedLatest=<primary>You''re running an up to date experimental EssentialsX build\! +versionDevLatest=<primary>You''re running the latest EssentialsX dev build\! +versionError=<dark_red>Error while fetching EssentialsX version information\! Build information\: <secondary>{0}<primary>. +versionErrorPlayer=<primary>Error while checking EssentialsX version information\! +versionFetching=<primary>Fetching version information... +versionOutputVaultMissing=<dark_red>Vault is not installed. Chat and permissions may not work. +versionOutputFine=<primary>{0} version\: <green>{1} +versionOutputWarn=<primary>{0} version\: <secondary>{1} +versionOutputUnsupported=<light_purple>{0} <primary>version\: <light_purple>{1} +versionOutputUnsupportedPlugins=<primary>You are running <light_purple>unsupported plugins<primary>\! +versionOutputEconLayer=<primary>Economy Layer\: <reset>{0} +versionMismatch=<dark_red>Version mismatch\! Please update {0} to the same version. +versionMismatchAll=<dark_red>Version mismatch\! Please update all Essentials jars to the same version. +versionReleaseLatest=<primary>You''re running the latest stable version of EssentialsX\! +versionReleaseNew=<dark_red>There is a new EssentialsX version available for download\: <secondary>{0}<dark_red>. +versionReleaseNewLink=<dark_red>Download it here\:<secondary> {0} +voiceSilenced=<primary>Your voice has been silenced\! +voiceSilencedTime=<primary>Your voice has been silenced for {0}\! +voiceSilencedReason=<primary>Your voice has been silenced\! Reason\: <secondary>{0} +voiceSilencedReasonTime=<primary>Your voice has been silenced for {0}\! Reason\: <secondary>{1} walking=walking warpCommandDescription=List all warps or warp to the specified location. warpCommandUsage=/<command> <pagenumber|warp> [player] +warpCommandUsage1=/<command> [page] warpCommandUsage1Description=Gives a list of all warps on either the first or specified page warpCommandUsage2=/<command> <warp> [player] warpCommandUsage2Description=Teleports you or a specified player to the given warp +warpDeleteError=<dark_red>Problem deleting the warp file. +warpInfo=<primary>Information for warp<secondary> {0}<primary>\: warpinfoCommandDescription=Finds location information for a specified warp. +warpinfoCommandUsage=/<command> <warp> +warpinfoCommandUsage1=/<command> <warp> warpinfoCommandUsage1Description=Provides information about the given warp +warpingTo=<primary>Warping to<secondary> {0}<primary>. warpList={0} +warpListPermission=<dark_red>You do not have permission to list warps. +warpNotExist=<dark_red>That warp does not exist. +warpOverwrite=<dark_red>You cannot overwrite that warp. +warps=<primary>Warps\:<reset> {0} +warpsCount=<primary>There are<secondary> {0} <primary>warps. Showing page <secondary>{1} <primary>of <secondary>{2}<primary>. weatherCommandDescription=Sets the weather. weatherCommandUsage=/<command> <storm/sun> [duration] weatherCommandUsage1=/<command> <storm|sun> [duration] weatherCommandUsage1Description=Sets the weather to the given type for an optional duration +warpSet=<primary>Warp<secondary> {0} <primary>set. +warpUsePermission=<dark_red>You do not have permission to use that warp. weatherInvalidWorld=World named {0} not found\! +weatherSignStorm=<primary>Weather\: <secondary>stormy<primary>. +weatherSignSun=<primary>Weather\: <secondary>sunny<primary>. +weatherStorm=<primary>You set the weather to <secondary>storm<primary> in<secondary> {0}<primary>. +weatherStormFor=<primary>You set the weather to <secondary>storm<primary> in<secondary> {0} <primary>for<secondary> {1} seconds<primary>. +weatherSun=<primary>You set the weather to <secondary>sun<primary> in<secondary> {0}<primary>. +weatherSunFor=<primary>You set the weather to <secondary>sun<primary> in<secondary> {0} <primary>for <secondary>{1} seconds<primary>. west=W +whoisAFK=<primary> - AFK\:<reset> {0} +whoisAFKSince=<primary> - AFK\:<reset> {0} (Since {1}) +whoisBanned=<primary> - Banned\:<reset> {0} whoisCommandDescription=Determine the username behind a nickname. +whoisCommandUsage=/<command> <nickname> +whoisCommandUsage1=/<command> <player> whoisCommandUsage1Description=Gives basic information about the specified player +whoisExp=<primary> - Exp\:<reset> {0} (Level {1}) +whoisFly=<primary> - Fly mode\:<reset> {0} ({1}) +whoisSpeed=<primary> - Speed\:<reset> {0} +whoisGamemode=<primary> - Gamemode\:<reset> {0} +whoisGeoLocation=<primary> - Location\:<reset> {0} +whoisGod=<primary> - God mode\:<reset> {0} +whoisHealth=<primary> - Health\:<reset> {0}/20 +whoisHunger=<primary> - Hunger\:<reset> {0}/20 (+{1} saturation) +whoisIPAddress=<primary> - IP Address\:<reset> {0} +whoisJail=<primary> - Jail\:<reset> {0} +whoisLocation=<primary> - Location\:<reset> ({0}, {1}, {2}, {3}) +whoisMoney=<primary> - Money\:<reset> {0} +whoisMuted=<primary> - Muted\:<reset> {0} +whoisMutedReason=<primary> - Muted\:<reset> {0} <primary>Reason\: <secondary>{1} +whoisNick=<primary> - Nick\:<reset> {0} +whoisOp=<primary> - OP\:<reset> {0} +whoisPlaytime=<primary> - Playtime\:<reset> {0} +whoisTempBanned=<primary> - Ban expires\:<reset> {0} +whoisTop=<primary> \=\=\=\=\=\= WhoIs\:<secondary> {0} <primary>\=\=\=\=\=\= +whoisUuid=<primary> - UUID\:<reset> {0} +whoisWhitelist=<primary> - Whitelist\:<reset> {0} workbenchCommandDescription=Opens up a workbench. +workbenchCommandUsage=/<command> worldCommandDescription=Switch between worlds. worldCommandUsage=/<command> [world] +worldCommandUsage1=/<command> worldCommandUsage1Description=Teleports to your corresponding location in the nether or overworld worldCommandUsage2=/<command> <world> worldCommandUsage2Description=Teleports to your location in the given world +worth=<green>Stack of {0} worth <secondary>{1}<green> ({2} item(s) at {3} each) worthCommandDescription=Calculates the worth of items in hand or as specified. worthCommandUsage=/<command> <<itemname>|<id>|hand|inventory|blocks> [-][amount] +worthCommandUsage1=/<command> <itemname> [amount] worthCommandUsage1Description=Checks the worth of all (or the given amount, if specified) of the given item in your inventory +worthCommandUsage2=/<command> hand [amount] worthCommandUsage2Description=Checks the worth of all (or the given amount, if specified) of the held item +worthCommandUsage3=/<command> all worthCommandUsage3Description=Checks the worth of all possible items in your inventory +worthCommandUsage4=/<command> blocks [amount] worthCommandUsage4Description=Checks the worth of all (or the given amount, if specified) of blocks in your inventory +worthMeta=<green>Stack of {0} with metadata of {1} worth <secondary>{2}<green> ({3} item(s) at {4} each) +worthSet=<primary>Worth value set year=year years=years +youAreHealed=<primary>You have been healed. +youHaveNewMail=<primary>You have<secondary> {0} <primary>messages\! Type <secondary>/mail read<primary> to view your mail. xmppNotConfigured=XMPP is not configured properly. If you do not know what XMPP is, you may wish to remove the EssentialsXXMPP plugin from your server. diff --git a/Essentials/src/main/resources/messages_en_GB.properties b/Essentials/src/main/resources/messages_en_GB.properties index cf47c028e6f..472887101cb 100644 --- a/Essentials/src/main/resources/messages_en_GB.properties +++ b/Essentials/src/main/resources/messages_en_GB.properties @@ -1,49 +1,95 @@ #Sat Feb 03 17:34:46 GMT 2024 +action=<dark_purple>* {0} <dark_purple>{1} +addedToAccount=<yellow>{0}<green> has been added to your account. +addedToOthersAccount=<yellow>{0}<green> added to<yellow> {1}<green> account. New balance\:<yellow> {2} adventure=adventure afkCommandDescription=Marks you as away-from-keyboard. afkCommandUsage=/<command> [player/message...] +afkCommandUsage1=/<command> [message] afkCommandUsage1Description=Toggles your AFK status with an optional reason afkCommandUsage2=/<command> <player> [message] afkCommandUsage2Description=Toggles the afk status of the specified player with an optional reason alertBroke=broke\: +alertFormat=<dark_aqua>[{0}] <reset> {1} <primary> {2} at\: {3} alertPlaced=placed\: alertUsed=used\: +alphaNames=<dark_red>Player names can only contain letters, numbers and underscores. +antiBuildBreak=<dark_red>You are not permitted to break<secondary> {0} <dark_red>blocks here. +antiBuildCraft=<dark_red>You are not permitted to create<secondary> {0}<dark_red>. +antiBuildDrop=<dark_red>You are not permitted to drop<secondary> {0}<dark_red>. +antiBuildInteract=<dark_red>You are not permitted to interact with<secondary> {0}<dark_red>. +antiBuildPlace=<dark_red>You are not permitted to place<secondary> {0} <dark_red>here. +antiBuildUse=<dark_red>You are not permitted to use<secondary> {0}<dark_red>. antiochCommandDescription=A little surprise for operators. -antiochCommandUsage=/<command> [message]\n +antiochCommandUsage=/<command> [message] anvilCommandDescription=Opens up an anvil. anvilCommandUsage=/<command> autoAfkKickReason=You have been kicked for idling more than {0} minutes. +autoTeleportDisabled=<primary>You are no longer automatically approving teleport requests. +autoTeleportDisabledFor=<secondary>{0}<primary> is no longer automatically approving teleport requests. +autoTeleportEnabled=<primary>You are now automatically approving teleport requests. +autoTeleportEnabledFor=<secondary>{0}<primary> is now automatically approving teleport requests. +backAfterDeath=<primary>Use the<secondary> /back<primary> command to return to your death point. backCommandDescription=Teleports you to your location prior to tp/spawn/warp. backCommandUsage=/<command> [player] +backCommandUsage1=/<command> backCommandUsage1Description=Teleports you to your prior location +backCommandUsage2=/<command> <player> backCommandUsage2Description=Teleports the specified player to their prior location +backOther=<primary>Returned<secondary> {0}<primary> to previous location. backupCommandDescription=Runs the backup if configured. backupCommandUsage=/<command> +backupDisabled=<dark_red>An external backup script has not been configured. +backupFinished=<primary>Backup finished. +backupStarted=<primary>Backup started. +backupInProgress=<primary>An external backup script is currently in progress\! Halting plugin disable until finished. +backUsageMsg=<primary>Returning to previous location. +balance=<green>Balance\:<secondary> {0} balanceCommandDescription=States the current balance of a player. +balanceCommandUsage=/<command> [player] +balanceCommandUsage1=/<command> balanceCommandUsage1Description=States your current balance +balanceCommandUsage2=/<command> <player> balanceCommandUsage2Description=Displays the balance of the specified player +balanceOther=<green>Balance of {0}<green>\:<secondary> {1} +balanceTop=<primary>Top balances ({0}) balanceTopLine={0}. {1}, {2} balancetopCommandDescription=Gets the top balance values. balancetopCommandUsage=/<command> [page] +balancetopCommandUsage1=/<command> [page] balancetopCommandUsage1Description=Displays the first (or specified) page of the top balance values banCommandDescription=Bans a player. banCommandUsage=/<command> <player> [reason] +banCommandUsage1=/<command> <player> [reason] banCommandUsage1Description=Bans the specified player with an optional reason banExempt=<dark_red>You cannot ban that player. banExemptOffline=<dark_red>You may not ban offline players. +banFormat=<secondary>You have been banned\:\n<reset>{0} banIpJoin=Your IP address is banned from this server. Reason\: {0} banJoin=You are banned from this server. Reason\: {0} banipCommandDescription=Bans an IP address. banipCommandUsage=/<command> <address> [reason] +banipCommandUsage1=/<command> <address> [reason] banipCommandUsage1Description=Bans the specified IP address with an optional reason bed=<i>bed<reset> bedMissing=<dark_red>Your bed is either unset, missing or blocked. +bedNull=<st>bed<reset> +bedOffline=<dark_red>Cannot teleport to the beds of offline users. +bedSet=<primary>Bed spawn set\! beezookaCommandDescription=Throw an exploding bee at your opponent. +beezookaCommandUsage=/<command> +bigTreeFailure=<dark_red>Big tree generation failure. Try again on grass or dirt. +bigTreeSuccess=<primary>Big tree spawned. bigtreeCommandDescription=Spawn a big tree where you are looking. bigtreeCommandUsage=/<command> <tree|redwood|jungle|darkoak> +bigtreeCommandUsage1=/<command> <tree|redwood|jungle|darkoak> bigtreeCommandUsage1Description=Spawns a big tree of the specified type +blockList=<primary>EssentialsX is relaying the following commands to other plugins\: +blockListEmpty=<primary>EssentialsX is not relaying any commands to other plugins. +bookAuthorSet=<primary>Author of the book set to {0}. bookCommandDescription=Allows reopening and editing of sealed books. -bookCommandUsage=/<command> [title|author [name]]\n +bookCommandUsage=/<command> [title|author [name]] +bookCommandUsage1=/<command> bookCommandUsage1Description=Locks/Unlocks a book-and-quill/signed book bookCommandUsage2=/<command> author <author> bookCommandUsage2Description=Sets the author of a signed book @@ -55,49 +101,94 @@ bottomCommandDescription=Teleport to the lowest block at your current position. bottomCommandUsage=/<command> breakCommandDescription=Breaks the block you are looking at. breakCommandUsage=/<command> +broadcast=<primary>[<dark_red>Broadcast<primary>]<green> {0} broadcastCommandDescription=Broadcasts a message to the entire server. broadcastCommandUsage=/<command> <msg> +broadcastCommandUsage1=/<command> <message> broadcastCommandUsage1Description=Broadcasts the given message to the entire server broadcastworldCommandDescription=Broadcasts a message to a world. broadcastworldCommandUsage=/<command> <world> <msg> +broadcastworldCommandUsage1=/<command> <world> <msg> broadcastworldCommandUsage1Description=Broadcasts the given message to the specified world burnCommandDescription=Set a player on fire. burnCommandUsage=/<command> <player> <seconds> +burnCommandUsage1=/<command> <player> <seconds> burnCommandUsage1Description=Sets the specified player on fire for the specified amount of seconds +burnMsg=<primary>You set<secondary> {0} <primary>on fire for<secondary> {1} seconds<primary>. +cannotSellNamedItem=<primary>You are not allowed to sell named items. +cannotSellTheseNamedItems=<primary>You are not allowed to sell these named items\: <dark_red>{0} +cannotStackMob=<dark_red>You do not have permission to stack multiple mobs. +cannotRemoveNegativeItems=<dark_red>You cannot remove a negative amount of items. +canTalkAgain=<primary>You can now talk again. cantFindGeoIpDB=Can''t find GeoIP database\! +cantGamemode=<dark_red>You do not have permission to change to gamemode {0} cantReadGeoIpDB=Failed to read GeoIP database\! +cantSpawnItem=<dark_red>You are not allowed to spawn the item<secondary> {0}<dark_red>. cartographytableCommandDescription=Opens up a cartography table. +cartographytableCommandUsage=/<command> +chatTypeLocal=<dark_aqua>[L] chatTypeSpy=[Spy] cleaned=Userfiles Cleaned. cleaning=Cleaning userfiles. +clearInventoryConfirmToggleOff=<primary>You will no longer be prompted to confirm inventory clears. +clearInventoryConfirmToggleOn=<primary>You will now be prompted to confirm inventory clears. clearinventoryCommandDescription=Clear all items in your inventory. -clearinventoryCommandUsage=/<command> [player|*] [item[\:<data>]|*|**] [amount] +clearinventoryCommandUsage=/<command> [player|*] [item[\:\\<data>]|*|**] [amount] +clearinventoryCommandUsage1=/<command> clearinventoryCommandUsage1Description=Clears all items in your inventory +clearinventoryCommandUsage2=/<command> <player> clearinventoryCommandUsage2Description=Clears all items from the specified player''s inventory clearinventoryCommandUsage3=/<command> <player> <item> [amount] clearinventoryCommandUsage3Description=Clears all (or the specified amount) of the given item from the specified player''s inventory clearinventoryconfirmtoggleCommandDescription=Toggles whether you are prompted to confirm inventory clears. +clearinventoryconfirmtoggleCommandUsage=/<command> +commandArgumentOptional=<gray> +commandArgumentOr=<secondary> +commandArgumentRequired=<yellow> +commandCooldown=<secondary>You cannot type that command for {0}. +commandDisabled=<secondary>The command<primary> {0}<secondary> is disabled. commandFailed=Command {0} failed\: commandHelpFailedForPlugin=Error getting help for plugin\: {0} -commandHelpLine3=<primary>Usage(s)\: +commandHelpLine1=<primary>Command Help\: <white>/{0} +commandHelpLine2=<primary>Description\: <white>{0} +commandHelpLine3=<primary>Usage(s); +commandHelpLine4=<primary>Aliases(s)\: <white>{0} +commandHelpLineUsage={0} <primary>- {1} +commandNotLoaded=<dark_red>Command {0} is improperly loaded. consoleCannotUseCommand=This command cannot be used by Console. +compassBearing=<primary>Bearing\: {0} ({1} degrees). compassCommandDescription=Describes your current bearing. +compassCommandUsage=/<command> condenseCommandDescription=Condenses items into a more compact blocks. condenseCommandUsage=/<command> [item] +condenseCommandUsage1=/<command> condenseCommandUsage1Description=Condenses all items in your inventory +condenseCommandUsage2=/<command> <item> condenseCommandUsage2Description=Condenses the specified item in your inventory configFileMoveError=Failed to move config.yml to backup location. configFileRenameError=Failed to rename temp file to config.yml. +confirmClear=<grey>To <b>CONFIRM</b><grey> inventory clear, please repeat command\: <primary>{0} +confirmPayment=<grey>To <b>CONFIRM</b><grey> payment of <primary>{0}<grey>, please repeat command\: <primary>{1} +connectedPlayers=<primary>Connected players<reset> connectionFailed=Failed to open connection. consoleName=Console +cooldownWithMessage=<dark_red>Cooldown\: {0} coordsKeyword={0}, {1}, {2} +couldNotFindTemplate=<dark_red>Could not find template {0} +createdKit=<primary>Created kit <secondary>{0} <primary>with <secondary>{1} <primary>entries and delay <secondary>{2} createkitCommandDescription=Create a kit in game\! createkitCommandUsage=/<command> <kitname> <delay> +createkitCommandUsage1=/<command> <kitname> <delay> createkitCommandUsage1Description=Creates a kit with the given name and delay +createKitFailed=<dark_red>Error occurred whilst creating kit {0}. +createKitSeparator=<st>----------------------- +createKitSuccess=<primary>Created Kit\: <white>{0}\n<primary>Delay\: <white>{1}\n<primary>Link\: <white>{2}\n<primary>Copy contents in the link above into your kits.yml. +createKitUnsupported=<dark_red>NBT item serialisation has been enabled, but this server is not running Paper 1.15.2+. Falling back to standard item serialisation. creatingConfigFromTemplate=Creating config from template\: {0} creatingEmptyConfig=Creating empty config\: {0} creative=creative currency={0}{1} +currentWorld=<primary>Current World\:<secondary> {0} customtextCommandDescription=Allows you to create custom text commands. customtextCommandUsage=/<alias> - Define in bukkit.yml day=day @@ -106,6 +197,10 @@ defaultBanReason=The Ban Hammer has spoken\! deletedHomes=All homes deleted. deletedHomesWorld=All homes in {0} deleted. deleteFileError=Could not delete file\: {0} +deleteHome=<primary>Home<secondary> {0} <primary>has been removed. +deleteJail=<primary>Jail<secondary> {0} <primary>has been removed. +deleteKit=<primary>Kit<secondary> {0} <primary>has been removed. +deleteWarp=<primary>Warp<secondary> {0} <primary>has been removed. deletingHomes=Deleting all homes... deletingHomesWorld=Deleting all homes in {0}... delhomeCommandDescription=Removes a home. @@ -116,20 +211,36 @@ delhomeCommandUsage2=/<command> <player>\:<name> delhomeCommandUsage2Description=Deletes the specified player''s home with the given name deljailCommandDescription=Removes a jail. deljailCommandUsage=/<command> <jailname> +deljailCommandUsage1=/<command> <jailname> deljailCommandUsage1Description=Deletes the jail with the given name delkitCommandDescription=Deletes the specified kit. delkitCommandUsage=/<command> <kit> +delkitCommandUsage1=/<command> <kit> delkitCommandUsage1Description=Deletes the kit with the given name delwarpCommandDescription=Deletes the specified warp. delwarpCommandUsage=/<command> <warp> +delwarpCommandUsage1=/<command> <warp> delwarpCommandUsage1Description=Deletes the warp with the given name +deniedAccessCommand=<secondary>{0} <dark_red>was denied access to command. +denyBookEdit=<dark_red>You cannot unlock this book. +denyChangeAuthor=<dark_red>You cannot change the author of this book. +denyChangeTitle=<dark_red>You cannot change the title of this book. +depth=<primary>You are at sea level. +depthAboveSea=<primary>You are<secondary> {0} <primary>block(s) above sea level. +depthBelowSea=<primary>You are<secondary> {0} <primary>block(s) below sea level. depthCommandDescription=States current depth, relative to sea level. depthCommandUsage=/depth destinationNotSet=Destination not set\! disabled=disabled +disabledToSpawnMob=<dark_red>Spawning this mob was disabled in the config file. +disableUnlimited=<primary>Disabled unlimited placing of<secondary> {0} <primary>for<secondary> {1}<primary>. discordbroadcastCommandDescription=Broadcasts a message to the specified Discord channel. discordbroadcastCommandUsage=/<command> <channel> <msg> +discordbroadcastCommandUsage1=/<command> <channel> <msg> discordbroadcastCommandUsage1Description=Sends the given message to the specified Discord channel +discordbroadcastInvalidChannel=<dark_red>Discord channel <secondary>{0}<dark_red> does not exist. +discordbroadcastPermission=<dark_red>You do not have permission to send messages to the <secondary>{0}<dark_red> channel. +discordbroadcastSent=<primary>Message sent to <secondary>{0}<primary>\! discordCommandAccountArgumentUser=The Discord account to look up discordCommandAccountDescription=Looks up the linked Minecraft account for either yourself or another Discord user discordCommandAccountResponseLinked=Your account is linked to the Minecraft account\: **{0}** @@ -137,6 +248,9 @@ discordCommandAccountResponseLinkedOther={0}''s account is linked to the Minecra discordCommandAccountResponseNotLinked=You do not have a linked Minecraft account. discordCommandAccountResponseNotLinkedOther={0} does not have a linked Minecraft account. discordCommandDescription=Sends the Discord invite link to the player. +discordCommandLink=<primary>Join our Discord server at <secondary><click\:open_url\:"{0}">{0}</click><primary>\! +discordCommandUsage=/<command> +discordCommandUsage1=/<command> discordCommandUsage1Description=Sends the Discord invite link to the player discordCommandExecuteDescription=Executes a console command on the Minecraft server. discordCommandExecuteArgumentCommand=The command to be executed @@ -170,6 +284,13 @@ discordLinkInvalidGroup=Invalid group {0} was provided for role {1}. The followi discordLinkInvalidRole=An invalid role ID, {0}, was provided for group\: {1}. You can see the ID of roles with the /roleinfo command in Discord. discordLinkInvalidRoleInteract=The role, {0} ({1}), cannot be used for group->role synchronization because it above your bot''s uppermost role. Either move your bot''s role above "{0}" or move "{0}" below your bot''s role. discordLinkInvalidRoleManaged=The role, {0} ({1}), cannot be used for group->role synchronization because it is managed by another bot or integration. +discordLinkLinked=<primary>To link your Minecraft account to Discord, type <secondary>{0} <primary>in the Discord server. +discordLinkLinkedAlready=<primary>You have already linked your Discord account\! If you wish to unlink your discord account use <secondary>/unlink<primary>. +discordLinkLoginKick=<primary>You must link your Discord account before you can join this server.\n<primary>To link your Minecraft account to Discord, type\:\n<secondary>{0}\n<primary>in this server''s Discord server\:\n<secondary>{1} +discordLinkLoginPrompt=<primary>You must link your Discord account before you can move, chat on or interact with this server. To link your Minecraft account to Discord, type <secondary>{0} <primary>in this server''s Discord server\: <secondary>{1} +discordLinkNoAccount=<primary>You do not currently have a Discord account linked to your Minecraft account. +discordLinkPending=<primary>You already have a link code. To complete linking your Minecraft account to Discord, type <secondary>{0} <primary>in the Discord server. +discordLinkUnlinked=<primary>Unlinked your Minecraft account from all associated discord accounts. discordLoggingIn=Attempting to login to Discord... discordLoggingInDone=Successfully logged in as {0} discordMailLine=**New mail from {0}\:** {1} @@ -177,8 +298,18 @@ discordNoSendPermission=Cannot send message in channel\: \#{0} Please ensure the discordReloadInvalid=Tried to reload EssentialsX Discord config while the plugin is in an invalid state\! If you''ve modified your config, restart your server. disposal=Disposal disposalCommandDescription=Opens a portable disposal menu. +disposalCommandUsage=/<command> +distance=<primary>Distance\: {0} +dontMoveMessage=<primary>Teleportation will commence in<secondary> {0}<primary>. Don''t move. downloadingGeoIp=Downloading GeoIP database... this might take a while (country\: 1.7 MB, city\: 30MB) +dumpConsoleUrl=A server dump was created\: <secondary>{0} +dumpCreating=<primary>Creating server dump... +dumpDeleteKey=<primary>If you want to delete this dump at a later date, use the following deletion key\: <secondary>{0} +dumpError=<dark_red>Error while creating dump <secondary>{0}<dark_red>. +dumpErrorUpload=<dark_red>Error while uploading <secondary>{0}<dark_red>\: <secondary>{1} +dumpUrl=<primary>Created server dump\: <secondary>{0} duplicatedUserdata=Duplicated userdata\: {0} and {1}. +durability=<primary>This tool has <secondary>{0}<primary> uses left. east=E ecoCommandDescription=Manages the server economy. ecoCommandUsage=/<command> <give|take|set|reset> <player> <amount> @@ -190,17 +321,31 @@ ecoCommandUsage3=/<command> set <player> <amount> ecoCommandUsage3Description=Sets the specified player''s balance to the specified amount of money ecoCommandUsage4=/<command> reset <player> <amount> ecoCommandUsage4Description=Resets the specified player''s balance to the server''s starting balance +editBookContents=<yellow>You may now edit the contents of this book. +emptySignLine=<dark_red>Empty line {0} enabled=enabled enchantCommandDescription=Enchants the item the user is holding. enchantCommandUsage=/<command> <enchantmentname> [level] enchantCommandUsage1=/<command> <enchantment name> [level] enchantCommandUsage1Description=Enchants your held item with the given enchantment to an optional level +enableUnlimited=<primary>Giving unlimited amount of<secondary> {0} <primary>to <secondary>{1}<primary>. +enchantmentApplied=<primary>The enchantment<secondary> {0} <primary>has been applied to your item in hand. +enchantmentNotFound=<dark_red>Enchantment not found\! +enchantmentPerm=<dark_red>You do not have the permission for<secondary> {0}<dark_red>. +enchantmentRemoved=<primary>The enchantment<secondary> {0} <primary>has been removed from your item in hand. +enchantments=<primary>Enchantments\:<reset> {0} enderchestCommandDescription=Lets you see inside an enderchest. +enderchestCommandUsage=/<command> [player] +enderchestCommandUsage1=/<command> enderchestCommandUsage1Description=Opens your ender chest +enderchestCommandUsage2=/<command> <player> enderchestCommandUsage2Description=Opens the ender chest of the target player +equipped=Equipped errorCallingCommand=Error calling the command /{0} +errorWithMessage=<secondary>Error\:<dark_red> {0} essChatNoSecureMsg=EssentialsX Chat version {0} does not support secure chat on this server software. Update EssentialsX, and if this issue persists, inform the developers. essentialsCommandDescription=Reloads essentials. +essentialsCommandUsage=/<command> essentialsCommandUsage1=/<command> reload essentialsCommandUsage1Description=Reloads Essentials'' config essentialsCommandUsage2=/<command> version @@ -219,8 +364,11 @@ essentialsCommandUsage8=/<command> dump [all] [config] [discord] [kits] [log] essentialsCommandUsage8Description=Generates a server dump with the requested information essentialsHelp1=The file is broken and Essentials can''t open it. Essentials is now disabled. If you can''t fix the file yourself, go to http\://tiny.cc/EssentialsChat essentialsHelp2=The file is broken and Essentials can''t open it. Essentials is now disabled. If you can''t fix the file yourself, either type /essentialshelp in game or go to http\://tiny.cc/EssentialsChat +essentialsReload=<primary>Essentials reloaded<secondary> {0}. +exp=<secondary>{0} <primary>has<secondary> {1} <primary>exp (level<secondary> {2}<primary>) and needs<secondary> {3} <primary>more exp to level up. expCommandDescription=Give, set, reset, or look at a players experience. expCommandUsage=/<command> [reset|show|set|give] [playername [amount]] +expCommandUsage1=/<command> give <player> <amount> expCommandUsage1Description=Gives the target player the specified amount of xp expCommandUsage2=/<command> set <playername> <amount> expCommandUsage2Description=Sets the target player''s xp the specified amount @@ -228,16 +376,27 @@ expCommandUsage3=/<command> show <playername> expCommandUsage4Description=Displays the amount of xp the target player has expCommandUsage5=/<command> reset <playername> expCommandUsage5Description=Resets the target player''s xp to 0 +expSet=<secondary>{0} <primary>now has<secondary> {1} <primary>exp. extCommandDescription=Extinguish players. +extCommandUsage=/<command> [player] +extCommandUsage1=/<command> [player] extCommandUsage1Description=Extinguish yourself or another player if specified +extinguish=<primary>You extinguished yourself. +extinguishOthers=<primary>You extinguished {0}<primary>. failedToCloseConfig=Failed to close config {0}. failedToCreateConfig=Failed to create config {0}. failedToWriteConfig=Failed to write config {0}. +false=<dark_red>false<reset> +feed=<primary>Your appetite was sated. feedCommandDescription=Satisfy the hunger. +feedCommandUsage=/<command> [player] +feedCommandUsage1=/<command> [player] feedCommandUsage1Description=Fully feeds yourself or another player if specified +feedOther=<primary>You satiated the appetite of <secondary>{0}<primary>. fileRenameError=Renaming file {0} failed\! fireballCommandDescription=Throw a fireball or other assorted projectiles. fireballCommandUsage=/<command> [fireball|small|large|arrow|skull|egg|snowball|expbottle|dragon|splashpotion|lingeringpotion|trident] [speed] +fireballCommandUsage1=/<command> fireballCommandUsage1Description=Throws a regular fireball from your location fireballCommandUsage2=/<command> <fireball|small|large|arrow|skull|egg|snowball|expbottle|dragon|splashpotion|lingeringpotion|trident> [speed] fireballCommandUsage2Description=Throws the specified projectile from your location, with an optional speed @@ -252,124 +411,314 @@ fireworkCommandUsage3=/<command> fire [amount] fireworkCommandUsage3Description=Launches either one, or the amount specified, copies of the held firework fireworkCommandUsage4=/<command> <meta> fireworkCommandUsage4Description=Adds the given effect to the held firework -fireworkSyntax=<primary>Firework parameters\:<secondary> color\:\\<colour> [fade\:\\<colour>] [shape\:<shape>] [effect\:<effect>]\n<primary>To use multiple colours/effects, separate values with commas\: <secondary>red,blue,pink\n<primary>Shapes\:<secondary> star, ball, large, creeper, burst <primary>Effects\:<secondary> trail, twinkle. +fireworkEffectsCleared=<primary>Removed all effects from held stack. +fireworkSyntax=<primary>Firework parameters\:<secondary> colour\:\\<colour> [fade\:\\<colour>] [shape\:<shape>] [effect\:<effect>]\n<primary>To use multiple colours/effects, separate values with commas\: <secondary>red,blue,pink\n<primary>Shapes\:<secondary> star, ball, large, creeper, burst <primary>Effects\:<secondary> trail, twinkle. fixedHomes=Invalid homes deleted. fixingHomes=Deleting invalid homes... flyCommandDescription=Take off, and soar\! flyCommandUsage=/<command> [player] [on|off] +flyCommandUsage1=/<command> [player] flyCommandUsage1Description=Toggles fly for yourself or another player if specified flying=flying +flyMode=<primary>Set fly mode<secondary> {0} <primary>for {1}<primary>. +foreverAlone=<dark_red>You have nobody to whom you can reply. +fullStack=<dark_red>You already have a full stack. +fullStackDefault=<primary>Your stack has been set to its default size, <secondary>{0}<primary>. +fullStackDefaultOversize=<primary>Your stack has been set to its maximum size, <secondary>{0}<primary>. +gameMode=<primary>Set game mode<secondary> {0} <primary>for <secondary>{1}<primary>. +gameModeInvalid=<dark_red>You need to specify a valid player/mode. gamemodeCommandDescription=Change player gamemode. gamemodeCommandUsage=/<command> <survival|creative|adventure|spectator> [player] +gamemodeCommandUsage1=/<command> <survival|creative|adventure|spectator> [player] gamemodeCommandUsage1Description=Sets the gamemode of either you or another player if specified gcCommandDescription=Reports memory, uptime and tick info. +gcCommandUsage=/<command> +gcfree=<primary>Free memory\:<secondary> {0} MB. +gcmax=<primary>Maximum memory\:<secondary> {0} MB. +gctotal=<primary>Allocated memory\:<secondary> {0} MB. +gcWorld=<primary>{0} "<secondary>{1}<primary>"\: <secondary>{2}<primary> chunks, <secondary>{3}<primary> entities, <secondary>{4}<primary> tiles. +geoipJoinFormat=<primary>Player <secondary>{0} <primary>comes from <secondary>{1}<primary>. getposCommandDescription=Get your current coordinates or those of a player. +getposCommandUsage=/<command> [player] +getposCommandUsage1=/<command> [player] getposCommandUsage1Description=Gets the coordinates of either you or another player if specified giveCommandDescription=Give a player an item. giveCommandUsage=/<command> <player> <item|numeric> [amount [itemmeta...]] +giveCommandUsage1=/<command> <player> <item> [amount] giveCommandUsage1Description=Gives the target player 64 (or the specified amount) of the specified item giveCommandUsage2=/<command> <player> <item> <amount> <meta> giveCommandUsage2Description=Gives the target player the specified amount of the specified item with the given metadata +geoipCantFind=<primary>Player <secondary>{0} <primary>comes from <green>an unknown country<primary>. geoIpErrorOnJoin=Unable to fetch GeoIP data for {0}. Please ensure that your license key and configuration are correct. geoIpLicenseMissing=No license key found\! Please visit https\://essentialsx.net/geoip for first time setup instructions. geoIpUrlEmpty=GeoIP download url is empty. geoIpUrlInvalid=GeoIP download url is invalid. +givenSkull=<primary>You have been given the skull of <secondary>{0}<primary>. +givenSkullOther=<primary>You have given <secondary>{0}<primary> the skull of <secondary>{1}<primary>. godCommandDescription=Enables your godly powers. +godCommandUsage=/<command> [player] [on|off] +godCommandUsage1=/<command> [player] godCommandUsage1Description=Toggles god mode for you or another player if specified +giveSpawn=<primary>Giving<secondary> {0} <primary>of<secondary> {1} <primary>to<secondary> {2}<primary>. +giveSpawnFailure=<dark_red>Not enough space, <secondary>{0} {1} <dark_red>was lost. +godDisabledFor=<secondary>disabled<primary> for<secondary> {0} +godEnabledFor=<green>enabled<primary> for<secondary> {0} +godMode=<primary>God mode<secondary> {0}<primary>. grindstoneCommandDescription=Opens up a grindstone. +grindstoneCommandUsage=/<command> +groupDoesNotExist=<dark_red>There''s no one online in this group\! +groupNumber=<secondary>{0}<white> online, for the full list\:<secondary> /{1} {2} +hatArmor=<dark_red>You cannot use this item as a hat\! hatCommandDescription=Get some cool new headgear. hatCommandUsage=/<command> [remove] +hatCommandUsage1=/<command> hatCommandUsage1Description=Sets your hat to your currently held item hatCommandUsage2=/<command> remove hatCommandUsage2Description=Removes your current hat +hatCurse=<dark_red>You cannot remove a hat with the curse of binding\! +hatEmpty=<dark_red>You are not wearing a hat. +hatFail=<dark_red>You must have something to wear in your hand. +hatPlaced=<primary>Enjoy your new hat\! +hatRemoved=<primary>Your hat has been removed. +haveBeenReleased=<primary>You have been released. +heal=<primary>You have been healed. healCommandDescription=Heals you or the given player. +healCommandUsage=/<command> [player] +healCommandUsage1=/<command> [player] healCommandUsage1Description=Heals you or another player if specified +healDead=<dark_red>You cannot heal someone who is dead\! +healOther=<primary>Healed<secondary> {0}<primary>. helpCommandDescription=Views a list of available commands. helpCommandUsage=/<command> [search term] [page] helpConsole=To view help from the console, type ''?''. +helpFrom=<primary>Commands from {0}\: +helpLine=<primary>/{0}<reset>\: {1} +helpMatching=<primary>Commands matching "<secondary>{0}<primary>"\: +helpOp=<dark_red>[HelpOp]<reset> <primary>{0}\:<reset> {1} +helpPlugin=<dark_red>{0}<reset>\: Plugin Help\: /help {1} helpopCommandDescription=Message online admins. helpopCommandUsage=/<command> <message> +helpopCommandUsage1=/<command> <message> helpopCommandUsage1Description=Sends the given message to all online admins +holdBook=<dark_red>You are not holding a writable book. +holdFirework=<dark_red>You must be holding a firework to add effects. +holdPotion=<dark_red>You must be holding a potion to apply effects to it. +holeInFloor=<dark_red>Hole in floor\! homeCommandDescription=Teleport to your home. homeCommandUsage=/<command> [player\:][name] +homeCommandUsage1=/<command> <name> homeCommandUsage1Description=Teleports you to your home with the given name +homeCommandUsage2=/<command> <player>\:<name> homeCommandUsage2Description=Teleports you to the specified player''s home with the given name +homes=<primary>Homes\:<reset> {0} +homeConfirmation=<primary>You already have a home named <secondary>{0}<primary>\!\nTo overwrite your existing home, type the command again. +homeRenamed=<primary>Home <secondary>{0} <primary>has been renamed to <secondary>{1}<primary>. +homeSet=<primary>Home set to current location. hour=hour hours=hours +ice=<primary>You feel much colder... iceCommandDescription=Cools a player off. +iceCommandUsage=/<command> [player] +iceCommandUsage1=/<command> iceCommandUsage1Description=Cools you off +iceCommandUsage2=/<command> <player> iceCommandUsage2Description=Cools the given player off iceCommandUsage3=/<command> * iceCommandUsage3Description=Cools all online players off +iceOther=<primary>Chilling<secondary> {0}<primary>. ignoreCommandDescription=Ignore or unignore other players. ignoreCommandUsage=/<command> <player> +ignoreCommandUsage1=/<command> <player> ignoreCommandUsage1Description=Ignores or unignores the given player +ignoredList=<primary>Ignored\:<reset> {0} +ignoreExempt=<dark_red>You may not ignore that player. +ignorePlayer=<primary>You ignore player<secondary> {0} <primary>from now on. +ignoreYourself=<primary>Ignoring yourself won''t solve your problems. illegalDate=Illegal date format. +infoAfterDeath=<primary>You died in <yellow>{0} <primary>at <yellow>{1}, {2}, {3}<primary>. +infoChapter=<primary>Select chapter\: +infoChapterPages=<yellow> ---- <primary>{0} <yellow>--<primary> Page <secondary>{1}<primary> of <secondary>{2} <yellow>---- infoCommandDescription=Shows information set by the server owner. infoCommandUsage=/<command> [chapter] [page] +infoPages=<yellow> ---- <primary>{2} <yellow>--<primary> Page <secondary>{0}<primary>/<secondary>{1} <yellow>---- +infoUnknownChapter=<dark_red>Unknown chapter. +insufficientFunds=<dark_red>Insufficient funds available. +invalidBanner=<dark_red>Invalid banner syntax. +invalidCharge=<dark_red>Invalid charge. +invalidFireworkFormat=<dark_red>The option <secondary>{0} <dark_red>is not a valid value for <secondary>{1}<dark_red>. +invalidHome=<dark_red>Home<secondary> {0} <dark_red>doesn''t exist\! +invalidHomeName=<dark_red>Invalid home name\! +invalidItemFlagMeta=<dark_red>Invalid itemflag meta\: <secondary>{0}<dark_red>. +invalidMob=<dark_red>Invalid mob type. +invalidModifier=<dark_red>Invalid Modifier. invalidNumber=Invalid Number. -inventoryClearingAllArmor=<primary>Cleared all inventory items and armour from {0}<primary>. +invalidPotion=<dark_red>Invalid Potion. +invalidPotionMeta=<dark_red>Invalid potion meta\: <secondary>{0}<dark_red>. +invalidSign=<dark_red>Invalid sign +invalidSignLine=<dark_red>Line<secondary> {0} <dark_red>on sign is invalid. +invalidSkull=<dark_red>Please hold a player skull. +invalidWarpName=<dark_red>Invalid warp name\! +invalidWorld=<dark_red>Invalid world. +inventoryClearFail=<dark_red>Player<secondary> {0} <dark_red>does not have<secondary> {1} <dark_red>of<secondary> {2}<dark_red>. +inventoryClearingAllArmor=<primary>Cleared all inventory items and armour from<secondary> {0}<primary>. +inventoryClearingAllItems=<primary>Cleared all inventory items from<secondary> {0}<primary>. +inventoryClearingFromAll=<primary>Clearing the inventory of all users... +inventoryClearingStack=<primary>Removed<secondary> {0} <primary>of<secondary> {1} <primary>from<secondary> {2}<primary>. +inventoryFull=<dark_red>Your inventory is full. invseeCommandDescription=See the inventory of other players. +invseeCommandUsage=/<command> <player> +invseeCommandUsage1=/<command> <player> invseeCommandUsage1Description=Opens the inventory of the specified player +invseeNoSelf=<secondary>You can only view other players'' inventories. is=is +isIpBanned=<primary>IP <secondary>{0} <primary>is banned. +internalError=<secondary>An internal error occurred while attempting to perform this command. +itemCannotBeSold=<dark_red>That item cannot be sold to the server. itemCommandDescription=Spawn an item. itemCommandUsage=/<command> <item|numeric> [amount [itemmeta...]] itemCommandUsage1=/<command> <item> [amount] itemCommandUsage1Description=Gives you a full stack (or the specified amount) of the specified item itemCommandUsage2=/<command> <item> <amount> <meta> itemCommandUsage2Description=Gives you the specified amount of the specified item with the given metadata +itemId=<primary>ID\:<secondary> {0} +itemloreClear=<primary>You have cleared this item''s lore. itemloreCommandDescription=Edit the lore of an item. itemloreCommandUsage=/<command> <add/set/clear> [text/line] [text] itemloreCommandUsage1=/<command> add [text] itemloreCommandUsage1Description=Adds the given text to the end of the held item''s lore +itemloreCommandUsage2=/<command> set <line number> <text> itemloreCommandUsage2Description=Sets the specified line of the held item''s lore to the given text +itemloreCommandUsage3=/<command> clear itemloreCommandUsage3Description=Clears the held item''s lore +itemloreInvalidItem=<dark_red>You need to hold an item to edit its lore. +itemloreMaxLore=<dark_red>You cannot add any more lore lines to this item. +itemloreNoLine=<dark_red>Your held item does not have lore text on line <secondary>{0}<dark_red>. +itemloreNoLore=<dark_red>Your held item does not have any lore text. +itemloreSuccess=<primary>You have added "<secondary>{0}<primary>" to your held item''s lore. +itemloreSuccessLore=<primary>You have set line <secondary>{0}<primary> of your held item''s lore to "<secondary>{1}<primary>". +itemMustBeStacked=<dark_red>Item must be traded in stacks. A quantity of 2s would be two stacks, etc. +itemNames=<primary>Item short names\:<reset> {0} +itemnameClear=<primary>You have cleared this item''s name. itemnameCommandDescription=Names an item. itemnameCommandUsage=/<command> [name] +itemnameCommandUsage1=/<command> itemnameCommandUsage1Description=Clears the held item''s name +itemnameCommandUsage2=/<command> <name> itemnameCommandUsage2Description=Sets the held item''s name to the given text +itemnameInvalidItem=<secondary>You need to hold an item to rename it. +itemnameSuccess=<primary>You have renamed your held item to "<secondary>{0}<primary>". +itemNotEnough1=<dark_red>You do not have enough of that item to sell. +itemNotEnough2=<primary>If you meant to sell all of your items of that type, use<secondary> /sell itemname<primary>. +itemNotEnough3=<secondary>/sell itemname -1<primary> will sell all but one item, etc. +itemsConverted=<primary>Converted all items into blocks. itemsCsvNotLoaded=Could not load {0}\! itemSellAir=You really tried to sell Air? Put an item in your hand. -itemType=<primary>Item\:<secondary> {0} <primary> +itemsNotConverted=<dark_red>You have no items that can be converted into blocks. +itemSold=<green>Sold for <secondary>{0} <green>({1} {2} at {3} each). +itemSoldConsole=<yellow>{0} <green>sold<yellow> {1}<green> for <yellow>{2} <green>({3} items at {4} each). +itemSpawn=<primary>Giving<secondary> {0} <primary>of<secondary> {1} +itemType=<primary>Item\:<secondary> {0} itemdbCommandDescription=Searches for an item. itemdbCommandUsage=/<command> <item> +itemdbCommandUsage1=/<command> <item> itemdbCommandUsage1Description=Searches the item database for the given item +jailAlreadyIncarcerated=<dark_red>Person is already in jail\:<secondary> {0} +jailList=<primary>Jails\:<reset> {0} +jailMessage=<dark_red>You do the crime, you do the time. +jailNotExist=<dark_red>That jail does not exist. +jailNotifyJailed=<primary>Player<secondary> {0} <primary>jailed by <secondary>{1}. jailNotifyJailedFor=<primary>Player<secondary> {0} <primary>jailed for<secondary> {1} <primary>by <secondary>{2}<primary>. jailNotifySentenceExtended=<primary>Player<secondary>{0}<primary>''s jail time extended to <secondary>{1} <primary>by <secondary>{2}<primary>. +jailReleased=<primary>Player <secondary>{0}<primary> unjailed. +jailReleasedPlayerNotify=<primary>You have been released\! +jailSentenceExtended=<primary>Jail time extended to <secondary>{0}<primary>. +jailSet=<primary>Jail<secondary> {0} <primary>has been set. +jailWorldNotExist=<dark_red>That jail''s world does not exist. +jumpEasterDisable=<primary>Flying wizard mode disabled. +jumpEasterEnable=<primary>Flying wizard mode enabled. jailsCommandDescription=List all jails. +jailsCommandUsage=/<command> jumpCommandDescription=Jumps to the nearest block in the line of sight. +jumpCommandUsage=/<command> +jumpError=<dark_red>That would hurt your computer''s brain. kickCommandDescription=Kicks a specified player with a reason. +kickCommandUsage=/<command> <player> [reason] +kickCommandUsage1=/<command> <player> [reason] kickCommandUsage1Description=Kicks the specified player with an optional reason kickDefault=Kicked from server. +kickedAll=<dark_red>Kicked all players from server. +kickExempt=<dark_red>You cannot kick that person. kickallCommandDescription=Kicks all players off the server except the issuer. kickallCommandUsage=/<command> [reason] +kickallCommandUsage1=/<command> [reason] kickallCommandUsage1Description=Kicks all players with an optional reason +kill=<primary>Killed<secondary> {0}<primary>. killCommandDescription=Kills specified player. +killCommandUsage=/<command> <player> +killCommandUsage1=/<command> <player> killCommandUsage1Description=Kills the specified player +killExempt=<dark_red>You cannot kill <secondary>{0}<dark_red>. kitCommandDescription=Obtains the specified kit or views all available kits. kitCommandUsage=/<command> [kit] [player] +kitCommandUsage1=/<command> kitCommandUsage1Description=Lists all available kits +kitCommandUsage2=/<command> <kit> [player] kitCommandUsage2Description=Gives the specified kit to you or another player if specified +kitContains=<primary>Kit <secondary>{0} <primary>contains\: +kitCost=\ <grey><i>({0})<reset> +kitDelay=<st>{0}<reset> +kitError=<dark_red>There are no valid kits. +kitError2=<dark_red>That kit is improperly defined. Contact an administrator. kitError3=Cannot give kit item in kit "{0}" to user {1} as kit item requires Paper 1.15.2+ to deserialize. +kitGiveTo=<primary>Giving kit<secondary> {0}<primary> to <secondary>{1}<primary>. +kitInvFull=<dark_red>Your inventory was full, placing kit on the floor. +kitInvFullNoDrop=<dark_red>There is not enough room in your inventory for that kit. +kitItem=<primary>- <white>{0} +kitNotFound=<dark_red>That kit does not exist. +kitOnce=<dark_red>You can''t use that kit again. +kitReceive=<primary>Received kit<secondary> {0}<primary>. +kitReset=<primary>Reset cooldown for kit <secondary>{0}<primary>. kitresetCommandDescription=Resets the cooldown on the specified kit. kitresetCommandUsage=/<command> <kit> [player] +kitresetCommandUsage1=/<command> <kit> [player] kitresetCommandUsage1Description=Resets the cooldown of the specified kit for you or another player if specified +kitResetOther=<primary>Resetting kit <secondary>{0} <primary>cooldown for <secondary>{1}<primary>. +kits=<primary>Kits\:<reset> {0} kittycannonCommandDescription=Throw an exploding kitten at your opponent. -leatherSyntax=<primary>Leather colour syntax\:<secondary> color\:\\<red>,\\<green>,\\<blue> eg\: color\:255,0,0<primary> OR<secondary> color\:<rgb int> eg\: color\:16777011 +kittycannonCommandUsage=/<command> +kitTimed=<dark_red>You can''t use that kit again for another<secondary> {0}<dark_red>. +leatherSyntax=<primary>Leather colour syntax\:<secondary> colour\:\\<red>,\\<green>,\\<blue> eg\: colour\:255,0,0<primary> OR<secondary> colour\:<rgb int> eg\: colour\:16777011 lightningCommandDescription=The power of Thor. Strike at cursor or player. lightningCommandUsage=/<command> [player] [power] +lightningCommandUsage1=/<command> [player] lightningCommandUsage1Description=Strikes lighting either where you''re looking or at another player if specified lightningCommandUsage2=/<command> <player> <power> lightningCommandUsage2Description=Strikes lighting at the target player with the given power +lightningSmited=<primary>Thou hast been smitten\! +lightningUse=<primary>Smiting<secondary> {0} linkCommandDescription=Generates a code to link your Minecraft account to Discord. +linkCommandUsage=/<command> +linkCommandUsage1=/<command> linkCommandUsage1Description=Generates a code for the /link command on Discord +listAfkTag=<grey>[AFK]<reset> +listAmount=<primary>There are <secondary>{0}<primary> out of maximum <secondary>{1}<primary> players online. +listAmountHidden=<primary>There are <secondary>{0}<primary>/<secondary>{1}<primary> out of maximum <secondary>{2}<primary> players online. listCommandDescription=List all online players. listCommandUsage=/<command> [group] +listCommandUsage1=/<command> [group] listCommandUsage1Description=Lists all players on the server, or the given group if specified +listGroupTag=<primary>{0}<reset>\: +listHiddenTag=<grey>[HIDDEN]<reset> listRealName=({0}) +loadWarpError=<dark_red>Failed to load warp {0}. +localFormat=<dark_aqua>[L] <reset><{0}> {1} localNoOne= loomCommandDescription=Opens up a loom. -mailClear=<primary>To mark your mail as read, type<secondary> /mail clear<primary>. +loomCommandUsage=/<command> +mailClear=<primary>To clear your mail, type<secondary> /mail clear<primary>. +mailCleared=<primary>Mail cleared\! +mailClearedAll=<primary>Mail cleared for all players\! +mailClearIndex=<dark_red>You must specify a number between 1-{0}. mailCommandDescription=Manages inter-player, intra-server mail. mailCommandUsage=/<command> [read|clear|clear [number]|clear <player> [number]|send [to] [message]|sendtemp [to] [expire time] [message]|sendall [message]] mailCommandUsage1=/<command> read [page] @@ -389,40 +738,98 @@ mailCommandUsage7Description=Sends the specified player the given message which mailCommandUsage8=/<command> sendtempall <expire time> <message> mailCommandUsage8Description=Sends all players the given message which will expire in the specified time mailDelay=Too many mails have been sent within the last minute. Maximum\: {0} +mailFormatNew=<primary>[<reset>{0}<primary>] <primary>[<reset>{1}<primary>] <reset>{2} +mailFormatNewTimed=<primary>[<yellow>⚠<primary>] <primary>[<reset>{0}<primary>] <primary>[<reset>{1}<primary>] <reset>{2} +mailFormatNewRead=<primary>[<reset>{0}<primary>] <primary>[<reset>{1}<primary>] <grey><i>{2} +mailFormatNewReadTimed=<primary>[<yellow>⚠<primary>] <primary>[<reset>{0}<primary>] <primary>[<reset>{1}<primary>] <grey><i>{2} +mailFormat=<primary>[<reset>{0}<primary>] <reset>{1} mailMessage={0} +mailSent=<primary>Mail sent\! +mailSentTo=<secondary>{0}<primary> has been sent the following mail\: +mailSentToExpire=<secondary>{0}<primary> has been sent the following mail which will expire in <secondary>{1}<primary>\: +mailTooLong=<dark_red>Mail message too long. Try to keep it below 1000 characters. +markMailAsRead=<primary>To mark your mail as read, type<secondary> /mail clear<primary>. +matchingIPAddress=<primary>The following players previously logged in from that IP address\: +matchingAccounts={0} +maxHomes=<dark_red>You cannot set more than<secondary> {0} <dark_red>homes. +maxMoney=<dark_red>This transaction would exceed the balance limit for this account. +mayNotJail=<dark_red>You may not jail that person\! +mayNotJailOffline=<dark_red>You may not jail offline players. meCommandDescription=Describes an action in the context of the player. meCommandUsage=/<command> <description> +meCommandUsage1=/<command> <description> meCommandUsage1Description=Describes an action meSender=me meRecipient=me +minimumBalanceError=<dark_red>The minimum balance a user can have is {0}. +minimumPayAmount=<secondary>The minimum amount you can pay is {0}. minute=minute minutes=minutes +missingItems=<dark_red>You do not have <secondary>{0}x {1}<dark_red>. +mobDataList=<primary>Valid mob data\:<reset> {0} +mobsAvailable=<primary>Mobs\:<reset> {0} +mobSpawnError=<dark_red>Error while changing mob spawner. mobSpawnLimit=Mob quantity limited to server limit. +mobSpawnTarget=<dark_red>Target block must be a mob spawner. +moneyRecievedFrom=<green>{0}<primary> has been received from<green> {1}<primary>. +moneySentTo=<green>{0} has been sent to {1}. month=month months=months moreCommandDescription=Fills the item stack in hand to specified amount, or to maximum size if none is specified. moreCommandUsage=/<command> [amount] +moreCommandUsage1=/<command> [amount] moreCommandUsage1Description=Fills the held item to the specified amount, or its max size if none is specified +moreThanZero=<dark_red>Quantities must be greater than 0. motdCommandDescription=Views the Message Of The Day. +motdCommandUsage=/<command> [chapter] [page] +moveSpeed=<primary>Set<secondary> {0}<primary> speed to<secondary> {1} <primary>for <secondary>{2}<primary>. msgCommandDescription=Sends a private message to the specified player. msgCommandUsage=/<command> <to> <message> +msgCommandUsage1=/<command> <to> <message> msgCommandUsage1Description=Privately sends the given message to the specified player +msgDisabled=<primary>Receiving messages <secondary>disabled<primary>. +msgDisabledFor=<primary>Receiving messages <secondary>disabled <primary>for <secondary>{0}<primary>. +msgEnabled=<primary>Receiving messages <secondary>enabled<primary>. +msgEnabledFor=<primary>Receiving messages <secondary>enabled <primary>for <secondary>{0}<primary>. +msgFormat=<primary>[<secondary>{0}<primary> -> <secondary>{1}<primary>] <reset>{2} +msgIgnore=<secondary>{0} <dark_red>has messages disabled. msgtoggleCommandDescription=Blocks receiving all private messages. +msgtoggleCommandUsage=/<command> [player] [on|off] +msgtoggleCommandUsage1=/<command> [player] msgtoggleCommandUsage1Description=Toggles private messages for yourself or another player if specified +multipleCharges=<dark_red>You cannot apply more than one charge to this firework. +multiplePotionEffects=<dark_red>You cannot apply more than one effect to this potion. muteCommandDescription=Mutes or unmutes a player. muteCommandUsage=/<command> <player> [datediff] [reason] +muteCommandUsage1=/<command> <player> muteCommandUsage1Description=Permanently mutes the specified player or unmutes them if they were already muted muteCommandUsage2=/<command> <player> <datediff> [reason] muteCommandUsage2Description=Mutes the specified player for the time given with an optional reason -mutedUserSpeaks={0} tried to speak, but is muted. +mutedPlayer=<primary>Player<secondary> {0} <primary>muted. +mutedPlayerFor=<primary>Player<secondary> {0} <primary>muted for<secondary> {1}<primary>. +mutedPlayerForReason=<primary>Player<secondary> {0} <primary>muted for<secondary> {1}<primary>. Reason\: <secondary>{2} +mutedPlayerReason=<primary>Player<secondary> {0} <primary>muted. Reason\: <secondary>{1} +mutedUserSpeaks={0} tried to speak, but is muted\: {1} +muteExempt=<dark_red>You may not mute that player. +muteExemptOffline=<dark_red>You may not mute offline players. +muteNotify=<secondary>{0} <primary>has muted player <secondary>{1}<primary>. +muteNotifyFor=<secondary>{0} <primary>has muted player <secondary>{1}<primary> for<secondary> {2}<primary>. +muteNotifyForReason=<secondary>{0} <primary>has muted player <secondary>{1}<primary> for<secondary> {2}<primary>. Reason\: <secondary>{3} +muteNotifyReason=<secondary>{0} <primary>has muted player <secondary>{1}<primary>. Reason\: <secondary>{2} nearCommandDescription=Lists the players near by or around a player. nearCommandUsage=/<command> [playername] [radius] +nearCommandUsage1=/<command> nearCommandUsage1Description=Lists all players within the default near radius of you nearCommandUsage2=/<command> <radius> nearCommandUsage2Description=Lists all players within the given radius of you +nearCommandUsage3=/<command> <player> nearCommandUsage3Description=Lists all players within the default near radius of the specified player nearCommandUsage4=/<command> <player> <radius> nearCommandUsage4Description=Lists all players within the given radius of the specified player +nearbyPlayers=<primary>Players nearby\:<reset> {0} +nearbyPlayersList={0}<white>(<secondary>{1}m<white>) +negativeBalanceError=<dark_red>User is not allowed to have a negative balance. +nickChanged=<primary>Nickname changed. nickCommandDescription=Change your nickname or that of another player. nickCommandUsage=/<command> [player] <nickname|off> nickCommandUsage1=/<command> <nickname> @@ -433,39 +840,146 @@ nickCommandUsage3=/<command> <player> <nickname> nickCommandUsage3Description=Changes the specified player''s nickname to the given text nickCommandUsage4=/<command> <player> off nickCommandUsage4Description=Removes the given player''s nickname +nickDisplayName=<dark_red>You have to enable change-displayname in Essentials config. +nickInUse=<dark_red>That name is already in use. +nickNameBlacklist=<dark_red>That nickname is not allowed. +nickNamesAlpha=<dark_red>Nicknames must be alphanumeric. nickNamesOnlyColorChanges=<dark_red>Nicknames can only have their colours changed. +nickNoMore=<primary>You no longer have a nickname. +nickSet=<primary>Your nickname is now <secondary>{0}<primary>. +nickTooLong=<dark_red>That nickname is too long. +noAccessCommand=<dark_red>You do not have access to that command. +noAccessPermission=<dark_red>You do not have permission to access that <secondary>{0}<dark_red>. +noAccessSubCommand=<dark_red>You do not have access to <secondary>{0}<dark_red>. +noBreakBedrock=<dark_red>You are not allowed to destroy bedrock. +noDestroyPermission=<dark_red>You do not have permission to destroy that <secondary>{0}<dark_red>. northEast=NE north=N northWest=NW +noGodWorldWarning=<dark_red>Warning\! God mode in this world disabled. +noHomeSetPlayer=<primary>Player has not set a home. +noIgnored=<primary>You are not ignoring anyone. +noJailsDefined=<primary>No jails defined. +noKitGroup=<dark_red>You do not have access to this kit. +noKitPermission=<dark_red>You need the <secondary>{0}<dark_red> permission to use that kit. +noKits=<primary>There are no kits available yet. +noLocationFound=<dark_red>No valid location found. +noMail=<primary>You do not have any mail. +noMailOther=<secondary>{0} <primary>does not have any mail. +noMatchingPlayers=<primary>No matching players found. noMetaComponents=Data Components are not supported in this version of Bukkit. Please use JSON NBT metadata. +noMetaFirework=<dark_red>You do not have permission to apply firework meta. noMetaJson=JSON Metadata is not supported in this version of Bukkit. +noMetaNbtKill=JSON NBT metadata is no longer supported. You must manually convert your defined items to data components. You can convert JSON NBT to data components here\: https\://docs.papermc.io/misc/tools/item-command-converter +noMetaPerm=<dark_red>You do not have permission to apply <secondary>{0}<dark_red> meta to this item. none=none -notAllowedToQuestion=<dark_red>You don''t have permission to ask a question. +noNewMail=<primary>You have no new mail. +nonZeroPosNumber=<dark_red>A non-zero number is required. +noPendingRequest=<dark_red>You do not have a pending request. +noPerm=<dark_red>You do not have the <secondary>{0}<dark_red> permission. +noPermissionSkull=<dark_red>You do not have permission to modify that skull. +noPermToAFKMessage=<dark_red>You don''t have permission to set an AFK message. +noPermToSpawnMob=<dark_red>You don''t have permission to spawn this mob. +noPlacePermission=<dark_red>You do not have permission to place a block near that sign. +noPotionEffectPerm=<dark_red>You do not have permission to apply potion effect <secondary>{0} <dark_red>to this potion. +noPowerTools=<primary>You have no power tools assigned. +notAcceptingPay=<dark_red>{0} <dark_red>is not accepting payment. +notAllowedToLocal=<dark_red>You don''t have permission to speak in local chat. +notAllowedToQuestion=<dark_red>You don''t have permission to send question messages. +notAllowedToShout=<dark_red>You don''t have permission to shout. +notEnoughExperience=<dark_red>You do not have enough experience. +notEnoughMoney=<dark_red>You do not have sufficient funds. notFlying=not flying +nothingInHand=<dark_red>You have nothing in your hand. now=now +noWarpsDefined=<primary>No warps defined. +nuke=<dark_purple>May death rain upon them. nukeCommandDescription=May death rain upon them. +nukeCommandUsage=/<command> [player] nukeCommandUsage1=/<command> [players...] nukeCommandUsage1Description=Sends a nuke over all players or another player(s), if specified numberRequired=A number goes there, silly. onlyDayNight=/time only supports day/night. +onlyPlayers=<dark_red>Only in-game players can use <secondary>{0}<dark_red>. +onlyPlayerSkulls=<dark_red>You can only set the owner of player skulls (<secondary>397\:3<dark_red>). +onlySunStorm=<dark_red>/weather only supports sun/storm. +openingDisposal=<primary>Opening disposal menu... +orderBalances=<primary>Ordering balances of<secondary> {0} <primary>users, please wait... +oversizedMute=<dark_red>You may not mute a player for this period of time. +oversizedTempban=<dark_red>You may not ban a player for this period of time. +passengerTeleportFail=<dark_red>You cannot be teleported while carrying passengers. payCommandDescription=Pays another player from your balance. payCommandUsage=/<command> <player> <amount> +payCommandUsage1=/<command> <player> <amount> payCommandUsage1Description=Pays the specified player the given amount of money +payConfirmToggleOff=<primary>You will no longer be prompted to confirm payments. +payConfirmToggleOn=<primary>You will now be prompted to confirm payments. +payDisabledFor=<primary>Disabled accepting payments for <secondary>{0}<primary>. +payEnabledFor=<primary>Enabled accepting payments for <secondary>{0}<primary>. +payMustBePositive=<dark_red>Amount to pay must be positive. +payOffline=<dark_red>You cannot pay offline users. +payToggleOff=<primary>You are no longer accepting payments. +payToggleOn=<primary>You are now accepting payments. payconfirmtoggleCommandDescription=Toggles whether you are prompted to confirm payments. +payconfirmtoggleCommandUsage=/<command> paytoggleCommandDescription=Toggles whether you are accepting payments. +paytoggleCommandUsage=/<command> [player] +paytoggleCommandUsage1=/<command> [player] paytoggleCommandUsage1Description=Toggles if you, or another player if specified, are accepting payments +pendingTeleportCancelled=<dark_red>Pending teleportation request cancelled. pingCommandDescription=Pong\! +pingCommandUsage=/<command> +playerBanIpAddress=<primary>Player<secondary> {0} <primary>banned IP address<secondary> {1} <primary>for\: <secondary>{2}<primary>. +playerTempBanIpAddress=<primary>Player<secondary> {0} <primary>temporarily banned IP address <secondary>{1}<primary> for <secondary>{2}<primary>\: <secondary>{3}<primary>. +playerBanned=<primary>Player<secondary> {0} <primary>banned<secondary> {1} <primary>for\: <secondary>{2}<primary>. +playerJailed=<primary>Player<secondary> {0} <primary>jailed. +playerJailedFor=<primary>Player<secondary> {0} <primary>jailed for<secondary> {1}<primary>. +playerKicked=<primary>Player<secondary> {0} <primary>kicked<secondary> {1}<primary> for<secondary> {2}<primary>. +playerMuted=<primary>You have been muted\! +playerMutedFor=<primary>You have been muted for<secondary> {0}<primary>. +playerMutedForReason=<primary>You have been muted for<secondary> {0}<primary>. Reason\: <secondary>{1} +playerMutedReason=<primary>You have been muted\! Reason\: <secondary>{0} +playerNeverOnServer=<dark_red>Player<secondary> {0} <dark_red>was never on this server. +playerNotFound=<dark_red>Player not found. +playerTempBanned=<primary>Player <secondary>{0}<primary> temporarily banned <secondary>{1}<primary> for <secondary>{2}<primary>\: <secondary>{3}<primary>. +playerUnbanIpAddress=<primary>Player<secondary> {0} <primary>unbanned IP\:<secondary> {1} +playerUnbanned=<primary>Player<secondary> {0} <primary>unbanned<secondary> {1} +playerUnmuted=<primary>You have been unmuted. playtimeCommandDescription=Shows a player''s time played in game +playtimeCommandUsage=/<command> [player] +playtimeCommandUsage1=/<command> playtimeCommandUsage1Description=Shows your time played in game +playtimeCommandUsage2=/<command> <player> playtimeCommandUsage2Description=Shows the specified player''s time played in game +playtime=<primary>Playtime\:<secondary> {0} +playtimeOther=<primary>Playtime of {1}<primary>\:<secondary> {0} pong=Pong\! +posPitch=<primary>Pitch\: {0} (Head angle) +possibleWorlds=<primary>Possible worlds are the numbers <secondary>0<primary> through <secondary>{0}<primary>. potionCommandDescription=Adds custom potion effects to a potion. potionCommandUsage=/<command> <clear|apply|effect\:<effect> power\:<power> duration\:<duration>> +potionCommandUsage1=/<command> clear potionCommandUsage1Description=Clears all effects on the held potion potionCommandUsage2=/<command> apply potionCommandUsage2Description=Applies all effects on the held potion onto you without consuming the potion potionCommandUsage3=/<command> effect\:<effect> power\:<power> duration\:<duration> potionCommandUsage3Description=Applies the given potion meta to the held potion +posX=<primary>X\: {0} (+East <-> -West) +posY=<primary>Y\: {0} (+Up <-> -Down) +posYaw=<primary>Yaw\: {0} (Rotation) +posZ=<primary>Z\: {0} (+South <-> -North) +potions=<primary>Potions\:<reset> {0}<primary>. +powerToolAir=<dark_red>Command can''t be attached to air. +powerToolAlreadySet=<dark_red>Command <secondary>{0}<dark_red> is already assigned to <secondary>{1}<dark_red>. +powerToolAttach=<secondary>{0}<primary> command assigned to<secondary> {1}<primary>. +powerToolClearAll=<primary>All powertool commands have been cleared. +powerToolList=<primary>Item <secondary>{1} <primary>has the following commands\: <secondary>{0}<primary>. +powerToolListEmpty=<dark_red>Item <secondary>{0} <dark_red>has no commands assigned. +powerToolNoSuchCommandAssigned=<dark_red>Command <secondary>{0}<dark_red> has not been assigned to <secondary>{1}<dark_red>. +powerToolRemove=<primary>Command <secondary>{0}<primary> removed from <secondary>{1}<primary>. +powerToolRemoveAll=<primary>All commands removed from <secondary>{0}<primary>. +powerToolsDisabled=<primary>All of your power tools have been disabled. +powerToolsEnabled=<primary>All of your power tools have been enabled. powertoolCommandDescription=Assigns a command to the item in hand. powertoolCommandUsage=/<command> [l\:|a\:|r\:|c\:|d\:][command] [arguments] - {player} can be replaced by name of a clicked player. powertoolCommandUsage1=/<command> l\: @@ -479,6 +993,7 @@ powertoolCommandUsage4Description=Sets the powertool command of the held item to powertoolCommandUsage5=/<command> a\:<cmd> powertoolCommandUsage5Description=Adds the given powertool command to the held item powertooltoggleCommandDescription=Enables or disables all current powertools. +powertooltoggleCommandUsage=/<command> ptimeCommandDescription=Adjust player''s client time. Add @ prefix to fix. ptimeCommandUsage=/<command> [list|reset|day|night|dawn|17\:30|4pm|4000ticks] [player|*] ptimeCommandUsage1=/<command> list [player|*] @@ -489,62 +1004,133 @@ ptimeCommandUsage3=/<command> reset [player|*] ptimeCommandUsage3Description=Resets the time for you or other player(s) if specified pweatherCommandDescription=Adjust a player''s weather pweatherCommandUsage=/<command> [list|reset|storm|sun|clear] [player|*] +pweatherCommandUsage1=/<command> list [player|*] pweatherCommandUsage1Description=Lists the player weather for either you or other player(s) if specified pweatherCommandUsage2=/<command> <storm|sun> [player|*] pweatherCommandUsage2Description=Sets the weather for you or other player(s) if specified to the given weather +pweatherCommandUsage3=/<command> reset [player|*] pweatherCommandUsage3Description=Resets the weather for you or other player(s) if specified +pTimeCurrent=<secondary>{0}<primary>''s time is<secondary> {1}<primary>. +pTimeCurrentFixed=<secondary>{0}<primary>''s time is fixed to<secondary> {1}<primary>. +pTimeNormal=<secondary>{0}<primary>''s time is normal and matches the server. pTimeOthersPermission=<dark_red>You are not authorised to set other players'' time. +pTimePlayers=<primary>These players have their own time\:<reset> +pTimeReset=<primary>Player time has been reset for\: <secondary>{0} +pTimeSet=<primary>Player time is set to <secondary>{0}<primary> for\: <secondary>{1}. +pTimeSetFixed=<primary>Player time is fixed to <secondary>{0}<primary> for\: <secondary>{1}. +pWeatherCurrent=<secondary>{0}<primary>''s weather is<secondary> {1}<primary>. +pWeatherInvalidAlias=<dark_red>Invalid weather type +pWeatherNormal=<secondary>{0}<primary>''s weather is normal and matches the server. pWeatherOthersPermission=<dark_red>You are not authorised to set other players'' weather. +pWeatherPlayers=<primary>These players have their own weather\:<reset> +pWeatherReset=<primary>Player weather has been reset for\: <secondary>{0} +pWeatherSet=<primary>Player weather is set to <secondary>{0}<primary> for\: <secondary>{1}. +questionFormat=<dark_green>[Question]<reset> {0} rCommandDescription=Quickly reply to the last player to message you. +rCommandUsage=/<command> <message> +rCommandUsage1=/<command> <message> rCommandUsage1Description=Replies to the last player to message you with the given text +radiusTooBig=<dark_red>Radius is too big\! Maximum radius is<secondary> {0}<dark_red>. +readNextPage=<primary>Type<secondary> /{0} {1} <primary>to read the next page. +realName=<white>{0}<reset><primary> is <white>{1} realnameCommandDescription=Displays the username of a user based on nick. realnameCommandUsage=/<command> <nickname> +realnameCommandUsage1=/<command> <nickname> realnameCommandUsage1Description=Displays the username of a user based on the given nickname +recentlyForeverAlone=<dark_red>{0} recently went offline. +recipe=<primary>Recipe for <secondary>{0}<primary> (<secondary>{1}<primary> of <secondary>{2}<primary>) recipeBadIndex=There is no recipe by that number. recipeCommandDescription=Displays how to craft items. recipeCommandUsage=/<command> <<item>|hand> [number] recipeCommandUsage1=/<command> <<item>|hand> [page] recipeCommandUsage1Description=Displays how to craft the given item +recipeFurnace=<primary>Smelt\: <secondary>{0}<primary>. +recipeGrid=<secondary>{0}X <primary>| {1}X <primary>| {2}X +recipeGridItem=<secondary>{0}X <primary>is <secondary>{1} +recipeMore=<primary>Type<secondary> /{0} {1} <number><primary> to see other recipes for <secondary>{2}<primary>. recipeNone=No recipes exist for {0}. recipeNothing=nothing +recipeShapeless=<primary>Combine <secondary>{0} +recipeWhere=<primary>Where\: {0} removeCommandDescription=Removes entities in your world. removeCommandUsage=/<command> <all|tamed|named|drops|arrows|boats|minecarts|xp|paintings|itemframes|endercrystals|monsters|animals|ambient|mobs|[mobType]> [radius|world] removeCommandUsage1=/<command> <mob type> [world] removeCommandUsage1Description=Removes all of the given mob type in the current world or another one if specified removeCommandUsage2=/<command> <mob type> <radius> [world] removeCommandUsage2Description=Removes the given mob type within the given radius in the current world or another one if specified +removed=<primary>Removed<secondary> {0} <primary>entities. renamehomeCommandDescription=Renames a home. renamehomeCommandUsage=/<command> <[player\:]name> <new name> renamehomeCommandUsage1=/<command> <name> <new name> renamehomeCommandUsage1Description=Renames your home to the given name renamehomeCommandUsage2=/<command> <player>\:<name> <new name> renamehomeCommandUsage2Description=Renames the specified player''s home to the given name +repair=<primary>You have successfully repaired your\: <secondary>{0}<primary>. +repairAlreadyFixed=<dark_red>This item does not need repairing. repairCommandDescription=Repairs the durability of one or all items. repairCommandUsage=/<command> [hand|all] +repairCommandUsage1=/<command> repairCommandUsage1Description=Repairs the held item repairCommandUsage2=/<command> all repairCommandUsage2Description=Repairs all items in your inventory +repairEnchanted=<dark_red>You are not allowed to repair enchanted items. +repairInvalidType=<dark_red>This item cannot be repaired. +repairNone=<dark_red>There were no items that needed repairing. replyFromDiscord=**Reply from {0}\:** {1} +replyLastRecipientDisabled=<primary>Replying to last message recipient <secondary>disabled<primary>. +replyLastRecipientDisabledFor=<primary>Replying to last message recipient <secondary>disabled <primary>for <secondary>{0}<primary>. +replyLastRecipientEnabled=<primary>Replying to last message recipient <secondary>enabled<primary>. +replyLastRecipientEnabledFor=<primary>Replying to last message recipient <secondary>enabled <primary>for <secondary>{0}<primary>. +requestAccepted=<primary>Teleport request accepted. +requestAcceptedAll=<primary>Accepted <secondary>{0} <primary>pending teleport request(s). +requestAcceptedAuto=<primary>Automatically accepted a teleport request from {0}. +requestAcceptedFrom=<secondary>{0} <primary>accepted your teleport request. +requestAcceptedFromAuto=<secondary>{0} <primary>accepted your teleport request automatically. +requestDenied=<primary>Teleport request denied. +requestDeniedAll=<primary>Denied <secondary>{0} <primary>pending teleport request(s). +requestDeniedFrom=<secondary>{0} <primary>denied your teleport request. +requestSent=<primary>Request sent to<secondary> {0}<primary>. +requestSentAlready=<dark_red>You have already sent {0}<dark_red> a teleport request. +requestTimedOut=<dark_red>Teleport request has timed out. +requestTimedOutFrom=<dark_red>Teleport request from <secondary>{0} <dark_red>has timed out. +resetBal=<primary>Balance has been reset to <secondary>{0} <primary>for all online players. +resetBalAll=<primary>Balance has been reset to <secondary>{0} <primary>for all players. +rest=<primary>You feel well rested. restCommandDescription=Rests you or the given player. +restCommandUsage=/<command> [player] +restCommandUsage1=/<command> [player] restCommandUsage1Description=Resets the time since rest of you or another player if specified +restOther=<primary>Resting<secondary> {0}<primary>. +returnPlayerToJailError=<dark_red>Error occurred when trying to return player<secondary> {0} <dark_red>to jail\: <secondary>{1}<dark_red>\! rtoggleCommandDescription=Change whether the recipient of the reply is last recipient or last sender +rtoggleCommandUsage=/<command> [player] [on|off] rulesCommandDescription=Views the server rules. +rulesCommandUsage=/<command> [chapter] [page] +runningPlayerMatch=<primary>Running search for players matching ''<secondary>{0}<primary>'' (this could take a little while). second=second seconds=seconds +seenAccounts=<primary>Player has also been known as\:<secondary> {0} seenCommandDescription=Shows the last logout time of a player. seenCommandUsage=/<command> <playername> +seenCommandUsage1=/<command> <playername> seenCommandUsage1Description=Shows the logout time, ban, mute, and UUID information of the specified player +seenOffline=<primary>Player<secondary> {0} <primary>has been <dark_red>offline<primary> since <secondary>{1}<primary>. +seenOnline=<primary>Player<secondary> {0} <primary>has been <green>online<primary> since <secondary>{1}<primary>. +sellBulkPermission=<primary>You do not have permission to bulk sell. sellCommandDescription=Sells the item currently in your hand. sellCommandUsage=/<command> <<itemname>|<id>|hand|inventory|blocks> [amount] sellCommandUsage1=/<command> <itemname> [amount] sellCommandUsage1Description=Sells all (or the given amount, if specified) of the given item in your inventory sellCommandUsage2=/<command> hand [amount] sellCommandUsage2Description=Sells all (or the given amount, if specified) of the held item +sellCommandUsage3=/<command> all sellCommandUsage3Description=Sells all possible items in your inventory sellCommandUsage4=/<command> blocks [amount] sellCommandUsage4Description=Sells all (or the given amount, if specified) of blocks in your inventory +sellHandPermission=<primary>You do not have permission to hand sell. serverFull=Server is full\! serverReloading=There''s a good chance you''re reloading your server right now. If that''s the case, why do you hate yourself? Expect no support from the EssentialsX team when using /reload. +serverTotal=<primary>Server Total\:<secondary> {0} serverUnsupported=You are running an unsupported server version\! serverUnsupportedClass=Status determining class\: {0} serverUnsupportedCleanroom=You are running a server that does not properly support Bukkit plugins that rely on internal Mojang code. Consider using an Essentials replacement for your server software. @@ -552,17 +1138,32 @@ serverUnsupportedDangerous=You are running a server fork that is known to be ext serverUnsupportedLimitedApi=You are running a server with limited API functionality. EssentialsX will still work, but certain features may be disabled. serverUnsupportedDumbPlugins=You are using plugins known to cause severe issues with EssentialsX and other plugins. serverUnsupportedMods=You are running a server that does not properly support Bukkit plugins. Bukkit plugins should not be used with Forge/Fabric mods\! For Forge\: Consider using ForgeEssentials, or SpongeForge + Nucleus. +setBal=<green>Your balance was set to {0}. +setBalOthers=<green>You set {0}<green>''s balance to {1}. +setSpawner=<primary>Changed spawner type to<secondary> {0}<primary>. sethomeCommandDescription=Set your home to your current location. sethomeCommandUsage=/<command> [[player\:]name] +sethomeCommandUsage1=/<command> <name> sethomeCommandUsage1Description=Sets your home with the given name at your location +sethomeCommandUsage2=/<command> <player>\:<name> sethomeCommandUsage2Description=Sets the specified player''s home with the given name at your location setjailCommandDescription=Creates a jail where you specified named [jailname]. +setjailCommandUsage=/<command> <jailname> +setjailCommandUsage1=/<command> <jailname> setjailCommandUsage1Description=Sets the jail with the specified name to your location settprCommandDescription=Set the random teleport location and parameters. +settprCommandUsage=/<command> <world> [center|minrange|maxrange] [value] +settprCommandUsage1=/<command> <world> center settprCommandUsage1Description=Sets the random teleport center to your location +settprCommandUsage2=/<command> <world> minrange <radius> settprCommandUsage2Description=Sets the minimum random teleport radius to the given value +settprCommandUsage3=/<command> <world> maxrange <radius> settprCommandUsage3Description=Sets the maximum random teleport radius to the given value +settpr=<primary>Set random teleport centre. +settprValue=<primary>Set random teleport <secondary>{0}<primary> to <secondary>{1}<primary>. setwarpCommandDescription=Creates a new warp. +setwarpCommandUsage=/<command> <warp> +setwarpCommandUsage1=/<command> <warp> setwarpCommandUsage1Description=Sets the warp with the specified name to your location setworthCommandDescription=Set the sell value of an item. setworthCommandUsage=/<command> [itemname|id] <price> @@ -571,11 +1172,27 @@ setworthCommandUsage1Description=Sets the worth of your held item to the given p setworthCommandUsage2=/<command> <itemname> <price> setworthCommandUsage2Description=Sets the worth of the specified item to the given price sheepMalformedColor=<dark_red>Malformed colour. +shoutDisabled=<primary>Shout mode <secondary>disabled<primary>. +shoutDisabledFor=<primary>Shout mode <secondary>disabled <primary>for <secondary>{0}<primary>. +shoutEnabled=<primary>Shout mode <secondary>enabled<primary>. +shoutEnabledFor=<primary>Shout mode <secondary>enabled <primary>for <secondary>{0}<primary>. +shoutFormat=<primary>[Shout]<reset> {0} +editsignCommandClear=<primary>Sign cleared. +editsignCommandClearLine=<primary>Cleared line<secondary> {0}<primary>. showkitCommandDescription=Show contents of a kit. showkitCommandUsage=/<command> <kitname> +showkitCommandUsage1=/<command> <kitname> showkitCommandUsage1Description=Displays a summary of the items in the specified kit editsignCommandDescription=Edits a sign in the world. -editsignCommandUsage=/<command> <set/clear/copy/paste> [line number] +editsignCommandLimit=<dark_red>Your provided text is too big to fit on the target sign. +editsignCommandNoLine=<dark_red>You must enter a line number between <secondary>1-4<dark_red>. +editsignCommandSetSuccess=<primary>Set line<secondary> {0}<primary> to "<secondary>{1}<primary>". +editsignCommandTarget=<dark_red>You must be looking at a sign to edit its text. +editsignCopy=<primary>Sign copied\! Paste it with <secondary>/{0} paste<primary>. +editsignCopyLine=<primary>Copied line <secondary>{0} <primary>of sign\! Paste it with <secondary>/{1} paste {0}<primary>. +editsignPaste=<primary>Sign pasted\! +editsignPasteLine=<primary>Pasted line <secondary>{0} <primary>of sign\! +editsignCommandUsage=/<command> <set/clear/copy/paste> [line number] [text] editsignCommandUsage1=/<command> set <line number> <text> editsignCommandUsage1Description=Sets the specified line of the target sign to the given text editsignCommandUsage2=/<command> clear <line number> @@ -584,21 +1201,44 @@ editsignCommandUsage3=/<command> copy [line number] editsignCommandUsage3Description=Copies the all (or the specified line) of the target sign to your clipboard editsignCommandUsage4=/<command> paste [line number] editsignCommandUsage4Description=Pastes your clipboard to the entire (or the specified line) of the target sign +signFormatFail=<dark_red>[{0}] +signFormatSuccess=<dark_blue>[{0}] signFormatTemplate=[{0}] +signProtectInvalidLocation=<dark_red>You are not allowed to create sign here. +similarWarpExist=<dark_red>A warp with a similar name already exists. southEast=SE south=S southWest=SW +skullChanged=<primary>Skull changed to <secondary>{0}<primary>. skullCommandDescription=Set the owner of a player skull +skullCommandUsage=/<command> [owner] [player] +skullCommandUsage1=/<command> skullCommandUsage1Description=Gets your own skull +skullCommandUsage2=/<command> <player> skullCommandUsage2Description=Gets the skull of the specified player skullCommandUsage3=/<command> <texture> skullCommandUsage3Description=Gets a skull with the specified texture (either the hash from a texture URL or a Base64 texture value) +skullCommandUsage4=/<command> <owner> <player> +skullCommandUsage4Description=Gives a skull of the specified owner to a specified player +skullCommandUsage5=/<command> <texture> <player> +skullCommandUsage5Description=Gives a skull with the specified texture (either the hash from a texture URL or a Base64 texture value) to a specified player +skullInvalidBase64=<dark_red>The texture value is invalid. +slimeMalformedSize=<dark_red>Malformed size. smithingtableCommandDescription=Opens up a smithing table. +smithingtableCommandUsage=/<command> +socialSpy=<primary>SocialSpy for <secondary>{0}<primary>\: <secondary>{1} +socialSpyMsgFormat=<primary>[<secondary>{0}<grey> -> <secondary>{1}<primary>] <grey>{2} +socialSpyMutedPrefix=<white>[<primary>SS<white>] <grey>(muted) <reset> socialspyCommandDescription=Toggles if you can see msg/mail commands in chat. +socialspyCommandUsage=/<command> [player] [on|off] +socialspyCommandUsage1=/<command> [player] socialspyCommandUsage1Description=Toggles social spy for yourself or another player if specified +socialSpyPrefix=<white>[<primary>SS<white>] <reset> +soloMob=<dark_red>That mob likes to be alone. spawned=spawned spawnerCommandDescription=Change the mob type of a spawner. spawnerCommandUsage=/<command> <mob> [delay] +spawnerCommandUsage1=/<command> <mob> [delay] spawnerCommandUsage1Description=Changes the mob type (and optionally, the delay) of the spawner you''re looking at spawnmobCommandDescription=Spawns a mob. spawnmobCommandUsage=/<command> <mob>[\:data][,<mount>[\:data]] [amount] [player] @@ -606,6 +1246,7 @@ spawnmobCommandUsage1=/<command> <mob>[\:data] [amount] [player] spawnmobCommandUsage1Description=Spawns one (or the specified amount) of the given mob at your location (or another player if specified) spawnmobCommandUsage2=/<command> <mob>[\:data],<mount>[\:data] [amount] [player] spawnmobCommandUsage2Description=Spawns one (or the specified amount) of the given mob riding the given mob at your location (or another player if specified) +spawnSet=<primary>Spawn location set for group<secondary> {0}<primary>. spectator=spectator speedCommandDescription=Change your speed limits. speedCommandUsage=/<command> [type] <speed> [player] @@ -614,92 +1255,202 @@ speedCommandUsage1Description=Sets either your fly or walk speed to the given sp speedCommandUsage2=/<command> <type> <speed> [player] speedCommandUsage2Description=Sets either the specified type of speed to the given speed for you or another player if specified stonecutterCommandDescription=Opens up a stonecutter. +stonecutterCommandUsage=/<command> sudoCommandDescription=Make another user perform a command. sudoCommandUsage=/<command> <player> <command [args]> sudoCommandUsage1=/<command> <player> <command> [args] sudoCommandUsage1Description=Makes the specified player run the given command -sudoExempt=<dark_red>You cannot sudo this user. +sudoExempt=<dark_red>You cannot sudo <secondary>{0}. +sudoRun=<primary>Forcing<secondary> {0} <primary>to run\:<reset> /{1} suicideCommandDescription=Causes you to perish. +suicideCommandUsage=/<command> +suicideMessage=<primary>Goodbye cruel world... +suicideSuccess=<primary>Player <secondary>{0} <primary>took their own life. survival=survival +takenFromAccount=<yellow>{0}<green> has been taken from your account. +takenFromOthersAccount=<yellow>{0}<green> taken from<yellow> {1}<green> account. New balance\:<yellow> {2} +teleportAAll=<primary>Teleport request sent to all players... +teleportAll=<primary>Teleporting all players... +teleportationCommencing=<primary>Teleportation commencing... +teleportationDisabled=<primary>Teleportation <secondary>disabled<primary>. +teleportationDisabledFor=<primary>Teleportation <secondary>disabled <primary>for <secondary>{0}<primary>. +teleportationDisabledWarning=<primary>You must enable teleportation before other players can teleport to you. +teleportationEnabled=<primary>Teleportation <secondary>enabled<primary>. +teleportationEnabledFor=<primary>Teleportation <secondary>enabled <primary>for <secondary>{0}<primary>. +teleportAtoB=<secondary>{0}<primary> teleported you to <secondary>{1}<primary>. +teleportBottom=<primary>Teleporting to bottom. +teleportDisabled=<secondary>{0} <dark_red>has teleportation disabled. +teleportHereRequest=<secondary>{0}<primary> has requested that you teleport to them. +teleportHome=<primary>Teleporting to <secondary>{0}<primary>. +teleporting=<primary>Teleporting... teleportInvalidLocation=Value of coordinates cannot be over 30000000 +teleportNewPlayerError=<dark_red>Failed to teleport new player\! +teleportNoAcceptPermission=<secondary>{0} <dark_red>does not have permission to accept teleport requests. +teleportRequest=<secondary>{0}<primary> has requested to teleport to you. +teleportRequestAllCancelled=<primary>All outstanding teleport requests cancelled. +teleportRequestCancelled=<primary>Your teleport request to <secondary>{0}<primary> was cancelled. +teleportRequestSpecificCancelled=<primary>Outstanding teleport request with<secondary> {0}<primary> cancelled. +teleportRequestTimeoutInfo=<primary>This request will timeout after<secondary> {0} seconds<primary>. +teleportTop=<primary>Teleporting to top. +teleportToPlayer=<primary>Teleporting to <secondary>{0}<primary>. +teleportOffline=<primary>The player <secondary>{0}<primary> is currently offline. You are able to teleport to them using /otp. +teleportOfflineUnknown=<primary>Unable to find the last known position of <secondary>{0}<primary>. +tempbanExempt=<dark_red>You may not tempban that player. +tempbanExemptOffline=<dark_red>You may not tempban offline players. tempbanJoin=You are banned from this server for {0}. Reason\: {1} +tempBanned=<secondary>You have been temporarily banned for<reset> {0}\:\n<reset>{2} tempbanCommandDescription=Temporary ban a user. tempbanCommandUsage=/<command> <playername> <datediff> [reason] +tempbanCommandUsage1=/<command> <player> <datediff> [reason] tempbanCommandUsage1Description=Bans the given player for the specified amount of time with an optional reason tempbanipCommandDescription=Temporarily ban an IP Address. +tempbanipCommandUsage=/<command> <playername> <datediff> [reason] tempbanipCommandUsage1=/<command> <player|ip-address> <datediff> [reason] tempbanipCommandUsage1Description=Bans the given IP address for the specified amount of time with an optional reason +thunder=<primary>You<secondary> {0} <primary>thunder in your world. thunderCommandDescription=Enable/disable thunder. thunderCommandUsage=/<command> <true/false> [duration] thunderCommandUsage1=/<command> <true|false> [duration] thunderCommandUsage1Description=Enables/disables thunder for an optional duration +thunderDuration=<primary>You<secondary> {0} <primary>thunder in your world for<secondary> {1} <primary>seconds. +timeBeforeHeal=<dark_red>Time before next heal\:<secondary> {0}<dark_red>. +timeBeforeTeleport=<dark_red>Time before next teleport\:<secondary> {0}<dark_red>. timeCommandDescription=Display/Change the world time. Defaults to current world. timeCommandUsage=/<command> [set|add] [day|night|dawn|17\:30|4pm|4000ticks] [worldname|all] +timeCommandUsage1=/<command> timeCommandUsage1Description=Displays the times in all worlds timeCommandUsage2=/<command> set <time> [world|all] timeCommandUsage2Description=Sets the time in the current (or specified) world to the given time timeCommandUsage3=/<command> add <time> [world|all] timeCommandUsage3Description=Adds the given time to the current (or specified) world''s time +timeFormat=<secondary>{0}<primary> or <secondary>{1}<primary> or <secondary>{2}<primary> timeSetPermission=<dark_red>You are not authorised to set the time. timeSetWorldPermission=<dark_red>You are not authorised to set the time in world ''{0}''. +timeWorldAdd=<primary>The time was moved forward by<secondary> {0} <primary>in\: <secondary>{1}<primary>. +timeWorldCurrent=<primary>The current time in<secondary> {0} <primary>is <secondary>{1}<primary>. +timeWorldCurrentSign=<primary>The current time is <secondary>{0}<primary>. +timeWorldSet=<primary>The time was set to<secondary> {0} <primary>in\: <secondary>{1}<primary>. togglejailCommandDescription=Jails/Unjails a player, TPs them to the jail specified. togglejailCommandUsage=/<command> <player> <jailname> [datediff] toggleshoutCommandDescription=Toggles whether you are talking in shout mode +toggleshoutCommandUsage=/<command> [player] [on|off] +toggleshoutCommandUsage1=/<command> [player] toggleshoutCommandUsage1Description=Toggles shout mode for yourself or another player if specified topCommandDescription=Teleport to the highest block at your current position. +topCommandUsage=/<command> +totalSellableAll=<green>The total worth of all sellable items and blocks is <secondary>{1}<green>. +totalSellableBlocks=<green>The total worth of all sellable blocks is <secondary>{1}<green>. +totalWorthAll=<green>Sold all items and blocks for a total worth of <secondary>{1}<green>. +totalWorthBlocks=<green>Sold all blocks for a total worth of <secondary>{1}<green>. tpCommandDescription=Teleport to a player. tpCommandUsage=/<command> <player> [otherplayer] +tpCommandUsage1=/<command> <player> tpCommandUsage1Description=Teleports you to the specified player tpCommandUsage2=/<command> <player> <other player> tpCommandUsage2Description=Teleports the first specified player to the second tpaCommandDescription=Request to teleport to the specified player. +tpaCommandUsage=/<command> <player> +tpaCommandUsage1=/<command> <player> tpaCommandUsage1Description=Requests to teleport to the specified player tpaallCommandDescription=Requests all players online to teleport to you. +tpaallCommandUsage=/<command> <player> +tpaallCommandUsage1=/<command> <player> tpaallCommandUsage1Description=Requests for all players to teleport to you tpacancelCommandDescription=Cancel all outstanding teleport requests. Specify [player] to cancel requests with them. +tpacancelCommandUsage=/<command> [player] +tpacancelCommandUsage1=/<command> tpacancelCommandUsage1Description=Cancels all your outstanding teleport requests +tpacancelCommandUsage2=/<command> <player> tpacancelCommandUsage2Description=Cancels all your outstanding teleport request with the specified player tpacceptCommandDescription=Accepts teleport requests. tpacceptCommandUsage=/<command> [otherplayer] +tpacceptCommandUsage1=/<command> tpacceptCommandUsage1Description=Accepts the most recent teleport request +tpacceptCommandUsage2=/<command> <player> tpacceptCommandUsage2Description=Accepts a teleport request from the specified player +tpacceptCommandUsage3=/<command> * tpacceptCommandUsage3Description=Accepts all teleport requests tpahereCommandDescription=Request that the specified player teleport to you. +tpahereCommandUsage=/<command> <player> +tpahereCommandUsage1=/<command> <player> tpahereCommandUsage1Description=Requests for the specified player to teleport to you tpallCommandDescription=Teleport all online players to another player. +tpallCommandUsage=/<command> [player] +tpallCommandUsage1=/<command> [player] tpallCommandUsage1Description=Teleports all players to you, or another player if specified tpautoCommandDescription=Automatically accept teleportation requests. +tpautoCommandUsage=/<command> [player] +tpautoCommandUsage1=/<command> [player] tpautoCommandUsage1Description=Toggles if tpa requests are auto accepted for yourself or another player if specified tpdenyCommandDescription=Rejects teleport requests. +tpdenyCommandUsage=/<command> +tpdenyCommandUsage1=/<command> tpdenyCommandUsage1Description=Rejects the most recent teleport request +tpdenyCommandUsage2=/<command> <player> tpdenyCommandUsage2Description=Rejects a teleport request from the specified player +tpdenyCommandUsage3=/<command> * tpdenyCommandUsage3Description=Rejects all teleport requests tphereCommandDescription=Teleport a player to you. +tphereCommandUsage=/<command> <player> +tphereCommandUsage1=/<command> <player> tphereCommandUsage1Description=Teleports the specified player to you tpoCommandDescription=Teleport override for tptoggle. +tpoCommandUsage=/<command> <player> [otherplayer] +tpoCommandUsage1=/<command> <player> tpoCommandUsage1Description=Teleports the specified player to you whilst overriding their preferences +tpoCommandUsage2=/<command> <player> <other player> tpoCommandUsage2Description=Teleports the first specified player to the second whilst overriding their preferences tpofflineCommandDescription=Teleport to a player''s last known logout location +tpofflineCommandUsage=/<command> <player> +tpofflineCommandUsage1=/<command> <player> tpofflineCommandUsage1Description=Teleports you to the specified player''s logout location tpohereCommandDescription=Teleport here override for tptoggle. +tpohereCommandUsage=/<command> <player> +tpohereCommandUsage1=/<command> <player> +tpohereCommandUsage1Description=Teleports the specified player to you whilst overriding their preferences tpposCommandDescription=Teleport to coordinates. tpposCommandUsage=/<command> <x> <y> <z> [yaw] [pitch] [world] +tpposCommandUsage1=/<command> <x> <y> <z> [yaw] [pitch] [world] tpposCommandUsage1Description=Teleports you to the specified location at an optional yaw, pitch, and/or world tprCommandDescription=Teleport randomly. +tprCommandUsage=/<command> +tprCommandUsage1=/<command> tprCommandUsage1Description=Teleports you to a random location +tprSuccess=<primary>Teleporting to a random location... +tps=<primary>Current TPS \= {0} tptoggleCommandDescription=Blocks all forms of teleportation. +tptoggleCommandUsage=/<command> [player] [on|off] +tptoggleCommandUsage1=/<command> [player] tptoggleCommandUsageDescription=Toggles if teleports are enabled for yourself or another player if specified +tradeSignEmpty=<dark_red>The trade sign has nothing available for you. +tradeSignEmptyOwner=<dark_red>There is nothing to collect from this trade sign. +tradeSignFull=<dark_red>This sign is full\! tradeSignSameType=<dark_red>You cannot trade for the same item type. treeCommandDescription=Spawn a tree where you are looking. treeCommandUsage=/<command> <tree|birch|redwood|redmushroom|brownmushroom|jungle|junglebush|swamp|paleoak> +treeCommandUsage1=/<command> <tree|birch|redwood|redmushroom|brownmushroom|jungle|junglebush|swamp|paleoak> treeCommandUsage1Description=Spawns a tree of the specified type where you''re looking +treeFailure=<dark_red>Tree generation failure. Try again on grass or dirt. +treeSpawned=<primary>Tree spawned. +true=<green>true<reset> +typeTpacancel=<primary>To cancel this request, type <secondary>/tpacancel<primary>. +typeTpaccept=<primary>To teleport, type <secondary>/tpaccept<primary>. +typeTpdeny=<primary>To deny this request, type <secondary>/tpdeny<primary>. +typeWorldName=<primary>You can also type the name of a specific world. +unableToSpawnItem=<dark_red>Cannot spawn <secondary>{0}<dark_red>; this is not a spawnable item. +unableToSpawnMob=<dark_red>Unable to spawn mob. unbanCommandDescription=Unbans the specified player. unbanCommandUsage=/<command> <player> unbanCommandUsage1=/<command> <player> unbanCommandUsage1Description=Unbans the specified player unbanipCommandDescription=Unbans the specified IP address. unbanipCommandUsage=/<command> <address> +unbanipCommandUsage1=/<command> <address> unbanipCommandUsage1Description=Unbans the specified IP address +unignorePlayer=<primary>You are not ignoring player<secondary> {0} <primary>anymore. +unknownItemId=<dark_red>Unknown item id\:<reset> {0}<dark_red>. +unknownItemInList=<dark_red>Unknown item {0} in {1} list. +unknownItemName=<dark_red>Unknown item name\: {0}. unlimitedCommandDescription=Allows the unlimited placing of items. unlimitedCommandUsage=/<command> <list|item|clear> [player] unlimitedCommandUsage1=/<command> list [player] @@ -708,18 +1459,69 @@ unlimitedCommandUsage2=/<command> <item> [player] unlimitedCommandUsage2Description=Toggles if the given item is unlimited for yourself or another player if specified unlimitedCommandUsage3=/<command> clear [player] unlimitedCommandUsage3Description=Clears all unlimited items for yourself or another player if specified +unlimitedItemPermission=<dark_red>No permission for unlimited item <secondary>{0}<dark_red>. +unlimitedItems=<primary>Unlimited items\:<reset> unlinkCommandDescription=Unlinks your Minecraft account from the currently linked Discord account. unlinkCommandUsage=/<command> unlinkCommandUsage1=/<command> unlinkCommandUsage1Description=Unlinks your Minecraft account from the currently linked Discord account. +unmutedPlayer=<primary>Player<secondary> {0} <primary>unmuted. +unsafeTeleportDestination=<dark_red>The teleport destination is unsafe and teleport-safety is disabled. +unsupportedBrand=<dark_red>The server platform you are currently running does not provide the capabilities for this feature. +unsupportedFeature=<dark_red>This feature is not supported on the current server version. +unvanishedReload=<dark_red>A reload has forced you to become visible. upgradingFilesError=Error while upgrading the files. +uptime=<primary>Uptime\:<secondary> {0} +userAFK=<grey>{0} <dark_purple>is currently AFK and may not respond. +userAFKWithMessage=<grey>{0} <dark_purple>is currently AFK and may not respond\: {1} userdataMoveBackError=Failed to move userdata/{0}.tmp to userdata/{1}\! userdataMoveError=Failed to move userdata/{0} to userdata/{1}.tmp\! +userDoesNotExist=<dark_red>The user<secondary> {0} <dark_red>does not exist. +uuidDoesNotExist=<dark_red>The user with UUID<secondary> {0} <dark_red>does not exist. +userIsAway=<grey>* {0} <grey>is now AFK. +userIsAwayWithMessage=<grey>* {0} <grey>is now AFK. +userIsNotAway=<grey>* {0} <grey>is no longer AFK. +userIsAwaySelf=<grey>You are now AFK. +userIsAwaySelfWithMessage=<grey>You are now AFK. +userIsNotAwaySelf=<grey>You are no longer AFK. +userJailed=<primary>You have been jailed\! +usermapEntry=<secondary>{0} <primary>is mapped to <secondary>{1}<primary>. +usermapKnown=<primary>There are <secondary>{0} <primary>known users to the user cache with <secondary>{1} <primary>name to UUID pairs. +usermapPurge=<primary>Checking for files in userdata that are not mapped, results will be logged to console. Destructive Mode\: {0} +usermapSize=<primary>Current cached users in user map is <secondary>{0}<primary>/<secondary>{1}<primary>/<secondary>{2}<primary>. +userUnknown=<dark_red>Warning\: The user ''<secondary>{0}<dark_red>'' has never joined this server. usingTempFolderForTesting=Using temp folder for testing\: +vanish=<primary>Vanish for {0}<primary>\: {1} vanishCommandDescription=Hide yourself from other players. vanishCommandUsage=/<command> [player] [on|off] vanishCommandUsage1=/<command> [player] vanishCommandUsage1Description=Toggles vanish for yourself or another player if specified +vanished=<primary>You are now completely invisible to normal users, and hidden from in-game commands. +versionCheckDisabled=<primary>Update checking disabled in config. +versionCustom=<primary>Unable to check your version\! Self-built? Build information\: <secondary>{0}<primary>. +versionDevBehind=<dark_red>You''re <secondary>{0} <dark_red>EssentialsX dev build(s) out of date\! +versionDevDiverged=<primary>You''re running an experimental build of EssentialsX that is <secondary>{0} <primary>builds behind the latest dev build\! +versionDevDivergedBranch=<primary>Feature Branch\: <secondary>{0}<primary>. +versionDevDivergedLatest=<primary>You''re running an up to date experimental EssentialsX build\! +versionDevLatest=<primary>You''re running the latest EssentialsX dev build\! +versionError=<dark_red>Error while fetching EssentialsX version information\! Build information\: <secondary>{0}<primary>. +versionErrorPlayer=<primary>Error while checking EssentialsX version information\! +versionFetching=<primary>Fetching version information... +versionOutputVaultMissing=<dark_red>Vault is not installed. Chat and permissions may not work. +versionOutputFine=<primary>{0} version\: <green>{1} +versionOutputWarn=<primary>{0} version\: <secondary>{1} +versionOutputUnsupported=<light_purple>{0} <primary>version\: <light_purple>{1} +versionOutputUnsupportedPlugins=<primary>You are running <light_purple>unsupported plugins<primary>\! +versionOutputEconLayer=<primary>Economy Layer\: <reset>{0} +versionMismatch=<dark_red>Version mismatch\! Please update {0} to the same version. +versionMismatchAll=<dark_red>Version mismatch\! Please update all Essentials jars to the same version. +versionReleaseLatest=<primary>You''re running the latest stable version of EssentialsX\! +versionReleaseNew=<dark_red>There is a new EssentialsX version available for download\: <secondary>{0}<dark_red>. +versionReleaseNewLink=<dark_red>Download it here\:<secondary> {0} +voiceSilenced=<primary>Your voice has been silenced\! +voiceSilencedTime=<primary>Your voice has been silenced for {0}\! +voiceSilencedReason=<primary>Your voice has been silenced\! Reason\: <secondary>{0} +voiceSilencedReasonTime=<primary>Your voice has been silenced for {0}\! Reason\: <secondary>{1} walking=walking warpCommandDescription=List all warps or warp to the specified location. warpCommandUsage=/<command> <pagenumber|warp> [player] @@ -727,31 +1529,84 @@ warpCommandUsage1=/<command> [page] warpCommandUsage1Description=Gives a list of all warps on either the first or specified page warpCommandUsage2=/<command> <warp> [player] warpCommandUsage2Description=Teleports you or a specified player to the given warp +warpDeleteError=<dark_red>Problem deleting the warp file. +warpInfo=<primary>Information for warp<secondary> {0}<primary>\: warpinfoCommandDescription=Finds location information for a specified warp. +warpinfoCommandUsage=/<command> <warp> warpinfoCommandUsage1=/<command> <warp> warpinfoCommandUsage1Description=Provides information about the given warp +warpingTo=<primary>Warping to<secondary> {0}<primary>. warpList={0} +warpListPermission=<dark_red>You do not have permission to list warps. +warpNotExist=<dark_red>That warp does not exist. +warpOverwrite=<dark_red>You cannot overwrite that warp. +warps=<primary>Warps\:<reset> {0} +warpsCount=<primary>There are<secondary> {0} <primary>warps. Showing page <secondary>{1} <primary>of <secondary>{2}<primary>. weatherCommandDescription=Sets the weather. weatherCommandUsage=/<command> <storm/sun> [duration] weatherCommandUsage1=/<command> <storm|sun> [duration] weatherCommandUsage1Description=Sets the weather to the given type for an optional duration +warpSet=<primary>Warp<secondary> {0} <primary>set. +warpUsePermission=<dark_red>You do not have permission to use that warp. weatherInvalidWorld=World named {0} not found\! +weatherSignStorm=<primary>Weather\: <secondary>stormy<primary>. +weatherSignSun=<primary>Weather\: <secondary>sunny<primary>. +weatherStorm=<primary>You set the weather to <secondary>storm<primary> in<secondary> {0}<primary>. +weatherStormFor=<primary>You set the weather to <secondary>storm<primary> in<secondary> {0} <primary>for<secondary> {1} seconds<primary>. +weatherSun=<primary>You set the weather to <secondary>sun<primary> in<secondary> {0}<primary>. +weatherSunFor=<primary>You set the weather to <secondary>sun<primary> in<secondary> {0} <primary>for <secondary>{1} seconds<primary>. west=W +whoisAFK=<primary> - AFK\:<reset> {0} +whoisAFKSince=<primary> - AFK\:<reset> {0} (Since {1}) +whoisBanned=<primary> - Banned\:<reset> {0} whoisCommandDescription=Determine the username behind a nickname. whoisCommandUsage=/<command> <nickname> +whoisCommandUsage1=/<command> <player> whoisCommandUsage1Description=Gives basic information about the specified player +whoisExp=<primary> - Exp\:<reset> {0} (Level {1}) +whoisFly=<primary> - Fly mode\:<reset> {0} ({1}) +whoisSpeed=<primary> - Speed\:<reset> {0} +whoisGamemode=<primary> - Gamemode\:<reset> {0} +whoisGeoLocation=<primary> - Location\:<reset> {0} +whoisGod=<primary> - God mode\:<reset> {0} +whoisHealth=<primary> - Health\:<reset> {0}/20 +whoisHunger=<primary> - Hunger\:<reset> {0}/20 (+{1} saturation) +whoisIPAddress=<primary> - IP Address\:<reset> {0} +whoisJail=<primary> - Jail\:<reset> {0} +whoisLocation=<primary> - Location\:<reset> ({0}, {1}, {2}, {3}) +whoisMoney=<primary> - Money\:<reset> {0} +whoisMuted=<primary> - Muted\:<reset> {0} +whoisMutedReason=<primary> - Muted\:<reset> {0} <primary>Reason\: <secondary>{1} +whoisNick=<primary> - Nick\:<reset> {0} +whoisOp=<primary> - OP\:<reset> {0} +whoisPlaytime=<primary> - Playtime\:<reset> {0} +whoisTempBanned=<primary> - Ban expires\:<reset> {0} +whoisTop=<primary> \=\=\=\=\=\= WhoIs\:<secondary> {0} <primary>\=\=\=\=\=\= +whoisUuid=<primary> - UUID\:<reset> {0} +whoisWhitelist=<primary> - Whitelist\:<reset> {0} workbenchCommandDescription=Opens up a workbench. +workbenchCommandUsage=/<command> worldCommandDescription=Switch between worlds. worldCommandUsage=/<command> [world] +worldCommandUsage1=/<command> worldCommandUsage1Description=Teleports to your corresponding location in the nether or overworld worldCommandUsage2=/<command> <world> worldCommandUsage2Description=Teleports to your location in the given world +worth=<green>Stack of {0} worth <secondary>{1}<green> ({2} item(s) at {3} each) worthCommandDescription=Calculates the worth of items in hand or as specified. worthCommandUsage=/<command> <<itemname>|<id>|hand|inventory|blocks> [-][amount] +worthCommandUsage1=/<command> <itemname> [amount] worthCommandUsage1Description=Checks the worth of all (or the given amount, if specified) of the given item in your inventory +worthCommandUsage2=/<command> hand [amount] worthCommandUsage2Description=Checks the worth of all (or the given amount, if specified) of the held item +worthCommandUsage3=/<command> all worthCommandUsage3Description=Checks the worth of all possible items in your inventory +worthCommandUsage4=/<command> blocks [amount] worthCommandUsage4Description=Checks the worth of all (or the given amount, if specified) of blocks in your inventory +worthMeta=<green>Stack of {0} with metadata of {1} worth <secondary>{2}<green> ({3} item(s) at {4} each) +worthSet=<primary>Worth value set year=year years=years +youAreHealed=<primary>You have been healed. +youHaveNewMail=<primary>You have<secondary> {0} <primary>messages\! Type <secondary>/mail read<primary> to view your mail. xmppNotConfigured=XMPP is not configured properly. If you do not know what XMPP is, you may wish to remove the EssentialsXXMPP plugin from your server. diff --git a/Essentials/src/main/resources/messages_es.properties b/Essentials/src/main/resources/messages_es.properties index 7663f9f343e..19db8ffd068 100644 --- a/Essentials/src/main/resources/messages_es.properties +++ b/Essentials/src/main/resources/messages_es.properties @@ -82,6 +82,7 @@ bigTreeFailure=<secondary>Error al generar el árbol grande. Prueba de nuevo en bigTreeSuccess=<primary>Árbol grande generado. bigtreeCommandDescription=Genera un árbol grande donde estás mirando. bigtreeCommandUsage=/<command> <tree|redwood|jungle|darkoak> +bigtreeCommandUsage1= bigtreeCommandUsage1Description=Genera un árbol grande del tipo especificado blockList=<primary>EssentialsX está transmitiendo los siguientes comandos a otros plugins\: blockListEmpty=<primary>EssentialsX no está transmitiendo ningún comando a otros plugins. diff --git a/Essentials/src/main/resources/messages_fr.properties b/Essentials/src/main/resources/messages_fr.properties index f1d0f1fbffc..b7907cfe294 100644 --- a/Essentials/src/main/resources/messages_fr.properties +++ b/Essentials/src/main/resources/messages_fr.properties @@ -1,4 +1,5 @@ #Sat Feb 03 17:34:46 GMT 2024 +action=<dark_purple>* {0}<dark_purple>{1} addedToAccount=<yellow>{0}<green> ont été ajoutés à votre compte. addedToOthersAccount=<yellow>{0}<green> ajoutés au compte de <yellow>{1}<green>. Nouveau solde \: <yellow>{2} adventure=aventure @@ -13,10 +14,10 @@ alertFormat=<dark_aqua>[{0}] <reset> {1} <primary> {2} à \: {3} alertPlaced=a placé \: alertUsed=a utilisé \: alphaNames=<dark_red>Les pseudos ne peuvent contenir que des lettres, des chiffres et des sous-tirets. -antiBuildBreak=<dark_red>Vous n''êtes pas autorisé à casser des blocs de {0} <dark_red>ici. +antiBuildBreak=<dark_red>Vous n''êtes pas autorisé à casser des blocs de<secondary> {0} <dark_red>ici. antiBuildCraft=<dark_red>Vous n''êtes pas autorisé à créer<secondary> {0}<dark_red>. antiBuildDrop=<dark_red>Vous n''êtes pas autorisé à jeter<secondary> {0}<dark_red>. -antiBuildInteract=<dark_red>Vous n''êtes pas autorisé à interagir avec {0}. +antiBuildInteract=<dark_red>Vous n''êtes pas autorisé à interagir avec<secondary> {0}<dark_red>. antiBuildPlace=<dark_red>Vous n''êtes pas autorisé à placer<secondary> {0} <dark_red>ici. antiBuildUse=<dark_red>Vous n''êtes pas autorisé à utiliser<secondary> {0}<dark_red>. antiochCommandDescription=Une petite surprise pour les opérateurs. @@ -33,16 +34,16 @@ backCommandDescription=Vous transporte à votre emplacement précédant votre t backCommandUsage=/<command> [joueur] backCommandUsage1=/<command> backCommandUsage1Description=Vous téléporte sur votre position précédente -backCommandUsage2=/<command> <joueur> +backCommandUsage2=/<command> <player> backCommandUsage2Description=Téléporte le joueur spécifié sur leur position précédente -backOther=<gray>Renvoi de <secondary>{0}<primary> à son emplacement précédent. +backOther=<primay>Renvoi de <secondary>{0}<primary> à son emplacement précédent. backupCommandDescription=Effectue une sauvegarde si configuré. backupCommandUsage=/<command> backupDisabled=<dark_red>Un script externe de sauvegarde n''a pas été configuré. backupFinished=<primary>Sauvegarde terminée. backupStarted=<primary>Début de la sauvegarde. -backupInProgress=<primary>Un script externe de sauvegarde est en cours d’exécution \! L''arrêt du plugin est suspendu jusque la fin de la procédure. -backUsageMsg=<gray>Retour à votre emplacement précédent. +backupInProgress=<primary>Un script externe de sauvegarde est en cours d’exécution \! L''arrêt du plugin est suspendu jusqu''à la fin de la procédure. +backUsageMsg=<primary>Retour à votre emplacement précédent. balance=<green>Solde \:<secondary> {0} balanceCommandDescription=Indique le solde actuel d''un joueur. balanceCommandUsage=/<command> [joueur] @@ -59,7 +60,7 @@ balancetopCommandUsage1=/<command> [page] balancetopCommandUsage1Description=Affiche la première page (ou une page spécifique) des valeurs des plus grosses fortunes banCommandDescription=Bannit un joueur. banCommandUsage=/<command> <joueur> [raison] -banCommandUsage1=/<command> <joueur> [raison] +banCommandUsage1=/<command> <player> [raison] banCommandUsage1Description=Bannit le joueur spécifié avec une raison facultative banExempt=<dark_red>Vous ne pouvez pas bannir ce joueur. banExemptOffline=<dark_red>Vous ne pouvez bannir les joueurs déconnectés. @@ -68,13 +69,13 @@ banIpJoin=Votre adresse IP est bannie de ce serveur. Raison \: {0} banJoin=Vous êtes banni(e) de ce serveur. Raison \: {0} banipCommandDescription=Bannir une adresse IP. banipCommandUsage=/<command> <adresse> [raison] -banipCommandUsage1=/<command> <adresse> [raison] +banipCommandUsage1=/<command> <adress> [raison] banipCommandUsage1Description=Bannit l''adresse IP spécifiée avec une raison facultative bed=<i>lit<reset> bedMissing=<dark_red>Votre lit est soit indéfini, soit manquant, soit obstrué. bedNull=<st>lit<reset> bedOffline=<dark_red>Impossible de se téléporter aux lits d''utilisateurs hors ligne. -bedSet=<primary>Point de réapparition défini \! +bedSet=<primary>Point de réapparition définit \! beezookaCommandDescription=Lance une abeille explosive sur votre adversaire. beezookaCommandUsage=/<command> bigTreeFailure=<secondary>Échec de la génération du gros arbre. Essayez de nouveau sur de la terre ou de l''herbe. @@ -94,7 +95,7 @@ bookCommandUsage2=/<command> author <auteur> bookCommandUsage2Description=Définit l''auteur d''un livre signé bookCommandUsage3=/<command> title <titre> bookCommandUsage3Description=Définit le titre d''un livre signé -bookLocked=<secondary>Ce livre est désormais scellé. +bookLocked=<primary>Ce livre est désormais scellé. bookTitleSet=<primary>Le titre du livre est maintenant {0}. bottomCommandDescription=Se téléporter vers le bloc le plus haut, de votre position actuelle. bottomCommandUsage=/<command> @@ -125,6 +126,7 @@ cantReadGeoIpDB=Échec de la lecture de la base de données GeoIP \! cantSpawnItem=<dark_red>Vous n''êtes pas autorisé(e) à faire apparaître l''objet<secondary> {0}<dark_red>. cartographytableCommandDescription=Ouvre une table de cartographie. cartographytableCommandUsage=/<command> +chatTypeLocal=<dark_aqua>[L] chatTypeSpy=[Espion] cleaned=Fichiers joueurs nettoyés. cleaning=Nettoyage des fichiers joueurs. @@ -140,6 +142,9 @@ clearinventoryCommandUsage3=/<command> <joueur> <objet> [quantité] clearinventoryCommandUsage3Description=Supprime tous les objets (ou la quantité d''objet spécifiée) dans l’inventaire du joueur spécifié clearinventoryconfirmtoggleCommandDescription=Activer/désactiver la confirmation pour le nettoyage de l''inventaire. clearinventoryconfirmtoggleCommandUsage=/<command> +commandArgumentOptional=<gray> +commandArgumentOr=<secondary> +commandArgumentRequired=<yellow> commandCooldown=<secondary>Vous ne pouvez pas exécuter cette commande pendant {0}. commandDisabled=<secondary>La commande<primary> {0}<secondary> est désactivée. commandFailed=Échec de la commande {0} \: @@ -148,6 +153,7 @@ commandHelpLine1=<gray>Aide sur la commande \: <white>/{0} commandHelpLine2=<primary>Description \: <white>{0} commandHelpLine3=<gray>Utilisation(s) \: commandHelpLine4=<primary>Alias \: <white>{0} +commandHelpLineUsage={0}<primary>{1} commandNotLoaded=<secondary>La commande {0} a été mal chargée. consoleCannotUseCommand=Cette commande ne peut être utilisée que par la console. compassBearing=<gray>Orientation\: {0} ({1} degrés). @@ -161,6 +167,8 @@ condenseCommandUsage2=/<command> <item> condenseCommandUsage2Description=Condense l''objet spécifié dans votre inventaire configFileMoveError=Échec du déplacement de config.yml vers l''emplacement de sauvegarde. configFileRenameError=Impossible de renommer le fichier temporaire en config.yml. +confirmClear=<gray>Pour <b>CONFIRMER</b><gray> le nettoyage de l''inventaire, répéter la commande s''il vous plaît \: <primary>{0} +confirmPayment=<gray>Pour<b>CONFIRMER</b><gray> le paiement de <primary>{0}<gray>, répéter la commande s''il vous plaît \:<primary>{1} connectedPlayers=<primary>Joueurs connectés<reset> connectionFailed=Échec de la connexion. consoleName=Console @@ -173,6 +181,7 @@ createkitCommandUsage=/<commande> <kit> <délai> createkitCommandUsage1=/<command> <nom du kit> <délais> createkitCommandUsage1Description=Crée un kit avec le nom donné et le délai indiqué createKitFailed=<dark_red>Erreur lors de la création du kit {0}. +createKitSeparator=<st>----------------------- createKitSuccess=<primary>Kit créé \: <white>{0}\n<primary>Délai \: <white>{1}\n<primary>Lien \: <white>{2}\n<primary>Copiez le contenu du lien ci-dessus dans votre fichier kits.yml. createKitUnsupported=<dark_red>La sérialisation d''item NBT a été activée, mais ce serveur n''exécute pas Paper 1.15.2+. Retour à la sérialisation d''item standard. creatingConfigFromTemplate=Création de la configuration à partir du modèle \: {0} @@ -445,6 +454,7 @@ geoIpLicenseMissing=Aucune clé de licence n''a été trouvée. Il faut vous ren geoIpUrlEmpty=L''URL de téléchargement de GeoIP est vide. geoIpUrlInvalid=L''URL de téléchargement de GeoIP est invalide. givenSkull=<primary>Vous avez reçu la tête de <secondary>{0}<primary>. +givenSkullOther=<primary>Tu a donné<secondary>{0}<primary>le crâne de<secondary>{1}<primary>. godCommandDescription=Active vos pouvoirs divins. godCommandUsage=/<command> [joueur] [on|off] godCommandUsage1=/<command> [joueur] @@ -540,6 +550,7 @@ invalidHome=La résidence {0} n''existe pas invalidHomeName=<dark_red>Nom de résidence invalide \! invalidItemFlagMeta=<dark_red>Itemflag meta invalide\: <secondary>{0}<dark_red>. invalidMob=<dark_red>Type de créature invalide +invalidModifier= invalidNumber=Nombre invalide. invalidPotion=<dark_red>Potion invalide. invalidPotionMeta=<dark_red>Métadata de potion invalide \: <secondary>{0}<dark_red>. @@ -654,6 +665,7 @@ kitCommandUsage1Description=Liste tous les kits disponibles kitCommandUsage2=/<command> <kit> [joueur] kitCommandUsage2Description=Vous donne le kit spécifié ou le donne à un autre joueur si spécifié kitContains=<primary>Le kit <secondary>{0} <primary>contient \: +kitCost=\ <gray><i>({0})<reset> kitError=<secondary>Il n''y a pas de kits valides. kitError2=<dark_red>Ce kit est mal défini. Contactez un administrateur. kitError3=Impossible de donner l''article du kit dans le kit "{0}" à l''utilisateur {1} car l''élément du kit nécessite Paper 1.15.2+ pour la désérialiser. @@ -721,6 +733,7 @@ mailCommandUsage7Description=Envoie au joueur spécifié le message qui expirera mailCommandUsage8=/<command> sendtemp <joueur> <temps expiration> <message> mailCommandUsage8Description=Envoie à tous les joueurs le message donné qui expirera dans la période spécifiée mailDelay=Trop de courriers ont été envoyés au cours de la dernière minute. Maximum \: {0} +mailFormat= mailMessage={0} mailSent=<primary>Courrier envoyé \! mailSentTo=<secondary>{0}<primary> a reçu le courrier suivant \: @@ -728,6 +741,7 @@ mailSentToExpire=<secondary>{0}<primary> a été envoyé le mail suivant qui exp mailTooLong=<dark_red>Votre courrier est trop long. Il doit contenir au maximum 1000 caractères. markMailAsRead=<primary>Pour marquer votre courrier comme lu, tapez<secondary> /mail clear<primary>. matchingIPAddress=<primary>Les joueurs suivants se sont déjà connectés avec cette adresse IP \: +matchingAccounts={0} maxHomes=Vous ne pouvez pas créer plus de {0} résidences. maxMoney=<dark_red>Cette transaction dépasserait la limite du solde de ce compte. mayNotJail=<secondary>Vous ne pouvez pas emprisonner cette personne. @@ -1388,6 +1402,7 @@ tradeSignEmptyOwner=Il n''y a rien à collecter de cette pancarte d''échange co tradeSignFull=<dark_red>Ce panneau est complet\! tradeSignSameType=<dark_red>Vous ne pouvez pas échanger le même type d''objet. treeCommandDescription=Fait apparaître un arbre où vous regardez. +treeCommandUsage= treeCommandUsage1=/<command> <tree|birch|redwood|redmushroom|brownmushroom|jungle|junglebush|swamp> treeCommandUsage1Description=Fait apparaître un arbre du type spécifié à l''emplacement où vous regardez treeFailure=<secondary>Échec de la génération de l''arbre. Essayez de nouveau sur de l''herbe ou de la terre. @@ -1542,6 +1557,7 @@ whoisOp=<primary> - OP \:<white> {0} whoisPlaytime=<primary> - Temps de jeu \:<reset> {0} whoisTempBanned=<primary> - Expiration du bannissement \:<reset> {0} whoisUuid=<primary> - UUID \:<reset> {0} +whoisWhitelist=<primary> - Liste Blanche \:<reset>{0} workbenchCommandDescription=Ouvre un établi. workbenchCommandUsage=/<command> worldCommandDescription=Bascule entre mondes. diff --git a/Essentials/src/main/resources/messages_he.properties b/Essentials/src/main/resources/messages_he.properties index 6327dd97ac9..678fb30cf4b 100644 --- a/Essentials/src/main/resources/messages_he.properties +++ b/Essentials/src/main/resources/messages_he.properties @@ -286,11 +286,12 @@ discordLinkInvalidRoleInteract=לא ניתן להשתמש בתפקיד, {0} ({1} discordLinkInvalidRoleManaged=לא ניתן להשתמש בתפקיד, {0} ({1}), לסנכרון קבוצה->תפקידים מכיוון שהוא מנוהל על ידי בוט או אינטגרציה אחרים. discordLoggingIn=מנסה להיכנס לדיסקורד... discordLoggingInDone=נכנס בהצלחה בתור {0} -discordMailLine=**אימייל חדש מ{0}\:** {1} +discordMailLine=**אימייל חדש מ- {0}\:** {1} discordNoSendPermission=לא ניתן לשלוח הודעה בערוץ\: \#{0} אנא ודאו שלבוט יש הרשאת "Send Messages" בערוץ זה\! discordReloadInvalid=ניסיתי לטעון מחדש את תצורת EssentialsX Discord בזמן שהפלאגין במצב לא חוקי\! אם שיניתם את ההגדרות, הפעילו מחדש את השרת שלכם. disposal=פח זבל disposalCommandDescription=פותח פח זבל. +disposalCommandUsage=/<command> distance=<primary>מרחק\: {0} dontMoveMessage=\n<primary>שיגור יתבצע בעוד<secondary> {0}<primary>. אל תזוז.\n downloadingGeoIp=הורדת מסד הנתונים GeoIP מתבצעת... זה עשוי לקחת זמן מה (מדינה\: 1.7 מגה-בייט, עיר\: 30 מגה-בייט) @@ -314,9 +315,10 @@ ecoCommandUsage3Description=מגדיר את יתרת הבנק השחקן שצו ecoCommandUsage4=\\<command> reset <player> <amount> ecoCommandUsage4Description=מאפס את יתרת הבנק של השחקן שצוין ליתרת ההתחלה של השרת editBookContents=\n<yellow>כעת אתה יכול לערוך את התוכן של ספר זה.\n +emptySignLine=<dark_red>שורה ריקה {0} enabled=הופעל enchantCommandDescription=מכשף פריט שהמשתמש מחזיק. -enchantCommandUsage=\\<command> <enchantmentname> [level] +enchantCommandUsage=/<command> <enchantmentname> [level] enchantCommandUsage1=\\<command> <enchantment name> [level] enchantCommandUsage1Description=מכשף את הפריט ביד שלך עם כישוף שנבחר לרמה שצוינה enableUnlimited=\n<primary>נותן ללא הגבלה בסכום של<secondary> {0} <primary>ל <secondary>{1}<primary>.\n @@ -326,39 +328,43 @@ enchantmentPerm=\n<dark_red>אין לך הרשאות ל<secondary> {0}<dark_red> enchantmentRemoved=\n<primary>הכישוף<secondary> {0} <primary>הוסר מהחפץ בידך.\n enchantments=\n<primary>כישופים\:<reset> {0}\n enderchestCommandDescription=מאפשר לך לראות בתוך תיבת אנדר. +enderchestCommandUsage=/<command> [שחקן] +enderchestCommandUsage1=/<command> enderchestCommandUsage1Description=פותח את תיבת האנדר שלכם +enderchestCommandUsage2=/<command> <player> enderchestCommandUsage2Description=פותח תיבת אנדר של שחקן שצוין errorCallingCommand=\nשגיאה בניסיון להרצת הפקודה /{0}\n errorWithMessage=\n<secondary>שגיאה\:<dark_red> {0}\n essentialsCommandDescription=הפעלה מחדש של essentials. -essentialsCommandUsage1=\\<command> reload +essentialsCommandUsage=/<command> +essentialsCommandUsage1=/<command> reload essentialsCommandUsage1Description=רענון של קובץ config של Essentials -essentialsCommandUsage2=\\<command> version +essentialsCommandUsage2=/<command> version essentialsCommandUsage2Description=מציג מידע על הגרסה הנוכחית של Essentials -essentialsCommandUsage3=\\<command> commands +essentialsCommandUsage3=/<command> commands essentialsCommandUsage3Description=נותן מידע על הפקודות ש-Essentials מעביר -essentialsCommandUsage4=\\<command> debug +essentialsCommandUsage4=/<command> debug essentialsCommandUsage4Description=מפעיל את "מצב ניפוי באגים" של Essentials -essentialsCommandUsage5=\\<command> reset <player> +essentialsCommandUsage5=/<command> reset <player> essentialsCommandUsage5Description=מאפס את נתוני המשתמש של השחקן הנתון -essentialsCommandUsage6=\\<command> cleanup +essentialsCommandUsage6=/<command> cleanup essentialsCommandUsage6Description=מנקה נתוני שחקנים ישנים -essentialsCommandUsage7=\\<command> homes +essentialsCommandUsage7=/<command> homes essentialsCommandUsage7Description=ניהול בתי שחקן -essentialsCommandUsage8=\\<command> dump [all] [config] [discord] [kits] [log] +essentialsCommandUsage8=/<command> dump [all] [config] [discord] [kits] [log] essentialsCommandUsage8Description=יוצר dump שרת עם המידע המבוקש -essentialsHelp1=\nהקובץ פגום וEssentials לא יכול להריץ אותו. Essentials עכשיו מכובה. אם אינך יכול לתקן את הקובץ בעצמך, עבור אל הכתובת הבאה http\://tiny.cc/EssentialsChat\n -essentialsHelp2=\nהקובץ פגום וEssentials לא יכול להריץ אותו. Essentials עכשיו מכובה. אם אינך יכול לתקן את הקובץ בעצמך, כתוב /essentialshelp במשחק, או עבור אל http\://tiny.cc/EssentialsChat\n +essentialsHelp1=הקובץ פגום ו- Essentials לא יכול להריץ אותו. Essentials עכשיו מכובה. אם אינך יכול לתקן את הקובץ בעצמך, עבור אל הכתובת הבאה http\://tiny.cc/EssentialsChat +essentialsHelp2=הקובץ פגום ו- Essentials לא יכול להריץ אותו. Essentials עכשיו מכובה. אם אינך יכול לתקן את הקובץ בעצמך, כתוב /essentialshelp במשחק, או עבור אל http\://tiny.cc/EssentialsChat essentialsReload=\n<primary>Essentials נטען מחדש בהצלחה<secondary> {0}.\n exp=\n<secondary>{0} <primary>יש<secondary> {1} <primary>exp (רמה<secondary> {2}<primary>) וצריך<secondary> {3} <primary>עוד exp לעלות רמה.\n expCommandDescription=תנו, הגדירו, אפסו או הסתכלו בתוך נתוני וחוויות השחקנים. -expCommandUsage=\\<command> [reset|show|set|give] [playername [amount]] +expCommandUsage=/<command> [reset|show|set|give] [playername [amount]] expCommandUsage1Description=נותן לשחקן היעד את כמות ה-אקספי שצוינה -expCommandUsage2=\\<command> set <playername> <amount> +expCommandUsage2=/<command> set <playername> <amount> expCommandUsage2Description=מגדיר את ה-אקספי של שחקן שצוין אם כמות האקספי שצוינה -expCommandUsage3=\\<command> show <playername> +expCommandUsage3=/<command> show <playername> expCommandUsage4Description=מציג את הכמות של האקס פי שנמצא בבעלות השחקן -expCommandUsage5=\\<command> reset <playername> +expCommandUsage5=/<command> reset <playername> expCommandUsage5Description=מאפס את כמות האקס פי של השחקן ל 0 expSet=\n<secondary>{0} <primary>יש כעת<secondary> {1} <primary>exp.\n extCommandDescription=מכבה שחקנים. @@ -367,13 +373,15 @@ extinguishOthers=\n<primary>אתה כיבית את {0}<primary>.\n failedToCloseConfig=שגיאה בעת סגירת ה Config failedToCreateConfig=\nשגיאה בניסיון ליצור את קובץ הקונפיג {0}.\n failedToWriteConfig=שגיעה בעת כתיבה ל Config -false=לא נכון +false=<dark_red>לא נכון<reset> feed=\n<primary>הרעב שלך התמלא.\n feedCommandDescription=השבע את הרעב. +feedCommandUsage=/<command> [שחקן] +feedCommandUsage1=/<command> [שחקן] feedCommandUsage1Description=מאכיל את עצמך או שחקן אחר, אם צוין feedOther=\n<primary>מילאת את הרעב של <secondary>{0}<primary>.\n fileRenameError=\nשינוי שם של הקובץ {0} נכשל\!\n -fireballCommandUsage=\\<command> [fireball|small|large|arrow|skull|egg|snowball|expbottle|dragon|splashpotion|lingeringpotion|trident] [speed] +fireballCommandUsage=/<command> [fireball|small|large|arrow|skull|egg|snowball|expbottle|dragon|splashpotion|lingeringpotion|trident] [speed] fireballCommandUsage1=/<command> fireballCommandUsage1Description=זורק כדור אש רגיל מהמיקום שלך fireballCommandUsage2=\\<command> <fireball|small|large|arrow|skull|egg|snowball|expbottle|dragon|splashpotion|lingeringpotion|trident> [speed] @@ -517,20 +525,24 @@ invalidSkull=<dark_red> נא להחזיק ראש של שחקן. invalidWarpName=השם של ה warp לא תקין \! invalidWorld=עולם לא מצא / תקין. inventoryClearFail=<dark_red>לשחקן<secondary> {0} <dark_red>אין<secondary> {1} <dark_red>מ<secondary>{2}<dark_red>. +invseeCommandUsage=/<command> <player> is=זה itemCannotBeSold=החפץ הזה לא יכול להמכר לשרת. itemCommandUsage=\\<command> <item|numeric> [amount [itemmeta...]] itemloreCommandUsage=\\<command> <add/set/clear> [text/line] [text] itemloreCommandUsage1=\\<command> add [text] +itemloreCommandUsage3=/<command> clear itemMustBeStacked=\n<dark_red>החפץ חייב לעבור בכמויות. כמות של 2s יהיה שתי סטאקים, וכו''.\n itemNames=\n<primary>שמות קצרים של החפץ\:<reset> {0}\n itemnameCommandDescription=מונה את הפריט. itemnameCommandUsage=\\<command> [name] +itemnameCommandUsage1=/<command> itemNotEnough1=\n<dark_red>אין לך מספיק מחפץ לך כדי למכור.\n itemSellAir=אתה באמת ניסית למכור אוויר ? תשים חפץ ביד שלך. itemSold=\n<green>נמכר ל <secondary>{0} <green>({1} {2}ל {3} אחד).\n itemSpawn=\n<primary>נותן<secondary> {0} <primary>של<secondary> {1}\n itemdbCommandUsage=\\<command> <item> +itemdbCommandUsage1=/<command> <item> jailAlreadyIncarcerated=\n<dark_red>השחקן כבר בכלא\:<secondary> {0}\n jailMessage=\n<dark_red>אתה עושה את הפשע, אתה עושה את הזמן.\n jailNotExist=הכלא הזה לא קיים. @@ -558,10 +570,13 @@ kickallCommandUsage1=/<command> [סיבה] kickallCommandUsage1Description=מעיף את כל השחקנים עם סיבה אפשרית kill=הרג killCommandDescription=הורג שחקן שניתן. +killCommandUsage=/<command> <player> +killCommandUsage1=/<command> <player> killCommandUsage1Description=הורג את השחקן שניתן killExempt=אתה לא יכול להרוג x kitCommandDescription=משיג את הקיט הניתן או מראה את כל הקיטים הזמינים. kitCommandUsage=\\<command> [kit] [player] +kitCommandUsage1=/<command> kitCommandUsage1Description=מונה את כל הקיטים הזמינים kitCommandUsage2Description=נותן את הקיט שניתן לך או לשחקן אחר אם פורט kitContains=<primary>קיט <secondary>{0} <primary>מכיל\: @@ -581,6 +596,7 @@ kits=\n<primary>ערכות\:<reset> {0}\n kittycannonCommandUsage=/<command> kitTimed=\n<dark_red>תוכל להשתמש בערכה זאת רק בעוד<secondary> {0}<dark_red>.\n lightningCommandUsage=\\<command> [player] [power] +lightningCommandUsage1=/<command> [שחקן] lightningCommandUsage2=\\<command> <player> <power> lightningSmited=\n<primary>ברק נורה\!\n lightningUse=\n<primary>פוגע עם ברק ב<secondary> {0}\n @@ -589,7 +605,9 @@ linkCommandUsage1=/<command> listAfkTag=<gray>[רחוק מהמקלדת]<reset> listAmount=\n<primary>יש כרגע <secondary>{0}<primary> מתוך מקסימום שחקנים של <secondary>{1}<primary> שחקנים מחוברים.\n listCommandUsage=\\<command> [group] +listCommandUsage1=/<command> [קבוצה] listHiddenTag=\n<gray>[מוסתר]<reset>\n +listRealName=({0}) loadWarpError=\n<dark_red>שגיאה בניסיון לטעון שיגור {0}.\n loomCommandUsage=/<command> mailCleared=\n<primary>דואר נוקה\!\n @@ -600,6 +618,7 @@ mailMessage={0} mailSent=\n<primary>דואר נשלח\!\n markMailAsRead=\n<primary>בשביל לסמן את כל הדואר כנקרא , רשום<secondary> /mail clear<primary>.\n matchingIPAddress=\n<primary>השחקנים הבאים התחברו בפעמים קודמות מכתובת האייפי הבאה\:\n +matchingAccounts={0} maxHomes=\n<dark_red>אינך יכול להגיד יותר מ<secondary> {0} <dark_red>בתים.\n mayNotJail=\n<dark_red>אינך יכול לשלוח את שחקן זה לכלא\!\n meCommandUsage=\\<command> <description> @@ -610,8 +629,13 @@ minutes=דקות mobsAvailable=<primary>מובים\:<reset> {0} month=חודש months=חודשים +moreCommandUsage=/<command> [כמות] +moreCommandUsage1=/<command> [כמות] moreThanZero=<dark_red>כמות צריכה להיות גדולה מ0. +msgtoggleCommandUsage=/<command> [שחקן] [on|off] +msgtoggleCommandUsage1=/<command> [שחקן] muteCommandUsage=\\<command> <player> [datediff] [reason] +muteCommandUsage1=/<command> <player> muteCommandUsage2=\\<command> <player> <datediff> [reason] mutedPlayer=<primary>Player<secondary> {0} <primary>הושתק. muteExempt=<dark_red>אתה לא יכול להשתיק שחקן זה. @@ -619,6 +643,7 @@ muteNotify=<secondary>{0} <primary>השתיק את <secondary>{1}<primary>. nearCommandUsage=\\<command> [playername] [radius] nearCommandUsage1=/<command> nearCommandUsage2=\\<command> <radius> +nearCommandUsage3=/<command> <player> nearCommandUsage4=\\<command> <player> <radius> nickChanged=<primary>כינוי שונה. nickCommandUsage=\\<command> [player] <nickname|off> @@ -653,6 +678,7 @@ nothingInHand=\n<dark_red>אין לך כלום ביד.\n now=עכשיו noWarpsDefined=\n<primary>אין שיגורים.\n nuke=\n<dark_purple>גשם מוות הופעל.\n +nukeCommandUsage=/<command> [שחקן] nukeCommandUsage1=\\<command> [players...] numberRequired=מספר הולך לשם, טיפשי onlyDayNight=/time תומך רק יום/לילה. @@ -664,6 +690,7 @@ oversizedTempban=\n<dark_red>אינך יכול לאסור שחקן זה לזמן payCommandUsage=\\<command> <player> <amount> payconfirmtoggleCommandUsage=/<command> pendingTeleportCancelled=\n<dark_red>בקשה ממתינה בוטלה.\n +pingCommandUsage=/<command> playerBanIpAddress=\n<primary>השחקן<secondary> {0} <primary>אסר את כתובת האייפי הבאה<secondary> {1} <primary>ל\: <secondary>{2}<primary>.\n playerBanned=\n<primary>השחקן<secondary> {0} <primary>אסר<secondary> {1} <primary>ל\: <secondary>{2}<primary>.\n playerJailed=\n<primary>השחקן<secondary> {0} <primary>נכנס לכלא.\n diff --git a/Essentials/src/main/resources/messages_hu.properties b/Essentials/src/main/resources/messages_hu.properties index 55675e5e4d4..ca392658af0 100644 --- a/Essentials/src/main/resources/messages_hu.properties +++ b/Essentials/src/main/resources/messages_hu.properties @@ -6,15 +6,15 @@ adventure=kaland afkCommandDescription=Beállítja, hogy távol vagy a géptől. afkCommandUsage=/<command> [játékos/üzenet...] afkCommandUsage1=/<command> [üzenet] -afkCommandUsage1Description=Az AFK állapot beállítása egy opcionális okkal +afkCommandUsage1Description=Az AFK állapot beállítása egy opcionális indokkal afkCommandUsage2=/<command> <játékos> [üzenet] -afkCommandUsage2Description=Az AFK állapot beállítása egy másik játékosnak, egy opcionális okkal +afkCommandUsage2Description=Az AFK állapot beállítása egy másik játékosnak, egy opcionális indokkal alertBroke=tör\: alertFormat=<dark_aqua>[{0}] <reset> {1} <primary> {2}\: {3} alertPlaced=lerakott\: alertUsed=használt\: alphaNames=<dark_red>A játékosok nevei csak betűket, számokat, és aláhúzást tartalmazhatnak. -antiBuildBreak=<dark_red>Nem engedélyezett kiütni<secondary> {0} <dark_red>blokkot itt. +antiBuildBreak=<dark_red>Nem engedélyezett kiütni a(z) <secondary> {0} <dark_red>blokkot itt. antiBuildCraft=<dark_red>Nem engedélyezett készíteni ezt\:<secondary> {0}<dark_red>. antiBuildDrop=<dark_red>Nem engedélyezett eldobni ezt\:<secondary> {0}<dark_red>. antiBuildInteract=<dark_red>Nem engedélyezett interakcióba lépni ezzel\:<secondary> {0}<dark_red>. @@ -29,20 +29,20 @@ autoTeleportDisabled=<primary>Már nem fogadod el automatikusan a teleport kér autoTeleportDisabledFor=<secondary>{0}<primary> már nem fogadja el automatikusan a teleport kéréseket. autoTeleportEnabled=<primary>Mostantól automatikusan elfogadod a teleport kéréseket. autoTeleportEnabledFor=<secondary>{0}<primary> mostantól automatikusan elfogadja a teleport kéréseket. -backAfterDeath=<primary>Meghaltál\! A <secondary>/back<primary> paranccsal visszajuthatsz a halálod színhelyére. +backAfterDeath=<primary>Meghaltál\! A <secondary>/back<primary> paranccsal visszajuthatsz a halálod helyszínére. backCommandDescription=Teleportál arra a helyre, ahol tp/spawn/warp előtt voltál. backCommandUsage=/<command> [játékos] backCommandUsage1=/<command> backCommandUsage1Description=Teleportálás az előző helyre backCommandUsage2=/<command> <játékos> backCommandUsage2Description=Teleportálja a megadott játékost korábbi helyére -backOther=<primary>Vissza<secondary> {0}<primary> az előző helyre. +backOther=<primary>Vissza<secondary> {0}<primary> az előző helyére. backupCommandDescription=Futtatja a biztonsági mentést, ha konfigurálva van. backupCommandUsage=/<command> backupDisabled=<dark_red>A külső biztonsági mentési szkript nincs konfigurálva. backupFinished=<primary>A biztonsági mentés kész. backupStarted=<primary>A biztonsági mentés elkezdve. -backupInProgress=<primary>Egy külső biztonsági mentési szkript jelenleg folyamatban van\! A leállító plugin letiltva, ameddig befejeződik. +backupInProgress=<primary>Egy külső biztonsági mentési szkript jelenleg folyamatban van\! A plugin letiltása szünetel, amíg be nem fejeződik. backUsageMsg=<primary>Visszatérés az előző helyre. balance=<green>Egyenleg\:<secondary> {0} balanceCommandDescription=A játékos aktuális egyenlegének állapota. @@ -57,11 +57,11 @@ balanceTopLine={0}. {1}, {2} balancetopCommandDescription=Legmagasabb egyenlegek lekérdezése. balancetopCommandUsage=/<command> [oldal] balancetopCommandUsage1=/<command> [oldal] -balancetopCommandUsage1Description=Megjeleníti a legnagyobb egyenlegek első (vagy meghatározott) oldalát +balancetopCommandUsage1Description=Megjeleníti a legnagyobb egyenlegek első (vagy megadott) oldalát banCommandDescription=Kitilt egy játékost. banCommandUsage=/<command> <játékos> [ok] banCommandUsage1=/<command> <játékos> [indok] -banCommandUsage1Description=Kitiltja a meghatározott játékost egy opcionális okkal +banCommandUsage1Description=Kitiltja a meghatározott játékost egy opcionális indokkal banExempt=<dark_red>Nem tilthatod ki ezt a játékost. banExemptOffline=<dark_red>Nem tilthatsz ki offline játékosokat. banFormat=<dark_red>Ki lettél tiltva\:\n<reset>{0} @@ -69,8 +69,8 @@ banIpJoin=Az IP címed ki lett tiltva. Oka\: {0} banJoin=Ki lettél tiltva a szerverről. Oka\: {0} banipCommandDescription=Kitilt egy IP címet. banipCommandUsage=/<command> <cím> [indok] -banipCommandUsage1=/<command> <address> [indok] -banipCommandUsage1Description=Kitiltja a meghatározott IP-címet egy opcionális okkal +banipCommandUsage1=/<command> <cím> [indok] +banipCommandUsage1Description=Kitiltja a meghatározott IP-címet egy opcionális indokkal bed=<i>ágy<reset> bedMissing=<dark_red>Az ágyad nincs beállítva vagy eltorlaszolták. bedNull=<st>ágy<reset> @@ -90,7 +90,7 @@ bookAuthorSet=<primary>Mostantól a könyv írója\: {0}. bookCommandDescription=Lehetővé teszi a lezárt könyvek újbóli megnyitását és szerkesztését. bookCommandUsage=/<command> [cím|író [név]] bookCommandUsage1=/<command> -bookCommandUsage1Description=Lezár/Kinyit egy Könyvet-és-tollat​​/írott-könyvet +bookCommandUsage1Description=Lezár/Kinyit egy könyvet-és-tollat​​/aláírt könyvet bookCommandUsage2=/<command> author <szerző> bookCommandUsage2Description=Beállítja az aláírt könyv szerzőjét bookCommandUsage3=/<command> title <cím> @@ -123,7 +123,7 @@ canTalkAgain=<primary>Újra tudsz beszélni. cantFindGeoIpDB=A GeoIP adatbázisa nem található\! cantGamemode=<dark_red>Nincs engedélyed {0} játékmódra váltani cantReadGeoIpDB=Nem sikerült beolvasni a GeoIP adatbázist\! -cantSpawnItem=<dark_red>Nincs engedélyed, hogy lekérd a következő tárgyat\:<secondary> {0}<dark_red>. +cantSpawnItem=<dark_red>Nincs engedélyed, hogy megidézd a következő tárgyat\:<secondary> {0}<dark_red>. cartographytableCommandDescription=Megnyit egy térképasztalt. cartographytableCommandUsage=/<command> chatTypeLocal=<dark_aqua>[L] @@ -167,15 +167,15 @@ condenseCommandUsage2=/<command> <tárgy> condenseCommandUsage2Description=Sűríti az eszköztáradban lévő meghatározott tárgyat configFileMoveError=Nem sikerült áthelyezni a config.yml fájlt a mentési helyre. configFileRenameError=Nem sikerült átnevezni az ideiglenes fájlt a config.yml fájlra. -confirmClear=<gray>Ha<b>MEGERŐSÍTED</b><gray> az tárhelyed törlését, kérlek a használd a parancssort újra\: <primary>{0} -confirmPayment=<gray>Ha<b>MEGERŐSÍTED</b><gray> utalásod <primary>{0}<gray>, kérlek ismét írd be a parancsot\: <primary>{1} +confirmClear=<gray>Ha<b>MEGERŐSÍTED</b><gray> az eszköztárad törlését, kérlek ismét írd be ezt a parancsot\: <primary>{0} +confirmPayment=<gray>Ha<b>MEGERŐSÍTED</b><gray> utalásod <primary>{0}<gray> számára, kérlek ismét írd be ezt a parancsot\: <primary>{1} connectedPlayers=<primary>Csatlakozott játékosok<reset> connectionFailed=Nem sikerült megnyitni a kapcsolatot. consoleName=Konzol cooldownWithMessage=<dark_red>Késleltetés\: {0} coordsKeyword={0}, {1}, {2} couldNotFindTemplate=<dark_red>Nem található sablon {0} -createdKit=<primary>Csomag létrehozva <secondary>{0} <secondary>{1} <primary>bejegyzéssel és késéssel <secondary>{2} +createdKit=<secondary>{0} <primary>felszerelés létrehozva <secondary>{1} <primary>bejegyzéssel és <secondary>{2} <primary>késéssel createkitCommandDescription=Készít egy csomagot a játékban\! createkitCommandUsage=/<command> <csomagnév> <késleltetés> createkitCommandUsage1=/<command> <felszerelésnév> <késleltetés> @@ -183,7 +183,7 @@ createkitCommandUsage1Description=Készít egy csomagot egy megadott névvel és createKitFailed=<dark_red>Hiba történt a csomag létrehozásakor {0}. createKitSeparator=<st>----------------------- createKitSuccess=<primary>Csomag létrehozva\: <white>{0}\n<primary>Késleltetés\: <white>{1}\n<primary>Link\: <white>{2}\n<primary>A fenti hivatkozás tartalmának másolása a kits.yml-be. -createKitUnsupported=<dark_red> Az NBT -elemek sorosítása engedélyezve van, de ez a szerver nem futtatja az 1.15.2+ PAPER-t. Visszatérés a szabványos tételek sorba állításához. +createKitUnsupported=<dark_red> Az NBT elemek sorosítása engedélyezve van, de ez a szerver nem Paper 1.15.2+ -en fut. Visszatérés a szabványos tételek sorba állításához. creatingConfigFromTemplate=Konfig létrehozása sablonból\: {0} creatingEmptyConfig=Üres konfig létrehozása\: {0} creative=kreatív @@ -215,7 +215,7 @@ deljailCommandUsage1=/<command> <börtönnév> deljailCommandUsage1Description=Törli a megadott nevű börtönt delkitCommandDescription=Töröl egy megadott csomagot. delkitCommandUsage=/<command> <csomag> -delkitCommandUsage1=/<command> <kit> +delkitCommandUsage1=/<command> <felszerelés> delkitCommandUsage1Description=Törli a megadott nevű csomagot delwarpCommandDescription=Töröl egy megadott warpot. delwarpCommandUsage=/<command> <warp> @@ -232,15 +232,15 @@ depthCommandDescription=A jelenlegi helyzet, a tenger szintjéhez viszonyítva. depthCommandUsage=/depth destinationNotSet=A cél nem lett beállítva\! disabled=letiltva -disabledToSpawnMob=<dark_red>Ennek az élőlénynek a lehívása jelenleg le van tiltva a konfig fájlban. -disableUnlimited=<primary>Letiltva korlátlan számú lerakás<secondary> {0} {1}<primary>. +disabledToSpawnMob=<dark_red>Ennek az élőlénynek megidézése jelenleg le van tiltva a konfigurációban. +disableUnlimited=<primary>Letiltva korlátlan számú <secondary>{0}<primary> lerakás <secondary>{1}<primary>-nak/nek. discordbroadcastCommandDescription=Üzenetet küld a megadott Discord csatornára. discordbroadcastCommandUsage=/<command> <csatorna> <üzenet> discordbroadcastCommandUsage1=/<command> <csatorna> <üzenet> discordbroadcastCommandUsage1Description=A megadott üzenetet a megadott Discord csatornára küldi discordbroadcastInvalidChannel=<dark_red>Discord csatorna <secondary>{0}<dark_red> nem létezik. -discordbroadcastPermission=<dark_red> Nincs jogod üzenetek küldésére a <secondary>{0}<dark_red> csatornára. -discordbroadcastSent=6. <primary>Üzenet küldve a <secondary>{0}<primary>-nak/nek\! +discordbroadcastPermission=<dark_red>Nincs jogosultságod üzenetek küldésére a <secondary>{0}<dark_red> csatornára. +discordbroadcastSent=<primary>Üzenet küldve a(z) <secondary>{0}<primary>-nak/nek\! discordCommandAccountArgumentUser=A megkeresendő Discord-fiók discordCommandAccountDescription=Megkeresi a kapcsolódó Minecraft fiókot magadnak vagy egy másik Discord fióknak discordCommandAccountResponseLinked=A fiókod hozzá van kötve a következő Minecraft fiókhoz\: **{0}** @@ -253,35 +253,35 @@ discordCommandUsage=/<command> discordCommandUsage1=/<command> discordCommandUsage1Description=Discord meghívó link küldése egy játékosnak discordCommandExecuteDescription=Végrehajt egy konzol parancsot a Minecraft szerveren. -discordCommandExecuteArgumentCommand=A parancs végrehajtva +discordCommandExecuteArgumentCommand=A végrehajtandó parancs discordCommandExecuteReply=Parancs végrehajtása\: "/{0}" -discordCommandUnlinkDescription=Törli a Minecraft és a Discord fiókod kapcsolatát -discordCommandUnlinkInvalidCode=Jelenleg Nincsen Minecraft fiókod hozzákötve a Discordodhoz\! -discordCommandUnlinkUnlinked=A Discord fiókodról el lett távolítva az összes összekötött Minecraft fióktól. -discordCommandLinkArgumentCode=A Minecraftban kapott kód a fiókod összeköttetéséhez +discordCommandUnlinkDescription=Törli a Minecraft és a Discord fiókod közötti összekapcsolást +discordCommandUnlinkInvalidCode=Nincsen összekötve a Minecraft fiókod a Discord fiókoddal\! +discordCommandUnlinkUnlinked=Minden Discord fiók összekötés bontva lett a Minecraft fiókoddal. +discordCommandLinkArgumentCode=A játékban kapott kód a Minecraft fiókod összekötéséhez discordCommandLinkDescription=Hozzákapcsolja a Discord fiókodat a Minecraft fiókodhoz egy kód segítségével a /link paranccsal -discordCommandLinkHasAccount=Már van egy fiókod összeköttetve\! Az összeköttetés visszavonásához írd be hogy /unlink. -discordCommandLinkInvalidCode=Érvénytelen összeköttetési kód\! Ügyelj rá hogy futtattad a /link parancsot a játékban és a kódót jól másoltad ki. +discordCommandLinkHasAccount=Már van egy fiókod összekötve\! Az összekötés bontásához használd a /unlink parancsot. +discordCommandLinkInvalidCode=Érvénytelen kód\! Bizonyosodj meg róla, hogy futtattad a /link parancsot a játékban és a kódót jól másoltad ki. discordCommandLinkLinked=Sikeresen összekapcsoltad a Minecraft fiókodat\! discordCommandListDescription=Lekér egy listát az online játékosokról. discordCommandListArgumentGroup=Egy adott csoport, amelyre korlátozza a keresést discordCommandMessageDescription=Üzenetet küld egy játékosnak a Minecraft szerveren. discordCommandMessageArgumentUsername=A játékos, akinek az üzenetet küldi discordCommandMessageArgumentMessage=Az üzenet amit a játékosnak küld -discordErrorCommand=Rosszul adtad hozzá a botodat a szerveredhez\! Kérjük, kövesd a configban található útmutatót, és add hozzá a botodat a https\://essentialsx.net/discord.html segítségével +discordErrorCommand=Rosszul adtad hozzá a botodat a szerveredhez\! Kérlek, kövesd a configban található útmutatót, és add hozzá a botodat a https\://essentialsx.net/discord.html segítségével discordErrorCommandDisabled=Ez a parancs le van tiltva\! -discordErrorLogin=Hiba történt a Discordba való bejelentkezéskor, ami miatt a plugin letiltotta magát\:\n{0} -discordErrorLoggerInvalidChannel=A Discord konzol naplózása érvénytelen csatorna -definíció miatt le van tiltva\! Ha letiltani kívánja, állítsa a csatornaazonosítót "nincs" értékre; Ellenkező esetben ellenőrizze, hogy a csatornaazonosító helyes -e. -discordErrorLoggerNoPerms=A Discord konzol logger le van tiltva elégtelen engedélyek miatt\! Kérjük, győződjön meg arról, hogy BOTja rendelkezik a "Webhooks kezelése" jogosultságokkal a szerveren. A javítás után futtassa az "/ess reload" parancsot. -discordErrorNoGuild=Érvénytelen vagy hiányzó szerver -azonosító\! Kérjük, kövesse a konfigurációs útmutatót a Plugin beállításához. -discordErrorNoGuildSize=A BOTja nincs a szervereken\! Kérjük, kövesse a konfigurációs útmutatót a Plugin beállításához.\n\n -discordErrorNoPerms=A BOTja nem látja vagy nem tud beszélni egyetlen csatornán sem\! Kérjük, győződjön meg arról, hogy a BOT olvasási és írási jogosultsággal rendelkezik minden használni kívánt csatornán. -discordErrorNoPrimary=Nem adott meg elsődleges csatornát, vagy a megadott elsődleges csatorna érvénytelen. Visszatérés az alapértelmezett csatornára\: \#{0}. -discordErrorNoPrimaryPerms=A botod nem tud beszélni az elsődleges csatornádon, a(z) \#{0} csatornán. Kérjük, győződjön meg róla, hogy botja rendelkezik olvasási és írási jogosultsággal minden olyan csatornán, amelyet használni kíván. -discordErrorNoToken=Token nincs megadva\! Kérjük, kövesse a konfigurációs útmutatót a Plugin beállításához. -discordErrorWebhook=Hiba történt üzenetek küldése közben a konzol csatornájára\! Ezt valószínűleg a konzol webhookjának véletlen törlése okozta. Ez általában javítható úgy, hogy a BOT rendelkezik a "Webhooks kezelése" jogosultsággal és ez után futtassa le a "/ess reload" parancsot. +discordErrorLogin=Hiba történt a Discord-ba való bejelentkezéskor, ami miatt a plugin letiltotta magát\: \n{0} +discordErrorLoggerInvalidChannel=Érvénytelen csatornát adtál meg, ezáltal a Discord naplózási rendszere letiltásra került\! Ha letiltani kívánod, állítsd a csatornaazonosítót "none" értékre; Ellenkező esetben ellenőrizze, hogy a csatornaazonosító helyes-e. +discordErrorLoggerNoPerms=A Discord konzol naplózó le van tiltva hibás engedélyek miatt\! Kérlek, győződj meg arról, hogy a bot rendelkezik-e "Webhookok kezelése" jogosultsággal a szerveren. A javítás után futtassa az "/ess reload" parancsot. +discordErrorNoGuild=Érvénytelen vagy hiányzó szerver azonosító\! Kérlek, kövesd a konfigurációs útmutatót a Plugin beállításához. +discordErrorNoGuildSize=A bot nem tartózkodik a szerveren\! Kérlek, kövesd a konfigurációs útmutatót a Plugin beállításához.\n\n +discordErrorNoPerms=A bot nem látja vagy nincs jogosultsága üzenet küldésre\! Kérlek, ellenőrizd, hogy a botnak van-e olvasás és írás joga az összes csatornában, amiben alkalmazni szeretnéd. +discordErrorNoPrimary=Nem adtál meg elsődleges csatornát, vagy a megadott csatorna érvénytelen. Visszatérés az alapértelmezett csatornára\: \#{0}. +discordErrorNoPrimaryPerms=A bot nem tud beszélni az elsődleges csatornádon, a(z) \#{0} csatornán. Kérlek, bizonyosodj meg róla, hogy a bot rendelkezik olvasási és írási jogosultsággal minden olyan csatornán, amiben használni szeretnéd. +discordErrorNoToken=Token nincs megadva\! Kérlek, kövesd a konfigurációs útmutatót a plugin beállításához. +discordErrorWebhook=Hiba történt a konzol csatornájára való üzenet küldése közben\! Ezt valószínűleg a konzol webhookjának véletlen törlése okozta. Ez általában javítható úgy, hogy a bot rendelkezik a "Webhookok kezelése" jogosultsággal és a "/ess reload" parancs futtatásával. discordLinkInvalidGroup=A {1} szerepkörhöz érvénytelen {0} csoportot adtak meg. A következő csoportok állnak rendelkezésre\: {2} -discordLinkInvalidRole=A csoporthoz érvénytelen szerepkör-azonosítót, {0}, adtak meg\: {1}. A szerepek azonosítóját a /roleinfo paranccsal láthatja a Discordban. +discordLinkInvalidRole=A csoporthoz érvénytelen szerepkör-azonosítót, {0}, adtak meg\: {1}. A szerepek azonosítóját a /roleinfo paranccsal láthatja a Discord-ban. discordLinkInvalidRoleInteract=A rang, {0} ({1}) nem használható a rang szinkronizációhoz, mivel a kiválasztott rang a bot rangja felett van. Helyezd a bot rangját a "{0}" rang felé, vagy a "{0}" rangot a bot rangja alá. discordLinkInvalidRoleManaged=A rang, {0} ({1}), nem használható rang szinkronizációhoz, mivel az vagy egy másik bot vagy integráció által van használva. discordLinkLinked=<primary>A Minecraft fiókod Discord-al való összekötéshez írd a <secondary>{0} <primary> karaktereket a Discord szerverre. @@ -295,12 +295,12 @@ discordLoggingIn=Belépés a Discordba... discordLoggingInDone=Sikeresen belépve mint {0} discordMailLine=**Úl levél {0}-tól\:** {1} discordNoSendPermission=Nem lehet üzenetet küldeni a csatornán\: \#{0} Győződjön meg arról, hogy a BOT rendelkezik az "Üzenetek küldése" engedéllyel az adott csatornán\! -discordReloadInvalid=Megpróbálta újratölteni az EssentialsX Discord konfigurációt, amíg a plugin érvénytelen állapotban van\! Ha módosította a konfigurációt, indítsa újra a szervert. +discordReloadInvalid=Megpróbáltad újratölteni az EssentialsX Discord konfigurációt, amíg a plugin érvénytelen állapotban van\! Ha módosítottad a konfigurációt, indítsad újra a szervert. disposal=Szemetes disposalCommandDescription=Megnyit egy hordozható szemetes menüt. -disposalCommandUsage=/<parancs> +disposalCommandUsage=/<command> distance=<primary>Távolság\: {0} -dontMoveMessage=<primary>A teleportálás elkezdődik<secondary> {0}en<primary> belül. Ne mozogj. +dontMoveMessage=<primary>A teleportálás elkezdődik<secondary> {0}-en<primary> belül. Ne mozogj. downloadingGeoIp=GeoIP adatbázis letöltése folyamatban... Eltarthat egy kis ideig (ország\: 1.7 MB, város\: 30MB) dumpConsoleUrl=Létrejött egy szerver dump\: <secondary> {0} dumpCreating=<primary>Szerver dump létrehozása... @@ -326,7 +326,7 @@ emptySignLine=<dark_red>Üres sor {0} enabled=engedélyezve enchantCommandDescription=Elvarázsolja azt a tárgyat, amit a felhasználó tart. enchantCommandUsage=/<command> <varázslatnév> [szint] -enchantCommandUsage1=/<command> <enchantment név> [szint] +enchantCommandUsage1=/<command> <varázslatnév> [szint] enchantCommandUsage1Description=Megbűvöli a kezedben tartott tárgyat a megadott varázslattal egy választható szintre enableUnlimited=<primary>Lekérve végtelen mennyiségű<secondary> {0} {1}<primary>-nak/nek. enchantmentApplied=<primary>A következő varázslat\:<secondary> {0} <primary>sikeresen alkalmazva a kezedbe lévő tárgyra. @@ -334,26 +334,26 @@ enchantmentNotFound=<dark_red>A varázslat nem található\! enchantmentPerm=<dark_red>Nincs engedélyed a következő varázslathoz\:<secondary> {0}<dark_red>. enchantmentRemoved=<primary>A következő varázslat\:<secondary> {0} <primary>sikeresen eltávolítva a kezedben lévő tárgyról. enchantments=<primary>Varázslatok\:<reset> {0} -enderchestCommandDescription=Lehetővé teszi, hogy belenézz egy enderchest-be. +enderchestCommandDescription=Lehetővé teszi, hogy belenézz egy enderládába. enderchestCommandUsage=/<command> [játékos] enderchestCommandUsage1=/<command> -enderchestCommandUsage1Description=Megnyitja a végzetládádat +enderchestCommandUsage1Description=Megnyitja az enderládát enderchestCommandUsage2=/<command> <játékos> -enderchestCommandUsage2Description=Megnyitja a megadott játékos végzetládáját +enderchestCommandUsage2Description=Megnyitja a megadott játékos enderládáját equipped=Felvértezett errorCallingCommand=Hiba a parancs meghívásakor /{0} errorWithMessage=<secondary>Hiba\:<dark_red> {0} -essChatNoSecureMsg=Az EssentialsX Chat {0} verziója nem támogatja a biztonságos csevegést ezen a kiszolgálószoftveren. Frissítse az EssentialsX-et, és ha a probléma továbbra is fennáll, értesítse a fejlesztőket. +essChatNoSecureMsg=Az EssentialsX Chat {0} verziója nem támogatja a biztonságos csevegést ezen a kiszolgálószoftveren. Frissítsd az EssentialsX-et, és ha a probléma továbbra is fennáll, értesítsd a fejlesztőket. essentialsCommandDescription=Essentials újratöltése. essentialsCommandUsage=/<command> -essentialsCommandUsage1=/<command> újratöltés +essentialsCommandUsage1=/<command> reload essentialsCommandUsage1Description=Essentials konfig újratöltve -essentialsCommandUsage2=/<command> verzió +essentialsCommandUsage2=/<command> version essentialsCommandUsage2Description=Információt ad az Essentials verziójáról -essentialsCommandUsage3=/<command> parancsok +essentialsCommandUsage3=/<command> commands essentialsCommandUsage3Description=Információt ad arról, hogy az Essentials milyen parancsokat továbbít essentialsCommandUsage4=/<command> debug -essentialsCommandUsage4Description=Átválltja az Essentials'' "debug mode"-ját +essentialsCommandUsage4Description=Átállítja az Essentials hibakeresési módját essentialsCommandUsage5=/<command> reset <játékos> essentialsCommandUsage5Description=Visszaállítja a megadott játékos felhasználói adatait essentialsCommandUsage6=/<command> cleanup @@ -365,7 +365,7 @@ essentialsCommandUsage8Description=Szerver dump-ot generál a kért információ essentialsHelp1=A fájl sérült, és az Essentials nem tudja megnyitni. Az Essentials most le van tiltva. Ha nem tudja megjavítani a fájlt, akkor látogasson el a http\://tiny.cc/EssentialsChat webhelyre essentialsHelp2=A fájl sérült, és az Essentials nem tudja megnyitni. Az Essentials most le van tiltva. Ha nem tudja megjavítani a fájlt, írja be a /essentialshelp parancsot a játékban, vagy látogassan el a http\://tiny.cc/EssentialsChat webhelyre essentialsReload=<primary>Essentials újratöltve<secondary> {0}. -exp=<secondary>{0}<secondary> {1} <primary>xp (szint<secondary> {2}<primary>) és kell<secondary> {3} xp a szintlépéshez. +exp=<secondary>{0}<secondary> {1} <primary>xp (<secondary> {2}<primary> szint) és kell<secondary> {3} xp a szintlépéshez. expCommandDescription=Adj hozzá, állítsd be, állítsd vissza, vagy nézd meg a játékosok tapasztalatait. expCommandUsage=/<command> [reset|show|set|give] [játékosnév [mennyiség]] expCommandUsage1=/<command> give <játékos> <összeg> @@ -413,7 +413,7 @@ fireworkCommandUsage4=/<command> <meta> fireworkCommandUsage4Description=A kezedben tartott tüzijátékhoz hozzáadja a megadott effektet fireworkEffectsCleared=<primary>Az összes effekt eltávolítva a tartott halomról. fireworkSyntax=<primary>Tűzijáték paraméterek\:<secondary> color\:\\<color> [fade\:\\<color>] [shape\:<shape>] [effect\:<effect>]\n<primary>Több szín/effektus használatához vesszővel kell elválasztani az értékeket. pl.\: <secondary>red,blue,pink\n<primary>Alakzatok\:<secondary> star, ball, large, creeper, burst <primary>Effektek\:<secondary> trail, twinkle. -fixedHomes=Érvénytelen HOME-ok törölve +fixedHomes=Érvénytelen otthonok törölve fixingHomes=Érvénytelen otthonok törlése... flyCommandDescription=Szállj fel, és repülj\! flyCommandUsage=/<command> [játékos] [on|off] @@ -422,9 +422,9 @@ flyCommandUsage1Description=Beállítja a repülőmódot neked, vagy egy megadot flying=repül flyMode={1} <primary>repülés módja átállítva erre\: <secondary>{0}<primary>. foreverAlone=<dark_red>Nincs senki, akinek válaszolhatnál. -fullStack=<dark_red>Már teljes a halom. -fullStackDefault=<primary>A halmod az alapértelmezett méretre lett beállítva, <secondary>{0}<primary>. -fullStackDefaultOversize=<primary>A halmod a maximális méretre lett beállítva, <secondary>{0}<primary>. +fullStack=<dark_red>Már teljes egy egész stack-ed. +fullStackDefault=<primary>A stack-ed az alapértelmezett méretre lett beállítva, <secondary>{0}<primary>. +fullStackDefaultOversize=<primary>A stack-ed a maximális méretre lett beállítva, <secondary>{0}<primary>. gameMode={1} <primary>játékmódja átállítva erre\: <secondary>{0}<primary>. gameModeInvalid=<dark_red>Meg kell adnod egy érvényes játékost/módot. gamemodeCommandDescription=Játékmód megváltoztatása. @@ -441,7 +441,7 @@ geoipJoinFormat=<secondary>{0}<primary> innen jött\: <secondary>{1}<primary>. getposCommandDescription=Szerezd meg a jelenlegi vagy egy játékos koordinátáit. getposCommandUsage=/<command> [játékos] getposCommandUsage1=/<command> [játékos] -getposCommandUsage1Description=Megmutatja a koordinátádat vagy egy másik játékosét ha megadta +getposCommandUsage1Description=Megmutatja a koordinátádat vagy egy másik játékosét ha megadtad giveCommandDescription=Egy tárgyat ad a játékosnak. giveCommandUsage=/<command> <játékos> <tárgy|numerikus> [mennyiség [tárgymeta...]] giveCommandUsage1=/<command> <játékos> <tárgy> [összeg] @@ -499,24 +499,24 @@ helpPlugin=<dark_red>{0}<reset>\: Plugin segítség\: /help {1} helpopCommandDescription=Üzenet az online adminoknak. helpopCommandUsage=/<command> <üzenet> helpopCommandUsage1=/<command> <üzenet> -helpopCommandUsage1Description=A megadott üzenetet közvetíti a fent lévő összes adminnak +helpopCommandUsage1Description=A megadott üzenetet közvetíti a fent lévő összes adminisztrátoroknak holdBook=<dark_red>Nincs a kezedben írható könyv. holdFirework=<dark_red>A kezedben kell tartanod a tűzijátékot, hogy hozzáadd az effekteket. holdPotion=<dark_red>Egy bájitalt kell a kezedben tartanod, hogy effekteket adhass hozzá. holeInFloor=<dark_red>Lyuk a padlóban\! homeCommandDescription=Teleportál az otthonodhoz. homeCommandUsage=/<command> [játékos\:][név] -homeCommandUsage1=/<command> <name> +homeCommandUsage1=/<command> <név> homeCommandUsage1Description=Teleportál a megadott nevű otthonodba homeCommandUsage2=/<command> <játékos>\:<név> homeCommandUsage2Description=A megadott nevű játékos otthonába teleportál a megadott névvel homes=<primary>Otthonok\:<reset> {0} homeConfirmation=<primary>Már van egy ilyen nevű otthonod <secondary>{0}<primary>\!\nA meglévő otthon felülírásához írd be újra a parancsot. -homeRenamed=<primary>Home <secondary>{0} <primary> át lett nevezve <secondary>{1}<primary>-ra. +homeRenamed=<<secondary>{0} <primary> otthon át lett nevezve <secondary>{1}<primary>-ra. homeSet=<primary>Beállítva otthonnak ez a hely. hour=óra hours=óra -ice=<primary>Sokkal hidegebbnek érzed magad... +ice=<primary>Sokkal hidegebbnek tűnsz... iceCommandDescription=Lehűt egy játékost. iceCommandUsage=/<command> [játékos] iceCommandUsage1=/<command> @@ -529,11 +529,11 @@ iceOther=<primary>Hűsöl<secondary> {0}<primary>. ignoreCommandDescription=Játékosok figyelmen kívül hagyása vagy a figyelmen kívül hagyás visszavonása. ignoreCommandUsage=/<command> <játékos> ignoreCommandUsage1=/<command> <játékos> -ignoreCommandUsage1Description=Játékosok figyelmen kívül hagyása vagy visszavonása +ignoreCommandUsage1Description=Játékosok ignorálása vagy ignorálás visszavonása a megadott játékossal ignoredList=<primary>Figyelmen kívül hagyva\:<reset> {0} ignoreExempt=<dark_red>Nem hagyhatod figyelmen kívül ezt a játékost. ignorePlayer=<primary>Mostantól figyelmen kívül hagyod<secondary> {0} <primary>játékost. -ignoreYourself=<primary>Saját magad ignorálása nem oldja meg a problémáid. +ignoreYourself=<primary>Önmagad elhallgattatása nem hoz megoldást a problémáidra. illegalDate=Illegális dátumformátum. infoAfterDeath=<primary>Meghaltál itt\: <yellow>{0} {1}, {2}, {3}<primary>. infoChapter=<primary>Válassz fejezetet\: @@ -543,20 +543,20 @@ infoCommandUsage=/<command> [fejezet] [oldal] infoPages=<yellow> ---- <primary>{2} <yellow>--<primary> Oldal <secondary>{0}<primary>/<secondary>{1} <yellow>---- infoUnknownChapter=<dark_red>Ismeretlen fejezet. insufficientFunds=<dark_red>Nem áll rendelkezésre elegendő összeg. -invalidBanner=<dark_red>Érvénytelen zászló szintaxis. +invalidBanner=<dark_red>Érvénytelen banner syntax. invalidCharge=<dark_red>Érvénytelen díj. -invalidFireworkFormat=<primary>Ez az opció\: <dark_red>{0} <primary>nem érvényes <dark_red>{1}<primary>-ra/-re. +invalidFireworkFormat=<dark_red>A(z) <secondary>{0} <dark_red>nem érvényes a(z) <secondary>{1}<dark_red> értékre. invalidHome=<dark_red>A(z)<secondary> {0} <dark_red>otthon nem létezik\! invalidHomeName=<dark_red>Érvénytelen otthon név\! invalidItemFlagMeta=<dark_red>Érvénytelen elem zászló meta\: <secondary>{0}<dark_red>. -invalidMob=<dark_red>Érvénytelen élőlény típus. +invalidMob=<dark_red>Érvénytelen mob típus. invalidModifier=<dark_red>Érvénytelen módosítás. invalidNumber=Érvénytelen szám. invalidPotion=<dark_red>Érvénytelen főzet. invalidPotionMeta=<dark_red>Érvénytelen főzet meta\: <secondary>{0}<dark_red>. invalidSign=<dark_red>Érvénytelen tábla invalidSignLine=<dark_red>A(z)<secondary> {0}<dark_red>. sor a táblán érvénytelen. -invalidSkull=<dark_red>Kérlek, játékos fejet tarts a kezedben. +invalidSkull=<dark_red>Kérlek, tarts egy játékos fejet a kezedben. invalidWarpName=<dark_red>Érvénytelen warp név\! invalidWorld=<dark_red>Érvénytelen világ. inventoryClearFail=<secondary>{0}<dark_red>-nak/nek nincs <secondary>{1} <dark_red>db <secondary>{2}<dark_red>-ja/je. @@ -568,7 +568,7 @@ inventoryFull=<dark_red>Az eszköztárad tele van. invseeCommandDescription=Nézd meg a többi játékos eszköztárát. invseeCommandUsage=/<command> <játékos> invseeCommandUsage1=/<command> <játékos> -invseeCommandUsage1Description=Megnyitja a megadott játékos leltárát +invseeCommandUsage1Description=Megnyitja a megadott játékos eszköztárát invseeNoSelf=<secondary>Csak mások eszköztárát tekintheted meg. is=van isIpBanned=<primary>A(z) <secondary>{0} <primary> IP már ki van tiltva. @@ -594,9 +594,9 @@ itemloreInvalidItem=<dark_red>Tarts egy tárgyat, hogy szerkeszthesd a lore-ját itemloreMaxLore=<dark_red>Nem adhatsz több sort ehhez a tárgyhoz. itemloreNoLine=<dark_red>A tartott tárgynak nincs lore szövege ebben a sorban <secondary>{0}<dark_red>. itemloreNoLore=<dark_red>A tartott tárgynak nincs semmilyen lore szövege. -itemloreSuccess=<primary>Hozzáadtad ezt "<secondary>{0}<primary>" a tartott tárgy lore-jához. +itemloreSuccess=<primary>Hozzáadtad a(z) "<secondary>{0}<primary>" -t a tartott tárgy lore-jához. itemloreSuccessLore=<primary>Megváltoztattad a(z) <secondary>{0}<primary>. sort erre a tartott tárgy lore-jában "<secondary>{1}<primary>". -itemMustBeStacked=<dark_red>A tárgyat halomban kell értékesíteni. A 2s mennyisége két halom lenne, stb. +itemMustBeStacked=<dark_red>A tárgyat stackek-ben kell értékesíteni. A 2s két stack lenne, stb. itemNames=<primary>Tárgy rövid nevei\:<reset> {0} itemnameClear=<primary>Törölted ennek a tárgynak a nevét. itemnameCommandDescription=Elnevez egy tárgyat. @@ -604,7 +604,7 @@ itemnameCommandUsage=/<command> [név] itemnameCommandUsage1=/<command> itemnameCommandUsage1Description=Törli a kezedben tartott tárgy nevét itemnameCommandUsage2=/<command> <név> -itemnameCommandUsage2Description=Beállítja a kezedben tartott tárgyat a megadott szövegre +itemnameCommandUsage2Description=Beállítja a kezedben tartott tárgy nevét a megadott szövegre itemnameInvalidItem=<secondary>Szükséged van egy tárgyra a kezedbe, hogy át tudd nevezni. itemnameSuccess=<primary>Átnevezted a kezedben lévő tárgyat "<secondary>{0}<primary>" névre. itemNotEnough1=<dark_red>Nincs elég eladni való tárgyad. @@ -866,10 +866,10 @@ noLocationFound=<dark_red>Nem található érvényes hely. noMail=<primary>Nincs leveled. noMailOther=<secondary>{0}<primary>-nak/nek nincsen levele. noMatchingPlayers=<primary>Nem található megfelelő játékos. -noMetaComponents=Adat komponensek nem támogatottak ebben a Bukkit verzióban. Kérlek, használj JSON NBT metaadatot. +noMetaComponents=Az adatkomponensek nem támogatottak ebben a Bukkit verzióban. Kérlek, használj JSON NBT metaadatot. noMetaFirework=<dark_red>Nincs jogosultságod, hogy alkalmazd ezt a tűzijáték meta-t. -noMetaJson=A JSON Metadata nem támogatott a Bukkit ezen verziójában. -noMetaNbtKill=JSON NBT metaadat nem támogatott többé. Konvertálnod kell a definált tárgyakat adatkomponensé. Konvertálni NBT adatokat adatkomponensé itt tudsz\: https\://docs.papermc.io/misc/tools/item-command-converter +noMetaJson=A JSON Metaadat nem támogatott a Bukkit ezen verziójában. +noMetaNbtKill=JSON NBT metaadat nem támogatott többé. Konvertálnod kell a megadott tárgyakat adatkomponensé. Konvertálni JSON NBT adatokat adatkomponensé itt tudsz\: https\://docs.papermc.io/misc/tools/item-command-converter noMetaPerm=<dark_red>Nincs jogosultságod alkalmazni ezt a meta-t <secondary>{0}<dark_red> erre az elemre. none=senki noNewMail=<primary>Nincs új leveled. @@ -1128,7 +1128,7 @@ sellCommandUsage4=/<command> blocks [összeg] sellCommandUsage4Description=Sells all (or the given amount, if specified) of blocks in your inventory Eladja az összes (vagy a megadott mennyiséget) blokkot az eszköztáradban sellHandPermission=<primary>Nincs engedélyed a kézből történő eladásra. serverFull=A szerver tele van\! -serverReloading=Jó esély van rá, hogy most újratölti a szerverét. Ha ez a helyzet, miért utálod magad? Ne várjon támogatást az EssentialsX csapattól, ha használod a /reload parancsot. +serverReloading=Jó esély van rá, hogy most újratöltöd a szervert. Ha ez a helyzet, miért utálod magad? Ne várj támogatást az EssentialsX csapatától, ha használod a /reload parancsot. serverTotal=<primary>Szerver összesen\:<secondary> {0} serverUnsupported=A szerver egy nem támogatott verzión fut\! serverUnsupportedClass=Állapotmeghatározó osztály\: {0} @@ -1257,7 +1257,7 @@ stonecutterCommandDescription=Megnyit egy kővágót. stonecutterCommandUsage=/<command> sudoCommandDescription=Egy parancs végrehajtása egy másik felhasználóval. sudoCommandUsage=/<command> <játékos> <parancs [args]> -sudoCommandUsage1=/<command> <játékos> <parancs> [args] +sudoCommandUsage1=/<command> <játékos> <parancs> [paraméterek] sudoCommandUsage1Description=A megadott játékos nevében futtatja a megadott parancsot sudoExempt=<dark_red>Nem kényszerítheted <secondary>{0}<dark_red> játékost. sudoRun=<secondary>{0}<primary> erőltetése ennek a futtatására\:<reset> /{1} @@ -1439,7 +1439,7 @@ typeWorldName=<primary>Beírhatsz egy adott világ nevet is. unableToSpawnItem=<dark_red>Nem lehetett leidézni <secondary>{0}<dark_red>-t; ez nem idézhető tárgy. unableToSpawnMob=<dark_red>Nem lehetett az élőlényt leidézni. unbanCommandDescription=Egy megadott játékos tiltásának feloldása. -unbanCommandUsage=/<command> <játékoss> +unbanCommandUsage=/<command> <játékos> unbanCommandUsage1=/<command> <játékos> unbanCommandUsage1Description=Feloldja a megadott játékos tiltását. unbanipCommandDescription=Egy megadott IP cím tiltásának feloldása. diff --git a/Essentials/src/main/resources/messages_it.properties b/Essentials/src/main/resources/messages_it.properties index 539b5fc7c3f..ff61d646044 100644 --- a/Essentials/src/main/resources/messages_it.properties +++ b/Essentials/src/main/resources/messages_it.properties @@ -1,25 +1,25 @@ #Sat Feb 03 17:34:46 GMT 2024 action=<dark_purple>* {0} <dark_purple>{1} -addedToAccount=<green>{0} sono stati aggiunti al tuo account. -addedToOthersAccount=<yellow>{0}<green> sono stati prelevati dall''account di<yellow> {1}<green>. Nuovo saldo\:<yellow> {2} +addedToAccount=<green>Sono stati aggiunti <yellow>{0}<green> al tuo account. +addedToOthersAccount=<green>Sono stati aggiunti <yellow>{0}<green> all''account di<yellow> {1}<green>. Nuovo saldo\:<yellow> {2} adventure=avventura -afkCommandDescription=Imposta il tuo stato come AFK (non-al-pc). +afkCommandDescription=Imposta il tuo stato come AFK. afkCommandUsage=/<command> [giocatore/messaggio...] -afkCommandUsage1=/<command> [message] +afkCommandUsage1=/<command> [messaggio] afkCommandUsage1Description=Imposta il tuo stato come AFK con un messaggio personalizzato afkCommandUsage2=/<command> <giocatore> [messaggio] afkCommandUsage2Description=Imposta lo stato di un altro giocatore come AFK con un messaggio personalizzato alertBroke=rotto\: -alertFormat=<dark_aqua>[{0}] <white> {1} <primary> {2} a\: {3} +alertFormat=<dark_aqua>[{0}]<reset> {1}<primary> {2} a\: {3} alertPlaced=piazzato\: alertUsed=usato\: -alphaNames=<dark_red>I nomi dei giocatori possono contenere soltanto lettere, numeri e _ . -antiBuildBreak=<dark_red>Non hai il permesso di rompere blocchi di<secondary>\: {0} <dark_red>qui. -antiBuildCraft=<dark_red>Non hai il permesso di creare<secondary> {0}<dark_red>. -antiBuildDrop=<dark_red>Non hai il permesso di gettare un<secondary> {0}<dark_red>. +alphaNames=<dark_red>I nomi dei giocatori possono contenere soltanto lettere, numeri, e _. +antiBuildBreak=<dark_red>Non hai il permesso di rompere blocchi di <secondary>\: {0} <dark_red>qui. +antiBuildCraft=<dark_red>Non hai il permesso di creare <secondary>{0}<dark_red>. +antiBuildDrop=<dark_red>Non hai il permesso di droppare un<secondary> {0}<dark_red>. antiBuildInteract=<dark_red>Non hai il permesso di interagire con<secondary> {0}<dark_red>. -antiBuildPlace=<dark_red><dark_red>Non hai il permesso di piazzare <secondary> {0} <dark_red>qui. -antiBuildUse=<dark_red><dark_red>Non hai il permesso di utilizzare <secondary> {0}<dark_red>. +antiBuildPlace=<dark_red>Non hai il permesso di piazzare<secondary> {0} <dark_red>qui. +antiBuildUse=<dark_red><dark_red>Non hai il permesso di utilizzare <secondary>{0}<dark_red>. antiochCommandDescription=Sorpresina per i super operatori <3. antiochCommandUsage=/<command> [messaggio]\n anvilCommandDescription=Apre un''incudine. @@ -28,42 +28,48 @@ autoAfkKickReason=Sei stato cacciato per inattività oltre i {0} minuti. autoTeleportDisabled=<primary>Non approvi più automaticamente le richieste di teletrasporto. autoTeleportDisabledFor=<secondary>{0}<primary> non approva più automaticamente le richieste di teletrasporto. autoTeleportEnabled=<primary>Da ora in poi approverai automaticamente le richieste di teletrasporto. -autoTeleportEnabledFor=<secondary>{0}<primary> accetta in automatico le nuove richieste di tpa. +autoTeleportEnabledFor=<secondary>{0}<primary> accetta in automatico le nuove richieste di teletrasporto. backAfterDeath=<primary>Usa il comando<secondary> /back<primary> per tornare al punto in cui sei morto. backCommandDescription=Teletrasportati alla posizione precedente ad un comando tp/spawn/warp. backCommandUsage=/<command> [player] backCommandUsage1=/<command> backCommandUsage1Description=Teletrasportati alla posizione precedente +backCommandUsage2=/<command> <giocatore> backCommandUsage2Description=Teletrasporta il giocatore alla sua posizione precedente backOther=<primary>Teletrasportato<secondary> {0}<primary> alla posizione precedente. backupCommandDescription=Esegue il backup se configurato. backupCommandUsage=/<command> backupDisabled=<dark_red>Non è stato ancora configurato uno script di backup esterno. -backupFinished=Backup terminato. -backupStarted=Backup iniziato -backupInProgress=<primary>Script esterno di backup in corso\! Halting plugin disable until finished. -backUsageMsg=<gray>Ritornato alla posizione precedente. +backupFinished=<primary>Backup terminato. +backupStarted=<primary>Backup iniziato. +backupInProgress=<primary>Script esterno di backup in corso\! Sospensione della disattivazione del plugin fino al completamento. +backUsageMsg=<primary>Ritornato alla posizione precedente. balance=<green>Soldi\:<secondary> {0} balanceCommandDescription=Visualizza il saldo attuale di un giocatore. +balanceCommandUsage=/<command> [giocatore] balanceCommandUsage1=/<command> balanceCommandUsage1Description=Indica il tuo saldo attuale +balanceCommandUsage2=/<command> <giocatore> balanceCommandUsage2Description=Visualizza il saldo di un altro giocatore balanceOther=<green>Soldi di {0}<green>\:<secondary> {1} -balanceTop=<primary>Migliori bilanci ({0}) +balanceTop=<primary>Classifica saldi ({0}) balanceTopLine={0}. {1}, {2} -balancetopCommandDescription=Mostra i giocatori con il saldo più elevato. +balancetopCommandDescription=Mostra i giocatori con i saldi più elevati. balancetopCommandUsage=/<command> [page] +balancetopCommandUsage1=/<command> [pagina] balancetopCommandUsage1Description=Mostra la prima (o una specifica) pagina con i saldi dei giocatori più ricchi banCommandDescription=Banna un giocatore. banCommandUsage=/<command> <player> [reason] -banCommandUsage1Description=Banna un giocatore e ne specifica il motivo -banExempt=<secondary>Non puoi bannare quel giocatore. +banCommandUsage1=/<command> <giocatore> [motivo] +banCommandUsage1Description=Banna un giocatore con un motivo opzionale +banExempt=<dark_red>Non puoi bannare quel giocatore. banExemptOffline=<dark_red>Non puoi bannare un giocatore che è offline. -banFormat=<dark_red>Sei stato bannato\:\n<reset>{0} +banFormat=<secondary>Sei stato bannato\:\n<reset>{0} banIpJoin=Il tuo indirizzo IP è bannato da questo server. Motivo\: {0} banJoin=Sei bannato da questo server. Motivo\: {0} banipCommandDescription=Banna un indirizzo IP. banipCommandUsage=/<command> <address> [reason] +banipCommandUsage1=/<command> <indirizzo IP> [motivo] banipCommandUsage1Description=Banna un indirizzo IP e ne specifica il motivo bed=<i>letto<reset> bedMissing=<dark_red>Il tuo letto non è stato impostato, manca o è bloccato. @@ -73,40 +79,45 @@ bedSet=<primary>Spawn letto stabilito\! beezookaCommandDescription=Lancia un''ape che esplode nella direzione in cui stai guardando. beezookaCommandUsage=/<command> bigTreeFailure=<dark_red>Creazione dell''albero grande fallita. Riprova sull''erba o sulla terra. -bigTreeSuccess=<primary>Albero grande generato. -bigtreeCommandDescription=Genera un bigtree nella direzione in cui stai guardando. +bigTreeSuccess=<primary>Generato un albero grande. +bigtreeCommandDescription=Genera un grosso albero nella direzione in cui stai guardando. bigtreeCommandUsage=/<command> <tree|redwood|jungle|darkoak> -bigtreeCommandUsage1Description=Genera un bigtree del tipo specificato +bigtreeCommandUsage1=/<command> <tree|redwood|jungle|darkoak> +bigtreeCommandUsage1Description=Genera un grande albero del tipo specificato blockList=<primary>EssentialsX sta trasmettendo i seguenti comandi ad altri plugin\: blockListEmpty=<primary>EssentialsX non sta inoltrando alcun comando ad altri plugin. bookAuthorSet=<primary>Autore del libro impostato a {0}. bookCommandDescription=Consente di modificare libri già firmati. -bookCommandUsage=/<command> [title|author [titolo/nome]]\n +bookCommandUsage=/<command> [title|author [nome]] bookCommandUsage1=/<command> bookCommandUsage1Description=Firma o sblocca un libro già firmato -bookCommandUsage2=/<command> author <nome> +bookCommandUsage2=/<command> author <autore> bookCommandUsage2Description=Imposta l''autore di un libro firmato bookCommandUsage3=/<command> title <titolo> bookCommandUsage3Description=Imposta il titolo di un libro bookLocked=<primary>Questo libro è ora bloccato. bookTitleSet=<primary>Titolo del libro impostato a {0}. -bottomCommandDescription=Teletrasporto al blocco più in basso presso le tue coordinate. +bottomCommandDescription=Teletrasportati al blocco più basso nella posizione attuale. bottomCommandUsage=/<command> breakCommandDescription=Rompe il blocco che stai guardando. breakCommandUsage=/<command> -broadcastCommandDescription=Invia un messaggio al server. +broadcast=<primary>[<dark_red>Broadcast<primary>]<green> {0} +broadcastCommandDescription=Invia un messaggio all''intero server. broadcastCommandUsage=/<command> <msg> -broadcastCommandUsage1Description=Trasmette il messaggio all''intero server. +broadcastCommandUsage1=/<command> <messaggio> +broadcastCommandUsage1Description=Invia il messaggio dato all''intero server. broadcastworldCommandDescription=Trasmette un messaggio a un mondo. broadcastworldCommandUsage=/<command> <world> <msg> -broadcastworldCommandUsage1Description=Trasmette il messaggio ad uno specifico mondo -burnCommandDescription=Il giocatore va in fiamme. +broadcastworldCommandUsage1=/<command> <mondo> <messaggio> +broadcastworldCommandUsage1Description=Invia il messaggio ad un mondo specifico +burnCommandDescription=Dai fuoco ad un giocatore. burnCommandUsage=/<command> <player> <seconds> -burnCommandUsage1Description=Il giocatore va in fiamme per il tempo specificato in secondi -burnMsg=<gray>Hai infuocato {0} per {1} secondi. -cannotSellNamedItem=<primary>Non puoi vendere oggetti incantati. -cannotSellTheseNamedItems=<primary>Questi oggetti sono incantati e non sono stati venduti\: <dark_red>{0} -cannotStackMob=<dark_red><dark_red>Non hai il permesso di impilare vari mob. +burnCommandUsage1=/<command> <giocatore> <secondi> +burnCommandUsage1Description=Dai fuoco al giocatore per un periodo di tempo in secondi +burnMsg=<primary>Hai dato fuoco a<secondary> {0} <primary>per<secondary> {1} secondi<primary>. +cannotSellNamedItem=<primary>Non puoi vendere oggetti rinominati. +cannotSellTheseNamedItems=<primary>Questi oggetti sono rinominati e non sono stati venduti\: <dark_red>{0} +cannotStackMob=<dark_red>Non hai il permesso di impilare più mob. cannotRemoveNegativeItems=<dark_red>Non puoi rimuovere una quantità negativa di elementi. canTalkAgain=<primary>Ora puoi nuovamente parlare. cantFindGeoIpDB=Impossibile trovare database GeoIP\! @@ -115,58 +126,64 @@ cantReadGeoIpDB=Lettura del database GeoIP fallita\! cantSpawnItem=<dark_red>Non hai il permesso di generare l''oggetto<secondary> {0}<dark_red>. cartographytableCommandDescription=Apre il banco da cartografia. cartographytableCommandUsage=/<command> +chatTypeLocal=<dark_aqua>[L] chatTypeSpy=[Spia] cleaned=File utente puliti. cleaning=Pulizia dei file utente in corso. clearInventoryConfirmToggleOff=<primary>Non ti verrà più richiesto di confermare le cancellazioni dell''inventario. clearInventoryConfirmToggleOn=<primary>D''ora in poi ti verrà richiesto di confermare le cancellazioni dell''inventario. -clearinventoryCommandDescription=Cancella gli oggetti nel tuo inventario. +clearinventoryCommandDescription=Cancella tutti gli oggetti nel tuo inventario. clearinventoryCommandUsage=/<command> [giocatore|*] [item[\:\\<data>]|*|**] [quantità] clearinventoryCommandUsage1=/<command> clearinventoryCommandUsage1Description=Svuota il tuo inventario -clearinventoryCommandUsage2=/<command> <player> +clearinventoryCommandUsage2=/<command> <giocatore> clearinventoryCommandUsage2Description=Svuota l''inventario di un giocatore clearinventoryCommandUsage3=/<command> <giocatore> <item> [quantità] -clearinventoryCommandUsage3Description=Elimina una determinata quantità di un oggetto dall''inventario di un giocatore. Se non specificata rimuove completamente l''oggetto specificato +clearinventoryCommandUsage3Description=Rimuove una determinata quantità di un oggetto dall''inventario di un giocatore. Se non specificata, rimuove completamente l''oggetto specificato clearinventoryconfirmtoggleCommandDescription=Attiva o disattiva la richiesta di conferma per svuotare l''inventario. clearinventoryconfirmtoggleCommandUsage=/<command> -commandCooldown=<secondary>Non puoi digitare questo comando per {0}. -commandDisabled=<secondary>Comando<primary> {0}<secondary> disabilitato. +commandArgumentOptional=<gray> +commandArgumentOr=<secondary> +commandArgumentRequired=<yellow> +commandCooldown=<secondary>Questo comando è in cooldown per altri {0}. +commandDisabled=<secondary>Il comando<primary> {0}<secondary> è disabilitato. commandFailed=Comando {0} fallito\: commandHelpFailedForPlugin=Errore ottenendo la guida del plugin\: {0} commandHelpLine1=<primary>Guida comandi\: <white>/{0} commandHelpLine2=<primary>Descrizione\: <white>{0} -commandHelpLine3=<primary>Utilizzo(i)\: +commandHelpLine3=<primary>Utilizzo(i); commandHelpLine4=<primary>Alias\: <white>{0} +commandHelpLineUsage={0} <primary>- {1} commandNotLoaded=<dark_red>Il comando {0} non è stato caricato correttamente. consoleCannotUseCommand=Questo comando non può essere eseguito dalla Console. compassBearing=<primary>Angolo\: {0} ({1} gradi). -compassCommandDescription=Visualizza l''orientamento della tua visuale. +compassCommandDescription=Descrive la tua direzione attuale. compassCommandUsage=/<command> condenseCommandDescription=Condensa gli oggetti in blocchi più compatti. condenseCommandUsage=/<command> [item] condenseCommandUsage1=/<command> -condenseCommandUsage1Description=Condensa tutti gli oggetti nel tuo inventario +condenseCommandUsage1Description=Compatta tutti gli oggetti nel tuo inventario condenseCommandUsage2=/<command> <item> -condenseCommandUsage2Description=Condensa uno specifico blocco nel tuo inventario +condenseCommandUsage2Description=Compatta uno specifico oggetto nel tuo inventario configFileMoveError=Fallito nello spostare config.yml nella posizione del backup. configFileRenameError=Fallito nel rinominare il file temporaneo a config.yml. -confirmClear=<gray>To <b>CONFERMA</b><gray> l''inventario chiaro, si prega di ripetere il comando\: <primary>{0} -confirmPayment=<gray>To <b>CONFERMA</b><gray> pagamento di <primary>{0}<gray>, si prega di ripetere il comando\: <primary>{1} +confirmClear=<gray>Per <b>CONFERMARE</b><gray> la cancellazione dell''inventario, ripeti il comando\: <primary>{0} +confirmPayment=<gray>Per <b>CONFERMARE</b><gray> il pagamento di <primary>{0}<gray>, ripeti il comando\: <primary>{1} connectedPlayers=<primary>Giocatori connessi<reset> connectionFailed=Connessione fallita. consoleName=Console -cooldownWithMessage=<secondary>Tempo di ricarica\: {0} +cooldownWithMessage=<dark_red>Tempo di ricarica\: {0} coordsKeyword={0}, {1}, {2} -couldNotFindTemplate=Impossibile trovare il template {0} -createdKit=<primary>Creato il kit <secondary>{0} <primary>con <secondary>{1} <primary>inserimenti e attesa <secondary>{2} -createkitCommandDescription=Crea un kit in-gioco\! +couldNotFindTemplate=<dark_red>Impossibile trovare il template {0} +createdKit=<primary>Creato il kit <secondary>{0} <primary>con <secondary>{1} <primary>elementi e attesa <secondary>{2} +createkitCommandDescription=Crea un kit nel gioco\! createkitCommandUsage=/<command> <kitname> <delay> -createkitCommandUsage1=/<command> <kitname> <delay> -createkitCommandUsage1Description=Crea un kit con il nome scelto e il tempo di attesa tra i suoi utilizzi +createkitCommandUsage1=/<command> <kitname> <ritardo> +createkitCommandUsage1Description=Crea un kit con il nome e il ritardo specificati createKitFailed=<dark_red>Si è verificato un errore creando il kit {0}. +createKitSeparator=<st>----------------------- createKitSuccess=<primary>Kit Creato\: <white>{0}\n<primary>Attesa\: <white>{1}\n<primary>Link\: <white>{2}\n<primary>Copia i contenuti nel link qui sopra nel tuo kits.yml. -createKitUnsupported=<dark_red>NBT item serialization abilitata, il server non utilizza però Paper alla versione minima 1.15.2. Sarà utilizzata la standard item serialization. +createKitUnsupported=<dark_red>La serializzazione NBT degli item è stata abilitata, ma questo server non sta utilizzando Paper 1.15.2 o superiore. Verrà utilizzata la serializzazione standard degli oggetti come alternativa. creatingConfigFromTemplate=Creazione della configurazione dal template\: {0} creatingEmptyConfig=Creazione configurazione vuota\: {0} creative=creativa @@ -177,15 +194,15 @@ customtextCommandUsage=/<alias> - Da impostare nel file bukkit.yml day=giorno days=giorni defaultBanReason=Il Martello Ban ha parlato\! -deletedHomes=Tutte le case sono state eliminate. -deletedHomesWorld=Tutte le case nel mondo {0} sono state eliminate. +deletedHomes=Tutte le home sono state eliminate. +deletedHomesWorld=Tutte le home nel mondo {0} sono state eliminate. deleteFileError=Impossibile eliminare il file\: {0} -deleteHome=<primary>La casa<secondary> {0} <primary>è stata rimossa. +deleteHome=<primary>La home<secondary> {0} <primary>è stata rimossa. deleteJail=<primary>La prigione<secondary> {0} <primary>è stata rimossa. deleteKit=<primary>Il kit<secondary> {0} <primary>è stato rimosso. deleteWarp=<primary>Il warp<secondary> {0} <primary>è stato rimosso. -deletingHomes=Sto eliminando le case... -deletingHomesWorld=Tutte le case saranno eliminate in {0}... +deletingHomes=Sto eliminando tutte le home... +deletingHomesWorld=Tutte le home saranno eliminate in {0}... delhomeCommandDescription=Rimuove una casa. delhomeCommandUsage=/<command> [giocatore\:]<nome> delhomeCommandUsage1=/<command> <nome> @@ -194,7 +211,7 @@ delhomeCommandUsage2=/<command> <giocatore>\:<nome> delhomeCommandUsage2Description=Elimina la casa del giocatore specificato con il nome specificato deljailCommandDescription=Rimuove una prigione. deljailCommandUsage=/<command> <jailname> -deljailCommandUsage1=/<command> <jailname> +deljailCommandUsage1=/<command> <nome della prigione> deljailCommandUsage1Description=Elimina la prigione con il nome specificato delkitCommandDescription=Elimina un kit. delkitCommandUsage=/<command> <kit> @@ -208,108 +225,109 @@ deniedAccessCommand=<dark_red>A <secondary>{0} <dark_red>è stato negato l''acce denyBookEdit=<dark_red>Non puoi sbloccare questo libro. denyChangeAuthor=<dark_red>Non puoi cambiare l''autore di questo libro. denyChangeTitle=<dark_red>Non puoi cambiare il titolo di questo libro. -depth=<gray>Sei al livello del mare. +depth=<primary>Sei al livello del mare. depthAboveSea=<primary>Sei<secondary> {0} <primary>blocchi sopra livello del mare. depthBelowSea=<primary>Sei<secondary> {0} <primary>blocchi sotto il livello del mare. -depthCommandDescription=Visualizza la tua altezza o profondità, rispetto il livello del mare. +depthCommandDescription=Indica l''altezza attuale rispetto al livello del mare depthCommandUsage=/depth destinationNotSet=Destinazione non impostata\! disabled=disabilitato -disabledToSpawnMob=<dark_red>La creazione di questo mob è stata disabilitata nel file configurazione. -disableUnlimited=<primary>Il piazzamento illimitato di<secondary> {0} <primary>è stato disabilitato per<secondary> {1}<primary>. -discordbroadcastCommandDescription=Invia un messaggio ad un canale Discord. +disabledToSpawnMob=<dark_red>Lo spawn di questo mob è stata disattivata nel file di configurazione. +disableUnlimited=<primary>Disabilita la possibilità di posizionare illimitatamente<secondary> {0} <primary>per<secondary> {1}<primary>. +discordbroadcastCommandDescription=Invia un messaggio al canale Discord specificato. discordbroadcastCommandUsage=/<command> <canale> <messaggio> -discordbroadcastCommandUsage1=/<command> <channel> <msg> +discordbroadcastCommandUsage1=/<command> <canale> <messaggio> discordbroadcastCommandUsage1Description=Manda il messaggio nel canale Discord specificato -discordbroadcastInvalidChannel=<dark_red>Il canale Discord <secondary>"{0}"<dark_red> non esiste. -discordbroadcastPermission=<dark_red>Non puoi mandare messaggi nel canale Discord <secondary>"{0}"<dark_red>. -discordbroadcastSent=<primary>Messaggio inviato nel canale <secondary>"{0}"<primary>\! +discordbroadcastInvalidChannel=<dark_red>Il canale Discord <secondary>{0}<dark_red> non esiste. +discordbroadcastPermission=<dark_red>Non hai il permesso di inviare messaggi al canale <secondary>{0}<dark_red>. +discordbroadcastSent=<primary>Messaggio inviato nel canale <secondary>{0}<primary>\! discordCommandAccountArgumentUser=L''account Discord da cercare discordCommandAccountDescription=Cerca l''account di Minecraft collegato al tuo account o a quello di un altro utente discordCommandAccountResponseLinked=Il tuo account Discord è collegato all''account Minecraft\: **{0}** -discordCommandAccountResponseLinkedOther=L''account discord di {0} è associato all''account Minecraft\: **{1}** +discordCommandAccountResponseLinkedOther=L''account Discord di {0} è associato all''account Minecraft\: **{1}** discordCommandAccountResponseNotLinked=Non hai ancora associato un account Minecraft. discordCommandAccountResponseNotLinkedOther={0} non ha un account Minecraft associato. discordCommandDescription=Invia un link d''invito per il server Discord. -discordCommandLink=<primary>Entra nel nostro server Discord\: <secondary>{0}<primary>\! +discordCommandLink=<primary>Unisciti al nostro server Discord\: <secondary><click\:open_url\:"{0}">{0}</click><primary>\! discordCommandUsage=/<command> discordCommandUsage1=/<command> -discordCommandUsage1Description=Invia il link d''invito per il server Discord ad un giocatore +discordCommandUsage1Description=Invia il link di invito per il server Discord al giocatore discordCommandExecuteDescription=Esegue un comando all''interno del server Minecraft come Console. discordCommandExecuteArgumentCommand=Il comando da eseguire -discordCommandExecuteReply=Comando in esecuzione\: "/{0}" +discordCommandExecuteReply=Esecuzione del comando\: "/{0}" discordCommandUnlinkDescription=Scollega l''account Minecraft attualmente associato al tuo account Discord discordCommandUnlinkInvalidCode=Al momento non hai un account Minecraft associato a Discord\! discordCommandUnlinkUnlinked=Il tuo account Discord è stato sassociato da tutti gli account Minecraft. -discordCommandLinkArgumentCode=Il codice che hai ricevuto in-gioco per associare il tuo account Minecraft -discordCommandLinkDescription=Collega il tuo account Discord all''account Minecraft utilizzando il codice ottenuto in-gioco, esegui il comando /link +discordCommandLinkArgumentCode=Il codice che hai ricevuto nel gioco per associare il tuo account Minecraft +discordCommandLinkDescription=Collega l''account Discord all''account Minecraft usando il codice fornito dal comando /link nel gioco discordCommandLinkHasAccount=Hai già un account associato\! Per scollegarlo, digita /unlink. -discordCommandLinkInvalidCode=Codice non valido\! Assicurati di aver copiato correttamente il codice, comando /link. +discordCommandLinkInvalidCode=Codice non valido\! Assicurati di aver eseguito il comando /link nel gioco e di aver copiato correttamente il codice. discordCommandLinkLinked=Account associato con successo\! -discordCommandListDescription=Una lista dei giocatori attualmente online. -discordCommandListArgumentGroup=A specific group to limit your search by -discordCommandMessageDescription=Manda un messaggio ad un giocatore nel server Minecraft. +discordCommandListDescription=Ottieni l''elenco dei giocatori online. +discordCommandListArgumentGroup=Un gruppo specifico per limitare la tua ricerca +discordCommandMessageDescription=Invia un messaggio a un giocatore sul server Minecraft. discordCommandMessageArgumentUsername=Il giocatore a cui mandare il messaggio discordCommandMessageArgumentMessage=Il messaggio da inviare -discordErrorCommand=Il bot non è stato aggiunto correttamente\! Segui il tutorial nel file di config e aggiungi il bot dal link https\://essentialsx.net/discord.html +discordErrorCommand=Hai aggiunto il tuo bot al server in modo errato\! Segui il tutorial nel file di configurazione e aggiungi il tuo bot usando https\://essentialsx.net/discord.html discordErrorCommandDisabled=Questo comando è disabilitato\! discordErrorLogin=Si è verificato un errore durante l''accesso a Discord, che ha causato la disattivazione del plugin\: \n{0} -discordErrorLoggerInvalidChannel=Il log della console è stato disabilitato in quanto il canale non è correttamente configurato\! Per disabilitarlo, imposta l''ID del canale a "none"; oppure controlla che l''ID che hai inserito sia corretto. -discordErrorLoggerNoPerms=Il log della console è stato disabilitato in quanto il bot non dispone dei permessi necessari\! Sii certo che il bot disponga del permesso "Manage Webhooks". Dopodiché, esegui "/ess reload". +discordErrorLoggerInvalidChannel=La gestione dei log della console su Discord è stata disabilitata in quanto il canale non è correttamente configurato\! Se si intende disabilitarla, impostare l''ID del canale su “none”; altrimenti verificare che l''ID del canale sia corretto. +discordErrorLoggerNoPerms=La gestione dei log della console su Discord è stata disabilitata a causa di permessi insufficienti\! Assicurati che il bot abbia il permesso "Manage Webhooks" sul server. Dopo avergli dato il permesso esegui "/ess reload". discordErrorNoGuild=ID server non valido o mancante\! Si prega di seguire il tutorial nella configurazione per configurare il plugin. -discordErrorNoGuildSize=Il tuo bot non è in alcun server\! Segui il tutorial nel file di config per settare correttamente il plugin. +discordErrorNoGuildSize=Il tuo bot non è in alcun server\! Segui il tutorial nel file di configurazione per configurare correttamente il plugin. discordErrorNoPerms=Il tuo bot non può né leggere né inviare messaggi\! Assicurati che abia il permesso di leggere ed inviare messaggi in tutti i canali in cui desideri che ciò avvenga. -discordErrorNoPrimary=Non hai indicato un canale principale e/o se l''hai fatto l''hai fatto male. Verrà quindi utilizzato il canale di default\: \#{0}. -discordErrorNoPrimaryPerms=Il bot non può scrivere nel canale principale, \#{0}. Assicurati che abbia i permessi di leggere e di inviare messaggi in tutti i canali che desideri utilizzi. -discordErrorNoToken=Nessun token inserito\! Segui il tutorial presente nel file di config per settare correttamente il plugin. -discordErrorWebhook=Errore mentre si tentava di inviare un messaggio nel canale della console\! Probabilmente è stato eliminato il webhook del canale. Solitamente lo puoi risolvere assicurandoti che il bot abbia il permesso "Manage Webhooks" e eseguendo "/ess reload". -discordLinkInvalidGroup=Gruppo non valido\: {0} per il ruolo\: {1}. Gruppi possibili\:\: {2} -discordLinkInvalidRole=An invalid role ID, {0}, was provided for group\: {1}. You can see the ID of roles with the /roleinfo command in Discord. -discordLinkInvalidRoleInteract=The role, {0} ({1}), cannot be used for group->role synchronization because it above your bot''s uppermost role. Either move your bot''s role above "{0}" or move "{0}" below your bot''s role. -discordLinkInvalidRoleManaged=The role, {0} ({1}), cannot be used for group->role synchronization because it is managed by another bot or integration. +discordErrorNoPrimary=Non hai definito un canale primario oppure il canale primario definito non è valido. Verrà utilizzato il canale predefinito\: \#{0}. +discordErrorNoPrimaryPerms=Il bot non può scrivere nel canale principale, \#{0}. Assicurati che abbia i permessi di lettura e scrittura in tutti i canali che desideri utilizzare. +discordErrorNoToken=Nessun token inserito\! Segui il tutorial nel file di configurazione per configurare correttamente il plugin. +discordErrorWebhook=Errore durante l''invio di un messaggio nel canale della console\! Probabilmente è stato causato dall''eliminazione involontaria del webhook della console. Puoi risolvere il problema assicurandoti che il tuo bot abbia il permesso "Manage Webhooks" ed eseguendo il comando "/ess reload". +discordLinkInvalidGroup=Gruppo {0} non valido per il ruolo {1}. Gruppi disponibili\: {2} +discordLinkInvalidRole=ID ruolo {0} non valido per il gruppo\: {1}. Puoi visualizzare l''ID dei ruoli usando il comando /roleinfo su Discord. +discordLinkInvalidRoleInteract=Il ruolo {0} ({1}) non può essere utilizzato per la sincronizzazione gruppo->ruolo perché ha un ruolo più alto del tuo bot. Fornisci al bot un ruolo maggiore di "{0}" oppure sposta "{0}" sotto il ruolo del bot. +discordLinkInvalidRoleManaged=Il ruolo {0} ({1}) non può essere utilizzato per la sincronizzazione gruppo->ruolo perché è gestito da un altro bot o da un''altra integrazione. discordLinkLinked=<primary>Per associare il tuo account Minecraft a Discord, digita <secondary>{0} <primary>nel server di Discord. discordLinkLinkedAlready=<primary>Hai già associato il tuo account Discord\! Se lo vuoi scollegare esegui il comando <secondary>/unlink<primary>. discordLinkLoginKick=<primary>Per entrare nel server devi prima associare il tuo account Discord.\n<primary>Per collegarlo, digita\:\n<secondary>{0}\n<primary>sul nostro server Discord\:\n<secondary>{1} discordLinkLoginPrompt=<primary>Per muoverti, inviare messaggi o interagire, devi prima associare il tuo account Discord. Per collegarlo, digita <secondary>{0} <primary>sul nostro server Discord\: <secondary>{1} discordLinkNoAccount=<primary>Al momento non hai nessun account Discord associato al tuo account Minecraft. discordLinkPending=<primary>Hai già un codice per il collegamento. Per completare l''associazione, digita <secondary>{0} <primary>nel server Discord. -discordLinkUnlinked=<primary>Il tuo account Minecraft è stato sassociato da tutti gli account Discord. -discordLoggingIn=Log-in su Discord in corso... +discordLinkUnlinked=<primary>Hai scollegato il tuo account Minecraft da tutti gli account Discord associati. +discordLoggingIn=Tentativo di accesso a Discord... discordLoggingInDone=Log-in con successo\: {0} discordMailLine=**Nuova mail da {0}\:** {1} -discordNoSendPermission=Impossibile mandare un messaggio nel canale\: \#{0} Assicurati che il bot abbia il permesso per inviare messaggi in questo canale\! -discordReloadInvalid=Tried to reload EssentialsX Discord config while the plugin is in an invalid state\! If you''ve modified your config, restart your server. +discordNoSendPermission=Impossibile inviare il messaggio nel canale\: \#{0} Assicurati che il bot abbia il permesso "Send Messages" in questo canale\! +discordReloadInvalid=Hai tentato di ricaricare la configurazione di EssentialsX Discord mentre il plugin è in uno stato non valido\! Se hai modificato la configurazione, riavvia il server. disposal=Cestino -disposalCommandDescription=Apre il menù Disposal. +disposalCommandDescription=Apre un cestino portatile. disposalCommandUsage=/<command> distance=<primary>Distanza\: {0} -dontMoveMessage=<gray>Il teletrasporto inizierà tra {0}. Non muoverti. +dontMoveMessage=<primary>Il teletrasporto avrà inizio tra <secondary>{0}<primary>. Non muoverti. downloadingGeoIp=Download del database GeoIP... potrebbe richiedere del tempo (nazione\: 1.7 MB, città\: 30MB) dumpConsoleUrl=Server dump creato\: <secondary>{0} -dumpCreating=<primary>Creazione server dump... -dumpDeleteKey=<primary>Se, in seguito, vuoi eliminare questo dump, dovrai utilizzare questa key\: <secondary>{0} -dumpError=<dark_red>Errore nel generare il dump <secondary>{0}<dark_red>. +dumpCreating=<primary>Creazione del dump del server... +dumpDeleteKey=<primary>Se desideri eliminare questo dump in un secondo momento, usa la seguente chiave di eliminazione\: <secondary>{0} +dumpError=<dark_red>Errore durante la creazione del dump <secondary>{0}<dark_red>. +dumpErrorUpload=<dark_red>Errore durante il caricamento di <secondary>{0}<dark_red>\: <secondary>{1} dumpUrl=<primary>Server dump creato\: <secondary>{0} duplicatedUserdata=Dati dell''utente duplicati\: {0} e {1} -durability=<primary>Questo attrezzo ha <secondary>{0}<primary> utilizzi rimasti +durability=<primary>Questo attrezzo ha <secondary>{0}<primary> utilizzi rimasti. east=E ecoCommandDescription=Gestisce l''economia dei server. -ecoCommandUsage=/<command> <give|take|set|reset> <giocatore> <somma> -ecoCommandUsage1=/<command> give <giocatore> <somma> -ecoCommandUsage1Description=Dà ad un giocatore una determinata somma di denaro -ecoCommandUsage2=/<command> take <giocatore> <somma> -ecoCommandUsage2Description=Rimuovi una determinata somma di denaro da un giocatore -ecoCommandUsage3=/<command> set <giocatore> <somma> -ecoCommandUsage3Description=Imposta il saldo di un giocatore ad una specifica somma -ecoCommandUsage4=/<command> reset <giocatore> <amount> +ecoCommandUsage=/<command> <give|take|set|reset> <giocatore> <importo> +ecoCommandUsage1=/<command> give <giocatore> <importo> +ecoCommandUsage1Description=Dà al giocatore specificato la somma di denaro specificata +ecoCommandUsage2=/<command> take <giocatore> <importo> +ecoCommandUsage2Description=Preleva la somma di denaro specificata dal giocatore specificato +ecoCommandUsage3=/<command> set <giocatore> <importo> +ecoCommandUsage3Description=Imposta il saldo del giocatore alla somma di denaro specificata +ecoCommandUsage4=/<command> reset <giocatore> <importo> ecoCommandUsage4Description=Resetta il saldo di un giocatore al saldo di default impostato nel config editBookContents=<yellow>Ora puoi modificare i contenuti di questo libro. emptySignLine=<dark_red>Riga vuota {0} enabled=abilitato -enchantCommandDescription=Applica un''incantesimo all''oggetto in mano. +enchantCommandDescription=Incanta l''oggetto che l''utente tiene in mano. enchantCommandUsage=/<command> <incantesimo> [livello] enchantCommandUsage1=/<command> <incantesimo> [livello] -enchantCommandUsage1Description=Applica un incantesimo, al livello indicato, all''oggetto che si tiene in mano +enchantCommandUsage1Description=Incanta l''oggetto che tieni in mano con l''incantesimo dato e un livello opzionale enableUnlimited=<primary>Data una quantità illimitata di<secondary> {0} <primary>a <secondary>{1}<primary>. enchantmentApplied=<primary>L''incantesimo<secondary> {0} <primary>è stato applicato all''oggetto che hai in mano. enchantmentNotFound=<dark_red>Incantesimo non trovato\! @@ -317,191 +335,204 @@ enchantmentPerm=<dark_red>Non hai il permesso per<secondary> {0}<dark_red>. enchantmentRemoved=<primary>L''incantesimo<secondary> {0} <primary>è stato rimosso dall''oggetto che hai in mano. enchantments=<primary>Incantesimi\:<reset> {0} enderchestCommandDescription=Puoi visualizzare il contenuto di una EnderChest. -enderchestCommandUsage=/<command> [player] +enderchestCommandUsage=/<command> [giocatore] enderchestCommandUsage1=/<command> enderchestCommandUsage1Description=Apre la tua EnderChest -enderchestCommandUsage2=/<command> <player> +enderchestCommandUsage2=/<command> <giocatore> enderchestCommandUsage2Description=Visualizza l''EnderChest di un altro giocatore equipped=Equipaggiato errorCallingCommand=Errore nell''esecuzione del comando /{0} errorWithMessage=<secondary>Errore\:<dark_red> {0} -essChatNoSecureMsg=La versione di EssentialsX chat {0} non supporta la chat sicura per il software di questo server. Aggiorna EssentialsX e se l''errore persiste contatta uno sviluppatore. +essChatNoSecureMsg=La versione {0} di EssentialsX Chat non supporta la chat sicura su questo software del server. Aggiorna EssentialsX e, se il problema persiste, informa gli sviluppatori. essentialsCommandDescription=Ricarica essentials. essentialsCommandUsage=/<command> essentialsCommandUsage1=/<command> reload -essentialsCommandUsage1Description=Ricarica Essentials +essentialsCommandUsage1Description=Ricarica la configurazione di Essentials essentialsCommandUsage2=/<command> version essentialsCommandUsage2Description=Visualizza la versione di Essentials essentialsCommandUsage3=/<command> commands essentialsCommandUsage3Description=Gives information about what commands Essentials is forwarding essentialsCommandUsage4=/<command> debug essentialsCommandUsage4Description=Attiva o disattiva la modalità "debug" di Essentials -essentialsCommandUsage5=/<command> reset <player> +essentialsCommandUsage5=/<command> reset <giocatore> essentialsCommandUsage5Description=Resetta i dati utente di un giocatore essentialsCommandUsage6=/<command> cleanup essentialsCommandUsage6Description=Elimina i dati utente più vecchi essentialsCommandUsage7=/<command> homes -essentialsCommandUsage7Description=Gestisci le case degli utenti +essentialsCommandUsage7Description=Gestisce le home degli utenti essentialsCommandUsage8=/<command> dump [all] [config] [discord] [kits] [log] -essentialsCommandUsage8Description=Genera un dump del serer, includendo tutto o solo il config, discord, i kits o i logs +essentialsCommandUsage8Description=Genera un dump del server con le informazioni richieste essentialsHelp1=Il file è corrotto ed Essentials non lo può aprire. Essentials è ora disabilitato. Se non riesci a riparare il file, vai su http\://tiny.cc/EssentialsChat essentialsHelp2=Il file è corrotto ed Essentials non lo può aprire. Essentials è ora disabilitato. Se non riesci a riparare il file, scrivi /essentialshelp in gioco o vai su http\://tiny.cc/EssentialsChat essentialsReload=<primary>Essentials ricaricato<secondary> {0}. -exp=<secondary>{0} <primary>ha<secondary> {1} <primary>esperienza (livello<secondary> {2}<primary>) e necessita di altri<secondary> {3} <primary>punti esperienza per salire di livello. +exp=<secondary>{0} <primary>ha<secondary> {1} <primary>xp (livello<secondary> {2}<primary>) e ha bisogno di altri<secondary> {3} <primary>punti esperienza per salire di livello. expCommandDescription=Aumenta, imposta, resetta, o mostra i punti esperienza di un giocatore. expCommandUsage=/<command> [reset|show|set|give] [giocatore [quantità]] -expCommandUsage1=/<command> give <player> <amount> -expCommandUsage1Description=Dai al giocatore una specifica quantità di punti esperienza +expCommandUsage1=/<command> give <giocatore > <quantità> +expCommandUsage1Description=Dà al giocatore la quantità di XP specificata expCommandUsage2=/<command> set <giocatore> <quantità> -expCommandUsage2Description=Imposta la quantità di punti esperienza di un giocatore +expCommandUsage2Description=Imposta gli XP del giocatore all''importo specificato. expCommandUsage3=/<command> show <giocatore> -expCommandUsage4Description=Mostra quanti punti esperienza ha un giocatore +expCommandUsage4Description=Mostra la quantità di XP del giocatore. expCommandUsage5=/<command> reset <giocatore> -expCommandUsage5Description=Resetta i punti esperienza di un giocatore a 0 -expSet=<secondary>{0} <primary>ha ora<secondary> {1} <primary>punti esperienza. +expCommandUsage5Description=Azzera gli XP di un giocatore +expSet=<secondary>{0} <primary>ora ha<secondary> {1} <primary>XP. extCommandDescription=Spegne un giocatore in fiamme. -extCommandUsage=/<command> [player] -extCommandUsage1=/<command> [player] -extCommandUsage1Description=Spegne le fiamme di un giocatore o le tue se nessun utente è specificato +extCommandUsage=/<command> [giocatore] +extCommandUsage1=/<command> [giocatore] +extCommandUsage1Description=Spegne le tue fiamme o quelle di un altro giocatore se specificato extinguish=<primary>Hai spento le fiamme. -extinguishOthers=<primary>Hai spento le fiamme di {0}. +extinguishOthers=<primary>Hai spento le fiamme di {0}<primary>. failedToCloseConfig=Fallita la chiusura del file di configurazione {0}. failedToCreateConfig=Fallita la creazione del file di configurazione {0}. failedToWriteConfig=Fallita la scrittura del file di configurazione {0}. -false=<dark_red>no<reset> +false=<dark_red>falso<reset> feed=<primary>Il tuo appetito è stato saziato. feedCommandDescription=Riempie la barra della fame. -feedCommandUsage=/<command> [player] -feedCommandUsage1=/<command> [player] -feedCommandUsage1Description=Riempi la barra della fame tua o di un altro giocatore +feedCommandUsage=/<command> [giocatore] +feedCommandUsage1=/<command> [giocatore] +feedCommandUsage1Description=Riempi la tua barra della fame o di un altro giocatore se specificato feedOther=<primary>Hai saziato l''appetito di <secondary>{0}<primary>. fileRenameError=Rinomina del file {0} fallita\! -fireballCommandDescription=Lancia una palla di fuoco o un altro proiettile. +fireballCommandDescription=Lancia una palla di fuoco o altri proiettili. fireballCommandUsage=/<command> [fireball|small|large|arrow|skull|egg|snowball|expbottle|dragon|splashpotion|lingeringpotion|trident] [velocità] fireballCommandUsage1=/<command> fireballCommandUsage1Description=Lancia una palla di fuoco nella direzione in cui stai guardando fireballCommandUsage2=/<command> <fireball|small|large|arrow|skull|egg|snowball|expbottle|dragon|splashpotion|lingeringpotion|trident> [velocità] -fireballCommandUsage2Description=Lancia il proiettile scelto, alla velocità impostata -fireworkColor=<dark_red>I parametri di carica fuochi d''artificio inseriti non sono validi, devi prima impostare i colori. -fireworkCommandDescription=Puoi modificare uno stack di fuochi d''artificio. -fireworkCommandUsage=/<command> <<meta param>|power [valore]|clear|fire [valore]> +fireballCommandUsage2Description=Lancia il proiettile scelto, con una velocità opzionale +fireworkColor=<dark_red>Parametri dei fuochi d''artificio non validi inseriti, è necessario impostare prima un colore. +fireworkCommandDescription=Consente di modificare uno stack di fuochi d''artificio. +fireworkCommandUsage=/<command> <<meta param>|power [durata]|clear|fire [quantità]> fireworkCommandUsage1=/<command> clear -fireworkCommandUsage1Description=Elimina tutti gli effetti impostati ai fuochi d''artificio -fireworkCommandUsage2=/<command> power <valore> +fireworkCommandUsage1Description=Rimuove tutti gli effetti del fuoco d''artificio tenuto in mano +fireworkCommandUsage2=/<command> power <durata> fireworkCommandUsage2Description=Imposta la durata del fuoco d''artificio fireworkCommandUsage3=/<command> fire [quantità] -fireworkCommandUsage3Description=Fa esplodere tutti i fuochi o solo la quantità specificata +fireworkCommandUsage3Description=Lancia una, o la quantità specificata, di copie del fuoco d''artificio tenuto in mano fireworkCommandUsage4=/<command> <meta> fireworkCommandUsage4Description=Aggiunge l''effetto scelto al fuoco d''artificio -fireworkEffectsCleared=<primary>Rimossi tutti gli effetti dallo stack attualmente tenuta. -fireworkSyntax=<primary>Parametri Fuochi d''Artificio\:<secondary> color\:<colore> [fade\:<coloredissolvenza>] [shape\:<forma>] [effect\:<effetto>]\n<primary>Per utilizzare più di un colore/effetto, separa i valori con una virgola\: <secondary>red,blue,pink\n<primary>Forme\:<secondary> star, ball, large, creeper, burst <primary>Effetti\:<secondary> trail, twinkle. +fireworkEffectsCleared=<primary>Rimossi tutti gli effetti dallo stack tenuto in mano. +fireworkSyntax=<primary>Parametri Fuochi d''Artificio\:<secondary> color\:\\<colore> [fade\:\\<coloredissolvenza>] [shape\:<forma>] [effect\:<effetto>]\n<primary>Per utilizzare più di un colore/effetto, separa i valori con una virgola\: <secondary>red,blue,pink\n<primary>Forme\:<secondary> star, ball, large, creeper, burst <primary>Effetti\:<secondary> trail, twinkle. fixedHomes=Home non valide eliminate. fixingHomes=Eliminando le home non valide... flyCommandDescription=Decolla e vola\! flyCommandUsage=/<command> [giocatore] [on|off] -flyCommandUsage1=/<command> [player] -flyCommandUsage1Description=Abilita o disabilita la fly per te stesso o per un altro giocatore +flyCommandUsage1=/<command> [giocatore] +flyCommandUsage1Description=Abilita o disattiva la fly per te stesso o per un altro giocatore flying=volando -flyMode=<primary>Volo <secondary>{0} <primary>per {1}<primary>. -foreverAlone=<dark_red>Non c''è nessuno a cui rispondere. +flyMode=<primary>Modalità di volo impostata a<secondary> {0} <primary>per {1}<primary>. +foreverAlone=<dark_red>Non hai nessuno a cui puoi rispondere. fullStack=<dark_red>Hai già uno stack intero. -fullStackDefault=<primary>Stack impostato alla sua quantità massima, <secondary>{0}<primary>. -fullStackDefaultOversize=<primary>Il tuo stack è stato impostato alla sua quantità massima, <secondary>{0}<primary>. +fullStackDefault=<primary>Lo stack è stato impostato alla sua quantità predefinita, <secondary>{0}<primary>. +fullStackDefaultOversize=<primary>Lo stack è stato impostato alla sua quantità massima, <secondary>{0}<primary>. gameMode=<primary>Modalità di gioco impostata a<secondary> {0} <primary>per <secondary>{1}<primary>. gameModeInvalid=<dark_red>Devi specificare un/a giocatore/modalità valida. gamemodeCommandDescription=Cambia modalità di gioco. gamemodeCommandUsage=/<command> <survival|creative|adventure|spectator> [giocatore] -gamemodeCommandUsage1=/<command> <survival|creative|adventure|spectator> [player] +gamemodeCommandUsage1=/<command> <survival|creative|adventure|spectator> [giocatore] gamemodeCommandUsage1Description=Imposta la tua modalità di gioco o quella di un altro giocatore -gcCommandDescription=Visualizza informazioni su memoria, uptime e tick. +gcCommandDescription=Riporta informazioni su memoria, tempo di attività e tick. gcCommandUsage=/<command> gcfree=<primary>Memoria libera\:<secondary> {0} MB. gcmax=<primary>Memoria massima\:<secondary> {0} MB. gctotal=<primary>Memoria allocata\:<secondary> {0} MB. -gcWorld=<primary>{0} "<secondary>{1}<primary>"\: <secondary>{2}<primary> chunk, <secondary>{3}<primary> entità, <secondary>{4}<primary> piastrelle. +gcWorld=<primary>{0} "<secondary>{1}<primary>"\: <secondary>{2}<primary> chunk, <secondary>{3}<primary> entità, <secondary>{4}<primary> entità di blocco. geoipJoinFormat=<primary>Il giocatore <secondary>{0} <primary>viene da <secondary>{1}<primary>. getposCommandDescription=Visualizza le tue attuali coordinate o quelle di un altro giocatore. -getposCommandUsage=/<command> [player] -getposCommandUsage1=/<command> [player] -getposCommandUsage1Description=Mostra le coordinate di un altro giocatore o le tue se non è specificato nulla -giveCommandDescription=Dai un oggetto ad un giocatore. -giveCommandUsage=/<command> <giocatore> <oggetto|ID> [quantità [itemmeta...]] -giveCommandUsage1=/<command> <player> <item> [amount] -giveCommandUsage1Description=Dà al giocatore uno stack (o un''altra quantità specificata) di un item +getposCommandUsage=/<command> [giocatore] +getposCommandUsage1=/<command> [giocatore] +getposCommandUsage1Description=Ottiene le coordinate dell''utente o di un altro giocatore, se specificato +giveCommandDescription=Dai un oggetto a un giocatore. +giveCommandUsage=/<command> <giocatore> <item|numeric> [quantità [itemmeta...]] +giveCommandUsage1=/<command> <giocatore> <item> [amount] +giveCommandUsage1Description=Dà al giocatore uno stack (o la quantità specificata) dell''oggetto indicato giveCommandUsage2=/<command> <giocatore> <oggetto> <quantità> <meta> -giveCommandUsage2Description=Da ad un giocatore una determinata quantità di un item, con dei metadata specifici -geoipCantFind=<primary>il giocatore <secondary>{0} <primary>si è connesso <green>da uno stato sconosciuto<primary>. -geoIpErrorOnJoin=Impossibile ottenere dati GEOIP per {0}. Assicurati che la tua licensa e configurazione siano corrette. -geoIpLicenseMissing=Nessuna licensa trovata\! Vai su https\://essentialsx.net/geoip per il primo setup. +giveCommandUsage2Description=Dà al giocatore la quantità specificata dell''oggetto indicato con i metadati forniti +geoipCantFind=<primary>Il giocatore <secondary>{0} <primary>si è connesso <green>da una nazione sconosciuta<primary>. +geoIpErrorOnJoin=Impossibile recuperare i dati GeoIP per {0}. Assicurati che la tua chiave di licenza e la configurazione siano corrette. +geoIpLicenseMissing=Nessuna chiave di licenza trovata\! Visita https\://essentialsx.net/geoip per le istruzioni di configurazione iniziale. geoIpUrlEmpty=L''url per il download del GeoIP è vuoto. geoIpUrlInvalid=L''url per il download del GeoIP non è valido. givenSkull=<primary>Ti è stata data la testa di <secondary>{0}<primary>. -givenSkullOther=<primary>Hai dato <secondary>{0}<primary> il cranio di <secondary>{1}<primary>. +givenSkullOther=<primary>Hai dato a <secondary>{0}<primary> la testa di <secondary>{1}<primary>. godCommandDescription=Abilita i tuoi poteri da dio. -godCommandUsage=/<command> [player] [on|off] -godCommandUsage1Description=Attiva o disattiva la godmode per te o per un altro giocatore -giveSpawn=<secondary> {0} <primary>di<secondary> {1} <primary>sono stati dati a<secondary> {2}<primary>. -giveSpawnFailure=<dark_red>Non c''era abbastanza spazio nell''inventario, <secondary>{0} {1} <dark_red>non sono stati consegnati. +godCommandUsage=/<command> [giocatore] [on|off] +godCommandUsage1=/<command> [giocatore] +godCommandUsage1Description=Attiva o disattiva la god per te o per un altro giocatore +giveSpawn=<primary>Sto dando<secondary> {0} <primary>di<secondary> {1} <primary>a<secondary> {2}<primary>. +giveSpawnFailure=<dark_red>Spazio insufficiente, <secondary>{0} {1} <dark_red>sono andati persi. godDisabledFor=<secondary>disabilitata<primary> per<secondary> {0} godEnabledFor=<green>abilitata<primary> per<secondary> {0} -godMode=<primary>Modalità Dio<secondary> {0}<primary>. -grindstoneCommandDescription=Apre la mola (grindstone). +godMode=<primary>Modalità god<secondary> {0}<primary>. +grindstoneCommandDescription=Apre la mola. +grindstoneCommandUsage=/<command> groupDoesNotExist=<dark_red>Non c''è nessuno online in questo gruppo\! groupNumber=<secondary>{0}<white> online, per la lista completa\:<secondary> /{1} {2} hatArmor=<dark_red>Non puoi utilizzare questo oggetto come cappello\! -hatCommandDescription=Nuovi copricapi da indossare sul tuo cervello. +hatCommandDescription=Ottieni un nuovo e fantastico copricapo. hatCommandUsage=/<command> [remove] -hatCommandUsage1Description=Indossa l''oggetto che hai in mano come copricapo +hatCommandUsage1=/<command> +hatCommandUsage1Description=Indossa l''oggetto che hai in mano come cappello hatCommandUsage2=/<command> remove -hatCommandUsage2Description=Rimuove il copricapo indossato attualmente -hatCurse=<dark_red>Non puoi rimuovere il copricapo indossato perché ha la maledizione del legame\! -hatEmpty=<secondary>You are not wearing a hat. +hatCommandUsage2Description=Rimuove il cappello indossato attualmente +hatCurse=<dark_red>Non puoi rimuovere il cappello indossato perché ha la maledizione del legame\! +hatEmpty=<dark_red>Non stai indossando un cappello. hatFail=<dark_red>Devi avere qualcosa in mano da indossare. hatPlaced=<primary>Goditi il tuo nuovo cappello\! hatRemoved=<primary>Il tuo cappello è stato rimosso. -haveBeenReleased=<gray>Sei stato scarcerato. -heal=<gray>Sei stato curato. -healCommandDescription=Ripristina la salute. -healCommandUsage1Description=Ripristina la salute di un giocatore o la tua se non è specificato nulla +haveBeenReleased=<primary>Sei stato scarcerato. +heal=<primary>Sei stato curato. +healCommandDescription=Cura te stesso o il giocatore dato. +healCommandUsage=/<command> [giocatore] +healCommandUsage1=/<command> [giocatore] +healCommandUsage1Description=Cura te stesso o un altro giocatore, se specificato. healDead=<dark_red>Non può guarire qualcuno che è morto\! -healOther=<gray>{0} è stato curato. -helpCommandDescription=Ottieni una lista di comandi che puoi eseguire. +healOther=<secondary>{0}<primary> è stato curato. +helpCommandDescription=Visualizza un elenco dei comandi disponibili. helpCommandUsage=/<command> [termine di ricerca] [pagina] -helpConsole=Per vedere la lista di comandi nella console, digita ''?''. -helpFrom=<gray>Comandi da {0}\: -helpMatching=<gray>I comandi che corrispondono a "{0}"\: -helpOp=<secondary>[Aiuto]<white> <gray>{0}\:<white> {1} +helpConsole=Digita ''?'' per vedere la lista di comandi dalla console. +helpFrom=<primary>Comandi da {0}\: +helpLine=<primary>/{0}<reset>\: {1} +helpMatching=<primary>Comandi corrispondenti "<secondary>{0}<primary>"\: +helpOp=<dark_red>[Aiuto]<reset> <primary>{0}\:<reset> {1} helpPlugin=<dark_red>{0}<reset>\: Aiuto Plugin\: /help {1} -helpopCommandDescription=Invia un messaggio agli admin. +helpopCommandDescription=Invia un messaggio agli admin online. helpopCommandUsage=/<command> <messaggio> -helpopCommandUsage1Description=Invia questo messaggio a tutti gli admin online -holdBook=<dark_red>Non stai tenendo un libro scrivibile. -holdFirework=<dark_red>Devi tenere un fuoco d''artificio per aggiungerne degli effetti. -holdPotion=<dark_red>Devi mantenere un pozione per applicare effetti ad essa. -holeInFloor=Buco nel terreno -homeCommandDescription=Teletrasportati alle tue case. +helpopCommandUsage1=/<command> <messaggio> +helpopCommandUsage1Description=Invia il messaggio a tutti gli admin online +holdBook=<dark_red>Non stai tenendo in mano un libro scrivibile. +holdFirework=<dark_red>Devi tenere in mano un fuoco d''artificio per aggiungere effetti. +holdPotion=<dark_red>Devi tenere in mano una pozione per applicare gli effetti. +holeInFloor=<dark_red>Buco nel pavimento\! +homeCommandDescription=Teletrasportati alla tua home. homeCommandUsage=/<command> [giocatore\:][nome] -homeCommandUsage1Description=Teletrasportati alla tua casa, specificando il nome qualora ne avessi molteplici -homeCommandUsage2Description=Teletrasportati alla casa di un altro giocatore, specificando il nome qualora fossero molteplici -homes=Case\: {0} -homeConfirmation=<primary>Hai già nominato un''altra casa <secondary>{0}<primary>\!\nPer cancellare questa e salvare questa, esegui nuovamente il comando. -homeRenamed=<primary>La casa <secondary>{0} <primary>è stata rinominata in <secondary>{1}<primary>. -homeSet=<gray>Casa impostata alla posizione corrente. +homeCommandUsage1=/<command> <nome> +homeCommandUsage1Description=Teletrasportati alla home con il nome dato +homeCommandUsage2=/<command> <giocatore>\:<nome> +homeCommandUsage2Description=Teletrasportati alla home di un altro giocatore con il nome dato +homes=<primary>Home\:<reset> {0} +homeConfirmation=<primary>Hai già una home chiamata <secondary>{0}<primary>\!\nPer sovrascrivere la home esistente, digita nuovamente il comando. +homeRenamed=<primary>La home <secondary>{0} <primary>è stata rinominata in <secondary>{1}<primary>. +homeSet=<primary>Home impostata alla posizione corrente. hour=ora hours=ore ice=<primary>Ti senti molto più fresco... iceCommandDescription=Congela un giocatore. -iceCommandUsage1Description=Ti imposti uno stato temporaneo di congelamento +iceCommandUsage=/<command> [giocatore] +iceCommandUsage1=/<command> +iceCommandUsage1Description=Ti congela +iceCommandUsage2=/<command> <giocatore> iceCommandUsage2Description=Congela un altro giocatore iceCommandUsage3=/<command> * iceCommandUsage3Description=Congela tutti i giocatori online -iceOther=<secondary> {0} <primary>si sta bello che rinfrescando. +iceOther=<primary>Raffreddando<secondary> {0}<primary>. ignoreCommandDescription=Ignora o smetti di ignorare un giocatore. ignoreCommandUsage=/<command> <giocatore> +ignoreCommandUsage1=/<command> <giocatore> ignoreCommandUsage1Description=Ignora o smetti di ignorare un giocatore ignoredList=<primary>Ignorato/i\:<reset> {0} ignoreExempt=<dark_red>Non puoi ignorare quel giocatore. -ignorePlayer=D''ora in poi ignorerai {0}. +ignorePlayer=<primary>D''ora in poi ignorerai<secondary> {0} <primary>. ignoreYourself=<primary>Ignorare te stesso non risolverà i tuoi problemi. illegalDate=Formato data/ora non riconosciuto. infoAfterDeath=<primary>Sei morto in <yellow>{0} <primary>alle coordinate\: <yellow>{1}, {2}, {3}<primary>. @@ -509,68 +540,76 @@ infoChapter=<primary>Seleziona capitolo\: infoChapterPages=<yellow> ---- <primary>{0} <yellow>--<primary> Pagina <secondary>{1}<primary> di <secondary>{2} <yellow>---- infoCommandDescription=Mostra le informazioni impostate dal proprietario del server. infoCommandUsage=/<command> [capitolo] [pagina] -infoPages=<yellow> ---- <primary>{2} <yellow>--<primary> Pagina <dark_red>{0}<primary>/<dark_red>{1} <yellow>---- +infoPages=<yellow> ---- <primary>{2} <yellow>--<primary> Pagina <secondary>{0}<primary>/<secondary>{1} <yellow>---- infoUnknownChapter=<dark_red>Capitolo sconosciuto. insufficientFunds=<dark_red>Fondi disponibili insufficienti. invalidBanner=<dark_red>Sintassi banner non valida. -invalidCharge=<secondary>Costo non corretto. +invalidCharge=<dark_red>Costo non corretto. invalidFireworkFormat=<dark_red>L''opzione <secondary>{0} <dark_red>non è un valore valido per <secondary>{1}<dark_red>. -invalidHome=La casa {0} non esiste\! -invalidHomeName=<dark_red>Nome casa non valido\! -invalidMob=<dark_red>Tipo mob non valido. -invalidModifier=<dark_red>Modificatore non valido +invalidHome=<dark_red>La home<secondary> {0} <dark_red>non esiste\! +invalidHomeName=<dark_red>Nome home non valido\! +invalidItemFlagMeta=<dark_red>Metadati dell''oggetto non validi\: <secondary>{0}<dark_red>. +invalidMob=<dark_red>Tipo di mob non valido. +invalidModifier=<dark_red>Modificatore non valido. invalidNumber=Numero non valido. invalidPotion=<dark_red>Pozione non valida. -invalidPotionMeta=<dark_red>Dato meta della pozione non valido\: <secondary>{0}<dark_red>. -invalidSign=<dark_red>Firma non valida +invalidPotionMeta=<dark_red>Metadati della pozione non validi\: <secondary>{0}<dark_red>. +invalidSign=<dark_red>Cartello non valido invalidSignLine=<dark_red>Riga<secondary> {0} <dark_red>del cartello non valida. invalidSkull=<dark_red>Tieni la testa di un giocatore in mano. -invalidWarpName=<dark_red>Nome warp non valido\! +invalidWarpName=<dark_red>Nome del warp non valido\! invalidWorld=<dark_red>Mondo non valido. inventoryClearFail=<dark_red>Il giocatore<secondary> {0} <dark_red>non ha<secondary> {1} <dark_red>di<secondary> {2}<dark_red>. -inventoryClearingAllArmor=<primary>Svuotato l''inventario e rimossa l''armatura di {0}<primary>. -inventoryClearingAllItems=<primary>L''inventario di<secondary> {0} <primary>è stato svuotato completamente. -inventoryClearingFromAll=<primary>Cancellamento dell''inventario di tutti gli utenti... +inventoryClearingAllArmor=<primary>Rimossi tutti gli oggetti dell''inventario e l''armatura di<secondary> {0}<primary>. +inventoryClearingAllItems=<primary>Rimossi tutti gli oggetti dell''inventario di<secondary> {0}<primary>. +inventoryClearingFromAll=<primary>Eliminazione dell''inventario di tutti gli utenti in corso... inventoryClearingStack=<primary>Rimosso(i)<secondary> {0} <primary>di<secondary> {1} <primary>da<secondary> {2}<primary>. inventoryFull=<dark_red>Il tuo inventario è pieno. invseeCommandDescription=Visualizza l''inventario di altri giocatori. +invseeCommandUsage=/<command> <giocatore> +invseeCommandUsage1=/<command> <giocatore> invseeCommandUsage1Description=Apre l''inventario di un giocatore -invseeNoSelf=<secondary>Puoi guardare solo l''inventario di altri giocatori, per il tuo premi E. +invseeNoSelf=<secondary>È possibile visualizzare solo gli inventari degli altri giocatori. is=è isIpBanned=<primary>L''IP <secondary>{0} <primary>è bannato. internalError=<secondary>Si è verificato un errore durante l''esecuzione di questo comando. -itemCannotBeSold=<dark_red>Quell''oggetto non può essere venduto al server. -itemCommandDescription=Ottieni un oggetto. -itemCommandUsage=/<command> <item|ID> [quantità [itemmeta...]] +itemCannotBeSold=<dark_red>L''oggetto non può essere venduto al server. +itemCommandDescription=Spawna un oggetto. +itemCommandUsage=/<command> <item|numeric> [quantità [itemmeta...]] itemCommandUsage1=/<command> <item> [quantità] -itemCommandUsage1Description=Ti dà uno stack intero (o un ammontare) di questo item +itemCommandUsage1Description=Fornisce uno stack intero (o la quantità specificata) dell''oggetto itemCommandUsage2=/<command> <item> <quantità> <meta> -itemCommandUsage2Description=Ti dà un ammontare di un item con degli specifici metadata -itemloreClear=<primary>Hai rimosso le descrizioni di questo oggetto. +itemCommandUsage2Description=Fornisce la quantità specificata di un oggetto con i metadati indicati +itemId=<primary>ID\:<secondary> {0} +itemloreClear=<primary>Hai rimosso la descrizione di questo oggetto. itemloreCommandDescription=Modifica la descrizione di un oggetto. -itemloreCommandUsage=/<command> <add/set/clear> [text/line] [testo] +itemloreCommandUsage=/<command> <add/set/clear> [testo/linea] [testo] itemloreCommandUsage1=/<command> add [testo] -itemloreCommandUsage1Description=Aggiunge un testo -itemloreCommandUsage2Description=Imposta un testo come descrizione, scegliendo il verso in cui porlo -itemloreCommandUsage3Description=Cancella la descrizione dell''oggetto che hai in mano +itemloreCommandUsage1Description=Aggiunge il testo dato alla fine della descrizione dell''oggetto che hai in mano +itemloreCommandUsage2=/<command> set <numero linea> <testo> +itemloreCommandUsage2Description=Imposta il testo nella linea indicata +itemloreCommandUsage3=/<command> clear +itemloreCommandUsage3Description=Rimuove la descrizione dell''oggetto che hai in mano itemloreInvalidItem=<dark_red>Devi avere un oggetto in mano per poterne modificare la descrizione. -itemloreMaxLore=<dark_red>Non puoi più aggiungere versi con un testo per questo oggetto. -itemloreNoLine=<dark_red>Questo oggetto non ha alcun testo al verso <secondary>{0}<dark_red>. -itemloreNoLore=<dark_red>Questo oggetto non ha alcuna descrizione. +itemloreMaxLore=<dark_red>Non puoi aggiungere altre righe alla descrizione dell''oggetto. +itemloreNoLine=<dark_red>La linea <secondary>{0}<dark_red> non esiste nell''oggetto che hai in mano. +itemloreNoLore=<dark_red>L''oggetto che hai in mano non ha alcuna descrizione. itemloreSuccess=<primary>Hai aggiunto "<secondary>{0}<primary>" alla descrizione dell''oggetto che hai in mano. -itemloreSuccessLore=<primary>Hai impostato il testo <secondary>{1}<primary> come descrizione al verso "<secondary>{0}<primary>". -itemMustBeStacked=<dark_red>L''oggetto deve essere scambiato in stack. Una quantità di 2 sarebbero due stack, etc. -itemNames=<primary>Nomi corti oggetti\:<reset> {0} -itemnameClear=<primary>Hai rimosso il nome di questo oggetto. -itemnameCommandDescription=Dai un nome ad un oggetto. +itemloreSuccessLore=<primary>Hai impostato la linea <secondary>{0}<primary> del tuo oggetto in possesso a "<secondary>{1}<primary>". +itemMustBeStacked=<dark_red>L''oggetto deve essere scambiato in stack. Una quantità di 2 equivale a due stack, ecc. +itemNames=<primary>Nomi brevi\:<reset> {0} +itemnameClear=<primary>Hai rimosso il nome dell''oggetto. +itemnameCommandDescription=Assegna un nome all''oggetto. itemnameCommandUsage=/<command> [nome] +itemnameCommandUsage1=/<command> itemnameCommandUsage1Description=Rimuove il nome all''oggetto che hai in mano -itemnameCommandUsage2Description=Imposta il nome dell''oggetto che hai in mano in quello che preferisci +itemnameCommandUsage2=/<command> <nome> +itemnameCommandUsage2Description=Imposta il testo fornito come nome dell''oggetto itemnameInvalidItem=<secondary>Devi avere un oggetto in mano per poterlo rinominare. itemnameSuccess=<primary>Oggetto rinominato in "<secondary>{0}<primary>". -itemNotEnough1=<dark_red>Non hai abbastanza di quell''oggetto per venderlo. -itemNotEnough2=<primary>Se volevi venderne di più contemporaneamente di questo item, digita<secondary> /sell nomeitem<primary>. -itemNotEnough3=<secondary>/sell nomeitem -1<primary> venderà tutti gli altri oggetti tranne quello specificato, ecc. +itemNotEnough1=<dark_red>Non hai abbastanza oggetti di quel tipo da vendere. +itemNotEnough2=<primary>Se intendevi vendere tutti i tuoi oggetti di quel tipo, usa<secondary> /sell itemname<primary>. +itemNotEnough3=<secondary>/sell nomeoggetto -1<primary> venderà tutti gli oggetti tranne uno, ecc. itemsConverted=<primary>Convertiti tutti gli oggetti in blocchi. itemsCsvNotLoaded=Impossibile caricare {0}\! itemSellAir=Hai davvero cercato di vendere aria? Prendi un oggetto in mano. @@ -579,416 +618,458 @@ itemSold=<green>Venduto per <secondary>{0} <green>({1} {2} a {3} l''uno). itemSoldConsole=<yellow>{0} <green>ha venduto<yellow> {1}<green> per <yellow>{2} <green>({3} oggetto(i) per {4} ciascuno). itemSpawn=<primary>Dati<secondary> {0} <primary>di<secondary> {1} itemType=<primary>Oggetto\:<secondary> {0} -itemdbCommandDescription=Cerca un item. +itemdbCommandDescription=Cerca un oggetto. itemdbCommandUsage=/<command> <item> -itemdbCommandUsage1Description=Cerca questo item nel database degli oggetti -jailAlreadyIncarcerated=<dark_red>Giocatore già in prigione\:<secondary> {0} +itemdbCommandUsage1=/<command> <item> +itemdbCommandUsage1Description=Cerca nel database per l''oggetto specificato. +jailAlreadyIncarcerated=<dark_red>Il giocatore è già in prigione\:<secondary> {0} +jailList=<primary>Prigioni\:<reset> {0} jailMessage=<dark_red>Avrai tempo per riflettere... in prigione. jailNotExist=<dark_red>Quella prigione non esiste. jailNotifyJailed=<primary>Il giocatore<secondary> {0} <primary>è stato incarcerato da <secondary>{1}. -jailNotifyJailedFor=<primary>Il giocatore<secondary> {0} <primary>è stato messo in carcere per<secondary> {1} <primary>da <secondary>{2}<primary>. +jailNotifyJailedFor=<primary>Il giocatore<secondary> {0} <primary>è stato incarcerato per<secondary> {1} <primary>da <secondary>{2}<primary>. jailNotifySentenceExtended=<primary>La pena di<secondary>{0}<primary>è stata estesa a <secondary>{1} <primary>da <secondary>{2}<primary>. jailReleased=<primary>Il giocatore <secondary>{0}<primary> è stato scarcerato. jailReleasedPlayerNotify=<primary>Sei stato scarcerato\! jailSentenceExtended=<primary>Tempo di prigionia esteso a <secondary>{0}<primary>. jailSet=<primary>La prigione<secondary> {0} <primary>è stata stabilita. +jailWorldNotExist=<dark_red>Il mondo di quella prigione non esiste. +jumpEasterDisable=<primary>Modalità mago volante disattivata. +jumpEasterEnable=<primary>Modalità mago volante attivata. jailsCommandDescription=Lista di tutte le prigioni. -jumpCommandDescription=Salta al blocco più vicino nella direzione in cui stai guardando. +jailsCommandUsage=/<command> +jumpCommandDescription=Teletrasportati al blocco più vicino nella direzione in cui stai guardando. +jumpCommandUsage=/<command> jumpError=<dark_red>Così facendo dannegerai la CPU. -kickCommandDescription=Disconnette un giocatore dal server. -kickCommandUsage1Description=Disconnetti il giocatore dal server, indicando un motivo +kickCommandDescription=Espelle un giocatore dal server con un motivo. +kickCommandUsage=/<command> <giocatore> [motivo] +kickCommandUsage1=/<command> <giocatore> [motivo] +kickCommandUsage1Description=Espelle il giocatore dal server, indicando un motivo kickDefault=Espulso dal server. kickedAll=<dark_red>Espulsi tutti i giocatori dal server. kickExempt=<dark_red>Non puoi espellere quel giocatore. -kickallCommandDescription=Disconnette tutti i giocatori dal server tranne chi esegue il comando. +kickallCommandDescription=Espelle tutti i giocatori dal server tranne chi esegue il comando. kickallCommandUsage=/<command> [motivo] -kickallCommandUsage1Description=Disconnetti tutti i giocatori, indicandone il motivo +kickallCommandUsage1=/<command> [motivo] +kickallCommandUsage1Description=Espelle tutti i giocatori, con un motivo opzionale kill=<primary>Hai ucciso<secondary> {0}<primary>. killCommandDescription=Uccide un giocatore. -killCommandUsage1Description=Uccide un altro giocatore +killCommandUsage=/<command> <giocatore> +killCommandUsage1=/<command> <giocatore> +killCommandUsage1Description=Uccide il giocatore specificato killExempt=<dark_red>Non puoi uccidere <secondary>{0}<dark_red>. -kitCommandDescription=Riscatta un kit o guarda tutti quelli che puoi riscattare. +kitCommandDescription=Riscatta il kit specificato o visualizza tutti i kit disponibili. kitCommandUsage=/<command> [kit] [giocatore] +kitCommandUsage1=/<command> kitCommandUsage1Description=Lista di tutti i kit disponibili +kitCommandUsage2=/<command> <kit> [giocatore] kitCommandUsage2Description=Riscatta un kit per te o per un altro giocatore kitContains=<primary>Il Kit <secondary>{0} <primary>contiene\: -kitError=<secondary>Non ci sono kit validi. -kitError2=<dark_red>Quel kit non è definito correttamente. Contatta un amministratore. -kitError3=Un oggetto contenuto nel kit "{0}" non è stato consegnato a {1} in quanto è necessaria almeno la versione di Paper 1.15.2 per la deserializzazione. +kitCost=\ <gray><i>({0})<reset> +kitDelay=<st>{0}<reset> +kitError=<dark_red>Non ci sono kit validi. +kitError2=<dark_red>Il kit non è definito correttamente. Contatta un amministratore. +kitError3=Impossibile dare un oggetto del kit "{0}" all''utente {1} poiché è necessario Paper 1.15.2+ per la deserializzazione. kitGiveTo=<primary>Kit<secondary> {0}<primary> dato a <secondary>{1}<primary>. -kitInvFull=<dark_red>Il tuo inventario è pieno, il kit verrà piazzato a terra. +kitInvFull=<dark_red>Il tuo inventario è pieno, il kit verrà droppato a terra. kitInvFullNoDrop=<dark_red>Non hai abbastanza spazio nell''inventario per riscattare questo kit. +kitItem=<primary>- <white>{0} kitNotFound=<dark_red>Kit inesistente. kitOnce=<dark_red>Non puoi più usare quel kit. -kitReceive=<primary>Ricevuto kit<secondary> {0}<primary>. +kitReceive=<primary>Hai ricevuto il kit<secondary> {0}<primary>. kitReset=<primary>Resetta il tempo d''attesa per il kit <secondary>{0}<primary>. kitresetCommandDescription=Resetta il tempo d''attesa per un kit. kitresetCommandUsage=/<command> <kit> [giocatore] +kitresetCommandUsage1=/<command> <kit> [giocatore] kitresetCommandUsage1Description=Resetta il tempo per poter riutilizzare un kit per te o per un altro giocatore kitResetOther=<primary>Resettando il tempo d''attesa del kit <secondary>{0} <primary>per <secondary>{1}<primary>. -kittycannonCommandDescription=Lancia un gatto che esplode nella direzione in cui sei rivolto. +kits=<primary>Kit\:<reset> {0} +kittycannonCommandDescription=Lancia un gattino esplosivo contro il tuo avversario. +kittycannonCommandUsage=/<command> kitTimed=<dark_red>Non potrai usare quel kit per altri<secondary> {0}<dark_red>. -leatherSyntax=<primary>Sintassi per i colori della pelle\:<secondary> color\:\\<red>,\\<green>,\\<blue> eg\: color\:255,0,0<primary> OR<secondary> color\:<rgb int> eg\: color\:16777011 -lightningCommandDescription=Il potere di Zeus (o di Thor). Fai cadere un fulmine. -lightningCommandUsage=/<command> [giocatore] [power] -lightningCommandUsage1Description=Fai cadere un fulmine o nel luogo verso cui sei rivolto o su di un giocatore se specificato -lightningCommandUsage2=/<command> <giocatore> <power> +leatherSyntax=<primary>Sintassi per i colori della pelle\:<secondary> color\:\\<red>,\\<green>,\\<blue> p.es\: color\:255,0,0<primary> OPPURE<secondary> color\:<rgb int> p.es\: color\:16777011 +lightningCommandDescription=Il potere di Thor. Fai cadere un fulmine nella direzione in cui stai guardando o contro un giocatore. +lightningCommandUsage=/<command> [giocatore] [potenza] +lightningCommandUsage1=/<command> [giocatore] +lightningCommandUsage1Description=Scaglia un fulmine dove stai guardando o su un altro giocatore se specificato. +lightningCommandUsage2=/<command> <giocatore> <potenza> lightningCommandUsage2Description=Fulmina il giocatore, scegliendo un livello di potenza lightningSmited=<primary>Sei stato folgorato\! lightningUse=<secondary> {0} <primary> è stato folgorato\! -linkCommandDescription=Genera un codice per connettere il tuo account Minecraft a Discord. +linkCommandDescription=Genera un codice per associare il tuo account Minecraft a Discord. +linkCommandUsage=/<command> +linkCommandUsage1=/<command> linkCommandUsage1Description=Genera un codice per il comando /link su Discord +listAfkTag=<gray>[AFK]<reset> listAmount=<primary>Ci sono <secondary>{0}<primary> giocatori online su un massimo di <secondary>{1}<primary>. -listAmountHidden=<primary>Ci sono <secondary>{0}<primary>/<secondary>{1}<primary> su <secondary>{2}<primary> giocatori online. +listAmountHidden=<primary>Ci sono <secondary>{0}<primary>/<secondary>{1}<primary> su un massimo di <secondary>{2}<primary> giocatori online. listCommandDescription=Visualizza tutti i giocatori online. listCommandUsage=/<command> [gruppo] -listCommandUsage1Description=Visualizza tutti i giocatori connessi al server, o quelli che appartengono ad un determinato gruppo +listCommandUsage1=/<command> [gruppo] +listCommandUsage1Description=Visualizza tutti i giocatori connessi al server, o quelli che appartengono a un determinato gruppo +listGroupTag=<primary>{0}<reset>\: listHiddenTag=<gray>[NASCOSTO]<reset> listRealName=({0}) -loadWarpError=Fallito il caricamento del warp {0} +loadWarpError=<dark_red>Impossibile caricare il warp {0}. +localFormat=<dark_aqua>[L] <reset><{0}> {1} loomCommandDescription=Apre un telaio. -mailClear=<primary>Per cancellare le mail lette, digita<secondary> /mail clear<primary>. -mailCleared=<gray>Mail cancellate\! -mailClearedAll=<primary>Le mail di tutti i giocatori sono state cancellate\! +loomCommandUsage=/<command> +mailClear=<primary>Per svuotare la posta, digita<secondary> /mail clear<primary>. +mailCleared=<primary>Posta svuotata\! +mailClearedAll=<primary>Posta svuotata per tutti i giocatori\! mailClearIndex=<dark_red>Devi specificare un numero tra 1-{0}. -mailCommandDescription=Gesti le mail tra-giocatori, tra-server. -mailCommandUsage=/<command> [read|clear|clear [number]|clear <giocatore> [number]|send [a] [messaggio]|sendtemp [a] [tempo alla distruzione] [messaggio]|sendall [messaggio]] +mailCommandDescription=Gestisce la posta tra giocatori all''interno del server. +mailCommandUsage=/<command> [read|clear|clear [numero]|clear <giocatore> [numero]|send [a] [messaggio]|sendtemp [a] [tempo alla distruzione] [messaggio]|sendall [messaggio]] mailCommandUsage1=/<command> read [pagina] -mailCommandUsage1Description=Apre la prima pagina (o un''altra specificata) delle tue mail +mailCommandUsage1Description=Apre la prima (o una pagina specificata) della tua posta. mailCommandUsage2=/<command> clear [numero] -mailCommandUsage2Description=Elimina tutte o solo alcune mail +mailCommandUsage2Description=Elimina tutte le mail o solo quelle specificate mailCommandUsage3=/<command> clear <giocatore> [numero] -mailCommandUsage3Description=Elimina tutte o solo alcune mail di un altro giocatore +mailCommandUsage3Description=Elimina tutte le mail o solo quelle specificate di un altro giocatore mailCommandUsage4=/<command> clearall mailCommandUsage4Description=Elimina le mail di tutti i giocatori mailCommandUsage5=/<command> send <giocatore> <messaggio> -mailCommandUsage5Description=Invia un messaggio privato ad un giocatore -mailCommandUsage6=/<command> sendall <message> -mailCommandUsage6Description=Invia lo stesso messaggio a tutti i giocatori +mailCommandUsage5Description=Invia una mail a un giocatore +mailCommandUsage6=/<command> sendall <messaggio> +mailCommandUsage6Description=Invia a tutti i giocatori una mail mailCommandUsage7=/<command> sendtemp <giocatore> <tempo alla distruzione> <messaggio> -mailCommandUsage7Description=Invia un messaggio ad un giocatore che dopo un tot di tempo non potrà più leggere +mailCommandUsage7Description=Invia una mail a un giocatore che si autodistruggerà dopo il tempo specificato mailCommandUsage8=/<command> sendtempall <tempo alla distruzione> <messaggio> -mailCommandUsage8Description=Manda a tutti i giocatori un messaggio che dopo un tot di tempo non potrà più essere letto +mailCommandUsage8Description=Invia una mail a tutti i giocatori che si autodistruggerà dopo il tempo specificato mailDelay=Hai mandato troppe mail nell''ultimo minuto. Massimo\: {0} +mailFormatNew=<primary>[<reset>{0}<primary>] <primary>[<reset>{1}<primary>] <reset>{2} +mailFormatNewTimed=<primary>[<yellow>⚠<primary>] <primary>[<reset>{0}<primary>] <primary>[<reset>{1}<primary>] <reset>{2} +mailFormatNewRead=<primary>[<reset>{0}<primary>] <primary>[<reset>{1}<primary>] <gray><i>{2} +mailFormatNewReadTimed=<primary>[<yellow>⚠<primary>] <primary>[<reset>{0}<primary>] <primary>[<reset>{1}<primary>] <gray><i>{2} +mailFormat=<primary>[<reset>{0}<primary>] <reset>{1} mailMessage={0} -mailSent=<gray>Mail inviata\! -mailSentTo=<secondary>{0}<primary> ha inviato la seguente mail\: -mailSentToExpire=<primary>La seguente mail è stata inviata a<secondary>{0}, <primary>il messaggio si autodistruggerà in <secondary>{1}<primary>\: +mailSent=<primary>Mail inviata\! +mailSentTo=<primary>Hai inviato la seguente mail a <secondary>{0}<primary>\: +mailSentToExpire=<primary>Hai inviato la seguente mail a <secondary>{0}<primary>, il messaggio si autodistruggerà in <secondary>{1}<primary>\: mailTooLong=<dark_red>Il messaggio è troppo lungo. Riprova senza superare i 1000 caratteri. -markMailAsRead=<primary>Per marcare la tua mail come letta, digita<secondary> /mail clear<primary>. -matchingIPAddress=<primary>I seguenti giocatori sono entrati con quell''indirizzo IP\: +markMailAsRead=<primary>Per contrassegnare la posta come letta, digita<secondary> /mail clear<primary>. +matchingIPAddress=<primary>I seguenti giocatori hanno precedentemente effettuato l''accesso da quell''indirizzo IP\: matchingAccounts={0} -maxHomes=Non puoi impostare più di {0} case. -maxMoney=<dark_red>Questa transazione eccederebbe il limite massimo di soldi per questo account. -mayNotJail=<secondary>Non puoi imprigionare quel giocatore. -mayNotJailOffline=<dark_red>Non puoi imprigionare un giocatore che è offline. -meCommandDescription=Descrive un''azione che si sta compiendo. +maxHomes=<dark_red>Non puoi impostare più di<secondary> {0} <dark_red>home. +maxMoney=<dark_red>Questa transazione supererebbe il limite di saldo per questo conto. +mayNotJail=<dark_red>Non puoi incarcerare quel giocatore\! +mayNotJailOffline=<dark_red>Non puoi incarcerare un giocatore che è offline. +meCommandDescription=Descrive un''azione che sta compiendo il giocatore. meCommandUsage=/<command> <descrizione> +meCommandUsage1=/<command> <descrizione> meCommandUsage1Description=Descrive un''azione meSender=io meRecipient=io minimumBalanceError=<dark_red>Il saldo di un utente non può essere inferiore a {0}. -minimumPayAmount=<secondary>L''importo minimo che puoi pagare è {0}. +minimumPayAmount=<secondary>Devi inserire un importo maggiore di {0}. minute=minuto minutes=minuti missingItems=<dark_red>Non hai <secondary>{0}x {1}<dark_red>. mobDataList=<primary>Dati mob validi\:<reset> {0} -mobsAvailable=<primary>Mostri\:<reset> {0} -mobSpawnError=Errore durante il cambiamento del generatore di mob. +mobsAvailable=<primary>Mob\:<reset> {0} +mobSpawnError=<dark_red>Errore durante la modifica del mob spawner. mobSpawnLimit=Quantità Mob limitata dal server. -mobSpawnTarget=Il blocco designato deve essere un generatore di mostri. -moneyRecievedFrom=<green>{0}<primary> ti sono stati inviati da<green> {1}<primary>. -moneySentTo=<green>{0} sono stati inviati a {1} +mobSpawnTarget=<dark_red>Il blocco deve essere un mob spawner. +moneyRecievedFrom=<primary>Hai ricevuto <green>{0}<primary> da<green> {1}<primary>. +moneySentTo=Hai trasferito <green>{0} a {1} month=mese months=mesi -moreCommandDescription=Ti dà l''ammontare specificato per questo oggetto, o uno stack se non specificato. +moreCommandDescription=Imposta la quantità dell''oggetto in mano in base al valore indicato, o alla quantità massima dello stack se non è stato fornito un valore. moreCommandUsage=/<command> [quantità] moreCommandUsage1=/<command> [quantità] -moreCommandUsage1Description=Ti dà l''ammontare specificato per questo oggetto, o uno stack se non specificato. -moreThanZero=La quantità deve essere maggiore di 0. +moreCommandUsage1Description=Imposta la quantità dell''oggetto in mano in base al valore indicato, o alla quantità massima dello stack se non è stato fornito un valore +moreThanZero=<dark_red>La quantità deve essere maggiore di 0. motdCommandDescription=Mostra il MOTD. +motdCommandUsage=/<command> [capitolo] [pagina] moveSpeed=<primary>Impostata la velocità di<secondary> {0}<primary> a<secondary> {1} <primary>per <secondary>{2}<primary>. -msgCommandDescription=Sends a private message to the specified player. -msgCommandUsage=/<command> <to> <message> -msgCommandUsage1Description=Privately sends the given message to the specified player +msgCommandDescription=Invia un messaggio privato al giocatore specificato. +msgCommandUsage=/<command> <a> <messaggio> +msgCommandUsage1=/<command> <a> <messaggio> +msgCommandUsage1Description=Invia privatamente un messaggio al giocatore specificato msgDisabled=<primary>Ricezione dei messaggi <secondary>disabilitata<primary>. msgDisabledFor=<primary>Ricezione dei messaggi <secondary>disabilitata <primary>per <secondary>{0}<primary>. msgEnabled=<primary>Ricezione dei messaggi <secondary>abilitata<primary>. msgEnabledFor=<primary>Ricezione dei messaggi <secondary>abilitata <primary>per <secondary>{0}<primary>. +msgFormat=<primary>[<secondary>{0}<primary> -> <secondary>{1}<primary>] <reset>{2} msgIgnore=<secondary>{0} <dark_red>ha i messaggi disabilitati. -msgtoggleCommandDescription=Blocca la ricezione di nuovi messaggi. -msgtoggleCommandUsage1Description=Commuta messaggi privati per te o per un altro giocatore se specificato +msgtoggleCommandDescription=Blocca la ricezione di nuovi messaggi privati. +msgtoggleCommandUsage=/<command> [giocatore] [on|off] +msgtoggleCommandUsage1=/<command> [giocatore] +msgtoggleCommandUsage1Description=Attiva o disattiva i messaggi privati per te stesso o per il giocatore indicato. multipleCharges=<dark_red>Non puoi applicare più di una carica a questo fuoco d''artificio. multiplePotionEffects=<dark_red>Non puoi applicare più di un effetto a questa pozione. muteCommandDescription=Muta o smuta un giocatore già mutato. muteCommandUsage=/<command> <giocatore> [tempo] [motivo] -muteCommandUsage1=/<command> <player> +muteCommandUsage1=/<command> <giocatore> muteCommandUsage1Description=Muta permanentemente o smuta un giocatore se era già mutato muteCommandUsage2=/<command> <giocatore> <tempo> [motivo] -muteCommandUsage2Description=Muta un giocatore indicandone il motivo +muteCommandUsage2Description=Muta il giocatore per il tempo indicato con un eventuale motivo mutedPlayer=<primary>Il giocatore<secondary> {0} <primary>è stato mutato. mutedPlayerFor=<primary>Il giocatore<secondary> {0} <primary>è stato mutato per<secondary> {1}<primary>. mutedPlayerForReason=<primary>Il giocatore<secondary> {0} <primary>è stato mutato per<secondary> {1}<primary>. Motivo\: <secondary>{2} mutedPlayerReason=<primary>Il giocatore<secondary> {0} <primary>è stato mutato. Motivo\: <secondary>{1} mutedUserSpeaks={0} ha provato a parlare, ma è mutato. -muteExempt=<secondary>Non puoi mutare questo giocatore. -muteExemptOffline=<dark_red>Non puoi silenziare un giocatore che è offline. -muteNotify=<secondary>{0} <primary>ha mutato il giocatore <secondary>{1}<primary>. -muteNotifyFor=<secondary>{0} <primary>ha mutato il giocatore <secondary>{1}<primary> per<secondary> {2}<primary>. +muteExempt=<dark_red>Non puoi mutare questo giocatore. +muteExemptOffline=<dark_red>Non puoi mutare un giocatore offline. +muteNotify=<secondary>{0} <primary>ha mutato <secondary>{1}<primary>. +muteNotifyFor=<secondary>{0} <primary>ha mutato <secondary>{1}<primary> per<secondary> {2}<primary>. muteNotifyForReason=<secondary>{0} <primary>ha mutato <secondary>{1}<primary> per<secondary> {2}<primary>. Motivo\: <secondary>{3} muteNotifyReason=<secondary>{0} <primary>ha mutato <secondary>{1}<primary>. Motivo\: <secondary>{2} -nearCommandDescription=Lista di giocatori nelle vicinanze. +nearCommandDescription=Elenca i giocatori nelle vicinanze o vicini a un giocatore. nearCommandUsage=/<command> [giocatore] [raggio] nearCommandUsage1=/<command> -nearCommandUsage1Description=Lista di giocatori in un raggio predefinito dal giocatore +nearCommandUsage1Description=Elenca i giocatori in un raggio predefinito dal giocatore nearCommandUsage2=/<command> <raggio> -nearCommandUsage2Description=Lista di giocatori nelle tue vicinanze +nearCommandUsage2Description=Elenca i giocatori nelle tue vicinanze nearCommandUsage3=/<command> <player> -nearCommandUsage3Description=Lista di giocatori nelle vicinanze di un altro giocatore +nearCommandUsage3Description=Elenca i giocatori nelle vicinanze di un altro giocatore nearCommandUsage4=/<command> <giocatore> <raggio> -nearCommandUsage4Description=Lista di giocatori in un determinato raggio di un giocatore +nearCommandUsage4Description=Elenca i giocatori in un determinato raggio di un giocatore nearbyPlayers=Giocatori nelle vicinanze\: {0} -negativeBalanceError=<dark_red>L''utente non ha il permesso di avere un bilancio negativo. -nickChanged=<primary>Nickname modificato. -nickCommandDescription=Cambia il nickname tuo o di un altro giocatore. +nearbyPlayersList={0}<white>(<secondary>{1}m<white>) +negativeBalanceError=<dark_red>L''utente non ha il permesso di avere un saldo negativo. +nickChanged=<primary>Nick modificato. +nickCommandDescription=Cambia il tuo nick o di un altro giocatore. nickCommandUsage=/<command> [giocatore] <nickname|off> -nickCommandUsage1=/<command> <nickname> -nickCommandUsage1Description=Cambia il tuo nickname +nickCommandUsage1=/<command> <nick> +nickCommandUsage1Description=Cambia il tuo nick nickCommandUsage2=/<command> off -nickCommandUsage2Description=Rimuove il tuo nickname +nickCommandUsage2Description=Rimuove il tuo nick nickCommandUsage3=/<command> <giocatore> <nickname> -nickCommandUsage3Description=Cambia il nickname di un altro giocatore +nickCommandUsage3Description=Cambia il nick di un giocatore nickCommandUsage4=/<command> <giocatore> off -nickCommandUsage4Description=Rimuove il nickname di un altro giocatore +nickCommandUsage4Description=Rimuove il nick di un giocatore nickDisplayName=<dark_red>Devi abilitare change-displayname nel file di configurazione di Essentials. -nickInUse=<dark_red>Quel nickname è già in uso. -nickNameBlacklist=<dark_red>Questo nickname non è consentito. -nickNamesAlpha=<dark_red>I nickname devono essere alfanumerici. -nickNamesOnlyColorChanges=<dark_red>I nickname possono avere solo i colori modificati. -nickNoMore=<primary>Non disponi più di un nickname. -nickSet=<primary>Il tuo nickname è ora <secondary>{0}<primary>. -nickTooLong=<dark_red>Quel nickname è troppo lungo. +nickInUse=<dark_red>Nick già in uso. +nickNameBlacklist=<dark_red>Nick non consentito. +nickNamesAlpha=<dark_red>Il nick può contenere solo lettere e numeri. +nickNamesOnlyColorChanges=<dark_red>Puoi cambiare solo il colore del nick, non il testo. +nickNoMore=<primary>Ti è stato rimosso il nick. +nickSet=<primary>Il tuo nick è stato cambiato in <secondary>{0}<primary>. +nickTooLong=<dark_red>Nick troppo lungo. noAccessCommand=<dark_red>Non hai accesso a quel comando. -noAccessPermission=<dark_red>Non hai il permesso di accedere a questo <secondary>{0}<dark_red>. -noAccessSubCommand=<dark_red>Non hai il permesso per\: <secondary>{0}<dark_red>. -noBreakBedrock=<dark_red>Non hai il permesso di distruggere la roccia di fondo. -noDestroyPermission=<dark_red>Non hai il permesso di distruggere questo <secondary>{0}<dark_red>. +noAccessPermission=<dark_red>Non hai il permesso di accedere a <secondary>{0}<dark_red>. +noAccessSubCommand=<dark_red>Non hai accesso a <secondary>{0}<dark_red>. +noBreakBedrock=<dark_red>Non hai il permesso di distruggere la bedrock. +noDestroyPermission=<dark_red>Non hai il permesso per distruggere <secondary>{0}<dark_red>. northEast=NE north=N northWest=NO -noGodWorldWarning=<dark_red>Attenzione\! Modalità Dio disabilitata in questo mondo. -noHomeSetPlayer=<primary>Il giocatore non ha impostato una casa. +noGodWorldWarning=<dark_red>Attenzione\! La God è disabilitata in questo mondo. +noHomeSetPlayer=<primary>Il giocatore non ha impostato nessuna home. noIgnored=<primary>Non stai ignorando nessuno. -noKitGroup=<dark_red>Non hai accesso a questo kit kit. +noJailsDefined=<primary>Nessuna prigione definita. +noKitGroup=<dark_red>Non hai accesso a questo kit. noKitPermission=<dark_red>Hai bisogno del permesso <secondary>{0}<dark_red> per utilizzare quel kit. -noKits=<primary>Non è ancora disponibile alcun kit. +noKits=<primary>Non ci sono kit disponibili al momento. noLocationFound=<dark_red>Nessuna posizione valida trovata. noMail=<primary>Non hai ricevuto nessuna mail. noMailOther=<secondary>{0} <primary>non ha nuove mail. -noMatchingPlayers=<primary>Nessun giocatore corrispondente trovato. -noMetaComponents=I componenti dati non sono supportati in questa versione di Bukkit. Si prega di utilizzare i metadati JSON NBT. -noMetaFirework=<dark_red>Non hai il permesso di applicare metadati ad un fuoco d''artificio. +noMatchingPlayers=<primary>Nessun giocatore trovato con quel nome. +noMetaComponents=I Data Component non sono supportati in questa versione di Bukkit. Si prega di utilizzare i metadati NBT in formato JSON. +noMetaFirework=<dark_red>Non hai il permesso di applicare i metadati ai fuochi d''artificio. noMetaJson=Metadata JSON non supportato in questa versione Bukkit. -noMetaNbtKill=I metadati JSON NBT non sono più supportati. È necessario convertire manualmente gli elementi definiti in componenti dati. Puoi convertire JSON NBT in componenti di dati qui\: https\://docs.papermc.io/misc/tools/item-command-converter -noMetaPerm=<dark_red>Non hai il permesso di applicare <secondary>{0}<dark_red> meta a questo oggetto. +noMetaNbtKill=I metadati NBT in formato JSON non sono più supportati. È necessario convertire manualmente gli oggetti definiti in Data Component. Puoi convertire gli NBT JSON in Data Component qui\: https\://docs.papermc.io/misc/tools/item-command-converter +noMetaPerm=<dark_red>Non hai il permesso di applicare il metadato <secondary>{0}<dark_red> all''oggetto. none=nessun noNewMail=<primary>Non hai ricevuto nuove mail. nonZeroPosNumber=<dark_red>Il numero deve essere diverso da 0. noPendingRequest=<dark_red>Non hai richieste in sospeso. noPerm=<dark_red>Non hai il permesso <secondary>{0}<dark_red>. -noPermissionSkull=<dark_red>Non hai il permesso di modificare quella testa. -noPermToAFKMessage=<dark_red>Non hai il permesso per impostare un messaggio AFK. -noPermToSpawnMob=<dark_red>Non hai il permesso di generare questo mob. -noPlacePermission=<dark_red>Non hai il permesso di piazzare un blocco accanto a questo cartello. -noPotionEffectPerm=<dark_red>Non hai il permesso di applicare l''effetto <secondary>{0} <dark_red>a questa pozione. +noPermissionSkull=<dark_red>Non hai il permesso di modificare la testa. +noPermToAFKMessage=<dark_red>Non hai il permesso di impostare un messaggio AFK. +noPermToSpawnMob=<dark_red>Non hai il permesso di spawnare il mob. +noPlacePermission=<dark_red>Non hai il permesso di piazzare un blocco accanto al cartello. +noPotionEffectPerm=<dark_red>Non hai il permesso di applicare l''effetto <secondary>{0} <dark_red>alla pozione. noPowerTools=<primary>Non hai nessun power tool assegnato. notAcceptingPay=<dark_red>{0} <dark_red>non accetta pagamenti. notAllowedToLocal=<dark_red>Non hai il permesso di scrivere nella chat locale. -notAllowedToQuestion=<dark_red>Non hai il permesso di formulare domande. -notAllowedToShout=<dark_red>Non hai il permesso per gridare. +notAllowedToQuestion=<dark_red>Non hai il permesso di fare domande. +notAllowedToShout=<dark_red>Non hai il permesso per urlare. notEnoughExperience=<dark_red>Non hai abbastanza esperienza. notEnoughMoney=<dark_red>Non hai abbastanza soldi. notFlying=non volando nothingInHand=<dark_red>Non hai niente in mano. now=adesso noWarpsDefined=<primary>Nessun warp definito. -nuke=<dark_purple>Che la morte piova su di te. +nuke=<dark_purple>Possa la morte piovere su di loro. nukeCommandDescription=Possa la morte arrivare sopra le loro teste. nukeCommandUsage=/<command> [giocatore] nukeCommandUsage1=/<command> [giocatori...] -nukeCommandUsage1Description=Manda una nuke su tutti i giocatori o su solo alcuni di essi +nukeCommandUsage1Description=Lancia una nuke sui giocatori indicati numberRequired=Che ne dici di metterci un numero? onlyDayNight=/time supporta solo day/night. -onlyPlayers=<dark_red>Solo in gioco i giocatori possono usare <secondary>{0}<dark_red>. -onlyPlayerSkulls=<dark_red>Puoi solo impostare il propetario della testa (<secondary>397\:3<dark_red>). -onlySunStorm=/weather supporta solo sun/storm. -openingDisposal=<primary>Apertura menu smaltimento... -orderBalances=<primary>Ordinamento bilanci di<secondary> {0} <primary>utenti, attendere prego... -oversizedMute=<dark_red>Puoi mutare il giocatore solo per un periodo di tempo inferiore. -oversizedTempban=<dark_red>Non puoi bannare giocatori per questo arco di tempo. +onlyPlayers=<secondary>{0}<dark_red> può essere usato solo dai giocatori. +onlyPlayerSkulls=<dark_red>Puoi impostare il proprietario solo sulle teste dei giocatori (<secondary>397\:3<dark_red>). +onlySunStorm=<dark_red>/weather supporta solo sun/storm. +openingDisposal=<primary>Apertura del cestino... +orderBalances=<primary>Ordinando i conti di<secondary> {0} <primary>utenti, attendere prego... +oversizedMute=<dark_red>Puoi mutare un giocatore solo per un periodo di tempo inferiore. +oversizedTempban=<dark_red>Puoi bannare un giocatore solo per un periodo di tempo inferiore. passengerTeleportFail=<dark_red>Non puoi teletrasportarti con dei passeggeri a bordo. -payCommandDescription=Dai del denaro ad un altro giocatore. -payCommandUsage=/<command> <giocatore> <somma> -payCommandUsage1=/<command> <player> <amount> -payCommandUsage1Description=Dai ad un altro giocatore una somma di denaro +payCommandDescription=Effettua un pagamento a un altro giocatore. +payCommandUsage=/<command> <giocatore> <importo> +payCommandUsage1=/<command> <giocatore> <importo> +payCommandUsage1Description=Effettua un pagamento a un altro giocatore dell''importo indicato. payConfirmToggleOff=<primary>Non ti verrà più richiesto di confermare i pagamenti. payConfirmToggleOn=<primary>Ora ti verrà richiesto di confermare i pagamenti. payDisabledFor=<primary>Il giocatore <secondary>{0} <primary>non riceverà più pagamenti. payEnabledFor=<primary>Il giocatore <secondary>{0} <primary>potrà nuovamente ricevere pagamenti. payMustBePositive=<dark_red>L''importo da pagare deve essere positivo. -payOffline=<dark_red>Non puoi inviare denaro ai giocatori offline. -payToggleOff=<primary>Non accetti più pagamenti. -payToggleOn=<primary>Ora accetti pagamenti. -payconfirmtoggleCommandDescription=Attiva o disattiva il dover confermare l''invio di denaro. +payOffline=<dark_red>Non puoi pagare gli utenti offline. +payToggleOff=<primary>Non stai più accettando pagamenti. +payToggleOn=<primary>Ora stai accettando i pagamenti. +payconfirmtoggleCommandDescription=Attiva o disattiva la richiesta di conferma per i pagamenti. payconfirmtoggleCommandUsage=/<command> paytoggleCommandDescription=Attiva o disattiva la ricezione di denaro da parte di altri giocatori. paytoggleCommandUsage=/<command> [giocatore] paytoggleCommandUsage1=/<command> [giocatore] -paytoggleCommandUsage1Description=Attiva o disattiva per te o per un altro giocatore la ricezione di denaro -pendingTeleportCancelled=<secondary>Richiesta in sospeso di teletrasporto cancellata. -pingCommandDescription=\! +paytoggleCommandUsage1Description=Attiva o disattiva la ricezione di denaro per te o per un altro giocatore +pendingTeleportCancelled=<dark_red>Richiesta di teletrasporto in sospeso annullata. +pingCommandDescription=Pong\! pingCommandUsage=/<command> playerBanIpAddress=<primary>Il giocatore<secondary> {0} <primary>ha bannato l''IP<secondary> {1} <primary>per\: <secondary>{2}<primary>. -playerTempBanIpAddress=<primary>Il giocatore<secondary> {0} <primary>ha bannato l''indirizzo IP <secondary>{1}<primary> per <secondary>{2}<primary>\: <secondary>{3}<primary>. +playerTempBanIpAddress=<primary>Il giocatore<secondary> {0} <primary>ha bannato l''IP <secondary>{1}<primary> per <secondary>{2}<primary>\: <secondary>{3}<primary>. playerBanned=<primary>Il giocatore<secondary> {0} <primary>ha bannato<secondary> {1} <primary>per <secondary>{2}<primary>. -playerJailed=<gray>Il giocatore {0} è stato messo in prigione. +playerJailed=<primary>Il giocatore<secondary> {0} <primary>è stato incarcerato. playerJailedFor=<primary>Il giocatore<secondary> {0} <primary>è stato incarcerato per<secondary> {1}<primary>. -playerKicked=<primary>Il giocatore<secondary> {0} <primary>ha disconnesso<secondary> {1}<primary> per<secondary> {2}<primary>. -playerMuted=<gray>Sei stato mutato +playerKicked=<primary>Il giocatore<secondary> {0} <primary>ha espulso<secondary> {1}<primary> per<secondary> {2}<primary>. +playerMuted=<primary>Sei stato mutato\! playerMutedFor=<primary>Sei stato mutato per<secondary> {0}<primary>. playerMutedForReason=<primary>Sei stato mutato per<secondary> {0}<primary>. Motivo\: <secondary>{1} playerMutedReason=<primary>Sei stato mutato\! Motivo\: <secondary>{0} -playerNeverOnServer=<secondary>Il giocatore {0} non è mai stato in questo server. -playerNotFound=<secondary>Giocatore non trovato. -playerTempBanned=<primary>Il giocatore <secondary>{0}<primary> ha temporaneamente bannato <secondary>{1}<primary> per <secondary>{2}<primary>\: <secondary>{3}<primary>. -playerUnbanIpAddress=<primary>Il giocatore<secondary> {0} <primary>ha sbannato l''indirizzo IP\:<secondary> {1} +playerNeverOnServer=<dark_red>Il giocatore <secondary> {0} <dark_red>non è mai entrato nel server. +playerNotFound=<dark_red>Giocatore non trovato. +playerTempBanned=<primary>Il giocatore <secondary>{0}<primary> ha bannato <secondary>{1}<primary> per <secondary>{2}<primary>\: <secondary>{3}<primary>. +playerUnbanIpAddress=<primary>Il giocatore<secondary> {0} <primary>ha sbannato l''IP\:<secondary> {1} playerUnbanned=<primary>Il giocatore<secondary> {0} <primary>ha sbannato<secondary> {1} -playerUnmuted=<gray>Ti è stato rimosso il muteè. -playtimeCommandDescription=Mostra il tuo tempo di gioco o quello di un altro giocatore -playtimeCommandUsage=/<command> [player] +playerUnmuted=<primary>Sei stato smutato. +playtimeCommandDescription=Mostra il tempo di gioco +playtimeCommandUsage=/<command> [giocatore] playtimeCommandUsage1=/<command> playtimeCommandUsage1Description=Mostra il tuo tempo di gioco -playtimeCommandUsage2=/<command> <player> +playtimeCommandUsage2=/<command> <giocatore> playtimeCommandUsage2Description=Mostra il tempo di gioco di un altro giocatore playtime=<primary>Tempo di gioco\:<secondary> {0} playtimeOther=<primary>Tempo di gioco di {1}<primary>\:<secondary> {0} pong=Pong\! -posPitch=<primary>Inclinazione\: {0} (Angolo testa) -possibleWorlds=<primary>I mondi possibili sono i numeri<secondary>0<primary> tra <secondary>{0}<primary>. -potionCommandDescription=Aggiunge degli effetti personalizzati ad una pozione. -potionCommandUsage=/<command> <clear|apply|effect\:<effetto> power\:<power> duration\:<durata>> +posPitch=<primary>Pitch\: {0} (Rotazione verticale) +possibleWorlds=<primary>I mondi possibili vanno da <secondary>0<primary> a <secondary>{0}<primary>. +potionCommandDescription=Aggiunge degli effetti personalizzati a una pozione. +potionCommandUsage=/<command> <clear|apply|effect\:<effetto> power\:<potenza> duration\:<durata>> potionCommandUsage1=/<command> clear -potionCommandUsage1Description=Elimina tutti gli effetti dalla pozione che hai in mano +potionCommandUsage1Description=Rimuove tutti gli effetti dalla pozione che hai in mano potionCommandUsage2=/<command> apply -potionCommandUsage2Description=Applica gli effetti della pozione che hai in mano senza però che questa venga consumata -potionCommandUsage3=/<command> effect\:<effetto> power\:<power> duration\:<durata> -potionCommandUsage3Description=Applica i meta specificati alla pozione che hai in mano +potionCommandUsage2Description=Applica gli effetti della pozione che hai in mano senza consumarla +potionCommandUsage3=/<command> effect\:<effetto> power\:<potenza> duration\:<durata> +potionCommandUsage3Description=Applica i metadati specificati alla pozione che hai in mano posX=<primary>X\: {0} (+Est <-> -Ovest) -posY=<primary>Y\: {0} (+Sopra <-> -Sotto) -posYaw=<primary>Straorzata\: {0} (Rotazione) +posY=<primary>Y\: {0} (+Su <-> -Giù) +posYaw=<primary>Yaw\: {0} (Rotazione orizzontale) posZ=<primary>Z\: {0} (+Sud <-> -Nord) potions=<primary>Pozioni\:<reset> {0}<primary>. powerToolAir=<dark_red>Il comando non può essere collegato all''aria. powerToolAlreadySet=<dark_red>Il comando <secondary>{0}<dark_red> è già assegnato a <secondary>{1}<dark_red>. powerToolAttach=<primary>Comando <secondary>{0}<primary> assegnato a<secondary> {1}<primary>. -powerToolClearAll=<primary>Tutti i comandi per i power tools sono stati cancellati. +powerToolClearAll=<primary>Tutti i comandi dei powertool sono stati rimossi. powerToolList=<primary>L''oggetto <secondary>{1} <primary>ha i seguenti comandi\: <secondary>{0}<primary>. powerToolListEmpty=<dark_red>L''oggetto <secondary>{0} <dark_red>non ha comandi assegnati. powerToolNoSuchCommandAssigned=<dark_red>Il comando <secondary>{0}<dark_red> non è stato assegnato a <secondary>{1}<dark_red>. powerToolRemove=<primary>Comando <secondary>{0}<primary> rimosso da <secondary>{1}<primary>. -powerToolRemoveAll=<primary>Tutti i comandi sono stati rimossi da <secondary>{0}<primary>. -powerToolsDisabled=<primary>Tutti i tuoi power tool sono stati disabilitati. -powerToolsEnabled=<primary>Tutti i tuoi power tool sono stati abilitati. +powerToolRemoveAll=<primary>Rimossi tutti i comandi da <secondary>{0}<primary>. +powerToolsDisabled=<primary>Tutti i tuoi powertool sono stati disabilitati. +powerToolsEnabled=<primary>Tutti i tuoi powertool sono stati abilitati. powertoolCommandDescription=Assegna un comando all''oggetto che hai in mano. -powertoolCommandUsage=/<command> [l\:|a\:|r\:|c\:|d\:][comando] [arguments] - {giocatore} può essere rimpiazzato dal giocatore oggetto del comando. +powertoolCommandUsage=/<command> [l\:|a\:|r\:|c\:|d\:][comando] [parametri] - {player} può essere sostituito dal nome del giocatore. powertoolCommandUsage1=/<command> l\: -powertoolCommandUsage1Description=Visualizza tutti i power tools assegnati all''oggetto in mano +powertoolCommandUsage1Description=Elenca tutti i powertool assegnati all''oggetto che hai in mano powertoolCommandUsage2=/<command> d\: -powertoolCommandUsage2Description=Rimuove tutti i powertools presenti nell''oggetto che si ha in mano +powertoolCommandUsage2Description=Rimuove tutti i powertool assegnati all''oggetto che hai in mano powertoolCommandUsage3=/<command> r\:<comando> -powertoolCommandUsage3Description=Rimuove un comando dall''oggetto che si ha in mano +powertoolCommandUsage3Description=Rimuove il comando dall''oggetto che hai in mano powertoolCommandUsage4=/<command> <comando> -powertoolCommandUsage4Description=Imposta il comando assegnato al power tool +powertoolCommandUsage4Description=Imposta il comando all''oggetto che hai in mano powertoolCommandUsage5=/<command> a\:<comando> -powertoolCommandUsage5Description=Aggiunge il comando all''oggetto che si ha in mano -powertooltoggleCommandDescription=Abilita o disabilita tutti i power tools. +powertoolCommandUsage5Description=Aggiunge il comando all''oggetto che hai in mano +powertooltoggleCommandDescription=Abilita o disabilita tutti i powertool esistenti. powertooltoggleCommandUsage=/<command> -ptimeCommandDescription=Modifica l''orario visualizzato dal giocatore. Aggiungi il prefisso @ mantenerlo costante. +ptimeCommandDescription=Modifica l''orario visualizzato dal giocatore. Aggiungi il prefisso @ per mantenerlo costante. ptimeCommandUsage=/<command> [list|reset|day|night|dawn|17\:30|4pm|4000ticks] [giocatore|*] ptimeCommandUsage1=/<command> list [giocatore|*] -ptimeCommandUsage1Description=Visualizza il tuo orario o quello di un altro giocatore -ptimeCommandUsage2=/<command> <time> [player|*] -ptimeCommandUsage2Description=Imposta l''orario tuo o di un altro giocatore all''orario specificato (client-side) +ptimeCommandUsage1Description=Visualizza il tuo orario o quello dei giocatori indicati +ptimeCommandUsage2=/<command> <orario> [player|*] +ptimeCommandUsage2Description=Imposta il tuo orario o quello di altri giocatori all''orario indicato ptimeCommandUsage3=/<command> reset [giocatore|*] -ptimeCommandUsage3Description=Resetta l''orario tuo o quello di un altro giocatore -pweatherCommandDescription=Imposta il meteo per te o un altro giocatore (client-side) +ptimeCommandUsage3Description=Resetta il tuo orario o quello di altri giocatori +pweatherCommandDescription=Regola il meteo di un giocatore pweatherCommandUsage=/<command> [list|reset|storm|sun|clear] [giocatore|*] pweatherCommandUsage1=/<command> list [player|*] -pweatherCommandUsage1Description=Visualizza il meteo attualmente visualizzato da te o da un altro giocatore +pweatherCommandUsage1Description=Visualizza il tuo meteo o quello dei giocatori indicati pweatherCommandUsage2=/<command> <storm|sun> [giocatore|*] -pweatherCommandUsage2Description=Imposta il meteo visualizzato da te o da un altro giocatore +pweatherCommandUsage2Description=Imposta il tuo meteo o quello di altri giocatori all''orario indicato pweatherCommandUsage3=/<command> reset [player|*] -pweatherCommandUsage3Description=Resetta il meteo visualizzato da te o da un altro giocatore +pweatherCommandUsage3Description=Resetta il tuo meteo o quello di altri giocatori pTimeCurrent=<primary>L''orario di <secondary>{0}<primary> è<secondary> {1}<primary>. -pTimeCurrentFixed=L''orario di <yellow>{0}<white> è fissato alle {1}. -pTimeNormal=L''orario di <yellow>{0}<white> è normale e corrisponde a quello del server. -pTimeOthersPermission=<secondary>Non sei autorizzato a definre l''orario degli altri giocatori. -pTimePlayers=Questi giocatori hanno l''orario personale\: -pTimeReset=L''orario personale è stato resettato per\: <yellow>{0} -pTimeSet=L''orario personale è stato regolato alle <dark_aqua>{0}<white> per\: <yellow>{1} -pTimeSetFixed=L''orario personale è stato fissato alle <dark_aqua>{0}<white> per\: <yellow>{1} +pTimeCurrentFixed=<primary>L''orario di <secondary>{0}<primary>è impostato a<secondary> {1}<primary>. +pTimeNormal=<primary>L''orario di <secondary>{0}<primary> corrisponde a quello server. +pTimeOthersPermission=<dark_red>Non sei autorizzato a cambiare l''orario degli altri giocatori. +pTimePlayers=<primary>I giocatori con un orario personalizzato sono\:<reset> +pTimeReset=<primary>Resettato l''orario di <secondary>{0} +pTimeSet=<primary>L''orario di <secondary>{1}<primary> è stato impostato su\: <secondary>{0}<primary>. +pTimeSetFixed=<primary>L''orario di <secondary>{1}<primary> è stato impostato su\: <secondary>{0}<primary>. pWeatherCurrent=<primary>Il meteo di <secondary>{0}<primary> è<secondary> {1}<primary>. -pWeatherInvalidAlias=<dark_red>Tipo meteo non valido -pWeatherNormal=<primary>Il meteo di <secondary>{0}<primary> è normale e corrisponde con il server. -pWeatherOthersPermission=<dark_red>Non hai il permesso di impostare il meteo di altri giocatori. -pWeatherPlayers=<primary>Questi giocatori hanno il meteo personale\:<reset> -pWeatherReset=<primary>Il meteo del giocatore è stato reimpostato per\: <secondary>{0} -pWeatherSet=<primary>Il meteo del giocatore è stato impostato a <secondary>{0}<primary> per\: <secondary>{1}. +pWeatherInvalidAlias=<dark_red>Tipo di meteo non valido +pWeatherNormal=<primary>Il meteo di <secondary>{0}<primary> corrisponde a quello del server. +pWeatherOthersPermission=<dark_red>Non hai il permesso di cambiare il meteo di altri giocatori. +pWeatherPlayers=<primary>I giocatori con il meteo personalizzato sono\:<reset> +pWeatherReset=<primary>Resettato il meteo di <secondary>{0} +pWeatherSet=<primary>Il meteo di <secondary>{1}<primary> è stato impostato su\: <secondary>{0}<primary>. questionFormat=<dark_green>[Domanda]<reset> {0} rCommandDescription=Rispondi rapidamente all''ultimo giocatore che ti ha inviato un messaggio. -rCommandUsage=/<command> <message> -rCommandUsage1=/<command> <message> -rCommandUsage1Description=Replies to the last player to message you with the given text -readNextPage=<primary>Scrivi<secondary> /{0} {1} <primary>per la pagina successiva. +rCommandUsage=/<command> <messaggio> +rCommandUsage1=/<command> <messaggio> +rCommandUsage1Description=Rispondi all''ultimo giocatore che ti ha inviato un messaggio. +radiusTooBig=<dark_red>Raggio troppo grande\! Il raggio massimo è <secondary>{0}<dark_red>. +readNextPage=<primary>Digita<secondary> /{0} {1} <primary>per la pagina successiva. realName=<white>{0}<reset><primary> è <white>{1} -realnameCommandDescription=Risale al nome utente di un giocatore in base al suo nickname. -realnameCommandUsage=/<command> <nickname> -realnameCommandUsage1=/<command> <nickname> -realnameCommandUsage1Description=Utilizza il nickname di un giocatore per risalire al suo vero nome utente -recentlyForeverAlone=<dark_red>{0} recentemente è andato offline. -recipe=<primary>Crafting per <secondary>{0}<primary> (<secondary>{1}<primary> di <secondary>{2}<primary>) +realnameCommandDescription=Risale al nome utente di un giocatore in base al nick. +realnameCommandUsage=/<command> <nick> +realnameCommandUsage1=/<command> <nick> +realnameCommandUsage1Description=Risale al nome utente di un giocatore in base al nick fornito +recentlyForeverAlone=<dark_red>{0} è andato offline da poco. +recipe=<primary>Ricetta per <secondary>{0}<primary> (<secondary>{1}<primary> di <secondary>{2}<primary>) recipeBadIndex=Non c''è nessuna ricetta con quel numero. recipeCommandDescription=Mostra come craftare un oggetto. -recipeCommandUsage=/<command> <<item>|hand> [numero] -recipeCommandUsage1=/<command> <<item>|hand> [pagina] -recipeCommandUsage1Description=Mostra come craftare un oggetto -recipeFurnace=<primary>Cottura\: <secondary>{0}<primary>. -recipeGrid=<secondary>{0}X <primary><unk> {1}X <primary><unk> {2}X +recipeCommandUsage=/<command> <<oggetto>|hand> [numero] +recipeCommandUsage1=/<command> <<oggetto>|hand> [pagina] +recipeCommandUsage1Description=Mostra come craftare l''oggetto richiesto +recipeFurnace=<primary>Cuoci\: <secondary>{0}<primary>. +recipeGrid=<secondary>{0}X <primary>| {1}X <primary>| {2}X recipeGridItem=<secondary>{0}X <primary>è <secondary>{1} -recipeMore=<primary>Digita<secondary> /{0} {1} <numero><primary> per vedere gli altri crafting di <secondary>{2}<primary>. +recipeMore=<primary>Digita<secondary> /{0} {1} <numero><primary> per vedere altre ricette di <secondary>{2}<primary>. recipeNone=Nessuna ricetta esistente per {0} recipeNothing=niente recipeShapeless=<primary>Combina <secondary>{0} recipeWhere=<primary>Dove\: {0} -removeCommandDescription=Rimuove le entità nel mondo. +removeCommandDescription=Rimuove le entità nel tuo mondo. removeCommandUsage=/<command> <all|tamed|named|drops|arrows|boats|minecarts|xp|paintings|itemframes|endercrystals|monsters|animals|ambient|mobs|[tipo di mob]> [raggio|mondo] -removeCommandUsage1=/<command> <mob type> [mondo] -removeCommandUsage1Description=Rimuove completamente questo specifico mob dal mondo +removeCommandUsage1=/<command> <tipo di mob>[mondo] +removeCommandUsage1Description=Rimuove il mob indicato dal mondo attuale o dal mondo specificato removeCommandUsage2=/<command> <tipo di mob> <raggio> [mondo] -removeCommandUsage2Description=Rimuove completamente questo specifico mob all''interno di un raggio in un mondo specifico +removeCommandUsage2Description=Rimuove il tipo di mob specificato entro il raggio dato nel mondo attuale o nel mondo specificato. removed=<primary>Rimosse<secondary> {0} <primary>entità. -renamehomeCommandDescription=Rinomina una casa. -renamehomeCommandUsage=/<command> <[giocatore\:]name> <nuovo nome> +renamehomeCommandDescription=Rinomina una home. +renamehomeCommandUsage=/<command> <[giocatore\:]nome> <nuovo nome> renamehomeCommandUsage1=/<command> <nome> <nuovo nome> -renamehomeCommandUsage1Description=Rinomina la tua casa con un altro nome +renamehomeCommandUsage1Description=Rinomina la home con il nome indicato renamehomeCommandUsage2=/<command> <giocatore>\:<nome> <nuovo nome> -renamehomeCommandUsage2Description=Rinomina la tua casa o quella di un altro giocatore -repair=<primary>Hai riparato il tuo\: <secondary>{0}<primary>. -repairAlreadyFixed=<dark_red>Questo oggetto non richiede riparazioni. +renamehomeCommandUsage2Description=Rinomina la tua casa o di un altro giocatore con il nome indicato +repair=<primary>Hai riparato\: <secondary>{0}<primary>. +repairAlreadyFixed=<dark_red>Questo oggetto non ha bisogno di essere riparato. repairCommandDescription=Ripristina la durabilità di uno o più oggetti. repairCommandUsage=/<command> [hand|all] repairCommandUsage1=/<command> -repairCommandUsage1Description=Ripara l''oggetto in mano +repairCommandUsage1Description=Ripara l''oggetto che hai in mano repairCommandUsage2=/<command> all repairCommandUsage2Description=Ripara tutti gli oggetti nel tuo inventario repairEnchanted=<dark_red>Non hai il permesso di riparare oggetti incantati. @@ -1006,7 +1087,7 @@ requestAcceptedFrom=<secondary>{0} <primary>ha accettato la tua richiesta di tel requestAcceptedFromAuto=<secondary>{0} <primary>ha accettato automaticamente la tua richiesta di teletrasporto. requestDenied=<primary>Richiesta di teletrasporto rifiutata. requestDeniedAll=<primary>Rifiutata(e) <secondary>{0} <primary>richiesta(e) di teletrasporto. -requestDeniedFrom=<secondary>{0} <primary>Ha rifiutato la tua richiesta di teletrasporto. +requestDeniedFrom=<secondary>{0} <primary>ha rifiutato la tua richiesta di teletrasporto. requestSent=<primary>Richiesta inviata a<secondary> {0}<primary>. requestSentAlready=<dark_red>Hai già inviato a {0}<dark_red> una richiesta di teletrasporto. requestTimedOut=<dark_red>Richiesta di telestrasporto scaduta. @@ -1070,8 +1151,12 @@ setjailCommandUsage=/<command> <jailname> setjailCommandUsage1=/<command> <jailname> setjailCommandUsage1Description=Crea una prigione, con il nome scelto, nella posizione in cui ti trovi settprCommandDescription=Imposta il TPR e i suoi parametri. +settprCommandUsage=/<command> <mondo> [center|minrange|maxrange] [valore] +settprCommandUsage1=/<command> <mondo> center settprCommandUsage1Description=Imposta il fulcro del TPR nella posizione in cui ti trovi +settprCommandUsage2=/<command> <mondo> minrange <raggio> settprCommandUsage2Description=Imposta il raggio minimo del TPR +settprCommandUsage3=/<command> <mondo> maxrange <raggio> settprCommandUsage3Description=Imposta il raggio massimo del TPR settpr=<primary>Fulcro del TPR impostato. settprValue=<primary>Valore TPR <secondary>{0}<primary> impostato su <secondary>{1}<primary>. @@ -1090,7 +1175,7 @@ shoutDisabled=<primary>Shout mode <secondary>disabilitata<primary>. shoutDisabledFor=<primary>Shout mode <secondary>disabilitata <primary>per <secondary>{0}<primary>. shoutEnabled=<primary>Shout mode <secondary>abilitata<primary>. shoutEnabledFor=<primary>Shout mode <secondary>abilitata <primary>per <secondary>{0}<primary>. -shoutFormat=<primary>[Broadcast]<reset> {0} +shoutFormat=<primary>[Urlo]<reset> {0} editsignCommandClear=<primary>Cancellato tutto il testo dal cartello. editsignCommandClearLine=<primary>CEliminato il verso<secondary> {0}<primary>. showkitCommandDescription=Mostra il contenuto di un kit. @@ -1115,6 +1200,8 @@ editsignCommandUsage3=/<command> copy [numero del verso] editsignCommandUsage3Description=Copia tutti i versi (o solo quelli specificati) in memoria editsignCommandUsage4=/<command> paste [numero del verso] editsignCommandUsage4Description=Incolla tutto il testo copiato in memoria sul cartello (o nel verso specificato) +signFormatFail=<dark_red>[{0}] +signFormatSuccess=<dark_blue>[{0}] signFormatTemplate=[{0}] signProtectInvalidLocation=<dark_red>Non hai il permesso per creare segnaposti qui. similarWarpExist=Il nome del warp è stato già utilizzato. @@ -1139,11 +1226,13 @@ slimeMalformedSize=Dimensione non valida. smithingtableCommandDescription=Apre una smithingtable. smithingtableCommandUsage=/<command> socialSpy=<primary>SocialSpy per <secondary>{0}<primary>\: <secondary>{1} +socialSpyMsgFormat=<primary>[<secondary>{0}<gray> -> <secondary>{1}<primary>] <gray>{2} socialSpyMutedPrefix=<white>[<primary>SS<white>] <gray>(mutato) <reset> socialspyCommandDescription=Attiva o disattiva la possibilità di vedere i comandi tell o msg in chat. socialspyCommandUsage=/<command> [giocatore] [on|off] socialspyCommandUsage1=/<command> [giocatore] socialspyCommandUsage1Description=Attiva o disattiva il socialspy per te o per un altro giocatore +socialSpyPrefix=<white>[<primary>SS<white>] <reset> soloMob=Quel mob sembra essere solo spawned=creato spawnerCommandDescription=Cambia il tipo di mob spawnato dal mob spawner. @@ -1311,17 +1400,26 @@ tpoCommandUsage1Description=Teletrasporta il giocatore da te indipendentemente c tpoCommandUsage2=/<command> <player> <other player> tpoCommandUsage2Description=Teletrasporta il primo giocatore verso il secondo indipendentemente se abbiano o meno il teletrasporto disabilitato tpofflineCommandDescription=Teletrasportati verso l''ultima posizione di un giocatore al momento del logout +tpofflineCommandUsage=/<command> <giocatore> +tpofflineCommandUsage1=/<command> <giocatore> tpofflineCommandUsage1Description=Teletrasportati verso l''ultima posizione di un giocatore al momento del logout tpohereCommandDescription=Teletrasporta verso di te un altro giocatore indipendentemente che questo abbia il teletrasporto disabilitato. +tpohereCommandUsage=/<command> <giocatore> +tpohereCommandUsage1=/<command> <giocatore> tpohereCommandUsage1Description=Teletrasporta il giocatore specificato da te mentre sovrascrive le loro preferenze tpposCommandDescription=Ti teletrasporta alle coordinate inserite. tpposCommandUsage=/<command> <x> <y> <z> [yaw] [pitch] [mondo] +tpposCommandUsage1=/<command> <x> <y> <z> [inclinazione orizzontale] [inclinazione verticale] [mondo] tpposCommandUsage1Description=Ti teletrasporta alle coordinate inserite, potendo specificare yaw, pitch, e/o mondo tprCommandDescription=Ti teletrasporta in un punto casuale. +tprCommandUsage=/<command> +tprCommandUsage1=/<command> tprCommandUsage1Description=Ti teletrasporta in un punto casuale tprSuccess=<primary>Teletrasporto verso un punto casuale... tps=<primary>TPS Attuali \= {0} tptoggleCommandDescription=Impedisce qualsiasi tipo di teletrasporto. +tptoggleCommandUsage=/<command> [giocatore] [on|off] +tptoggleCommandUsage1=/<command> [giocatore] tptoggleCommandUsageDescription=Attiva o disattiva il teletrasporto per te o per un altro giocatore tradeSignEmpty=<dark_red>Il cartello di baratto non dispone di merci da scambiare. tradeSignEmptyOwner=<dark_red>Non c''è niente da raccogliere da questo cartello. @@ -1329,6 +1427,7 @@ tradeSignFull=<dark_red>Questo segno è pieno\! tradeSignSameType=<dark_red>Non puoi scambiare per lo stesso tipo di oggetto. treeCommandDescription=Genera un albero nel punto in cui stai guardando treeCommandUsage=/<command> <tree|birch|redwood|redmushroom|brownmushroom|jungle|junglebush|swamp|paleoak> +treeCommandUsage1=/<command> <tree|birch|redwood|redmushroom|brownmushroom|jungle|junglebush|swamp> treeCommandUsage1Description=Genera un albero, del tipo specificato, nel punto in cui stai guardando treeFailure=<dark_red>Creazione dell''albero fallita. Riprova sull''erba o sulla terra. treeSpawned=<primary>Albero generato. @@ -1340,9 +1439,12 @@ typeWorldName=<primary>Puoi anche digitare il nome di un mondo. unableToSpawnItem=<dark_red>Non riuscito\: <secondary>{0}<dark_red>; questo oggetto non può essere ottenuto. unableToSpawnMob=<dark_red>Impossibile generare il mob. unbanCommandDescription=Sbanna un giocatore precedentemente bannato. +unbanCommandUsage=/<command> <giocatore> +unbanCommandUsage1=/<command> <giocatore> unbanCommandUsage1Description=Sbanna un giocatore unbanipCommandDescription=Sbanna un indirizzo IP. unbanipCommandUsage=/<command> <address> +unbanipCommandUsage1=/<command> <indirizzo IP> unbanipCommandUsage1Description=Sbanna un indirizzo IP unignorePlayer=<primary>Non stai più ignorando il giocatore<secondary> {0} <primary>. unknownItemId=<dark_red>ID Oggetto sconosciuto\:<reset> {0}<dark_red>. @@ -1359,6 +1461,8 @@ unlimitedCommandUsage3Description=Clears all unlimited items for yourself or ano unlimitedItemPermission=<dark_red>Nessun permesso per oggetti illimitati <secondary>{0}<dark_red>. unlimitedItems=<primary>Oggetti illimitati\:<reset> unlinkCommandDescription=Scollega il tuo account Minecraft da Discord. +unlinkCommandUsage=/<command> +unlinkCommandUsage1=/<command> unlinkCommandUsage1Description=Scollega il tuo account Minecraft dall''account Discord attualmente collegato. unmutedPlayer=<primary>Il giocatore<secondary> {0} <primary>è stato smutato. unsafeTeleportDestination=<dark_red>La destinazione del teletrasporto non è sicura e il teletrasporto sicuro è disabilitata. @@ -1380,16 +1484,23 @@ userIsAwaySelf=<gray>Sei AFK. userIsAwaySelfWithMessage=Ora sei AFK. userIsNotAwaySelf=<gray>Non sei più AFK. userJailed=<primary>Sei stato incarcerato\! +usermapEntry=<secondary>{0} <primary>è mappato a <secondary>{1}<primary>. +usermapKnown=<primary>Ci sono <secondary>{0} <primary>utenti conosciuti nella cache con <secondary>{1} <primary>coppie nome-UUID. +usermapPurge=<primary>Controllando i file in userdata che non sono mappati, i risultati saranno loggati in console. Modalità distruttiva\: {0} +usermapSize=<primary>Utenti attualmente in cache nella mappa utenti\: <secondary>{0}<primary>/<secondary>{1}<primary>/<secondary>{2}<primary>. userUnknown=<dark_red>Attenzione\: Il giocatore ''<secondary>{0}<dark_red>'' non è mai entrato nel server. usingTempFolderForTesting=Usando la cartella temporanea per il test\: vanish=<primary>Invisibilità giocatore {0}<primary>\: {1} vanishCommandDescription=Renditi invisibile agli altri giocatori. +vanishCommandUsage=/<command> [giocatore] [on|off] +vanishCommandUsage1=/<command> [giocatore] vanishCommandUsage1Description=Abilita o disabilita la vanish per te o per un altro giocatore -vanished=<primary>Sei ora completamente invisibile agli utenti normali, e nascosto dai comandi di gioco. +vanished=<primary>Ora sei completamente invisibile agli utenti normali e nascosto dai comandi in gioco. versionCheckDisabled=<primary>È stato disabilitato nel config il controllo automatico degli aggiornamenti. versionCustom=<primary>Impossibile verificare la tua versione\! L''hai fatta tu? Informazioni sulla build\: <secondary>{0}<primary>. versionDevBehind=<dark_red>La tua versione sperimentale di EssentialsX <secondary>{0} <dark_red>non è aggiornata\! versionDevDiverged=<primary>Stai utilizzando una versione sperimentale di EssentialsX che è <secondary>{0} <primary>versioni indietro rispetto l''ultima build\! +versionDevDivergedBranch=<primary>Feature Branch\: <secondary>{0}<primary>. versionDevDivergedLatest=<primary>Stai utilizzando una versione aggiornata della build per sviluppatori di EssentialsX\! versionDevLatest=<primary>La tua versione sperimentale di EssentialsX è aggiornata\! versionError=<dark_red>Errore tentando di controllare le informazioni sulla versione di EssentialsX\! Informazioni sulla build\: <secondary>{0}<primary>. @@ -1400,6 +1511,7 @@ versionOutputFine=<primary>{0} versione\: <green>{1} versionOutputWarn=<primary>{0} versione\: <secondary>{1} versionOutputUnsupported=<light_purple>{0} <primary>versione\: <light_purple>{1} versionOutputUnsupportedPlugins=<primary>Alcuni dei plugin che usi <light_purple>non sono supportati<primary>\! +versionOutputEconLayer=<primary>Economy Layer\: <reset>{0} versionMismatch=<dark_red>Versione incorretta\! Aggiornare {0} alla stessa versione. versionMismatchAll=<dark_red>Versione incorretta\! Aggiornare tutti i jar Essentials alla stessa versione. versionReleaseLatest=<primary>Stai utilizzando l''ultima versione stabile di EssentialsX\! @@ -1412,18 +1524,22 @@ voiceSilencedReasonTime=<primary>I tuoi messaggi sono stati silenziati per {0}\! walking=camminando warpCommandDescription=Visualizza tutti i warp possibili o teletrasportati a quello indicato. warpCommandUsage=/<command> <numeropagina|nomewarp> [giocatore] +warpCommandUsage1=/<command> [pagina] warpCommandUsage1Description=Apre la lista dei warp alla pagina specificata warpCommandUsage2=/<command> <nomewarp> [giocatore] warpCommandUsage2Description=Teletrasporta te o un altro giocatore al warp specificato warpDeleteError=<dark_red>Problema durante l''eliminazione del file del warp. warpInfo=<primary>Informazioni per il warp<secondary> {0}<primary>\: warpinfoCommandDescription=Visualizza le informazioni per uno specifico warp. +warpinfoCommandUsage=/<command> <warp> +warpinfoCommandUsage1=/<command> <warp> warpinfoCommandUsage1Description=Visualizza le informazioni di un warp warpingTo=<primary>Teletrasportato al warp<secondary> {0}<primary>. warpList={0} warpListPermission=<dark_red>Non hai il permesso di consultare la lista dei warps. warpNotExist=<dark_red>Quel warp non esiste. warpOverwrite=<dark_red>Non puoi sovrascrivere quel warp. +warps=<primary>Warp\:<reset> {0} warpsCount=<primary>Ci sono<secondary> {0} <primary>warp. Mostrando la pagina <secondary>{1} <primary>di <secondary>{2}<primary>. weatherCommandDescription=Imposta il tempo atmosferico. weatherCommandUsage=/<command> <storm/sun> [durata] @@ -1443,6 +1559,8 @@ whoisAFK=<primary> - AFK\:<white> {0} whoisAFKSince=<primary> - AFK\:<reset> {0} (Da {1}) whoisBanned=<primary> - Bannato\:<white> {0} whoisCommandDescription=Risale al nome utente dal nickname. +whoisCommandUsage=/<command> <soprannome> +whoisCommandUsage1=/<command> <giocatore> whoisCommandUsage1Description=Visualizza alcune informazioni circa un determinato un giocatore whoisExp=<primary> - Exp\:<white> {0} (Livello {1}) whoisFly=<primary> - Mod. volo\:<white> {0} ({1}) @@ -1462,16 +1580,23 @@ whoisNick=<primary> - Nick\:<white> {0} whoisOp=<primary> - OP\:<white> {0} whoisPlaytime=<primary> - Tempo di gioco\:<reset> {0} whoisTempBanned=<primary> - Scadenza ban\:<reset> {0} +whoisTop=<primary> \=\=\=\=\=\= Chi è\:<secondary> {0} <primary>\=\=\=\=\=\= +whoisUuid=<primary> - UUID\:<reset> {0} +whoisWhitelist=<primary> - Whitelist\:<reset> {0} workbenchCommandDescription=Apre una crafting table. +workbenchCommandUsage=/<command> worldCommandDescription=Teletrasportati tra i mondi. worldCommandUsage=/<command> [mondo] +worldCommandUsage1=/<command> worldCommandUsage1Description=Ti teletrasporta alle tue coordinate attuali nel Nether o nell''Overworld worldCommandUsage2=/<command> <mondo> worldCommandUsage2Description=Ti teletrasporta in un altro mondo worth=<gray>Stack di {0} valore <secondary>{1}<gray> ({2} oggetto(i) a {3} l''uno) worthCommandDescription=Calcola il valore degli oggetti che hai in mano o di quelli specificati. worthCommandUsage=/<command> <<itemname>|<id>|hand|inventory|blocks> [-][quantità] +worthCommandUsage1=/<command> <nome item> [quantità] worthCommandUsage1Description=Calcola il valore di un oggetto nel suo complesso (o della quantità specificata di questi) nel tuo inventario +worthCommandUsage2=/<command> hand [quantità] worthCommandUsage2Description=Calcola il valore dell''oggetto che hai in mano (nel suo complesso o nella quantità specificata) worthCommandUsage3=/<command> tutti worthCommandUsage3Description=Calcola il valore di tutti gli oggetti nel tuo inventario diff --git a/Essentials/src/main/resources/messages_ja.properties b/Essentials/src/main/resources/messages_ja.properties index 7236e3c925d..5e2843ae6b0 100644 --- a/Essentials/src/main/resources/messages_ja.properties +++ b/Essentials/src/main/resources/messages_ja.properties @@ -1,4 +1,7 @@ #Sat Feb 03 17:34:46 GMT 2024 +action=<dark_purple>* {0} <dark_purple>{1} +addedToAccount=<yellow>{0}<green> があなたの口座に追加されました。 +addedToOthersAccount=<yellow>{0}<green> が<yellow> {1}<green> 口座に追加されました。新しい残高\:<yellow> {2} adventure=アドベンチャー afkCommandDescription=キーボードから離れたユーザーとしてマークします。 afkCommandUsage=/<command> [player/message...] @@ -97,6 +100,7 @@ bottomCommandDescription=今立っている位置の移動可能な1番下の座 bottomCommandUsage=/<command> breakCommandDescription=見ているブロックを壊します。 breakCommandUsage=/<command> +broadcast=<primary>[<dark_red>Broadcast<primary>]<green> {0} broadcastCommandDescription=サーバー全体にメッセージを送信します。 broadcastCommandUsage=/<command> <msg> broadcastCommandUsage1=/<command> <message> @@ -113,6 +117,7 @@ burnMsg=<secondary>{0}<primary>を<secondary>{1}秒後<primary>に点火しま cannotSellNamedItem=<dark_red>エンチャントされたアイテムを修理することはできません。 cannotSellTheseNamedItems=<primary>エンチャントされたアイテム <dark_red>{0} <primary>を修理することはできません。 cannotStackMob=<dark_red>複数のMobをスタックする権限がありません。 +cannotRemoveNegativeItems=<dark_red>負の数のアイテムは削除できません。 canTalkAgain=<primary>ミュートが解除されました。発言することができます。 cantFindGeoIpDB=GeoIPデータベースが見つかりませんでした。 cantGamemode=<dark_red>ゲームモードを{0}に変更する権限がありません。 @@ -120,6 +125,7 @@ cantReadGeoIpDB=GeoIPデータベースの読み込みに失敗しました。 cantSpawnItem=<dark_red>あなたは<secondary>{0}<dark_red>をスポーンさせる権限がありません。 cartographytableCommandDescription=製図台を開きます。 cartographytableCommandUsage=/<command> +chatTypeLocal=<dark_aqua>[L] chatTypeSpy=[スパイ] cleaned=ユーザーファイルがクリーンアップされました。 cleaning=ユーザーファイルをクリーンしています。 @@ -135,6 +141,9 @@ clearinventoryCommandUsage3=/<command> <player> <item> [amount] clearinventoryCommandUsage3Description=指定されたプレイヤーのインベントリから、指定したアイテムをすべて (または指定された量) 消去します clearinventoryconfirmtoggleCommandDescription=インベントリのアイテムを消すときに本当に実行するかを確認を促すかどうかを切り替えます。 clearinventoryconfirmtoggleCommandUsage=/<command> +commandArgumentOptional=<gray> +commandArgumentOr=<secondary> +commandArgumentRequired=<yellow> commandCooldown=<secondary> {0} にはそのコマンドを入力できません。 commandDisabled=<secondary> コマンド<primary> {0}<secondary> は無効です。 commandFailed=コマンド{0}の実行に失敗\: @@ -143,6 +152,7 @@ commandHelpLine1=<primary>コマンドヘルプ\: <white>/{0} commandHelpLine2=<primary>説明\: <white>{0} commandHelpLine3=<primary>使用方法; commandHelpLine4=<primary>エイリアス(s)\: <white>{0} +commandHelpLineUsage={0} <primary>- {1} commandNotLoaded=<dark_red>{0} は正しく読み込まれました。 consoleCannotUseCommand=このコマンドはコンソールでは実行できません。 compassBearing=<primary>方角\:{0} ({1}度) @@ -156,6 +166,8 @@ condenseCommandUsage2=/<command> <item> condenseCommandUsage2Description=インベントリ内の指定されたアイテムを圧縮します configFileMoveError=Config.ymlのバックアップフォルダへの移動が失敗しました。 configFileRenameError=一時ファイルのconfig.ymlへの名前変更をすることが出来ませんでした。 +confirmClear=<gray> <b>確認</b><gray> インベントリをクリアするには、次のコマンドを繰り返してください: <primary>{0} +confirmPayment=<gray> <b>確認</b><gray> <primary>{0}<gray>の支払いには、次のコマンドを繰り返してください: <primary>{1} connectedPlayers=<primary>接続中のプレイヤー一覧<reset> connectionFailed=接続することができませんでした。 consoleName=<secondary>コンソール @@ -168,6 +180,7 @@ createkitCommandUsage=/<command> <kitname> <delay> createkitCommandUsage1=/<command> <kitname> <delay> createkitCommandUsage1Description=指定された名前と遅延を持つキットを作成します createKitFailed=<dark_red>キット{0}を作成する時にエラーが発生しました。 +createKitSeparator=<st>----------------------- createKitSuccess=<primary>作成されたキット:<white> {0} \n<primary>遅延:<white> {1} \n<primary>リンク:<white> {2} \n<primary>上のリンクの内容をkits.ymlにコピーします。 createKitUnsupported=<dark_red>NBTアイテムシリアライズは有効になっていますがこのサーバーは Paper 1.15.2+ で実行していません。標準的なアイテムシリアライゼーションにフォールバックしています。 creatingConfigFromTemplate=テンプレートからコンフィグファイルを生成しています\: {0} @@ -205,7 +218,9 @@ delkitCommandUsage1=/<command> <kit> delkitCommandUsage1Description=指定された名前のキットを削除します delwarpCommandDescription=指定したワープを削除します。 delwarpCommandUsage=/<command> <warp> +delwarpCommandUsage1=/<command> <warp> delwarpCommandUsage1Description=指定された名前のワープを削除します +deniedAccessCommand=<secondary>{0} <dark_red>はコマンドへのアクセスが拒否されました。 denyBookEdit=<dark_red>この本のロックを解除することはできません。 denyChangeAuthor=<dark_red>この本の著者を変更することはできません。 denyChangeTitle=<dark_red>この本のタイトルを変更することはできません。 @@ -232,6 +247,7 @@ discordCommandAccountResponseLinkedOther={0}''のアカウントは次のMCIDと discordCommandAccountResponseNotLinked=あなたは連携されたマインクラフトアカウントがありません。 discordCommandAccountResponseNotLinkedOther={0} はリンクされたマインクラフトアカウントを持っていません。 discordCommandDescription=プレイヤーにdiscordの招待リンクを送信します。 +discordCommandLink=<primary> <secondary><click\:open_url\:"{0}">{0}</click><primary> からDiscordサーバーに参加してください! discordCommandUsage=/<コマンド> discordCommandUsage1=/<コマンド> discordCommandUsage1Description=プレイヤーにdiscordの招待リンクを送信します。 @@ -305,6 +321,7 @@ ecoCommandUsage3Description=指定したプレイヤーの残高を指定した ecoCommandUsage4=/<command> reset <player> <amount> ecoCommandUsage4Description=指定したプレイヤーの残高をサーバーの開始時の残高にリセットします editBookContents=<yellow>あなたは、この本の内容を編集することが出来ます。 +emptySignLine=<dark_red>空行 {0} enabled=有効 enchantCommandDescription=持っているアイテムをエンチャントします。 enchantCommandUsage=/<command> <enchantmentname> [level] @@ -317,7 +334,10 @@ enchantmentPerm=<dark_red>あなたは<secondary> {0}<dark_red>を実行する enchantmentRemoved=<primary>エンチャント <secondary>{0} <primary> を手に持っているアイテムから消しました。 enchantments=<primary>エンチャント\:<reset> {0} enderchestCommandDescription=エンダーチェストの中を見ることができます。 +enderchestCommandUsage=/<command> [player] +enderchestCommandUsage1=/<command> enderchestCommandUsage1Description=エンダーチェストを開きます +enderchestCommandUsage2=/<command> <player> enderchestCommandUsage2Description=対象のプレイヤーのエンダチェストを開けます equipped=装備済み errorCallingCommand=/{0} コマンド呼び出しエラー @@ -357,6 +377,8 @@ expCommandUsage5=/<command> reset <playername> expCommandUsage5Description=対象のプレイヤーのXPを0にする expSet=<secondary>{0} <primary>は<secondary> {1} <primary>経験値を手に入れました。 extCommandDescription=プレイヤーを消火する。 +extCommandUsage=/<command> [player] +extCommandUsage1=/<command> [player] extCommandUsage1Description=指定された場合、自分自身や他のプレイヤーを消火します extinguish=<primary>あなたを消火しました。 extinguishOthers=<primary> {0} を消火しました<primary>。 @@ -366,11 +388,14 @@ failedToWriteConfig={0} の書き込みに失敗しました。 false=<dark_red>無効<reset> feed=<primary>満腹状態になりました。 feedCommandDescription=飢えを満たす。 +feedCommandUsage=/<command> [player] +feedCommandUsage1=/<command> [player] feedCommandUsage1Description=指定されている場合、自分か他のプレイヤーを満腹状態にします。 feedOther=<secondary>{0} <primary>さんを満腹状態にしました。 fileRenameError={0} の名前変更に失敗しました\! fireballCommandDescription=火の玉や色々な種類の弾を投げます fireballCommandUsage=/<command> [fireball|small|large|arrow|skull|egg|snowball|expbottle|dragon|splashpotion|lingeringpotion|trident] [speed] +fireballCommandUsage1=/<command> fireballCommandUsage1Description=この位置から普通の火の玉を投げます fireballCommandUsage2=/<command> <fireball|small|large|arrow|skull|egg|snowball|expbottle|dragon|splashpotion|lingeringpotion|trident> [speed] fireballCommandUsage2Description=指定された発射体を、指定された速度で、この位置から投げます。 @@ -391,6 +416,7 @@ fixedHomes=無効なホームを削除しました fixingHomes=無効なホームを削除しています… flyCommandDescription=離陸して急いで! flyCommandUsage=/<command> [player] [on|off] +flyCommandUsage1=/<command> [player] flyCommandUsage1Description=指定されている場合、自分または他のプレイヤーのフライを切り替えます。 flying=飛行中 flyMode=<primary>Flyモードを {1} が<secondary> {0} <primary>にしました。 @@ -402,14 +428,18 @@ gameMode=<secondary>{1} <primary>さんのゲームモードを<secondary> {0} < gameModeInvalid=<dark_red>そのゲームモードは存在しません。 gamemodeCommandDescription=プレイヤーのゲームモードを変更します。 gamemodeCommandUsage=/<command> <survival|creative|adventure|spectator> [player] +gamemodeCommandUsage1=/<command> <survival|creative|adventure|spectator> [player] gamemodeCommandUsage1Description=指定された場合、あなたまたは他のプレイヤーのゲームモードを設定します gcCommandDescription=メモリ、稼働時間、ティック情報を報告します。 +gcCommandUsage=/<command> gcfree=<primary>未使用メモリー\:<secondary> {0} MB. gcmax=<primary>最大メモリー\:<secondary> {0} MB. gctotal=<primary>割り当てメモリー\:<secondary> {0} MB. gcWorld=<primary>{0} "<secondary>{1}<primary>"\: <secondary>{2}<primary> チャンク, <secondary>{3}<primary> エンティティ, <secondary>{4}<primary> geoipJoinFormat=<secondary>{0} <primary>さんが <secondary>{1}<primary>から来ました。 getposCommandDescription=現在の座標やプレイヤーの座標を取得します。 +getposCommandUsage=/<command> [player] +getposCommandUsage1=/<command> [player] getposCommandUsage1Description=自分または他のプレイヤーの座標を取得します giveCommandDescription=プレイヤーにアイテムを付与します giveCommandUsage=/<command> <player> <item|numeric> [amount [itemmeta...]] @@ -423,7 +453,10 @@ geoIpLicenseMissing=ライセンスキーが見つかりません!初期設定 geoIpUrlEmpty=GeoIPのダウンロードURLが空です. geoIpUrlInvalid=GeoIPダウンロードURLが有効ではありません。 givenSkull=<secondary>{0} <primary>の頭を手に入れました。 +givenSkullOther=<primary><secondary>{0}<primary>に<secondary>{1}<primary>の頭蓋骨を与えました。 godCommandDescription=神のような力を可能にします。 +godCommandUsage=/<command> [player] [on|off] +godCommandUsage1=/<command> [player] godCommandUsage1Description=指定されている場合、あなたまたは他のプレイヤーのゴッドモードを切り替えます giveSpawn=<secondary> {1} <primary>の<secondary> {0} <primary>を<secondary> {2} <primary>に与える。 giveSpawnFailure=<dark_red>スペースが足りません、<secondary> {0} {1} <dark_red>が失われました。 @@ -449,6 +482,8 @@ hatRemoved=<primary>帽子を外しました。 haveBeenReleased=<primary>あなたは解放されました。 heal=<primary>体力と満腹状態を回復しました。 healCommandDescription=自分または指定されたプレイヤーを回復します。 +healCommandUsage=/<command> [player] +healCommandUsage1=/<command> [player] healCommandUsage1Description=指定された場合、あなたまたは他のプレイヤーを回復させます healDead=<dark_red>死んでいる状態のプレイヤーを回復させることはできません。 healOther=<secondary>{0} <primary>の体力・満腹状態を回復しました。 @@ -456,6 +491,7 @@ helpCommandDescription=利用可能なコマンドの一覧を表示します。 helpCommandUsage=/<command> [search term] [page] helpConsole=コンソールからヘルプを表示するには、「?」と入力します。 helpFrom=<secondary>{0}<primary>のコマンド +helpLine=<primary>/{0}<reset>\: {1} helpMatching=<primary>ヘルプに"<secondary>{0}<primary>"を含むヘルプ helpOp=<dark_red>[重要]<reset> <primary>{0}\:<reset> {1} helpPlugin=<dark_red>{0}<reset>のヘルプ\: /help {1} @@ -481,16 +517,22 @@ hour=時間 hours=時間 ice=<primary>s寒気がする… iceCommandDescription=プレイヤーを凍らせます。 +iceCommandUsage=/<command> [player] +iceCommandUsage1=/<command> iceCommandUsage1Description=凍らせます +iceCommandUsage2=/<command> <player> iceCommandUsage2Description=指定したプレイヤーを凍らせます iceCommandUsage3=/<command> * iceCommandUsage3Description=全てのプレイヤーを凍らせます iceOther=<secondary> {0} <primary>は凍らされました<primary>. ignoreCommandDescription=他のプレーヤーを無視したり、無視を解除したりすることができます。 ignoreCommandUsage=/<command> <player> +ignoreCommandUsage1=/<command> <player> ignoreCommandUsage1Description=指定したプレイヤーを無視または無視を解除します ignoredList=<primary>チャット非表示中のプレイヤー\:<reset> {0} ignoreExempt=<dark_red>そのプレイヤーの発言を無視することはできません。 +ignorePlayer=<primary>今後はプレイヤー<secondary> {0} <primary>を無視します。 +ignoreYourself=<primary>自分自身を無視しても問題は解決しません。 illegalDate=日付の形式が間違っています。 infoAfterDeath=<primary>あなたは<yellow> {0} <primary>で死亡しました。<yellow> {1}, {2}, {3} infoChapter=<primary>章の選択: @@ -507,17 +549,24 @@ invalidHome=<dark_red>ホーム<secondary> {0} <dark_red>は存在しません\! invalidHomeName=<dark_red>無効なホーム名です。 invalidItemFlagMeta=<dark_red>アイテムのメタが不正です\: <secondary>{0}<dark_red> invalidMob=<dark_red>そのMobTypeで設定することは出来ません。 +invalidModifier=<dark_red>無効な修正子です。 invalidNumber=その番号は無効です。 invalidPotion=<dark_red>そのポーションは無効です。 invalidPotionMeta=<dark_red>ポーションは無効です。<secondary>{0}<dark_red> +invalidSign=<dark_red>無効な記号 invalidSignLine=<dark_red>Line<secondary> {0} <dark_red>onサインは無効です。 invalidSkull=<dark_red>プレイヤーの頭を手に持っている必要があります。 invalidWarpName=<dark_red>そのワープ名で設定することはできません。 +invalidWorld=<dark_red>無効なワールドです。 inventoryClearFail=<dark_red>プレイヤー<secondary> {0} <dark_red>は<secondary> {2} <dark_red>のうち<secondary> {1} <dark_red>を持っていません。 inventoryClearingAllArmor=<primary>{0} のインベントリと防具を削除しました。 inventoryClearingAllItems=<primary><secondary> {0} <primary>からすべての在庫アイテムをクリアしました。 +inventoryClearingFromAll=<primary>すべてのユーザーのインベントリをクリアしています… inventoryClearingStack=<secondary> {2} <primary>から<secondary> {1} <primary>の<secondary> {0} <primary>を削除しました。 +inventoryFull=<dark_red>インベントリがいっぱいです。 invseeCommandDescription=他のプレイヤーのインベントリを見る +invseeCommandUsage=/<command> <player> +invseeCommandUsage1=/<command> <player> invseeCommandUsage1Description=指定したプレイヤーのインベントリを開きます invseeNoSelf=<secondary>他のプレイヤーのインベントリのみ閲覧することができます。 is=は diff --git a/Essentials/src/main/resources/messages_nl.properties b/Essentials/src/main/resources/messages_nl.properties index ac2acb949b1..2b29582e558 100644 --- a/Essentials/src/main/resources/messages_nl.properties +++ b/Essentials/src/main/resources/messages_nl.properties @@ -1,4 +1,7 @@ #Sat Feb 03 17:34:46 GMT 2024 +action=<dark_purple>* {0} <dark_purple>{1} +addedToAccount=<yellow>{0}<green> is toegevoegd aan uw rekening. +addedToOthersAccount=<yellow>{0}<green> toegevoegd aan<yellow> {1}<green> rekening. Nieuw saldo\:<yellow> {2} adventure=avontuur afkCommandDescription=Markeert je als weg-van-toetsenbord. afkCommandUsage=/<command> [speler/bericht...] @@ -25,10 +28,13 @@ autoAfkKickReason=Je bent van de server gekickt omdat je niets hebt gedaan voor autoTeleportDisabled=<primary>Je keurt teleportatieverzoeken niet langer automatisch goed. autoTeleportDisabledFor=<secondary>{0}<primary> keurt niet langer teleportatieverzoeken goed. autoTeleportEnabled=<primary>Je keurt teleportatieverzoeken vanaf nu automatisch goed. +autoTeleportEnabledFor=<secondary>{0}<primary> accepteert nu automatisch teleporteer verzoeken. backAfterDeath=<primary>Gebruik de<secondary> /back<primary> opdracht om terug te keren naar je sterfplaats. backCommandDescription=Teleporteert je naar je locatie voordat je tp/spawn/warp hebt gedaan. backCommandUsage=/<command> [speler] +backCommandUsage1=/<command> backCommandUsage1Description=Teleporteerd jou naar je hoofd locatie +backCommandUsage2=/<command> <player> backCommandUsage2Description=Teleporteerd de specifieke speler naar zijn hoofd locatie backOther=<primary>Teruggegaan<secondary> {0}<primary> naar vorige locatie. backupCommandDescription=Voert de backup uit als deze is geconfigureerd. @@ -41,16 +47,20 @@ backUsageMsg=<gray>Naar Uw vorige locatie aan het gaan. balance=<gray>Saldo\: {0} balanceCommandDescription=Laat het huidige saldo van een speler zien. balanceCommandUsage=/<command> [speler] +balanceCommandUsage1=/<command> balanceCommandUsage1Description=Toont je huidige saldo +balanceCommandUsage2=/<command> <player> balanceCommandUsage2Description=Toont het saldo van een specifieke speler balanceOther=<green>Saldo van {0}<green>\:<secondary> {1} balanceTop=<gray> Top saldo ({0}) balanceTopLine={0}. {1}, {2} balancetopCommandDescription=Haalt de beste saldowaarden op. balancetopCommandUsage=/<commando> [pagina] +balancetopCommandUsage1=/<command> [pagina] balancetopCommandUsage1Description=De eerste (of gespecificeerde) pagina van de waarden van de bovenste balans banCommandDescription=Verbant een speler. banCommandUsage=/<command> <speler> [reden] +banCommandUsage1=/<command> <player> [reden] banCommandUsage1Description=Verban de speler met een optionele reden banExempt=<gray>Je kunt deze speler niet verbannen. banExemptOffline=<dark_red>Je kunt geen spelers verbannen die offline zijn. @@ -59,21 +69,27 @@ banIpJoin=Jouw IP adress is verbannen van deze server, met als reden\: {0} banJoin=Je bent van de server verbannen, met als reden\: {0} banipCommandDescription=Verbant een IP-adres. banipCommandUsage=<commando> <address> [reden] +banipCommandUsage1=/<command> <address> [reden] banipCommandUsage1Description=Bant het opgegeven IP-adres met een optionele reden +bed=<i>bed<reset> bedMissing=<dark_red>Uw bed is niet ingesteld, ontbreekt of is geblokkeerd. +bedNull=<st>bed<reset> bedOffline=<dark_red>Kan niet teleporteren naar de bedden van offline gebruikers. bedSet=<primary>Bed spawn ingesteld\! beezookaCommandDescription=Gooi een exploderende bij naar je tegenstander. +beezookaCommandUsage=/<command> bigTreeFailure=<secondary>Maken van een grote boom is mislukt. Probeer het opnieuw op gras of dirt. bigTreeSuccess=<gray>Grote boom gemaakt. bigtreeCommandDescription=Creëer een grote boom waar je kijkt. bigtreeCommandUsage=/<command> <tree|redwood|jungle|darkoak> +bigtreeCommandUsage1=/<command> <tree|redwood|jungle|darkoak> bigtreeCommandUsage1Description=Plaatst een grote boom van het opgegeven type blockList=<primary>EssentialsX heeft de volgende opdrachten doorgegeven naar andere plugins\: blockListEmpty=<primary>EssentialsX geeft geen opdrachten door naar andere plugins. bookAuthorSet=<primary>Auteur van het boek is veranderd naar\: {0} bookCommandDescription=Staat heropenen en bewerken van gesloten boeken toe. bookCommandUsage=/<command> [titel|auteur [naam]] +bookCommandUsage1=/<command> bookCommandUsage1Description=Vergrendelt/Ontgrendelt een boek en veer/getekend boek bookCommandUsage2=/<command> auteur <author> bookCommandUsage2Description=Verandert de auteur van een ondertekend boek @@ -82,26 +98,35 @@ bookCommandUsage3Description=Verandert de titel van een ondertekend boek bookLocked=<secondary>Dit boek is nu vergrendeld. bookTitleSet=<primary>Titel van het boek is veranderd naar\: {0} bottomCommandDescription=Teleporteer naar het laagste blok op je huidige locatie. +bottomCommandUsage=/<command> breakCommandDescription=Breekt het blok waar je naar kijkt. +breakCommandUsage=/<command> broadcast=<primary>[<dark_red>Omroep<primary>]<green> {0} broadcastCommandDescription=Stuurt een bericht uit naar de hele server. broadcastCommandUsage=/<command> <msg> +broadcastCommandUsage1=/<command> <message> broadcastCommandUsage1Description=Stuurt een bericht uit naar de hele server broadcastworldCommandDescription=Stuurt een bericht uit naar een wereld. broadcastworldCommandUsage=/<command> <wereld> <bericht> +broadcastworldCommandUsage1=/<command> <world> <msg> broadcastworldCommandUsage1Description=Stuurt een bericht uit naar een gegeven wereld burnCommandDescription=Zet een speler in brand. burnCommandUsage=/<command> <speler> <seconden> +burnCommandUsage1=/<command> <player> <seconds> burnCommandUsage1Description=Zet de opgegeven speler voor een opgegeven aantal seconden in de fik burnMsg=<gray>Je hebt {0} voor {1} seconde(n) in brand gezet. cannotSellNamedItem=<dark_red>Je hebt geen toestemming om items met naam te verkopen. cannotSellTheseNamedItems=<primary>Je hebt geen toestemming om deze items met een naam te verkopen\: <dark_red>{0} cannotStackMob=<dark_red>U heeft geen toestemming om meerdere mobs op elkaar te stapelen. +cannotRemoveNegativeItems=<dark_red>U kunt geen negatieve hoeveelheid voorwerpen verwijderen. canTalkAgain=<gray>Je kunt weer praten. cantFindGeoIpDB=De GeoIP database kon niet gevonden worden\! +cantGamemode=<dark_red>Je hebt geen toestemming om te veranderen in spelmodus {0} cantReadGeoIpDB=Fout bij het lezen van de GeoIP database\! cantSpawnItem=<secondary>U bent niet bevoegd om {0} te spawnen. cartographytableCommandDescription=Opent een kartografietafel. +cartographytableCommandUsage=/<command> +chatTypeLocal=<dark_aqua>[L] chatTypeSpy=[Spion] cleaned=Gebruikersbestanden opgeschoont. cleaning=Opschonen van gebruikersbestanden. @@ -109,11 +134,17 @@ clearInventoryConfirmToggleOff=<primary>Je zult niet langer meer gevraagd worden clearInventoryConfirmToggleOn=<primary>Je zult worden gevraagd voor een bevestiging bij het legen van je inventaris. clearinventoryCommandDescription=Verwijder alle voorwerpen in je inventaris. clearinventoryCommandUsage=/<command> [speler|*] [item[\:\\<data>]|*|**] [totaal] +clearinventoryCommandUsage1=/<command> clearinventoryCommandUsage1Description=Verwijdert alle voorwerpen uit je inventaris +clearinventoryCommandUsage2=/<command> <player> clearinventoryCommandUsage2Description=Verwijdert alle voorwerpen uit het inventaris van de opgegeven speler clearinventoryCommandUsage3=/<commando> <speler> <item> [hoeveelheid] clearinventoryCommandUsage3Description=Verwijdert alle (of de aangegeven hoeveelheid) van het aangegeven voorwerp uit het inventaris van de opgegeven speler clearinventoryconfirmtoggleCommandDescription=Wisselt of je gevraagd wordt om je inventaris te legen. +clearinventoryconfirmtoggleCommandUsage=/<command> +commandArgumentOptional=<gray> +commandArgumentOr=<secondary> +commandArgumentRequired=<yellow> commandCooldown=<secondary>Je kan deze command niet typen voor {0}. commandDisabled=<secondary>De opdracht<primary> {0}<secondary> is uitgeschakeld. commandFailed=Opdracht {0} is mislukt\: @@ -127,12 +158,17 @@ commandNotLoaded=<secondary>Opdracht {0} is fout geladen. consoleCannotUseCommand=Deze opdracht kan niet worden gebruikt vanuit de console. compassBearing=<primary>Richting\: {0} ({1} graden). compassCommandDescription=Beschrijft je huidige richting. +compassCommandUsage=/<command> condenseCommandDescription=Perst items samen in meer compacte blokken. condenseCommandUsage=/<commando> [item] +condenseCommandUsage1=/<command> condenseCommandUsage1Description=Condenseert alle items in je inventaris +condenseCommandUsage2=/<command> <item> condenseCommandUsage2Description=Condenseert het opgegeven item in je inventaris configFileMoveError=Het verplaatsen van config.yml naar de backup locatie is mislukt. configFileRenameError=Fout bij het hernoemen van de tijdelijke map naar config.yml +confirmClear=<gray>Voor het <b>BEVESTIGEN</b><gray> van lediging inventaris, herhaal de opdracht\: <primary>{0} +confirmPayment=<gray>Voor het <b>BEVESTIGEN</b><gray> van betaling van <primary>{0}<gray>, herhaal de opdracht\: <primary>{1} connectedPlayers=<primary>Spelers online<reset> connectionFailed=Fout bij het verbinden. consoleName=Console @@ -142,8 +178,10 @@ couldNotFindTemplate=Het sjabloon kon niet worden gevonden {0}. createdKit=<primary>Kit <secondary>{0} <primary>gemaakt met <secondary>{1} <primary>items en met <secondary>{2} <primary>seconden afkoeltijd. createkitCommandDescription=Maak een kit in het spel\! createkitCommandUsage=/<command> <kitnaam> <vertraging> +createkitCommandUsage1=/<command> <kitname> <delay> createkitCommandUsage1Description=Maakt een uitrusting met de gegeven naam en vertraging createKitFailed=<dark_red>Fout opgetreden tijdens het maken van kit {0}. +createKitSeparator=<st>----------------------- createKitSuccess=<primary>Gemaakte Kit\: <white>{0}\n<primary>Vertraging <white>{1}\n<primary>Link\: <white>{2}\n<primary>Kopieer wat in de link staat in de kits.yml createKitUnsupported=<dark_red>NBT item serialisatie is ingeschakeld, maar deze server draait geen Paper 1.15.2 +. Terugvallen naar standaard item serialisatie. creatingConfigFromTemplate=Bezig met aanmaken van een config vanaf sjabloon\: {0} @@ -173,12 +211,15 @@ delhomeCommandUsage2=/<command> <speler>\:<naam> delhomeCommandUsage2Description=Verwijdert het huis met de opgegeven naam van de opgegeven speler deljailCommandDescription=Verwijdert een gevangenis. deljailCommandUsage=/<command> <gevangenisnaam> +deljailCommandUsage1=/<command> <jailname> deljailCommandUsage1Description=Verwijdert de gevangenis met de opgegeven naam delkitCommandDescription=Verwijdert de opgegeven kit. delkitCommandUsage=/<command> <kit> +delkitCommandUsage1=/<command> <kit> delkitCommandUsage1Description=Verwijdert de kit met de gegeven naam delwarpCommandDescription=Verwijdert de opgegeven warp. delwarpCommandUsage=/<command> <warp> +delwarpCommandUsage1=/<command> <warp> delwarpCommandUsage1Description=Verwijdert de warp met de gegeven naam deniedAccessCommand={0} was de toegang verboden tot het commando. denyBookEdit=<dark_red>Je kan dit boek niet ontgrendelen. @@ -195,6 +236,7 @@ disabledToSpawnMob=Het spawnen van mobs is uitgeschakeld in het configuratie bes disableUnlimited=<primary>Oneindig plaatsen van<secondary> {0} <primary>uitgeschakeld voor<secondary> {1}<primary>. discordbroadcastCommandDescription=Stuurt een bericht naar het gegeven Discord-kanaal. discordbroadcastCommandUsage=/<command> <kanaal> <bericht> +discordbroadcastCommandUsage1=/<command> <channel> <msg> discordbroadcastCommandUsage1Description=Stuurt een gegeven bericht naar het gegeven Discord-kanaal discordbroadcastInvalidChannel=<dark_red>Discord-kanaal <secondary>{0} <dark_red>bestaat niet. discordbroadcastPermission=<dark_red>Je hebt geen toestemming om berichten naar het <secondary>{0}<dark_red> kanaal te sturen. @@ -206,6 +248,9 @@ discordCommandAccountResponseLinkedOther=Het account van {0} is gekoppeld aan he discordCommandAccountResponseNotLinked=Je hebt geen gekoppeld Minecraft-account. discordCommandAccountResponseNotLinkedOther={0} heeft geen gekoppeld Minecraft account. discordCommandDescription=Stuurt de Discord-uitnodingslink naar de speler. +discordCommandLink=<primary>Sluit je aan bij onze Discord server hier <secondary><click\:open_url\:"{0}">{0}</click><primary>\! +discordCommandUsage=/<command> +discordCommandUsage1=/<command> discordCommandUsage1Description=Stuurt de Discord-uitnodingslink naar de speler discordCommandExecuteDescription=Voert een consolecommando uit op de Minecraft server. discordCommandExecuteArgumentCommand=Het commando om uit te voeren @@ -215,13 +260,19 @@ discordCommandUnlinkInvalidCode=Je hebt momenteel geen Minecraft-account gekoppe discordCommandUnlinkUnlinked=Je Discord account is ontkoppeld van alle Minecraft gekoppelde accounts. discordCommandLinkArgumentCode=De code die in-game is verstrekt om uw Minecraft account te koppelen discordCommandLinkDescription=Koppelt je Discord-account met je Minecraft-account met een code van de in-game /link opdracht +discordCommandLinkHasAccount=Je hebt al een account gekoppeld\! Om je huidige account te ontkoppelen, typ /unlink. +discordCommandLinkInvalidCode=Ongeldige koppelingscode\! Zorg ervoor dat je in-game /link hebt uitgevoerd en de code correct hebt gekopieerd. +discordCommandLinkLinked=Je account is succesvol gekoppeld\! discordCommandListDescription=Toont een lijst met online spelers. discordCommandListArgumentGroup=Een specifieke groep om je zoekopdracht te beperken discordCommandMessageDescription=Stuurt een bericht naar een speler op de Minecraft server. discordCommandMessageArgumentUsername=De speler om het bericht naartoe te sturen discordCommandMessageArgumentMessage=Het bericht om naar de speler te sturen +discordErrorCommand=Je hebt je bot niet correct aan je server toegevoegd\! Volg de handleiding in de configuratie en voeg je bot toe met behulp van https\://essentialsx.net/discord.html discordErrorCommandDisabled=Dat commando is uitgeschakeld\! discordErrorLogin=Er is een fout opgetreden tijdens het inloggen op Discord, waardoor de plugin zichzelf heeft uitgeschakeld\: \n{0} +discordErrorLoggerInvalidChannel=Het loggen van de console op Discord is uitgeschakeld vanwege een ongeldige kanaal definitie\! Als u van plan bent het uit te schakelen, zet de kanaal-ID op "none"; controleer anders of uw kanaal-ID correct is. +discordErrorLoggerNoPerms=Discord console logger is uitgeschakeld vanwege onvoldoende machtigingen\! Zorg ervoor dat je bot de "Webhooks beheren" machtiging heeft op de server. Na dit repareren, voer "/ess reload" uit. discordErrorNoGuild=Je hebt je bot nog niet toegevoegd aan een server\! Volg alsjeblieft de tutorial in de configuratie om de plugin in te stellen. discordErrorNoGuildSize=Je hebt je bot nog niet toegevoegd aan een server\! Volg alsjeblieft de tutorial in de configuratie om de plugin in te stellen. discordErrorNoPerms=Je bot kan geen kanalen bekijken of in kanalen praten. Zorg er alsjeblieft voor dat je bot lees- en schrijfrechten heeft in alle kanalen die je wilt gebruiken. @@ -229,6 +280,17 @@ discordErrorNoPrimary=Je hebt geen primair kanaal gedefinieerd of je gedefinieer discordErrorNoPrimaryPerms=Je bot kan het opgegeven primaire kanaal, \#{0}, niet bekijken of praten. Zorg er alsjeblieft voor dat je bot lees- en schrijfrechten heeft in alle kanalen die je wilt gebruiken. discordErrorNoToken=Geen token opgegeven\! Volg alsjeblieft de tutorial in de configuratie om de plugin in te stellen. discordErrorWebhook=Er is een fout opgetreden tijdens het verzenden van berichten naar uw console-kanaal\! Dit is waarschijnlijk veroorzaakt door het per ongeluk verwijderen van uw console webhook. Dit kan meestal opgelost worden door ervoor te zorgen dat je bot de "Webhooks beheren" toestemming heeft en "/ess reload" uit te voeren. +discordLinkInvalidGroup=Ongeldige groep {0} was opgegeven voor de rol {1}. De volgende groepen zijn beschikbaar\: {2} +discordLinkInvalidRole=Een ongeldige rol ID, {0}, werd opgegeven voor de groep\: {1}. U kunt de ID van de rollen zien met het /roleinfo opdracht in Discord. +discordLinkInvalidRoleInteract=De rol, {0} ({1}), kan niet worden gebruikt voor groep → rol synchronisatie omdat het boven de hoogste rol van uw bot ligt. Beweeg de rol van je bot boven "{0}" of verplaats "{0}" onder de rol van je bot. +discordLinkInvalidRoleManaged=De rol, {0} ({1}), kan niet worden gebruikt voor groep → rol synchronisatie omdat het wordt beheerd door een andere bot of integratie. +discordLinkLinked=<primary>Om je Minecraft account te koppelen aan Discord, typ <secondary>{0} <primary>in de Discord server. +discordLinkLinkedAlready=<primary>Je hebt je Discord account al verbonden\! Als je je Discord account wilt ontkoppelen, gebruik dan <secondary>/unlink<primary>. +discordLinkLoginKick=<primary>Je moet je Discord account koppelen voordat je je kan aansluiten bij deze server.\n<primary>Om je Minecraft account te koppelen aan Discord, typ\:\n<secondary>{0}\n<primary>in de Discord server van deze server\:\n<secondary>{1} +discordLinkLoginPrompt=<primary>Je moet je Discord account koppelen voordat je kunt verplaatsen, chatten of interacteren met deze server. Om je Minecraft account te koppelen aan Discord, typ <secondary>{0} <primary>in de Discord server van deze server\: <secondary>{1} +discordLinkNoAccount=<primary>Je hebt momenteel geen Discord account gekoppeld aan je Minecraft account. +discordLinkPending=<primary>Je hebt al een koppel code. Om je Minecraft account te koppelen met Discord, typ <secondary>{0} <primary>in de Discord server. +discordLinkUnlinked=<primary>Ontkoppelde je Minecraft account van alle bijbehorende Discord accounts. discordLoggingIn=Bezig met inloggen op Discord... discordLoggingInDone=Succesvol ingelogd als {0} discordMailLine=**Nieuwe mail van {0}\:** {1} @@ -236,6 +298,7 @@ discordNoSendPermission=Kan geen bericht in het kanaal sturen \#{0} Controleer a discordReloadInvalid=Geprobeerd om EssentialsX Discord config te herladen terwijl de plugin in een ongeldige status staat\! Als je je config aangepast hebt, herstart je server. disposal=Vuilnisbak disposalCommandDescription=Opent een draagbaar verwijderingsmenu. +disposalCommandUsage=/<command> distance=<primary>Afstand\: {0} dontMoveMessage=<gray>Beginnen met teleporteren over {0}. Niet bewegen. downloadingGeoIp=Bezig met downloaden van GeoIP database ... Dit kan een tijdje duren (country\: 1.7 MB, city\: 30MB) @@ -254,10 +317,17 @@ ecoCommandUsage1=/<command> give <speler> <bedrag> ecoCommandUsage1Description=Geeft de gegeven speler het gegeven bedrag geld ecoCommandUsage2=/<command> take <speler> <bedrag> ecoCommandUsage2Description=Neemt het gegeven bedrag geld van de gegeven speler +ecoCommandUsage3=/<command> instellen <player> <amount> +ecoCommandUsage3Description=Stel de gespecificeerde speler hun balans in op het gespecificeerde hoeveelheid geld +ecoCommandUsage4=/<command> herstel <player> <amount> +ecoCommandUsage4Description=Herstelt het opgegeven saldo van de speler naar het startsaldo van de server editBookContents=<yellow>U kunt nu de inhoud van dit boek aanpassen. +emptySignLine=<dark_red>Lege regel {0} enabled=ingeschakeld enchantCommandDescription=Betovert het item dat de gebruiker vasthoudt. enchantCommandUsage=/<command> <enchantmentnaam> [level] +enchantCommandUsage1=/<command> <enchantment name> [niveau] +enchantCommandUsage1Description=Betovert het voorwerp dat je vasthoudt met de gespecificeerde betovering tot een optioneel niveau enableUnlimited=<primary>Oneindig <secondary> {0} <primary>gegeven aan <secondary>{1}<primary>. enchantmentApplied=<primary>De enchantment<secondary> {0}<primary> is toegepast aan het voorwerp in je hand. enchantmentNotFound=<dark_red>Betovering niet gevonden\! @@ -265,11 +335,17 @@ enchantmentPerm=<secondary>U heeft geen toestemming voor {0}. enchantmentRemoved=<primary>De betovering {0} is verwijderd van het voorwerp in uw hand. enchantments=<primary>Betoveringen\:<reset> {0} enderchestCommandDescription=Laat je in een enderkist kijken. +enderchestCommandUsage=/<command> [speler] +enderchestCommandUsage1=/<command> enderchestCommandUsage1Description=Opent je enderkist +enderchestCommandUsage2=/<command> <player> enderchestCommandUsage2Description=Opent de enderkist van de opgegeven speler +equipped=Uitgerust errorCallingCommand=Fout bij het aanroepen van het commando /{0} errorWithMessage=<secondary>Fout\:<dark_red> {0} +essChatNoSecureMsg=EssentialsX Chat versie {0} ondersteunt geen beveiligde chat op deze server software. Update EssentialsX, en als dit probleem zich blijft voordoen, informeer de ontwikkelaars. essentialsCommandDescription=Herlaadt EssentialsX. +essentialsCommandUsage=/<command> essentialsCommandUsage1=/<command> reload essentialsCommandUsage1Description=Herlaadt de configuratie van Essentials essentialsCommandUsage2=/<command> version @@ -280,7 +356,9 @@ essentialsCommandUsage4=/<command> debug essentialsCommandUsage4Description=Schakelt Essentials'' "debug modus" aan of uit essentialsCommandUsage5=/<command> reset <speler> essentialsCommandUsage5Description=Reset de gebruikersgegevens van de opgegeven speler +essentialsCommandUsage6=/<command> opruimen essentialsCommandUsage6Description=Schoont oude gebruikersgegevens op +essentialsCommandUsage7=/<command> huizen essentialsCommandUsage7Description=Beheert de huizen van spelers essentialsCommandUsage8Description=Genereert een server dump met de gevraagde informatie essentialsHelp1=Het bestand is beschadigd en Essentials kan het niet openenen. Essentials is nu uitgeschakeld. Als u dit probleem niet zelf kunt oplossen ga dan naar http\://tiny.cc/EssentialsChat @@ -289,13 +367,18 @@ essentialsReload=<primary>Essentials is herladen<secondary> {0}. exp=<secondary>{0} <primary>heeft<secondary> {1} <primary>exp (level<secondary> {2}<primary>) en heeft nog<secondary> {3} <primary>exp meer nodig om een level hoger te gaan. expCommandDescription=Ervaring van een speler geven, instellen, resetten of bekijken. expCommandUsage=/<command> [reset|show|set|give] [spelernaam [totaal]] +expCommandUsage1=/<command> geef <player> <amount> expCommandUsage1Description=Geeft de opgegeven speler een opgegeven hoeveelheid xp +expCommandUsage2=/<command> instellen <playername> <amount> expCommandUsage2Description=Stelt het xp van opgegeven speler in op de opgegeven hoeveelheid expCommandUsage3=/<command> show <spelernaam> expCommandUsage4Description=Toont hoeveel xp de opgegeven speler heeft +expCommandUsage5=/<command> herstellen <playername> expCommandUsage5Description=Reset de xp van de opgegeven speler terug naar 0 expSet=<secondary>{0} <primary>heeft nu<secondary> {1} <primary>exp. extCommandDescription=Blus spelers. +extCommandUsage=/<command> [speler] +extCommandUsage1=/<command> [speler] extCommandUsage1Description=Blus jezelf of een andere speler indien opgegeven extinguish=<primary>U heeft uzelf geblust. extinguishOthers=<primary>Je hebt {0}<primary> geblust. @@ -305,18 +388,23 @@ failedToWriteConfig=Fout bij het creëren van configuratie {0} false=<dark_red>Onjuist<reset> feed=<gray>Je honger is verzadigd. feedCommandDescription=Stil de honger. +feedCommandUsage=/<command> [speler] +feedCommandUsage1=/<command> [speler] feedCommandUsage1Description=Voedt jezelf of een andere speler indien opgegeven volledig feedOther=U heeft de honger van {0} verzadigd. fileRenameError=Hernoemen van {0} mislukt fireballCommandDescription=Gooi een vuurbal of verscheidene andere projectielen. fireballCommandUsage=/<command> [fireball|small|large|arrow|skull|egg|snowball|expbottle|dragon|splashpotion|lingeringpotion|trident] [snelheid] +fireballCommandUsage1=/<command> fireballCommandUsage1Description=Schiet een normale vuurbal vanaf je locatie +fireballCommandUsage2=/<command> <fireball|small|large|arrow|skull|egg|snowball|expbottle|dragon|splashpotion|lingeringpotion|trident> [snelheid] fireballCommandUsage2Description=Schiet het opgegeven projectiel af vanaf je locatie, met een optionele snelheid fireworkColor=<dark_red>U moet een kleur aan het vuurwerk geven om een effect toe te voegen. fireworkCommandDescription=Staat je toe een stapel vuurwerk aan te passen. fireworkCommandUsage=/<command> <<meta param>|power [totaal]|clear|fire [totaal]> fireworkCommandUsage1=/<command> clear fireworkCommandUsage1Description=Verwijdert alle effecten van het vuurwerk wat je vast houdt +fireworkCommandUsage2=/<command> kracht <amount> fireworkCommandUsage2Description=Stelt de kracht van het vuurwerk wat je vast houdt in fireworkCommandUsage3Description=Lanceert één, of het opgegeven aantal, kopieën van het vuurwerk wat je vast houdt fireworkCommandUsage4=/<command> <meta> @@ -663,6 +751,7 @@ onlyDayNight=/time ondersteund alleen day/night. onlyPlayers=&4Alleen ingame spelers kunnen &c{0}&4 gebruiken. onlyPlayerSkulls=&4Je kan alleen de Eigenaar van een hoofd Zetten\! onlySunStorm=<dark_red>/weather ondersteunt alleen sun/storm. +openingDisposal=<primary>Vuilnisbak openen... orderBalances=<primary>Saldo''s bestellen van<secondary> {0} <primary>gebruikers, een moment geduld alstublieft... oversizedMute=<dark_red>Je mag geen spelers dempen voor deze tijdsduur. oversizedTempban=<dark_red>U kunt een speler niet verbannen voor deze lange period van tijd. @@ -839,6 +928,7 @@ editsignCopyLine=<primary>Regel <secondary>{0} <primary>van bord gekopieerd\! Pl editsignPaste=<primary>Bord geplakt\! editsignPasteLine=<primary>Regel <secondary>{0} <primary>van bord geplakt\! editsignCommandUsage=/<command> <set/clear/copy/paste> [regelnummer] [tekst] +signFormatSuccess=<dark_blue>[{0}] signFormatTemplate=[{0}] signProtectInvalidLocation=<dark_red>U bent niet bevoegd om hier een bord te plaatsen. similarWarpExist=<dark_red>Er bestaat al een warp met dezelfde naam. diff --git a/Essentials/src/main/resources/messages_pl.properties b/Essentials/src/main/resources/messages_pl.properties index 89ecbbd9b20..c8fc22a6ea2 100644 --- a/Essentials/src/main/resources/messages_pl.properties +++ b/Essentials/src/main/resources/messages_pl.properties @@ -1,4 +1,5 @@ #Sat Feb 03 17:34:46 GMT 2024 +action=<dark_purple>* {0} <dark_purple>{1} addedToAccount=<yellow>{0}<green> zostało dodany do twojego konta. addedToOthersAccount=<yellow>{0}<green> dodano do konta<yellow> {1}<green>. Nowe saldo\:<yellow> {2} adventure=Przygoda @@ -7,18 +8,18 @@ afkCommandUsage=/<command> [gracz/wiadomość…] afkCommandUsage1=/<command> [wiadomość] afkCommandUsage1Description=Włącza stan bezczynności (możliwe podanie powodu) afkCommandUsage2=/<command> <gracz> [wiadomość] -afkCommandUsage2Description=Przełącza status AFK podanego gracza z opcjonalnym powodem +afkCommandUsage2Description=Przełącza status AFK określonego gracza z opcjonalnym powodem alertBroke=zniszczył\: -alertFormat=<dark_aqua>[{0}] <white> {1} <gray> {2} at\: {3} +alertFormat=<dark_aqua>[{0}] <reset> {1} <primary> {2} at\: {3} alertPlaced=postawił\: alertUsed=użył\: -alphaNames=<dark_red>Nazwa gracza może składać się wyłącznie z liter, cyfr i podkreślników. +alphaNames=<dark_red>Nazwa gracza może składać się wyłącznie z liter, cyfr i podkreśleń. antiBuildBreak=<dark_red>Nie masz uprawnień, aby zniszczyć blok {0} tutaj. antiBuildCraft=<dark_red>Nie masz uprawnień, aby stworzyć<secondary> {0}<dark_red>. antiBuildDrop=<dark_red>Nie masz uprawnień, aby wyrzucić<secondary> {0}<dark_red>. -antiBuildInteract=<dark_red>Nie masz uprawnień, aby oddziaływać z {0}. -antiBuildPlace=<dark_red>Nie masz uprawnień, aby postawić {0} tutaj. -antiBuildUse=<dark_red>Nie masz uprawnień, aby użyć {0}. +antiBuildInteract=<dark_red>Nie masz uprawnień, aby oddziaływać z<secondary> {0}<dark_red>. +antiBuildPlace=<dark_red>Nie masz uprawnień, aby postawić <secondary> {0} <dark_red> tutaj. +antiBuildUse=<dark_red>Nie masz uprawnień, aby użyć <secondary> {0}<dark_red>. antiochCommandDescription=Niespodzianka dla operatorów. antiochCommandUsage=/<command> [wiadomość] anvilCommandDescription=Otwiera okno kowadła. @@ -125,6 +126,7 @@ cantReadGeoIpDB=Odczytywanie bazy danych GeoIP zawiodło\! cantSpawnItem=<dark_red>Nie możesz stworzyć przedmiotu<secondary> {0}<dark_red>. cartographytableCommandDescription=Otwiera okno stołu kartograficznego. cartographytableCommandUsage=/<command> +chatTypeLocal=<dark_aqua>[L] chatTypeSpy=[Szpieg] cleaned=Wyczyszczono dane o graczu. cleaning=Czyszczenie danych gracza. @@ -140,13 +142,18 @@ clearinventoryCommandUsage3=/<command> <gracz> <przedmiot> [ilość] clearinventoryCommandUsage3Description=Usuwa wszystkie (lub podaną ilość) danego przedmiotu z ekwipunku określonego gracza clearinventoryconfirmtoggleCommandDescription=Przełącza, czy trzeba potwierdzić wyczyszczenie ekwipunku. clearinventoryconfirmtoggleCommandUsage=/<command> +commandArgumentOptional=<gray> +commandArgumentOr=<secondary> +commandArgumentRequired=<yellow> commandCooldown=<secondary>Możesz użyć tego polecenia za {0}. +commandDisabled=<secondary>Polecenie<primary> {0}<secondary> jest wyłączone. commandFailed=Polecenie {0} zawiodło. commandHelpFailedForPlugin=Błąd podczas uzyskiwania pomocy dla\: {0} commandHelpLine1=<gray>Pomoc polecenia\: <white>/{0} commandHelpLine2=<gray>Opis\: <white>{0} commandHelpLine3=<primary>Zastosowanie\: commandHelpLine4=<gray>Alias(-y)\: <white>{0} +commandHelpLineUsage={0} <primary>- {1} commandNotLoaded=<dark_red>Polecenie {0} jest niewłaściwie załadowane. consoleCannotUseCommand=To polecenie nie może być wykonywane przez konsolę. compassBearing=<primary>Namiar\: {0} ({1} stopni). @@ -160,6 +167,8 @@ condenseCommandUsage2=/<command> <przedmiot> condenseCommandUsage2Description=Przemienia określony przedmiot z twojego ekwipunku w bloki configFileMoveError=Nie udało sie przenieść config.yml do lokalizacji kopi zapasowej. configFileRenameError=Nie udało sie zmienić nazwy tymczasowego pliku na config.yml +confirmClear=<gray>Do <b>POTWIERDŹ</b><gray> czyszczenie ekwipunku, proszę powtórzyć polecenie\: <primary>{0} +confirmPayment=<gray>Do <b>POTWIERDŹ</b><gray> płatność <primary>{0}<gray>proszę powtórzyć polecenie\: <primary>{1} connectedPlayers=<gray>Aktywni gracze<reset> connectionFailed=Błąd podczas otwierania połączenia. consoleName=Konsola @@ -172,6 +181,7 @@ createkitCommandUsage=/<command> <nazwa_zestawu> <odczekanie> createkitCommandUsage1=/<command> <nazwa zestawu> <opóźnienie> createkitCommandUsage1Description=Tworzy zestaw o podanej nazwie i czasie odnowienia createKitFailed=<dark_red>Wystąpił błąd podczas tworzenia zestawu {0}. +createKitSeparator=<st>----------------------- createKitSuccess=<primary>Stworzono zestaw\: <white>{0}\n<primary>Czas odnowienia\: <white>{1}\n<primary>Link\: <white>{2}\n<primary>Skopiuj zawartość linku do kits.yml. createKitUnsupported=<dark_red>Serializacja NBT przedmiotów została włączona, ale ten serwer nie działa pod Paper 1.15.2+. Powrót do standardowej serializacji przedmiotów. creatingConfigFromTemplate=Tworzenie konfiguracji z szablonu\: {0} @@ -482,6 +492,7 @@ helpCommandDescription=Wyświetla listę dostępnych poleceń. helpCommandUsage=/<command> [szukany termin] [strona] helpConsole=Aby uzyskać pomoc w konsoli, wpisz "?". helpFrom=<primary>Polecenia od {0}\: +helpLine=<primary>/{0}<reset>\: {1} helpMatching=<primary>Polecenia odpowiadające "<secondary>{0}<primary>"\: helpOp=<dark_red>[HelpOp]<reset> <gray>{0}\:<reset> {1} helpPlugin=<dark_red>{0}<reset>\: Pomoc w sprawach wtyczki\: /help {1} @@ -561,6 +572,7 @@ invseeCommandUsage1Description=Otwiera ekwipunek danego gracza invseeNoSelf=<secondary>Możesz przeglądać tylko ekwipunek innych graczy. is=jest isIpBanned=<gray>IP <secondary>{0} <gray>jest zbanowany. +internalError=<secondary>Wystąpił błąd wewnętrzny podczas próby wykonania tego polecenia. itemCannotBeSold=<reset>Nie możesz sprzedać tego przedmiotu serwerowi. itemCommandDescription=Przywołaj przedmiot. itemCommandUsage=/<command> <item|id> [ilość [itemmeta…]] @@ -568,6 +580,7 @@ itemCommandUsage1=/<command> <item> [liczba] itemCommandUsage1Description=Daje Ci pełny stack (lub określoną liczbę) określonego przedmiotu itemCommandUsage2=/<command> <item> <liczba> <meta> itemCommandUsage2Description=Daje podaną liczbę określonego itemu z podanymi metadanymi +itemId=<primary>ID\:<secondary> {0} itemloreClear=<primary>Usunąłeś opis tego przedmiotu. itemloreCommandDescription=Edytuj opis przedmiotu. itemloreCommandUsage=/<command> <add/set/clear> [tekst/linia] [tekst] @@ -652,12 +665,15 @@ kitCommandUsage1Description=Pokazuje spis wszystkich dostępnych zestawów kitCommandUsage2=/<command> <zestaw> [gracz] kitCommandUsage2Description=Daje określony zestaw Tobie lub innemu graczowi kitContains=<primary>Zestaw <secondary>{0} <primary>zawiera\: +kitCost=\ <gray><i>({0})<reset> +kitDelay=<st>{0}<reset> kitError=<dark_red>Nie ma prawidłowych zestawów. kitError2=<dark_red>Ten zestaw jest źle skonfigurowany. Skontaktuj się z administratorem\! kitError3=Nie można dać przedmiotu zestawu w zestawie "{0}" użytkownikowi {1}, ponieważ przedmiot zestawu wymaga do deserializacji Paper 1.15.2+. kitGiveTo=<primary>Przyznano {1}<primary> zestaw<secondary> {0}<primary>. kitInvFull=<dark_red>Twój ekwipunek jest pełen, zestaw został wyrzucony na podłoge. kitInvFullNoDrop=<dark_red>W Twoim ekwipunku nie ma miejsca na ten zestaw. +kitItem=<primary>- <white>{0} kitNotFound=<dark_red>Ten zestaw nie istnieje. kitOnce=<dark_red>Nie możesz użyć tego zestawu ponownie. kitReceive=<gray>Otrzymałeś zestaw<secondary> {0}<gray>. @@ -691,9 +707,11 @@ listCommandDescription=Lista wszystkich graczy online. listCommandUsage=/<command> [grupa] listCommandUsage1=/<command> [grupa] listCommandUsage1Description=Wyświetla listę wszystkich graczy na serwerze lub w podanej grupie +listGroupTag=<primary>{0}<reset>\: listHiddenTag=<gray>[UKRYTY]<reset> listRealName=({0}) loadWarpError=<dark_red>Błąd przy wczytywaniu warpu {0}. +localFormat=<dark_aqua>[L] <reset><{0}> {1} loomCommandDescription=Otwiera okno krosna. loomCommandUsage=/<command> mailClear=<primary>Aby oznaczyć swoją pocztę jako przeczytaną, wpisz<secondary> /mail clear<primary>. @@ -719,6 +737,11 @@ mailCommandUsage7Description=Wysyła określonemu graczowi wiadomość, która w mailCommandUsage8=/<command> sendtempall <czas wygaśnięcia> <wiadomość> mailCommandUsage8Description=Wysyła wszystkim graczom podaną wiadomość. Wiadomość ta wygaśnie po określonym czasie mailDelay=Zbyt dużo maili zostało wysłane w czasie ostaniej minuty. Maksymalna ilość\: {0} +mailFormatNew=<primary>[<reset>{0}<primary>] <primary>[<reset>{1}<primary>] <reset>{2} +mailFormatNewTimed=<primary>[<yellow>⚠️<primary>] <primary>[<reset>{0}<primary>] <primary>[<reset>{1}<primary>] <reset>{2} +mailFormatNewRead=<primary>[<reset>{0}<primary>] <primary>[<reset>{1}<primary>] <gray><i>{2} +mailFormatNewReadTimed=<primary>[<yellow>⚠️<primary>] <primary>[<reset>{0}<primary>] <primary>[<reset>{1}<primary>] <gray><i>{2} +mailFormat=<primary>[<reset>{0}<primary>] <reset>{1} mailMessage={0} mailSent=<primary>Wysłano wiadomość\! mailSentTo=<secondary>{0}<primary> wysłał maila\: @@ -767,6 +790,7 @@ msgDisabled=<primary>Odbieranie wiadomości <secondary>wyłączone<primary>. msgDisabledFor=<primary>Odbieranie wiadomości <secondary>wyłączone <primary>dla <secondary>{0}<primary>. msgEnabled=<primary>Odbieranie wiadomości <secondary>włączone<primary>. msgEnabledFor=<primary>Odbieranie wiadomości <secondary>włączone <primary>dla <secondary>{0}<primary>. +msgFormat=<primary>[<secondary>{0}<primary> -> <secondary>{1}<primary>] <reset>{2} msgIgnore=<secondary>{0} <dark_red>ma wyłączone wiadomości prywatne. msgtoggleCommandDescription=Blokuje otrzymywanie wszystkich wiadomości prywatnych. msgtoggleCommandUsage=/<command> [gracz] [on|off] @@ -802,6 +826,7 @@ nearCommandUsage3Description=Wyświetla listę wszystkich graczy w domyślnie us nearCommandUsage4=/<command> <gracz> <promień> nearCommandUsage4Description=Wyświetla listę wszystkich graczy w danym promieniu od określonego gracza nearbyPlayers=<gray>Gracze w pobliżu\:<reset> {0} +nearbyPlayersList={0}<white>(<secondary>{1}m<white>) negativeBalanceError=<dark_red>Gracz nie może mieć ujemnego stanu konta. nickChanged=<primary>Zmieniono pseudonim gracza. nickCommandDescription=Zmień swój pseudonim lub pseudonim innego gracza. @@ -844,6 +869,7 @@ noMatchingPlayers=<gray>Nie znaleziono pasujących graczy. noMetaComponents=Komponenty danych nie są wspierane w tej wersji Bukkit''a. Proszę użyć metadanych JSON NBT. noMetaFirework=<dark_red>Nie masz uprawnień by zastosować wartości fajerwerce. noMetaJson=Metadata JSON nie jest obługiwana w tej wersji Bukkita. +noMetaNbtKill=Metadane JSON NBT nie są już obsługiwane. Musisz ręcznie przekonwertować zdefiniowane elementy na komponenty danych. Możesz przekonwertować JSON NBT na komponenty danych tutaj\: https\://docs.papermc.io/misc/tools/item-command-converter noMetaPerm=<dark_red>Nie masz uprawnień by zastosować wartości <secondary>{0}<dark_red> dla tego przedmiotu. none=zaden noNewMail=<gray>Nie masz żadnych nowych wiadomości. @@ -944,6 +970,7 @@ posZ=<gray>Z\: {0} (+Południe <-> -Północ) potions=<gray>Mikstury\:<reset> {0}<gray>. powerToolAir=<dark_red>Nie żartuj, chcesz przypisać polecenie do powietrza? powerToolAlreadySet=<dark_red>Polecenie <secondary>{0}<dark_red> jest już przypisane do <secondary>{1}<dark_red>. +powerToolAttach=<secondary>{0}<primary> przypisane do<secondary> {1}<primary>. powerToolClearAll=<gray>Wszystkie przypisane polecenia zostały usunięte\! powerToolList=<gray>Przedmiot <secondary>{1} <gray>zawiera następujące polecenia\: <secondary>{0}<gray>. powerToolListEmpty=<dark_red>Przedmiot <secondary>{0} <dark_red>nie ma przypisanych poleceń. @@ -1004,6 +1031,7 @@ rCommandUsage1=/<command> <wiadomość> rCommandUsage1Description=Odpowiada na wiadomość od ostatniego gracza z podanym tekstem radiusTooBig=<dark_red>Wyznaczony promień jest zbyt duży\! Maksymalny promień to<secondary> {0}<dark_red>. readNextPage=<gray>Wpisz<secondary> /{0} {1} <gray>aby przeczytać następną strone. +realName=<white>{0}<reset><primary> to <white>{1} realnameCommandDescription=Wyświetla nazwę użytkownika w oparciu o nick. realnameCommandUsage=/<command> <nazwa> realnameCommandUsage1=/<command> <nazwa gracza> @@ -1017,6 +1045,7 @@ recipeCommandUsage1=/<command> <<przedmiot>|hand> [strona] recipeCommandUsage1Description=Wyświetla jak wytwarzać dany item recipeFurnace=<primary>Przepal <secondary>{0} recipeGrid=<secondary>{0}X <primary>| {1}X <primary>| {2}X +recipeGridItem=<secondary>{0}X <primary>to <secondary>{1} recipeMore=<primary>Wpisz<secondary> /{0} {1} <number><primary> aby zobaczyć inne receptury dla <secondary>{2}<primary>. recipeNone=Nie ma receptur dla {0}. recipeNothing=nic @@ -1171,6 +1200,8 @@ editsignCommandUsage3=/<command> copy [numer linii] editsignCommandUsage3Description=Kopiuje wszystkie (lub określony wiersz) znaku docelowego do schowka editsignCommandUsage4=/<command> paste [numer linii] editsignCommandUsage4Description=Wkleja twój schowek do całości (lub określonego wiersza) znaku docelowego +signFormatFail=<dark_red>[{0}] +signFormatSuccess=<dark_blue>[{0}] signFormatTemplate=[{0}] signProtectInvalidLocation=<dark_red>Nie masz zezwolenia do tworzenia tutaj znaków. similarWarpExist=<dark_red>Jest już punkt o takiej nazwie. @@ -1195,11 +1226,13 @@ slimeMalformedSize=<dark_red>Niewłaściwy rozmiar. smithingtableCommandDescription=Otwiera okno stołu kowalskiego. smithingtableCommandUsage=/<command> socialSpy=<primary>SocialSpy dla {0}<primary>\: {1} +socialSpyMsgFormat=<primary>[<secondary>{0}<gray> -> <secondary>{1}<primary>] <gray>{2} socialSpyMutedPrefix=<white>[<primary>SS<white>] <gray>(wyciszony) <reset> socialspyCommandDescription=Przełącza, jeśli możesz zobaczyć komendy msg/mail na czacie. socialspyCommandUsage=/<command> [gracz] [on|off] socialspyCommandUsage1=/<command> [gracz] socialspyCommandUsage1Description=Przełącza szpiegowanie dla siebie lub innego gracza +socialSpyPrefix=<white>[<primary>SS<white>] <reset> soloMob=<dark_red>Ten mob lubi być sam. spawned=stworzono spawnerCommandDescription=Zmień typ potwora spawnera. @@ -1227,6 +1260,7 @@ sudoCommandUsage=/<command> <gracz> <komenda [argumenty]> sudoCommandUsage1=/<command> <gracz> <komenda> [argumenty] sudoCommandUsage1Description=Sprawia, że określony gracz uruchamia daną komendę sudoExempt=<dark_red>Nie możesz podnieść uprawnień tego użytkownika. +sudoRun=<primary>Wymuszanie<secondary> {0} <primary>do uruchomienia\:<reset> /{1} suicideCommandDescription=Powoduje, że zginiesz. suicideCommandUsage=/<command> suicideMessage=<gray>Żegnaj okrutny świecie. @@ -1437,6 +1471,8 @@ unsupportedFeature=<dark_red>Ta funkcja nie jest obsługiwana w bieżącej wersj unvanishedReload=<dark_red>Przeładowanie spowodowało, że cię widać. upgradingFilesError=Wystąpił błąd podczas aktualizowaniu plików. uptime=<gray>Aktywny od\:<secondary> {0} +userAFK=<gray>{0} <dark_purple> jest obecnie AFK i może nie odpowiadać. +userAFKWithMessage=<gray>{0} <dark_purple>jest obecnie AFK i może nie odpowiadać\: {1} userdataMoveBackError=Nie udało sie przenieść userdata/{0}.tmp do userdata/{1} userdataMoveError=Nie udało się przenieść userdata/{0} do userdata/{1}.tmp userDoesNotExist=<dark_red>Użytkownik<secondary> {0} <dark_red>nie istnieje w bazie danych. @@ -1520,6 +1556,7 @@ weatherSun=<gray>Ustawiłeś <secondary>bezchmurną<gray> pogode w<secondary> {0 weatherSunFor=<primary>Ustawiłeś <secondary>słoneczną <primary>pogodę na świecie <secondary>{0} <primary>na <secondary>{1} sekund<primary>. west=W whoisAFK=<gray> - AFK\:<reset> {0} +whoisAFKSince=<primary> - AFK\:<reset> {0} (Od {1}) whoisBanned=<gray> - Zbanowany\:<reset> {0}. whoisCommandDescription=Określ nazwę użytkownika za nickiem. whoisCommandUsage=/<command> <nazwa gracza> @@ -1544,6 +1581,7 @@ whoisOp=<gray> - OP\:<reset> {0} whoisPlaytime=<primary> - Czas gry\:<reset> {0} whoisTempBanned=<primary> - Ban wygasa\:<reset> {0} whoisTop=<primary> \=\=\=\=\=\= Informacje\:<secondary> {0} <primary>\=\=\=\=\=\= +whoisUuid=<primary> - UUID\:<reset> {0} whoisWhitelist=<primary> - Biała lista\:<reset> {0} workbenchCommandDescription=Otwiera okno stołu rzemieślniczego. workbenchCommandUsage=/<command> diff --git a/Essentials/src/main/resources/messages_pt.properties b/Essentials/src/main/resources/messages_pt.properties index efb0bf3f077..ad7c2c6b833 100644 --- a/Essentials/src/main/resources/messages_pt.properties +++ b/Essentials/src/main/resources/messages_pt.properties @@ -126,6 +126,7 @@ cantReadGeoIpDB=Não foi possível aceder à base de dados do GeoIP\! cantSpawnItem=<dark_red>Não tens permissões para gerar o item<secondary> {0}<dark_red>. cartographytableCommandDescription=Abre o interface de uma mesa cartográfica. cartographytableCommandUsage=/<command> +chatTypeLocal= chatTypeSpy=[Espião] cleaned=Os ficheiros do jogador foram eliminados. cleaning=A eliminar os ficheiros do jogador. @@ -1042,6 +1043,7 @@ sellBulkPermission=<primary>Não tens permissões para vender desta maneira. sellCommandDescription=Vende o item que tens em mão. sellCommandUsage=/<command> <<nome do item>|<id>|mão|inventário|blocos> [quantidade] sellCommandUsage1=/<command> <itemname> [quantidade] +sellCommandUsage1Description=Vende todos (ou o valor dado, se especificado) os itens especificados do seu inventário sellCommandUsage2=/<command> mão [quantidade] sellCommandUsage2Description=Vende tudo (ou o valor dado, se especificado) do item na mão sellCommandUsage3=/<command> tudo @@ -1055,6 +1057,7 @@ serverTotal=<primary>Capacidade\:<secondary> {0} serverUnsupported=Estás a executar uma versão incompatível do servidor\! serverUnsupportedClass=Estado de classe determinada\: {0} serverUnsupportedCleanroom=Estás a executar um servidor incompatível com os plugins do Bukkit e está dependente do código interno da Mojang. É recomendada a alteração para um substituto do Essentials para o software deste servidor. +serverUnsupportedDangerous=Está a usar um servidor com um ''fork'' conhecido por ser extremamente perigoso e sujeito a perda de dados. É altamente recomendado que mude para um ‘software’ de servidor mais estável como o ''Paper''. serverUnsupportedLimitedApi=Estás a executar um servidor com a funcionalidade API limitada. O EssentialsX continuará a funcionar, mas algumas funcionalidades estarão desativadas. serverUnsupportedDumbPlugins=Está a usar plugins conhecidos por causar problemas graves com o EssentialsX e outros plugins. serverUnsupportedMods=Estás a executar um servidor incompatível com os plugins do Bukkit. Estes plugins não podem ser executados com os mods do Forge ou do Fabric\! Para o Forge, recomendamos o ForgeEssentials ou o SpongeForge + Nucleus. @@ -1067,7 +1070,10 @@ sethomeCommandUsage1Description=Define uma casa no local em que te encontras sethomeCommandUsage2=/<command> <jogador>\:<nome> sethomeCommandUsage2Description=Define a casa de um jogador no local em que te encontras setjailCommandDescription=Cria uma jaula com o nome [nome da jaula]. +setjailCommandUsage1Description=Define a prisão com o nome especificado para a sua localização settprCommandDescription=Define os parâmetros e a localização de teletransporte aleatória. +settprCommandUsage1Description=Define o centro de teletransporte aleatório para a sua localização +settprCommandUsage2Description=Define o raio mínimo do teletransporte aleatório para o valor dado settpr=<primary>Define um centro de teletransporte aleatório. settprValue=<primary>Teletransporte aleatório de <secondary>{0}<primary> definido para <secondary>{1}<primary>. setwarpCommandDescription=Cria um novo wrap. diff --git a/Essentials/src/main/resources/messages_pt_BR.properties b/Essentials/src/main/resources/messages_pt_BR.properties index eda88e65798..3175af9e1c4 100644 --- a/Essentials/src/main/resources/messages_pt_BR.properties +++ b/Essentials/src/main/resources/messages_pt_BR.properties @@ -5,7 +5,7 @@ addedToOthersAccount=<yellow>{0}<green> adicionado à<yellow> {1}<green> conta. adventure=aventura afkCommandDescription=Marca você como AFK. afkCommandUsage=/<command> [jogador/mensagem...] -afkCommandUsage1=/<command> [mensagem] +afkCommandUsage1=<command> afkCommandUsage1Description=Ativa o modo "fora do teclado" com um motivo opcional afkCommandUsage2=/<command> <player> [mensagem] afkCommandUsage2Description=Ativa o modo "fora do teclado" de um jogador específico e define o motivo opcional @@ -617,6 +617,7 @@ itemsNotConverted=<dark_red>Você não tem itens que possam virar blocos. itemSold=<green>Vendido por <secondary>{0} <green>({1} {2} a {3} cada). itemSoldConsole=<green>{0} <green>vendeu {1} por <green>{2} <green>({3} itens a {4} cada). itemSpawn=<primary>Dando<secondary> {0} <white>de<secondary> {1} +itemType= itemdbCommandDescription=Procura por um item. itemdbCommandUsage=/<command> <item> itemdbCommandUsage1=/<command> <item> diff --git a/Essentials/src/main/resources/messages_ru.properties b/Essentials/src/main/resources/messages_ru.properties index 99a8136e267..c467c2fda0e 100644 --- a/Essentials/src/main/resources/messages_ru.properties +++ b/Essentials/src/main/resources/messages_ru.properties @@ -1516,7 +1516,7 @@ versionMismatch=<dark_red>Версии не совпадают\! Обновит versionMismatchAll=<dark_red>Версии не совпадают\! Обновите все компоненты Essentials до актуальной версии. versionReleaseLatest=<primary>Вы используете последнюю стабильную версию EssentialsX\! versionReleaseNew=<dark_red>Для скачивания доступна новая версия EssentialsX\: <secondary>{0}<dark_red>. -versionReleaseNewLink=<dark_red>Скачайте её отсюда\:<secondary> {0} +versionReleaseNewLink=<dark_red>Скачайте последний здесь\:<secondary> {0} voiceSilenced=<primary>Ваш голос был заглушён\! voiceSilencedTime=<primary>Ваш голос был заглушён на {0}\! voiceSilencedReason=<primary>Ваш голос был заглушён\! Причина\: <secondary>{0} diff --git a/Essentials/src/main/resources/messages_sr_CS.properties b/Essentials/src/main/resources/messages_sr_CS.properties index e346a442fe5..6906a680faf 100644 --- a/Essentials/src/main/resources/messages_sr_CS.properties +++ b/Essentials/src/main/resources/messages_sr_CS.properties @@ -1,78 +1,78 @@ #Sat Feb 03 17:34:46 GMT 2024 -adventure=avantura -afkCommandDescription=Obeležava vas kao da ste daleko od tastature. +adventure=pustolovina +afkCommandDescription=Označava te kao da si podalje od tastature. afkCommandUsage=/<command> [igrač/poruka] afkCommandUsage1=/<command> [poruka] -afkCommandUsage1Description=Menja Vaš afk status sa opcionim razlogom +afkCommandUsage1Description=Menja tvoj afk status sa opcionim razlogom afkCommandUsage2=/<command> <player> [message] afkCommandUsage2Description=Menja afk status navedenog igrača sa opcionim razlogom -alertBroke=je polomio\: +alertBroke=je polomio/la\: alertFormat=<dark_aqua>[{0}] <reset> {1} <primary> {2} na\: {3} -alertPlaced=je postavio\: -alertUsed=je iskoristio\: -alphaNames=<dark_red>Nickovi mogu sadrzati samo slova i brojeve. -antiBuildBreak=<dark_red>Nemate dozvolu da rusite<secondary> {0} <dark_red>blokove ovde. -antiBuildCraft=<dark_red>Nemate dozvolu da pravite<secondary> {0}<dark_red>. -antiBuildDrop=<dark_red>Nemate dozvolu da bacate<secondary> {0}<dark_red>. -antiBuildInteract=<dark_red>Nemate dozvolu da interagujete sa<secondary> {0}<dark_red>. -antiBuildPlace=<dark_red>Nemate dozvolu da postavljate<secondary> {0} <dark_red>ovde. -antiBuildUse=<dark_red>Nemate dozvolu da koristite<secondary> {0}<dark_red>. +alertPlaced=je postavio/la\: +alertUsed=je iskoristio/la\: +alphaNames=<dark_red>Nadimci mogu sadržati samo slova i brojeve. +antiBuildBreak=<dark_red>Nemaš dozvolu da rušiš<secondary> {0} <dark_red>blokove ovde. +antiBuildCraft=<dark_red>Nemaš dozvolu da praviš<secondary> {0}<dark_red>. +antiBuildDrop=<dark_red>Nemaš dozvolu da bacaš<secondary> {0}<dark_red>. +antiBuildInteract=<dark_red>Nemaš dozvolu da interaguješ sa<secondary> {0}<dark_red>. +antiBuildPlace=<dark_red>Nemaš dozvolu da postavljaš<secondary> {0} <dark_red>ovde. +antiBuildUse=<dark_red>Nemaš dozvolu da koristiš<secondary> {0}<dark_red>. antiochCommandDescription=Malo iznenađenje za operatore. antiochCommandUsage=/<command> [message] anvilCommandDescription=Otvara nakovanj. -autoAfkKickReason=Izbaceni ste zato sto ste bili AFK vise od {0} minuta. -autoTeleportDisabled=Više ne odobravate automatske zahvteve za teleport. -autoTeleportDisabledFor=<secondary>{0}<primary> više ne odobrava automatske zahvteve za teleport. -autoTeleportEnabled=<primary>Sada automatski dozvoljavate zahteve za teleport. -autoTeleportEnabledFor=<secondary>{0}<primary> sada automatski odobrava zahvteve za teleport. -backAfterDeath=<primary>Koristi <secondary> /back<primary> kommandu da se vratite na mesto smrti. -backCommandDescription=Teleportuje Vas do lokacije koja prethodi tp/spawn/warp. +autoAfkKickReason=Izbačen/na si zato sto što si bio/la dokon/na više od {0} minuta. +autoTeleportDisabled=<primary>Više ne odobravaš automatske zahteve za teleportovanje. +autoTeleportDisabledFor=<secondary>{0}<primary> više ne odobrava automatske zahteve za teleportovaje. +autoTeleportEnabled=<primary>Sada automatski dozvoljavaš zahteve za teleportovanje. +autoTeleportEnabledFor=<secondary>{0}<primary> sada automatski odobrava zahteve za teleportovanje. +backAfterDeath=<primary>Iskoristi <secondary> /back<primary> komandu da se vratiš na tačku svoje smrti. +backCommandDescription=Teleportuje te do tvoje lokacije koja prethodi tp/spawn/warp-u. backCommandUsage=/<command> [player] -backCommandUsage1Description=Teleportuje vas na vasu prethodnu lokaciju -backCommandUsage2Description=Teleportuje specificiranog igraca na njegovu prethodnu lokaciju -backOther=<primary>Vraćen<secondary> {0}<primary> na prethodnu lokaciju. +backCommandUsage1Description=Teleportuje te na tvoju prethodnu lokaciju +backCommandUsage2Description=Teleportuje odabranog igrača na njegovu prethodnu lokaciju +backOther=Igrač<primary>Vraćen<secondary> {0}<primary> na prethodnu lokaciju. backupCommandDescription=Pokreće sigurnosnu kopiju ako je konfigurisana. backupCommandUsage=/<command> -backupDisabled=<dark_red>Eksterna backup skripta nije podesena. -backupFinished=<primary>Backup zavrsen. -backupStarted=<primary>Backup poceo. -backupInProgress=<primary>Spoljna rezervna kopija je trenutno u procesu\! Zaustavljanje deaktivacije plugina dok se ne završi. -backUsageMsg=<primary>Vracanje na prethodnu lokaciju. -balance=<green>Novac\:<secondary> {0} -balanceCommandDescription=Navodi trenutan iznos novca igrača. +backupDisabled=<dark_red>Eksterna backup skripta nije podešena. +backupFinished=<primary>Backup završen. +backupStarted=<primary>Backup počeo. +backupInProgress=<primary>Spoljna rezervna kopija je trenutno u procesu\! Zaustavljanje deaktivacije priključka dok se ne završi. +backUsageMsg=<primary>Vraćanje na prethodnu lokaciju. +balance=<green>Stanje na računu\:<secondary> {0} +balanceCommandDescription=Navodi trenutno stanje na računu igrača. balanceCommandUsage=/<command> [igrač] -balanceCommandUsage1Description=Prikazuje vase trenutno novcano stanje +balanceCommandUsage1Description=Prikazuje vaše trenutno stanje na računu balanceCommandUsage2=/<komanda> <igrač> -balanceCommandUsage2Description=Prikazuje trenutno novcano stanje specificaranog igraca -balanceOther=<green>Novac igraca {0}<green>\:<secondary> {1} -balanceTop=<primary>Top stanja ({0}) +balanceCommandUsage2Description=Prikazuje trenutno stanje na računu navedenog igrača +balanceOther=<green>Stanje na računu igrača {0}<green>\:<secondary> {1} +balanceTop=<primary>Vrhunska stanja na računu ({0}) balanceTopLine={0}. {1}, {2} -balancetopCommandDescription=Navodi najvišu vrednost salda. +balancetopCommandDescription=Navodi najbolja stanja na računu. balancetopCommandUsage=/<command> [page] balancetopCommandUsage1=/<command> [stranica] -balancetopCommandUsage1Description=Prikazuje prvu (ili izabranu) stranicu vrha vrednosti salda +balancetopCommandUsage1Description=Prikazuje prvu (ili izabranu) stranicu najboljih stanja na računu banCommandDescription=Banuje igrača. banCommandUsage=/<command> <player> [reason] -banCommandUsage1=/<komanda> <igrač> [razlog] +banCommandUsage1=/<command> <player> [reason] banCommandUsage1Description=Banuje odabranog igrača sa opcionim razlogom -banExempt=<dark_red>Ne mozete banovati tog igraca. -banExemptOffline=<dark_red> Ne mozes zatvoriti offline igrace. -banFormat=<secondary>Banovani ste\:\n<reset>{0} -banIpJoin=Vasa IP Adresa je banovana sa ovog servera.\nRazlog\: {0} -banJoin=Banovani ste sa ovog servera.\nRazlog\: {0} +banExempt=<dark_red>Ne možete banovati tog igrača. +banExemptOffline=<dark_red> Ne mozeš da banuješ offline igrače. +banFormat=<secondary>Banovan/na si\:\n<reset>{0} +banIpJoin=Tvoja IP adresa je banovana sa ovog servera. Razlog\: {0} +banJoin=Banovan/na si sa ovog servera. Razlog\: {0} banipCommandDescription=Banuje IP adresu. banipCommandUsage=/<command> <address> [reason] -banipCommandUsage1=/<komanda> <adresa> [razlog] +banipCommandUsage1=/<command> <address> [reason] banipCommandUsage1Description=Banuje navedenu IP adresu sa opcionim razlogom bed=<i>krevet<reset> -bedMissing=<dark_red>Vas krevet ili nije postavljen, izgubljen ili blokiran. +bedMissing=<dark_red>Tvoj krevet ili nije postavljen, ili se izgubio, ili je blokiran. bedNull=<st>krevet<reset> bedOffline=<dark_red>Ne može se teleportovati do kreveta offline igrača. bedSet=<primary>Krevet postavljen\! beezookaCommandDescription=Baca eksplodirajuću pčelu na protivnika. -bigTreeFailure=<dark_red>Nije uspelo stvaranje drveta. Pokusajte ponovo na travi ili zemlji. -bigTreeSuccess=<primary>Drvo stvoreno. -bigtreeCommandDescription=Stvara veliko drvo na blok u koji gledate. +bigTreeFailure=<dark_red>Nije uspelo stvaranje velikog drveta. Pokušaj ponovo na travi ili zemlji. +bigTreeSuccess=<primary>Veliko drvo stvoreno. +bigtreeCommandDescription=Stvara veliko drvo tamo gde gledaš. bigtreeCommandUsage=/<command> <tree|redwood|jungle|darkoak> bigtreeCommandUsage1=/<command> <tree|redwood|jungle|darkoak> bigtreeCommandUsage1Description=Stvara veliko drvo navednog tipa @@ -88,8 +88,8 @@ bookCommandUsage3=/<command> title <title> bookCommandUsage3Description=Postavlja naziv potpisane knjige bookLocked=<primary>Ova knjiga je sada zakljucana. bookTitleSet=<primary>Naslov knjige je sada {0}. -bottomCommandDescription=Teleport do najnižeg bloka Vaše trenutne lokacije. -breakCommandDescription=Ruši blok u koji gledate. +bottomCommandDescription=Teleportuj se do najnižeg bloka tvoje trenutne lokacije. +breakCommandDescription=Ruši blok u koji gledaš. broadcast=<primary>[<dark_red>Obaveštenje<primary>]<green> {0} broadcastCommandDescription=Emituje obaveštenje celom serveru. broadcastCommandUsage=/<command> <msg> @@ -99,608 +99,618 @@ broadcastworldCommandDescription=Emituje obaveštenje svetu. broadcastworldCommandUsage=/<command> <world> <msg> broadcastworldCommandUsage1=/<command> <svet> <poruka> broadcastworldCommandUsage1Description=Emituje datu poruku kao obaveštenje navedenom svetu -burnCommandDescription=Zapalite igrača. +burnCommandDescription=Zapali igrača. burnCommandUsage=/<command> <player> <seconds> burnCommandUsage1=/<command> <igrač> <sekunde> -burnCommandUsage1Description=Zapalite navedenog igrača na određenu količinu sekundi -burnMsg=<primary>Postavili ste igraca<secondary> {0} <primary>na vatru na<secondary> {1} sekundi<primary>. -cannotSellNamedItem=<primary>Nije Vam dozvoljeno da prodajete stvari sa nazivom. -cannotSellTheseNamedItems=<primary>Nije Vam dozvoljeno da prodajete stvari sa nazivom\: <dark_red>{0} -cannotStackMob=<dark_red>Nemate dozvolu da mnozite vise mobova. -canTalkAgain=<primary>Ponovo mozete da govorite. -cantFindGeoIpDB=Ne moguce naci GeoIP bazu\! -cantGamemode=<dark_red>Nemas permisiju da promenis svoj gamemodu u {0} -cantReadGeoIpDB=Ne moguce procitati GeoIP bazu\! -cantSpawnItem=<dark_red>Stvaranje itema<secondary> {0}<dark_red> je zabranjeno. +burnCommandUsage1Description=Zapali navedenog igrača na određen broj sekundi +burnMsg=<primary>Zapalioio/la si igrača<secondary> {0} <primary> na<secondary> {1} sekundi<primary>. +cannotSellNamedItem=<primary>Nije ti dozvoljeno da prodaješ stvari sa nazivom. +cannotSellTheseNamedItems=<primary>Nije ti dozvoljeno da prodaješ stvari sa nazivom\: <dark_red>{0} +cannotStackMob=<dark_red>Nemaš dozvolu da ređaš mobove. +canTalkAgain=<primary>Ponovo mozeš da govoriš. +cantFindGeoIpDB=Ne može se naći GeoIP baza\! +cantGamemode=<dark_red>Nemaš dozvolu da promeniš svoj mod igre u {0} +cantReadGeoIpDB=Ne može se pročitati GeoIP baza\! +cantSpawnItem=<dark_red>Stvaranje item-a<secondary> {0}<dark_red> ti nije dozvoljeno. cartographytableCommandDescription=Otvara kartografski sto. chatTypeSpy=[Spy] -cleaned=Fajlovi igraca ocisceni. -cleaning=Ciscenje fajlova igraca. -clearInventoryConfirmToggleOff=<primary>Više vas nećemo pitati za potvrdu brisanja inventara. -clearInventoryConfirmToggleOn=<primary>Više vas nećemo pitati za potvrdu brisanja inventara. -clearinventoryCommandDescription=Čisti sve stvari iz Vašeg inventara. +cleaned=Fajlovi igrača očišćeni. +cleaning=Čišćenje fajlova igrača. +clearInventoryConfirmToggleOff=<primary>Više te nećemo pitati za potvrdu brisanja inventara. +clearInventoryConfirmToggleOn=<primary>Više te nećemo pitati za potvrdu brisanja inventara. +clearinventoryCommandDescription=Čisti sve stvari iz tvog inventara. clearinventoryCommandUsage=/<command> [player|*] [item[\:<data>]|*|**] [amount] -clearinventoryCommandUsage1Description=Čisti sve stvari iz Vašeg inventara -clearinventoryCommandUsage2=/<command> <igrač> +clearinventoryCommandUsage1Description=Čisti sve stvari iz tvog inventara +clearinventoryCommandUsage2=/<command> <player> clearinventoryCommandUsage2Description=Čisti sve stvari iz inventara navedenog igrača clearinventoryCommandUsage3=/<command> <player> <item> [amount] clearinventoryCommandUsage3Description=Čisti sve (ili navedenu količinu) navedene stvari iz inventara navedenog igrača clearinventoryconfirmtoggleCommandDescription=Aktivira/Deaktivira potvrdu za brisanje inventara. -commandCooldown=<secondary>Ne možete koristiti tu komandu za {0}. -commandDisabled=<secondary>Komanda<primary> {0}<secondary> je oneomogucena. -commandFailed=Komanda {0} neuspela\: -commandHelpFailedForPlugin=Greska pri trazenju pomoci o dodatku\: {0} -commandHelpLine1=<primary>Pomoć Komande\: <white>/{0} +commandCooldown=<secondary>Ne možeš ukucati tu naredbu {0}. +commandDisabled=<secondary>Naredba<primary> {0}<secondary> je oneomogućena. +commandFailed=Naredba {0} neuspela\: +commandHelpFailedForPlugin=Greška pri pribavljanju pomoći za priključak\: {0} +commandHelpLine1=<primary>Pomoć za Naredbe\: <white>/{0} commandHelpLine2=<primary>Opis\: <white>{0} -commandHelpLine3=<primary>Upotreba; +commandHelpLine3=<primary>Upotreba/e; commandHelpLine4=<primary>Alias(i)\: <white>{0} -commandNotLoaded=<dark_red>Komanda {0} nepravilno ucitana. -consoleCannotUseCommand=Konzola ne može koristiti ovu komandu. +commandNotLoaded=<dark_red>Naredba {0} se nepravilno učitala. +consoleCannotUseCommand=Konzola ne može koristiti ovu naredbu. compassBearing=<primary>Ležište\: {0} ({1} stepeni). -compassCommandDescription=Opisuje Vaše trenutno ležište. +compassCommandDescription=Opisuje tvoje trenutno ležište. condenseCommandDescription=Kondenzuje predmete u kompaktnije blokove. condenseCommandUsage=/<command> [stvar] -condenseCommandUsage1Description=Kondenzuje sve predmete u Vašem inventaru -condenseCommandUsage2=/<komanda> <predmet> -condenseCommandUsage2Description=Kondenzuje izabrani predmet u Vašem inventaru -configFileMoveError=Neuspelo premestanje config.yml na lokaciju za backup. -configFileRenameError=Neuspelo preimenovanje privremenog fajla u config.yml. -connectedPlayers=<primary>Povezani igraci<reset> -connectionFailed=Ne moguce uspostaviti vezu. +condenseCommandUsage1Description=Kondenzuje sve predmete u tvom inventaru +condenseCommandUsage2=/<command> <item> +condenseCommandUsage2Description=Kondenzuje izabrani predmet u tvom inventaru +configFileMoveError=Neuspelo premeštanje config.yml na lokaciju za backup. +configFileRenameError=Preimenovanje privremenog fajla u config.yml nije uspelo. +connectedPlayers=<primary>Povezani igrači<reset> +connectionFailed=Uspostavljanje veze nije uspelo. consoleName=Konzola -cooldownWithMessage=Vreme cekanja\: {0} +cooldownWithMessage=<dark_red>Vreme do ponovnog korišćenja\: {0} coordsKeyword={0}, {1}, {2} -couldNotFindTemplate=<dark_red>Ne moguce naci sablon {0} -createdKit=<primary>Napravljen kit <secondary>{0} <primary>sa <secondary>{1} <primary>unosa i čekanjem od <secondary>{2} -createkitCommandDescription=Napravite opremu u igri\! -createkitCommandUsage=/<command> <nazivopreme> <vreme> -createkitCommandUsage1=/<command> <nazivopreme> <vreme> -createkitCommandUsage1Description=Pravljenje opreme sa datim imenom i vremenom +couldNotFindTemplate=<dark_red>Nije se mogao naći šablon {0} +createdKit=<primary>Napravljen kit <secondary>{0} <primary>sa <secondary>{1} <primary>unosom/unosa i delay-om od <secondary>{2} +createkitCommandDescription=Napravi kit u igri\! +createkitCommandUsage=/<command><kitname><delay> +createkitCommandUsage1=/<command><kitname><delay> +createkitCommandUsage1Description=Pravi kit sa datim imenom i delay-om createKitFailed=<dark_red>Greška prilikom kreiranju kita {0}. -createKitSuccess=<primary>Kreiran Kit\: <white>{0}\n<primary>Čekanje\: <white>{1}\n<primary>Link\: <white>{2}\n<primary>Kopirajte sadržinu linka iznad u svoj kits.yml. -createKitUnsupported=<dark_red>Serijalizacija NBT predmeta je aktivirana, ali server ne koristi Paper 1.15.2+. Koristimo standardnu serializaciju predmeta. -creatingConfigFromTemplate=Stvaranje konfiguracije iz sablona\: {0} +createKitSuccess=<primary>Kreiran Kit\: <white>{0}\n<primary>Delay\: <white>{1}\n<primary>Link\: <white>{2}\n<primary>Kopiraj sadržinu linka iznad u svoj kits.yml. +createKitUnsupported=<dark_red>NBT predmetna serijalizacija beše omogućena, ali server ne koristi Paper 1.15.2+. Spadaš na standardnu serijalizaciju predmeta. +creatingConfigFromTemplate=Stvaranje konfiguracije iz šablona\: {0} creatingEmptyConfig=Stvaranje prazne konfiguracije\: {0} creative=kreativnost currency={0}{1} currentWorld=<primary>Trenutni svetovi\:<secondary> {0} -customtextCommandDescription=Dozvoljava Vam da napravite tekstualne komande po izboru. -customtextCommandUsage=/<alias> - Definišite u bukkit.yml +customtextCommandDescription=Dozvoljava ti da napraviš tekstualne komande po izboru. +customtextCommandUsage=/<alias> - Definiši u bukkit.yml day=dan days=dana -defaultBanReason=Banovan si sa servera\! +defaultBanReason=Čika Bane je progovorio\! deletedHomes=Sve kuće obrisane. deletedHomesWorld=Sve kuće obrisane u {0}. -deleteFileError=Ne moguce obrisati fajl\: {0} -deleteHome=<primary>Kuca<secondary> {0} <primary>je obrisana. -deleteJail=<primary>Zatvor<secondary> {0} <primary>je obrisan. -deleteKit=<primary>Oprema<secondary> {0} <primary>je obrisana. -deleteWarp=<primary>Warp<secondary> {0} <primary>je obrisan. +deleteFileError=Nije se mogao obrisati fajl\: {0} +deleteHome=<primary>Kuća<secondary> {0} <primary>beše uklonjena. +deleteJail=<primary>Zatvor<secondary> {0} <primary>beše uklonjen. +deleteKit=<primary>Kit<secondary> {0} <primary>beše obrisan. +deleteWarp=<primary>Warp<secondary> {0} <primary>beše uklonjen. deletingHomes=Brisanje svih kuća... deletingHomesWorld=Brisanje svih kuća u {0}... -deniedAccessCommand=<dark_red>Igracu <secondary>{0} <dark_red>je zabranjen pristup komandi. -denyBookEdit=<dark_red>Ne mozete otkljucati tu knjigu. -denyChangeAuthor=<dark_red>Ne mozete promeniti autora te knjige. -denyChangeTitle=<dark_red>Nemozes promeniti naziv ove knjige. -depth=<primary>Nalazite se na nivou mora. -depthAboveSea=<secondary>{0}<primary>blokova si iznad nivoa mora. -depthBelowSea=<primary>Na<secondary> {0} <primary>bloka ste ispod nivoa mora. -destinationNotSet=Destinacija nije postavljena\! -disabled=onemoguceno -disabledToSpawnMob=<dark_red>Stvaranje ovog stvorenja je ugaseno u konfiguraciji. -discordbroadcastCommandDescription=Šalje obaveštenje u predodređen Discord kanal. +delhomeCommandDescription=Uklanja kuću. +deniedAccessCommand=<dark_red>Igraču<dark_red> <secondary>{0} <dark_red>je zabranjen pristup naredbi. +denyBookEdit=<dark_red>Ne možeš otkljulčati ovu knjigu. +denyChangeAuthor=<dark_red>Ne mozetš promeniti autora ove knjige. +denyChangeTitle=<dark_red>Ne možeš promeniti naslov ove knjige. +depth=<primary>Nalaziš se na nivou mora. +depthAboveSea=<secondary>{0}<primary>blok/a/ova si iznad nivoa mora. +depthBelowSea=<primary>Na<secondary> {0} <primary>blok/a/ova si ispod nivoa mora. +destinationNotSet=Odredište nije određeno\! +disabled=onemogućeno +disabledToSpawnMob=<dark_red>Stvaranje ovog stvorenja je onemogućeno u konfiguraciji. +discordbroadcastCommandDescription=Šalje obaveštenje u odabrani Discord kanal. discordbroadcastCommandUsage=/<command> <channel> <msg> discordbroadcastCommandUsage1Description=Šalje odabranu poruku u predodređen Discord kanal discordbroadcastInvalidChannel=<dark_red>Discord kanal <secondary>{0}<dark_red> ne postoji. -discordbroadcastPermission=<dark_red>Nemate dozvolu da šaljete poruke u <secondary>{0}<dark_red> kanalu. +discordbroadcastPermission=<dark_red>Nemaš dozvolu da šalješ poruke u <secondary>{0}<dark_red> kanalu. discordbroadcastSent=<primary>Poruka poslata u <secondary>{0}<primary>\! discordCommandExecuteDescription=Izvršava komandu konzole na Minecraft server-u. discordCommandExecuteArgumentCommand=Komanda za izvršenje discordCommandExecuteReply=Izvršavanje komande\: "/{0}" discordCommandListDescription=Prikazuje listu onlajn igrača. -discordCommandListArgumentGroup=Ograničite pretraživanje određenom grupom +discordCommandListArgumentGroup=Određenu grupu da ti ograniči pretraživanje discordCommandMessageDescription=Šalje poruku igraču na Minecraft server-u. -discordCommandMessageArgumentUsername=Igrač kome ćete poslati poruku -discordCommandMessageArgumentMessage=Poruka koju biste poslali igraču -discordErrorCommandDisabled=Ta komanda je onemogućena\! -discordErrorLogin=Dogodila se greška tokom povezivanja sa Discord-om, što je prouzrokovalo deaktivaciju plugina\: {0} -discordErrorLoggerInvalidChannel=Evidentiranje Discord konzole je onemogućeno zbog nevažeće definicije kanala\! Ako nameravate da ga onemogućite, postavite ID kanala na „none“; u suprotnom proverite da li je ID kanala tačan. -discordErrorLoggerNoPerms=Evidentar konzole Discord-a je onemogućen zbog nedovoljnih dozvola\! Uverite se da vaš bot ima dozvole „Manage Webhooks“ na serveru. Nakon što to ispravite, ukucajte „/ess reload“. -discordErrorNoGuild=Server ID je nevažen ili nepostoji\! Molimo Vas da pratite priručnik da biste podesili plugin. -discordErrorNoGuildSize=Vaš bot nije ni na jednom serveru\! Molimo Vas da pratite priručnik da biste podesili plugin. -discordErrorNoPerms=Vaš bot ne može videti ili razgovarati ni u jednom kanalu\! Molimo Vas uverite se da Vaš bot ima Read and Write dozvole u svim kanalima koji želite da koristite. -discordErrorNoPrimary=Niste definisali primarni kanal ili definisani primarni kanal nije validan. Postavljamo default kanal\: \#{0}. -discordErrorNoPrimaryPerms=Vaš bot ne može govoriti u Vašem primarnom kanalu, \#{0}. Molimo Vas proverite da li bot ima read and write dozvole u svim kanalima koje želite koristiti. -discordErrorNoToken=Token nije pronađen\! Molimo Vas da pratite priručnik da biste podesili plugin. -discordErrorWebhook=Dogodila se greška tokom slanja poruka u Vaš kanal za konzolu\! Ovo se može dogoditi ako slučajno obrišete console webhook. Proverite da li Vaš bot ima „Manage Webhooks“ dozvolu i kucajte „/ess reload“. +discordCommandMessageArgumentUsername=Igrač kome ćeš poslati poruku +discordCommandMessageArgumentMessage=Poruka koju bi poslao/la igraču +discordErrorCommandDisabled=Ta naredba je onemogućena\! +discordErrorLogin=Nastala je greška tokom prijavljivanja na Discord, zbog čega je priključak sam sebe onemogućio\: {0} +discordErrorLoggerInvalidChannel=Evidentiranje Discord konzole je onemogućeno zbog nevažeće definicije kanala\! Ako nameravaš da ga onemogućiš, postavi ID kanala na „none“; u suprotnom proveri da li je ID kanala tačan. +discordErrorLoggerNoPerms=Evidentar konzole Discord-a je onemogućen zbog nedovoljnih dozvola\! Uveri se da tvoj bot ima dozvole „Manage Webhooks“ na serveru. Nakon što to ispraviš, ukucaj „/ess reload“. +discordErrorNoGuild=ID servera je nevažeći ili nedostaje\! Molimo prati priručnik da bi podesio/la priključak. +discordErrorNoGuildSize=Tvoj bot nije ni na jednom serveru\! Molimo te da pratiš priručnik da bis podesio/la priključak. +discordErrorNoPerms=Tvoj bot ne može videti niti govoriti u tvom primarnom kanalu\! Molimo proveri da li bot ima read i write dozvole u svim kanalima koje želiš koristiti. +discordErrorNoPrimary=Nisi definisao/la primarni kanal ili ti definisani primarni kanal nije važeći. Spadaš na podrazumevani kanal\: \#{0}. +discordErrorNoPrimaryPerms=Tvoj bot ne može govoriti u tvom primarnom kanalu, \#{0} Molimo proveri da li bot ima read i write dozvole u svim kanalima koje želiš koristiti. +discordErrorNoToken=Nijedan token nije obezbeđen\! Molimo te da pratiš priručnik unutar konfiguracije da bi podeso/la priključak. +discordErrorWebhook=Nastala je greška tokom slanja poruka u tvoj kanal za konzolu\! Ovo se može dogoditi ako slučajno obrišeš svoj console webhook. Proveri da li tvoj bot ima „Manage Webhooks“ dozvolu i ukucaj „/ess reload“. discordLoggingIn=Pokušavamo se prijaviti na Discord... -discordLoggingInDone=Uspešno prijavljeni kao {0} -discordNoSendPermission=Nemoguće poslati poruku u kanalu\: \#{0}. Molimo Vas uverite se da bot ima "Send Messages" dozvol u tom kanalu\! -discordReloadInvalid=Pokušali ste osvežiti konfiguraciju EssentialsX Discord plugina dok je bio u nevažećem stanju\! Ukoliko ste modifikovali config, restartujte server. -distance=<primary>Distanca\: {0} -dontMoveMessage=<primary>Teleportacija ce poceti za<secondary> {0}<primary>. Ne pomerajte se. +discordLoggingInDone=Uspešno prijavljen/na kao {0} +discordNoSendPermission=Nemoguće poslati poruku u kanalu\: \#{0}. Molimo uveri se da bot ima "Send Messages" dozvolu u tom kanalu\! +discordReloadInvalid=Pokušao/la si osvežiti konfiguraciju EssentialsX Discord priključka dok je bio u nevažećem stanju\! Ukoliko si modifikovali config, restartuj server. +distance=<primary>Razdaljina\: {0} +dontMoveMessage=<primary>Teleportacija će početi za<secondary> {0}<primary>. Ne pomeraj se. downloadingGeoIp=Preuzimanje GeoIP databaze... ovo može potrajati (država\: 1.7 MB, grad\: 30MB) dumpConsoleUrl=Server dump kreiran\: <secondary>{0} dumpCreating=<primary>Kreiramo server dump... -dumpDeleteKey=<primary>Ukoliko želite obrisati ovaj dump kasnije, koristite ovaj ključ\: <secondary>{0} +dumpDeleteKey=<primary>Ukoliko želiš obrisati ovaj dump kasnije, iskoristi ovaj ključ\: <secondary>{0} dumpError=<dark_red>Greška prilikom kreiranja dump-a <secondary>{0}<dark_red>. dumpErrorUpload=<dark_red>Greška prilikom otpremljivanja <secondary>{0}<dark_red>\: <secondary>{1} dumpUrl=<primary>Kreiran server dump\: <secondary>{0} duplicatedUserdata=Duplikat fajlova igraca\: {0} i {1}. -durability=<primary>Ova alatka možete da koristite još <secondary>{0}<primary> puta. +durability=<primary>Ovu alatku možeš da koristiš još <secondary>{0}<primary>put/ puta. east=E -editBookContents=<yellow>Sada mozete da promenite sadrzaj ove knjige. +editBookContents=<yellow>Sada mozeš da izmenjuješ sadržaj ove knjige. enabled=omoguceno enableUnlimited=<primary>Davanje neogranicenih kolicina<secondary> {0} <primary>igracu <secondary>{1}<primary>. -enchantmentApplied=<primary>Moc<secondary> {0} <primary>je dodata na item u ruci. -enchantmentNotFound=<dark_red>Moc nije pronadjena\! -enchantmentPerm=<dark_red>Nemate dozvolu za<secondary> {0}<dark_red>. -enchantmentRemoved=<primary>Moc<secondary> {0} <primary>je uklonjena sa itema u ruci. -enchantments=<primary>Moci\:<reset> {0} -errorCallingCommand=Greska pozivajuci komandu /{0} -errorWithMessage=<secondary>Greska\:<dark_red> {0} +enchantmentApplied=<primary>Moć<secondary> {0} <primary>je dodata na item u ruci. +enchantmentNotFound=<dark_red>Moć nije pronađena\! +enchantmentPerm=<dark_red>Nemaš dozvolu za<secondary> {0}<dark_red>. +enchantmentRemoved=<primary>Moć<secondary> {0} <primary>je uklonjena sa item-a u ruci. +enchantments=<primary>Moći\:<reset> {0} +errorCallingCommand=Greška pozivajući naredbu /{0} +errorWithMessage=<secondary>Greška\:<dark_red> {0} essentialsCommandUsage6=/<command> cleanup essentialsCommandUsage6Description=Čisti stari userdata essentialsCommandUsage7=/<command> homes essentialsCommandUsage7Description=Upravlja kućama igrača essentialsCommandUsage8=/<command> dump [all] [config] [discord] [kits] [log] essentialsCommandUsage8Description=Generiše server dump sa traženim informacijama -essentialsHelp1=Taj fajl je iskljcen i essentials ne moze da ga otvori. Essentials je sada iskljucen. Da nadjete resenje pogledajte na http\://tiny.cc/EssentialsChat -essentialsHelp2=Dokument je slomljen i Essentials ga ne moze otvoriti. Essentials je sada iskljucen. Ukoliko zelite sami da popravite dokument, kucajte /essentialshelp u igri ili idite na sledeci link\: http\://tiny.cc/EssentialsChat -essentialsReload=<primary>Essentials ponovo ucitan<secondary> {0}. -exp=<primary>Igrac <secondary>{0} <primary>ima<secondary> {1} <primary>iskustva (nivo<secondary> {2}<primary>) i treba mu jos<secondary> {3} <primary>za sledeci nivo. -expSet=<primary>Igrac <secondary>{0} <primary>sada ima<secondary> {1} <primary>iskustva. -extinguish=<primary>Ugasili ste samog sebe. -extinguishOthers=<primary>Ugasili ste igraca {0}<primary>. -failedToCloseConfig=Neuspelo zatvaranje konfiguracije {0}. -failedToCreateConfig=Neuspelo kreiranje konfiguracije {0}. -failedToWriteConfig=Neuspelo pisanje konfiguracije {0}. -false=<dark_red>netacno<reset> -feed=<primary>Vas apetit je zadovoljen. -feedOther=<primary>Zadovoljili ste apetit igraca <secondary>{0}<primary>. -fileRenameError=Preimenovanje fajla {0} neuspesno\! -fireworkColor=<dark_red>Neispravno uneseti parametri punjenja vatrometa, morate prvo staviti boju. -fireworkEffectsCleared=<primary>Svi efekti su uklonjeni sa stacka kojeg drzite. -fireworkSyntax=<primary>Parametri vatrometa\:<secondary> color\:<boja> [fade\:<boja>] [shape\:<oblik>] [effect\:<efekat>]\n<primary>Da koristite razne boje/efekte, razdvojite ih zarezima\: <secondary>red,blue,pink\n<primary>Oblici\:<secondary> star, ball, large, creeper, burst <primary>Efekti\: <secondary>trail, twinkle. -fixedHomes=Nevalidne kuće obrisane. -fixingHomes=Brisanje svih nevalidnih kuća... +essentialsHelp1=Taj fajl je pokvaren i Essentials ne može da ga otvori. Essentials je sada onemogućen. Ako ne umeš da popraviš fajl sam/a, idi na http\://tiny.cc/EssentialsChat +essentialsHelp2=Taj fajl je pokvaren i Essentials ne može da ga otvori. Essentials je sada onemogućen. Ako ne umeš da popraviš fajl sam/a; ili ukucaj /essentialshelp, ili idi na http\://tiny.cc/EssentialsChat +essentialsReload=<primary>Essentials ponovo učitan<secondary> {0}. +exp=<primary>Igrač <secondary>{0} <primary>ima<secondary> {1} <primary>iskustva (nivo<secondary> {2}<primary>) i treba mu jos<secondary> {3} <primary>za sledeći nivo. +expSet=<primary>Igrač <secondary>{0} <primary>sada ima<secondary> {1} <primary>iskustva. +extinguish=<primary>Ugasio/la si samog/samu sebe. +extinguishOthers=<primary>Ugasio/la si igrača {0}<primary>. +failedToCloseConfig=Zatvaranje konfiguracije {0} nije uspelo. +failedToCreateConfig=Kreiranje konfiguracije {0} nije uspelo. +failedToWriteConfig=Pisanje konfiguracije {0} nije uspelo. +false=<dark_red>netačno<reset> +feed=<primary>Apetit ti je zadovoljen. +feedOther=<primary>Zadovoljio/la si apetit igrača <secondary>{0}<primary>. +fileRenameError=Preimenovanje fajla {0} neuspešno\! +fireworkColor=<dark_red>Neispravno uneseni parametri punjenja vatrometa, moraš prvo odrediti boju. +fireworkEffectsCleared=<primary>Svi efekti su uklonjeni sa stack-a koji držiš. +fireworkSyntax=<primary>Parametri vatrometa\:<secondary> color\:<color> [fade\:<color>] [shape\:<shape>] [effect\:<effect>]\n<primary>Da koristiš razne boje/efekte, razdvoji ih zapetama\: <secondary>red,blue,pink\n<primary>Oblici\:<secondary> star, ball, large, creeper, burst <primary>Efekti\: <secondary>trail, twinkle. +fixedHomes=Nevažeće kuće obrisane. +fixingHomes=Brisanje svih nevežećih kuća... flying=letenje -flyMode=<primary>Promenjen rezim letenja u<secondary> {0} <primary>za igraca {1}<primary>. -foreverAlone=<dark_red>Nemate kome da odgovorite. -fullStack=<dark_red>Vec imate punu gomilu. -gameMode=<primary>Promenjen rezim igre u<secondary> {0} <primary>za igraca <secondary>{1}<primary>. -gameModeInvalid=<dark_red>Morate navesti validnog igraca/mod. +flyMode=<primary>Promenjen režim letenja u<secondary> {0} <primary>za igrača {1}<primary>. +foreverAlone=<dark_red>Nemaš kome da odgovoriš. +fullStack=<dark_red>Već imaš punu gomilu. +gameMode=<primary>Promenjen režim igre u<secondary> {0} <primary>za igrača <secondary>{1}<primary>. +gameModeInvalid=<dark_red>Moraš navesti važećeg igrača/mod. gcfree=<primary>Slobodna memorija\:<secondary> {0} MB. gcmax=<primary>Maksimalna memorija\:<secondary> {0} MB. gctotal=<primary>Dodeljena memorija\:<secondary> {0} MB. gcWorld=<primary>{0} "<secondary>{1}<primary>"\: <secondary>{2}<primary> chunkova, <secondary>{3}<primary> entiteta, <secondary>{4}<primary> tilova. -geoipJoinFormat=<primary>Igrac <secondary>{0} <primary>dolazi iz <secondary>{1}<primary>. +geoipJoinFormat=<primary>Igrač <secondary>{0} <primary>dolazi iz <secondary>{1}<primary>. geoIpUrlEmpty=GeoIP adresa za preuzimanje prazna. geoIpUrlInvalid=GeoIP adresa za preuzimanje nevazeca. -givenSkull=<primary>Dobio si glavu igraca <secondary>{0}<primary>. -godDisabledFor=<secondary>onemoguceno<primary> za<secondary> {0} -godEnabledFor=<green>omoguceno<primary> za<secondary> {0} +givenSkull=<primary>Dobio/la si glavu igrača <secondary>{0}<primary>. +godDisabledFor=<secondary>onemogućeno<primary> za igrača <secondary> {0} +godEnabledFor=<green>omogućeno<primary> za igrača<secondary> {0} godMode=<primary>God mod<secondary> {0}<primary>. -groupDoesNotExist=<dark_red>Nema igraca na mrezi koji pripadaju toj grupi\! -groupNumber=<secondary>{0}<white> igraca online, za celu listu kucajte\:<secondary> /{1} {2} -hatArmor=<dark_red>Ne mozete koristiti taj item kao kapu\! -hatEmpty=<dark_red>Trenutno ne nosite kapu. -hatFail=<dark_red>Morate da stavite nesto u ruku da biste to i nosili. -hatPlaced=<primary>Uzivajte u vasoj novoj kapi\! -hatRemoved=<primary>Vasa kapa je uklonjena. -haveBeenReleased=<primary>Oslobodjeni ste. -heal=<primary>Izleceni ste. -healDead=<dark_red>Ne mozete izleciti nekoga ko je mrtav\! -healOther=<primary>Izlecen<secondary> {0}<primary>. -helpFrom=<primary>Komande od {0}\: -helpMatching=<primary>Komanda koja se slaze sa "<secondary>{0}<primary>"\: -helpPlugin=<dark_red>{0}<reset>\: Pomoc oko plugina\: /help {1} -holdBook=<dark_red>Ne drzite knjigu u kojoj moze da se pise. -holdFirework=<dark_red>Morate drzati napitak kako biste dodali efekat. -holdPotion=<dark_red>Morate drzati napitak kako biste dodali efekat. +groupDoesNotExist=<dark_red>Nema igrača na mreži koji pripadaju toj grupi\! +groupNumber=<secondary>{0}<white> igrača online, za ceo spisak kucaj\:<secondary> /{1} {2} +hatArmor=<dark_red>Ne mozeš koristiti taj item kao kapu\! +hatEmpty=<dark_red>Trenutno ne nosiš kapu. +hatFail=<dark_red>Moraš da staviš nesto u ruku da biste to i nosio/la. +hatPlaced=<primary>Uživajte u svojoj novoj kapi\! +hatRemoved=<primary>Tvoja kapa je uklonjena. +haveBeenReleased=<primary>Oslobođen/na si. +heal=<primary>Izlečen/na si. +healDead=<dark_red>Ne možeš izlečiti nekoga ko je mrtav\! +healOther=<primary>Izlečen<secondary> {0}<primary>. +helpFrom=<primary>Naredbe od {0}\: +helpMatching=<primary>Naredba koja se slaže sa "<secondary>{0}<primary>"\: +helpPlugin=<dark_red>{0}<reset>\: Pomoć za priključak\: /help {1} +holdBook=<dark_red>Ne drži knjigu u kojoj može da se piše. +holdFirework=<dark_red>Moraš držati vatromet kako bi dodao/la efekat. +holdPotion=<dark_red>Moraš držati napitak kako bi primenio/la efekat. holeInFloor=<dark_red>Rupa u podu\! -homes=<primary>Kuce\:<reset> {0} -homeSet=<primary>Kuca postavljena na trenutnoj lokaciji. -hour=Sat -hours=Sati -ice=<primary>Dosta vam je hladnije... +homeCommandDescription=Teleportuj se kući. +homes=<primary>Kuće\:<reset> {0} +homeSet=<primary>Kuća postavljena na trenutnoj lokaciji. +hour=čas +hours=časa/ova +ice=<primary>Dosta ti je hladnije... iceCommandDescription=Hladi igrača. -iceCommandUsage1Description=Hladi Vas +iceCommandUsage1Description=Hladi te iceCommandUsage2Description=Hladi određenog igrača iceCommandUsage3=/<command> * iceCommandUsage3Description=Hladi sve onlajn igrače iceOther=<primary>Ohlađen igrač<secondary> {0}<primary>. ignoredList=<primary>Ignorisani\:<reset> {0} -ignoreExempt=Ne mozes ignorisati ovog igraca. -ignorePlayer=<primary>Od sada ignorisete igraca<secondary> {0} <primary>. -illegalDate=Pogresan format datuma. -infoChapter=<primary>Izaberite poglavlje\: +ignoreExempt=<dark_red>Ne mozeš ignorisati tog igrača. +ignorePlayer=<primary>Od sada ignorišeš igrača<secondary> {0} <primary>. +illegalDate=Pogrešan format datuma. +infoChapter=<primary>Izaberi poglavlje\: infoChapterPages=<yellow> ---- <primary>{0} <yellow>--<primary> Strana <secondary>{1}<primary> od <secondary>{2} <yellow>---- infoPages=<yellow> ---- <primary>{2} <yellow>--<primary> Strana <secondary>{0}<primary>/<secondary>{1} <yellow>---- -infoUnknownChapter=<dark_red>Nepostojece poglavlje. -insufficientFunds=<dark_red>Nedovoljno raspolozivih sredstava. -invalidBanner=<dark_red>Nevažeći syntax bannera. -invalidCharge=Jedno polje nije validno. +infoUnknownChapter=<dark_red>Nepostojeće poglavlje. +insufficientFunds=<dark_red>Nedovoljno raspoloživih sredstava. +invalidBanner=<dark_red>Nevažeća sintaksa banera. +invalidCharge=<dark_red>Nevažeća naplata. invalidFireworkFormat=<dark_red>Opcija <secondary>{0} <dark_red>nije validna za <secondary>{1}<dark_red>. -invalidHome=<dark_red>Kuca<secondary> {0} <dark_red>ne postoji\! -invalidHomeName=<dark_red>Netacan naziv kuce\! +invalidHome=<dark_red>Kuća<secondary> {0} <dark_red>ne postoji\! +invalidHomeName=<dark_red>Netačan naziv kuce\! invalidItemFlagMeta=<dark_red>Nevažeći meta itemflaga\: <secondary>{0}<dark_red>. -invalidMob=<dark_red>Nevazeca vrsta stvorenja. +invalidMob=<dark_red>Nevažeša vrsta stvorenja. invalidNumber=Neispravan broj. -invalidPotion=<dark_red>Nepostojeci napitak. -invalidPotionMeta=<dark_red>Nevazeci meta napitka\: <secondary>{0}<dark_red>. -invalidSignLine=<dark_red>Linija<secondary> {0} <dark_red>na znaku je nevazeca. -invalidSkull=<dark_red>Uzmite glavu igraca. -invalidWarpName=<dark_red>Nevazece ime warpa\! -invalidWorld=<dark_red>Nevazeci svet. -inventoryClearingAllArmor=<primary>Ocisceni svi iventari predmeta i oklopa od {0}<primary>. -inventoryClearingFromAll=<primary>Ciscenje inventara svih igraca... +invalidPotion=<dark_red>Nepostojeći Napitak. +invalidPotionMeta=<dark_red>Nevažeća meta napitka\: <secondary>{0}<dark_red>. +invalidSignLine=<dark_red>Red<secondary> {0} <dark_red>na znaku je nevažeći. +invalidSkull=<dark_red>Uzmi glavu igrača. +invalidWarpName=<dark_red>Nevažeće ime warp-a\! +invalidWorld=<dark_red>Nevažeći svet. +inventoryClearingAllArmor=<primary>Očišćeni svi inventari predmeta i oklopa od igrača <secondary> {0}<primary>. +inventoryClearingFromAll=<primary>čišćenje inventara svih igrača... is=je isIpBanned=<primary>IP <secondary>{0} <primary>je banovan. internalError=<secondary>Unutrašnja greška načinjena prilikom pokušaja pokretanje komande. -itemCannotBeSold=<dark_red>Tu stvar ne mozete prodati serveru. +itemCannotBeSold=<dark_red>Tu stvar ne možete prodati serveru. itemloreCommandUsage1=/<command> add [text] -itemMustBeStacked=<dark_red>Stvar mora biti razmenjena u stacku. Kolicina 2s bi bilo dva steka i slicno. -itemNames=<primary>Alijasi itema\:<reset> {0} -itemNotEnough1=<dark_red>Nemate dovoljno tog itema za prodaju. -itemsConverted=<primary>Svi itemi pretvoreni u blokove. -itemSellAir=Stvarno pokusavate da prodate maglu? Stavite item u ruku. -itemsNotConverted=<dark_red>Nemate potrebnih itema za pravljenje bloka. -itemSold=<green>Prodato za <secondary>{0} <green>({1} {2} za {3} svaku). +itemMustBeStacked=<dark_red>Stvar mora biti razmenjena u stack-ovima. Količina od 2s bi bilo dva stack-a i slično. +itemNames=<primary>Alijasi item-a\:<reset> {0} +itemNotEnough1=<dark_red>Nemaš dovoljno tog item-a za prodaju. +itemsConverted=<primary>Svi item-i pretvoreni u blokove. +itemSellAir=Stvarno pokušavaš da prodaš maglu? Stavi item u ruku. +itemsNotConverted=<dark_red>Nemaš potrebnih item-a za pravljenje bloka. +itemSold=<green>Prodato za <secondary>{0} <green>({1} {2} po {3} svakom). itemSpawn=<primary>Davanje<secondary> {0} <primary>komada od itema<secondary> {1} itemType=<primary>Stvar\:<secondary> {0} -jailAlreadyIncarcerated=<dark_red>Igrac je vec u zatvor\:<secondary> {0} +jailAlreadyIncarcerated=<dark_red>Igrač je već u zatvoru\:<secondary> {0} jailList=<primary>Ćelije\:<reset> {0} -jailMessage=<dark_red>Pocinis zlocin, sada izdrzavaj kaznu. +jailMessage=<dark_red>Počiniš zločin, odležiš kaznu. jailNotExist=<dark_red>Taj zatvor ne postoji. jailNotifyJailed=<primary>Igrač<secondary> {0} <primary>zatvoren od strane <secondary>{1}. jailNotifyJailedFor=<primary>Igrač<secondary> {0} <primary>zatvoren na<secondary> {1}<primary>od strane <secondary>{2}<primary>. jailNotifySentenceExtended=<primary>Igraču<secondary>{0} <primary>produženo vreme iza rešetka na <secondary>{1} <primary>od strane <secondary>{2}<primary>. -jailReleased=<primary>Igrac <secondary>{0}<primary> oslobodjen. -jailReleasedPlayerNotify=<primary>Oslobodjeni ste\! -jailSentenceExtended=<primary>Vreme u zatvoru produzeno na <secondary>{0}<primary>. +jailReleased=<primary>Igrač <secondary>{0}<primary> oslobođen. +jailReleasedPlayerNotify=<primary>Oslobođen/na si\! +jailSentenceExtended=<primary>Vreme u zatvoru produženo na <secondary>{0}<primary>. jailSet=<primary>Zatvor<secondary> {0} <primary>postavljen. jailWorldNotExist=<dark_red>Svet tog zatvora ne postoji. -jumpError=<dark_red>To bi ostetilo mozak vaseg racunara. -kickDefault=Izbaceni ste sa servera. -kickedAll=<dark_red>Svi igraci sa servera izbaceni. -kickExempt=<dark_red>Ne mozete izbaciti tog igraca. +jumpError=<dark_red>To bi povredilo mozak vašeg računara. +kickDefault=Izbačeni ste sa servera. +kickedAll=<dark_red>Svi igrači sa servera izbačeni. +kickExempt=<dark_red>Ne možeš izbaciti tog igraca. kill=<primary>Ubijen<secondary> {0}<primary>. -killExempt=<dark_red>Ne mozete ubiti <secondary>{0}<dark_red>. +killExempt=<dark_red>Ne možeš ubiti <secondary>{0}<dark_red>. kitContains=<primary>Kit <secondary>{0} <primary>sadrži\: -kitError=<dark_red>Nema vazecih kitova. -kitError2=<dark_red>Taj kit je nepravilno definisan. Kontaktirajte administratora. +kitError=<dark_red>Nema važećih kitova. +kitError2=<dark_red>Taj kit je nepravilno definisan. Kontaktiraj administratora. kitError3=Nemoguće dati predmet iz opreme "{0}" igraču {1} jer odabrani predmet zahteva Paper 1.15.2+ za deserijalizaciju. -kitGiveTo=<primary>Davanje kita<secondary> {0}<primary> igracu <secondary>{1}<primary>. -kitInvFull=<dark_red>Vas inventar je pun, bacanje kita na zemlju. +kitGiveTo=<primary>Davanje kita<secondary> {0}<primary> igraču <secondary>{1}<primary>. +kitInvFull=<dark_red>Tvoj inventar je pun, bacanje kita na zemlju. kitNotFound=<dark_red>Taj kit ne postoji. -kitOnce=<dark_red>Ne mozete vise koristiti taj kit. +kitOnce=<dark_red>Ne možeš više koristiti taj kit. kitReceive=<primary>Primljen kit<secondary> {0}<primary>. kits=<primary>Kitovi\:<reset> {0} -kitTimed=<dark_red>Ne mozete koristiti taj kit sledecih<secondary> {0}<dark_red>. +kitTimed=<dark_red>Ne možeš koristiti taj kit sledecih<secondary> {0}<dark_red>. lightningSmited=<primary>Munja je udarila\! -lightningUse=<primary>Lupanje igraca<secondary> {0} -listAmount=<primary>Trenutno je <secondary>{0}<primary> od maksimalnih <secondary>{1}<primary> igraca online. +lightningUse=<primary>Lupanje igrača<secondary> {0} +listAmount=<primary>Trenutno je <secondary>{0}<primary> od maksimalnih <secondary>{1}<primary> igrača online. listHiddenTag=<gray>[SAKRIVEN]<reset> listRealName=({0}) -loadWarpError=<dark_red>Neuspelo citanje warpa {0}. +loadWarpError=<dark_red>Neuspelo čitanje warpa {0}. mailClear=<primary>Za čišćenje maila, kucajte<secondary> /mail clear<primary>. -mailCleared=Ocisceno postansko sanduce\! +mailCleared=<primary>Očišceno poštansko sanduče\! mailClearIndex=<dark_red>Morate odabrati broj između 1-{0}. mailCommandUsage2=/<command> clear [number] mailCommandUsage2Description=Briše sve ili odabrane mail-ove -mailDelay=Previse mailova posaljeno u minuti\! Maksimalno\: {0} +mailDelay=Previše mail-ova poslato u poslednjoj minuti\! Maksimalno\: {0} mailMessage={0} mailSent=<primary>Poruka poslata\! -mailSentTo=<secondary>{0}<primary> je poslao mail\: +mailSentTo=Igraču <secondary>{0}<primary> je poslat sledeći mail\: mailSentToExpire=<primary>Poslat je sledeći mail igraču <secondary>{0}<primary> koji ističe za <secondary>{1}<primary>\: -mailTooLong=<dark_red>Mail poruka predugacka. Potrudite se da bude manja od 1000 karaktera. -markMailAsRead=<primary>Da stavite da ste procitali poruku, kucajte<secondary> /mail clear<primary>. -matchingIPAddress=<primary>Sledeci igraci su pre ulazili na taj nalog sa te IP adrese\: -maxHomes=<dark_red>Ne mozete postaviti vise od<secondary> {0} <dark_red>kuce. -maxMoney=<dark_red>Razmena bi prekoracila trenutno stanje limita za ovaj nalog. -mayNotJail=<dark_red>Ne mozete zatvoriti tog igraca\! -mayNotJailOffline=<u>e mozes zatvoriti offline igrace. +mailTooLong=<dark_red>Mail poruka predugačka. Potrudi se ima ispod 1000 karaktera. +markMailAsRead=<primary>Da staviš da si pročitao/la poruku, ukucaj<secondary> /mail clear<primary>. +matchingIPAddress=<primary>Sledeći igrači su pre ulazili na taj nalog sa te IP adrese\: +maxHomes=<dark_red>Ne možete postaviti više od<secondary> {0} <dark_red>kuće/a. +maxMoney=<dark_red>Razmena bi prekoračila trenutno ograničenje stanja na ovom računu. +mayNotJail=<dark_red>Ne možete zatvoriti tog igrača\! +mayNotJailOffline=<dark_red>Ne možeš zatvoriti offline igrače. minimumPayAmount=<secondary>Minimalni iznos uplate je {0}. minute=minut minutes=minuta -missingItems=<dark_red>Nemate <secondary>{0}x {1}<dark_red>. -mobDataList=<primary>Validan podatak o bicu\:<reset> {0} +missingItems=<dark_red>Nemaš <secondary>{0}x {1}<dark_red>. +mobDataList=<primary>Validan podatak o mob-u\:<reset> {0} mobsAvailable=<primary>Stvorenja\:<reset> {0} -mobSpawnError=<dark_red>Greska prilikom promene mob spawnera. -mobSpawnLimit=Kolicina moba je prekoracila ogranicenje servera. -mobSpawnTarget=<dark_red>Block u koji gledate mora biti mob spawner. -moneySentTo=<green>{0} je poslato igracu {1}. +mobSpawnError=<dark_red>Greška prilikom promene mob spawner-a. +mobSpawnLimit=Količina mob-ova je prekoračila ograničenje servera. +mobSpawnTarget=<dark_red>Blok u koji gledaš mora biti mob spawner. +moneySentTo=<green>{0} je poslato igraču {1}. month=mesec -months=meseca -moreThanZero=<dark_red>Kolicina mora biti veca od 0. +months=meseca/i +moreThanZero=<dark_red>Količine moraju biti veće od 0. msgDisabled=<primary>Primanje poruka <secondary>isključeno<primary>. msgDisabledFor=<primary>Primanje poruka <secondary>isključeno <primary>za <secondary>{0}<primary>. msgEnabled=<primary>Primanje poruka <secondary>uključeno<primary>. msgEnabledFor=<primary>Primanje poruka <secondary>uključeno <primary>za <secondary>{0}<primary>. msgIgnore=<secondary>{0} <dark_red>je isključio primanje poruka. -multipleCharges=<dark_red>Ne mozes primeniti vise od jednog punjena na ovaj vatromet. -multiplePotionEffects=<dark_red>Ne mozes primeniti vise od jednog efekta na ovaj naptiak. -mutedPlayer=<primary>Igrac<secondary> {0} <primary>ucutkan. -mutedPlayerFor=<primary>Igrac<secondary> {0} <primary>ucutkan na<secondary> {1}<primary>. +multipleCharges=<dark_red>Ne možeš primeniti više od jednog naboja na ovaj vatromet. +multiplePotionEffects=<dark_red>Ne možeš primeniti više od jednog efekta na ovaj naptiak. +mutedPlayer=<primary>Igrač<secondary> {0} <primary>ućutkan. +mutedPlayerFor=<primary>Igrač<secondary> {0} <primary>ućutkan na<secondary> {1}<primary>. mutedUserSpeaks={0} je pokušao pričati, ali je ućutkan\: {1} -muteExempt=<dark_red>Ne mozete ucutkati tog igraca. -muteExemptOffline=Ne mozes ucutkati offline igrace. -muteNotify=<secondary>{0} <primary>je ucutkao igraca <secondary>{1}<primary>. +muteExempt=<dark_red>Ne možete ućutkati tog igraca. +muteExemptOffline=<dark_red>Ne mozes ućutkati offline igrače. +muteNotify=<secondary>{0} <primary>je ućutkao igrača <secondary>{1}<primary>. muteNotifyFor=<secondary>{0} <primary>je ućutkao igrača <secondary>{1}<primary> za<secondary> {2}<primary>. nearbyPlayers=<primary>Igraci u blizini\:<reset> {0} -negativeBalanceError=<dark_red>Igracu nije dozvoljeno da ima negativno stanje. +negativeBalanceError=<dark_red>Igraču nije dozvoljeno da ima negativno stanje. nickChanged=<primary>Nadimak promenjen. -nickDisplayName=<dark_red>Morate ukljuciti change-displayname u Essentials konfiguraciji. -nickInUse=<dark_red>Taj nick vec neko koristi. -nickNamesAlpha=<dark_red>Nadimak mora biti alfanumericki. -nickNamesOnlyColorChanges=<dark_red>U nadimcima možete menjati samo boju. -nickNoMore=<primary>Vise nemas nick. -nickSet=<primary>Tvoj nick je sad <secondary>{0}<primary>. -nickTooLong=<dark_red>Taj nick je predugacak. -noAccessCommand=<dark_red>Nemas dozvolu za tu komandu. -noAccessPermission=<dark_red>Nemate dozvolu da pristupite <secondary>{0}<dark_red>. -noBreakBedrock=<dark_red>Nemas dozvolu da unistis bedrock. -noDestroyPermission=<dark_red>Nemate dozvolu da rusite <secondary>{0}<dark_red>. +nickDisplayName=<dark_red>Morate uključiti change-displayname u Essentials konfiguraciji. +nickInUse=<dark_red>Taj nick već neko koristi. +nickNamesAlpha=<dark_red>Nadimak mora biti alfanumerički. +nickNamesOnlyColorChanges=<dark_red>U nadimcima možeš menjati samo boju. +nickNoMore=<primary>Više nemas nadimak. +nickSet=<primary>Tvoj nadimak je sad <secondary>{0}<primary>. +nickTooLong=<dark_red>Taj nadimak je predugačak. +noAccessCommand=<dark_red>Nemaš dozvolu za tu komandu. +noAccessPermission=<dark_red>Nemaš dozvolu da pristupiš <secondary>{0}<dark_red>. +noBreakBedrock=<dark_red>Nemaš dozvolu da unistiš temeljac. +noDestroyPermission=<dark_red>Nemaš dozvolu da rušiš <secondary>{0}<dark_red>. northEast=NE north=N northWest=NW -noGodWorldWarning=<dark_red>Paznja\! Bog mod je u ovom svetu iskljucen. -noHomeSetPlayer=<primary>Igrac nije postavio kucu. -noIgnored=<primary>Nikoga ne ignorisete. +noGodWorldWarning=<dark_red>Pažnja\! God mod je u ovom svetu isključen. +noHomeSetPlayer=<primary>Igrač nije postavio kuću. +noIgnored=<primary>Nikoga ne ignorišete. noJailsDefined=<primary>Nema postavljenih ćelija. -noKitGroup=<u>emas dozvolu za ovaj kit\! -noKitPermission=<dark_red>Potrebna vam je dozvola <secondary>{0}<dark_red> za koriscenje tog kita. +noKitGroup=<dark_red>Nemaš dozvolu za ovaj kit. +noKitPermission=<dark_red>Potrebna ti je dozvola <secondary>{0}<dark_red> za korišćenje tog kita. noKits=<primary>Nema dostupnih kitova. noLocationFound=<dark_red>Nema validne lokacije. noMail=Nemas nijednu postu. -noMatchingPlayers=<primary>Nije pronadjeno odgovarajucih igraca. -noMetaFirework=<dark_red>Nemate dozvolu za dodavanje meta vatrometa. -noMetaJson=JSON Metadata nije podrzana sa ovom verzijom Bukkita. -noMetaPerm=<dark_red>Nemate dozvolu da dodate <secondary>{0}<dark_red> meta tom itemu. +noMatchingPlayers=<primary>Nije pronađen nijedan odgovarajući igrač. +noMetaFirework=<dark_red>Nemaš dozvolu za primenjivanje vatrometne mete. +noMetaJson=JSON Metadata nije podržana ovom verzijom Bukkita. +noMetaPerm=<dark_red>Nemaš dozvolu da primenjuješ <secondary>{0}<dark_red> metu na taj item. none=nijedan -noNewMail=<primary>Nemate nove poruke. -noPendingRequest=<dark_red>Nemate zahteva u toku. -noPerm=<dark_red>Nemate <secondary>{0}<dark_red> dozvolu. -noPermissionSkull=<dark_red>Nemas permisiju da menjas ovu glavu. -noPermToAFKMessage=<dark_red>Nemate dozvolu da postavite AFK status. -noPermToSpawnMob=<dark_red>Nemate dozvolu za stvaranje tog stvorenja. -noPlacePermission=<dark_red>Nemate dozvolu za postavljanje bloka blizu tog znaka. -noPotionEffectPerm=<dark_red>Nemate dozvolu za dodavanje efekta <secondary>{0} <dark_red>tom napitku. -noPowerTools=<primary>Nemate dodeljenih super alatki. +noNewMail=<primary>Nemaš nove poruke. +noPendingRequest=<dark_red>Nemaš zahteva u toku. +noPerm=<dark_red>Nemaš <secondary>{0}<dark_red> dozvolu. +noPermissionSkull=<dark_red>Nemaš dozvolu da menjaš ovu glavu. +noPermToAFKMessage=<dark_red>Nemaš dozvolu da postaviš AFK status. +noPermToSpawnMob=<dark_red>Nemaš dozvolu za stvaranje tog stvorenja. +noPlacePermission=<dark_red>Nemaš dozvolu za postavljanje bloka blizu tog znaka. +noPotionEffectPerm=<dark_red>Nemaš dozvolu za dodavanje efekta <secondary>{0} <dark_red>tom napitku. +noPowerTools=<primary>Nemaš dodeljenih super alatki. notAcceptingPay=<dark_red>{0} <dark_red>je prihvata uplate. -notEnoughExperience=<dark_red>Nemate dozovoljno iskustva. -notEnoughMoney=<dark_red>Nemate dovoljno novca. -notFlying=ne leti -nothingInHand=<dark_red>Nemate nista u ruci. +notEnoughExperience=<dark_red>Nemaš dovoljno iskustva. +notEnoughMoney=<dark_red>Nemaš dovoljno sredstava. +notFlying=neleteći +nothingInHand=<dark_red>Nemaš ništa u ruci. now=sada -noWarpsDefined=<primary>Nema postavljenih warpova. -nuke=<dark_purple>Krece kisa smrti. -numberRequired=Brojevi idu tu. -onlyDayNight=/time dozvoljava samo day/night. -onlyPlayers=<dark_red>Samo u igri mozete koristiti <secondary>{0}<dark_red>. -onlyPlayerSkulls=<dark_red>Mozes postaviti samo vlasnika glave igraca (<secondary>397\:3<dark_red>). -onlySunStorm=<dark_red>/weather podrzava samo sun/storm. +noWarpsDefined=<primary>Nema postavljenih warp-ova. +nuke=<dark_purple>Neka kiši smrt na njih. +numberRequired=Broj ide ovde, bleso. +onlyDayNight=/time podržava samo day/night. +onlyPlayers=<dark_red>Samo u igri možeš koristiti <secondary>{0}<dark_red>. +onlyPlayerSkulls=<dark_red>Možeš postaviti samo vlasnika glave igraca (<secondary>397\:3<dark_red>). +onlySunStorm=<dark_red>/weather podržava samo sun/storm. openingDisposal=<primary>Otvaranje kante za smeće... orderBalances=<primary>Sortiranje stanja od<secondary> {0} <primary>igraca, molimo vas sacekajte... -oversizedTempban=<dark_red>Ne mozes banovati igraca za ovaj taj period vremena. -payConfirmToggleOff=<primary>Više vas nećemo pitati za potvrdu uplata. -payConfirmToggleOn=<primary>Od sada ćemo vas pitati za potvrdu uplata. +oversizedTempban=<dark_red>Ne možeš banovati igrača na ovaj taj period vremena. +payConfirmToggleOff=<primary>Više te nećemo pitati za potvrdu uplata. +payConfirmToggleOn=<primary>Od sada ćemo te pitati za potvrdu uplata. payMustBePositive=<dark_red>Iznos uplate mora biti pozitivan. -payToggleOff=<primary>Više ne primate uplate. -payToggleOn=<primary>Od sada prihvatate uplate. +payToggleOff=<primary>Više ne primaš uplate. +payToggleOn=<primary>Od sada prihvataš uplate. pendingTeleportCancelled=<dark_red>Zahtev za teleport otkazan. -playerBanIpAddress=<primary>Igrac<secondary> {0} <primary>je banovao IP adresu igraca<secondary> {1} <primary>za\: <secondary>{2}<primary>. +playerBanIpAddress=<primary>Igrač<secondary> {0} <primary>je banovao IP adresu igrača<secondary> {1} <primary>na\: <secondary>{2}<primary>. playerBanned=&6Korisnik&c {0} &6je banovao&c {1} &6zbog\: &c{2}&6. -playerJailed=<primary>Igrac<secondary> {0} <primary>zatvoren. -playerMuted=<primary>Ucutkani ste\! -playerMutedFor=<primary>Mutani ste na<secondary> {0}<primary>. -playerMutedForReason=<primary>Mutani ste na<secondary> {0}<primary>. Razlog\: <secondary>{1} -playerNeverOnServer=<dark_red>Igrac<secondary> {0} <dark_red>nikada nije usao na server. -playerNotFound=<dark_red>Igrac nije pronadjen. +playerJailed=<primary>Igrač<secondary> {0} <primary>zatvoren. +playerMuted=<primary>Ućutkan/na si\! +playerMutedFor=<primary>Mute-ovan/na si na<secondary> {0}<primary>. +playerMutedForReason=<primary>Mute-ovan/na si na<secondary> {0}<primary>. Razlog <secondary>{1} +playerNeverOnServer=<dark_red>Igrač<secondary> {0} <dark_red>nikada nije ušao na server. +playerNotFound=<dark_red>Igrač nije pronađen. playerTempBanned=<primary>Igrač <secondary>{0}<primary> je privremeno banovao <secondary>{1}<primary> na <secondary>{2}<primary>\: <secondary>{3}<primary>. -playerUnmuted=<primary>Mozete ponovo da pricate. +playerUnmuted=<primary>Možete ponovo da pričate. playtimeCommandDescription=Prikazuje vreme koje je igrač proveo u igri -playtimeCommandUsage1Description=Prikazuje vreme koje ste proveli u igri +playtimeCommandUsage1Description=Prikazuje vreme koje si proveo/la u igri playtimeCommandUsage2Description=Prikazuje vreme koje je određeni igrač proveo u igri playtime=<primary>Vreme provedeno u igri\:<secondary> {0} playtimeOther=<primary>Vreme koje je {1} proveo u igri<primary>\:<secondary> {0} pong=Pong\! posPitch=<primary>Pitch\: {0} (Ugao glave) -possibleWorlds=<primary>Moguci svetovi su brojevi <secondary>0<primary> kroz <secondary>{0}<primary>. +possibleWorlds=<primary>Mogući svetovi su brojevi od <secondary>0<primary> do <secondary>{0}<primary>. posX=<primary>X\: {0} (+Istok <-> -Zapad) posY=<primary>Y\: {0} (+Gore <-> -Dole) posYaw=<primary>Yaw\: {0} (Rotacija) posZ=<primary>Z\: {0} (+Jug <-> -Sever) potions=<primary>Napici\:<reset> {0}<primary>. -powerToolAir=<dark_red>Komanda ne moze biti dodeljena vazduhu. -powerToolAlreadySet=<dark_red>Komanda <secondary>{0}<dark_red> je vec dodeljena <secondary>{1}<dark_red>. -powerToolClearAll=<primary>Sve komande sa alatki su obrisane. -powerToolList=<primary>Predmet <secondary>{1} <primary>ima sledece komande\: <secondary>{0}<primary>. -powerToolListEmpty=&4Stvar &c{0} &4nema povezanih komandi. -powerToolNoSuchCommandAssigned=<dark_red>Komanda <secondary>{0}<dark_red> nije podesena na <secondary>{1}<dark_red>. -powerToolRemove=<primary>Komanda <secondary>{0}<primary> je uklonjena sa <secondary>{1}<primary>. -powerToolRemoveAll=<primary>Sve komande izbrisane od <secondary>{0}<primary>. +powerToolAir=<dark_red>Naredba ne može biti dodeljena vazduhu. +powerToolAlreadySet=<dark_red>Naredba <secondary>{0}<dark_red> je već dodeljena <secondary>{1}<dark_red>. +powerToolClearAll=<primary>Sve naredbe sa alatki su obrisane. +powerToolList=<primary>Predmet <secondary>{1} <primary>ima sledeće komande\: <secondary>{0}<primary>. +powerToolListEmpty=<dark_red>Stvar <secondary>{0} <dark_red>nema dodeljenih naredbi. +powerToolNoSuchCommandAssigned=<dark_red>Naredba <secondary>{0}<dark_red> nije dodeljena <secondary>{1}<dark_red>. +powerToolRemove=<primary>Naredba <secondary>{0}<primary> je uklonjena sa <secondary>{1}<primary>. +powerToolRemoveAll=<primary>Sve naredbe izbrisane od <secondary>{0}<primary>. powerToolsDisabled=<primary>Svaki tvoj power tool je deaktiviran. powerToolsEnabled=<primary>Svaki tvoj power tool je aktiviran. -pTimeCurrent=<primary>Vreme igraca <secondary>{0}<primary> je<secondary> {1}<primary>. -pTimeCurrentFixed=<secondary>{0}<primary> vreme je namesteno na <secondary>{1}<primary>. -pTimeNormal=<secondary>{0}<primary> vreme je namesteno na normalu i sada se poklapa sa serverom. -pTimeOthersPermission=<dark_red>Nisi ovlascen da namestas vreme drugih igraca. -pTimePlayers=<primary>Sledeci igraci imaju svoje vreme\:<reset> -pTimeReset=<primary>Vreme igraca je resetovano na\: <secondary>{0} -pTimeSet=<primary>Vreme igraca je postavljeno na <secondary>{0}<primary> za\: <secondary>{1}. -pTimeSetFixed=<primary>Vreme igraca je postavljeno na <secondary>{0}<primary> za\: <secondary>{1}. -pWeatherCurrent=<primary>Vreme igraca <secondary>{0}<primary> je<secondary> {1}<primary>. -pWeatherInvalidAlias=<dark_red>Pogresan tip vremena -pWeatherNormal=<primary>Vreme od igraca <secondary>{0}<primary> je normalno i slaze se sa serverom. -pWeatherOthersPermission=<dark_red>Nemas dozvolu da menjas vreme dugih igraca. -pWeatherPlayers=<primary>Ovi igraci imaju svoje sopstveno vreme\:<reset> -pWeatherReset=<primary>Vreme igraca je resetovano za\: <secondary>{0} -pWeatherSet=<primary>Vreme igraca je podeseno na <secondary>{0}<primary> za\: <secondary>{1}. +pTimeCurrent=<primary>Vreme igrača <secondary>{0}<primary> je<secondary> {1}<primary>. +pTimeCurrentFixed=<secondary>{0}<primary> vreme je namešteno na <secondary>{1}<primary>. +pTimeNormal=<secondary>{0}<primary> vreme je namešteno na normalu i sada se poklapa sa serverom. +pTimeOthersPermission=<dark_red>Nisi ovlašćen da nameštaš vreme drugih igrača. +pTimePlayers=<primary>Sledeći igrači imaju sopstveno vreme\:<reset> +pTimeReset=<primary>Vreme igrača je resetovano na\: <secondary>{0} +pTimeSet=<primary>Vreme igrača je postavljeno na <secondary>{0}<primary> za\: <secondary>{1}. +pTimeSetFixed=<primary>Vreme igrača je postavljeno na <secondary>{0}<primary> za\: <secondary>{1}. +pWeatherCurrent=<primary>Vreme igrača <secondary>{0}<primary> je<secondary> {1}<primary>. +pWeatherInvalidAlias=<dark_red>Pogrešan tip vremena +pWeatherNormal=<primary>Vremenski uslovi igrača <secondary>{0}<primary> je normalni i slažu se sa serverskim. +pWeatherOthersPermission=<dark_red>Nemaš dozvolu da menjaš vremenske uslove drugih igrača. +pWeatherPlayers=<primary>Ovi igrači imaju svoje sopstvene vremenske uslove\:<reset> +pWeatherReset=<primary>Vreme igrača je resetovano za\: <secondary>{0} +pWeatherSet=<primary>Vreme igrača je podešeno na <secondary>{0}<primary> za\: <secondary>{1}. questionFormat=<dark_green>[Pitanje]<reset> {0} -readNextPage=<primary>Kucajte<secondary> /{0} {1} <primary>za sledecu stranu. +readNextPage=<primary>Kucaj<secondary> /{0} {1} <primary>za sledeću stranu. realName=<white>{0}<reset><primary> je <white>{1} -recentlyForeverAlone=<dark_red>{0} je skoro otišao. +recentlyForeverAlone=<dark_red>{0} je nedavno otišao/la. recipe=<primary>Recept za <secondary>{0}<primary> (<secondary>{1}<primary> od <secondary>{2}<primary>) recipeBadIndex=Nema recepta pod tim brojem. recipeFurnace=<primary>Istopiti\: <secondary>{0}<primary>. recipeGridItem=<secondary>{0}X <primary>je <secondary>{1} recipeNone=Nema recepta za {0}. -recipeNothing=nista +recipeNothing=ništa recipeShapeless=<primary>Spojiti <secondary>{0} recipeWhere=<primary>Gde\: {0} -removed=<primary>Obrisano<secondary> {0} <primary>enititija. -repair=<primary>Uspesno ste popravili svoj(u)\: <secondary>{0}<primary>. -repairAlreadyFixed=<dark_red>Ovom itemu nije potrebna popravka. -repairEnchanted=<dark_red>Nemate dozvolu da popravljate zacarane iteme. -repairInvalidType=<dark_red>Ovaj item ne mozete popraviti. -repairNone=<dark_red>Nemate iteme koje treba popraviti. -requestAccepted=<primary>Zahtev za teleportaciju prihvacen. -requestAcceptedFrom=<secondary>{0} <primary>je prihvatio vas zahtev za teleport. -requestDenied=<primary>Zahtev za teleport odbijen. -requestDeniedFrom=<secondary>{0} <primary>je odbio vas zahtev za teleport. -requestSent=<primary>Zahtev poslat igracu<secondary> {0}<primary>. -requestSentAlready=<dark_red>Već ste poslali {0}<dark_red> zahtev za teleport. +removed=<primary>Obrisano<secondary> {0} <primary>enity-ja. +repair=<primary>Uspešno si popravio/la svoj(u)\: <secondary>{0}<primary>. +repairAlreadyFixed=<dark_red>Ovom item-u nije potrebna popravka. +repairEnchanted=<dark_red>Nemaš dozvolu da popravljaš začarane item-e. +repairInvalidType=<dark_red>Ovaj item ne mozeš popraviti. +repairNone=<dark_red>Nemaš item-e koje treba popraviti. +requestAccepted=<primary>Zahtev za teleportaciju prihvaćen. +requestAcceptedFrom=<secondary>{0} <primary>je prihvatio/la tvoj zahtev za teleportovanje. +requestDenied=<primary>Zahtev za teleportovanje odbijen. +requestDeniedFrom=<secondary>{0} <primary>je odbio/la tvoj zahtev za teleportovanje. +requestSent=<primary>Zahtev poslat igraču<secondary> {0}<primary>. +requestSentAlready=<dark_red>Već si poslao/la igraču {0}<dark_red> zahtev za teleport. requestTimedOut=<dark_red>Zahtev za teleport je istekao. resetBal=<primary>Stanje resetovano na <secondary>{0} <primary>za sve online igrace. -resetBalAll=<primary>Stanje resetovano na <secondary>{0} <primary>za sve igrace. -returnPlayerToJailError=<dark_red>Greska prilikiom pokusavanja vracanja igraca <secondary> {0} <dark_red>tuzatvor\: <secondary>{1}<dark_red>\! -runningPlayerMatch=<primary>Pokrećem pretragu za igrace koji imaju <secondary>{0}<primary>'' (ovo moze da potraje). +resetBalAll=<primary>Stanje resetovano na <secondary>{0} <primary>za sve igrače. +returnPlayerToJailError=<dark_red>Greška prilikiom pokušavanja vraćanja igrača <secondary> {0} <dark_red>u zatvor\: <secondary>{1}<dark_red>\! +runningPlayerMatch=<primary>Pokretanje pretrage za igrače koji imaju odgovarajuće <secondary>{0}<primary>'' (ovo može da potraje). second=sekunda -seconds=sekunde -seenAccounts=<primary>Igrac je takodje poznat kao\:<secondary> {0} -seenOffline=<primary>Igrac<secondary> {0} <primary>je <dark_red>offline<primary> vec <secondary>{1}<primary>. -seenOnline=<primary>Igrac<secondary> {0} <primary>je <green>online<primary> vec <secondary>{1}<primary>. -sellBulkPermission=<primary>Nemate dozvolu za prodaju na veliko. -sellHandPermission=<primary>Nemate dozvolu za prodaju iz ruke. +seconds=sekunde/i +seenAccounts=<primary>Igrač je takođe poznat kao\:<secondary> {0} +seenOffline=<primary>Igrač<secondary> {0} <primary>je <dark_red>offline<primary> već <secondary>{1}<primary>. +seenOnline=<primary>Igrač<secondary> {0} <primary>je <green>online<primary> već <secondary>{1}<primary>. +sellBulkPermission=<primary>Nemaš dozvolu za prodaju na veliko. +sellHandPermission=<primary>Nemaš dozvolu za prodaju iz ruke. serverFull=Server je pun\! serverTotal=<primary>Ekonomija servera\:<secondary> {0} -serverUnsupported=Koristite verziju servera za koju ne nudimo podršku\! +serverUnsupported=Koristiš verziju servera za koju ne nudimo podršku\! setBal=<green>Vase stanje je stavljeno na {0}. -setBalOthers=<green>Postavili ste stanje igraca {0}<green> na {1}. +setBalOthers=<green>Postavio/la si stanje igrača {0}<green> na {1}. setSpawner=<primary>Promenjen tip spawnera na<secondary> {0}<primary>. -sheepMalformedColor=<dark_red>Losa boja. +sheepMalformedColor=<dark_red>Loše formirana boja. shoutFormat=<primary>[Vikanje]<reset> {0} signFormatTemplate=[{0}] -signProtectInvalidLocation=<dark_red>Nemate dozvolu za postavljenje znakova tu. -similarWarpExist=<dark_red>Warp sa istim imenom vec postoji. -southEast=SE -south=S -southWest=SW +signProtectInvalidLocation=<dark_red>Nemaš dozvolu za postavljenje znakova tu. +similarWarpExist=<dark_red>Warp sa istim imenom već postoji. +southEast=JI +south=J +southWest=JZ skullChanged=<primary>Glava promenjena na <secondary>{0}<primary>. -slimeMalformedSize=<dark_red>Losa velicina. -socialSpy=<primary>SocialSpijun za igraca <secondary>{0}<primary>\: <secondary>{1} +slimeMalformedSize=<dark_red>Loše formirana veličina. +socialSpy=<primary>SocialSpy za igrača <secondary>{0}<primary>\: <secondary>{1} socialSpyMutedPrefix=<white>[<primary>SS<white>] <gray>(ućutkan) <reset> -soloMob=<dark_red>To stvorenje zeli da bude samo. +soloMob=<dark_red>To stvorenje želi da bude samo. spawned=stvoreno spawnSet=<primary>Spawn lokacija postavljena za grupu<secondary> {0}<primary>. spectator=spectator -sudoExempt=<dark_red>Ne možete naterati <secondary>{0}. -sudoRun=<primary>Forsiranje igraca<secondary> {0} <primary>na\:<reset> /{1} -suicideMessage=<primary>Zbog surovi svete... -suicideSuccess=<primary>Igrac <secondary>{0} <primary>je uskratio sebi zivot. -survival=prezivljavanje -teleportAAll=<primary>Zahtev za teleport poslat svim igracima... -teleportAll=<primary>Teleportovanje svih igraca... +sudoExempt=<dark_red>Ne možeš naterati <secondary>{0}. +sudoRun=<primary>Forsiranje igrača<secondary> {0} <primary>na\:<reset> /{1} +suicideMessage=<primary>Zbogom surovi svete... +suicideSuccess=<primary>Igrač <secondary>{0} <primary>je uskratio sebi zivot. +survival=preživljavanje +teleportAAll=<primary>Zahtev za teleportovanje poslat svim igračima... +teleportAll=<primary>Teleportovanje svih igrača... teleportationCommencing=<primary>Teleportovanje u toku... teleportationDisabled=<primary>Teleportovanje <secondary>onemoguceno<primary>. -teleportationDisabledFor=<primary>Teleport <secondary>onemogucen <primary>za <secondary>{0}<primary>. -teleportationEnabled=<primary>Teleport <secondary>omogucen<primary>. -teleportationEnabledFor=<primary>Teleport <secondary>omogucen <primary>za <secondary>{0}<primary>. -teleportAtoB=<secondary>{0}<primary> vas je teleportovao do igraca <secondary>{1}<primary>. -teleportDisabled=<secondary>{0} <dark_red>je ugasio teleportaciju. -teleportHereRequest=<secondary>{0}<primary> zahteva da se teleportujete do njega. -teleporting=<primary>Teleport u toku... -teleportInvalidLocation=Vrednost koordinata ne moze biti veca od 30000000 -teleportNewPlayerError=<dark_red>Neuspelo teleportovanje novog igraca\! +teleportationDisabledFor=<primary>Teleportacija <secondary>onemogućen <primary>za <secondary>{0}<primary>. +teleportationEnabled=<primary>Teleportacija <secondary>omogućen<primary>. +teleportationEnabledFor=<primary>Teleportacija <secondary>omogućen <primary>za <secondary>{0}<primary>. +teleportAtoB=<secondary>{0}<primary> vas je teleportovao/la do igrača <secondary>{1}<primary>. +teleportBottom=<primary>Teleportacija do dna. +teleportDisabled=<secondary>{0} <dark_red>je ugasio/la teleportaciju. +teleportHereRequest=Igrač <secondary>{0}<primary> zahteva da se teleportujete do njega. +teleportHome=<primary>Teleportacija do <secondary>{0}<primary>. +teleporting=<primary>Teleportacija u toku... +teleportInvalidLocation=Vrednost koordinata ne moze biti iznad 30000000 +teleportNewPlayerError=<dark_red>Neuspelo teleportovanje novog igrača\! teleportRequest=<secondary>{0}<primary> zahteva da se teleportuje do vas. -teleportRequestAllCancelled=<primary>Svi preveliki teleport zahtevi prekinuti. -teleportRequestTimeoutInfo=<primary>Zahtev istice za<secondary> {0} sekundi<primary>. +teleportRequestAllCancelled=<primary>Svi preveliki zahtevi za teleportovanje zahtevi prekinuti. +teleportRequestTimeoutInfo=<primary>Zahtev ističe za<secondary> {0} sekundi<primary>. teleportTop=<primary>Teleportovanje na vrh. -teleportToPlayer=<primary>Teleport do <secondary>{0}<primary>. -tempbanExempt=<dark_red>Ne mozete tempbanovati tog igraca. -tempbanExemptOffline=<dark_red>Ne mozete privremeno banovati igrace koji nisu tu. -tempbanJoin=Banovani ste sa ovog servera na {0}. Razlog\: {1} -thunder=<primary>Ti<secondary> {0} <primary>si zagrmeo u svom svetu. -thunderDuration=<primary>Ti<secondary> {0} <primary>si zagrmeo u svom svetu za<secondary> {1} <primary>sekunde. -timeBeforeHeal=<dark_red>Vreme do sledeceg izlecenja\:<secondary> {0}<dark_red>. -timeBeforeTeleport=<dark_red>Vreme do sledeceg teleporta\:<secondary> {0}<dark_red>. +teleportToPlayer=<primary>Teleportovanje do <secondary>{0}<primary>. +tempbanExempt=<dark_red>Ne možeš tempbanovati tog igrača. +tempbanExemptOffline=<dark_red>Ne možeš privremeno banovati igrače koji nisu tu. +tempbanJoin=Banovan/na si sa ovog servera na {0}. Razlog\: {1} +thunder=<primary>Ti<secondary> {0} <primary>si zagrmeo/la u svom svetu. +thunderDuration=<primary>Ti<secondary> {0} <primary>si zagrmeo/la u svom svetu na<secondary> {1} <primary>sekunde. +timeBeforeHeal=<dark_red>Vreme do sledećeg izlečenja\:<secondary> {0}<dark_red>. +timeBeforeTeleport=<dark_red>Vreme do sledećeg teleportovanja\:<secondary> {0}<dark_red>. timeFormat=<secondary>{0}<primary> ili <secondary>{1}<primary> ili <secondary>{2}<primary> -timeSetPermission=<dark_red>Nije vam dozvoljeno da menjate vreme. -timeSetWorldPermission=<dark_red>Nije vam dozvoljeno da menjate vreme u svetu ''{0}''. +timeSetPermission=<dark_red>Nije ti dozvoljeno da menjatš vreme. +timeSetWorldPermission=<dark_red>Nije ti dozvoljeno da menjaš vreme u svetu ''{0}''. timeWorldCurrent=<primary>Trenutno vreme u<secondary> {0} <primary>je <secondary>{1}<primary>. -timeWorldSet=<primary>Vreme je namesteno na<secondary> {0} <primary>u\: <secondary>{1}<primary>. +timeWorldSet=<primary>Vreme je namešteno na<secondary> {0} <primary>u\: <secondary>{1}<primary>. +topCommandDescription=Teleportuj se do najvišeg bloka tvoje trenutne lokacije. totalSellableAll=<green>Ukupna vrednost svih predmeta i blokova koji se mogu prodati je <secondary>{1}<green>. totalSellableBlocks=<green>Ukupna vrednost svih blokova koji se mogu prodati je <secondary>{1}<green>. totalWorthAll=<green>Prodani su svi predmeti i blokovi za ukupnu cenu od <secondary>{1}<green>. totalWorthBlocks=<green>Prodani su svi blokovi za ukupnu cenu od <secondary>{1}<green>. +tpCommandDescription=Teleportuje se do igrača. +tprSuccess=<primary>Teleportacija do nasumične lokacije... tps=<primary>Trenutni TPS \= {0} tradeSignEmpty=<dark_red>Znak za razmenu nema nista dostupno za tebe. -tradeSignEmptyOwner=<dark_red>Nema nicega da se pokupi sa ovog znaka za razmenu. -treeFailure=<dark_red>Stvaranje drveta neuspelo. Pokusajte na travi. +tradeSignEmptyOwner=<dark_red>Nema ničega da se pokupi sa ovog znaka za razmenu. +treeFailure=<dark_red>Stvaranje drveta nije uspelo. Pokušaj na travi. treeSpawned=<primary>Stvoreno drvo. -true=<green>omogucen<reset> -typeTpacancel=<primary>Da prekinete ovaj zahtev, kucajte <secondary>/tpacancel<primary>. +true=<green>omogućen<reset> +typeTpacancel=<primary>Da prekineš ovaj zahtev, kucaj <secondary>/tpacancel<primary>. typeTpaccept=Za teleportaciju, ukucaj /tpaccept. -typeTpdeny=<primary>Da odbijes teleportaciju, ukucaj <secondary>/tpdeny<primary>. -typeWorldName=<primary>Mozete takodje ukucati ime odredjenog sveta. +typeTpdeny=<primary>Da odbiješ teleportaciju, ukucaj <secondary>/tpdeny<primary>. +typeWorldName=<primary>Možeš takođe ukucati ime određenog sveta. unableToSpawnItem=<dark_red>Nemoguće stvaranje <secondary>{0}<dark_red>; ova stvar je nestvoriva. unableToSpawnMob=<dark_red>Neuspelo stvaranje stvorenja. -unignorePlayer=<primary>Ne ignorises vise igraca pod imenom <secondary>{0}<primary>. +unignorePlayer=<primary>Ne ignorišeš vise igrača po imenu <secondary>{0}<primary>. unknownItemId=<dark_red>Nepoznat predmet, Id\:<reset> {0}<dark_red>. unknownItemInList=<dark_red>Nepoznat predmet {0} u {1} listi. unknownItemName=<dark_red>Nepoznato ime predmeta\: {0}. -unlimitedItemPermission=<dark_red>Nema permisija za beskonacan predmet <secondary>{0}<dark_red>. -unlimitedItems=<primary>Beskonacni predmeti\:<reset> -unmutedPlayer=<primary>Igrac<secondary> {0} <primary>unmutiran. -unsafeTeleportDestination=<dark_red>Destinacija za teleportaciju nije sigurna. -unvanishedReload=<dark_red>A Reload te pretvorio da budes ponovo vidljiv. -upgradingFilesError=Greska prilikom ugradjivanja stvari\! -userAFK=<gray>{0} <dark_purple>je trenutno AFK i ne moze da odgovori. +unlimitedItemPermission=<dark_red>Nema dozvola za neograničen predmet <secondary>{0}<dark_red>. +unlimitedItems=<primary>Neograničeni predmeti\:<reset> +unmutedPlayer=<primary>Igrač<secondary> {0} <primary>unmutiran. +unsafeTeleportDestination=<dark_red>Odredište za teleportaciju nije sigurno. +unvanishedReload=<dark_red>reload te je prisilio da postaneš vidljiv/a. +upgradingFilesError=Greška prilikom nadgradnje fajlova. +userAFK=<gray>{0} <dark_purple>je trenutno AFK i ne može da odgovori. userAFKWithMessage=<gray>{0} <dark_purple>je trenutno AFK i možda vam neće odgovoriti\: {1} -userdataMoveBackError=Neuspesno pomeranje userdata/{0}.tmp u userdata/{1}\! -userdataMoveError=Neuspeslo pomeranje userdata/{0} u userdata/{1}.tmp\! -userDoesNotExist=<dark_red>Igrac<secondary> {0} <dark_red>ne postoji. +userdataMoveBackError=Neuspešno pomeranje userdata/{0}.tmp u userdata/{1}\! +userdataMoveError=Neuspešno pomeranje userdata/{0} u userdata/{1}.tmp\! +userDoesNotExist=<dark_red>Igrač<secondary> {0} <dark_red>ne postoji. userIsAway=<gray>* {0} <gray>je AFK. userIsAwayWithMessage=<gray>* {0} <gray>je sada AFK. userIsNotAway=<gray>* {0} <gray>vise nije AFK. -userJailed=<primary>Zatvoreni ste\! -userUnknown=<dark_red>Upozorenje\: Igrac ''<secondary>{0}<dark_red>'' nikad nije usao na server. -usingTempFolderForTesting=Koriscenje privremenog direktorijuma radi testiranja\: +userIsAwaySelf=<gray>AFK si. +userIsAwaySelfWithMessage=<gray>Sada si AFK. +userIsNotAwaySelf=<gray>Više nisi AFK. +userJailed=<primary>Zatvoren/na si\! +userUnknown=<dark_red>Upozorenje\: Igrač''<secondary>{0}<dark_red>'' nikad nije ušao na server. +usingTempFolderForTesting=Korišćenje privremenog direktorijuma radi testiranja\: vanish=<primary>Vanish za {0}<primary>\: {1} -vanished=<primary> Postao si ne vidljiv za igrace i sakriven za komande. +vanished=<primary> Postao/la si nevidljiv/a za igrače i sakriven za naredbe. versionOutputVaultMissing=<dark_red>Vault nije instaliran. Chat i permisije možda neće raditi. versionOutputFine=<primary>{0} verzija\: <green>{1} versionOutputWarn=<primary>{0} verzija\: <secondary>{1} -versionOutputUnsupportedPlugins=<primary>Koristite plugine za koje ne nudimo <light_purple>podršku<primary>\! +versionOutputUnsupportedPlugins=<primary>Koristiš priključke za koje ne nudimo <light_purple>podršku<primary>\! versionOutputEconLayer=<primary>Sloj Ekonomije\: <reset>{0} -versionMismatch=<dark_red>Verzija se ne slaze\! Molimo vas azurirajte {0} na istu verziju. -versionMismatchAll=<dark_red>Verzija se ne slaze\! Molimo vas azurirajte sve Essentials jar dokumente na iste verzije. -voiceSilenced=<primary>Ti si upravo mutiran\! +versionMismatch=<dark_red>Verzija se ne slaže\! Molimo ažuriraj {0} na istu verziju. +versionMismatchAll=<dark_red>Verzija se ne slaže\! Molimo ažuriraj sve Essentials jar-ove na istu verziju. +voiceSilenced=<primary>Ti si upravo ućutkan/na\! walking=hodanje warpDeleteError=<dark_red>Problem prilikom brisanja datoteke warp. warpingTo=<primary>Warp do<secondary> {0}<primary>. warpList={0} -warpListPermission=<dark_red> Nemas permisiju da vidis warpove. +warpListPermission=<dark_red> Nemaš dozvolu da vidiš warp-ove. warpNotExist=Taj warp ne postoji -warpOverwrite=<dark_red>Ne mozete zameniti taj warp. +warpOverwrite=<dark_red>Ne možeš zameniti taj warp. warps=<primary>Warpovi\:<reset> {0} warpsCount=<primary>Dostupno je<secondary> {0} <primary>warpa. Strana <secondary>{1} <primary>od <secondary>{2}<primary>. warpSet=<primary>Warp<secondary> {0} <primary>postavljen. warpUsePermission=Nemas dozvolu da koristis taj warp weatherInvalidWorld=Svet pod nazivom {0} ne postoji\! -weatherStorm=<primary>Promenio si vreme iz <secondary>nevremena<primary> u<secondary> {0}<primary>. -weatherSun=<primary>Postavio si vreme na <secondary>suncano<primary> u<secondary> {0}<primary>. +weatherStorm=<primary>Promenio/la si vreme iz <secondary>nevremena<primary> u<secondary> {0}<primary>. +weatherSun=<primary>Postavio/la si vremenske uslove na <secondary>sunčano<primary> u<secondary> {0}<primary>. west=W whoisAFKSince=<primary> - AFK\:<reset> {0} (Od {1}) -whoisBanned=<primary> - Banovani\:<reset> {0} +whoisBanned=<primary> - Banovan/na\:<reset> {0} whoisExp=<primary> - Iskustvo\:<reset> {0} (Level {1}) whoisFly=<primary> - Mod letenja\:<reset> {0} ({1}) whoisGamemode=<primary> - Mod igre\:<reset> {0} whoisGeoLocation=<primary> - Lokacija\:<reset> {0} whoisGod=<primary> - Mod Bogova\:<reset> {0} -whoisHealth=<primary> - Zivot\:<reset> {0}/20 +whoisHealth=<primary> - Život\:<reset> {0}/20 whoisHunger=<primary> - Glad\:<reset> {0}/20 (+{1} zasicenosti) whoisIPAddress=<primary> - IP Adresa\:<reset> {0} whoisJail=<primary> - Zatvor\:<reset> {0} @@ -714,8 +724,8 @@ whoisTempBanned=<primary> - Ban ističe\:<reset> {0} whoisTop=<primary> \=\=\=\=\=\= KoJe\:<secondary> {0} <primary>\=\=\=\=\=\= worth=<green>Gomila {0} vredi <secondary>{1}<green> ({2} predmet(a) za {3} po svakom) worthMeta=<green>Gomila {0} sa metadatom od {1} kosta <secondary>{2}<green> ({3} predmet(a) {4} po svakom) -worthSet=<primary>Vrednost podesenja +worthSet=<primary>Vrednost određena year=godina -years=godine -youAreHealed=<primary>Izleceni ste. -youHaveNewMail=<primary>Imate <secondary>{0} <primary>poruka\! Kucajte <secondary>/mail read<primary> da ih procitate. +years=godine/a +youAreHealed=<primary>Izlečen/na si. +youHaveNewMail=<primary>Imaš <secondary>{0} <primary>poruka\! Kucaj <secondary>/mail read<primary> da ih pročitaš. diff --git a/Essentials/src/main/resources/messages_sv.properties b/Essentials/src/main/resources/messages_sv.properties index 53bd00409d1..f1ae3564906 100644 --- a/Essentials/src/main/resources/messages_sv.properties +++ b/Essentials/src/main/resources/messages_sv.properties @@ -1,5 +1,7 @@ #Sat Feb 03 17:34:46 GMT 2024 +action= addedToAccount=<yellow>{0}<green> har blivit tillagt på ditt konto. +addedToOthersAccount= adventure=äventyr afkCommandDescription=Markerar dig som borta. afkCommandUsage=/<command> [spelare/meddelande...] diff --git a/Essentials/src/main/resources/messages_tr.properties b/Essentials/src/main/resources/messages_tr.properties index 1f4c1a046e6..063070f6312 100644 --- a/Essentials/src/main/resources/messages_tr.properties +++ b/Essentials/src/main/resources/messages_tr.properties @@ -1,4 +1,5 @@ #Sat Feb 03 17:34:46 GMT 2024 +action= addedToAccount=<yellow>{0}<green> hesabınız eklendi. addedToOthersAccount=<yellow>{0}<green>, <yellow> {1}<green> hesabına eklendi. Yeni bakiye\:<yellow> {2} adventure=macera @@ -103,6 +104,7 @@ broadcastCommandUsage=/<komut> <mesaj> broadcastCommandUsage1Description=Verilen mesajı tüm sunucuya yayınlar broadcastworldCommandDescription=Bir dünyaya mesaj yayınlar. broadcastworldCommandUsage=/<komut> <dünya> <mesaj> +broadcastworldCommandUsage1=/<command><world><msg> broadcastworldCommandUsage1Description=Verilen mesajı belirtilen dünyada yayınlar burnCommandDescription=Bir oyuncuyu ateşe ver. burnCommandUsage=/<komut> <oyuncu> <saniye> diff --git a/Essentials/src/main/resources/messages_uk.properties b/Essentials/src/main/resources/messages_uk.properties index c9f7cdf3275..81391e84f4b 100644 --- a/Essentials/src/main/resources/messages_uk.properties +++ b/Essentials/src/main/resources/messages_uk.properties @@ -4,7 +4,7 @@ addedToAccount=<yellow>{0}<green> було додано до вашого обл addedToOthersAccount=<yellow>{0}<green> додано до<yellow> {1}<green> облікового запису. Новий баланс\:<yellow> {2} adventure=пригодницький afkCommandDescription=Позначає вас як afk. -afkCommandUsage=/<command> [гравець/повідомлення...] +afkCommandUsage=/<command> [гравець/повідомлення.] afkCommandUsage1=/<command> [повідомлення] afkCommandUsage1Description=Перемикає ваш afk статус з необов''язковою причиною afkCommandUsage2=/<command> <player> [повідомлення] @@ -24,7 +24,7 @@ antiochCommandDescription=Маленький подарунок для опер antiochCommandUsage=/<command> [message] anvilCommandDescription=Відкрити ковадло. anvilCommandUsage=/<command> -autoAfkKickReason=Вас вигнано з гри через бездіяльність на протязі {0} хвилин. +autoAfkKickReason=Вас вигнано з гри за бездіяльність протягом {0} хвилин. autoTeleportDisabled=<primary>Ви більше не приймаєте запити на телепортацію автоматично. autoTeleportDisabledFor=<secondary>{0}<primary> більше не приймає запити на телепортацію автоматично. autoTeleportEnabled=<primary>Тепер ви приймаєте запити на телепортацію автоматично. @@ -686,7 +686,7 @@ kitResetOther=<primary>Скидання таймеру набору <secondary>{ kits=<primary>Комплекти\:<reset> {0} kittycannonCommandDescription=Кидає вибухове кошеня на Вашого супротивника. kittycannonCommandUsage=/<command> -kitTimed=<dark_red>Ви не можете використовувати цей комплект на протязі<secondary> {0}<dark_red>. +kitTimed=<dark_red>Ви не можете використовувати цей комплект протягом<secondary> {0}<dark_red>. leatherSyntax=<primary>Синтаксис кольору шкіри\:<secondary> color\:\\<red>,\\<green>,\\<blue> наприклад\: color\:255,0,0<primary> OR<secondary> color\:<rgb int> наприклад\: color\:16777011 lightningCommandDescription=Міць Тора. Вдаряє блискавкою у місце наведення курсору або вказаного гравця. lightningCommandUsage=/<command> [гравець] [потужність] @@ -936,7 +936,7 @@ playerJailedFor=<primary>Гравець<secondary> {0} <primary>посаджен playerKicked=<primary>Гравець<secondary> {0} <primary>кікнутий<secondary> {1}<primary> на<secondary> {2}<primary>. playerMuted=<primary>Вам заборонили писати в чат\! playerMutedFor=<primary>Ти отримав мут на<secondary> {0}<primary>. -playerMutedForReason=<primary>Ви не можете писати в чат на протязі<secondary> {0}<primary>. Причина\: <secondary>{1} +playerMutedForReason=<primary>Ви не можете писати в чат протягом<secondary> {0}<primary>. Причина\: <secondary>{1} playerMutedReason=<primary>Ви не можете писати в чат\! Причина\: <secondary>{0} playerNeverOnServer=<dark_red>Гравця<secondary> {0} <dark_red>ніколи не було на сервері. playerNotFound=<dark_red>Гравця не знайдено. diff --git a/Essentials/src/main/resources/messages_zh.properties b/Essentials/src/main/resources/messages_zh.properties index ed9df678465..285e9e2c004 100644 --- a/Essentials/src/main/resources/messages_zh.properties +++ b/Essentials/src/main/resources/messages_zh.properties @@ -71,9 +71,9 @@ banipCommandDescription=封禁一个IP地址。 banipCommandUsage=/<command> <地址> [理由] banipCommandUsage1=/<command> <地址> [理由] banipCommandUsage1Description=以指定理由封禁指定IP地址 -bed=<i>床<reset> +bed=<i>bed(床)<reset> bedMissing=<dark_red>你的床不存在或已被阻挡。 -bedNull=<st>床<reset> +bedNull=<st>bed(床)<reset> bedOffline=<dark_red>无法传送到离线玩家的床。 bedSet=<primary>已设置床! beezookaCommandDescription=向你的敌人扔出一只会爆炸的蜜蜂。 diff --git a/Essentials/src/main/resources/messages_zh_HK.properties b/Essentials/src/main/resources/messages_zh_HK.properties index cc1276a7555..6087c583341 100644 --- a/Essentials/src/main/resources/messages_zh_HK.properties +++ b/Essentials/src/main/resources/messages_zh_HK.properties @@ -1,114 +1,337 @@ #Sat Feb 03 17:34:46 GMT 2024 +addedToAccount=<yellow>{0}<green> 已加入到你嘅帳戶。 +addedToOthersAccount=<yellow>{0}<green> 已加入到<yellow> {1}<green> 嘅帳戶。新餘額\:<yellow> {2} adventure=冒險模式 +afkCommandDescription=標記你為離開狀態。 +afkCommandUsage=/<command> [玩家/訊息...] +afkCommandUsage1=/<command> [訊息] +afkCommandUsage1Description=切換你自己嘅離線狀態,可附加訊息 +afkCommandUsage2=/<command> <玩家> [訊息] +afkCommandUsage2Description=切換指定玩家嘅離線狀態,可附加訊息 alertBroke=破壞\: alertFormat=<dark_aqua>[{0}] <reset> {1} <primary> {2} 於\: {3} alertPlaced=放置\: alertUsed=使用\: -alphaNames=<dark_red>玩家名稱只能由字母、數字、底線組成。 -antiBuildBreak=<dark_red>你沒有權限破壞<dark_red> {0} <dark_red>這個方塊. -antiBuildCraft=<dark_red>你沒有權限放置<dark_red> {0} <dark_red>這個方塊. -antiBuildDrop=<dark_red>你沒有權限放置<dark_red> {0} <dark_red>這個方塊. -antiBuildInteract=<dark_red>你沒有權限與<dark_red> {0}<dark_red>交互. -antiBuildPlace=<dark_red>你沒有權限放置<dark_red> {0} <dark_red>這個方塊. -antiBuildUse=<dark_red>你沒有權限使用<dark_red> {0}<dark_red>. +alphaNames=<dark_red>玩家名稱只可以由字母、數字同底線組成。 +antiBuildBreak=<dark_red>你冇權限破壞<dark_red> {0} <dark_red>呢個方塊。 +antiBuildCraft=<dark_red>你冇權限製作<dark_red> {0} <dark_red>呢個物品。 +antiBuildDrop=<dark_red>你冇權限丟棄<dark_red> {0} <dark_red>呢件物品。 +antiBuildInteract=<dark_red>你冇權限同<dark_red> {0}<dark_red>互動。 +antiBuildPlace=<dark_red>你冇權限放置<dark_red> {0} <dark_red>呢個方塊。 +antiBuildUse=<dark_red>你冇權限使用<dark_red> {0}<dark_red>。 +antiochCommandDescription=管理員嘅小小驚喜。 +antiochCommandUsage=/<command> [訊息] +anvilCommandDescription=打開鐵砧介面。 autoAfkKickReason=你因為長時間未能在遊戲中做出動作並超過 {0} 分鐘而被服務器請出! -autoTeleportDisabled=<primary>你不再接受自動傳送請求. -autoTeleportDisabledFor=<secondary>{0}<primary> 不再接受自動傳送請求. -autoTeleportEnabled=<primary>你現在接受自動傳送請求. -autoTeleportEnabledFor=<secondary>{0}<primary> 接受自動傳送請求. -backAfterDeath=<primary>使用<secondary> /back<primary> 返回死亡位置. -backOther=<primary>返回<secondary> {0}<primary> 到上一個位置. -backupDisabled=<dark_red>備份配置文件未被設置. -backupFinished=<primary>備份完成. -backupStarted=<primary>備份開始 -backUsageMsg=<primary>回到上一位置 -balance=<green>現金\:{0} -balanceOther=<green>{0}的金錢\:<secondary> {1} -balanceTop=<primary>金錢排行\:{0} -banExempt=<dark_red>你不能封禁那個玩家<reset> -banExemptOffline=<dark_red>你不能封鎖離線玩家。 -banFormat=<dark_red>已封禁\:<reset> {0} +autoTeleportDisabled=<primary>你已停止接受自動傳送請求。 +autoTeleportDisabledFor=<secondary>{0}<primary> 已停止接受自動傳送請求。 +autoTeleportEnabled=<primary>你而家接受緊自動傳送請求。 +autoTeleportEnabledFor=<secondary>{0}<primary> 正接受自動傳送請求。 +backAfterDeath=<primary>使用<secondary> /back<primary> 返回死亡位置。 +backCommandDescription=將你傳送返去傳送前/出生點/上一次位置。 +backCommandUsage=/<command> [玩家] +backCommandUsage1Description=將你傳送返到上一次位置。 +backCommandUsage2=/<command> <玩家> +backCommandUsage2Description=將指定玩家傳送返到佢上一次位置。 +backOther=<primary>將<secondary>{0}<primary> 傳送返到上一個位置。 +backupCommandDescription=如果有設定自動備份,就會立即執行備份。 +backupDisabled=<dark_red>備份設定文件未設定。 +backupFinished=<primary>備份完成。 +backupStarted=<primary>備份開始。 +backupInProgress=<primary>外部備份腳本進行中\! 插件停用將延遲直至備份完成。 +backUsageMsg=<primary>傳送返去上一次位置 +balance=<green>現金餘額\:{0} +balanceCommandDescription=顯示你嘅現有餘額。 +balanceCommandUsage=/<command> [玩家] +balanceCommandUsage1Description=顯示你自己嘅現金餘額。 +balanceCommandUsage2=/<command> <玩家> +balanceCommandUsage2Description=顯示指定玩家嘅現金餘額。 +balanceOther=<green>{0}嘅現金餘額\:<secondary> {1} +balanceTop=<primary>金錢排行榜\:{0} +balancetopCommandDescription=顯示最高現金餘額排行榜。 +balancetopCommandUsage=/<command> [頁碼] +balancetopCommandUsage1Description=顯示最高餘額排行榜第 1 頁(或指定頁碼)。 +banCommandDescription=將一位玩家停權。 +banCommandUsage=/<command> <玩家> [原因] +banCommandUsage1Description=將指定玩家停權,可選擇附加原因。 +banExempt=<dark_red>你無法停權呢位玩家<reset> +banExemptOffline=<dark_red>你無法停權離線玩家。 +banFormat=<dark_red>已停權\:<reset> {0} banIpJoin=Your IP address is banned from this server. Reason\: {0} banJoin=You are banned from this server. Reason\: {0} +banipCommandDescription=封鎖一個 IP 地址。 +banipCommandUsage=/<command> <地址> [原因] +banipCommandUsage1Description=封鎖指定 IP 地址,可選擇附加原因。 bed=<gray>床<reset> -bedMissing=<reset>54你的床已丟失或阻擋 +bedMissing=<reset>你嘅床已被破壞或阻擋 bedNull=<st>床<reset> -bedSet=<st>已設置床<reset> -bigTreeFailure=<dark_red>生成大樹失敗.在土塊或草塊上面再試一次 -bigTreeSuccess=<primary>已生成大樹 -blockList=<primary>EssentialsX 將以下指令轉發給其他插件\: -blockListEmpty=<primary>EssentialsX 不將以下指令轉發給其他插件\: -bookAuthorSet=<primary>這本書的作者已被設置為 {0}. -bookLocked=<primary>這本書現在正被鎖定. -bookTitleSet=<primary>這本書的標題已被設置為 {0}. +bedOffline=<dark_red>無法傳送到離線用戶嘅床位置。 +bedSet=<st>床位已設定<reset> +beezookaCommandDescription=向對手投擲一隻爆炸蜜蜂。 +bigTreeFailure=<dark_red>生成大樹失敗。在泥土或草地上再試一次。 +bigTreeSuccess=<primary>大樹生成成功。 +bigtreeCommandDescription=喺你望緊嘅方向生成一棵大樹。 +bigtreeCommandUsage1Description=生成指定類型嘅大樹。 +blockList=<primary>EssentialsX 會將以下指令轉發比其他插件\: +blockListEmpty=<primary>EssentialsX 唔會轉發以下指令比其他插件\: +bookAuthorSet=<primary>呢本書嘅作者已設定為 {0}. +bookCommandDescription=可以重新打開同編輯已鎖定嘅書本。 +bookCommandUsage=/<command> [title|author [名稱]] +bookCommandUsage1Description=鎖定/解鎖書與羽毛筆或者已簽名書。 +bookCommandUsage2=/<command> author <作者> +bookCommandUsage2Description=設定已簽署書本嘅作者。 +bookCommandUsage3=/<command> title <標題> +bookCommandUsage3Description=設定已簽署書本嘅標題。 +bookLocked=<primary>呢本書而家已被鎖定。 +bookTitleSet=<primary>呢本書嘅標題已設定為 {0}. +bottomCommandDescription=傳送到你目前位置底部嘅方塊上。 +breakCommandDescription=破壞你而家望住嘅方塊。 broadcast=<primary>[<dark_red>廣播<primary>]<green> {0} -burnMsg=<primary>你將使 <dark_red>{0} <primary>燃燒<dark_red> {1} <primary>秒 -cannotStackMob=<dark_red>您沒有權限堆疊多個小怪. -canTalkAgain=<primary>你已獲得發言的資格 +broadcastCommandDescription=向成個伺服器廣播訊息。 +broadcastCommandUsage=/<command> <訊息> +broadcastCommandUsage1Description=向成個伺服器廣播指定訊息。 +broadcastworldCommandDescription=向指定世界廣播訊息。 +broadcastworldCommandUsage=/<command> <世界> <訊息> +broadcastworldCommandUsage1Description=向指定世界廣播指定訊息。 +burnCommandDescription=令一位玩家著火。 +burnCommandUsage=/<command> <玩家> <秒數> +burnCommandUsage1Description=令指定玩家著火指定秒數。 +burnMsg=<primary>你將令<dark_red> {0} <primary>燃燒<dark_red> {1} <primary>秒 +cannotSellNamedItem=<primary>你唔可以出售有名稱嘅物品。 +cannotSellTheseNamedItems=<primary>你唔可以出售以下有名稱嘅物品\: <dark_red>{0} +cannotStackMob=<dark_red>你冇權限堆疊多個小怪。 +cannotRemoveNegativeItems=<dark_red>你唔可以移除負數量嘅物品。 +canTalkAgain=<primary>你已重新獲得發言資格。 cantFindGeoIpDB=找不到GeoIP數據庫\! +cantGamemode=<dark_red>你冇權限切換到遊戲模式 {0} cantReadGeoIpDB=GeoIP數據庫讀取失敗\! -cantSpawnItem=<dark_red>你沒有權限生成物品<secondary> {0}<dark_red>. +cantSpawnItem=<dark_red>你冇權限生成物品<secondary> {0}<dark_red>。 +cartographytableCommandDescription=打開製圖桌介面。 +chatTypeLocal=<dark_aqua>[本地] chatTypeSpy=[監聽] cleaned=用戶文件已清空 cleaning=清空用戶文件... -commandDisabled=<secondary>指令<primary> {0}<secondary> 已經被關閉. +clearInventoryConfirmToggleOff=<primary>清空背包時將唔再提示確認。 +clearInventoryConfirmToggleOn=<primary>清空背包時將提示你確認。 +clearinventoryCommandDescription=清空你背包內所有物品。 +clearinventoryCommandUsage=/<command> [玩家|*] [物品[\:<數據>]|*|**] [數量] +clearinventoryCommandUsage1Description=清空你自己背包中嘅所有物品。 +clearinventoryCommandUsage2Description=清空指定玩家背包內所有物品。 +clearinventoryCommandUsage3=/<command> <玩家> <物品> [數量] +clearinventoryCommandUsage3Description=從指定玩家背包中清除所有(或指定數量)嘅該物品。 +clearinventoryconfirmtoggleCommandDescription=切換清空背包時是否提示確認。 +commandArgumentOptional=<gray>(可選) +commandArgumentOr=<secondary>或 +commandArgumentRequired=<yellow>(必填) +commandCooldown=<secondary>你需要等多 {0} 先可以再次使用呢個指令。 +commandDisabled=<secondary>指令<primary> {0}<secondary> 已經被停用。 commandFailed=命令 {0} 失敗\: commandHelpFailedForPlugin=未能獲取此外掛程式的幫助\:{0} -commandNotLoaded=<dark_red> {0} 命令加載失敗 -compassBearing=<primary>軸承\: {0} ({1} 度). +commandHelpLine1=<primary>指令說明\: <white>/{0} +commandHelpLine2=<primary>描述\: <white>{0} +commandHelpLine3=<primary>使用方法\: +commandHelpLine4=<primary>別名\: <white>{0} +commandNotLoaded=<dark_red>{0} 命令加載失敗 +consoleCannotUseCommand=呢個命令唔可以由控制台使用。 +compassBearing=<primary>當前方向\: {0}({1} 度)。 +compassCommandDescription=顯示你而家面向嘅方向。 +condenseCommandDescription=將物品壓縮成更加緊湊嘅方塊。 +condenseCommandUsage=/<command> [物品] +condenseCommandUsage1Description=壓縮你背包中所有可以壓縮嘅物品。 +condenseCommandUsage2=/<command> <物品> +condenseCommandUsage2Description=壓縮你背包內指定物品。 configFileMoveError=移動config.yml文件到備份位置失敗 configFileRenameError=重命名緩存文件為config.yml失敗 -connectedPlayers=<primary>目前在線\: <reset> +confirmClear=<gray>如要<b>確認</b><gray>清空背包,請再次輸入指令\: <primary>{0} +confirmPayment=<gray>如要<b>確認</b><gray>付款 <primary>{0}<gray>,請再次輸入指令\: <primary>{1} +connectedPlayers=<primary>目前在線玩家數量\: <reset> connectionFailed=連接失敗. -cooldownWithMessage=<dark_red>冷卻時間\:{0} +consoleName=控制台 +cooldownWithMessage=<dark_red>冷卻時間尚餘\: {0} coordsKeyword={0}, {1}, {2} -couldNotFindTemplate=<dark_red>無法找到模版 {0} +couldNotFindTemplate=<dark_red>搵唔到模版 {0} +createdKit=<primary>成功建立套件 <secondary>{0} <primary>,共 <secondary>{1} <primary>個物品,延遲 <secondary>{2} +createkitCommandDescription=喺遊戲中建立一個工具包! +createkitCommandUsage=/<command> <工具包名稱> <延遲> +createkitCommandUsage1Description=以指定名稱同延遲建立一個工具包。 +createKitFailed=<dark_red>建立工具包 {0} 時發生錯誤。 +createKitSuccess=<primary>已建立工具包\: <white>{0}\n<primary>延遲時間\: <white>{1}\n<primary>連結\: <white>{2}\n<primary>請將上方連結內容複製到 kits.yml。 +createKitUnsupported=<dark_red>NBT 物品序列化功能已啟用,但呢個伺服器唔係用緊 Paper 1.15.2 或以上版本。已回落至標準物品序列化方式。 creatingConfigFromTemplate=從模版\:{0} 創建配置 creatingEmptyConfig=創建空的配置\:{0} creative=創造模式 currency={0}{1} -currentWorld=<primary>當前世界\:<dark_red> {0} +currentWorld=<primary>當前世界\: <dark_red>{0} +customtextCommandDescription=容許你建立自訂文字指令。 +customtextCommandUsage=/<alias> - 需要喺 bukkit.yml 入面定義 day=天 days=天 defaultBanReason=登錄失敗\!您的帳號已被此服務器封禁\! +deletedHomes=已刪除所有家園。 +deletedHomesWorld=已刪除 {0} 入面嘅所有家園。 deleteFileError=無法刪除文件\:{0} -deleteHome=<primary>家 <dark_red>{0} <primary>被移除 -deleteJail=<primary>監獄 <dark_red>{0} <primary>被移除 -deleteKit=<primary>Kit<secondary> {0} <primary>已被刪除. -deleteWarp=<primary>地標 <dark_red>{0} <primary>被移除 -deniedAccessCommand=<secondary>{0} <dark_red>被拒絕使用命令 -denyBookEdit=<dark_red>你不能解鎖這本書. -denyChangeAuthor=<dark_red>你不能改變這本書的作者. -denyChangeTitle=<dark_red>你不能改變這本書的標題. -depth=<primary>你位於海拔0格處 -depthAboveSea=<primary>你位於海拔正<secondary>{0}<primary>格處 -depthBelowSea=<primary>你位於海拔負<secondary>{0}<primary>格處 +deleteHome=<primary>家園 <dark_red>{0} <primary>已被刪除 +deleteJail=<primary>監獄 <dark_red>{0} <primary>已被刪除 +deleteKit=<primary>工具包 <secondary>{0} <primary>已被刪除。 +deleteWarp=<primary>地標 <dark_red>{0} <primary>已被刪除 +deletingHomes=緊刪除所有家園中... +deletingHomesWorld=緊刪除 {0} 入面所有家園中... +delhomeCommandDescription=移除一個家園。 +delhomeCommandUsage=/<command> [玩家\:]<名稱> +delhomeCommandUsage1=/<command> <名稱> +delhomeCommandUsage1Description=刪除你嘅指定家園 +delhomeCommandUsage2=/<command> <玩家>\:<名稱> +delhomeCommandUsage2Description=刪除指定玩家嘅指定家園 +deljailCommandDescription=移除一個監獄。 +deljailCommandUsage=/<command> <監獄名稱> +deljailCommandUsage1Description=刪除指定嘅監獄 +delkitCommandDescription=刪除指定嘅工具包。 +delkitCommandUsage=/<command> <工具包> +delkitCommandUsage1Description=刪除指定名稱嘅工具包 +delwarpCommandDescription=刪除指定嘅傳送點。 +delwarpCommandUsage=/<command> <傳送點> +delwarpCommandUsage1Description=刪除指定名稱嘅傳送點 +deniedAccessCommand=<secondary>{0} <dark_red>被拒絕使用指令 +denyBookEdit=<dark_red>你唔可以解鎖呢本書。 +denyChangeAuthor=<dark_red>你唔可以更改呢本書嘅作者。 +denyChangeTitle=<dark_red>你唔可以更改呢本書嘅標題。 +depth=<primary>你而家位於海拔 0 格位置 +depthAboveSea=<primary>你而家位於海拔高<secondary>{0}<primary>格位置 +depthBelowSea=<primary>你而家位於海拔低<secondary>{0}<primary>格位置 +depthCommandDescription=顯示你相對於海平面嘅高度。 destinationNotSet=目的地未設置. disabled=關閉 -disabledToSpawnMob=<dark_red>已禁止此生物的生成. -disableUnlimited=<primary>已關閉<secondary> {1} <primary>的<secondary> {0} <primary>無限放置能力. -disposal=處置 +disabledToSpawnMob=<dark_red>已禁止生成呢種生物。 +disableUnlimited=<primary>已關閉<secondary>{1}<primary>嘅<secondary>{0}<primary>無限放置功能。 +discordbroadcastCommandDescription=向指定嘅 Discord 頻道廣播訊息。 +discordbroadcastCommandUsage=/<command> <頻道> <訊息> +discordbroadcastCommandUsage1=/<command> <頻道> <訊息> +discordbroadcastCommandUsage1Description=將指定訊息發送到指定 Discord 頻道 +discordbroadcastInvalidChannel=<dark_red>Discord 頻道 <secondary>{0}<dark_red> 不存在。 +discordbroadcastPermission=<dark_red>你冇權限發送訊息到 <secondary>{0}<dark_red> 頻道。 +discordbroadcastSent=<primary>訊息已發送到 <secondary>{0}<primary>\! +discordCommandAccountArgumentUser=要查詢嘅 Discord 帳戶 +discordCommandAccountDescription=查詢你自己或其他 Discord 用戶連結嘅 Minecraft 帳戶 +discordCommandAccountResponseLinked=你嘅 Discord 帳戶已連結到 Minecraft 帳戶:**{0}** +discordCommandAccountResponseLinkedOther={0} 嘅帳戶已連結到 Minecraft 帳戶:**{1}** +discordCommandAccountResponseNotLinked=你未連結任何 Minecraft 帳戶。 +discordCommandAccountResponseNotLinkedOther={0} 未連結任何 Minecraft 帳戶。 +discordCommandDescription=向玩家發送 Discord 邀請連結。 +discordCommandLink=<primary>加入我哋嘅 Discord 伺服器\: <secondary><click\:open_url\:"{0}">{0}</click><primary>\! +discordCommandUsage1Description=向玩家發送 Discord 邀請連結 +discordCommandExecuteDescription=喺 Minecraft 伺服器上執行控制台指令。 +discordCommandExecuteArgumentCommand=要執行嘅指令 +discordCommandExecuteReply=執行緊指令:"/{0}" +discordCommandUnlinkDescription=取消連結目前同你 Discord 帳戶連結緊嘅 Minecraft 帳戶 +discordCommandUnlinkInvalidCode=你而家冇連結任何 Minecraft 帳戶到 Discord\! +discordCommandUnlinkUnlinked=你嘅 Discord 帳戶已取消連結所有 Minecraft 帳戶。 +discordCommandLinkArgumentCode=用遊戲內提供嘅代碼連結你嘅 Minecraft 帳戶 +discordCommandLinkDescription=使用 /link 指令提供嘅代碼,將你嘅 Discord 帳戶同 Minecraft 帳戶連結 +discordCommandLinkHasAccount=你已經連結咗一個帳戶!如果要取消連結,請使用 /unlink。 +discordCommandLinkInvalidCode=連結代碼無效!請確保你喺遊戲內使用過 /link 並正確複製代碼。 +discordCommandLinkLinked=帳戶連結成功\! +discordCommandListDescription=取得線上玩家列表。 +discordCommandListArgumentGroup=用嚟限制搜尋範圍嘅特定群組 +discordCommandMessageDescription=向 Minecraft 伺服器上嘅玩家發送訊息。 +discordCommandMessageArgumentUsername=訊息嘅目標玩家 +discordCommandMessageArgumentMessage=要發送畀玩家嘅訊息 +discordErrorCommand=你錯誤地將機械人加咗入伺服器!請跟設定文件教程,用 https\://essentialsx.net/discord.html 加返機械人。 +discordErrorCommandDisabled=該指令已被禁用\! +discordErrorLogin=登入 Discord 出錯,插件已自動禁用:\n{0} +discordErrorLoggerInvalidChannel=因為頻道定義無效,Discord 控制台記錄功能已被禁用!如果想禁用,請將頻道 ID 設為 "none";否則請檢查頻道 ID。 +discordErrorLoggerNoPerms=因為權限不足,Discord 控制台記錄功能已被禁用!請確保你嘅機械人有「管理 Webhooks」權限。修正後請執行 /ess reload。 +discordErrorNoGuild=伺服器 ID 無效或未設定!請跟設定文件教程設定插件。 +discordErrorNoGuildSize=你嘅機械人未加入任何伺服器!請根據設定文件指引配置插件。 +discordErrorNoPerms=你嘅機械人冇辦法讀取或發訊息到任何頻道!請確認機械人有需要頻道嘅讀寫權限。 +discordErrorNoPrimary=你未定義主頻道,或主頻道設定無效。會回落到預設頻道:\#{0}。 +discordErrorNoPrimaryPerms=你嘅機械人無權喺主頻道 \#{0} 發言!請確保機械人對需要使用嘅頻道有讀寫權限。 +discordErrorNoToken=未提供 token!請跟隨設定文件入面嘅教學設定插件。 +discordErrorWebhook=向控制台頻道發送訊息時出錯!可能係因為意外刪咗控制台 webhook。通常可以透過賦予「管理 Webhooks」權限再執行 /ess reload 解決。 +discordLinkInvalidGroup=角色 {1} 指定嘅群組 {0} 無效。可用群組有:{2} +discordLinkInvalidRole=對群組 {1},提供咗無效角色 ID {0}。請用 /roleinfo 喺 Discord 入面查看角色 ID。 +discordLinkInvalidRoleInteract=角色 {0} ({1}) 高於你機械人最高權限角色,唔可以用於群組同步。請調整角色順序或權限。 +discordLinkInvalidRoleManaged=角色 {0} ({1}) 受其他機械人或集成管理,唔可以用嚟做群組到角色同步。 +discordLinkLinked=<primary>要將你嘅 Minecraft 帳戶連結到 Discord,請喺 Discord 伺服器輸入 <secondary>{0}<primary>。 +discordLinkLinkedAlready=<primary>你已經連結咗 Discord 帳戶\! 如果要取消連結,請使用 <secondary>/unlink<primary>。 +discordLinkLoginKick=<primary>你必須先連結 Discord 帳戶先可以登入伺服器。\n<primary>請輸入\:\n<secondary>{0}\n<primary>喺呢個伺服器嘅 Discord 伺服器內\:\n<secondary>{1} +discordLinkLoginPrompt=<primary>你必須連結 Discord 帳戶先可以移動、發言或互動。\n要連結,請輸入 <secondary>{0} <primary>喺呢個伺服器嘅 Discord 伺服器\: <secondary>{1} +discordLinkNoAccount=<primary>你而家冇任何 Discord 帳戶連結到你嘅 Minecraft 帳戶。 +discordLinkPending=<primary>你已經有一個連結代碼。要完成連結,請喺 Discord 伺服器輸入 <secondary>{0}<primary>。 +discordLinkUnlinked=<primary>已取消你嘅 Minecraft 帳戶同所有 Discord 帳戶嘅連結。 +discordLoggingIn=嘗試登入 Discord... +discordLoggingInDone=成功登入為 {0} +discordMailLine=**新郵件來自 {0}:** {1} +discordNoSendPermission=無法喺頻道\: \#{0} 發送訊息,請確保機械人喺該頻道擁有「發送訊息」權限! +discordReloadInvalid=插件無效狀態下嘗試重新載入 EssentialsX Discord 設定!如果你已修改設定,請重新啟動伺服器。 +disposal=虛空垃圾桶 +disposalCommandDescription=打開便攜式虛空垃圾桶。 distance=<primary>距離\: {0} -dontMoveMessage=<primary>傳送將在{0}內開始.不要移動 +dontMoveMessage=<primary>傳送將喺 {0} 後開始。請勿移動 downloadingGeoIp=下載GeoIP數據庫中 +dumpConsoleUrl=伺服器傾印已建立\: <secondary>{0} +dumpCreating=<primary>建立伺服器傾印中... +dumpDeleteKey=<primary>如果之後想刪除呢個傾印,可以使用以下刪除密鑰\: <secondary>{0} +dumpError=<dark_red>建立傾印時發生錯誤 <secondary>{0}<dark_red>。 +dumpErrorUpload=<dark_red>上載傾印時發生錯誤 <secondary>{0}<dark_red>\: <secondary>{1} +dumpUrl=<primary>已建立伺服器傾印\: <secondary>{0} duplicatedUserdata=複製了玩家存檔\:{0} 和 {1} -durability=<primary>這個工具還有 <dark_red>{0}<primary> 持久 +durability=<primary>呢件工具剩餘耐久度 <dark_red>{0}<primary> east=E -editBookContents=<yellow>你現在可以編輯這本書的內容. +ecoCommandDescription=管理伺服器經濟系統。 +ecoCommandUsage=/<command> <give|take|set|reset> <玩家> <數量> +ecoCommandUsage1=/<command> give <玩家> <數量> +ecoCommandUsage1Description=向指定玩家加指定金額。 +ecoCommandUsage2=/<command> take <玩家> <數量> +ecoCommandUsage2Description=從指定玩家扣除指定金額。 +ecoCommandUsage3=/<command> set <玩家> <數量> +ecoCommandUsage3Description=將指定玩家餘額設定為指定金額。 +ecoCommandUsage4=/<command> reset <玩家> <數量> +ecoCommandUsage4Description=將指定玩家餘額重置到伺服器預設起始值。 +editBookContents=<yellow>你而家可以編輯呢本書嘅內容。 +emptySignLine=<dark_red>空白行 {0} enabled=開啟 -enableUnlimited=<primary>給予 <secondary>{1}<primary> 無限的<secondary> {0} <primary> 。 -enchantmentApplied=<primary>附魔 <secondary>{0} <primary>已被應用到你手中的工具. -enchantmentNotFound=<dark_red>未找到該附魔. -enchantmentPerm=<dark_red>你沒有進行<secondary> {0} <dark_red>附魔的權限. -enchantmentRemoved=<primary>附魔 <secondary>{0} <primary>已從你手上的工具移除 +enchantCommandDescription=為使用者手持嘅物品附魔。 +enchantCommandUsage=/<command> <附魔名稱> [等級] +enchantCommandUsage1=/<command> <附魔名稱> [等級] +enchantCommandUsage1Description=用指定附魔(可選等級)為你手持嘅物品附魔。 +enableUnlimited=<primary>已賦予<secondary>{1}<primary>無限使用<secondary>{0}<primary>權限。 +enchantmentApplied=<primary>附魔 <secondary>{0}<primary> 已成功套用到你手上嘅工具。 +enchantmentNotFound=<dark_red>搵唔到呢個附魔。 +enchantmentPerm=<dark_red>你冇權限使用<secondary>{0}<dark_red>附魔。 +enchantmentRemoved=<primary>附魔 <secondary>{0}<primary> 已從你手上嘅工具移除。 enchantments=<primary>附魔\: <reset>{0} +enderchestCommandDescription=檢視末影箱內容。 +enderchestCommandUsage=/<command> [玩家] +enderchestCommandUsage1Description=打開你自己嘅末影箱。 +enderchestCommandUsage2=/<command> <玩家> +enderchestCommandUsage2Description=打開指定玩家嘅末影箱。 +equipped=已裝備 errorCallingCommand=錯誤的呼叫命令\:/{0} -errorWithMessage=<secondary>錯誤\:{0} +errorWithMessage=<secondary>錯誤\: {0} +essChatNoSecureMsg=EssentialsX Chat 版本 {0} 唔支援喺呢個伺服器軟件上進行安全聊天。請升級 EssentialsX,如果問題持續,請通知開發團隊。 +essentialsCommandDescription=重新載入 Essentials 插件。 +essentialsCommandUsage1Description=重新載入 Essentials 嘅設定。 +essentialsCommandUsage2Description=顯示 Essentials 版本資訊。 +essentialsCommandUsage3Description=顯示 Essentials 轉發嘅指令資訊。 +essentialsCommandUsage4Description=切換 Essentials 嘅「偵錯模式」。 +essentialsCommandUsage5=/<command> reset <玩家> +essentialsCommandUsage5Description=重置指定玩家嘅用戶資料。 +essentialsCommandUsage6Description=清理舊嘅用戶資料。 +essentialsCommandUsage7Description=管理玩家家園。 +essentialsCommandUsage8Description=生成包含請求資訊嘅伺服器傾印。 essentialsHelp1=Essentials無法將其打開 essentialsHelp2=Essentials無法將其打開 essentialsReload=<primary>Essentials 已重新載入<secondary> {0}。 exp=<dark_red>{0} <primary>擁有<secondary> {1} <primary>經驗值 (等級<secondary> {2}<primary>) 需要<secondary> {3} <primary>經驗才能升級. +expCommandDescription=畀予、設定、重置或檢視玩家嘅經驗值。 +expCommandUsage=/<command> [reset|show|set|give] [玩家名稱 [數量]] +expCommandUsage1Description=畀目標玩家獲得指定數量嘅經驗值 +expCommandUsage2Description=將目標玩家嘅經驗值設置為指定數量 +expCommandUsage4Description=顯示目標玩家擁有嘅經驗值數量 +expCommandUsage5Description=將目標玩家嘅經驗值重置至 0 expSet=<secondary>你將{0} <primary>的經驗設置為<secondary> {1} <primary>經驗值. +extCommandDescription=熄滅玩家身上嘅火焰 +extCommandUsage1Description=熄滅你或指定玩家身上嘅火焰 extinguish=<primary>你熄滅了你自己身上的火 extinguishOthers=<primary>你熄滅了 {0} <primary>身上的火 failedToCloseConfig=關閉配置 {0} 失敗 @@ -116,233 +339,480 @@ failedToCreateConfig=創建配置 {0} 失敗 failedToWriteConfig=寫入配置 {0} 失敗 false=<dark_red>否<reset> feed=已經飽和,無法增加飢餓度. +feedCommandDescription=滿足飢餓感 +feedCommandUsage1Description=全面餵飽自己或指定玩家 fileRenameError=重命名文件 {0} 失敗 +fireballCommandDescription=投擲一個火球或其他各式各樣嘅投射物 +fireballCommandUsage1Description=從你所在位置投擲一個普通火球 +fireballCommandUsage2Description=從你所在位置投擲指定嘅投射物,可選擇指定速度 fireworkColor=<dark_red>使用了無效的煙花填充參數,必須首先設置一個顏色。 +fireworkCommandDescription=允許你修改一疊煙花 +fireworkCommandUsage1Description=清除你手持煙花所有效果 +fireworkCommandUsage2Description=設定手持煙花嘅威力 +fireworkCommandUsage3Description=發射一個或者指定數量嘅手持煙花複製品 +fireworkCommandUsage4Description=為手持煙花添加指定效果 fireworkEffectsCleared=<primary>從持有的物品中移除了所有特效. fireworkSyntax=<primary>煙花參數\:<secondary> color\:<顏色> [fade\:<淡出顏色>] [shape\:<形態>] [effect\:<特效>]\n<primary>要使用多個顏色/特效, 使用逗號\: <secondary>red,blue,pink\n<primary>形狀\:<secondary> star, ball, large, creeper, burst <primary>特效\:<secondary> trail, twinkle. +fixedHomes=已刪除無效嘅家園。 +fixingHomes=正刪除無效家園... +flyCommandDescription=起飛,展翅高飛! +flyCommandUsage1Description=切換你或指定玩家嘅飛行模式 flying=飛行中 flyMode=<primary> 已為<secondary>{1}<primary>設置了飛行模式為<secondary>{0}. foreverAlone=<dark_red>你沒有可回復的玩家 fullStack=<dark_red>你的物品已經最多了. gameMode=<primary>將<secondary>{1}<primary>的遊戲模式設定為<secondary> {0} <primary>。 gameModeInvalid=<dark_red>你必須指定一個有效的玩家或模式 +gamemodeCommandDescription=更改玩家嘅遊戲模式。 +gamemodeCommandUsage1Description=為你或指定玩家設定遊戲模式 +gcCommandDescription=報告內存、運行時間及刻數資訊。 gcfree=空閒內存\: <secondary>{0} MB gcmax=最大內存\: <secondary>{0} MB gctotal=已分配內存\: <secondary>{0} MB gcWorld=<primary>{0} "<secondary>{1}<primary>"\: <secondary>{2}<primary> 區塊, <secondary>{3}<primary> 實體, <secondary>{4}<primary> 區塊資料. geoipJoinFormat=玩家 {0} 來自於 {1} +getposCommandDescription=獲取你或玩家目前嘅座標。 +getposCommandUsage1Description=獲取你或指定玩家嘅座標 +giveCommandDescription=比予玩家一個物品。 +giveCommandUsage=/<command> <玩家> <物品|數字> [數量 [物品數據...]] +giveCommandUsage1=/<command> <玩家> <物品> [數量] +giveCommandUsage1Description=畀指定玩家64個(或係指定數量)該物品 +giveCommandUsage2=/<command> <玩家> <物品> <數量> <元數據> +giveCommandUsage2Description=畀指定玩家指定數量嘅指定物品,並附上指定元數據 geoipCantFind=<primary>玩家 <secondary>{0} <primary>來自於 <green>未知的國家<primary>. +geoIpErrorOnJoin=無法獲取 {0} 嘅 GeoIP 資料。請確保你嘅授權金鑰同設定正確。 +geoIpLicenseMissing=未搵到授權金鑰\! 請瀏覽 https\://essentialsx.net/geoip 了解首次設定指引。 geoIpUrlEmpty=GeoIP下載鏈接為空 geoIpUrlInvalid=GeoIP下載鏈接失效 givenSkull=<primary>你取得了<secondary> {0} <primary>的頭顱。 +godCommandDescription=啟用你嘅神力。 +godCommandUsage1Description=切換你或指定玩家嘅上帝模式。 giveSpawn=<primary>給予<secondary> {2}<primary> {0} 個<secondary> {1}<primary>. giveSpawnFailure=<dark_red>沒有足夠的空間, <secondary>{0} <secondary>{1} <dark_red>已遺失. godEnabledFor=<dark_red>開啟了<secondary> {0} <primary>的上帝模式 godMode=<primary>上帝模式 <secondary>{0} +grindstoneCommandDescription=打開研磨石介面。 groupDoesNotExist=<dark_red>當前組沒有人在線\! groupNumber=<secondary>{0}<white> 在線, 想要獲取全部使用\:<secondary> /{1} {2} hatArmor=<dark_red>錯誤\:你無法使用這個物品作為帽子\! +hatCommandDescription=攞啲型爆嘅新頭飾。 +hatCommandUsage=/<command> [移除] +hatCommandUsage1Description=將你手持嘅物品設為頭飾。 +hatCommandUsage2=/<command> 移除 +hatCommandUsage2Description=移除你目前嘅頭飾。 hatEmpty=<dark_red>你現在還沒有戴帽子. hatFail=<dark_red>你必須把想要帶的帽子拿在手中. hatPlaced=<yellow>享受你的新帽子把\! hatRemoved=<primary>你的帽子已移除. haveBeenReleased=<primary>你已被釋放 heal=<primary>你已被治療 +healCommandDescription=治療你或指定玩家。 +healCommandUsage1Description=治療你或指定玩家。 healDead=<dark_red>你不能治療一個死人\! healOther=<primary>已治療<secondary> {0} -helpConsole=若要從控制台查看幫助, 請輸入''?''. +helpCommandDescription=顯示可用指令列表。 +helpCommandUsage=/<command> [搜尋詞] [頁數] +helpConsole=要喺控制台睇幫助,請輸入 ''?''。 helpFrom=<primary>來自於 {0} 的指令 helpMatching=<primary>指令連接 "<secondary>{0}<primary>"\: helpOp=<dark_red>[求助OP]<reset> <primary>{0}\:<reset> {1} helpPlugin=<dark_red>{0}<reset>\: 外掛程式幫助\: /help {1} +helpopCommandDescription=向在線管理員發送訊息。 +helpopCommandUsage=/<command> <訊息> +helpopCommandUsage1Description=將指定訊息發送畀所有在線管理員。 holdBook=<dark_red>你需要拿着一本可寫的書. holdFirework=<dark_red>你必須拿着煙火才能增加特效. holdPotion=<dark_red>你必須拿着藥水才能增加特效. holeInFloor=<dark_red>地板有洞\! -homes=<primary>家\:<reset>{0} -homeSet=<primary>已設置家~ +homeCommandDescription=傳送到你嘅家園。 +homeCommandUsage=/<command> [玩家\:][名稱] +homeCommandUsage1=/<command> [名稱] +homeCommandUsage1Description=傳送你去擁有指定名稱嘅家園。 +homeCommandUsage2=/<command> <玩家>\:<名稱> +homeCommandUsage2Description=傳送你去指定玩家擁有指定名稱嘅家園。 +homes=<primary>家園\:<reset>{0} +homeConfirmation=<primary>你已經有一個叫做 <secondary>{0}<primary> 嘅家園\!\n如果想覆蓋舊有家園,請再次輸入指令。 +homeRenamed=<primary>家園 <secondary>{0}<primary> 已改名為 <secondary>{1}<primary>。 +homeSet=<primary>家園已成功設置! hour=小時 hours=小時 -ignoredList=<primary>忽略\:<reset> {0} -ignoreExempt=<dark_red>你不能忽略那個玩家。 -ignorePlayer=<primary>你屏蔽了玩家 <secondary>{0} +ice=<primary>你感覺凍咗好多... +iceCommandDescription=令玩家降溫。 +iceCommandUsage=/<command> [玩家] +iceCommandUsage1Description=令你自己降溫。 +iceCommandUsage2=/<command> <玩家> +iceCommandUsage2Description=令指定玩家降溫。 +iceCommandUsage3Description=令所有在線玩家降溫。 +iceOther=<primary>已令<secondary>{0}<primary>降溫。 +ignoreCommandDescription=無視或取消無視其他玩家。 +ignoreCommandUsage=/<command> <玩家> +ignoreCommandUsage1Description=無視或取消無視指定玩家。 +ignoredList=<primary>已無視\:<reset> {0} +ignoreExempt=<dark_red>你唔可以無視呢位玩家。 +ignorePlayer=<primary>你已經無視咗玩家 <secondary>{0} +ignoreYourself=<primary>無視自己都唔會解決到問題㗎。 illegalDate=錯誤的日期格式 +infoAfterDeath=<primary>你喺 <yellow>{0} <primary>死亡,座標係 <yellow>{1}, {2}, {3}<primary>。 infoChapter=<primary>選擇章節\: -infoChapterPages=<yellow> ---- <primary>{0} <yellow>--<primary> 頁面\: <secondary>{1}<primary> / <secondary>{2} <yellow>---- +infoChapterPages=<yellow> ---- <primary>{0} <yellow>--<primary> 頁數\: <secondary>{1}<primary> / <secondary>{2} <yellow>---- +infoCommandDescription=顯示由伺服器擁有者設定嘅資訊。 +infoCommandUsage=/<command> [章節] [頁數] infoPages=<yellow>----第 <secondary>{0}<yellow> 頁/共 <secondary>{1}<yellow> 頁---- infoUnknownChapter=<dark_red>未知章節。 -insufficientFunds=<dark_red>可用資金不足. -invalidCharge=<dark_red>無效的價格 -invalidHome=<dark_red>家<secondary> {0} <dark_red>不存在\! -invalidHomeName=<dark_red>無效的家名稱\! -invalidMob=<dark_red>無效生物類型 +insufficientFunds=<dark_red>可用資金不足。 +invalidBanner=<dark_red>無效嘅旗幟語法。 +invalidCharge=<dark_red>無效嘅價格。 +invalidFireworkFormat=<dark_red>選項 <secondary>{0} <dark_red>唔係 <secondary>{1}<dark_red> 嘅有效值。 +invalidHome=<dark_red>家園<secondary> {0} <dark_red>不存在\! +invalidHomeName=<dark_red>無效嘅家園名稱\! +invalidItemFlagMeta=<dark_red>無效嘅物品標記數據\: <secondary>{0}<dark_red>。 +invalidMob=<dark_red>無效嘅生物類型。 +invalidModifier=<dark_red>無效嘅修飾詞。 invalidNumber=無效的數字. -invalidPotion=<dark_red>無效的藥水. -invalidPotionMeta=<dark_red>無效的藥水數據\: <secondary>{0}<dark_red>. -invalidSignLine=<dark_red>牌子上的第 <secondary>{0} <dark_red>行無效 -invalidSkull=<dark_red>請拿著玩家頭顱 -invalidWarpName=<dark_red>無效的傳送點名稱\! -invalidWorld=<dark_red>無效的世界名. -inventoryClearFail=<dark_red>玩家<secondary> {0} <dark_red>沒有<secondary> {2} <dark_red>個<secondary> {1}<dark_red>. -inventoryClearingAllArmor=<primary>清除{0}的隨身物品和裝備<primary>.  -inventoryClearingAllItems=<primary>你被<secondary> {0} <primary>清除隨身物品<primary>. -inventoryClearingFromAll=<primary>清除所有玩家的隨身物品... -inventoryClearingStack=<primary>你被<secondary> {2} <primary>移除<secondary> {0} 個<secondary> {1}<primary>. +invalidPotion=<dark_red>無效嘅藥水類型。 +invalidPotionMeta=<dark_red>無效嘅藥水數據\: <secondary>{0}<dark_red>。 +invalidSign=<dark_red>無效嘅牌子。 +invalidSignLine=<dark_red>牌子上第 <secondary>{0}<dark_red> 行無效。 +invalidSkull=<dark_red>請手持玩家頭顱。 +invalidWarpName=<dark_red>無效嘅傳送點名稱\! +invalidWorld=<dark_red>無效嘅世界名稱。 +inventoryClearFail=<dark_red>玩家 <secondary>{0}<dark_red> 冇 <secondary>{2}<dark_red> 個 <secondary>{1}<dark_red>。 +inventoryClearingAllArmor=<primary>清除 {0} 嘅隨身物品同裝備<primary>。 +inventoryClearingAllItems=<primary>你被 <secondary>{0}<primary> 清除咗隨身物品<primary>。 +inventoryClearingFromAll=<primary>緊清除所有玩家嘅隨身物品... +inventoryClearingStack=<primary>你被 <secondary>{2}<primary> 移除咗 <secondary>{0} 個 <secondary>{1}<primary>。 +inventoryFull=<dark_red>你嘅背包已經滿晒。 +invseeCommandDescription=查看其他玩家嘅物品欄。 +invseeCommandUsage1Description=打開指定玩家嘅物品欄。 +invseeNoSelf=<secondary>你只可以查看其他玩家嘅物品欄。 is=是 isIpBanned=<primary>IP <secondary>{0} <primary>已被封鎖。 -itemCannotBeSold=<dark_red>該物品無法賣給服務器 -itemMustBeStacked=<dark_red>物品必須成組交易,2s的數量是2組,以此類推 +internalError=<secondary>執行指令時發生內部錯誤。 +itemCannotBeSold=<dark_red>呢件物品唔可以賣畀伺服器。 +itemCommandDescription=生成一件物品。 +itemCommandUsage=/<command> <物品|數字> [數量 [物品數據...]] +itemCommandUsage1=/<command> <物品> [數量] +itemCommandUsage1Description=畀你完整堆疊(或指定數量)嘅物品。 +itemCommandUsage2=/<command> <物品> <數量> <元數據> +itemCommandUsage2Description=畀你指定數量嘅物品並附上指定嘅元數據。 +itemloreClear=<primary>你已清除呢件物品嘅說明文字。 +itemloreCommandDescription=編輯物品嘅說明文字。 +itemloreCommandUsage=/<command> <add/set/clear> [文字/行數] [文字] +itemloreCommandUsage1=/<command> add [文字] +itemloreCommandUsage1Description=將指定文字加到你手持物品嘅說明末尾。 +itemloreCommandUsage2=/<command> set <行數> <文字> +itemloreCommandUsage2Description=將你手持物品指定行改成所提供嘅文字。 +itemloreCommandUsage3Description=清除你手持物品嘅所有說明文字。 +itemloreInvalidItem=<dark_red>你需要手持一件物品先可以編輯佢嘅說明。 +itemloreMaxLore=<dark_red>呢件物品已經唔可以再加說明文字。 +itemloreNoLine=<dark_red>你手持嘅物品第 <secondary>{0}<dark_red> 行冇說明文字。 +itemloreNoLore=<dark_red>你手持嘅物品冇任何說明文字。 +itemloreSuccess=<primary>你已將「<secondary>{0}<primary>」加入你手持物品嘅說明文字。 +itemloreSuccessLore=<primary>你已將你手持物品第 <secondary>{0}<primary> 行設定為「<secondary>{1}<primary>」。 +itemMustBeStacked=<dark_red>物品必須以成組方式交易,2s代表2組,以此類推。 itemNames=<primary>物品簡易名稱\:<reset> {0} -itemnameClear=<primary>你已清除該物品的名稱. -itemnameInvalidItem=<secondary>你需要持有物品才能重新命名. -itemnameSuccess=<primary>你已將持有的物品重新命名為 “<secondary>{0}<primary>”. -itemNotEnough1=<dark_red>你沒有足夠的該物品來賣出 -itemNotEnough2=<primary>如果你想要賣出背包所有的物品, 輸入<secondary>/sell itemname<primary>. -itemNotEnough3=<secondary>/sell itemname -1<primary>將賣出所有該物品, 但剩餘1個物品, 以此類推. +itemnameClear=<primary>你已清除呢件物品嘅名稱。 +itemnameCommandDescription=設定物品名稱。 +itemnameCommandUsage=/<command> [名稱] +itemnameCommandUsage1Description=清除你手持物品嘅名稱。 +itemnameCommandUsage2=/<command> <名稱> +itemnameCommandUsage2Description=將你手持物品嘅名稱設定為所提供文字。 +itemnameInvalidItem=<secondary>你需要手持物品先可以改名。 +itemnameSuccess=<primary>你已將持有物品嘅名稱設為「<secondary>{0}<primary>」。 +itemNotEnough1=<dark_red>你冇足夠數量嘅物品可以賣出。 +itemNotEnough2=<primary>如果想賣出背包內所有該物品,請輸入 <secondary>/sell itemname<primary>。 +itemNotEnough3=<secondary>/sell itemname -1<primary> 會賣出所有但保留 1 件,以此類推。 +itemsConverted=<primary>已將所有物品轉換成方塊。 itemsCsvNotLoaded=無法載入 {0}\! itemSellAir=你難道想賣空氣嗎?放個東西在你手裡 -itemSold=<green>獲得 <secondary> {0} <green> ({1} 單位{2},每個價值 {3}) -itemSoldConsole=<yellow>{0} <green>賣出 <yellow>{1} <green>給 <yellow>{2} <green>({3} 單位, 每個價值 {4}). -itemSpawn=<primary>生成 {0} 個 {1} -itemType=<primary>物品\:<secondary> {0} -jailAlreadyIncarcerated=<dark_red>已在監獄中的玩家\:{0} -jailMessage=<dark_red>請在監獄中面壁思過! -jailNotExist=<dark_red>該監獄不存在 -jailReleased=<primary>玩家 <secondary>{0}<primary> 出獄了 -jailReleasedPlayerNotify=<primary>你已被釋放! -jailSentenceExtended=<primary>囚禁時間增加到\:{0) -jailSet=<primary>監獄 {0} 已被設置 -jumpError=<dark_red>這將會損害你的電腦 +itemsNotConverted=<dark_red>你冇可以轉換成方塊嘅物品。 +itemSold=<green>獲得 <secondary>{0}<green>({1} 單位 {2},每個價值 {3}) +itemSoldConsole=<yellow>{0} <green>賣咗 <yellow>{1} <green>畀 <yellow>{2}<green>({3} 單位,每個價值 {4})。 +itemSpawn=<primary>生成咗 {0} 個 {1} +itemType=<primary>物品類型\:<secondary>{0} +itemdbCommandDescription=搜尋物品。 +itemdbCommandUsage=/<command> <物品> +itemdbCommandUsage1Description=喺物品資料庫搜尋指定物品 +jailAlreadyIncarcerated=<dark_red>玩家 <secondary>{0}<dark_red> 已經喺監獄中。 +jailList=<primary>監獄清單\:<reset> {0} +jailMessage=<dark_red>請面壁思過,冷靜反省! +jailNotExist=<dark_red>該監獄不存在。 +jailNotifyJailed=<primary>玩家<secondary>{0}<primary>已被<secondary>{1}<primary>監禁。 +jailNotifyJailedFor=<primary>玩家<secondary>{0}<primary>被監禁 <secondary>{1}<primary>,由 <secondary>{2}<primary>操作。 +jailNotifySentenceExtended=<primary>玩家<secondary>{0}<primary>嘅監禁時間被延長至<secondary>{1}<primary>,由 <secondary>{2}<primary>操作。 +jailReleased=<primary>玩家 <secondary>{0}<primary> 已經出獄。 +jailReleasedPlayerNotify=<primary>你已經獲釋啦! +jailSentenceExtended=<primary>囚禁時間已延長至\: {0} +jailSet=<primary>監獄 {0} 已經設定完成。 +jailWorldNotExist=<dark_red>呢個監獄所屬嘅世界不存在。 +jumpEasterDisable=<primary>飛天巫師模式已停用。 +jumpEasterEnable=<primary>飛天巫師模式已啟用。 +jailsCommandDescription=列出所有已設置嘅監獄。 +jumpCommandDescription=跳到你視線內最近嘅方塊。 +jumpError=<dark_red>呢個操作可能會對你部電腦造成損害! +kickCommandDescription=踢出指定玩家並可附上理由。 +kickCommandUsage=/<command> <玩家> [理由] +kickCommandUsage1Description=踢出指定玩家,可選附加理由。 kickDefault=從服務器請出 -kickedAll=<dark_red>已將所有玩家請出服務器. -kickExempt=<dark_red>你無法請出該玩家. -kill=<primary>殺死了 <secondary>{0} -killExempt=<dark_red>你不能殺害 <secondary>{0}<dark_red>。 +kickedAll=<dark_red>已將所有玩家請出伺服器。 +kickExempt=<dark_red>你無法請出呢位玩家。 +kickallCommandDescription=踢出除自己外所有其他玩家。 +kickallCommandUsage=/<command> [理由] +kickallCommandUsage1Description=踢出全部其他玩家,可選擇附加理由。 +kill=<primary>已殺死 <secondary>{0} +killCommandDescription=殺死指定玩家。 +killCommandUsage=/<command> <玩家> +killCommandUsage1Description=殺死指定玩家。 +killExempt=<dark_red>你唔可以殺死 <secondary>{0}<dark_red>。 +kitCommandDescription=取得指定工具包或檢視所有可用工具包。 +kitCommandUsage=/<command> [工具包] [玩家] +kitCommandUsage1Description=列出所有可用嘅工具包。 +kitCommandUsage2Description=將指定工具包俾自己或者指定玩家。 +kitContains=<primary>工具包 <secondary>{0}<primary> 包含\: kitError=<dark_red>沒有有效的工具包 kitError2=<dark_red>該工具包可能不存在或者被拒絕了. +kitError3=無法將工具包 "{0}" 中嘅物品給予用戶 {1},因工具包物品需要 Paper 1.15.2+ 才能反序列化. kitGiveTo=<primary>給予<secondary>{1}<primary>工具包<secondary> {0}<primary>。 kitInvFull=<dark_red>你的背包已滿,工具包將放在地上 kitInvFullNoDrop=<dark_red>背包中沒有足夠的空間放置該工具包。 kitNotFound=<dark_red>工具包不存在. kitOnce=<dark_red>你不能再次使用該工具包. kitReceive=<primary>收到一個<secondary> {0} <primary>工具包. +kitresetCommandDescription=重置指定工具包嘅冷卻時間。 +kitresetCommandUsage=/<command> <工具包> [玩家] +kitresetCommandUsage1Description=重置指定工具包喺你或其他玩家(若有)身上嘅冷卻時間 kits=<primary>工具包\:<reset>{0} +kittycannonCommandDescription=向對手投擲一隻爆炸性嘅小貓。 kitTimed=<dark_red>你不能再次對其他人使用此工具包<secondary> {0}<dark_red>. leatherSyntax=<primary>皮革顏色語法\: color\:<紅>,<綠>,<藍> 例如\: color\:255,0,0 或 color\:<rgb 整數> 例如\: color\:16777011 +lightningCommandDescription=托爾之力。以你嘅視線或指定玩家作為目標發出閃電。 +lightningCommandUsage=/<command> [玩家] [威力] +lightningCommandUsage1Description=喺你視線所指處或指定玩家位置閃電劈下 +lightningCommandUsage2=/<command> <玩家> <威力> +lightningCommandUsage2Description=以指定威力閃電擊中目標玩家 lightningSmited=<primary>你剛剛被雷擊中了 lightningUse=<primary>雷擊中了<secondary> {0} +linkCommandDescription=生成一個代碼,用以連結你嘅 Minecraft 帳戶與 Discord. +linkCommandUsage1Description=生成一個用於 Discord 上 /link 命令嘅代碼 listAfkTag=<gray>[離開]<reset> listAmount=<primary>當前有 <secondary>{0}<primary> 個玩家在線,最大在線人數為 <secondary>{1}<primary> 個玩家. listAmountHidden=<primary>當前有 <secondary>{0}<primary> 個玩家在線(另外隱身 <secondary>{1}<primary> 個), 最大在線人數為 <secondary>{2}<primary> 個玩家. +listCommandDescription=列出所有在線玩家。 +listCommandUsage=/<command> [群組] +listCommandUsage1Description=列出伺服器上所有玩家,或指定群組內嘅玩家 listHiddenTag=<gray>[隱身]<reset> loadWarpError=<dark_red>加載地標 {0} 失敗 -mailClear=<primary>輸入<secondary> /mail clear<primary> 將郵件標示為已讀。 +loomCommandDescription=打開織布機介面。 +mailClear=<primary>輸入 <secondary>/mail clear<primary> 將郵件標示為已讀。 mailCleared=<primary>郵箱已清空! +mailClearedAll=<primary>已清空所有玩家的郵件\! +mailClearIndex=<dark_red>你必須指定一個介乎 1 - {0} 之間的數字。 +mailCommandDescription=管理玩家之間或伺服器內的郵件。 +mailCommandUsage1=/<command> read [頁數] +mailCommandUsage1Description=閱讀你郵箱的第一頁(或指定頁數)。 +mailCommandUsage2=/<command> clear [數字] +mailCommandUsage2Description=清除所有郵件或指定編號的郵件。 +mailCommandUsage3Description=清除指定玩家所有或指定編號的郵件。 +mailCommandUsage4Description=清除所有玩家的所有郵件。 +mailCommandUsage5Description=向指定玩家發送指定訊息。 +mailCommandUsage6Description=向所有玩家發送指定訊息。 +mailCommandUsage7Description=向指定玩家發送會在指定時間後過期的訊息。 +mailCommandUsage8Description=向所有玩家發送會在指定時間後過期的訊息。 mailDelay=在最後一分鐘內發送太多郵件,最多 {0} 封 mailMessage={0} -mailSent=<primary>郵件已發出! -mailTooLong=<dark_red>郵件訊息過長,請不要超過1000字。 -markMailAsRead=<primary>輸入<secondary> /mail clear<primary> 將郵件標示為已讀。 -matchingIPAddress=<primary>以下是來自該IP位址的玩家\: -maxHomes=<dark_red>你無法設置超過 {0} 個家. -maxMoney=<dark_red>這筆交易將超出此帳戶的餘額限制 +mailSent=<primary>郵件已成功發出! +mailSentTo=<secondary>{0}<primary> 已收到以下郵件\: +mailSentToExpire=<secondary>{0}<primary> 已收到以下郵件,將於 <secondary>{1}<primary> 後過期\: +mailTooLong=<dark_red>郵件訊息過長,請不要超過 1000 字。 +markMailAsRead=<primary>輸入 <secondary>/mail clear<primary> 將郵件標示為已讀。 +matchingIPAddress=<primary>以下是來自該 IP 位址的玩家\: +maxHomes=<dark_red>你無法設置超過 {0} 個家園。 +maxMoney=<dark_red>呢筆交易將會超出此帳戶的餘額限制。 mayNotJail=<dark_red>你無法囚禁該玩家 mayNotJailOffline=<dark_red>你不能將離線玩家關入監獄。 +meCommandDescription=以玩家身份描述一個動作。 +meCommandUsage=/<command> <描述> +meCommandUsage1Description=描述一個動作。 meSender=我 +meRecipient=我 +minimumBalanceError=<dark_red>玩家最低可擁有的餘額是 {0}。 +minimumPayAmount=<secondary>你可以支付的最少金額是 {0}。 minute=分鐘 minutes=分鐘 -mobDataList=<primary>有效的生物資料:<reset> {0} +missingItems=<dark_red>你冇 <secondary>{0}x {1}<dark_red>。 +mobDataList=<primary>有效的生物資料\:<reset> {0} mobsAvailable=<primary>生物\:<reset> {0} -mobSpawnError=<dark_red>更改刷怪籠時發生錯誤 +mobSpawnError=<dark_red>更改刷怪籠時發生錯誤。 mobSpawnLimit=生物數量太多,無法生成 -mobSpawnTarget=<dark_red>目標方塊必須是一個刷怪籠 -moneyRecievedFrom=<green>{0}<primary> 已收到來自 <green> {1}<primary>. -moneySentTo=<green>{0} 已發送到 {1} +mobSpawnTarget=<dark_red>目標方塊必須係一個刷怪籠。 +moneyRecievedFrom=<green>{0}<primary> 已收到來自 <green>{1}<primary> 的金錢。 +moneySentTo=<green>{0} 已發送金錢到 {1} month=月 months=月 -moreThanZero=<dark_red>數量必須大於0 -moveSpeed=<primary>已為<secondary> {2} <primary>的<secondary> {0}<primary> 速度設置為<secondary> {1}<primary>. -multipleCharges=<dark_red>您不能對這個煙花應用多於一個的裝料. -multiplePotionEffects=<dark_red>您不能對這個煙花應用多於一個的效果. -mutedPlayer=<primary>玩家<secondary> {0} <primary>被禁言了。 -mutedPlayerFor=<primary>玩家<secondary> {0} <primary>被禁言<secondary> {1}<primary>。 -mutedPlayerForReason=<primary>玩家<secondary> {0} <primary>被禁言. 時長\:<secondary> {1} <primary>原因\: <secondary>{2} -mutedPlayerReason=<primary>玩家<secondary> {0} <primary>被禁言. 原因\: <secondary>{1} +moreCommandDescription=將手持物品堆疊到指定數量,未指定則填滿至最大堆疊量。 +moreCommandUsage=/<command> [數量] +moreCommandUsage1Description=將手持物品堆疊至指定數量,若無指定則填滿至最大堆疊量。 +moreThanZero=<dark_red>數量必須大於 0。 +motdCommandDescription=檢視每日訊息。 +moveSpeed=<primary>已將 <secondary>{2}<primary> 的 <secondary>{0}<primary> 速度設為 <secondary>{1}<primary>。 +msgCommandDescription=向指定玩家發送私人訊息。 +msgCommandUsage=/<command> <player> <message> +msgCommandUsage1Description=私下發送輸入的訊息俾指定玩家。 +msgDisabled=<primary>已 <secondary>停用<primary> 接收私人訊息。 +msgDisabledFor=<primary>已為 <secondary>{0}<primary> <secondary>停用<primary> 接收私人訊息。 +msgEnabled=<primary>已 <secondary>啟用<primary> 接收私人訊息。 +msgEnabledFor=<primary>已為 <secondary>{0}<primary> <secondary>啟用<primary> 接收私人訊息。 +msgIgnore=<secondary>{0} <dark_red>已停用接收訊息。 +msgtoggleCommandDescription=切換是否接收所有私人訊息。 +msgtoggleCommandUsage1Description=切換自己或指定玩家的私人訊息收發開關。 +multipleCharges=<dark_red>你不能對呢個煙花應用多過一個裝料。 +multiplePotionEffects=<dark_red>你不能對呢個煙花應用多過一個效果。 +muteCommandDescription=封鎖或解除指定玩家嘅發言。 +muteCommandUsage=/<command> <player> [時限] [原因] +muteCommandUsage1Description=永久禁言指定玩家(如果已禁言則解除禁言)。 +muteCommandUsage2=/<command> <player> <時限> [原因] +muteCommandUsage2Description=以指定時限及可選原因禁言指定玩家。 +mutedPlayer=<primary>玩家 <secondary>{0}<primary> 被禁言咗。 +mutedPlayerFor=<primary>玩家 <secondary>{0}<primary> 被禁言 <secondary>{1}<primary>。 +mutedPlayerForReason=<primary>玩家 <secondary>{0}<primary> 被禁言。時長\: <secondary>{1}<primary> 原因\: <secondary>{2} +mutedPlayerReason=<primary>玩家 <secondary>{0}<primary> 被禁言。原因\: <secondary>{1} mutedUserSpeaks={0} 想要說話,但被禁言了 -muteExempt=<dark_red>你無法禁言該玩家 -muteExemptOffline=<dark_red>你不能將離線玩家禁言 -muteNotify=<secondary>{0} <primary>將 <secondary>{1} <primary>禁言了。 -muteNotifyForReason=<secondary>{0} <primary>已將玩家 <secondary>{1} <primary>禁言. <primary>時長\:<secondary> {2}<primary>. 原因\: <secondary>{3} -muteNotifyReason=<primary>玩家<secondary> {1} <primary>被<secondary> {0} <primary>禁言. 原因\: <secondary>{2}<primary>. +muteExempt=<dark_red>你無法禁言該玩家。 +muteExemptOffline=<dark_red>你不能禁言離線玩家。 +muteNotify=<secondary>{0}<primary> 已禁言 <secondary>{1}<primary>。 +muteNotifyFor=<secondary>{0}<primary> 已禁言玩家 <secondary>{1}<primary>,時長 <secondary>{2}<primary>。 +muteNotifyForReason=<secondary>{0}<primary> 已禁言玩家 <secondary>{1}<primary>。時長\: <secondary>{2}<primary>。原因\: <secondary>{3} +muteNotifyReason=<primary>玩家 <secondary>{1}<primary> 被 <secondary>{0}<primary> 禁言。原因\: <secondary>{2}<primary>。 +nearCommandDescription=列出附近或者指定玩家周圍嘅玩家。 +nearCommandUsage=/<command> [player] [radius] +nearCommandUsage1Description=列出預設範圍內喺你附近嘅所有玩家。 +nearCommandUsage2=/<command> [radius] +nearCommandUsage2Description=列出指定半徑內喺你附近嘅所有玩家。 +nearCommandUsage3Description=列出預設範圍內喺指定玩家附近嘅所有玩家。 +nearCommandUsage4=/<command> <player> [radius] +nearCommandUsage4Description=列出指定半徑內喺指定玩家附近嘅所有玩家。 nearbyPlayers=<primary>附近的玩家\: {0} -negativeBalanceError=<dark_red>現金不可小於零 -nickChanged=<primary>暱稱已更換 -nickDisplayName=<dark_red>你需要激活change-displayname.該文件在Essentials設置文件中 -nickInUse=<dark_red>那個暱稱已被使用 -nickNameBlacklist=<dark_red>不允許使用這個暱稱. -nickNamesAlpha=<dark_red>暱稱必須為字母或數字. -nickNoMore=<primary>你不再擁有一個暱稱 -nickSet=<primary>你的暱稱現在是 <secondary>{0}<primary>。 -nickTooLong=<dark_red>這個暱稱太長. -noAccessCommand=<dark_red>你沒有使用該命令的權限 -noBreakBedrock=<dark_red>你不能摧毀基岩! -noDestroyPermission=<dark_red>你沒有權限破壞 <secondary>{0}<dark_red>。 +nearbyPlayersList={0}<white>(<secondary>{1}m<white>) +negativeBalanceError=<dark_red>現金唔可以小於零。 +nickChanged=<primary>暱稱已更換。 +nickCommandDescription=更改你或者其他玩家嘅暱稱。 +nickCommandUsage=/<command> [玩家] <暱稱|off> +nickCommandUsage1Description=將你嘅暱稱更改為指定文字。 +nickCommandUsage2Description=移除你嘅暱稱。 +nickCommandUsage3=/<command> <玩家> <暱稱> +nickCommandUsage3Description=將指定玩家嘅暱稱更改為所提供嘅文字。 +nickCommandUsage4=/<command> <玩家> off +nickCommandUsage4Description=移除該玩家嘅暱稱。 +nickDisplayName=<dark_red>你需要啟用 change-displayname。設定檔位於 Essentials 設定文件中。 +nickInUse=<dark_red>呢個暱稱已經被使用。 +nickNameBlacklist=<dark_red>禁止使用呢個暱稱。 +nickNamesAlpha=<dark_red>暱稱必須只包含字母或數字。 +nickNamesOnlyColorChanges=<dark_red>暱稱只可以更改顏色,唔可以修改文字。 +nickNoMore=<primary>你而家冇暱稱喇。 +nickSet=<primary>你嘅暱稱而家係 <secondary>{0}<primary>。 +nickTooLong=<dark_red>呢個暱稱太長啦。 +noAccessCommand=<dark_red>你冇使用呢個指令嘅權限。 +noAccessPermission=<dark_red>你冇權限存取 <secondary>{0}<dark_red>。 +noAccessSubCommand=<dark_red>你冇權限使用 <secondary>{0}<dark_red>。 +noBreakBedrock=<dark_red>你唔可以破壞基岩! +noDestroyPermission=<dark_red>你冇權限破壞 <secondary>{0}<dark_red>。 northEast=NE north=N northWest=NW -noGodWorldWarning=<dark_red>禁止使用上帝模式. -noHomeSetPlayer=<primary>該玩家還未設置家 -noIgnored=<primary>你沒有忽略任何人。 -noKitGroup=<dark_red>你沒有權限使用這個工具組. -noKitPermission=<dark_red>你需要 <dark_red>{0}<dark_red> 權限來使用該工具 -noKits=<primary>還沒有可獲得的工具 -noLocationFound=<dark_red>找不到有效地點。 -noMail=你沒有任何郵件 -noMatchingPlayers=<primary>找不到匹配的玩家. -noMetaFirework=<dark_red>你沒有權限應用煙花數據. +noGodWorldWarning=<dark_red>呢個世界禁止使用上帝模式。 +noHomeSetPlayer=<primary>該玩家仲未設置家園。 +noIgnored=<primary>你冇無視任何人。 +noJailsDefined=<primary>尚未定義任何監獄。 +noKitGroup=<dark_red>你冇權限使用呢個工具組。 +noKitPermission=<dark_red>你需要 <dark_red>{0}<dark_red> 權限先可以使用呢個工具。 +noKits=<primary>仲未有可用嘅工具組。 +noLocationFound=<dark_red>搵唔到有效地點。 +noMail=<primary>你冇任何郵件。 +noMailOther=<secondary>{0}<primary> 冇任何郵件。 +noMatchingPlayers=<primary>搵唔到匹配嘅玩家。 +noMetaComponents=呢個版本嘅 Bukkit 唔支援 Data Components。請使用 JSON NBT 中繼資料。 +noMetaFirework=<dark_red>你冇權限應用煙花數據。 noMetaJson=這個版本的 Bukkit 不支援 JSON 中繼資料 -noMetaPerm=<dark_red>你沒有權限應用 <secondary>{0}<dark_red> 的數據. +noMetaNbtKill=JSON NBT 中繼資料已經唔再支援。你需要手動將已定義嘅物品轉成 Data Components。可以喺呢度轉換 JSON NBT 成 Data Components\: https\://docs.papermc.io/misc/tools/item-command-converter +noMetaPerm=<dark_red>你冇權限應用 <secondary>{0}<dark_red> 嘅數據。 none=無 -noNewMail=<primary>你沒有新的郵件 -noPendingRequest=<dark_red>你沒有待解決的請求 -noPerm=<dark_red>你沒有 <secondary>{0}<dark_red> 權限 -noPermissionSkull=<dark_red>你沒有權限修改這個頭顱。 -noPermToSpawnMob=<dark_red>你沒有生成該生物的權限 -noPlacePermission=<dark_red><dark_red>你沒有在那個牌子旁邊放方塊的權利 -noPotionEffectPerm=<dark_red>你沒有權限應用特效 <secondary>{0} <dark_red>到這個藥水. -noPowerTools=<primary>你沒有綁定命令 -notEnoughExperience=<dark_red>你沒有足夠的經驗值 -notEnoughMoney=<dark_red>你沒有足夠的資金 +noNewMail=<primary>你冇新郵件。 +nonZeroPosNumber=<dark_red>必須輸入一個非零數字。 +noPendingRequest=<dark_red>你冇待處理的請求。 +noPerm=<dark_red>你冇 <secondary>{0}<dark_red> 權限。 +noPermissionSkull=<dark_red>你冇權限修改呢個頭顱。 +noPermToAFKMessage=<dark_red>你冇權限設定 AFK 訊息。 +noPermToSpawnMob=<dark_red>你冇生成該生物的權限。 +noPlacePermission=<dark_red>你冇權限喺嗰個牌子旁邊放方塊。 +noPotionEffectPerm=<dark_red>你冇權限將特效 <secondary>{0}<dark_red> 應用到呢個藥水。 +noPowerTools=<primary>你冇綁定任何指令。 +notAcceptingPay=<dark_red>{0}<dark_red> 唔接受付款。 +notAllowedToLocal=<dark_red>你冇權限喺本地聊天講嘢。 +notAllowedToQuestion=<dark_red>你冇權限發問。 +notAllowedToShout=<dark_red>你冇權限喺頻道大叫。 +notEnoughExperience=<dark_red>你冇足夠經驗值。 +notEnoughMoney=<dark_red>你冇足夠資金。 notFlying=未飛行 -nothingInHand=<dark_red>你沒有持有任何物品 +nothingInHand=<dark_red>你冇手持任何物品。 now=現在 -noWarpsDefined=<dark_red>沒有確定的地標 -nuke=<light_purple>核武降落,注意隱蔽! +noWarpsDefined=<dark_red>未設定任何地標。 +nuke=<light_purple>核彈來襲,小心隱蔽! +nukeCommandDescription=向佢哋發射毀滅性核彈。 +nukeCommandUsage1=/<command> [player...] +nukeCommandUsage1Description=向所有或指定玩家發射核彈攻擊。 numberRequired=需要輸入數字! onlyDayNight=/time 命令只有 day/night 兩個選擇 -onlyPlayers=<dark_red>只有遊戲中的玩家可以使用 <secondary>{0}<dark_red>。 -onlyPlayerSkulls=<dark_red>你只能設定玩家頭顱 (<secondary>397\:3<dark_red>) 的擁有者。 -onlySunStorm=<dark_red>/weather 命令只有 sun/storm 兩個選擇 -orderBalances=<primary>排序 {0} <primary>個玩家的資金中,請稍候…… -oversizedMute=<dark_red>你無法禁言該玩家. -oversizedTempban=<dark_red>你可能沒有在這個時段封禁玩家. -passengerTeleportFail=<dark_red>你無法在乘坐時被傳送. -pendingTeleportCancelled=<dark_red>待處理的傳送請求已取消 -playerBanned=<primary>玩家<secondary> {0} <primary>被封鎖<secondary> {1} <primary>,因為 <secondary>{2}<primary>。 -playerJailed=<primary>玩家 <secondary>{0} <primary>被逮捕了 -playerJailedFor=<primary>玩家<secondary> {0} <primary>被逮捕. 時長\:<secondary> {1}<primary>. -playerKicked=<primary>玩家<secondary> {1}<primary> 被<secondary> {0} <primary>請出. 原因\:<secondary> {2}<primary>. -playerMuted=<primary>你被禁止發言 -playerMutedFor=<primary>你已被禁言. 理由\:<secondary> {0}<primary>. -playerMutedForReason=<primary>你已被 <secondary> {0} <primary>禁言. 原因\: <secondary>{1} -playerMutedReason=<primary>你已被禁言\! 原因\: <secondary>{0} -playerNeverOnServer=<dark_red>玩家 <secondary>{0} <dark_red>從沒出現在服務器過 -playerNotFound=<dark_red>玩家未在線(或不存在) -playerUnbanIpAddress=<primary>已解除玩家<secondary> {0} <primary>的封禁IP\:<secondary> {1}. -playerUnbanned=<primary>玩家<secondary> {1} <primary>被<secondary> {0} <primary>解除封禁. -playerUnmuted=<primary>你被允許發言 +onlyPlayers=<dark_red>只有遊戲中嘅玩家可以使用 <secondary>{0}<dark_red>。 +onlyPlayerSkulls=<dark_red>你只能設定玩家頭顱 (<secondary>397\:3<dark_red>) 嘅擁有者。 +onlySunStorm=<dark_red>/weather 指令只支援 sun 或 storm。 +openingDisposal=<primary>打開處理物品介面中... +orderBalances=<primary>緊排序 {0} 位玩家嘅資金,請稍等…… +oversizedMute=<dark_red>你無法禁言該玩家。 +oversizedTempban=<dark_red>你喺呢個時段可能冇權限封禁玩家。 +passengerTeleportFail=<dark_red>你無法乘坐期間傳送。 +payCommandDescription=從你嘅餘額向其他玩家付款。 +payCommandUsage=/<command> <玩家> <金額> +payCommandUsage1Description=向指定玩家支付指定金額。 +payConfirmToggleOff=<primary>以後付款時將唔再提示確認。 +payConfirmToggleOn=<primary>以後付款時會提示你確認。 +payDisabledFor=<primary>已停止接受 <secondary>{0}<primary> 嘅付款。 +payEnabledFor=<primary>已啟用接受 <secondary>{0}<primary> 嘅付款。 +payMustBePositive=<dark_red>付款金額必須係正數。 +payOffline=<dark_red>你唔可以向離線玩家付款。 +payToggleOff=<primary>你而家唔再接受付款。 +payToggleOn=<primary>你而家接受緊付款。 +payconfirmtoggleCommandDescription=切換付款時是否提示你確認。 +paytoggleCommandDescription=切換是否接受付款。 +paytoggleCommandUsage1Description=切換你或者指定玩家是否接受付款。 +pendingTeleportCancelled=<dark_red>待處理的傳送請求已取消。 +playerBanIpAddress=<primary>玩家 <secondary>{0}<primary> 已被停權 IP 地址 <secondary>{1}<primary>,原因\: <secondary>{2}<primary>。 +playerTempBanIpAddress=<primary>玩家 <secondary>{0}<primary> 已被暫時停權 IP 地址 <secondary>{1}<primary>,持續 <secondary>{2}<primary>,原因\: <secondary>{3}<primary>。 +playerBanned=<primary>玩家 <secondary>{0}<primary> 已被停權 <secondary>{1}<primary>,原因\: <secondary>{2}<primary>。 +playerJailed=<primary>玩家 <secondary>{0}<primary> 已被監禁。 +playerJailedFor=<primary>玩家 <secondary>{0}<primary> 已被監禁,時長\: <secondary>{1}<primary>。 +playerKicked=<primary>玩家 <secondary>{1}<primary> 已被 <secondary>{0}<primary> 請出,原因\: <secondary>{2}<primary>。 +playerMuted=<primary>你已被禁言。 +playerMutedFor=<primary>你已被禁言,理由\: <secondary>{0}<primary>。 +playerMutedForReason=<primary>你已被 <secondary>{0}<primary> 禁言,原因\: <secondary>{1}<primary>。 +playerMutedReason=<primary>你已被禁言\! 原因\: <secondary>{0}<primary>。 +playerNeverOnServer=<dark_red>玩家 <secondary>{0}<dark_red> 從未登入過伺服器。 +playerNotFound=<dark_red>玩家未在線或者不存在。 +playerTempBanned=<primary>玩家 <secondary>{0}<primary> 已被暫時停權 <secondary>{1}<primary>,原因\: <secondary>{2}<primary>,持續時間\: <secondary>{3}<primary>。 +playerUnbanIpAddress=<primary>已解除玩家 <secondary>{0}<primary> 嘅 IP 停權\: <secondary>{1}<primary>。 +playerUnbanned=<primary>玩家 <secondary>{1}<primary> 已被 <secondary>{0}<primary> 解除停權。 +playerUnmuted=<primary>你而家可以重新發言啦。 +playtimeCommandDescription=顯示玩家嘅遊戲時長。 +playtimeCommandUsage1Description=顯示你自己嘅遊戲時長。 +playtimeCommandUsage2Description=顯示指定玩家嘅遊戲時長。 +playtime=<primary>遊戲時間\: <secondary>{0} +playtimeOther=<primary>{1} 嘅遊戲時間\: <secondary>{0} pong=啪! -posPitch=<primary>仰角\: {0} (頭部的角度) +posPitch=<primary>仰角\: {0}(頭部角度) +possibleWorlds=<primary>可用的世界編號係從 <secondary>0<primary> 到 <secondary>{0}<primary>。 +potionCommandDescription=為藥水加入自訂效果。 +potionCommandUsage1Description=清除手持藥水上所有效果 +potionCommandUsage2Description=將手持藥水上嘅所有效果作用於你,並且唔會消耗藥水 +potionCommandUsage3Description=將指定嘅藥水屬性作用於手持藥水 posX=<primary>X\: {0} (+東 <-> -西) posY=<primary>Y\: {0} (+上 <-> -下) posYaw=<primary>Yaw\: {0} (旋轉) @@ -359,136 +829,397 @@ powerToolRemove=<primary>指令 <secondary>{0}<primary> 已經從 <secondary>{1} powerToolRemoveAll=<primary>所有指令已經從 <secondary>{0}<primary> 移除。 powerToolsDisabled=你所有的快捷命令被凍結 powerToolsEnabled=你所有的快捷命令被激活 -pTimeCurrent=<primary>{0}<secondary> <primary>的時間是 <secondary>{1} -pTimeCurrentFixed=<secondary>{0}<primary> 的時間被連接到 <secondary>{1} -pTimeNormal=<secondary>{0}<primary> 的時間是正常的並與服務器同步 -pTimeOthersPermission=<dark_red>你未被授權設置其他玩家的時間 -pTimePlayers=<primary>這些玩家有他們自己的時間\: -pTimeReset=<primary>該玩家的時間被重置\:<secondary>{0} -pTimeSet=<primary>該玩家的時間被設定為 <secondary>{0}<primary> 對象\:<secondary>{1} -pTimeSetFixed=<primary>該玩家時間被連接到 <secondary>{0}<primary> 對象\:<secondary>{1} -pWeatherCurrent=<secondary>{0}<primary>的天氣是<secondary> {1}<primary>. -pWeatherInvalidAlias=<dark_red>錯誤的天氣類型 -pWeatherNormal=<secondary>{0}<primary>的天氣是正常的. -pWeatherOthersPermission=<dark_red>您沒有被授權設置其他玩家的天氣. -pWeatherPlayers=<primary>這些玩家都有自己的天氣\:<reset> -pWeatherReset=<primary>玩家的天氣被重置\: <secondary>{0} -pWeatherSet=<primary>玩家<secondary>{1}<primary>的天氣被設置為 <secondary>{0}<primary> . +powertoolCommandDescription=為你手持物品指派一個指令。 +powertoolCommandUsage=/<command> [l\:|a\:|r\:|c\:|d\:][command] [arguments] - {player} 可替換成被點選嘅玩家名稱。 +powertoolCommandUsage1Description=列出手持物品上所有 powertool +powertoolCommandUsage2Description=刪除手持物品上所有 powertool +powertoolCommandUsage3Description=從手持物品上移除指定嘅指令 +powertoolCommandUsage4Description=將手持物品嘅 powertool 指令設置為指定嘅指令 +powertoolCommandUsage5Description=將指定嘅 powertool 指令添加到手持物品上 +powertooltoggleCommandDescription=切換啟用或禁用所有現有嘅 powertool。 +ptimeCommandDescription=調整玩家客戶端時間。加上 @ 前綴可修正時間。 +ptimeCommandUsage1Description=顯示你或指定玩家嘅客戶端時間列表。 +ptimeCommandUsage2Description=設定你或指定玩家嘅客戶端時間。 +ptimeCommandUsage3Description=重置你或指定玩家嘅客戶端時間。 +pweatherCommandDescription=調整玩家嘅天氣。 +pweatherCommandUsage1Description=顯示你或指定玩家嘅天氣狀態列表。 +pweatherCommandUsage2Description=設定你或指定玩家嘅天氣狀態。 +pweatherCommandUsage3Description=重置你或指定玩家嘅天氣狀態。 +pTimeCurrent=<primary>{0}<secondary> <primary>的時間係 <secondary>{1} +pTimeCurrentFixed=<secondary>{0}<primary> 的時間已連接到 <secondary>{1} +pTimeNormal=<secondary>{0}<primary> 的時間係正常並同步伺服器。 +pTimeOthersPermission=<dark_red>你冇權限設定其他玩家的時間。 +pTimePlayers=<primary>以下玩家設定咗自己嘅時間\: +pTimeReset=<primary>已重置玩家時間\: <secondary>{0} +pTimeSet=<primary>已設定玩家時間為 <secondary>{0}<primary> 對象\: <secondary>{1} +pTimeSetFixed=<primary>玩家時間已連接到 <secondary>{0}<primary> 對象\: <secondary>{1} +pWeatherCurrent=<secondary>{0}<primary> 嘅天氣係 <secondary>{1}<primary>。 +pWeatherInvalidAlias=<dark_red>無效嘅天氣類型。 +pWeatherNormal=<secondary>{0}<primary> 嘅天氣係正常嘅。 +pWeatherOthersPermission=<dark_red>你冇權限設定其他玩家的天氣。 +pWeatherPlayers=<primary>以下玩家擁有自己嘅天氣\:<reset> +pWeatherReset=<primary>已重置玩家嘅天氣\: <secondary>{0} +pWeatherSet=<primary>玩家 <secondary>{1}<primary> 嘅天氣設置為 <secondary>{0}<primary>。 questionFormat=<dark_green>[提問]<reset> {0} -radiusTooBig=<dark_red>半徑太大\! 最大半徑是<secondary> {0}<dark_red>. -readNextPage=<primary>輸入 <secondary>/{0} {1} <primary>來閱讀下一頁 +rCommandDescription=快速回覆上一次私訊你嘅玩家。 +rCommandUsage1Description=以指定文字回覆上一次向你發訊息嘅玩家。 +radiusTooBig=<dark_red>半徑太大\! 最大半徑係 <secondary>{0}<dark_red>。 +readNextPage=<primary>輸入 <secondary>/{0} {1} <primary> 來閱讀下一頁。 +realName=<white>{0}<reset><primary> 嘅真名係 <white>{1} +realnameCommandDescription=根據暱稱顯示玩家嘅用戶名。 +realnameCommandUsage1Description=根據提供嘅暱稱顯示玩家嘅用戶名。 +recentlyForeverAlone=<dark_red>{0} 最近離線咗。 +recipe=<primary><secondary>{0}<primary> 嘅合成配方 (<secondary>{1}<primary> 喺 <secondary>{2}<primary> 中) recipeBadIndex=這個編號沒有匹配的合成公式. +recipeCommandDescription=顯示如何製作物品。 +recipeCommandUsage1Description=顯示製作指定物品嘅方法 recipeMore=<primary>輸入<secondary> /{0} {1} <數字><primary> 查看所有合成 <secondary>{2}<primary>. recipeNone=對{0}沒有匹配的合成公式 recipeNothing=沒有東西 recipeShapeless=<primary>結合 <secondary>{0} recipeWhere=<primary>當\: {0} +removeCommandDescription=移除你世界中的實體。 +removeCommandUsage1=/<command> <怪物類型> [world] +removeCommandUsage1Description=移除當前世界或指定其他世界中所有該怪物類型 +removeCommandUsage2=/<command> <怪物類型> <半徑> [world] +removeCommandUsage2Description=在當前世界或指定其他世界中,於指定半徑內移除該怪物類型 removed=<primary>移除了<secondary> {0} <primary>項 +renamehomeCommandDescription=重新命名家園。 +renamehomeCommandUsage=/<command> <[player\:]名稱> <新名稱> +renamehomeCommandUsage1=/<command> <名稱> <新名稱> +renamehomeCommandUsage1Description=將你嘅家園重新命名為所指定嘅名稱 +renamehomeCommandUsage2=/<command> <player>\:<名稱> <新名稱> +renamehomeCommandUsage2Description=將指定玩家嘅家園重新命名為所指定嘅名稱 repair=<primary>你已經成功修好了你的: <secondary>{0}<primary>。 repairAlreadyFixed=<dark_red>該物品無需修復 +repairCommandDescription=修復單個或所有物品嘅耐久度。 +repairCommandUsage1Description=修復你手上嘅物品 +repairCommandUsage2Description=修復你背包中所有物品 repairEnchanted=<dark_red>你無權修復附魔物品 repairInvalidType=<dark_red>該物品無法修復 repairNone=<dark_red>這裡沒有需要被修理的物品。 +replyFromDiscord=**來自 {0} 嘅回覆:** {1} replyLastRecipientDisabled=<primary>回覆上一則訊息 <secondary>已關閉<primary>. replyLastRecipientDisabledFor=<primary>已關閉玩家<secondary> {0} <primary>的回覆上一則訊息. replyLastRecipientEnabled=<primary>回覆上一則訊息 <secondary>已開啟<primary>. replyLastRecipientEnabledFor=<primary>已開啟玩家<secondary> {0} <primary>的回覆上一則訊息. -requestAccepted=<primary>已接受傳送請求 -requestAcceptedAuto=<primary>自動接受來自 {0} 的傳送. -requestAcceptedFrom=<secondary>{0}<primary> 接受了你的傳送請求 -requestAcceptedFromAuto=<secondary>{0} <primary>自動接受你的傳送. -requestDenied=<primary>已拒絕傳送請求 -requestDeniedFrom=<secondary>{0}<primary> 拒絕了你的傳送請求 -requestSent=<primary>請求已發送給 {0}<primary> +requestAccepted=<primary>已接受傳送請求。 +requestAcceptedAll=<primary>已接受 <secondary>{0}<primary> 個待處理嘅傳送請求。 +requestAcceptedAuto=<primary>自動接受來自 {0} 嘅傳送。 +requestAcceptedFrom=<secondary>{0}<primary> 已接受你嘅傳送請求。 +requestAcceptedFromAuto=<secondary>{0}<primary> 自動接受咗你嘅傳送。 +requestDenied=<primary>已拒絕傳送請求。 +requestDeniedAll=<primary>已拒絕 <secondary>{0}<primary> 個待處理嘅傳送請求。 +requestDeniedFrom=<secondary>{0}<primary> 拒絕咗你嘅傳送請求。 +requestSent=<primary>請求已發送俾 {0}<primary>。 +requestSentAlready=<dark_red>你已經向 {0}<dark_red> 發送過傳送請求。 requestTimedOut=<dark_red>傳送請求超時…… -resetBal=<primary>所有在線玩家的財產已經重置為 <secondary>{0} <primary>。 -resetBalAll=<primary>所有玩家的財產已經重置為 <secondary>{0} <primary>。 -returnPlayerToJailError=<dark_red>嘗試將玩家<secondary> {0} <dark_red>關回監獄 <secondary>{1}<dark_red> 時發生錯誤! -runningPlayerMatch=<primary>正在搜索匹配的玩家 <secondary>{0}<primary> (這可能會花費一些時間) +requestTimedOutFrom=<dark_red>來自 <secondary>{0}<dark_red> 嘅傳送請求已超時。 +resetBal=<primary>所有在線玩家嘅財產已重置為 <secondary>{0}<primary>。 +resetBalAll=<primary>所有玩家嘅財產已重置為 <secondary>{0}<primary>。 +rest=<primary>你覺得精神煥發。 +restCommandDescription=讓你或者指定玩家休息。 +restCommandUsage1Description=重置你或者指定玩家嘅休息計時。 +restOther=<primary>讓 <secondary>{0}<primary> 休息。 +returnPlayerToJailError=<dark_red>將玩家 <secondary>{0}<dark_red> 送返監獄 <secondary>{1}<dark_red> 時發生錯誤! +rtoggleCommandDescription=切換回覆對象係最後一個接收者定最後一個發送者。 +rulesCommandDescription=瀏覽伺服器規則。 +runningPlayerMatch=<primary>緊搜索符合條件嘅玩家 <secondary>{0}<primary>(呢個過程可能要少少時間) second=秒 seconds=秒 -seenOffline=<primary>玩家<secondary> {0} <primary>在 <secondary>{1}<primary> 已經 <dark_red>離線<primary>。 -seenOnline=<primary>玩家<secondary> {0} <primary>在 <secondary>{1}<primary> 已經 <green>上線<primary>。 +seenAccounts=<primary>玩家曾經用過呢啲名稱\:<secondary> {0} +seenCommandDescription=顯示玩家最後一次登出嘅時間。 +seenCommandUsage=/<command> <玩家名稱> +seenCommandUsage1Description=顯示指定玩家嘅登出時間、停權、禁言同埋 UUID 資訊。 +seenOffline=<primary>玩家 <secondary>{0}<primary> 喺 <secondary>{1}<primary> 已經 <dark_red>離線<primary>。 +seenOnline=<primary>玩家 <secondary>{0}<primary> 喺 <secondary>{1}<primary> 已經 <green>上線<primary>。 +sellBulkPermission=<primary>你冇權限大量出售物品。 +sellCommandDescription=出售你手上嘅物品。 +sellCommandUsage=/<command> <<物品名稱>|<id>|hand|inventory|blocks> [數量] +sellCommandUsage1=/<command> <物品名稱> [數量] +sellCommandUsage1Description=出售你背包中所有(或指定數量)嘅該物品。 +sellCommandUsage2=/<command> hand [數量] +sellCommandUsage2Description=出售你手上所有(或指定數量)嘅物品。 +sellCommandUsage3Description=出售你背包中所有可以出售嘅物品。 +sellCommandUsage4=/<command> blocks [數量] +sellCommandUsage4Description=出售你背包中所有(或指定數量)嘅方塊。 +sellHandPermission=<primary>你冇權限出售手上物品。 serverFull=服務器已滿 -serverTotal=<primary>服務器總和\: {0} -serverUnsupported=你正在運行不被支援的伺服器版本\! -setBal=<green>你的金錢已被設置為 {0}. -setBalOthers=<green>成功設置 {0} 的金錢為 {1}. -setSpawner=<primary>改變生怪磚型態為<secondary> {0}<primary>。 -sheepMalformedColor=<dark_red>無效的顏色 +serverReloading=你而家好可能緊重新載入伺服器。如果係咁,你點解要自己搞自己?用 /reload 嘅話,EssentialsX 團隊唔會提供支援㗎。 +serverTotal=<primary>伺服器總和\: {0} +serverUnsupported=你正使用一個唔受支援嘅伺服器版本\! +serverUnsupportedClass=狀態判斷類別\: {0} +serverUnsupportedCleanroom=你正使用一個無法正確支援內部 Mojang 代碼嘅 Bukkit 插件嘅伺服器。建議考慮改用支援更好嘅伺服器軟件,例如 Paper。 +serverUnsupportedDangerous=你正使用一個已知極度危險,可能導致資料流失嘅伺服器分支。極度建議轉用更穩定嘅伺服器,例如 Paper。 +serverUnsupportedLimitedApi=你正使用一個 API 功能有限嘅伺服器。EssentialsX 仍可運作,但有啲功能可能無法使用。 +serverUnsupportedDumbPlugins=你正使用會對 EssentialsX 同其他插件造成嚴重問題嘅插件。 +serverUnsupportedMods=你正使用一個無法正確支援 Bukkit 插件嘅伺服器。Bukkit 插件唔應該同 Forge/Fabric 模組一齊用\! 對於 Forge:建議使用 ForgeEssentials 或者 SpongeForge + Nucleus。 +setBal=<green>你嘅金錢已被設置為 {0}。 +setBalOthers=<green>成功將 {0} 嘅金錢設置為 {1}。 +setSpawner=<primary>已將生怪磚類型改為 <secondary>{0}<primary>。 +sethomeCommandDescription=將你嘅家設置為目前位置。 +sethomeCommandUsage=/<command> [[player\:]名稱] +sethomeCommandUsage1Description=將你目前位置設置為指定名稱嘅家。 +sethomeCommandUsage2Description=以你目前位置,為指定玩家設置家。 +setjailCommandDescription=用指定嘅 [jailname] 創建一個監獄。 +setjailCommandUsage1Description=以你目前位置設置指定名稱嘅監獄。 +settprCommandDescription=設置隨機傳送嘅位置及參數。 +settprCommandUsage1Description=將隨機傳送中心設置為你目前嘅位置。 +settprCommandUsage2Description=將隨機傳送最小半徑設置為指定數值。 +settprCommandUsage3Description=將隨機傳送最大半徑設置為指定數值。 +settpr=<primary>已設置隨機傳送中心。 +settprValue=<primary>已將隨機傳送 <secondary>{0}<primary> 設置為 <secondary>{1}<primary>。 +setwarpCommandDescription=創建一個新的傳送點。 +setwarpCommandUsage1Description=以你目前位置設置指定名稱嘅傳送點。 +setworthCommandDescription=設置物品嘅售價。 +setworthCommandUsage=/<command> [物品名稱|id] <價格> +setworthCommandUsage1=/<command> <價格> +setworthCommandUsage1Description=將你手持物品嘅價值設置為指定價格。 +setworthCommandUsage2=/<command> <物品名稱> <價格> +setworthCommandUsage2Description=將指定物品嘅價值設置為指定價格。 +sheepMalformedColor=<dark_red>無效嘅顏色。 +shoutDisabled=<primary>喊話模式已 <secondary>停用<primary>。 +shoutDisabledFor=<primary>已為 <secondary>{0}<primary> 停用喊話模式。 +shoutEnabled=<primary>喊話模式已 <secondary>啟用<primary>。 +shoutEnabledFor=<primary>已為 <secondary>{0}<primary> 啟用喊話模式。 shoutFormat=<primary>[喊話]<reset> {0} +editsignCommandClear=<primary>已清空告示牌內容。 +editsignCommandClearLine=<primary>已清除第 <secondary>{0}<primary> 行。 +showkitCommandDescription=顯示工具包內容。 +showkitCommandUsage=/<command> <工具包名稱> +showkitCommandUsage1Description=顯示所指定工具包內物品嘅簡介。 +editsignCommandDescription=編輯世界中嘅告示牌。 +editsignCommandLimit=<dark_red>你輸入嘅文字太長,放唔落告示牌上面。 +editsignCommandNoLine=<dark_red>你必須輸入 1-4 之間嘅行數。 +editsignCommandSetSuccess=<primary>已將第 <secondary>{0}<primary> 行設置為 "<secondary>{1}<primary>"。 +editsignCommandTarget=<dark_red>你必須對住告示牌先可以編輯內容。 +editsignCopy=<primary>已複製告示牌\! 用 <secondary>/{0} paste<primary> 貼上。 +editsignCopyLine=<primary>已複製告示牌第 <secondary>{0}<primary> 行\! 用 <secondary>/{1} paste {0}<primary> 貼上。 +editsignPaste=<primary>已貼上告示牌\! +editsignPasteLine=<primary>已貼上告示牌第 <secondary>{0}<primary> 行\! +editsignCommandUsage=/<command> <set/clear/copy/paste> [行數] [文字] +editsignCommandUsage1=/<command> set <行數> <文字> +editsignCommandUsage1Description=將目標告示牌上指定行設置為指定文字。 +editsignCommandUsage2=/<command> clear <行數> +editsignCommandUsage2Description=清除目標告示牌上指定嘅行。 +editsignCommandUsage3=/<command> copy [行數] +editsignCommandUsage3Description=複製目標告示牌上所有文字(或指定行)到你嘅剪貼板。 +editsignCommandUsage4=/<command> paste [行數] +editsignCommandUsage4Description=將剪貼板內容貼到目標告示牌上所有行(或指定行)。 signFormatTemplate=[{0}] -signProtectInvalidLocation=<dark_red>你不允許在此放置牌子 -similarWarpExist=<dark_red>一個同名的地標已存在 +signProtectInvalidLocation=<dark_red>你唔可以喺呢度放置牌子。 +similarWarpExist=<dark_red>已經有一個同名嘅地標存在。 southEast=SE south=S southWest=SW -skullChanged=<primary>頭顱修改為 <secondary>{0}<primary>。 -slimeMalformedSize=<dark_red>大小非法 -soloMob=<dark_red>該生物喜歡獨居 +skullChanged=<primary>已將頭顱設置為 <secondary>{0}<primary>。 +skullCommandDescription=設定玩家頭顱嘅擁有者。 +skullCommandUsage1Description=獲取你自己嘅頭顱。 +skullCommandUsage2Description=獲取指定玩家嘅頭顱。 +skullCommandUsage3Description=用指定紋理(網址哈希或 Base64 值)獲取一個頭顱。 +skullCommandUsage4Description=將指定擁有者嘅頭顱俾指定玩家。 +skullCommandUsage5Description=將指定紋理(網址哈希或 Base64 值)嘅頭顱俾指定玩家。 +skullInvalidBase64=<dark_red>無效嘅紋理值。 +slimeMalformedSize=<dark_red>無效嘅大小。 +smithingtableCommandDescription=打開鍛造台介面。 +socialSpy=<primary>SocialSpy 狀態 <secondary>{0}<primary>\: <secondary>{1} +socialSpyMutedPrefix=<white>[<primary>SS<white>] <gray>(已靜音) <reset> +socialspyCommandDescription=切換是否可以查看聊天中的私訊/mail 指令。 +socialspyCommandUsage1Description=切換你自己或指定玩家的社交偵查功能。 +soloMob=<dark_red>呢種生物鍾意單獨生活。 spawned=已生成 -spawnSet=<primary>已為<secondary> {0}<primary> 組的設置出生點 +spawnerCommandDescription=更改生怪磚嘅生物類型。 +spawnerCommandUsage1Description=更改你望住嘅生怪磚嘅生物類型(同可選延遲)。 +spawnmobCommandDescription=生成一隻生物。 +spawnmobCommandUsage1Description=喺你(或指定玩家)位置生成一隻(或指定數量)嘅生物。 +spawnmobCommandUsage2Description=喺你(或指定玩家)位置生成一隻(或指定數量)騎住另一隻生物嘅生物。 +spawnSet=<primary>已為 <secondary>{0}<primary> 組設置出生點。 spectator=spectator -sudoExempt=<dark_red>無法強制使此玩家執行命令 -suicideMessage=<primary>永別了,殘酷的世界…… -suicideSuccess=<secondary>{0} <primary>結束了他自己的生命 +speedCommandDescription=更改你嘅速度限制。 +speedCommandUsage1Description=設置你嘅飛行或行走速度。 +speedCommandUsage2Description=為你或者指定玩家設置飛行或行走速度。 +stonecutterCommandDescription=打開切石機介面。 +sudoCommandDescription=令其他玩家執行指定指令。 +sudoCommandUsage1Description=令指定玩家執行指定指令。 +sudoExempt=<dark_red>無法強制呢位玩家執行指令。 +sudoRun=<primary>強制 <secondary>{0}<primary> 執行指令\: /{1} +suicideCommandDescription=結束自己嘅生命。 +suicideMessage=<primary>永別啦,殘酷嘅世界…… +suicideSuccess=<secondary>{0}<primary> 結束咗自己嘅生命。 survival=生存模式 -takenFromAccount=<yellow>{0}<green> 已從你的賬戶中扣除. -takenFromOthersAccount=<yellow>{1}<green> 扣除了 <yellow>{0}<green>. 目前金錢\:<yellow> {2} -teleportAAll=<primary>向所有玩家發送了傳送請求…… -teleportAll=<primary>傳送了所有玩家…… -teleportationCommencing=<primary>準備傳送... -teleportationDisabled=<primary>傳送 <secondary>已經禁用<primary>。 -teleportationDisabledFor=<secondary>{0}<primary>的傳送 <secondary>已經禁用<primary>。 -teleportationDisabledWarning=<primary>你一定要在其他玩家可以傳送來之前開啟傳送功能. -teleportationEnabled=<primary>傳送 <secondary>已經啟用<primary>。 -teleportationEnabledFor=<secondary>{0}<primary>的傳送 <secondary>已經啟用<primary>。 -teleportAtoB=<secondary>{0}<primary> 將你傳送到 <secondary>{1}<primary>。 -teleportDisabled=<secondary>{0}<dark_red> 取消了傳送 -teleportHereRequest=<secondary>{0}<dark_red> 請求你傳送到他那裡 -teleporting=<primary>正在傳送... +takenFromAccount=<yellow>{0}<green> 已從你嘅帳戶中扣除。 +takenFromOthersAccount=<yellow>{1}<green> 已從 <yellow>{0}<green> 扣除。當前金額\: <yellow>{2} +teleportAAll=<primary>已向所有玩家發送傳送請求…… +teleportAll=<primary>已傳送所有玩家…… +teleportationCommencing=<primary>準備傳送中…… +teleportationDisabled=<primary>傳送功能 <secondary>已被禁用<primary>。 +teleportationDisabledFor=<secondary>{0}<primary> 嘅傳送 <secondary>已被禁用<primary>。 +teleportationDisabledWarning=<primary>你必須開啟傳送功能,其他玩家先可以傳送過嚟。 +teleportationEnabled=<primary>傳送功能 <secondary>已啟用<primary>。 +teleportationEnabledFor=<secondary>{0}<primary> 嘅傳送 <secondary>已啟用<primary>。 +teleportAtoB=<secondary>{0}<primary> 已將你傳送到 <secondary>{1}<primary>。 +teleportBottom=<primary>傳送到最低位置中。 +teleportDisabled=<secondary>{0}<dark_red> 已取消傳送。 +teleportHereRequest=<secondary>{0}<dark_red> 請求你傳送到佢身邊。 +teleportHome=<primary>傳送到 <secondary>{0}<primary>。 +teleporting=<primary>傳送中... teleportInvalidLocation=座標的數值不得超過 30000000 -teleportNewPlayerError=<dark_red>傳送新玩家失敗 -teleportRequest=<secondary>{0}<primary> 請求傳送到你這裡 -teleportRequestCancelled=<primary>你的傳送請求 <secondary>{0}<primary> 已取消. -teleportRequestSpecificCancelled=<secondary>{0}<primary> 的傳送已取消. -teleportRequestTimeoutInfo=<primary>此請求將在 {0} 秒內取消 -teleportTop=<primary>傳送到頂部 +teleportNewPlayerError=<dark_red>傳送新玩家時出錯。 +teleportNoAcceptPermission=<secondary>{0}<dark_red> 冇權限接受傳送請求。 +teleportRequest=<secondary>{0}<primary> 請求傳送到你呢度。 +teleportRequestAllCancelled=<primary>已取消所有待處理嘅傳送請求。 +teleportRequestCancelled=<primary>你嘅傳送請求 <secondary>{0}<primary> 已取消。 +teleportRequestSpecificCancelled=<secondary>{0}<primary> 嘅傳送已取消。 +teleportRequestTimeoutInfo=<primary>呢個請求會喺 {0} 秒內取消。 +teleportTop=<primary>傳送到頂部。 teleportToPlayer=<primary>傳送到 <secondary>{0}<primary>。 -teleportOffline=<primary>玩家 <secondary>{0}<primary> 離線. 你可以 /otp 傳送他們. -tempbanExempt=<primary>你無法臨時封禁掉該玩家 -tempbanExemptOffline=<dark_red>你不能暫時封鎖離線玩家。 +teleportOffline=<primary>玩家 <secondary>{0}<primary> 已離線。你可以用 /otp 傳送過去。 +teleportOfflineUnknown=<primary>無法找到 <secondary>{0}<primary> 嘅最後已知位置。 +tempbanExempt=<primary>你無法將該玩家暫時停權。 +tempbanExemptOffline=<dark_red>你唔可以將離線玩家暫時停權。 tempbanJoin=You are banned from this server for {0}. Reason\: {1} -tempBanned=<secondary>你被伺服器暫時封禁. 時長\: {0}\n<reset>{2} -thunder=<primary>你 <secondary>{0} <primary>了你的世界的閃電 -thunderDuration=<primary>你 <secondary>{0} <primary>了你的世界的閃電<secondary> {1} <primary>秒 -timeBeforeHeal=<primary>治療冷卻\:{0} -timeBeforeTeleport=<primary>傳送冷卻\:{0} +tempBanned=<secondary>你已被伺服器暫時停權,時長\: {0}\n<reset>{2} +tempbanCommandDescription=將玩家暫時停權。 +tempbanCommandUsage1Description=將指定玩家暫時停權,可選填原因。 +tempbanipCommandDescription=將 IP 地址暫時停權。 +tempbanipCommandUsage1Description=將指定 IP 地址暫時停權,可選填原因。 +thunder=<primary>你已 <secondary>{0}<primary> 世界嘅閃電天氣。 +thunderCommandDescription=啟用或停用閃電。 +thunderCommandUsage1Description=啟用或停用閃電,可選擇持續時間。 +thunderDuration=<primary>你已 <secondary>{0}<primary> 世界嘅閃電,持續 <secondary>{1}<primary> 秒。 +timeBeforeHeal=<primary>治療冷卻時間\: {0} +timeBeforeTeleport=<primary>傳送冷卻時間\: {0} +timeCommandDescription=顯示或更改世界時間(預設係當前世界)。 +timeCommandUsage1Description=顯示所有世界嘅時間。 +timeCommandUsage2Description=設置目前或者指定世界嘅時間。 +timeCommandUsage3Description=為目前或者指定世界增加時間。 timeFormat=<secondary>{0}<primary> 或 <secondary>{1}<primary> 或 <secondary>{2}<primary> -timeSetPermission=<dark_red>你沒有設置時間的權限 -timeWorldCurrent=<primary>目前世界 {0} 的時間是 <dark_aqua>{1} -timeWorldSet=<primary>時間被設置為 {0} 於世界\:<dark_red>{1} +timeSetPermission=<dark_red>你冇設置時間嘅權限。 +timeSetWorldPermission=<dark_red>你冇權限設定世界 ''{0}'' 嘅時間。 +timeWorldAdd=<primary>時間已向前推進 <secondary>{0}<primary>,世界\: <secondary>{1}<primary>。 +timeWorldCurrent=<primary>目前世界 {0} 嘅時間係 <dark_aqua>{1} +timeWorldCurrentSign=<primary>當前時間係 <secondary>{0}<primary>。 +timeWorldSet=<primary>時間已設置為 {0},於世界\: <dark_red>{1} +togglejailCommandDescription=將玩家監禁或釋放,並傳送佢哋到指定監獄。 +toggleshoutCommandDescription=切換是否使用喊話模式。 +toggleshoutCommandUsage1Description=切換你自己或指定玩家嘅喊話模式。 +topCommandDescription=傳送到你當前位置上最高嘅方塊上面。 totalSellableAll=<green>所有可賣出物品和方塊的價值為<secondary>{1}<green>. totalSellableBlocks=<green>所有可賣出方塊的價值為<secondary>{1}<green>. totalWorthAll=<green>出售的所有物品和方塊,總價值 {1}. totalWorthBlocks=<green>出售的所有方塊塊,總價值 {1}. +tpCommandDescription=傳送到其他玩家。 +tpCommandUsage=/<command> <玩家> [其他玩家] +tpCommandUsage1=/<command> <玩家> +tpCommandUsage1Description=將你傳送到指定玩家位置 +tpCommandUsage2=/<command> <玩家> <其他玩家> +tpCommandUsage2Description=將第一個指定玩家傳送到第二個指定玩家位置 +tpaCommandDescription=請求傳送到指定玩家。 +tpaCommandUsage=/<command> <玩家> +tpaCommandUsage1=/<command> <玩家> +tpaCommandUsage1Description=向指定玩家發出傳送請求 +tpaallCommandDescription=向所有在線玩家發送傳送到你身邊嘅請求。 +tpaallCommandUsage=/<command> <玩家> +tpaallCommandUsage1=/<command> <玩家> +tpaallCommandUsage1Description=邀請所有玩家傳送到你身邊 +tpacancelCommandDescription=取消所有未處理嘅傳送請求。指定 [玩家] 可以只取消該玩家嘅請求。 +tpacancelCommandUsage=/<command> [玩家] +tpacancelCommandUsage1Description=取消你所有未處理嘅傳送請求 +tpacancelCommandUsage2=/<command> <玩家> +tpacancelCommandUsage2Description=取消與指定玩家之間所有未處理嘅傳送請求 +tpacceptCommandDescription=接受傳送請求。 +tpacceptCommandUsage=/<command> [其他玩家] +tpacceptCommandUsage1Description=接受最近一個傳送請求 +tpacceptCommandUsage2=/<command> <玩家> +tpacceptCommandUsage2Description=接受指定玩家發出嘅傳送請求 +tpacceptCommandUsage3Description=接受所有傳送請求 +tpahereCommandDescription=請求指定玩家傳送到你身邊。 +tpahereCommandUsage=/<command> <玩家> +tpahereCommandUsage1=/<command> <玩家> +tpahereCommandUsage1Description=請求指定玩家傳送到你身邊 +tpallCommandDescription=將所有在線玩家傳送到某個玩家位置。 +tpallCommandUsage=/<command> [玩家] +tpallCommandUsage1=/<command> [玩家] +tpallCommandUsage1Description=將所有玩家傳送到你,或指定玩家位置 +tpautoCommandDescription=自動接受傳送請求。 +tpautoCommandUsage=/<command> [玩家] +tpautoCommandUsage1=/<command> [玩家] +tpautoCommandUsage1Description=切換自己或指定玩家自動接受傳送請求功能 +tpdenyCommandDescription=拒絕傳送請求。 +tpdenyCommandUsage1Description=拒絕最近一個傳送請求 +tpdenyCommandUsage2=/<command> <玩家> +tpdenyCommandUsage2Description=拒絕指定玩家發出嘅傳送請求 +tpdenyCommandUsage3Description=拒絕所有傳送請求 +tphereCommandDescription=傳送指定玩家到你身邊。 +tphereCommandUsage=/<command> <玩家> +tphereCommandUsage1=/<command> <玩家> +tphereCommandUsage1Description=將指定玩家傳送到你身邊 +tpoCommandDescription=強制傳送,無視傳送設定。 +tpoCommandUsage=/<command> <玩家> [其他玩家] +tpoCommandUsage1=/<command> <玩家> +tpoCommandUsage1Description=強制將指定玩家傳送到你身邊,無視佢嘅傳送設定 +tpoCommandUsage2=/<command> <玩家> <其他玩家> +tpoCommandUsage2Description=強制將第一個指定玩家傳送到第二個指定玩家,無視佢哋嘅傳送設定 +tpofflineCommandDescription=傳送到玩家上次離線嘅位置。 +tpofflineCommandUsage=/<command> <玩家> +tpofflineCommandUsage1=/<command> <玩家> +tpofflineCommandUsage1Description=傳送到指定玩家嘅最後離線地點 +tpohereCommandDescription=強制叫指定玩家傳送到你身邊。 +tpohereCommandUsage=/<command> <玩家> +tpohereCommandUsage1=/<command> <玩家> +tpohereCommandUsage1Description=強制將指定玩家傳送到你身邊,無視佢嘅傳送設定 +tpposCommandDescription=傳送到指定座標位置。 +tpposCommandUsage=/<command> <x> <y> <z> [朝向] [俯仰角] [世界] +tpposCommandUsage1=/<command> <x> <y> <z> [朝向] [俯仰角] [世界] +tpposCommandUsage1Description=傳送你到指定座標位置,可選擇設定朝向、俯仰角同世界 +tprCommandDescription=隨機傳送。 +tprCommandUsage=/<command> [player] +tprCommandUsage1Description=將你隨機傳送到世界上嘅一個位置 +tprSuccess=<primary>傳送到隨機位置中... tps=<primary>當前 TPS \= {0} -tradeSignEmpty=<dark_red>交易牌上沒有你可獲得的東西 -tradeSignEmptyOwner=<dark_red>交易牌上沒有你可收集的東西 -treeFailure=<dark_red>生成樹木失敗,在草塊上或土上再試一次 -treeSpawned=<primary>生成樹木成功 +tptoggleCommandDescription=封鎖所有形式嘅傳送。 +tptoggleCommandUsage=/<command> [玩家] [開啟|關閉] +tptoggleCommandUsage1=/<command> [玩家] +tptoggleCommandUsageDescription=切換自己或指定玩家是否開放傳送 +tradeSignEmpty=<dark_red>交易牌上冇可供你獲取嘅物品 +tradeSignEmptyOwner=<dark_red>交易牌上冇可供你收集嘅物品 +tradeSignFull=<dark_red>呢塊交易牌已經滿咗! +tradeSignSameType=<dark_red>你唔可以用同一種物品作交易。 +treeCommandDescription=喺你望緊嘅位置生成一棵樹。 +treeCommandUsage1Description=喺你望住嘅位置生成指定類型嘅樹 +treeFailure=<dark_red>生成樹木失敗,請試吓喺草地或泥土上生成 +treeSpawned=<primary>樹木生成成功 true=<green>是<reset> -typeTpaccept=<primary>若想接受傳送,輸入 <dark_red>/tpaccept<primary> -typeTpdeny=<primary>若想拒絕傳送,輸入 <dark_red>/tpdeny<primary> -typeWorldName=<primary>你也可以輸入指定的世界的名字 -unableToSpawnItem=<dark_red>無法生成 <secondary>{0}<dark_red>; 這不是可生成的物品. +typeTpacancel=<primary>如果想取消呢個請求,請輸入 <secondary>/tpacancel<primary>。 +typeTpaccept=<primary>若想接受傳送,請輸入 <dark_red>/tpaccept<primary> +typeTpdeny=<primary>若想拒絕傳送,請輸入 <dark_red>/tpdeny<primary> +typeWorldName=<primary>你亦可以輸入指定世界嘅名稱 +unableToSpawnItem=<dark_red>無法生成 <secondary>{0}<dark_red>;呢個唔係可生成嘅物品。 unableToSpawnMob=<dark_red>生成生物失敗 -unignorePlayer=<primary>你已不再屏蔽玩家 {0} -unknownItemId=<dark_red>未知的物品ID\:{0} -unknownItemInList=<dark_red>未知的物品 {0} 於 {1} 列表 -unknownItemName=<dark_red>未知的物品名稱\:{0} -unlimitedItemPermission=<dark_red>沒有無限物品 <secondary>{0}<dark_red> 的權限。 +unbanCommandDescription=解除指定玩家嘅停權。 +unbanCommandUsage=/<command> <玩家> +unbanCommandUsage1=/<command> <玩家> +unbanCommandUsage1Description=解除指定玩家嘅停權 +unbanipCommandDescription=解除指定 IP 地址嘅封鎖。 +unbanipCommandUsage=/<command> <地址> +unbanipCommandUsage1=/<command> <地址> +unbanipCommandUsage1Description=解除指定 IP 地址嘅封鎖 +unignorePlayer=<primary>你已經唔再無視玩家 {0} +unknownItemId=<dark_red>未知物品 ID\:{0} +unknownItemInList=<dark_red>喺 {1} 列表中發現未知物品 {0} +unknownItemName=<dark_red>未知物品名稱\:{0} +unlimitedCommandDescription=允許無限擺放物品。 +unlimitedCommandUsage=/<command> <list|item|clear> [玩家] +unlimitedCommandUsage1=/<command> list [玩家] +unlimitedCommandUsage1Description=顯示你或指定玩家設為無限使用嘅物品列表 +unlimitedCommandUsage2=/<command> <物品> [玩家] +unlimitedCommandUsage2Description=切換指定物品喺你或指定玩家身上是否設為無限使用 +unlimitedCommandUsage3=/<command> clear [玩家] +unlimitedCommandUsage3Description=清除你或指定玩家嘅所有無限物品 +unlimitedItemPermission=<dark_red>你冇權限使用無限物品 <secondary>{0}<dark_red>。 unlimitedItems=<primary>無限物品\: +unlinkCommandDescription=取消你嘅 Minecraft 帳戶與目前已連結 Discord 帳戶嘅連結。 +unlinkCommandUsage1Description=取消你嘅 Minecraft 帳戶與目前已連結 Discord 帳戶嘅連結 unmutedPlayer=<primary>玩家 <secondary>{0}<primary> 被允許發言 unsafeTeleportDestination=<dark_red>傳送目的地不安全且安全傳送處於禁用狀態 unsupportedFeature=<dark_red>當前伺服器版本不支持此功能. @@ -504,7 +1235,7 @@ userIsAway=<light_purple>{0} <light_purple>暫時離開了 userIsAwayWithMessage=<light_purple>{0} <light_purple>暫時離開了 userIsNotAway=<light_purple>{0} <light_purple>回來了 userJailed=<primary>你已被監禁 -userUnknown=<dark_red>警告\: 這個玩家 <secondary>{0}<dark_red> 從來沒有加入過服務器. +userUnknown=<dark_red>警告\: 這個玩家 <secondary>{0}<dark_red> 從來沒有加入過伺服器. usingTempFolderForTesting=使用緩存文件夾來測試\: vanish=<primary>將 {0} <primary>的隱形模式 {1} vanished=<primary>已進入隱身模式,玩家將無法看到你. @@ -551,11 +1282,31 @@ whoisMoney=<primary> - 現金\:<reset> {0} whoisMuted=<primary> - 禁言\:<reset> {0} whoisMutedReason=<primary> - 禁言\:<reset> {0} <primary>原因\: <secondary>{1} whoisNick=<primary> - 暱稱\:<reset> {0} +whoisOp=<primary> - 管理員權限\:<reset> {0} +whoisPlaytime=<primary> - 遊玩時間\:<reset> {0} +whoisTempBanned=<primary> - 停權到期時間\:<reset> {0} whoisTop=<primary> \=\=\=\=\=\= <secondary> {0} <primary>的資料\=\=\=\=\=\= -worth=<primary>一組 {0} 價值 <dark_red>{1}<primary>({2} 單位物品,每個價值 {3}) -worthMeta=<green>一組副碼為 {1} 的 {0} 價值 <secondary>{2}<primary>({3} 單位物品,每個價值 {4}) +whoisWhitelist=<primary> - 白名單狀態\:<reset> {0} +workbenchCommandDescription=打開工作台介面。 +worldCommandDescription=切換世界。 +worldCommandUsage=/<command> [世界] +worldCommandUsage1Description=傳送到你喺地獄或主世界對應位置 +worldCommandUsage2=/<command> <世界> +worldCommandUsage2Description=傳送到你喺指定世界中嘅位置 +worth=<primary>一組 {0} 價值 <dark_red>{1}<primary>({2} 單位物品,每個價值 {3}) +worthCommandDescription=計算手持物品或指定物品嘅價值。 +worthCommandUsage=/<command> <<物品名稱>|<id>|hand|inventory|blocks> [-][數量] +worthCommandUsage1=/<command> <物品名稱> [數量] +worthCommandUsage1Description=檢查背包內指定物品嘅全部(或指定數量)總價值 +worthCommandUsage2=/<command> hand [數量] +worthCommandUsage2Description=檢查手上持有物品嘅全部(或指定數量)總價值 +worthCommandUsage3Description=檢查背包內所有可計價物品嘅總價值 +worthCommandUsage4=/<command> blocks [數量] +worthCommandUsage4Description=檢查背包內所有方塊(或指定數量)嘅總價值 +worthMeta=<green>一組副碼為 {1} 嘅 {0} 價值 <secondary>{2}<primary>({3} 單位物品,每個價值 {4}) worthSet=<primary>價格已設置 year=年 years=年 youAreHealed=<primary>你已被治療 -youHaveNewMail=<primary>你擁有 <secondary>{0}<primary> 條消息!<reset>輸入 <secondary>/mail read<primary> 來查看 +youHaveNewMail=<primary>你擁有 <secondary>{0}<primary> 條訊息!<reset>輸入 <secondary>/mail read<primary> 來查看 +xmppNotConfigured=XMPP 未有正確設定。如果你唔知道咩係 XMPP,建議移除伺服器內嘅 EssentialsXXMPP 插件。 diff --git a/Essentials/src/main/resources/messages_zh_TW.properties b/Essentials/src/main/resources/messages_zh_TW.properties index 3b32a06384c..31be83a94e9 100644 --- a/Essentials/src/main/resources/messages_zh_TW.properties +++ b/Essentials/src/main/resources/messages_zh_TW.properties @@ -36,7 +36,7 @@ backCommandUsage1=/<command> backCommandUsage1Description=傳送回先前的位置 backCommandUsage2=/<command> <玩家> backCommandUsage2Description=將指定玩家傳送回先前的位置 -backOther=<primary>已返回<secondary> {0}<primary> 到上一個位置。 +backOther=<primary>已將 <secondary> {0}<primary> 返回到上一個位置。 backupCommandDescription=若設定完成後將開始執行備份。 backupCommandUsage=/<command> backupDisabled=<dark_red>尚未設定外部備份指令碼。 @@ -71,16 +71,16 @@ banipCommandDescription=封鎖 IP 位址。 banipCommandUsage=/<command> <位址> [原因] banipCommandUsage1=/<command> <位址> [原因] banipCommandUsage1Description=封鎖指定 IP 位址並附加自訂原因 -bed=<i>床<reset> +bed=<i>bed(床)<reset> bedMissing=<dark_red>你的床尚未設定、遺失或被阻擋。 -bedNull=<st>床<reset> +bedNull=<st>bed(床)<reset> bedOffline=<dark_red>無法傳送到離線使用者的床。 bedSet=<primary>已設定重生點! beezookaCommandDescription=向你的敵人投擲一隻爆炸蜜蜂。 beezookaCommandUsage=/<command> bigTreeFailure=<dark_red>無法生成大樹。請在草地或泥土上再試一次。 bigTreeSuccess=<primary>已生成大樹。 -bigtreeCommandDescription=在你的前方生成一棵大樹。 +bigtreeCommandDescription=讓你看著的位置生成一棵大樹。 bigtreeCommandUsage=/<command> <tree|redwood|jungle|darkoak> bigtreeCommandUsage1=/<command> <tree|redwood|jungle|darkoak> bigtreeCommandUsage1Description=生成指定類型的大樹 @@ -99,7 +99,7 @@ bookLocked=<primary>已鎖定這本書。 bookTitleSet=<primary>已將這本書的標題設為 {0}。 bottomCommandDescription=傳送到你目前位置的最低點。 bottomCommandUsage=/<command> -breakCommandDescription=破壞你前方的方塊。 +breakCommandDescription=破壞你看著的方塊。 breakCommandUsage=/<command> broadcast=<primary>[<dark_red>廣播<primary>]<green> {0} broadcastCommandDescription=廣播訊息到全部伺服器。 @@ -113,7 +113,7 @@ broadcastworldCommandUsage1Description=廣播指定訊息到指定世界 burnCommandDescription=使玩家著火。 burnCommandUsage=/<command> <玩家> <秒數> burnCommandUsage1=/<command> <玩家> <秒數> -burnCommandUsage1Description=使指定玩家持續著火到指定秒數 +burnCommandUsage1Description=使指定玩家持續著火指定秒數 burnMsg=<primary>你將使 <secondary>{0}<primary> 燃燒 <secondary>{1} 秒<primary>。 cannotSellNamedItem=<primary>你沒有出售已命名物品的權限。 cannotSellTheseNamedItems=<primary>你沒有出售已命名物品的權限:<dark_red>{0} @@ -129,7 +129,7 @@ cartographytableCommandUsage=/<command> chatTypeLocal=<dark_aqua>[L] chatTypeSpy=[監聽] cleaned=已清除玩家資料。 -cleaning=正在清除玩家資料…… +cleaning=正在清除玩家資料。 clearInventoryConfirmToggleOff=<primary>你已停用物品欄清空確認提示。 clearInventoryConfirmToggleOn=<primary>你已啟用物品欄清空確認提示。 clearinventoryCommandDescription=清除所有物品欄中的物品。 @@ -170,12 +170,12 @@ configFileRenameError=無法將暫存檔案重新命名為 config.yml。 confirmClear=<gray>若要<b>確認</b><gray>清空物品欄,請再次輸入指令:<primary>{0} confirmPayment=<gray>若要<b>確認</b><gray>支付 <primary>{0}<gray>,請再次輸入指令:<primary>{1} connectedPlayers=<primary>目前線上玩家<reset> -connectionFailed=無法開啟連接。 +connectionFailed=無法開放連線。 consoleName=控制台 cooldownWithMessage=<dark_red>冷卻時間:{0} coordsKeyword={0}, {1}, {2} couldNotFindTemplate=<dark_red>找不到模版 {0} -createdKit=<primary>已建立工具包 <secondary>{0}<primary>,其中包含 <secondary>{1} <primary>個項目,延遲時間為 <secondary>{2} +createdKit=<primary>已建立工具包 <secondary>{0}<primary>,其中包含 <secondary>{1} <primary>個物品,延遲時間為 <secondary>{2} createkitCommandDescription=在遊戲中建立工具包! createkitCommandUsage=/<command> <工具包名稱> <延遲> createkitCommandUsage1=/<command> <工具包名稱> <延遲> @@ -231,7 +231,7 @@ depthBelowSea=<primary>你位於海平面負<secondary> {0} <primary>格處。 depthCommandDescription=指出目前相對於海平面的深度。 depthCommandUsage=/depth destinationNotSet=未設定目的地! -disabled=停用 +disabled=已停用 disabledToSpawnMob=<dark_red>設定檔中已停用此生物的生成。 disableUnlimited=<secondary>已停用 {1} <primary>的無限放置<secondary> {0} <primary>能力。 discordbroadcastCommandDescription=廣播訊息到指定的 Discord 頻道。 @@ -323,7 +323,7 @@ ecoCommandUsage4=/<command> reset <玩家> <數量> ecoCommandUsage4Description=重設指定玩家的餘額為伺服器初始餘額 editBookContents=<yellow>你現在可以編輯這本書的內容。 emptySignLine=<dark_red>空行 {0} -enabled=啟用 +enabled=已啟用 enchantCommandDescription=附魔玩家手中的物品。 enchantCommandUsage=/<command> <附魔名稱> [等級] enchantCommandUsage1=/<command> <附魔名稱> [等級] @@ -375,7 +375,7 @@ expCommandUsage2Description=設定指定玩家指定數量的經驗值 expCommandUsage3=/<command> show <玩家名稱> expCommandUsage4Description=顯示指定玩家的經驗值數量 expCommandUsage5=/<command> reset <玩家名稱> -expCommandUsage5Description=重設指定玩家的經驗值為 0 +expCommandUsage5Description=將指定玩家的經驗值重設為 0 expSet=<secondary>{0} <primary>現在有<secondary> {1} <primary>點經驗值。 extCommandDescription=熄滅玩家身上的火。 extCommandUsage=/<command> [玩家] @@ -394,13 +394,13 @@ feedCommandUsage1=/<command> [玩家] feedCommandUsage1Description=填飽自己或指定玩家的飽食度 feedOther=<primary>你填飽了 <secondary>{0}<primary>。 fileRenameError=無法重新命名檔案 {0}! -fireballCommandDescription=發射火球或各種子彈。 +fireballCommandDescription=投擲火球或其他投射物。 fireballCommandUsage=/<command> [fireball|small|large|arrow|skull|egg|snowball|expbottle|dragon|splashpotion|lingeringpotion|trident] [速度] fireballCommandUsage1=/<command> fireballCommandUsage1Description=從你的位置投擲火球 fireballCommandUsage2=/<command> <fireball|small|large|arrow|skull|egg|snowball|expbottle|dragon|splashpotion|lingeringpotion|trident> [速度] -fireballCommandUsage2Description=從你的位置投擲出可自訂速度的投擲物 -fireworkColor=<dark_red>無效的煙火引數,你必須先設定顏色。 +fireballCommandUsage2Description=從你的位置投擲出可自訂速度的投射物 +fireworkColor=<dark_red>無效的煙火參數,你必須先設定顏色。 fireworkCommandDescription=允許修改一組煙火。 fireworkCommandUsage=/<command> <<meta param>|power [數量]|clear|fire [數量]> fireworkCommandUsage1=/<command> clear @@ -420,7 +420,7 @@ flyCommandUsage=/<command> [玩家] [on|off] flyCommandUsage1=/<command> [玩家] flyCommandUsage1Description=切換自己或指定玩家的飛行模式 flying=飛行 -flyMode=<secondary>已{0}<secondary> {1}<primary> 的飛行模式。 +flyMode=<secondary>{0}<secondary> {1}<primary> 的飛行模式。 foreverAlone=<dark_red>你沒有可回覆的玩家。 fullStack=<dark_red>你的物品已達到最大堆疊。 fullStackDefault=<primary>你的堆疊已被設定為預設大小 <secondary>{0}<primary>。 @@ -433,9 +433,9 @@ gamemodeCommandUsage1=/<command> <survival|creative|adventure|spectator> [玩家 gamemodeCommandUsage1Description=設定你或指定玩家的遊戲模式 gcCommandDescription=報告記憶體、運作時間與刻資訊。 gcCommandUsage=/<command> -gcfree=<primary>可用記憶體:<secondary>{0} <primary>MB。 -gcmax=<primary>最大記憶體:<secondary>{0} <primary>MB。 -gctotal=<primary>已分配記憶體:<secondary>{0} <primary>MB。 +gcfree=<primary>可用記憶體:<secondary>{0} MB。 +gcmax=<primary>最大記憶體:<secondary>{0} MB。 +gctotal=<primary>已分配記憶體:<secondary>{0} MB。 gcWorld=<primary>{0}「<secondary>{1}<primary>」:<secondary>{2}<primary> 個區塊、<secondary>{3}<primary> 個實體、<secondary>{4}<primary> 個方塊實體。 geoipJoinFormat=<primary>玩家 <secondary>{0} <primary>來自於 <secondary>{1}<primary>。 getposCommandDescription=取得目前你或指定玩家的座標。 @@ -464,7 +464,7 @@ giveSpawnFailure=<dark_red>沒有足夠的空間,已遺失 <secondary>{0} 個 godDisabledFor=<secondary>已停用 {0} <primary>的 godEnabledFor=<green>已啟用<secondary> {0} <primary>的 godMode=<secondary>{0}<primary>上帝模式。 -grindstoneCommandDescription=開啟砂輪機。 +grindstoneCommandDescription=開啟砂輪。 grindstoneCommandUsage=/<command> groupDoesNotExist=<dark_red>此群組中沒有人在線上! groupNumber=<secondary>{0}<white> 位玩家在線上,若要取得完整清單請使用:<secondary>/{1} {2} @@ -512,7 +512,7 @@ homeCommandUsage2=/<command> <玩家>\:<名稱> homeCommandUsage2Description=傳送你到指定玩家的家點 homes=<primary>家點:<reset>{0} homeConfirmation=<primary>你已經有一個名為 <secondary>{0}<primary> 的家點!\n若要覆蓋現有的家點,請再次輸入指令。 -homeRenamed=<primary>已重新命名家點 <secondary>{0} <primary>為 <secondary>{1}<primary>。 +homeRenamed=<primary>已將家點 <secondary>{0} <primary>重新命名為 <secondary>{1}<primary>。 homeSet=<primary>已成功設定目前位置為家點。 hour=小時 hours=小時 @@ -652,7 +652,7 @@ kickallCommandDescription=踢出除了傳送指令者之外的所有玩家出伺 kickallCommandUsage=/<command> [原因] kickallCommandUsage1=/<command> [原因] kickallCommandUsage1Description=踢出所有玩家並附加自訂原因 -kill=<primary>殺死了<secondary> {0}<primary>。 +kill=<primary>已消滅<secondary> {0}<primary>。 killCommandDescription=殺死指定玩家。 killCommandUsage=/<command> <玩家> killCommandUsage1=/<command> <玩家> @@ -677,7 +677,7 @@ kitItem=<primary>- <white>{0} kitNotFound=<dark_red>此工具包不存在。 kitOnce=<dark_red>你不能再次使用此工具包。 kitReceive=<primary>收到一個工具包 <secondary> {0}<primary>。 -kitReset=<primary>將工具包 <secondary>{0}<primary> 重設冷卻時間。 +kitReset=<primary>已重設工具包 <secondary>{0}<primary> 的冷卻時間。 kitresetCommandDescription=重設指定工具包的冷卻時間。 kitresetCommandUsage=/<command> <工具包> [玩家] kitresetCommandUsage1=/<command> <工具包> [玩家] @@ -691,7 +691,7 @@ leatherSyntax=<primary>皮革顏色語法:<secondary>color\:\\<red>,\\<green>, lightningCommandDescription=以雷神索爾的力量,劈向目標玩家。 lightningCommandUsage=/<command> [玩家] [power] lightningCommandUsage1=/<command> [玩家] -lightningCommandUsage1Description=雷擊你前方的位置或指定玩家 +lightningCommandUsage1Description=讓閃電擊中你看著的位置或指定玩家 lightningCommandUsage2=/<command> <玩家> <強度> lightningCommandUsage2Description=以指定的力量雷擊指定玩家 lightningSmited=<primary>你被雷擊中了! @@ -748,16 +748,16 @@ mailSentTo=<secondary>{0}<primary> 已傳送以下郵件: mailSentToExpire=<secondary>{0}<primary> 已傳送以下郵件,郵件將於 <secondary>{1}<primary> 過期: mailTooLong=<dark_red>郵件訊息過長。請保持字數在 1000 字元以下。 markMailAsRead=<primary>若要將你的郵件標示為已讀,請輸入<secondary> /mail clear<primary>。 -matchingIPAddress=<primary>以下是先前使用此 IP 位址登入的玩家: +matchingIPAddress=<primary>以下是先前使用該 IP 位址登入的玩家: matchingAccounts={0} maxHomes=<dark_red>你無法設定超過<secondary> {0} <dark_red>個家點。 maxMoney=<dark_red>此筆交易將超出此帳戶的餘額限制。 mayNotJail=<dark_red>你無法將此玩家關進監獄! mayNotJailOffline=<dark_red>你無法將離線玩家關進監獄。 -meCommandDescription=以第三人稱描述一件事。 +meCommandDescription=描述玩家的行為。 meCommandUsage=/<command> <description> meCommandUsage1=/<command> <description> -meCommandUsage1Description=描述動作 +meCommandUsage1Description=描述行為 meSender=我 meRecipient=我 minimumBalanceError=<dark_red>玩家能夠持有的最低餘額為 {0}。 @@ -841,7 +841,7 @@ nickCommandUsage4=/<command> <玩家> off nickCommandUsage4Description=移除指定玩家的暱稱 nickDisplayName=<dark_red>你需要在 Essentials 設定檔中啟用 change-displayname。 nickInUse=<dark_red>此暱稱已被使用。 -nickNameBlacklist=<dark_red>此暱稱不被允許使用。 +nickNameBlacklist=<dark_red>不允許使用此暱稱。 nickNamesAlpha=<dark_red>暱稱必須為有效的文字。 nickNamesOnlyColorChanges=<dark_red>暱稱只能變更顏色。 nickNoMore=<primary>你不再擁有暱稱。 @@ -944,14 +944,14 @@ playerTempBanned=<primary>玩家<secondary> {1} <primary>暫時被<secondary> {0 playerUnbanIpAddress=<primary>玩家<secondary> {0} <primary>已解除封鎖 IP 位址:<secondary>{1}<primary>。 playerUnbanned=<primary>玩家<secondary> {1} <primary>被<secondary> {0} <primary>解除封鎖。 playerUnmuted=<primary>你已被解除禁言。 -playtimeCommandDescription=顯示玩家的遊戲持續時間 +playtimeCommandDescription=顯示玩家的遊玩時間 playtimeCommandUsage=/<command> [玩家] playtimeCommandUsage1=/<command> -playtimeCommandUsage1Description=顯示你的遊戲持續時間 +playtimeCommandUsage1Description=顯示你的遊玩時間 playtimeCommandUsage2=/<command> <玩家> -playtimeCommandUsage2Description=顯示指定玩家的遊戲持續時間 -playtime=<primary>遊戲持續時間:<secondary>{0} -playtimeOther=<primary>{1} 的遊戲持續時間<primary>:<secondary>{0} +playtimeCommandUsage2Description=顯示指定玩家的遊玩時間 +playtime=<primary>遊玩時間:<secondary>{0} +playtimeOther=<primary>{1} 的遊玩時間<primary>:<secondary>{0} pong=啪! posPitch=<primary>仰角:{0}(頭部角度) possibleWorlds=<primary>可使用的世界編號為 <secondary>0<primary> 到 <secondary>{0}<primary>。 @@ -1050,7 +1050,7 @@ recipeMore=<primary>輸入<secondary> /{0} {1} <number><primary> 查看 <seconda recipeNone={0} 沒有符合的合成方式。 recipeNothing=沒有東西 recipeShapeless=<primary>結合 <secondary>{0} -recipeWhere=<primary>地方:{0} +recipeWhere=<primary>合成位置:{0} removeCommandDescription=移除你所在世界的所有實體。 removeCommandUsage=/<command> <all|tamed|named|drops|arrows|boats|minecarts|xp|paintings|itemframes|endercrystals|monsters|animals|ambient|mobs|[生物類型]> [半徑|世界] removeCommandUsage1=/<command> <生物類型> [世界] @@ -1075,7 +1075,7 @@ repairCommandUsage2Description=修復物品欄的所有物品 repairEnchanted=<dark_red>你沒有修復附魔物品的權限。 repairInvalidType=<dark_red>無法修復此物品。 repairNone=<dark_red>沒有需要被修復的物品。 -replyFromDiscord=**來自 {0} 的回覆\:** {1} +replyFromDiscord=**來自 {0} 的回覆:**{1} replyLastRecipientDisabled=<primary>已<secondary>停用<primary>回覆最後一位訊息傳送者。 replyLastRecipientDisabledFor=<primary>已為 <secondary>{0}<primary> <secondary>停用<primary>回覆最後一位訊息傳送者。 replyLastRecipientEnabled=<primary>已<secondary>啟用<primary>回覆最後一位訊息傳送者。 @@ -1104,8 +1104,8 @@ returnPlayerToJailError=<dark_red>嘗試將玩家<secondary> {0} <dark_red>關 rtoggleCommandDescription=變更回覆收件人為最後的收件人或發件人 rtoggleCommandUsage=/<command> [玩家] [on|off] rulesCommandDescription=檢視伺服器規則。 -rulesCommandUsage=/<command> [''章節] [頁數] -runningPlayerMatch=<primary>正在搜尋符合「<secondary>{0}<primary>」的玩家(這可能會花費一些時間)。 +rulesCommandUsage=/<command> [章節] [頁數] +runningPlayerMatch=<primary>正在搜尋符合「<secondary>{0}<primary>」的玩家(這可能需要一點時間)。 second=秒 seconds=秒 seenAccounts=<primary>此玩家以前也叫做:<secondary>{0} @@ -1113,8 +1113,8 @@ seenCommandDescription=顯示玩家的最後登出時間。 seenCommandUsage=/<command> <玩家名稱> seenCommandUsage1=/<command> <玩家名稱> seenCommandUsage1Description=顯示指定玩家的登出時間、封鎖、UUID 等資訊 -seenOffline=<primary>玩家<secondary> {0} <primary>在 <secondary>{1}<primary> 前已<dark_red>離線<primary>。 -seenOnline=<primary>玩家<secondary> {0} <primary>在 <secondary>{1}<primary> 前已<green>上線<primary>。 +seenOffline=<primary>玩家<secondary> {0} <primary>在 <secondary>{1}<primary>前已<dark_red>離線<primary>。 +seenOnline=<primary>玩家<secondary> {0} <primary>在 <secondary>{1}<primary>前已<green>上線<primary>。 sellBulkPermission=<primary>你沒有批次出售物品的權限。 sellCommandDescription=出售你手中的物品。 sellCommandUsage=/<command> <<物品名稱>|<id>|hand|inventory|blocks> [數量] @@ -1138,8 +1138,8 @@ serverUnsupportedLimitedApi=你正在執行 API 功能受限的伺服器。Essen serverUnsupportedDumbPlugins=你正在使用已知會導致 EssentialsX 與其他插件出現嚴重問題的插件。 serverUnsupportedMods=你正在執行的伺服器端無法正常支援 Bukkit 插件。Bukkit 插件不應此與 Forge 或 Fabric 模組一起使用!建議使用 ForgeEssentials 或 SpongeForge + Nucleus 代替本插件。 setBal=<green>你的餘額已被設定為 {0}。 -setBalOthers=<green>你設定 {0}<green> 的餘額為 {1}。 -setSpawner=<primary>已變更生怪磚類型為<secondary> {0}<primary>。 +setBalOthers=<green>你已將 {0}<green> 的餘額設為 {1}。 +setSpawner=<primary>已將生怪磚類型變更為<secondary> {0}<primary>。 sethomeCommandDescription=在你目前的位置設立家點。 sethomeCommandUsage=/<command> [[玩家\:]名稱] sethomeCommandUsage1=/<command> <名稱> @@ -1150,7 +1150,7 @@ setjailCommandDescription=建立指定名稱 [jailname] 的監獄。 setjailCommandUsage=/<command> <監獄名稱> setjailCommandUsage1=/<command> <監獄名稱> setjailCommandUsage1Description=在你的位置使用指定名稱設立監獄 -settprCommandDescription=設定隨機傳送位置參數。 +settprCommandDescription=設定隨機傳送位置和參數。 settprCommandUsage=/<command> <世界> [center|minrange|maxrange] [值] settprCommandUsage1=/<command> <世界> center settprCommandUsage1Description=在你的位置設立隨機傳送中心 @@ -1238,7 +1238,7 @@ spawned=已生成 spawnerCommandDescription=變更生怪磚生物類型。 spawnerCommandUsage=/<command> <生物> [延遲] spawnerCommandUsage1=/<command> <生物> [延遲] -spawnerCommandUsage1Description=修改你看著的生怪磚裡的生物類型(可選自訂生怪延遲) +spawnerCommandUsage1Description=變更你看著的生怪磚生物類型(可選自訂生怪延遲) spawnmobCommandDescription=生成生物。 spawnmobCommandUsage=/<command> <生物>[\:資料][,<mount>[\:資料]] [數量] [玩家] spawnmobCommandUsage1=/<command> <生物>[\:資料] [數量] [玩家] @@ -1425,10 +1425,10 @@ tradeSignEmpty=<dark_red>交易告示牌上沒有你可獲得的東西。 tradeSignEmptyOwner=<dark_red>交易告示牌上沒有你可收集的東西。 tradeSignFull=<dark_red>此告示牌已寫滿了! tradeSignSameType=<dark_red>你不能交易相同的物品類型。 -treeCommandDescription=在你的前方生成一棵樹木。 +treeCommandDescription=讓你看著的位置生成一棵樹木。 treeCommandUsage=/<command> <tree|birch|redwood|redmushroom|brownmushroom|jungle|junglebush|swamp|paleoak> treeCommandUsage1=/<command> <tree|birch|redwood|redmushroom|brownmushroom|jungle|junglebush|swamp> -treeCommandUsage1Description=在你的前方生成指定類型的大樹 +treeCommandUsage1Description=讓你看著的位置生成指定類型的大樹 treeFailure=<dark_red>無法生成樹木,請在草地或泥土上再試一次。 treeSpawned=<primary>已生成樹木。 true=<green>是<reset> @@ -1487,7 +1487,7 @@ userJailed=<primary>你已被逮捕並關進監獄! usermapEntry=<secondary>{0} <primary>與 <secondary>{1}<primary> 已關聯。 usermapKnown=<primary>使用者快取中有 <secondary>{0} <primary> 個已知使用者,有 <secondary>{1} <primary>個名稱與 UUID 配對。 usermapPurge=<primary>正在檢查沒有建立關聯的使用者檔案,結果將被記錄到控制台。破壞模式:{0} -usermapSize=<primary>目前已快取的使用者是 \n<secondary>{0}<primary>/<secondary>{1}<primary>/<secondary>{2}<primary>。 +usermapSize=<primary>目前玩家地圖中的快取玩家是 <secondary>{0}<primary>/<secondary>{1}<primary>/<secondary>{2}<primary>。 userUnknown=<dark_red>警告:使用者「<secondary>{0}<dark_red>」從來沒有加入過此伺服器。 usingTempFolderForTesting=使用暫存資料夾來測試: vanish=<primary>已{1} {0} <primary>的隱形模式。 @@ -1500,10 +1500,10 @@ versionCheckDisabled=<primary>更新檢查已於設定檔中停用。 versionCustom=<primary>無法檢查你目前的版本!是自己建立的?建置資訊:<secondary>{0}<primary>。 versionDevBehind=<dark_red>你正在執行的 EssentialsX 已過時 <secondary>{0} <dark_red>個開發建置! versionDevDiverged=<primary>你正在執行的實驗性建置 EssentialsX <secondary>{0}<primary> 已不是最新的開發建置! -versionDevDivergedBranch=<primary>特色分支:<secondary>{0}<primary>。 -versionDevDivergedLatest=<primary>你正在執行最新版的 EssentialsX 實驗性建置! -versionDevLatest=<primary>你正在執行最新版的 EssentialsX 開發建置! -versionError=<dark_red>取得 EssentialsX 版本資訊時發生錯誤!建置資訊:<secondary>{0}<primary>。 +versionDevDivergedBranch=<primary>功能分支:<secondary>{0}<primary>。 +versionDevDivergedLatest=<primary>你正在執行最新版本的 EssentialsX 實驗性建構! +versionDevLatest=<primary>你正在執行最新版本的 EssentialsX 開發建構! +versionError=<dark_red>取得 EssentialsX 版本資訊時發生錯誤!建構資訊:<secondary>{0}<primary>。 versionErrorPlayer=<primary>檢查 EssentialsX 版本資訊時發生錯誤! versionFetching=<primary>正在取得版本資訊…… versionOutputVaultMissing=<dark_red>未安裝 Vault 插件,聊天與權限可能無法正常運作。 @@ -1545,7 +1545,7 @@ weatherCommandDescription=設定天氣。 weatherCommandUsage=/<command> <storm/sun> [持續時間] weatherCommandUsage1=/<command> <storm|sun> [持續時間] weatherCommandUsage1Description=設定天氣狀態持續時間 -warpSet=<primary>已設定傳送點 <secondary>{0} <primary>。 +warpSet=<primary>已設定傳送點 <secondary>{0}<primary>。 warpUsePermission=<dark_red>你沒有使用此傳送點的權限。 weatherInvalidWorld=找不到名為 {0} 的世界! weatherSignStorm=<primary>天氣:<secondary>暴風雨(雪)<primary>。 @@ -1588,7 +1588,7 @@ workbenchCommandUsage=/<command> worldCommandDescription=切換世界。 worldCommandUsage=/<command> [世界] worldCommandUsage1=/<command> -worldCommandUsage1Description=傳送你到地獄或其他世界的對應座標 +worldCommandUsage1Description=將你傳送到地獄或主世界的對應座標 worldCommandUsage2=/<command> <世界> worldCommandUsage2Description=傳送你到指定世界的對應位置 worth=<green>一組 {0} 價值 <secondary>{1}<green>(總共 {2} 個物品,每個價值 {3}) diff --git a/Essentials/src/main/resources/tpr.yml b/Essentials/src/main/resources/tpr.yml index fdaf3c7209b..399b8b58fd3 100644 --- a/Essentials/src/main/resources/tpr.yml +++ b/Essentials/src/main/resources/tpr.yml @@ -1,5 +1,5 @@ # Configuration for the random teleport command. -# Some settings may be defaulted, and can be changed via the /settpr command in-game. +# Some settings may be defaulted and can be changed using the '/settpr' command in-game. default-location: '{world}' excluded-biomes: - cold_ocean diff --git a/Essentials/src/main/resources/worth.yml b/Essentials/src/main/resources/worth.yml index 4a9de519131..bfe24d291b0 100644 --- a/Essentials/src/main/resources/worth.yml +++ b/Essentials/src/main/resources/worth.yml @@ -1,23 +1,22 @@ -# Determines how much items are worth on the server. -# This can be set in this file, or by running the /setworth command. -worth: - - # Items not listed in this file will not be sellable on the server - # Setting the worth to 0 will sell items for free, delete the item or set to -1 to disable. +# Determines the value of items on the server. +# Items not listed here cannot be sold. +# Setting the value to 0 sells items for free; set to -1 or remove the item to disable selling. +# Prices can be set in this file or via the '/setworth' command in-game. - # This will set the worth of all logs to '2' +worth: + # This will set the worth of all logs to '2'. log: 2.0 - # This will work similar to the above syntax + # This will work similar to the above syntax. wool: '0': 20 - - # This will only allow selling leaves with datavalue '0' and '1' + + # This will only allow selling leaves with datavalue '0' and '1'. leaves: '0': 1.0 '1': 1.0 - - # This will allow the selling of all, but sells '0' slightly cheaper + + # This will allow the selling of all, but sells '0' slightly cheaper. sapling: '0': 2.0 '*': 2.5 diff --git a/Essentials/src/test/java/com/earth2me/essentials/EconomyTest.java b/Essentials/src/test/java/com/earth2me/essentials/EconomyTest.java index 7429756795d..eaa37156863 100644 --- a/Essentials/src/test/java/com/earth2me/essentials/EconomyTest.java +++ b/Essentials/src/test/java/com/earth2me/essentials/EconomyTest.java @@ -4,6 +4,7 @@ import com.earth2me.essentials.api.UserDoesNotExistException; import com.earth2me.essentials.commands.IEssentialsCommand; import com.earth2me.essentials.commands.NoChargeException; +import com.earth2me.essentials.utils.AdventureUtil; import net.ess3.api.Economy; import net.ess3.api.MaxMoneyException; import org.bukkit.command.CommandSender; @@ -138,7 +139,7 @@ public void testNegativePayCommand() { try { runCommand("pay", user1, PLAYERNAME2 + " -123"); } catch (final Exception e) { - Assert.assertEquals(I18n.tlLiteral("payMustBePositive"), e.getMessage()); + Assert.assertEquals(AdventureUtil.miniToLegacy(I18n.tlLiteral("payMustBePositive")), e.getMessage()); } } } diff --git a/EssentialsChat/src/main/java/com/earth2me/essentials/chat/processing/AbstractChatHandler.java b/EssentialsChat/src/main/java/com/earth2me/essentials/chat/processing/AbstractChatHandler.java index edc39a503b0..a809a3c50fd 100644 --- a/EssentialsChat/src/main/java/com/earth2me/essentials/chat/processing/AbstractChatHandler.java +++ b/EssentialsChat/src/main/java/com/earth2me/essentials/chat/processing/AbstractChatHandler.java @@ -141,8 +141,9 @@ protected void handleChatRecipients(AbstractChatEvent event) { final ChatProcessingCache.Chat chat = cache.getProcessedChat(event.getPlayer()); - // If local chat is enabled, handle the recipients here; else we have nothing to do + // If local chat is enabled, handle the recipients here; else we can just fire the chat event and return if (chat.getRadius() < 1) { + callChatEvent(event, chat.getType(), null); return; } final long radiusSquared = chat.getRadius() * chat.getRadius(); diff --git a/EssentialsDiscord/src/main/java/net/essentialsx/api/v2/services/discord/MessageType.java b/EssentialsDiscord/src/main/java/net/essentialsx/api/v2/services/discord/MessageType.java index 567bfbde553..4733e7d2a7b 100644 --- a/EssentialsDiscord/src/main/java/net/essentialsx/api/v2/services/discord/MessageType.java +++ b/EssentialsDiscord/src/main/java/net/essentialsx/api/v2/services/discord/MessageType.java @@ -57,6 +57,7 @@ public static final class DefaultTypes { public final static MessageType FIRST_JOIN = new MessageType("first-join", true); public final static MessageType LEAVE = new MessageType("leave", true); public final static MessageType CHAT = new MessageType("chat", true); + public final static MessageType PRIVATE_CHAT = new MessageType("private-chat", true); public final static MessageType DEATH = new MessageType("death", true); public final static MessageType AFK = new MessageType("afk", true); public final static MessageType ADVANCEMENT = new MessageType("advancement", true); @@ -68,7 +69,7 @@ public static final class DefaultTypes { public final static MessageType LOCAL = new MessageType("local", true); public final static MessageType QUESTION = new MessageType("question", true); public final static MessageType SHOUT = new MessageType("shout", true); - private final static MessageType[] VALUES = new MessageType[]{JOIN, FIRST_JOIN, LEAVE, CHAT, DEATH, AFK, ADVANCEMENT, ACTION, SERVER_START, SERVER_STOP, KICK, MUTE, LOCAL, QUESTION, SHOUT}; + private final static MessageType[] VALUES = new MessageType[]{JOIN, FIRST_JOIN, LEAVE, CHAT, PRIVATE_CHAT, DEATH, AFK, ADVANCEMENT, ACTION, SERVER_START, SERVER_STOP, KICK, MUTE, LOCAL, QUESTION, SHOUT}; /** * Gets an array of all the default {@link MessageType MessageTypes}. diff --git a/EssentialsDiscord/src/main/java/net/essentialsx/discord/DiscordSettings.java b/EssentialsDiscord/src/main/java/net/essentialsx/discord/DiscordSettings.java index 72c1ca5b406..50869e8bf34 100644 --- a/EssentialsDiscord/src/main/java/net/essentialsx/discord/DiscordSettings.java +++ b/EssentialsDiscord/src/main/java/net/essentialsx/discord/DiscordSettings.java @@ -50,6 +50,7 @@ public class DiscordSettings implements IConf { private MessageFormat permMuteReasonFormat; private MessageFormat unmuteFormat; private MessageFormat kickFormat; + private MessageFormat pmToDiscordFormat; public DiscordSettings(EssentialsDiscord plugin) { this.plugin = plugin; @@ -445,6 +446,10 @@ public MessageFormat getKickFormat() { return kickFormat; } + public MessageFormat getPmToDiscordFormat() { + return pmToDiscordFormat; + } + private String getFormatString(String node) { final String pathPrefix = node.startsWith(".") ? "" : "messages."; return config.getString(pathPrefix + (pathPrefix.isEmpty() ? node.substring(1) : node), null); @@ -581,6 +586,8 @@ public void reloadConfig() { "username", "displayname", "controllername", "controllerdisplayname", "reason"); kickFormat = generateMessageFormat(getFormatString("kick"), "{displayname} was kicked with reason: {reason}", false, "username", "displayname", "reason"); + pmToDiscordFormat = generateMessageFormat(getFormatString("private-chat"), "[SocialSpy] {sender-username} -> {receiver-username}: {message}", false, + "sender-username", "sender-displayname", "receiver-username", "receiver-displayname", "message"); plugin.onReload(); } diff --git a/EssentialsDiscord/src/main/java/net/essentialsx/discord/listeners/BukkitListener.java b/EssentialsDiscord/src/main/java/net/essentialsx/discord/listeners/BukkitListener.java index 6e471786d52..6a1727cf647 100644 --- a/EssentialsDiscord/src/main/java/net/essentialsx/discord/listeners/BukkitListener.java +++ b/EssentialsDiscord/src/main/java/net/essentialsx/discord/listeners/BukkitListener.java @@ -4,6 +4,7 @@ import com.earth2me.essentials.utils.DateUtil; import com.earth2me.essentials.utils.FormatUtil; import com.earth2me.essentials.utils.VersionUtil; +import net.ess3.api.events.PrivateMessageSentEvent; import net.ess3.api.IUser; import net.ess3.api.events.AfkStatusChangeEvent; import net.ess3.api.events.MuteStatusChangeEvent; @@ -47,6 +48,23 @@ public void onDiscordMessage(DiscordMessageEvent event) { // Bukkit Events + @EventHandler(priority = EventPriority.MONITOR, ignoreCancelled = true) + public void onPrivateMessage(PrivateMessageSentEvent event) { + + if (event.getSender() instanceof IUser && ((IUser) event.getSender()).isAuthorized("essentials.chat.spy.exempt")) { + return; + } + + sendDiscordMessage(MessageType.DefaultTypes.PRIVATE_CHAT, + MessageUtil.formatMessage(jda.getSettings().getPmToDiscordFormat(), + MessageUtil.sanitizeDiscordMarkdown(event.getSender().getName()), + MessageUtil.sanitizeDiscordMarkdown(event.getSender().getDisplayName()), + MessageUtil.sanitizeDiscordMarkdown(event.getRecipient().getName()), + MessageUtil.sanitizeDiscordMarkdown(event.getRecipient().getDisplayName()), + MessageUtil.sanitizeDiscordMarkdown(event.getMessage())), + event.getSender() instanceof IUser ? ((IUser) event.getSender()).getBase() : null); + } + @EventHandler(priority = EventPriority.MONITOR, ignoreCancelled = true) public void onMute(MuteStatusChangeEvent event) { if (!event.getValue()) { diff --git a/EssentialsDiscord/src/main/resources/config.yml b/EssentialsDiscord/src/main/resources/config.yml index 05382ddde9e..3860166b77e 100644 --- a/EssentialsDiscord/src/main/resources/config.yml +++ b/EssentialsDiscord/src/main/resources/config.yml @@ -144,6 +144,8 @@ message-types: kick: staff # Message sent when a player's mute state is changed on the Minecraft server. mute: staff + # Message sent when a private message (/msg, /whisper, etc.) is sent on the Minecraft Server. + private-chat: none # Message sent when a player talks in local chat. # use-essentials-events must be set to "true" for this to work. local: none @@ -433,3 +435,11 @@ messages: # - {displayname}: The display name of the user who got kicked # - {reason}: The reason the player was kicked kick: "{displayname} was kicked with reason: {reason}" + # This is the message that is used to relay minecraft private messages in Discord. + # The following placeholders can be used here: + # - {sender-username}: The username of the player sending the message + # - {sender-displayname}: The display name of the player sending the message (This would be their nickname) + # - {receiver-username}: The username of the player receiving the message + # - {receiver-displayname}: The display name of the player receiving the message (This would be their nickname) + # - {message}: The content of the message being sent + pms-to-discord: "[SocialSpy] {sender-username} -> {receiver-username}: {message}" diff --git a/EssentialsDiscordLink/src/main/java/net/essentialsx/discordlink/listeners/LinkBukkitListener.java b/EssentialsDiscordLink/src/main/java/net/essentialsx/discordlink/listeners/LinkBukkitListener.java index 99cdb76b223..8991633a7fa 100644 --- a/EssentialsDiscordLink/src/main/java/net/essentialsx/discordlink/listeners/LinkBukkitListener.java +++ b/EssentialsDiscordLink/src/main/java/net/essentialsx/discordlink/listeners/LinkBukkitListener.java @@ -140,7 +140,13 @@ public void onDiscordMessage(final DiscordMessageEvent event) { @EventHandler public void onUserLinkStatusChange(final DiscordLinkStatusChangeEvent event) { if (event.isLinked() || ess.getSettings().getLinkPolicy() == DiscordLinkSettings.LinkPolicy.NONE) { - event.getUser().setFreeze(false); + if (event.getUser() != null) { + event.getUser().setFreeze(false); + } + return; + } + + if (event.getUser() == null || !event.getUser().getBase().isOnline()) { return; } diff --git a/README.md b/README.md index 61ac660ce81..8afe788463e 100644 --- a/README.md +++ b/README.md @@ -26,7 +26,7 @@ however, have some new requirements: * **EssentialsX requires CraftBukkit, Spigot or Paper to run.** Other server software may work, but these are not tested by the team and we may not be able to help with any issues that occur. * **EssentialsX currently supports Minecraft versions 1.8.8, 1.9.4, 1.10.2, 1.11.2, 1.12.2, 1.13.2, 1.14.4, 1.15.2, - 1.16.5, 1.17.1, 1.18.2, 1.19.4, 1.20.6, and 1.21.4.** + 1.16.5, 1.17.1, 1.18.2, 1.19.4, 1.20.6, and 1.21.5.** * **EssentialsX currently requires Java 8 or higher.** We recommend using the latest Java version supported by your server software. * **EssentialsX requires [Vault](http://dev.bukkit.org/bukkit-plugins/vault/) to enable using chat prefix/suffixes and @@ -76,8 +76,8 @@ To add EssentialsX to your build system, you should use the following artifacts: | Type | Group ID | Artifact ID | Version | |:---------------|:------------------|:--------------|:------------------| -| Latest release | `net.essentialsx` | `EssentialsX` | `2.20.1` | -| Snapshots | `net.essentialsx` | `EssentialsX` | `2.21.0-SNAPSHOT` | +| Latest release | `net.essentialsx` | `EssentialsX` | `2.21.1` | +| Snapshots | `net.essentialsx` | `EssentialsX` | `2.21.2-SNAPSHOT` | | Older releases | `net.ess3` | `EssentialsX` | `2.18.2` | Note: until version `2.18.2`, EssentialsX used the `net.ess3` group ID. diff --git a/build-logic/src/main/kotlin/constants.kt b/build-logic/src/main/kotlin/constants.kt index fd903188969..ef2b779f283 100644 --- a/build-logic/src/main/kotlin/constants.kt +++ b/build-logic/src/main/kotlin/constants.kt @@ -1 +1 @@ -const val RUN_PAPER_MINECRAFT_VERSION = "1.21.4" +const val RUN_PAPER_MINECRAFT_VERSION = "1.21.5" diff --git a/build-logic/src/main/kotlin/essentials.base-conventions.gradle.kts b/build-logic/src/main/kotlin/essentials.base-conventions.gradle.kts index bf8f526d5e6..765db527c53 100644 --- a/build-logic/src/main/kotlin/essentials.base-conventions.gradle.kts +++ b/build-logic/src/main/kotlin/essentials.base-conventions.gradle.kts @@ -10,7 +10,7 @@ plugins { val baseExtension = extensions.create<EssentialsBaseExtension>("essentials", project) val checkstyleVersion = "8.36.2" -val spigotVersion = "1.21.4-R0.1-SNAPSHOT" +val spigotVersion = "1.21.5-R0.1-SNAPSHOT" val junit5Version = "5.10.2" val mockitoVersion = "3.12.4" diff --git a/build.gradle b/build.gradle index 4a859e01522..e110e913ab8 100644 --- a/build.gradle +++ b/build.gradle @@ -3,7 +3,7 @@ plugins { } group = "net.essentialsx" -version = "2.21.0-SNAPSHOT" +version = "2.21.2-SNAPSHOT" project.ext { GIT_COMMIT = !indraGit.isPresent() ? "unknown" : indraGit.commit().abbreviate(7).name() diff --git a/providers/PaperProvider/src/main/java/net/ess3/provider/providers/PaperChatListenerProvider.java b/providers/PaperProvider/src/main/java/net/ess3/provider/providers/PaperChatListenerProvider.java index 282e548fe93..8369159e5e2 100644 --- a/providers/PaperProvider/src/main/java/net/ess3/provider/providers/PaperChatListenerProvider.java +++ b/providers/PaperProvider/src/main/java/net/ess3/provider/providers/PaperChatListenerProvider.java @@ -27,7 +27,9 @@ public PaperChatListenerProvider(final boolean formatParsing) { this.serializer = LegacyComponentSerializer.builder() .flattener(ComponentFlattener.basic()) .extractUrls(AbstractChatEvent.URL_PATTERN) - .useUnusualXRepeatedCharacterHexFormat().build(); + .useUnusualXRepeatedCharacterHexFormat() + .hexColors() + .build(); } public void onChatLowest(final AbstractChatEvent event) {