Merge branch '2.x' into discord-configure-types-webhook

This commit is contained in:
diademiemi 2023-03-22 00:01:45 +01:00 committed by GitHub
commit 624c748cbb
No known key found for this signature in database
GPG Key ID: 4AEE18F83AFDEB23
131 changed files with 6971 additions and 1133 deletions

View File

@ -7,14 +7,11 @@ contact_links:
url: https://github.com/EssentialsX/Essentials/discussions/categories/q-a
about: Visit the Q&A forum to search for previous help requests.
- name: Check past feature suggestions
url: https://github.com/EssentialsX/Essentials/discussions/categories/ideas-and-feature-suggestions
url: https://github.com/EssentialsX/Essentials/issues?q=is%3Aissue+label%3A%22type%3A+enhancement%22
about: Visit the Feature Suggestions forum to view and discuss existing feature suggestions.
- name: Create help request
url: https://github.com/EssentialsX/Essentials/discussions/new?category=q-a
about: Create a support ticket to get help from developers.
- name: Suggest a feature
url: https://github.com/EssentialsX/Essentials/discussions/new?category=ideas-and-feature-suggestions
about: Suggest new features for EssentialsX!
- name: Get help from the community on Discord
url: https://discord.gg/casfFyh
about: Join the MOSS Discord for community-powered EssentialsX support!

View File

@ -0,0 +1,40 @@
name: Request a feature
description: Suggest a feature you want to see in EssentialsX!
labels: 'type: enhancement'
body:
- type: markdown
attributes:
value: |
If you have a feature suggestion for EssentialsX, read the following tips:
1. Fill out the template.
This will help us understand what you're requesting and why you want us
to add it.
2. Keep it simple.
Make sure it's easy to understand what you're requesting. A good way is
to keep it to one request per GitHub issue, as we can then easily track
feature requests.
3. Check whether it has already been asked or added.
You can search the issue tracker to see if your feature has already been
requested at https://github.com/EssentialsX/Essentials/issues. You can
also check the changelogs to see if the feature was recently added:
https://github.com/EssentialsX/Essentials/releases
4. Ask yourself: "Does this belong in EssentialsX?"
There are lots of features that we reject because most servers won't
need or use them. If your feature is very specific or already exists in
another plugin, it might not be a good fit for EssentialsX.
- type: textarea
attributes:
label: Feature description
description: Explain what you should expect to happen.
placeholder: |
What feature are you suggesting?
validations:
required: true
- type: textarea
attributes:
label: How the feature is useful
description: Explain what actually happens.
placeholder: |
How is the feature useful to players, server owners and/or developers?
validations:
required: true

View File

@ -59,6 +59,7 @@ jobs:
cp -r EssentialsAntiBuild/build/docs/javadoc/ javadocs/EssentialsAntiBuild/
cp -r EssentialsChat/build/docs/javadoc/ javadocs/EssentialsChat/
cp -r EssentialsDiscord/build/docs/javadoc/ javadocs/EssentialsDiscord/
cp -r EssentialsDiscordLink/build/docs/javadoc/ javadocs/EssentialsDiscordLink/
cp -r EssentialsGeoIP/build/docs/javadoc/ javadocs/EssentialsGeoIP/
cp -r EssentialsProtect/build/docs/javadoc/ javadocs/EssentialsProtect/
cp -r EssentialsSpawn/build/docs/javadoc/ javadocs/EssentialsSpawn/

View File

@ -24,4 +24,4 @@
</list>
</option>
</component>
</project>
</project>

View File

@ -144,7 +144,7 @@ import static com.earth2me.essentials.I18n.tl;
public class Essentials extends JavaPlugin implements net.ess3.api.IEssentials {
private static final Logger BUKKIT_LOGGER = Logger.getLogger("Essentials");
private static Logger LOGGER = null;
private final transient TNTExplodeListener tntListener = new TNTExplodeListener(this);
private final transient TNTExplodeListener tntListener = new TNTExplodeListener();
private final transient Set<String> vanishedPlayers = new LinkedHashSet<>();
private transient ISettings settings;
private transient Jails jails;
@ -1193,11 +1193,6 @@ public class Essentials extends JavaPlugin implements net.ess3.api.IEssentials {
return this.getScheduler().scheduleSyncRepeatingTask(this, run, delay, period);
}
@Override
public TNTExplodeListener getTNTListener() {
return tntListener;
}
@Override
public PermissionsHandler getPermissionsHandler() {
return permissionsHandler;

View File

@ -1,5 +1,6 @@
package com.earth2me.essentials;
import com.earth2me.essentials.craftbukkit.Inventories;
import com.earth2me.essentials.utils.MaterialUtil;
import net.ess3.api.IEssentials;
import org.bukkit.GameMode;
@ -45,7 +46,7 @@ public class EssentialsBlockListener implements Listener {
if (is != null && is.getType() != null && !MaterialUtil.isAir(is.getType())) {
final ItemStack cloneIs = is.clone();
cloneIs.setAmount(1);
user.getBase().getInventory().addItem(cloneIs);
Inventories.addItem(user.getBase(), cloneIs);
user.getBase().updateInventory();
}
});

View File

@ -1,6 +1,6 @@
package com.earth2me.essentials;
import com.earth2me.essentials.utils.MaterialUtil;
import com.earth2me.essentials.craftbukkit.Inventories;
import com.earth2me.essentials.utils.VersionUtil;
import net.ess3.api.IEssentials;
import org.bukkit.Location;
@ -52,12 +52,12 @@ public class EssentialsEntityListener implements Listener {
if (eDefend instanceof Player) {
onPlayerVsPlayerDamage(event, (Player) eDefend, attacker);
} else if (eDefend instanceof Ageable) {
final ItemStack hand = attacker.getBase().getItemInHand();
final ItemStack hand = Inventories.getItemInMainHand(attacker.getBase());
if (ess.getSettings().isMilkBucketEasterEggEnabled()
&& hand != null && hand.getType() == Material.MILK_BUCKET) {
((Ageable) eDefend).setBaby();
hand.setType(Material.BUCKET);
attacker.getBase().setItemInHand(hand);
Inventories.setItemInMainHand(attacker.getBase(), hand);
attacker.getBase().updateInventory();
event.setCancelled(true);
}
@ -98,7 +98,7 @@ public class EssentialsEntityListener implements Listener {
}
private void onPlayerVsPlayerPowertool(final EntityDamageByEntityEvent event, final Player defender, final User attacker) {
final List<String> commandList = attacker.getPowertool(attacker.getBase().getItemInHand());
final List<String> commandList = attacker.getPowertool(Inventories.getItemInHand(attacker.getBase()));
if (commandList != null && !commandList.isEmpty()) {
for (final String tempCommand : commandList) {
final String command = powertoolPlayer.matcher(tempCommand).replaceAll(defender.getName());
@ -196,73 +196,23 @@ public class EssentialsEntityListener implements Listener {
final ISettings.KeepInvPolicy vanish = ess.getSettings().getVanishingItemsPolicy();
final ISettings.KeepInvPolicy bind = ess.getSettings().getBindingItemsPolicy();
if (VersionUtil.getServerBukkitVersion().isHigherThanOrEqualTo(VersionUtil.v1_11_2_R01) && (vanish != ISettings.KeepInvPolicy.KEEP || bind != ISettings.KeepInvPolicy.KEEP)) {
for (final ItemStack stack : event.getEntity().getInventory()) {
if (stack != null && !MaterialUtil.isAir(stack.getType())) {
if (stack.getEnchantments().containsKey(Enchantment.VANISHING_CURSE)) {
if (vanish == ISettings.KeepInvPolicy.DELETE) {
event.getEntity().getInventory().remove(stack);
} else if (vanish == ISettings.KeepInvPolicy.DROP) {
event.getDrops().add(stack);
event.getEntity().getInventory().remove(stack);
}
}
if (stack.getEnchantments().containsKey(Enchantment.BINDING_CURSE)) {
if (bind == ISettings.KeepInvPolicy.DELETE) {
event.getEntity().getInventory().remove(stack);
} else if (bind == ISettings.KeepInvPolicy.DROP) {
event.getEntity().getInventory().remove(stack);
event.getDrops().add(stack);
}
Inventories.removeItems(user.getBase(), stack -> {
if (vanish != ISettings.KeepInvPolicy.KEEP && stack.getEnchantments().containsKey(Enchantment.VANISHING_CURSE)) {
if (vanish == ISettings.KeepInvPolicy.DROP) {
event.getDrops().add(stack.clone());
}
return true;
}
}
// Now check armor
final ItemStack[] armor = event.getEntity().getInventory().getArmorContents();
for (int i = 0; i < armor.length; i++) {
final ItemStack stack = armor[i];
if (stack != null && !MaterialUtil.isAir(stack.getType())) {
if (stack.getEnchantments().containsKey(Enchantment.VANISHING_CURSE)) {
if (vanish == ISettings.KeepInvPolicy.DELETE) {
armor[i] = null;
} else if (vanish == ISettings.KeepInvPolicy.DROP) {
if (!event.getDrops().contains(stack)) {
event.getDrops().add(stack);
}
armor[i] = null;
}
}
if (stack.getEnchantments().containsKey(Enchantment.BINDING_CURSE)) {
if (bind == ISettings.KeepInvPolicy.DELETE) {
armor[i] = null;
} else if (bind == ISettings.KeepInvPolicy.DROP) {
if (!event.getDrops().contains(stack)) {
event.getDrops().add(stack);
}
armor[i] = null;
}
if (bind != ISettings.KeepInvPolicy.KEEP && stack.getEnchantments().containsKey(Enchantment.BINDING_CURSE)) {
if (bind == ISettings.KeepInvPolicy.DROP) {
event.getDrops().add(stack.clone());
}
return true;
}
}
event.getEntity().getInventory().setArmorContents(armor);
// Now check offhand
if (VersionUtil.getServerBukkitVersion().isHigherThanOrEqualTo(VersionUtil.v1_9_R01)) {
final ItemStack stack = event.getEntity().getInventory().getItemInOffHand();
//noinspection ConstantConditions
if (stack != null && !MaterialUtil.isAir(stack.getType())) {
final boolean isVanish = stack.getEnchantments().containsKey(Enchantment.VANISHING_CURSE);
final boolean isBind = stack.getEnchantments().containsKey(Enchantment.BINDING_CURSE);
if (isVanish || isBind) {
event.getEntity().getInventory().setItemInOffHand(null);
if ((isVanish && vanish == ISettings.KeepInvPolicy.DROP) || (isBind && bind == ISettings.KeepInvPolicy.DROP)) {
if (!event.getDrops().contains(stack)) {
event.getDrops().add(stack);
}
}
}
}
}
return false;
}, true);
}
}
}

View File

@ -1,6 +1,7 @@
package com.earth2me.essentials;
import com.earth2me.essentials.commands.Commandfireball;
import com.earth2me.essentials.craftbukkit.Inventories;
import com.earth2me.essentials.textreader.IText;
import com.earth2me.essentials.textreader.KeywordReplacer;
import com.earth2me.essentials.textreader.TextInput;
@ -192,17 +193,26 @@ public class EssentialsPlayerListener implements Listener, FakeAccessor {
return;
}
if (!ess.getSettings().cancelAfkOnMove() && !ess.getSettings().getFreezeAfkPlayers()) {
event.getHandlers().unregister(this);
final User user = ess.getUser(event.getPlayer());
if (ess.getSettings().isDebug()) {
ess.getLogger().log(Level.INFO, "Unregistering move listener");
if (user.isFreeze()) {
final Location from = event.getFrom();
final Location to = event.getTo().clone();
to.setX(from.getX());
to.setY(from.getY());
to.setZ(from.getZ());
try {
event.setTo(LocationUtil.getSafeDestination(ess, to));
} catch (final Exception ex) {
event.setTo(to);
}
return;
}
final User user = ess.getUser(event.getPlayer());
if (!ess.getSettings().cancelAfkOnMove() && !ess.getSettings().getFreezeAfkPlayers()) {
return;
}
if (user.isAfk() && ess.getSettings().getFreezeAfkPlayers()) {
final Location from = event.getFrom();
final Location origTo = event.getTo();
@ -559,7 +569,7 @@ public class EssentialsPlayerListener implements Listener, FakeAccessor {
final User user = ess.getUser(event.getPlayer());
final ItemStack stack = new ItemStack(Material.EGG, 1);
if (user.hasUnlimited(stack)) {
user.getBase().getInventory().addItem(stack);
Inventories.addItem(user.getBase(), stack);
user.getBase().updateInventory();
}
}
@ -652,7 +662,8 @@ public class EssentialsPlayerListener implements Listener, FakeAccessor {
}
if (ess.getSettings().isCommandCooldownsEnabled()
&& !user.isAuthorized("essentials.commandcooldowns.bypass")) {
&& !user.isAuthorized("essentials.commandcooldowns.bypass")
&& (pluginCommand == null || !user.isAuthorized("essentials.commandcooldowns.bypass." + pluginCommand.getName()))) {
final int argStartIndex = effectiveCommand.indexOf(" ");
final String args = argStartIndex == -1 ? "" // No arguments present
: " " + effectiveCommand.substring(argStartIndex); // arguments start at argStartIndex; substring from there.

View File

@ -110,8 +110,6 @@ public interface IEssentials extends Plugin {
int scheduleSyncRepeatingTask(Runnable run, long delay, long period);
TNTExplodeListener getTNTListener();
PermissionsHandler getPermissionsHandler();
AlternativeCommandsHandler getAlternativeCommandsHandler();

View File

@ -336,4 +336,8 @@ public interface IUser {
List<String> getPastUsernames();
void addPastUsername(String username);
boolean isFreeze();
void setFreeze(boolean freeze);
}

View File

@ -2,23 +2,22 @@ package com.earth2me.essentials;
import com.earth2me.essentials.Trade.OverflowType;
import com.earth2me.essentials.commands.NoChargeException;
import com.earth2me.essentials.craftbukkit.InventoryWorkaround;
import com.earth2me.essentials.craftbukkit.Inventories;
import com.earth2me.essentials.textreader.IText;
import com.earth2me.essentials.textreader.KeywordReplacer;
import com.earth2me.essentials.textreader.SimpleTextInput;
import com.earth2me.essentials.utils.DateUtil;
import com.earth2me.essentials.utils.MaterialUtil;
import com.earth2me.essentials.utils.NumberUtil;
import net.ess3.api.IEssentials;
import net.ess3.api.events.KitClaimEvent;
import org.bukkit.Bukkit;
import org.bukkit.Material;
import org.bukkit.inventory.ItemStack;
import org.bukkit.inventory.PlayerInventory;
import org.yaml.snakeyaml.external.biz.base64Coder.Base64Coder;
import java.math.BigDecimal;
import java.util.ArrayList;
import java.util.Arrays;
import java.util.Calendar;
import java.util.GregorianCalendar;
import java.util.List;
@ -214,57 +213,34 @@ public class Kit {
stack = metaStack.getItemStack();
}
if (autoEquip) {
final Material material = stack.getType();
final PlayerInventory inventory = user.getBase().getInventory();
if (MaterialUtil.isHelmet(material) && isEmptyStack(inventory.getHelmet())) {
inventory.setHelmet(stack);
continue;
} else if (MaterialUtil.isChestplate(material) && isEmptyStack(inventory.getChestplate())) {
inventory.setChestplate(stack);
continue;
} else if (MaterialUtil.isLeggings(material) && isEmptyStack(inventory.getLeggings())) {
inventory.setLeggings(stack);
continue;
} else if (MaterialUtil.isBoots(material) && isEmptyStack(inventory.getBoots())) {
inventory.setBoots(stack);
continue;
}
}
itemList.add(stack);
}
final Map<Integer, ItemStack> overfilled;
final boolean allowOversizedStacks = user.isAuthorized("essentials.oversizedstacks");
final int maxStackSize = user.isAuthorized("essentials.oversizedstacks") ? ess.getSettings().getOversizedStackSize() : 0;
final boolean isDropItemsIfFull = ess.getSettings().isDropItemsIfFull();
if (isDropItemsIfFull) {
if (allowOversizedStacks) {
overfilled = InventoryWorkaround.addOversizedItems(user.getBase().getInventory(), ess.getSettings().getOversizedStackSize(), itemList.toArray(new ItemStack[0]));
} else {
overfilled = InventoryWorkaround.addItems(user.getBase().getInventory(), itemList.toArray(new ItemStack[0]));
final ItemStack[] itemArray = itemList.toArray(new ItemStack[0]);
if (!isDropItemsIfFull && !Inventories.hasSpace(user.getBase(), maxStackSize, autoEquip, itemArray)) {
user.sendMessage(tl("kitInvFullNoDrop"));
return false;
}
final Map<Integer, ItemStack> leftover = Inventories.addItem(user.getBase(), maxStackSize, autoEquip, itemArray);
if (!isDropItemsIfFull && !leftover.isEmpty()) {
// Inventories#hasSpace should prevent this state from EVER being reached; If it does, something has gone terribly wrong, and we should just give up and hope people report it :(
throw new IllegalStateException("Something has gone terribly wrong while adding items to the user's inventory. Please report this to the EssentialsX developers. Items left over: " + leftover + ". Original items: " + Arrays.toString(itemArray));
}
for (final ItemStack itemStack : leftover.values()) {
int spillAmount = itemStack.getAmount();
if (maxStackSize != 0) {
itemStack.setAmount(Math.min(spillAmount, itemStack.getMaxStackSize()));
}
for (final ItemStack itemStack : overfilled.values()) {
int spillAmount = itemStack.getAmount();
if (!allowOversizedStacks) {
itemStack.setAmount(Math.min(spillAmount, itemStack.getMaxStackSize()));
}
while (spillAmount > 0) {
user.getWorld().dropItemNaturally(user.getLocation(), itemStack);
spillAmount -= itemStack.getAmount();
}
spew = true;
}
} else {
if (allowOversizedStacks) {
overfilled = InventoryWorkaround.addAllOversizedItems(user.getBase().getInventory(), ess.getSettings().getOversizedStackSize(), itemList.toArray(new ItemStack[0]));
} else {
overfilled = InventoryWorkaround.addAllItems(user.getBase().getInventory(), itemList.toArray(new ItemStack[0]));
}
if (overfilled != null) {
user.sendMessage(tl("kitInvFullNoDrop"));
return false;
while (spillAmount > 0) {
user.getWorld().dropItemNaturally(user.getLocation(), itemStack);
spillAmount -= itemStack.getAmount();
}
spew = true;
}
user.getBase().updateInventory();
@ -291,8 +267,4 @@ public class Kit {
}
return true;
}
private boolean isEmptyStack(ItemStack stack) {
return stack == null || MaterialUtil.isAir(stack.getType());
}
}

View File

@ -1,9 +1,11 @@
package com.earth2me.essentials;
import net.ess3.api.IUser;
import net.essentialsx.api.v2.services.mail.MailService;
import net.essentialsx.api.v2.events.UserMailEvent;
import net.essentialsx.api.v2.services.mail.MailMessage;
import net.essentialsx.api.v2.services.mail.MailSender;
import net.essentialsx.api.v2.services.mail.MailService;
import org.bukkit.Bukkit;
import org.bukkit.plugin.ServicePriority;
import java.text.SimpleDateFormat;
@ -35,6 +37,12 @@ public class MailServiceImpl implements MailService {
}
private void sendMail(IUser recipient, MailMessage message) {
final UserMailEvent event = new UserMailEvent(recipient, message);
Bukkit.getPluginManager().callEvent(event);
if (event.isCancelled()) {
return;
}
final ArrayList<MailMessage> messages = recipient.getMailMessages();
messages.add(0, message);
recipient.setMailList(messages);

View File

@ -1,6 +1,6 @@
package com.earth2me.essentials;
import com.earth2me.essentials.craftbukkit.InventoryWorkaround;
import com.earth2me.essentials.craftbukkit.Inventories;
import com.earth2me.essentials.utils.EnumUtil;
import com.earth2me.essentials.utils.StringUtil;
import com.earth2me.essentials.utils.VersionUtil;
@ -362,8 +362,8 @@ public enum MobData {
((Horse) spawned).getInventory().setArmor(new ItemStack((Material) this.value, 1));
} else if (this.type.equals(EntityType.ZOMBIE.getEntityClass()) || this.type.equals(EntityType.SKELETON)) {
final EntityEquipment invent = ((LivingEntity) spawned).getEquipment();
InventoryWorkaround.setItemInMainHand(invent, new ItemStack((Material) this.value, 1));
InventoryWorkaround.setItemInMainHandDropChance(invent, 0.1f);
Inventories.setItemInMainHand(invent, new ItemStack((Material) this.value, 1));
Inventories.setItemInMainHandDropChance(invent, 0.1f);
}
} else if (this.value.equals(Data.RAID_LEADER)) {
((Raider) spawned).setPatrolLeader(true);

View File

@ -1,7 +1,7 @@
package com.earth2me.essentials;
import com.earth2me.essentials.Mob.MobException;
import com.earth2me.essentials.craftbukkit.InventoryWorkaround;
import com.earth2me.essentials.craftbukkit.Inventories;
import com.earth2me.essentials.utils.EnumUtil;
import com.earth2me.essentials.utils.LocationUtil;
import com.earth2me.essentials.utils.StringUtil;
@ -251,8 +251,8 @@ public final class SpawnMob {
private static void defaultMobData(final EntityType type, final Entity spawned) {
if (type == EntityType.SKELETON) {
final EntityEquipment invent = ((LivingEntity) spawned).getEquipment();
InventoryWorkaround.setItemInMainHand(invent, new ItemStack(Material.BOW, 1));
InventoryWorkaround.setItemInMainHandDropChance(invent, 0.1f);
Inventories.setItemInMainHand(invent, new ItemStack(Material.BOW, 1));
Inventories.setItemInMainHandDropChance(invent, 0.1f);
}
if (type == MobCompat.ZOMBIFIED_PIGLIN) {
@ -260,8 +260,8 @@ public final class SpawnMob {
setVillager(zombie, false);
final EntityEquipment invent = zombie.getEquipment();
InventoryWorkaround.setItemInMainHand(invent, new ItemStack(GOLDEN_SWORD, 1));
InventoryWorkaround.setItemInMainHandDropChance(invent, 0.1f);
Inventories.setItemInMainHand(invent, new ItemStack(GOLDEN_SWORD, 1));
Inventories.setItemInMainHandDropChance(invent, 0.1f);
}
if (type == EntityType.ZOMBIE) {

View File

@ -1,51 +1,22 @@
package com.earth2me.essentials;
import net.ess3.api.IEssentials;
import org.bukkit.entity.LivingEntity;
import com.earth2me.essentials.commands.Commandnuke;
import org.bukkit.entity.TNTPrimed;
import org.bukkit.event.EventHandler;
import org.bukkit.event.EventPriority;
import org.bukkit.event.Listener;
import org.bukkit.event.entity.EntityExplodeEvent;
public class TNTExplodeListener implements Listener, Runnable {
private final transient IEssentials ess;
private transient boolean enabled = false;
private transient int timer = -1;
public TNTExplodeListener(final IEssentials ess) {
super();
this.ess = ess;
}
public void enable() {
if (!enabled) {
enabled = true;
timer = ess.scheduleSyncDelayedTask(this, 200);
return;
}
if (timer != -1) {
ess.getScheduler().cancelTask(timer);
timer = ess.scheduleSyncDelayedTask(this, 200);
}
}
public class TNTExplodeListener implements Listener {
@EventHandler(priority = EventPriority.LOW)
public void onEntityExplode(final EntityExplodeEvent event) {
if (!enabled) {
if (!(event.getEntity() instanceof TNTPrimed)) {
return;
}
if (event.getEntity() instanceof LivingEntity) {
return;
}
if (event.blockList().size() < 1) {
if (!event.getEntity().hasMetadata(Commandnuke.NUKE_META_KEY)) {
return;
}
event.setCancelled(true);
event.getLocation().getWorld().createExplosion(event.getLocation(), 0F);
}
@Override
public void run() {
enabled = false;
}
}

View File

@ -1,6 +1,6 @@
package com.earth2me.essentials;
import com.earth2me.essentials.craftbukkit.InventoryWorkaround;
import com.earth2me.essentials.craftbukkit.Inventories;
import com.earth2me.essentials.craftbukkit.SetExpFix;
import com.earth2me.essentials.utils.NumberUtil;
import com.earth2me.essentials.utils.VersionUtil;
@ -8,7 +8,6 @@ import net.ess3.api.IEssentials;
import net.ess3.api.IUser;
import net.ess3.api.MaxMoneyException;
import org.bukkit.Location;
import org.bukkit.entity.Item;
import org.bukkit.inventory.ItemStack;
import java.io.File;
@ -16,6 +15,7 @@ import java.io.FileWriter;
import java.io.IOException;
import java.math.BigDecimal;
import java.text.DateFormat;
import java.util.Collections;
import java.util.Date;
import java.util.Locale;
import java.util.Map;
@ -197,7 +197,7 @@ public class Trade {
return;
}
if (getItemStack() != null && !user.getBase().getInventory().containsAtLeast(itemStack, itemStack.getAmount())) {
if (getItemStack() != null && !Inventories.containsAtLeast(user.getBase(), itemStack, itemStack.getAmount())) {
future.completeExceptionally(new ChargeException(tl("missingItems", getItemStack().getAmount(), ess.getItemDb().name(getItemStack()))));
return;
}
@ -225,52 +225,33 @@ public class Trade {
user.giveMoney(getMoney());
}
if (getItemStack() != null) {
// This stores the would be overflow
final Map<Integer, ItemStack> overFlow = InventoryWorkaround.addAllItems(user.getBase().getInventory(), getItemStack());
if (type == OverflowType.ABORT && !Inventories.hasSpace(user.getBase(), 0, false, getItemStack())) {
if (ess.getSettings().isDebug()) {
ess.getLogger().log(Level.INFO, "abort paying " + user.getName() + " itemstack " + getItemStack().toString() + " due to lack of inventory space ");
}
return Collections.singletonMap(0, getItemStack());
}
if (overFlow != null) {
switch (type) {
case ABORT:
if (ess.getSettings().isDebug()) {
ess.getLogger().log(Level.INFO, "abort paying " + user.getName() + " itemstack " + getItemStack().toString() + " due to lack of inventory space ");
final Map<Integer, ItemStack> leftover = Inventories.addItem(user.getBase(), getItemStack());
user.getBase().updateInventory();
if (!leftover.isEmpty()) {
if (type == OverflowType.RETURN) {
if (ess.getSettings().isDebug()) {
ess.getLogger().log(Level.INFO, "paying " + user.getName() + " partial itemstack " + getItemStack().toString() + " with overflow " + leftover.get(0).toString());
}
return leftover;
} else {
for (final ItemStack itemStack : leftover.values()) {
int spillAmount = itemStack.getAmount();
itemStack.setAmount(Math.min(spillAmount, itemStack.getMaxStackSize()));
while (spillAmount > 0) {
user.getBase().getWorld().dropItemNaturally(user.getBase().getLocation(), itemStack);
spillAmount -= itemStack.getAmount();
}
return overFlow;
case RETURN:
// Pay the user the items, and return overflow
final Map<Integer, ItemStack> returnStack = InventoryWorkaround.addItems(user.getBase().getInventory(), getItemStack());
user.getBase().updateInventory();
if (ess.getSettings().isDebug()) {
ess.getLogger().log(Level.INFO, "paying " + user.getName() + " partial itemstack " + getItemStack().toString() + " with overflow " + returnStack.get(0).toString());
}
return returnStack;
case DROP:
// Pay the users the items directly, and drop the rest, will always return no overflow.
final Map<Integer, ItemStack> leftOver = InventoryWorkaround.addItems(user.getBase().getInventory(), getItemStack());
final Location loc = user.getBase().getLocation();
for (final ItemStack loStack : leftOver.values()) {
final int maxStackSize = loStack.getType().getMaxStackSize();
final int stacks = loStack.getAmount() / maxStackSize;
final int leftover = loStack.getAmount() % maxStackSize;
final Item[] itemStacks = new Item[stacks + (leftover > 0 ? 1 : 0)];
for (int i = 0; i < stacks; i++) {
final ItemStack stack = loStack.clone();
stack.setAmount(maxStackSize);
itemStacks[i] = loc.getWorld().dropItem(loc, stack);
}
if (leftover > 0) {
final ItemStack stack = loStack.clone();
stack.setAmount(leftover);
itemStacks[stacks] = loc.getWorld().dropItem(loc, stack);
}
}
if (ess.getSettings().isDebug()) {
ess.getLogger().log(Level.INFO, "paying " + user.getName() + " partial itemstack " + getItemStack().toString() + " and dropping overflow " + leftOver.get(0).toString());
}
break;
}
if (ess.getSettings().isDebug()) {
ess.getLogger().log(Level.INFO, "paying " + user.getName() + " partial itemstack " + getItemStack().toString() + " and dropping overflow " + leftover.get(0).toString());
}
}
} else if (ess.getSettings().isDebug()) {
ess.getLogger().log(Level.INFO, "paying " + user.getName() + " itemstack " + getItemStack().toString());
@ -315,11 +296,11 @@ public class Trade {
if (ess.getSettings().isDebug()) {
ess.getLogger().log(Level.INFO, "charging user " + user.getName() + " itemstack " + getItemStack().toString());
}
if (!user.getBase().getInventory().containsAtLeast(getItemStack(), getItemStack().getAmount())) {
if (!Inventories.containsAtLeast(user.getBase(), getItemStack(), getItemStack().getAmount())) {
future.completeExceptionally(new ChargeException(tl("missingItems", getItemStack().getAmount(), getItemStack().getType().toString().toLowerCase(Locale.ENGLISH).replace("_", " "))));
return;
}
user.getBase().getInventory().removeItem(getItemStack());
Inventories.removeItemAmount(user.getBase(), getItemStack(), getItemStack().getAmount());
user.getBase().updateInventory();
}
if (command != null) {

View File

@ -1,6 +1,7 @@
package com.earth2me.essentials;
import com.earth2me.essentials.commands.IEssentialsCommand;
import com.earth2me.essentials.craftbukkit.Inventories;
import com.earth2me.essentials.economy.EconomyLayer;
import com.earth2me.essentials.economy.EconomyLayers;
import com.earth2me.essentials.messaging.IMessageRecipient;
@ -27,7 +28,6 @@ import org.bukkit.block.Block;
import org.bukkit.entity.Player;
import org.bukkit.event.player.PlayerTeleportEvent.TeleportCause;
import org.bukkit.inventory.ItemStack;
import org.bukkit.inventory.PlayerInventory;
import org.bukkit.metadata.FixedMetadataValue;
import org.bukkit.potion.PotionEffect;
import org.bukkit.potion.PotionEffectType;
@ -90,6 +90,7 @@ public class User extends UserData implements Comparable<User>, IMessageRecipien
private String lastHomeConfirmation;
private long lastHomeConfirmationTimestamp;
private Boolean toggleShout;
private boolean freeze = false;
private transient final List<String> signCopy = Lists.newArrayList("", "", "", "");
private transient long lastVanishTime = System.currentTimeMillis();
@ -1141,12 +1142,7 @@ public class User extends UserData implements Comparable<User>, IMessageRecipien
* Returns the {@link ItemStack} in the main hand or off-hand. If the main hand is empty then the offhand item is returned - also nullable.
*/
public ItemStack getItemInHand() {
if (VersionUtil.getServerBukkitVersion().isLowerThan(VersionUtil.v1_9_R01)) {
return getBase().getInventory().getItemInHand();
} else {
final PlayerInventory inventory = getBase().getInventory();
return inventory.getItemInMainHand() != null ? inventory.getItemInMainHand() : inventory.getItemInOffHand();
}
return Inventories.getItemInHand(getBase());
}
@Override
@ -1196,6 +1192,16 @@ public class User extends UserData implements Comparable<User>, IMessageRecipien
return signCopy;
}
@Override
public boolean isFreeze() {
return freeze;
}
@Override
public void setFreeze(boolean freeze) {
this.freeze = freeze;
}
public boolean isBaltopExempt() {
if (getBase().isOnline()) {
final boolean exempt = isAuthorized("essentials.balancetop.exclude");

View File

@ -3,6 +3,7 @@ package com.earth2me.essentials;
import com.earth2me.essentials.commands.NotEnoughArgumentsException;
import com.earth2me.essentials.config.ConfigurateUtil;
import com.earth2me.essentials.config.EssentialsConfiguration;
import com.earth2me.essentials.craftbukkit.Inventories;
import com.earth2me.essentials.utils.VersionUtil;
import org.bukkit.Material;
import org.bukkit.inventory.ItemStack;
@ -101,7 +102,7 @@ public class Worth implements IConf {
}
int max = 0;
for (final ItemStack s : user.getBase().getInventory().getContents()) {
for (final ItemStack s : Inventories.getInventory(user.getBase(), false)) {
if (s == null || !s.isSimilar(is)) {
continue;
}

View File

@ -2,7 +2,7 @@ package com.earth2me.essentials.commands;
import com.earth2me.essentials.User;
import com.earth2me.essentials.utils.FormatUtil;
import com.earth2me.essentials.craftbukkit.InventoryWorkaround;
import com.earth2me.essentials.craftbukkit.Inventories;
import com.earth2me.essentials.utils.EnumUtil;
import com.google.common.collect.Lists;
import org.bukkit.Material;
@ -52,7 +52,7 @@ public class Commandbook extends EssentialsCommand {
if (isAuthor(bmeta, player) || user.isAuthorized("essentials.book.others")) {
final ItemStack newItem = new ItemStack(WRITABLE_BOOK, item.getAmount());
newItem.setItemMeta(bmeta);
InventoryWorkaround.setItemInMainHand(user.getBase(), newItem);
Inventories.setItemInMainHand(user.getBase(), newItem);
user.sendMessage(tl("editBookContents"));
} else {
throw new Exception(tl("denyBookEdit"));
@ -65,7 +65,7 @@ public class Commandbook extends EssentialsCommand {
}
final ItemStack newItem = new ItemStack(Material.WRITTEN_BOOK, item.getAmount());
newItem.setItemMeta(bmeta);
InventoryWorkaround.setItemInMainHand(user.getBase(), newItem);
Inventories.setItemInMainHand(user.getBase(), newItem);
user.sendMessage(tl("bookLocked"));
} else {
throw new Exception(tl("holdBook"));

View File

@ -2,7 +2,7 @@ package com.earth2me.essentials.commands;
import com.earth2me.essentials.CommandSource;
import com.earth2me.essentials.User;
import com.earth2me.essentials.craftbukkit.InventoryWorkaround;
import com.earth2me.essentials.craftbukkit.Inventories;
import com.earth2me.essentials.utils.NumberUtil;
import com.earth2me.essentials.utils.StringUtil;
import com.earth2me.essentials.utils.VersionUtil;
@ -22,8 +22,6 @@ import java.util.Set;
import static com.earth2me.essentials.I18n.tl;
public class Commandclearinventory extends EssentialsCommand {
private static final int BASE_AMOUNT = 100000;
private static final int EXTENDED_CAP = 8;
public Commandclearinventory() {
@ -114,38 +112,30 @@ public class Commandclearinventory extends EssentialsCommand {
}
}
if (type == ClearHandlerType.ALL_EXCEPT_ARMOR) {
if (type != ClearHandlerType.SPECIFIC_ITEM) {
final boolean armor = type == ClearHandlerType.ALL_INCLUDING_ARMOR;
if (showExtended) {
sender.sendMessage(tl("inventoryClearingAllItems", player.getDisplayName()));
sender.sendMessage(tl(armor ? "inventoryClearingAllArmor" : "inventoryClearingAllItems", player.getDisplayName()));
}
InventoryWorkaround.clearInventoryNoArmor(player.getInventory());
InventoryWorkaround.setItemInOffHand(player, null);
} else if (type == ClearHandlerType.ALL_INCLUDING_ARMOR) {
if (showExtended) {
sender.sendMessage(tl("inventoryClearingAllArmor", player.getDisplayName()));
}
InventoryWorkaround.clearInventoryNoArmor(player.getInventory());
InventoryWorkaround.setItemInOffHand(player, null);
player.getInventory().setArmorContents(null);
Inventories.removeItems(player, item -> true, armor);
} else {
for (final Item item : items) {
final ItemStack stack = new ItemStack(item.getMaterial());
if (VersionUtil.PRE_FLATTENING) {
//noinspection deprecation
stack.setDurability(item.getData());
}
// amount -1 means all items will be cleared
if (amount == -1) {
stack.setAmount(BASE_AMOUNT);
final ItemStack removedStack = player.getInventory().removeItem(stack).get(0);
final int removedAmount = BASE_AMOUNT - removedStack.getAmount() + InventoryWorkaround.clearItemInOffHand(player, stack);
final int removedAmount = Inventories.removeItemSimilar(player, stack, true);
if (removedAmount > 0 || showExtended) {
sender.sendMessage(tl("inventoryClearingStack", removedAmount, stack.getType().toString().toLowerCase(Locale.ENGLISH), player.getDisplayName()));
}
} else {
stack.setAmount(amount < 0 ? 1 : amount);
if (player.getInventory().containsAtLeast(stack, amount)) {
if (Inventories.removeItemAmount(player, stack, amount)) {
sender.sendMessage(tl("inventoryClearingStack", amount, stack.getType().toString().toLowerCase(Locale.ENGLISH), player.getDisplayName()));
player.getInventory().removeItem(stack);
} else {
if (showExtended) {
sender.sendMessage(tl("inventoryClearFail", player.getDisplayName(), amount, stack.getType().toString().toLowerCase(Locale.ENGLISH)));
@ -203,7 +193,7 @@ public class Commandclearinventory extends EssentialsCommand {
}
private String formatCommand(final String commandLabel, final String[] args) {
return "/" + commandLabel + " " + StringUtil.joinList(" ", args);
return "/" + commandLabel + " " + StringUtil.joinList(" ", (Object[]) args);
}
private enum ClearHandlerType {

View File

@ -4,6 +4,7 @@ import com.earth2me.essentials.ChargeException;
import com.earth2me.essentials.Trade;
import com.earth2me.essentials.Trade.OverflowType;
import com.earth2me.essentials.User;
import com.earth2me.essentials.craftbukkit.Inventories;
import com.earth2me.essentials.utils.VersionUtil;
import net.ess3.api.MaxMoneyException;
import org.bukkit.Material;
@ -39,7 +40,7 @@ public class Commandcondense extends EssentialsCommand {
if (args.length > 0) {
is = ess.getItemDb().getMatching(user, args);
} else {
for (final ItemStack stack : user.getBase().getInventory().getContents()) {
for (final ItemStack stack : Inventories.getInventory(user.getBase(), false)) {
if (stack == null || stack.getType() == Material.AIR) {
continue;
}
@ -85,7 +86,7 @@ public class Commandcondense extends EssentialsCommand {
int amount = 0;
for (final ItemStack contents : user.getBase().getInventory().getContents()) {
for (final ItemStack contents : Inventories.getInventory(user.getBase(), false)) {
if (contents != null && contents.isSimilar(stack)) {
amount += contents.getAmount();
}

View File

@ -2,6 +2,7 @@ package com.earth2me.essentials.commands;
import com.earth2me.essentials.CommandSource;
import com.earth2me.essentials.User;
import com.earth2me.essentials.craftbukkit.Inventories;
import com.earth2me.essentials.utils.DateUtil;
import com.earth2me.essentials.utils.PasteUtil;
import org.bukkit.Material;
@ -37,7 +38,7 @@ public class Commandcreatekit extends EssentialsCommand {
// Command handler will auto fail if this fails.
final long delay = Long.parseLong(args[1]);
final String kitname = args[0];
final ItemStack[] items = user.getBase().getInventory().getContents();
final ItemStack[] items = Inventories.getInventory(user.getBase(), true);
final List<String> list = new ArrayList<>();
boolean useSerializationProvider = ess.getSettings().isUseBetterKits();

View File

@ -3,7 +3,7 @@ package com.earth2me.essentials.commands;
import com.earth2me.essentials.Enchantments;
import com.earth2me.essentials.MetaItemStack;
import com.earth2me.essentials.User;
import com.earth2me.essentials.craftbukkit.InventoryWorkaround;
import com.earth2me.essentials.craftbukkit.Inventories;
import com.earth2me.essentials.utils.StringUtil;
import com.google.common.collect.Lists;
import org.bukkit.Material;
@ -57,7 +57,7 @@ public class Commandenchant extends EssentialsCommand {
final MetaItemStack metaStack = new MetaItemStack(stack);
final Enchantment enchantment = metaStack.getEnchantment(user, args[0]);
metaStack.addEnchantment(user.getSource(), ess.getSettings().allowUnsafeEnchantments() && user.isAuthorized("essentials.enchantments.allowunsafe"), enchantment, level);
InventoryWorkaround.setItemInMainHand(user.getBase(), metaStack.getItemStack());
Inventories.setItemInMainHand(user.getBase(), metaStack.getItemStack());
user.getBase().updateInventory();
final String enchantName = enchantment.getName().toLowerCase(Locale.ENGLISH).replace('_', ' ');
if (level == 0) {

View File

@ -3,6 +3,7 @@ package com.earth2me.essentials.commands;
import com.earth2me.essentials.CommandSource;
import com.earth2me.essentials.EssentialsUpgrade;
import com.earth2me.essentials.User;
import com.earth2me.essentials.craftbukkit.Inventories;
import com.earth2me.essentials.economy.EconomyLayer;
import com.earth2me.essentials.economy.EconomyLayers;
import com.earth2me.essentials.userstorage.ModernUserMap;
@ -22,11 +23,13 @@ import com.google.gson.JsonPrimitive;
import org.bukkit.Bukkit;
import org.bukkit.ChatColor;
import org.bukkit.Location;
import org.bukkit.Material;
import org.bukkit.Server;
import org.bukkit.Sound;
import org.bukkit.World;
import org.bukkit.command.Command;
import org.bukkit.entity.Player;
import org.bukkit.inventory.ItemStack;
import org.bukkit.plugin.Plugin;
import org.bukkit.plugin.PluginDescriptionFile;
import org.bukkit.plugin.PluginManager;
@ -93,6 +96,7 @@ public class Commandessentials extends EssentialsCommand {
"EssentialsAntiBuild",
"EssentialsChat",
"EssentialsDiscord",
"EssentialsDiscordLink",
"EssentialsGeoIP",
"EssentialsProtect",
"EssentialsSpawn",
@ -154,6 +158,10 @@ public class Commandessentials extends EssentialsCommand {
runUserMap(sender, args);
break;
case "itemtest":
runItemTest(server, sender, commandLabel, args);
break;
// "#EasterEgg"
case "nya":
case "nyan":
@ -168,6 +176,56 @@ public class Commandessentials extends EssentialsCommand {
}
}
public void runItemTest(Server server, CommandSource sender, String commandLabel, String[] args) {
if (!sender.isAuthorized("essentials.itemtest", ess) || args.length < 2 || !sender.isPlayer()) {
return;
}
final Player player = sender.getPlayer();
assert player != null;
switch (args[1]) {
case "slot": {
if (args.length < 3) {
return;
}
player.getInventory().setItem(Integer.parseInt(args[2]), new ItemStack(Material.DIRT));
break;
}
case "overfill": {
sender.sendMessage(Inventories.addItem(player, 42, false, new ItemStack(Material.DIAMOND_SWORD, 1), new ItemStack(Material.DIRT, 32), new ItemStack(Material.DIRT, 32)).toString());
break;
}
case "overfill2": {
if (args.length < 4) {
return;
}
final boolean armor = Boolean.parseBoolean(args[2]);
final boolean add = Boolean.parseBoolean(args[3]);
final ItemStack[] items = new ItemStack[]{new ItemStack(Material.DIAMOND_SWORD, 1), new ItemStack(Material.DIRT, 32), new ItemStack(Material.DIRT, 32), new ItemStack(Material.DIAMOND_HELMET, 4), new ItemStack(Material.CHAINMAIL_LEGGINGS, 1)};
if (Inventories.hasSpace(player, 0, armor, items)) {
if (add) {
sender.sendMessage(Inventories.addItem(player, 0, armor, items).toString());
}
sender.sendMessage("SO MUCH SPACE!");
} else {
sender.sendMessage("No space!");
}
break;
}
case "remove": {
if (args.length < 3) {
return;
}
Inventories.removeItemExact(player, new ItemStack(Material.PUMPKIN, 1), Boolean.parseBoolean(args[2]));
break;
}
default: {
break;
}
}
}
// Displays the command's usage.
private void showUsage(final CommandSource sender) throws Exception {
throw new NotEnoughArgumentsException();

View File

@ -3,7 +3,7 @@ package com.earth2me.essentials.commands;
import com.earth2me.essentials.CommandSource;
import com.earth2me.essentials.MetaItemStack;
import com.earth2me.essentials.User;
import com.earth2me.essentials.craftbukkit.InventoryWorkaround;
import com.earth2me.essentials.craftbukkit.Inventories;
import com.earth2me.essentials.utils.NumberUtil;
import com.earth2me.essentials.utils.VersionUtil;
import com.google.common.collect.Lists;
@ -81,13 +81,8 @@ public class Commandgive extends EssentialsLoopCommand {
final ItemStack finalStack = stack;
loopOnlinePlayersConsumer(server, sender, false, true, args[0], player -> {
sender.sendMessage(tl("giveSpawn", finalStack.getAmount(), itemName, player.getDisplayName()));
final Map<Integer, ItemStack> leftovers;
if (player.isAuthorized("essentials.oversizedstacks")) {
leftovers = InventoryWorkaround.addOversizedItems(player.getBase().getInventory(), ess.getSettings().getOversizedStackSize(), finalStack);
} else {
leftovers = InventoryWorkaround.addItems(player.getBase().getInventory(), finalStack);
}
final Map<Integer, ItemStack> leftovers = Inventories.addItem(player.getBase(), player.isAuthorized("essentials.oversizedstacks") ? ess.getSettings().getOversizedStackSize() : 0, finalStack);
for (final ItemStack item : leftovers.values()) {
if (isDropItemsIfFull) {

View File

@ -1,7 +1,7 @@
package com.earth2me.essentials.commands;
import com.earth2me.essentials.User;
import com.earth2me.essentials.craftbukkit.InventoryWorkaround;
import com.earth2me.essentials.craftbukkit.Inventories;
import com.earth2me.essentials.utils.TriState;
import com.earth2me.essentials.utils.VersionUtil;
import com.google.common.collect.Lists;
@ -28,7 +28,7 @@ public class Commandhat extends EssentialsCommand {
@Override
protected void run(final Server server, final User user, final String commandLabel, final String[] args) throws Exception {
if (args.length == 0 || (!args[0].contains("rem") && !args[0].contains("off") && !args[0].equalsIgnoreCase("0"))) {
final ItemStack hand = user.getItemInHand();
final ItemStack hand = Inventories.getItemInMainHand(user.getBase());
if (hand == null || hand.getType() == Material.AIR) {
user.sendMessage(tl("hatFail"));
return;
@ -53,7 +53,7 @@ public class Commandhat extends EssentialsCommand {
return;
}
inv.setHelmet(hand);
inv.setItemInHand(head);
Inventories.setItemInMainHand(user.getBase(), head);
user.sendMessage(tl("hatPlaced"));
return;
}
@ -67,7 +67,7 @@ public class Commandhat extends EssentialsCommand {
} else {
final ItemStack air = new ItemStack(Material.AIR);
inv.setHelmet(air);
InventoryWorkaround.addItems(user.getBase().getInventory(), head);
Inventories.addItem(user.getBase(), head);
user.sendMessage(tl("hatRemoved"));
}
}

View File

@ -2,7 +2,7 @@ package com.earth2me.essentials.commands;
import com.earth2me.essentials.MetaItemStack;
import com.earth2me.essentials.User;
import com.earth2me.essentials.craftbukkit.InventoryWorkaround;
import com.earth2me.essentials.craftbukkit.Inventories;
import com.google.common.collect.Lists;
import org.bukkit.Material;
import org.bukkit.Server;
@ -63,11 +63,7 @@ public class Commanditem extends EssentialsCommand {
final String displayName = stack.getType().toString().toLowerCase(Locale.ENGLISH).replace('_', ' ');
user.sendMessage(tl("itemSpawn", stack.getAmount(), displayName));
if (user.isAuthorized("essentials.oversizedstacks")) {
InventoryWorkaround.addOversizedItems(user.getBase().getInventory(), ess.getSettings().getOversizedStackSize(), stack);
} else {
InventoryWorkaround.addItems(user.getBase().getInventory(), stack);
}
Inventories.addItem(user.getBase(), user.isAuthorized("essentials.oversizedstacks") ? ess.getSettings().getOversizedStackSize() : 0, stack);
user.getBase().updateInventory();
}

View File

@ -1,6 +1,7 @@
package com.earth2me.essentials.commands;
import com.earth2me.essentials.User;
import com.earth2me.essentials.craftbukkit.Inventories;
import com.earth2me.essentials.utils.FormatUtil;
import com.earth2me.essentials.utils.MaterialUtil;
import com.earth2me.essentials.utils.NumberUtil;
@ -24,8 +25,8 @@ public class Commanditemlore extends EssentialsCommand {
@Override
protected void run(final Server server, final User user, final String commandLabel, final String[] args) throws Exception {
final ItemStack item = user.getBase().getItemInHand();
if (MaterialUtil.isAir(item.getType())) {
final ItemStack item = Inventories.getItemInHand(user.getBase());
if (item == null || MaterialUtil.isAir(item.getType())) {
throw new Exception(tl("itemloreInvalidItem"));
}
@ -73,8 +74,8 @@ public class Commanditemlore extends EssentialsCommand {
} else if (args.length == 2) {
switch (args[0].toLowerCase(Locale.ENGLISH)) {
case "set": {
final ItemStack item = user.getBase().getItemInHand();
if (!MaterialUtil.isAir(item.getType()) && item.hasItemMeta() && item.getItemMeta().hasLore()) {
final ItemStack item = Inventories.getItemInHand(user.getBase());
if (item != null && !MaterialUtil.isAir(item.getType()) && item.hasItemMeta() && item.getItemMeta().hasLore()) {
final List<String> lineNumbers = new ArrayList<>();
for (int i = 1; i <= item.getItemMeta().getLore().size(); i++) {
lineNumbers.add(String.valueOf(i));
@ -92,8 +93,8 @@ public class Commanditemlore extends EssentialsCommand {
} else if (args.length == 3) {
if (args[0].equalsIgnoreCase("set") && NumberUtil.isInt(args[1])) {
final int i = Integer.parseInt(args[1]);
final ItemStack item = user.getBase().getItemInHand();
if (!MaterialUtil.isAir(item.getType()) && item.hasItemMeta() && item.getItemMeta().hasLore() && item.getItemMeta().getLore().size() >= i) {
final ItemStack item = Inventories.getItemInHand(user.getBase());
if (item != null && !MaterialUtil.isAir(item.getType()) && item.hasItemMeta() && item.getItemMeta().hasLore() && item.getItemMeta().getLore().size() >= i) {
return Lists.newArrayList(FormatUtil.unformatString(user, "essentials.itemlore", item.getItemMeta().getLore().get(i - 1)));
}
}

View File

@ -1,6 +1,7 @@
package com.earth2me.essentials.commands;
import com.earth2me.essentials.User;
import com.earth2me.essentials.craftbukkit.Inventories;
import com.earth2me.essentials.utils.FormatUtil;
import com.earth2me.essentials.utils.MaterialUtil;
import com.earth2me.essentials.utils.TriState;
@ -23,8 +24,8 @@ public class Commanditemname extends EssentialsCommand {
@Override
protected void run(final Server server, final User user, final String commandLabel, final String[] args) throws Exception {
final ItemStack item = user.getBase().getItemInHand();
if (MaterialUtil.isAir(item.getType())) {
final ItemStack item = Inventories.getItemInHand(user.getBase());
if (item == null || MaterialUtil.isAir(item.getType())) {
user.sendMessage(tl("itemnameInvalidItem"));
return;
}
@ -50,8 +51,8 @@ public class Commanditemname extends EssentialsCommand {
@Override
protected List<String> getTabCompleteOptions(Server server, User user, String commandLabel, String[] args) {
if (args.length == 1) {
final ItemStack item = user.getBase().getItemInHand();
if (!MaterialUtil.isAir(item.getType()) && item.hasItemMeta() && item.getItemMeta().hasDisplayName()) {
final ItemStack item = Inventories.getItemInHand(user.getBase());
if (item != null && !MaterialUtil.isAir(item.getType()) && item.hasItemMeta() && item.getItemMeta().hasDisplayName()) {
return Lists.newArrayList(FormatUtil.unformatString(user, "essentials.itemname", item.getItemMeta().getDisplayName()));
}
}

View File

@ -6,6 +6,7 @@ import org.bukkit.Server;
import org.bukkit.World;
import org.bukkit.entity.Player;
import org.bukkit.entity.TNTPrimed;
import org.bukkit.metadata.FixedMetadataValue;
import java.util.ArrayList;
import java.util.Collection;
@ -15,6 +16,9 @@ import java.util.List;
import static com.earth2me.essentials.I18n.tl;
public class Commandnuke extends EssentialsCommand {
public static final String NUKE_META_KEY = "ess_tnt_proj";
public Commandnuke() {
super("nuke");
}
@ -30,7 +34,6 @@ public class Commandnuke extends EssentialsCommand {
} else {
targets = ess.getOnlinePlayers();
}
ess.getTNTListener().enable();
for (final Player player : targets) {
if (player == null) {
continue;
@ -38,9 +41,12 @@ public class Commandnuke extends EssentialsCommand {
player.sendMessage(tl("nuke"));
final Location loc = player.getLocation();
final World world = loc.getWorld();
for (int x = -10; x <= 10; x += 5) {
for (int z = -10; z <= 10; z += 5) {
world.spawn(new Location(world, loc.getBlockX() + x, world.getHighestBlockYAt(loc) + 64, loc.getBlockZ() + z), TNTPrimed.class);
if (world != null) {
for (int x = -10; x <= 10; x += 5) {
for (int z = -10; z <= 10; z += 5) {
final TNTPrimed entity = world.spawn(new Location(world, loc.getBlockX() + x, world.getHighestBlockYAt(loc) + 64, loc.getBlockZ() + z), TNTPrimed.class);
entity.setMetadata(NUKE_META_KEY, new FixedMetadataValue(ess, true));
}
}
}
}

View File

@ -2,6 +2,7 @@ package com.earth2me.essentials.commands;
import com.earth2me.essentials.CommandSource;
import com.earth2me.essentials.User;
import com.earth2me.essentials.craftbukkit.Inventories;
import com.earth2me.essentials.utils.StringUtil;
import com.google.common.collect.Lists;
import org.bukkit.Material;
@ -22,7 +23,7 @@ public class Commandpowertool extends EssentialsCommand {
@Override
protected void run(final Server server, final User user, final String commandLabel, final String[] args) throws Exception {
final String command = getFinalArg(args, 0);
final ItemStack itemStack = user.getBase().getItemInHand();
final ItemStack itemStack = Inventories.getItemInHand(user.getBase());
powertool(user.getSource(), user, itemStack, command);
}
@ -111,7 +112,7 @@ public class Commandpowertool extends EssentialsCommand {
}
try {
final ItemStack itemStack = user.getBase().getItemInHand();
final ItemStack itemStack = Inventories.getItemInHand(user.getBase());
final List<String> powertools = user.getPowertool(itemStack);
for (final String tool : powertools) {
options.add("r:" + tool);

View File

@ -3,6 +3,7 @@ package com.earth2me.essentials.commands;
import com.earth2me.essentials.ChargeException;
import com.earth2me.essentials.Trade;
import com.earth2me.essentials.User;
import com.earth2me.essentials.craftbukkit.Inventories;
import com.earth2me.essentials.utils.MaterialUtil;
import com.earth2me.essentials.utils.StringUtil;
import com.earth2me.essentials.utils.VersionUtil;
@ -62,7 +63,7 @@ public class Commandrepair extends EssentialsCommand {
public void repairAll(final User user) throws Exception {
final List<String> repaired = new ArrayList<>();
repairItems(user.getBase().getInventory().getContents(), user, repaired);
repairItems(Inventories.getInventory(user.getBase(), false), user, repaired);
if (user.isAuthorized("essentials.repair.armor")) {
repairItems(user.getBase().getInventory().getArmorContents(), user, repaired);

View File

@ -2,6 +2,7 @@ package com.earth2me.essentials.commands;
import com.earth2me.essentials.Trade;
import com.earth2me.essentials.User;
import com.earth2me.essentials.craftbukkit.Inventories;
import com.earth2me.essentials.utils.NumberUtil;
import com.google.common.collect.Lists;
import net.ess3.api.events.UserBalanceUpdateEvent;
@ -108,11 +109,11 @@ public class Commandsell extends EssentialsCommand {
//TODO: Prices for Enchantments
final ItemStack ris = is.clone();
ris.setAmount(amount);
if (!user.getBase().getInventory().containsAtLeast(ris, amount)) {
if (!Inventories.containsAtLeast(user.getBase(), ris, amount)) {
// This should never happen.
throw new IllegalStateException("Trying to remove more items than are available.");
}
user.getBase().getInventory().removeItem(ris);
Inventories.removeItemAmount(user.getBase(), ris, ris.getAmount());
user.getBase().updateInventory();
Trade.log("Command", "Sell", "Item", user.getName(), new Trade(ris, ess), user.getName(), new Trade(result, ess), user.getLocation(), user.getMoney(), ess);
user.giveMoney(result, null, UserBalanceUpdateEvent.Cause.COMMAND_SELL);

View File

@ -22,7 +22,7 @@ public class Commandsetworth extends EssentialsCommand {
final ItemStack stack;
final String price;
if (args.length == 1) {
stack = user.getBase().getInventory().getItemInHand();
stack = user.getItemInHand();
price = args[0];
} else {
stack = ess.getItemDb().get(args[0]);

View File

@ -1,7 +1,7 @@
package com.earth2me.essentials.commands;
import com.earth2me.essentials.User;
import com.earth2me.essentials.craftbukkit.InventoryWorkaround;
import com.earth2me.essentials.craftbukkit.Inventories;
import com.earth2me.essentials.utils.EnumUtil;
import com.earth2me.essentials.utils.MaterialUtil;
import com.google.common.collect.Lists;
@ -9,7 +9,6 @@ import org.bukkit.Material;
import org.bukkit.Server;
import org.bukkit.inventory.ItemStack;
import org.bukkit.inventory.meta.SkullMeta;
import org.bukkit.scheduler.BukkitRunnable;
import java.util.Collections;
import java.util.List;
@ -60,26 +59,21 @@ public class Commandskull extends EssentialsCommand {
}
private void editSkull(final User user, final ItemStack stack, final SkullMeta skullMeta, final String owner, final boolean spawn) {
new BukkitRunnable() {
@Override
public void run() {
//Run this stuff async because SkullMeta#setOwner causes a http request.
skullMeta.setDisplayName("§fSkull of " + owner);
skullMeta.setOwner(owner);
new BukkitRunnable() {
@Override
public void run() {
stack.setItemMeta(skullMeta);
if (spawn) {
InventoryWorkaround.addItems(user.getBase().getInventory(), stack);
user.sendMessage(tl("givenSkull", owner));
return;
}
user.sendMessage(tl("skullChanged", owner));
}
}.runTask(ess);
}
}.runTaskAsynchronously(ess);
ess.runTaskAsynchronously(() -> {
//Run this stuff async because SkullMeta#setOwner causes a http request.
skullMeta.setDisplayName("§fSkull of " + owner);
//noinspection deprecation
skullMeta.setOwner(owner);
ess.scheduleSyncDelayedTask(() -> {
stack.setItemMeta(skullMeta);
if (spawn) {
Inventories.addItem(user.getBase(), stack);
user.sendMessage(tl("givenSkull", owner));
return;
}
user.sendMessage(tl("skullChanged", owner));
});
});
}
@Override

View File

@ -66,9 +66,9 @@ public class Commandtppos extends EssentialsCommand {
}
final User user = getPlayer(server, args, 0, true, false);
final double x = args[1].startsWith("~") ? user.getLocation().getX() + (args[1].length() > 1 ? Integer.parseInt(args[1].substring(1)) : 0) : Integer.parseInt(args[1]);
final double y = args[2].startsWith("~") ? user.getLocation().getY() + (args[2].length() > 1 ? Integer.parseInt(args[2].substring(1)) : 0) : Integer.parseInt(args[2]);
final double z = args[3].startsWith("~") ? user.getLocation().getZ() + (args[3].length() > 1 ? Integer.parseInt(args[3].substring(1)) : 0) : Integer.parseInt(args[3]);
final double x = args[1].startsWith("~") ? user.getLocation().getX() + (args[1].length() > 1 ? Double.parseDouble(args[1].substring(1)) : 0) : Double.parseDouble(args[1]);
final double y = args[2].startsWith("~") ? user.getLocation().getY() + (args[2].length() > 1 ? Double.parseDouble(args[2].substring(1)) : 0) : Double.parseDouble(args[2]);
final double z = args[3].startsWith("~") ? user.getLocation().getZ() + (args[3].length() > 1 ? Double.parseDouble(args[3].substring(1)) : 0) : Double.parseDouble(args[3]);
final Location loc = new Location(user.getWorld(), x, y, z, user.getLocation().getYaw(), user.getLocation().getPitch());
if (args.length == 5) {
loc.setWorld(ess.getWorld(args[4]));

View File

@ -1,6 +1,7 @@
package com.earth2me.essentials.commands;
import com.earth2me.essentials.User;
import com.earth2me.essentials.craftbukkit.Inventories;
import org.bukkit.Material;
import org.bukkit.Server;
import org.bukkit.inventory.ItemStack;
@ -75,8 +76,8 @@ public class Commandunlimited extends EssentialsCommand {
if (!target.hasUnlimited(stack)) {
message = "enableUnlimited";
enableUnlimited = true;
if (!target.getBase().getInventory().containsAtLeast(stack, stack.getAmount())) {
target.getBase().getInventory().addItem(stack);
if (!Inventories.containsAtLeast(target.getBase(), stack, stack.getAmount())) {
Inventories.addItem(target.getBase(), stack);
}
}

View File

@ -33,7 +33,9 @@ import java.lang.reflect.Type;
import java.math.BigDecimal;
import java.nio.file.Files;
import java.util.ArrayList;
import java.util.Collections;
import java.util.HashMap;
import java.util.LinkedHashMap;
import java.util.List;
import java.util.Locale;
import java.util.Map;
@ -303,6 +305,19 @@ public class EssentialsConfiguration {
return ConfigurateUtil.getMap(configurationNode);
}
public Map<String, String> getStringMap(String path) {
final CommentedConfigurationNode node = getInternal(path);
if (node == null || !node.isMap()) {
return Collections.emptyMap();
}
final Map<String, String> map = new LinkedHashMap<>();
for (Map.Entry<Object, CommentedConfigurationNode> entry : node.childrenMap().entrySet()) {
map.put(String.valueOf(entry.getKey()), String.valueOf(entry.getValue().rawScalar()));
}
return map;
}
public void removeProperty(String path) {
final CommentedConfigurationNode node = getInternal(path);
if (node != null) {

View File

@ -0,0 +1,405 @@
package com.earth2me.essentials.craftbukkit;
import com.earth2me.essentials.utils.MaterialUtil;
import com.earth2me.essentials.utils.VersionUtil;
import org.bukkit.entity.Player;
import org.bukkit.inventory.EntityEquipment;
import org.bukkit.inventory.Inventory;
import org.bukkit.inventory.ItemStack;
import org.bukkit.inventory.PlayerInventory;
import java.util.ArrayList;
import java.util.HashMap;
import java.util.List;
import java.util.Map;
import java.util.function.Predicate;
public final class Inventories {
private static final int HELM_SLOT = 39;
private static final int CHEST_SLOT = 38;
private static final int LEG_SLOT = 37;
private static final int BOOT_SLOT = 36;
private static final boolean HAS_OFFHAND = VersionUtil.getServerBukkitVersion().isHigherThanOrEqualTo(VersionUtil.v1_9_R01);
private static final int INVENTORY_SIZE = HAS_OFFHAND ? 41 : 40;
private Inventories() {
}
public static ItemStack getItemInHand(final Player player) {
if (!HAS_OFFHAND) {
//noinspection deprecation
return player.getInventory().getItemInHand();
}
final PlayerInventory inventory = player.getInventory();
final ItemStack main = inventory.getItemInMainHand();
return !isEmpty(main) ? main : inventory.getItemInOffHand();
}
public static ItemStack getItemInMainHand(final Player player) {
if (!HAS_OFFHAND) {
//noinspection deprecation
return player.getInventory().getItemInHand();
}
return player.getInventory().getItemInMainHand();
}
public static void setItemInMainHand(final Player player, final ItemStack stack) {
if (HAS_OFFHAND) {
player.getInventory().setItemInMainHand(stack);
} else {
//noinspection deprecation
player.setItemInHand(stack);
}
}
public static void setItemInMainHand(final EntityEquipment entityEquipment, final ItemStack stack) {
if (HAS_OFFHAND) {
entityEquipment.setItemInMainHand(stack);
} else {
//noinspection deprecation
entityEquipment.setItemInHand(stack);
}
}
public static void setItemInMainHandDropChance(final EntityEquipment entityEquipment, final float chance) {
if (HAS_OFFHAND) {
entityEquipment.setItemInMainHandDropChance(chance);
} else {
//noinspection deprecation
entityEquipment.setItemInHandDropChance(chance);
}
}
public static boolean containsAtLeast(final Player player, final ItemStack item, int amount) {
for (final ItemStack invItem : player.getInventory().getContents()) {
if (isEmpty(invItem)) {
continue;
}
if (invItem.isSimilar(item)) {
amount -= invItem.getAmount();
if (amount <= 0) {
return true;
}
}
}
return false;
}
public static boolean hasSpace(final Player player, final int maxStack, final boolean includeArmor, ItemStack... items) {
items = normalizeItems(cloneItems(items));
final InventoryData inventoryData = parseInventoryData(player.getInventory(), items, maxStack, includeArmor);
final List<Integer> emptySlots = inventoryData.getEmptySlots();
for (final ItemStack item : items) {
if (isEmpty(item)) {
continue;
}
final int itemMax = Math.max(maxStack, item.getMaxStackSize());
final List<Integer> partialSlots = inventoryData.getPartialSlots().get(item);
while (true) {
if (partialSlots == null || partialSlots.isEmpty()) {
if (emptySlots.isEmpty()) {
return false;
}
emptySlots.remove(0);
if (item.getAmount() > itemMax) {
item.setAmount(item.getAmount() - itemMax);
} else {
break;
}
} else {
final int slot = partialSlots.remove(0);
ItemStack existing = player.getInventory().getItem(slot);
if (isEmpty(existing)) {
existing = item.clone();
existing.setAmount(0);
}
final int amount = item.getAmount();
final int existingAmount = existing.getAmount();
if (amount + existingAmount <= itemMax) {
break;
} else {
item.setAmount(amount + existingAmount - itemMax);
}
}
}
}
return true;
}
public static Map<Integer, ItemStack> addItem(final Player player, final ItemStack... items) {
return addItem(player, 0, false, items);
}
public static Map<Integer, ItemStack> addItem(final Player player, final int maxStack, final ItemStack... items) {
return addItem(player, maxStack, false, items);
}
public static Map<Integer, ItemStack> addItem(final Player player, final int maxStack, final boolean allowArmor, ItemStack... items) {
items = normalizeItems(cloneItems(items));
final Map<Integer, ItemStack> leftover = new HashMap<>();
final InventoryData inventoryData = parseInventoryData(player.getInventory(), items, maxStack, allowArmor);
final List<Integer> emptySlots = inventoryData.getEmptySlots();
for (int i = 0; i < items.length; i++) {
final ItemStack item = items[i];
if (isEmpty(item)) {
continue;
}
final int itemMax = Math.max(maxStack, item.getMaxStackSize());
final List<Integer> partialSlots = inventoryData.getPartialSlots().get(item);
while (true) {
if (partialSlots == null || partialSlots.isEmpty()) {
if (emptySlots.isEmpty()) {
leftover.put(i, item);
break;
}
final int slot = emptySlots.remove(0);
if (item.getAmount() > itemMax) {
final ItemStack split = item.clone();
split.setAmount(itemMax);
player.getInventory().setItem(slot, split);
item.setAmount(item.getAmount() - itemMax);
} else {
player.getInventory().setItem(slot, item);
break;
}
} else {
final int slot = partialSlots.remove(0);
ItemStack existing = player.getInventory().getItem(slot);
if (isEmpty(existing)) {
existing = item.clone();
existing.setAmount(0);
}
final int amount = item.getAmount();
final int existingAmount = existing.getAmount();
if (amount + existingAmount <= itemMax) {
existing.setAmount(amount + existingAmount);
player.getInventory().setItem(slot, existing);
break;
} else {
existing.setAmount(itemMax);
player.getInventory().setItem(slot, existing);
item.setAmount(amount + existingAmount - itemMax);
}
}
}
}
return leftover;
}
public static ItemStack[] getInventory(final Player player, final boolean includeArmor) {
final ItemStack[] items = new ItemStack[INVENTORY_SIZE];
for (int i = 0; i < items.length; i++) {
if (!includeArmor && isArmorSlot(i)) {
items[i] = null;
continue;
}
items[i] = player.getInventory().getItem(i);
}
return items;
}
public static void removeItemExact(final Player player, final ItemStack toRemove, final boolean includeArmor) {
removeItems(player, itemStack -> itemStack.equals(toRemove), includeArmor);
}
public static int removeItemSimilar(final Player player, final ItemStack toRemove, final boolean includeArmor) {
return removeItems(player, itemStack -> itemStack.isSimilar(toRemove), includeArmor);
}
public static int removeItems(final Player player, final Predicate<ItemStack> removePredicate, final boolean includeArmor) {
int removedAmount = 0;
final ItemStack[] items = player.getInventory().getContents();
for (int i = 0; i < items.length; i++) {
if (!includeArmor && isArmorSlot(i)) {
continue;
}
final ItemStack item = items[i];
if (isEmpty(item)) {
continue;
}
if (removePredicate.test(item)) {
removedAmount += item.getAmount();
item.setAmount(0);
player.getInventory().setItem(i, item);
}
}
return removedAmount;
}
public static boolean removeItemAmount(final Player player, final ItemStack toRemove, int amount) {
final List<Integer> clearSlots = new ArrayList<>();
final ItemStack[] items = player.getInventory().getContents();
for (int i = 0; i < items.length; i++) {
final ItemStack item = items[i];
if (isEmpty(item)) {
continue;
}
if (item.isSimilar(toRemove)) {
if (item.getAmount() >= amount) {
item.setAmount(item.getAmount() - amount);
player.getInventory().setItem(i, item);
for (final int slot : clearSlots) {
clearSlot(player, slot);
}
return true;
} else {
amount -= item.getAmount();
clearSlots.add(i);
}
if (amount == 0) {
for (final int slot : clearSlots) {
clearSlot(player, slot);
}
return true;
}
}
}
return false;
}
public static void clearSlot(final Player player, final int slot) {
final ItemStack item = player.getInventory().getItem(slot);
if (!isEmpty(item)) {
item.setAmount(0);
player.getInventory().setItem(slot, item);
}
}
public static void setSlot(final Player inventory, final int slot, final ItemStack item) {
inventory.getInventory().setItem(slot, item);
}
private static ItemStack[] normalizeItems(final ItemStack[] items) {
if (items.length <= 1) {
return items;
}
final ItemStack[] normalizedItems = new ItemStack[items.length];
int nextNormalizedIndex = 0;
inputLoop:
for (final ItemStack item : items) {
if (isEmpty(item)) {
continue;
}
for (int j = 0; j < nextNormalizedIndex; j++) {
final ItemStack normalizedItem = normalizedItems[j];
if (isEmpty(normalizedItem)) {
continue;
}
if (item.isSimilar(normalizedItem)) {
normalizedItem.setAmount(normalizedItem.getAmount() + item.getAmount());
continue inputLoop;
}
}
normalizedItems[nextNormalizedIndex++] = item;
}
return normalizedItems;
}
private static ItemStack[] cloneItems(final ItemStack[] items) {
final ItemStack[] clonedItems = new ItemStack[items.length];
for (int i = 0; i < items.length; i++) {
final ItemStack item = items[i];
if (isEmpty(item)) {
continue;
}
clonedItems[i] = item.clone();
}
return clonedItems;
}
private static InventoryData parseInventoryData(final Inventory inventory, final ItemStack[] items, final int maxStack, final boolean includeArmor) {
final ItemStack[] inventoryContents = inventory.getContents();
final List<Integer> emptySlots = new ArrayList<>();
final HashMap<ItemStack, List<Integer>> partialSlots = new HashMap<>();
for (int i = 0; i < inventoryContents.length; i++) {
if (!includeArmor && isArmorSlot(i)) {
continue;
}
final ItemStack invItem = inventoryContents[i];
if (isEmpty(invItem)) {
emptySlots.add(i);
} else {
for (final ItemStack newItem : items) {
if (invItem.getAmount() < Math.max(maxStack, invItem.getMaxStackSize()) && invItem.isSimilar(newItem)) {
partialSlots.computeIfAbsent(newItem, k -> new ArrayList<>()).add(i);
}
}
}
}
// Convert empty armor slots to partial slots if we have armor items in the inventory, otherwise remove them from the empty slots.
if (includeArmor) {
ItemStack helm = null;
ItemStack chest = null;
ItemStack legs = null;
ItemStack boots = null;
for (final ItemStack item : items) {
if (isEmpty(item)) {
continue;
}
if (helm == null && MaterialUtil.isHelmet(item.getType())) {
helm = item;
if (emptySlots.contains(HELM_SLOT)) {
partialSlots.computeIfAbsent(helm, k -> new ArrayList<>()).add(HELM_SLOT);
}
} else if (chest == null && MaterialUtil.isChestplate(item.getType())) {
chest = item;
if (emptySlots.contains(CHEST_SLOT)) {
partialSlots.computeIfAbsent(chest, k -> new ArrayList<>()).add(CHEST_SLOT);
}
} else if (legs == null && MaterialUtil.isLeggings(item.getType())) {
legs = item;
if (emptySlots.contains(LEG_SLOT)) {
partialSlots.computeIfAbsent(legs, k -> new ArrayList<>()).add(LEG_SLOT);
}
} else if (boots == null && MaterialUtil.isBoots(item.getType())) {
boots = item;
if (emptySlots.contains(BOOT_SLOT)) {
partialSlots.computeIfAbsent(boots, k -> new ArrayList<>()).add(BOOT_SLOT);
}
}
}
emptySlots.remove((Object) HELM_SLOT);
emptySlots.remove((Object) CHEST_SLOT);
emptySlots.remove((Object) LEG_SLOT);
emptySlots.remove((Object) BOOT_SLOT);
}
return new InventoryData(emptySlots, partialSlots);
}
private static boolean isEmpty(final ItemStack stack) {
return stack == null || MaterialUtil.isAir(stack.getType());
}
private static boolean isArmorSlot(final int slot) {
return slot == HELM_SLOT || slot == CHEST_SLOT || slot == LEG_SLOT || slot == BOOT_SLOT;
}
}

View File

@ -0,0 +1,24 @@
package com.earth2me.essentials.craftbukkit;
import org.bukkit.inventory.ItemStack;
import java.util.HashMap;
import java.util.List;
public class InventoryData {
private final List<Integer> emptySlots;
private final HashMap<ItemStack, List<Integer>> partialSlots;
public InventoryData(List<Integer> emptySlots, HashMap<ItemStack, List<Integer>> partialSlots) {
this.emptySlots = emptySlots;
this.partialSlots = partialSlots;
}
public List<Integer> getEmptySlots() {
return emptySlots;
}
public HashMap<ItemStack, List<Integer>> getPartialSlots() {
return partialSlots;
}
}

View File

@ -1,245 +0,0 @@
package com.earth2me.essentials.craftbukkit;
import com.earth2me.essentials.utils.VersionUtil;
import org.bukkit.Bukkit;
import org.bukkit.Material;
import org.bukkit.entity.Player;
import org.bukkit.inventory.EntityEquipment;
import org.bukkit.inventory.Inventory;
import org.bukkit.inventory.ItemStack;
import org.bukkit.inventory.PlayerInventory;
import java.util.Arrays;
import java.util.HashMap;
import java.util.Map;
/*
* This class can be removed when https://github.com/Bukkit/CraftBukkit/pull/193 is accepted to CraftBukkit
*/
public final class InventoryWorkaround {
/*
Spigot 1.9, for whatever reason, decided to merge the armor and main player inventories without providing a way
to access the main inventory. There's lots of ugly code in here to work around that.
*/
private static final int USABLE_PLAYER_INV_SIZE = 36;
private static final boolean IS_OFFHAND = VersionUtil.getServerBukkitVersion().isHigherThanOrEqualTo(VersionUtil.v1_9_R01);
private InventoryWorkaround() {
}
private static int firstPartial(final Inventory inventory, final ItemStack item, final int maxAmount) {
if (item == null) {
return -1;
}
final ItemStack[] stacks = inventory.getContents();
for (int i = 0; i < stacks.length; i++) {
final ItemStack cItem = stacks[i];
if (cItem != null && cItem.getAmount() < maxAmount && cItem.isSimilar(item)) {
return i;
}
}
return -1;
}
private static boolean isCombinedInventory(final Inventory inventory) {
return inventory instanceof PlayerInventory && inventory.getContents().length > USABLE_PLAYER_INV_SIZE;
}
// Clears inventory without clearing armor
public static void clearInventoryNoArmor(final PlayerInventory inventory) {
if (isCombinedInventory(inventory)) {
for (int i = 0; i < USABLE_PLAYER_INV_SIZE; i++) {
inventory.setItem(i, null);
}
} else {
inventory.clear();
}
}
private static Inventory makeTruncatedPlayerInventory(final PlayerInventory playerInventory) {
final Inventory fakeInventory = Bukkit.getServer().createInventory(null, USABLE_PLAYER_INV_SIZE);
fakeInventory.setContents(Arrays.copyOf(playerInventory.getContents(), fakeInventory.getSize()));
return fakeInventory;
}
// Returns what it couldn't store
// This will will abort if it couldn't store all items
public static Map<Integer, ItemStack> addAllItems(final Inventory inventory, final ItemStack... items) {
final ItemStack[] contents = inventory.getContents();
final Inventory fakeInventory;
if (isCombinedInventory(inventory)) {
fakeInventory = makeTruncatedPlayerInventory((PlayerInventory) inventory);
} else {
fakeInventory = Bukkit.getServer().createInventory(null, inventory.getType());
fakeInventory.setContents(contents);
}
final Map<Integer, ItemStack> overflow = addItems(fakeInventory, items);
if (overflow.isEmpty()) {
addItems(inventory, items);
return null;
}
return addItems(fakeInventory, items);
}
public static Map<Integer, ItemStack> addAllOversizedItems(final Inventory inventory, final int oversizedStacks, final ItemStack... items) {
final ItemStack[] contents = inventory.getContents();
final Inventory fakeInventory;
if (isCombinedInventory(inventory)) {
fakeInventory = makeTruncatedPlayerInventory((PlayerInventory) inventory);
} else {
fakeInventory = Bukkit.getServer().createInventory(null, inventory.getType());
fakeInventory.setContents(contents);
}
final Map<Integer, ItemStack> overflow = addOversizedItems(fakeInventory, oversizedStacks, items);
if (overflow.isEmpty()) {
addOversizedItems(inventory, oversizedStacks, items);
return null;
}
return overflow;
}
// Returns what it couldn't store
public static Map<Integer, ItemStack> addItems(final Inventory inventory, final ItemStack... items) {
return addOversizedItems(inventory, 0, items);
}
// Returns what it couldn't store
// Set oversizedStack to below normal stack size to disable oversized stacks
public static Map<Integer, ItemStack> addOversizedItems(final Inventory inventory, final int oversizedStacks, final ItemStack... items) {
if (isCombinedInventory(inventory)) {
final Inventory fakeInventory = makeTruncatedPlayerInventory((PlayerInventory) inventory);
final Map<Integer, ItemStack> overflow = addOversizedItems(fakeInventory, oversizedStacks, items);
for (int i = 0; i < fakeInventory.getContents().length; i++) {
inventory.setItem(i, fakeInventory.getContents()[i]);
}
return overflow;
}
final Map<Integer, ItemStack> leftover = new HashMap<>();
/*
* TODO: some optimization - Create a 'firstPartial' with a 'fromIndex' - Record the lastPartial per Material -
* Cache firstEmpty result
*/
// combine items
final ItemStack[] combined = new ItemStack[items.length];
for (final ItemStack item : items) {
if (item == null || item.getAmount() < 1) {
continue;
}
for (int j = 0; j < combined.length; j++) {
if (combined[j] == null) {
combined[j] = item.clone();
break;
}
if (combined[j].isSimilar(item)) {
combined[j].setAmount(combined[j].getAmount() + item.getAmount());
break;
}
}
}
for (int i = 0; i < combined.length; i++) {
final ItemStack item = combined[i];
if (item == null || item.getType() == Material.AIR) {
continue;
}
while (true) {
// Do we already have a stack of it?
final int maxAmount = Math.max(oversizedStacks, item.getType().getMaxStackSize());
final int firstPartial = firstPartial(inventory, item, maxAmount);
// Drat! no partial stack
if (firstPartial == -1) {
// Find a free spot!
final int firstFree = inventory.firstEmpty();
if (firstFree == -1) {
// No space at all!
leftover.put(i, item);
break;
} else {
// More than a single stack!
if (item.getAmount() > maxAmount) {
final ItemStack stack = item.clone();
stack.setAmount(maxAmount);
inventory.setItem(firstFree, stack);
item.setAmount(item.getAmount() - maxAmount);
} else {
// Just store it
inventory.setItem(firstFree, item);
break;
}
}
} else {
// So, apparently it might only partially fit, well lets do just that
final ItemStack partialItem = inventory.getItem(firstPartial);
final int amount = item.getAmount();
final int partialAmount = partialItem.getAmount();
// Check if it fully fits
if (amount + partialAmount <= maxAmount) {
partialItem.setAmount(amount + partialAmount);
break;
}
// It fits partially
partialItem.setAmount(maxAmount);
item.setAmount(amount + partialAmount - maxAmount);
}
}
}
return leftover;
}
@SuppressWarnings("deprecation")
public static void setItemInMainHand(final Player p, final ItemStack item) {
if (IS_OFFHAND) {
p.getInventory().setItemInMainHand(item);
} else {
p.setItemInHand(item);
}
}
@SuppressWarnings("deprecation")
public static void setItemInMainHand(final EntityEquipment invent, final ItemStack item) {
if (IS_OFFHAND) {
invent.setItemInMainHand(item);
} else {
invent.setItemInHand(item);
}
}
@SuppressWarnings("deprecation")
public static void setItemInMainHandDropChance(final EntityEquipment invent, final float chance) {
if (IS_OFFHAND) {
invent.setItemInMainHandDropChance(chance);
} else {
invent.setItemInHandDropChance(chance);
}
}
public static void setItemInOffHand(final Player p, final ItemStack item) {
if (IS_OFFHAND) {
p.getInventory().setItemInOffHand(item);
}
}
public static int clearItemInOffHand(final Player p, final ItemStack item) {
if (IS_OFFHAND) {
int removedAmount = 0;
if (p.getInventory().getItemInOffHand().getType().equals(item.getType())) {
removedAmount = p.getInventory().getItemInOffHand().getAmount();
p.getInventory().setItemInOffHand(null);
}
return removedAmount;
}
return 0;
}
}

View File

@ -2,6 +2,7 @@ package com.earth2me.essentials.items;
import com.earth2me.essentials.IConf;
import com.earth2me.essentials.User;
import com.earth2me.essentials.craftbukkit.Inventories;
import com.earth2me.essentials.utils.FormatUtil;
import com.earth2me.essentials.utils.MaterialUtil;
import com.earth2me.essentials.utils.VersionUtil;
@ -156,14 +157,14 @@ public abstract class AbstractItemDb implements IConf, net.ess3.api.IItemDb {
} else if (args[0].equalsIgnoreCase("hand")) {
is.add(user.getItemInHand().clone());
} else if (args[0].equalsIgnoreCase("inventory") || args[0].equalsIgnoreCase("invent") || args[0].equalsIgnoreCase("all")) {
for (final ItemStack stack : user.getBase().getInventory().getContents()) {
for (final ItemStack stack : Inventories.getInventory(user.getBase(), true)) {
if (stack == null || stack.getType() == Material.AIR) {
continue;
}
is.add(stack.clone());
}
} else if (args[0].equalsIgnoreCase("blocks")) {
for (final ItemStack stack : user.getBase().getInventory().getContents()) {
for (final ItemStack stack : Inventories.getInventory(user.getBase(), true)) {
if (stack == null || stack.getType() == Material.AIR || !stack.getType().isBlock()) {
continue;
}

View File

@ -3,6 +3,7 @@ package com.earth2me.essentials.perm;
import com.earth2me.essentials.Essentials;
import com.earth2me.essentials.User;
import com.earth2me.essentials.utils.TriState;
import org.bukkit.OfflinePlayer;
import org.bukkit.entity.Player;
import java.util.List;
@ -10,9 +11,15 @@ import java.util.function.Function;
import java.util.function.Supplier;
public interface IPermissionsHandler {
String getGroup(Player base);
boolean addToGroup(OfflinePlayer base, String group);
List<String> getGroups(Player base);
boolean removeFromGroup(OfflinePlayer base, String group);
String getGroup(OfflinePlayer base);
List<String> getGroups(OfflinePlayer base);
List<String> getGroups();
boolean canBuild(Player base, String group);

View File

@ -10,8 +10,10 @@ import com.earth2me.essentials.perm.impl.ModernVaultHandler;
import com.earth2me.essentials.perm.impl.SuperpermsHandler;
import com.earth2me.essentials.utils.TriState;
import com.google.common.collect.ImmutableSet;
import org.bukkit.OfflinePlayer;
import org.bukkit.entity.Player;
import java.util.ArrayList;
import java.util.Arrays;
import java.util.Collections;
import java.util.List;
@ -34,7 +36,7 @@ public class PermissionsHandler implements IPermissionsHandler {
}
@Override
public String getGroup(final Player base) {
public String getGroup(final OfflinePlayer base) {
final long start = System.nanoTime();
String group = handler.getGroup(base);
if (group == null) {
@ -45,16 +47,42 @@ public class PermissionsHandler implements IPermissionsHandler {
}
@Override
public List<String> getGroups(final Player base) {
public List<String> getGroups(final OfflinePlayer base) {
final long start = System.nanoTime();
List<String> groups = handler.getGroups(base);
final List<String> groups = new ArrayList<>();
groups.add(defaultGroup);
groups.addAll(handler.getGroups(base));
checkPermLag(start, String.format("Getting groups for %s", base.getName()));
return Collections.unmodifiableList(groups);
}
@Override
public List<String> getGroups() {
final long start = System.nanoTime();
List<String> groups = handler.getGroups();
if (groups == null || groups.isEmpty()) {
groups = Collections.singletonList(defaultGroup);
}
checkPermLag(start, String.format("Getting groups for %s", base.getName()));
checkPermLag(start, "Getting all groups");
return Collections.unmodifiableList(groups);
}
@Override
public boolean addToGroup(OfflinePlayer base, String group) {
final long start = System.nanoTime();
final boolean result = handler.addToGroup(base, group);
checkPermLag(start, String.format("Adding group to %s", base.getName()));
return result;
}
@Override
public boolean removeFromGroup(OfflinePlayer base, String group) {
final long start = System.nanoTime();
final boolean result = handler.removeFromGroup(base, group);
checkPermLag(start, String.format("Removing group from %s", base.getName()));
return result;
}
@Override
public boolean canBuild(final Player base, final String group) {
return handler.canBuild(base, group);

View File

@ -3,6 +3,7 @@ package com.earth2me.essentials.perm.impl;
import net.milkbowl.vault.chat.Chat;
import net.milkbowl.vault.permission.Permission;
import org.bukkit.Bukkit;
import org.bukkit.OfflinePlayer;
import org.bukkit.entity.Player;
import org.bukkit.plugin.RegisteredServiceProvider;
import org.bukkit.plugin.java.JavaPlugin;
@ -32,13 +33,34 @@ public abstract class AbstractVaultHandler extends SuperpermsHandler {
}
@Override
public String getGroup(final Player base) {
return perms.getPrimaryGroup(base);
public String getGroup(final OfflinePlayer base) {
if (base.isOnline()) {
return perms.getPrimaryGroup(base.getPlayer());
}
return perms.getPrimaryGroup(null, base);
}
@Override
public List<String> getGroups(final Player base) {
return Arrays.asList(perms.getPlayerGroups(base));
public List<String> getGroups(final OfflinePlayer base) {
if (base.isOnline()) {
return Arrays.asList(perms.getPlayerGroups(base.getPlayer()));
}
return Arrays.asList(perms.getPlayerGroups(null, base));
}
@Override
public List<String> getGroups() {
return Arrays.asList(perms.getGroups());
}
@Override
public boolean addToGroup(OfflinePlayer base, String group) {
return perms.playerAddGroup(null, base, group);
}
@Override
public boolean removeFromGroup(OfflinePlayer base, String group) {
return perms.playerRemoveGroup(null, base, group);
}
@Override

View File

@ -5,6 +5,7 @@ import com.earth2me.essentials.User;
import com.earth2me.essentials.perm.IPermissionsHandler;
import com.earth2me.essentials.utils.TriState;
import org.bukkit.Bukkit;
import org.bukkit.OfflinePlayer;
import org.bukkit.entity.Player;
import org.bukkit.permissions.Permission;
import org.bukkit.permissions.PermissionAttachmentInfo;
@ -21,12 +22,27 @@ public class SuperpermsHandler implements IPermissionsHandler {
}
@Override
public String getGroup(final Player base) {
public boolean addToGroup(OfflinePlayer base, String group) {
return false;
}
@Override
public boolean removeFromGroup(OfflinePlayer base, String group) {
return false;
}
@Override
public String getGroup(final OfflinePlayer base) {
return null;
}
@Override
public List<String> getGroups(final Player base) {
public List<String> getGroups(final OfflinePlayer base) {
return null;
}
@Override
public List<String> getGroups() {
return null;
}

View File

@ -4,6 +4,7 @@ import com.earth2me.essentials.ChargeException;
import com.earth2me.essentials.Enchantments;
import com.earth2me.essentials.Trade;
import com.earth2me.essentials.User;
import com.earth2me.essentials.craftbukkit.Inventories;
import net.ess3.api.IEssentials;
import net.ess3.provider.MaterialTagProvider;
import org.bukkit.enchantments.Enchantment;
@ -66,7 +67,7 @@ public class SignEnchant extends EssentialsSign {
@Override
protected boolean onSignInteract(final ISign sign, final User player, final String username, final IEssentials ess) throws SignException, ChargeException {
final ItemStack playerHand = player.getBase().getItemInHand();
final ItemStack playerHand = Inventories.getItemInHand(player.getBase());
final MaterialTagProvider tagProvider = ess.getMaterialTagProvider();
final String itemName = sign.getLine(1);
final ItemStack search = itemName.equals("*") || itemName.equalsIgnoreCase("any") || (tagProvider != null && tagProvider.tagExists(itemName) && tagProvider.isTagged(itemName, playerHand.getType())) ? null : getItemStack(itemName, 1, ess);

View File

@ -5,6 +5,7 @@ import com.earth2me.essentials.Trade;
import com.earth2me.essentials.Trade.OverflowType;
import com.earth2me.essentials.Trade.TradeType;
import com.earth2me.essentials.User;
import com.earth2me.essentials.craftbukkit.Inventories;
import com.earth2me.essentials.utils.MaterialUtil;
import com.earth2me.essentials.utils.NumberUtil;
import net.ess3.api.IEssentials;
@ -84,10 +85,11 @@ public class SignTrade extends EssentialsSign {
private Trade rechargeSign(final ISign sign, final IEssentials ess, final User player) throws SignException, ChargeException {
final Trade trade = getTrade(sign, 2, AmountType.COST, false, true, ess);
if (trade.getItemStack() != null && player.getBase().getItemInHand() != null && trade.getItemStack().getType() == player.getBase().getItemInHand().getType() && MaterialUtil.getDamage(trade.getItemStack()) == MaterialUtil.getDamage(player.getBase().getItemInHand()) && trade.getItemStack().getEnchantments().equals(player.getBase().getItemInHand().getEnchantments())) {
ItemStack stack = Inventories.getItemInHand(player.getBase());
if (trade.getItemStack() != null && stack != null && !MaterialUtil.isAir(stack.getType()) && trade.getItemStack().getType() == stack.getType() && MaterialUtil.getDamage(trade.getItemStack()) == MaterialUtil.getDamage(stack) && trade.getItemStack().getEnchantments().equals(stack.getEnchantments())) {
final int amount = trade.getItemStack().getAmount();
if (player.getBase().getInventory().containsAtLeast(trade.getItemStack(), amount)) {
final ItemStack stack = player.getBase().getItemInHand().clone();
if (Inventories.containsAtLeast(player.getBase(), trade.getItemStack(), amount)) {
stack = stack.clone();
stack.setAmount(amount);
final Trade store = new Trade(stack, ess);
addAmount(sign, 2, store, ess);

View File

@ -37,9 +37,9 @@ public final class VersionUtil {
public static final BukkitVersion v1_18_2_R01 = BukkitVersion.fromString("1.18.2-R0.1-SNAPSHOT");
public static final BukkitVersion v1_19_R01 = BukkitVersion.fromString("1.19-R0.1-SNAPSHOT");
public static final BukkitVersion v1_19_2_R01 = BukkitVersion.fromString("1.19.2-R0.1-SNAPSHOT");
public static final BukkitVersion v1_19_3_R01 = BukkitVersion.fromString("1.19.3-R0.1-SNAPSHOT");
public static final BukkitVersion v1_19_4_R01 = BukkitVersion.fromString("1.19.4-R0.1-SNAPSHOT");
private static final Set<BukkitVersion> 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_3_R01);
private static final Set<BukkitVersion> 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);
public static final boolean PRE_FLATTENING = VersionUtil.getServerBukkitVersion().isLowerThan(VersionUtil.v1_13_0_R01);

View File

@ -1,11 +1,10 @@
package net.ess3.api.events;
import net.essentialsx.api.v2.ChatType;
import net.essentialsx.api.v2.events.chat.ChatEvent;
import org.bukkit.entity.Player;
import org.bukkit.event.Cancellable;
import org.bukkit.event.Event;
import org.bukkit.event.HandlerList;
import java.util.IllegalFormatException;
import java.util.Set;
import static com.earth2me.essentials.I18n.tl;
@ -13,103 +12,17 @@ import static com.earth2me.essentials.I18n.tl;
/**
* Fired when a player uses local chat.
*/
public class LocalChatSpyEvent extends Event implements Cancellable {
public class LocalChatSpyEvent extends ChatEvent {
private static final HandlerList handlers = new HandlerList();
private final Player player;
private final Set<Player> recipients;
private boolean cancelled = false;
private String message;
private String format;
public LocalChatSpyEvent(final boolean async, final Player who, final String format, final String message, final Set<Player> players) {
super(async);
this.format = tl("chatTypeLocal").concat(tl("chatTypeSpy")).concat(format);
this.message = message;
recipients = players;
player = who;
public LocalChatSpyEvent(final boolean async, final Player player, final String format, final String message, final Set<Player> recipients) {
super(async, ChatType.SPY, player, tl("chatTypeLocal").concat(tl("chatTypeSpy")).concat(format), message, recipients);
}
public static HandlerList getHandlerList() {
return handlers;
}
/**
* Gets the message that the player is attempting to send. This message will be used with {@link #getFormat()}.
*
* @return Message the player is attempting to send
*/
public String getMessage() {
return message;
}
/**
* Sets the message that the player will send. This message will be used with {@link #getFormat()}.
*
* @param message New message that the player will send
*/
public void setMessage(final String message) {
this.message = message;
}
/**
* Gets the format to use to display this chat message to spy recipients. When this event finishes execution, the
* first format parameter is the {@link Player#getDisplayName()} and the second parameter is {@link #getMessage()}
*
* @return {@link String#format(String, Object...)} compatible format string
*/
public String getFormat() {
return format;
}
/**
* Sets the format to use to display this chat message to spy recipients. When this event finishes execution, the
* first format parameter is the {@link Player#getDisplayName()} and the second parameter is {@link #getMessage()}
*
* @param format {@link String#format(String, Object...)} compatible format string
* @throws IllegalFormatException if the underlying API throws the exception
* @throws NullPointerException if format is null
* @see String#format(String, Object...)
*/
public void setFormat(final String format) throws IllegalFormatException, NullPointerException {
// Oh for a better way to do this!
try {
String.format(format, player, message);
} catch (final RuntimeException ex) {
ex.fillInStackTrace();
throw ex;
}
this.format = format;
}
/**
* Gets a set of recipients that this chat message will be displayed to.
*
* @return All Players who will see this chat message
*/
public Set<Player> getRecipients() {
return recipients;
}
/**
* Returns the player involved in this event
*
* @return Player who is involved in this event
*/
public final Player getPlayer() {
return player;
}
@Override
public boolean isCancelled() {
return cancelled;
}
@Override
public void setCancelled(final boolean cancel) {
this.cancelled = cancel;
}
@Override
public HandlerList getHandlers() {
return handlers;

View File

@ -0,0 +1,49 @@
package net.essentialsx.api.v2;
import java.util.Locale;
/**
* Represents chat type for a message
*/
public enum ChatType {
/**
* Message is being sent to global chat as a shout
*/
SHOUT,
/**
* Message is being sent to global chat as a question
*/
QUESTION,
/**
* Message is being sent locally
*/
LOCAL,
/**
* Message is being sent to spy channel
*/
SPY,
/**
* Chat type is not determined
*
* <p>This type used when local/global chat features are disabled
*/
UNKNOWN,
;
private final String key;
ChatType() {
this.key = name().toLowerCase(Locale.ENGLISH);
}
/**
* @return Lowercase name of the chat type.
*/
public String key() {
return key;
}
}

View File

@ -0,0 +1,58 @@
package net.essentialsx.api.v2.events;
import net.ess3.api.IUser;
import net.essentialsx.api.v2.services.mail.MailMessage;
import org.bukkit.event.Cancellable;
import org.bukkit.event.Event;
import org.bukkit.event.HandlerList;
/**
* Called when mail is sent to a {@link net.ess3.api.IUser IUser} by another player or the console.
*/
public class UserMailEvent extends Event implements Cancellable {
private static final HandlerList handlers = new HandlerList();
private final IUser recipient;
private final MailMessage message;
private boolean canceled;
public UserMailEvent(IUser recipient, MailMessage message) {
this.recipient = recipient;
this.message = message;
}
/**
* Gets the recipient of this mail.
* @return the recipient.
*/
public IUser getRecipient() {
return recipient;
}
/**
* Gets the underlying {@link MailMessage} for this mail.
* @return the message.
*/
public MailMessage getMessage() {
return message;
}
@Override
public void setCancelled(boolean cancel) {
this.canceled = cancel;
}
@Override
public boolean isCancelled() {
return canceled;
}
@Override
public HandlerList getHandlers() {
return handlers;
}
public static HandlerList getHandlerList() {
return handlers;
}
}

View File

@ -0,0 +1,123 @@
package net.essentialsx.api.v2.events.chat;
import net.essentialsx.api.v2.ChatType;
import org.bukkit.entity.Player;
import org.bukkit.event.Cancellable;
import org.bukkit.event.Event;
import java.util.IllegalFormatException;
import java.util.Set;
/**
* This handles common boilerplate for other ChatEvents
*/
public abstract class ChatEvent extends Event implements Cancellable {
private final ChatType chatType;
private final Player player;
private final Set<Player> recipients;
private String message;
private String format;
private boolean cancelled = false;
public ChatEvent(final boolean async, final ChatType chatType, final Player player,
final String format, final String message, final Set<Player> recipients) {
super(async);
this.chatType = chatType;
this.player = player;
this.format = format;
this.message = message;
this.recipients = recipients;
}
/**
* Gets the message that the player is attempting to send. This message will be used with
* {@link #getFormat()}.
*
* @return Message the player is attempting to send
*/
public String getMessage() {
return message;
}
/**
* Sets the message that the player will send. This message will be used with
* {@link #getFormat()}.
*
* @param message New message that the player will send
*/
public void setMessage(final String message) {
this.message = message;
}
/**
* Gets the format to use to display this chat message. When this event finishes execution, the
* first format parameter is the {@link Player#getDisplayName()} and the second parameter is
* {@link #getMessage()}
*
* @return {@link String#format(String, Object...)} compatible format string
*/
public String getFormat() {
return format;
}
/**
* Sets the format to use to display this chat message. When this event finishes execution, the
* first format parameter is the {@link Player#getDisplayName()} and the second parameter is
* {@link #getMessage()}
*
* @param format {@link String#format(String, Object...)} compatible format string
* @throws IllegalFormatException if the underlying API throws the exception
* @throws NullPointerException if format is null
* @see String#format(String, Object...)
*/
public void setFormat(final String format) throws IllegalFormatException, NullPointerException {
// Oh for a better way to do this!
try {
String.format(format, player, message);
} catch (final RuntimeException ex) {
ex.fillInStackTrace();
throw ex;
}
this.format = format;
}
/**
* Gets a set of recipients that this chat message will be displayed to.
*
* @return All Players who will see this chat message
*/
public Set<Player> getRecipients() {
return recipients;
}
/**
* Returns the player involved in this event
*
* @return Player who is involved in this event
*/
public final Player getPlayer() {
return player;
}
/**
* Returns the type of chat this event is fired for
*
* @return Type of chat this event is fired for
*/
public ChatType getChatType() {
return chatType;
}
@Override
public boolean isCancelled() {
return cancelled;
}
@Override
public void setCancelled(final boolean cancel) {
this.cancelled = cancel;
}
}

View File

@ -0,0 +1,28 @@
package net.essentialsx.api.v2.events.chat;
import net.essentialsx.api.v2.ChatType;
import org.bukkit.entity.Player;
import org.bukkit.event.Cancellable;
import org.bukkit.event.HandlerList;
import java.util.Set;
/**
* Fired when a player uses global chat
*/
public class GlobalChatEvent extends ChatEvent implements Cancellable {
private static final HandlerList handlers = new HandlerList();
public GlobalChatEvent(final boolean async, final ChatType chatType, final Player player, final String format, final String message, final Set<Player> recipients) {
super(async, chatType, player, format, message, recipients);
}
public static HandlerList getHandlerList() {
return handlers;
}
@Override
public HandlerList getHandlers() {
return handlers;
}
}

View File

@ -0,0 +1,42 @@
package net.essentialsx.api.v2.events.chat;
import net.essentialsx.api.v2.ChatType;
import org.bukkit.entity.Player;
import org.bukkit.event.Cancellable;
import org.bukkit.event.HandlerList;
import java.util.Set;
/**
* Fired when a player uses local chat
*/
public class LocalChatEvent extends ChatEvent implements Cancellable {
private static final HandlerList handlers = new HandlerList();
private final long radius;
public LocalChatEvent(final boolean async, final Player player, final String format, final String message, final Set<Player> recipients, final long radius) {
super(async, ChatType.LOCAL, player, format, message, recipients);
this.radius = radius;
}
/**
* Returns local chat radius used to calculate recipients of this message.
* <p>
* <p>This is not a radius between players: for that use {@link ChatEvent#getRecipients()} and calculate distance
* to player who sent the message ({@link ChatEvent#getPlayer()}).
* @return Non-squared local chat radius.
*/
public long getRadius() {
return radius;
}
public static HandlerList getHandlerList() {
return handlers;
}
@Override
public HandlerList getHandlers() {
return handlers;
}
}

View File

@ -240,6 +240,12 @@ discordbroadcastCommandUsage1Description=Sends the given message to the specifie
discordbroadcastInvalidChannel=\u00a74Discord channel \u00a7c{0}\u00a74 does not exist.
discordbroadcastPermission=\u00a74You do not have permission to send messages to the \u00a7c{0}\u00a74 channel.
discordbroadcastSent=\u00a76Message sent to \u00a7c{0}\u00a76!
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}**
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.
discordCommandLink=\u00a76Join our Discord server at \u00a7c{0}\u00a76!
discordCommandUsage=/<command>
@ -248,6 +254,14 @@ 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}"
discordCommandUnlinkDescription=Unlinks the Minecraft account currently linked to your Discord account
discordCommandUnlinkInvalidCode=You do not currently have a Minecraft account linked to Discord!
discordCommandUnlinkUnlinked=Your Discord account has been unlinked from all associated Minecraft accounts.
discordCommandLinkArgumentCode=The code provided in-game to link your Minecraft account
discordCommandLinkDescription=Links your Discord account with your Minecraft account using a code from the in-game /link command
discordCommandLinkHasAccount=You already have an account linked! To unlink your current account, type /unlink.
discordCommandLinkInvalidCode=Invalid linking code! Make sure you've run /link in-game and copied the code correctly.
discordCommandLinkLinked=Successfully linked your account!
discordCommandListDescription=Gets a list of online players.
discordCommandListArgumentGroup=A specific group to limit your search by
discordCommandMessageDescription=Messages a player on the Minecraft server.
@ -265,8 +279,20 @@ discordErrorNoPrimary=You did not define a primary channel or your defined prima
discordErrorNoPrimaryPerms=Your bot cannot speak in your primary channel, #{0}. Please make sure your bot has read and write permissions in all channels you wish to use.
discordErrorNoToken=No token provided! Please follow the tutorial in the config in order to setup the plugin.
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.
discordLinkInvalidRoleManaged=The role, {0} ({1}), cannot be used for group->role synchronization because it is managed by another bot or integration.
discordLinkLinked=\u00a76To link your Minecraft account to Discord, type \u00a7c{0} \u00a76in the Discord server.
discordLinkLinkedAlready=\u00a76You have already linked your Discord account! If you wish to unlink your discord account use \u00a7c/unlink\u00a76.
discordLinkLoginKick=\u00a76You must link your Discord account before you can join this server.\n\u00a76To link your Minecraft account to Discord, type\:\n\u00a7c{0}\n\u00a76in this server''s Discord server\:\n\u00a7c{1}
discordLinkLoginPrompt=\u00a76You must link your Discord account before you can move, chat on or interact with this server. To link your Minecraft account to Discord, type \u00a7c{0} \u00a76in this server''s Discord server\: \u00a7c{1}
discordLinkNoAccount=\u00a76You do not currently have a Discord account linked to your Minecraft account.
discordLinkPending=\u00a76You already have a link code. To complete linking your Minecraft account to Discord, type \u00a7c{0} \u00a76in the Discord server.
discordLinkUnlinked=\u00a76Unlinked 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}
discordNoSendPermission=Cannot send message in channel: #{0} Please ensure the bot has "Send Messages" permission in that channel\!
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
@ -661,6 +687,10 @@ lightningCommandUsage2=/<command> <player> <power>
lightningCommandUsage2Description=Strikes lighting at the target player with the given power
lightningSmited=\u00a76Thou hast been smitten\!
lightningUse=\u00a76Smiting\u00a7c {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=\u00a77[AFK]\u00a7r
listAmount=\u00a76There are \u00a7c{0}\u00a76 out of maximum \u00a7c{1}\u00a76 players online.
listAmountHidden=\u00a76There are \u00a7c{0}\u00a76/\u00a7c{1}\u00a76 out of maximum \u00a7c{2}\u00a76 players online.
@ -1028,7 +1058,7 @@ repairCommandUsage2Description=Repairs all items in your inventory
repairEnchanted=\u00a74You are not allowed to repair enchanted items.
repairInvalidType=\u00a74This item cannot be repaired.
repairNone=\u00a74There were no items that needed repairing.
replyFromDiscord=**Reply from {0}\:** `{1}`
replyFromDiscord=**Reply from {0}\:** {1}
replyLastRecipientDisabled=\u00a76Replying to last message recipient \u00a7cdisabled\u00a76.
replyLastRecipientDisabledFor=\u00a76Replying to last message recipient \u00a7cdisabled \u00a76for \u00a7c{0}\u00a76.
replyLastRecipientEnabled=\u00a76Replying to last message recipient \u00a7cenabled\u00a76.
@ -1402,6 +1432,10 @@ unlimitedCommandUsage3=/<command> clear [player]
unlimitedCommandUsage3Description=Clears all unlimited items for yourself or another player if specified
unlimitedItemPermission=\u00a74No permission for unlimited item \u00a7c{0}\u00a74.
unlimitedItems=\u00a76Unlimited items\:\u00a7r
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=\u00a76Player\u00a7c {0} \u00a76unmuted.
unsafeTeleportDestination=\u00a74The teleport destination is unsafe and teleport-safety is disabled.
unsupportedBrand=\u00a74The server platform you are currently running does not provide the capabilities for this feature.

View File

@ -215,7 +215,7 @@ delkitCommandDescription=Изтрива посочен кит.
delkitCommandUsage=/<command> <kit>
delkitCommandUsage1=/<command> <kit>
delkitCommandUsage1Description=Изтрива кит с дадено име
delwarpCommandDescription=Изтрива посочен warp.
delwarpCommandDescription=Изтрива посочен уарп.
delwarpCommandUsage=/<command> <warp>
delwarpCommandUsage1=/<command> <warp>
delwarpCommandUsage1Description=Изтрива уарп с дадено име
@ -450,6 +450,7 @@ inventoryClearingStack=e§6Премахнати са§c {0} §6броя§c {1}
invseeCommandDescription=Вижте инвентарите на други играчи.
invseeCommandUsage=/<command> <player>
invseeCommandUsage1=/<command> <player>
invseeNoSelf=§cМожете да преглеждате само инвентарите на други играчи.
is=e
isIpBanned=§6IP адресът §c{0} §6е ограничен.
internalError=Възникна грешка докато се опитвахте да изпълните тази команда.
@ -521,6 +522,8 @@ leatherSyntax=§6Синтаксис за оцветяване на кожени
lightningCommandUsage1=/<command> [player]
lightningSmited=§6Бяхте покосени от мълния\!
lightningUse=§6Ударихте§c {0}§6 с мълния.
linkCommandUsage=/<command>
linkCommandUsage1=/<command>
listAfkTag=§7[Неактивен]§r
listAmount=§6Има §c{0}§6 от максимум §c{1}§6 играчи онлайн.
listAmountHidden=§6Има §c{0}§6/§c{1}§6 от максимум §c{2}§6 онлайн играча.
@ -910,6 +913,8 @@ unknownItemInList=§4Неизвестен предмет {0} в списък {1}
unknownItemName=§4Неизвестно име на предмет\: {0}.
unlimitedItemPermission=§4Нямате право на безброй предмети§c {0}§4.
unlimitedItems=§6Безбройни предмети\:§r
unlinkCommandUsage=/<command>
unlinkCommandUsage1=/<command>
unmutedPlayer=§6Играчът§c {0}§6 е отглушен.
unsafeTeleportDestination=§4Дестинацията е опасна и защитата след телепортиране е изключена.
unsupportedFeature=Тази функция я няма на тази версия на сървъра.

View File

@ -253,7 +253,7 @@ discordCommandListArgumentGroup=Hledání omezit na skupinu
discordCommandMessageDescription=Zašle zprávu hráči na Minecraft serveru.
discordCommandMessageArgumentUsername=Hráč, kterému se má zaslat zpráva
discordCommandMessageArgumentMessage=Zpráva, která se má zaslat hráči
discordErrorCommand=Bota jste na server přidali nesprávně. Postupujte podle návodu v konfiguraci a přidejte svého bota pomocí https\://essentialsx.net/discord.html\!
discordErrorCommand=Na server jsi bota přidal nesprávně. Postupuj podle návodu v konfiguraci a přidej svého bota pomocí https\://essentialsx.net/discord.html
discordErrorCommandDisabled=Tento příkaz je vypnut\!
discordErrorLogin=Při přihlášení k Discordu došlo k chybě, což způsobilo vypnutí samotného zásuvného modulu\: \n{0}
discordErrorLoggerInvalidChannel=Protokolování konzole na Discordu bylo zakázáno kvůli neplatné definici kanálu\! Pokud jej zamýšlíte vypnout, nastavte ID kanálu na „none“; jinak zkontrolujte, zda je správné ID kanálu.
@ -326,7 +326,7 @@ essentialsCommandUsage3Description=Informuje, které příkazy Essentials před
essentialsCommandUsage4=/<command> debug
essentialsCommandUsage4Description=Přepíná Essentials do režimu ladění
essentialsCommandUsage5=/<command> reset <hráč>
essentialsCommandUsage5Description=Resetuje hráčská data daného hráče
essentialsCommandUsage5Description=Resetuje uživatelská data daného hráče
essentialsCommandUsage6=/<command> cleanup
essentialsCommandUsage6Description=Vyčistí stará uživatelská data
essentialsCommandUsage7=/<command> homes
@ -482,6 +482,7 @@ homeCommandUsage2=/<command> <hráč>\:<název>
homeCommandUsage2Description=Teleportuje tě do domova zadaného hráče se zadaným jménem
homes=§6Domovy\:§r {0}
homeConfirmation=§6Již máš domov s názvem §c{0}§6\!\nChceš-li přepsat svůj existující domov, napiš příkaz znovu.
homeRenamed=§6Domov §c{0} §6byl přejmenován na §c{1}§6.
homeSet=§6Domov nastaven na tomto místě.
hour=hodina
hours=hodin
@ -534,6 +535,7 @@ invseeCommandDescription=Zobrazí inventář jiných hráčů.
invseeCommandUsage=/<command> <hráč>
invseeCommandUsage1=/<command> <hráč>
invseeCommandUsage1Description=Otevře inventář zadaného hráče
invseeNoSelf=§cMůžeš vidět pouze inventář ostatních hráčů.
is=je
isIpBanned=§6IP adresa §c{0} §6je zablokovaná.
internalError=§cPři pokusu o provedení tohoto příkazu došlo k vnitřní chybě.
@ -659,6 +661,8 @@ lightningCommandUsage2=/<command> <hráč> <síla>
lightningCommandUsage2Description=Vrhne blesk po cílovém hráči se zadanou silou
lightningSmited=§6Zasáhl tě blesk\!
lightningUse=§6Hráč§c {0} §6byl zasažen bleskem
linkCommandUsage=/<command>
linkCommandUsage1=/<command>
listAfkTag=§7[AFK]§r
listAmount=§6Je připojeno §c{0}§6 z maximálního počtu §c{1}§6 hráčů.
listAmountHidden=§6Je připojeno §c{0}§6/§c{1}§6 z maximálního počtu §c{2}§6 hráčů.
@ -1008,6 +1012,12 @@ removeCommandUsage1Description=Odstraní všechny dané moby ze současného sv
removeCommandUsage2=/<příkaz> <mob> <poloměr> [svět]
removeCommandUsage2Description=Odstraní všechny dané moby v daném poloměru ze současného světa, nebo z jiného, pokud je specifikován
removed=§6Odstraněno§c {0} §6entit.
renamehomeCommandDescription=Přejmenuje domov.
renamehomeCommandUsage=/<command> <[hráč\:]název> <nový název>
renamehomeCommandUsage1=/<command> <název> <nový název>
renamehomeCommandUsage1Description=Přejmenuje tvůj domov na zadaný název
renamehomeCommandUsage2=/<command> <hráč>\:<název> <nový název>
renamehomeCommandUsage2Description=Přejmenuje domov daného hráče na zadaný název
repair=§6Úspěšně jsi opravil §c{0}§6.
repairAlreadyFixed=§4Tento předmět nepotřebuje opravu.
repairCommandDescription=Opraví životnost jednoho nebo všech předmětů.
@ -1019,7 +1029,6 @@ repairCommandUsage2Description=Opraví všechny předměty v inventáři
repairEnchanted=§4Nemáš oprávnění opravovat očarované předměty.
repairInvalidType=§4Tento předmět nelze opravit.
repairNone=§4Nemáš žádné předměty, které potřebují opravit.
replyFromDiscord=**{0} odpovídá\:** `{1}`
replyLastRecipientDisabled=§6Odpovídání poslednímu příjemci §cvypnuto§6.
replyLastRecipientDisabledFor=§6Odpovídání poslednímu příjemci §cvypnuto §6pro hráče §c{0}§6.
replyLastRecipientEnabled=§6Odpovídání poslednímu příjemci §czapnuto§6.
@ -1393,6 +1402,8 @@ unlimitedCommandUsage3=/<command> clear [hráč]
unlimitedCommandUsage3Description=Vymaže všechny neomezené předměty pro tebe, nebo jiného hráče, pokud je uveden
unlimitedItemPermission=§4Nemáš oprávnění na neomezené množství předmětu §c{0}§4.
unlimitedItems=§6Neomezené předměty\:§r
unlinkCommandUsage=/<command>
unlinkCommandUsage1=/<command>
unmutedPlayer=§6Hráč §c{0}§6 může znovu hovořit.
unsafeTeleportDestination=§4Cíl teleportace je nebezpečný a teleport-safety je vypnuto.
unsupportedBrand=§4Platforma, na které běží tvůj server, momentálně tuto funkci nepodporuje.
@ -1413,6 +1424,9 @@ userIsAwaySelf=§7Nyní jsi mimo počítač.
userIsAwaySelfWithMessage=§7Nyní jsi mimo počítač.
userIsNotAwaySelf=§7Už jsi zase u počítače.
userJailed=§6Byl jsi uvězněn\!
usermapEntry=§c{0} §6je namapováno jako §c{1}§6.
usermapPurge=§6Kontrola souborů v uživatelských datech (userdata), které nejsou namapovány, výsledky se zaznamenají na konzoli. Destruktivní mód\: {0}
usermapSize=§6Aktuální počet uživatelů v mezipaměti uživatelské mapy je §c{0}§6/§c{1}§6/§c{2}§6.
userUnknown=§4Upozornění\: Hráč „§c{0}§4“ se k tomuto serveru ještě nikdy nepřipojil.
usingTempFolderForTesting=Používá se dočasná složka na testování\:
vanish=§6Neviditelnost pro hráče §c{0}§6\: {1}

View File

@ -6,6 +6,12 @@ action=§5* {0} §5{1}
addedToAccount=§a{0} er blevet tilføjet til din konto.
addedToOthersAccount=§a{0} tilføjet til {1}§a konto. Ny saldo\: {2}
adventure=eventyr
afkCommandDescription=Markerer dig som værende inaktiv.
afkCommandUsage=/<command> [spiller/besked...]
afkCommandUsage1=/<command> [message]
afkCommandUsage1Description=Ændrer din aktivitets status med en eventuel oversag
afkCommandUsage2=/<command> <player> [message]
afkCommandUsage2Description=Ændrer aktivitets statussen for en specifik spiller med en eventuel oversag
alertBroke=ødelagde\:
alertFormat=§3[{0}] §r {1} §6 {2} ved\: {3}
alertPlaced=placerede\:
@ -18,7 +24,9 @@ antiBuildInteract=§4Du har ikke tilladelse til at interagere med§c {0}§4.
antiBuildPlace=§4Du har ikke tilladelse til at sætte§c {0} §4her.
antiBuildUse=§4Du har ikke tilladelse til at bruge§c {0}§4.
antiochCommandDescription=En lille overraskelse for operatørerne.
antiochCommandUsage=/<command> [message]
anvilCommandDescription=Åbner en ambolt.
anvilCommandUsage=/<command>
autoAfkKickReason=Du er blevet smidt ud, fordi du har været inaktiv i mere end {0} minutter.
autoTeleportDisabled=§6Du accepterer ikke længere automatisk teleport anmodninger.
autoTeleportDisabledFor=§c{0}§6 godkender ikke længere automatisk teleport anmodninger.
@ -26,8 +34,13 @@ autoTeleportEnabled=§6Du godkender nu automatisk teleport anmodninger.
autoTeleportEnabledFor=§C{0}§6 godkender nu automatisk teleport anmodninger.
backAfterDeath=§6Brug§c /back§6 kommandoen for at vende tilbage til der hvor du døde.
backCommandDescription=Teleporterer dig til din placering før tp/spawn/warp.
backCommandUsage=/<command> [player]
backCommandUsage1=/<command>
backCommandUsage1Description=Teleportere dig til din forhenværende lokation
backCommandUsage2Description=Teleportere den specificerede spiller til deres forhenværende lokation
backOther=§6Tilbagevendt§c {0}§6 til tidligere lokation.
backupCommandDescription=Kører sikkerhedskopi hvis konfigureret.
backupCommandUsage=/<command>
backupDisabled=§4Et eksternt backup-script er ikke konfigureret.
backupFinished=§6Backup afsluttet.
backupStarted=§6Backup startet.
@ -35,36 +48,53 @@ backupInProgress=§6Et eksternt backup-script er i gang\! Stop plugin deaktivere
backUsageMsg=§6Retunerer til tidligere lokation.
balance=§aSaldo\:§c {0}
balanceCommandDescription=Angiver den aktuelle balance for en spiller.
balanceCommandUsage=/<command> [player]
balanceCommandUsage1=/<command>
balanceCommandUsage1Description=Viser din nuværende saldo
balanceCommandUsage2Description=Viser den specificerede spillers saldo
balanceOther=§aSaldo for {0}§a\:§c {1}
balanceTop=§6Top saldi ({0})
balanceTopLine={0}. {1}, {2}
balancetopCommandDescription=Henter listen over top balanceværdier.
balancetopCommandUsage=/<command> [page]
balancetopCommandUsage1=/<command> [page]
balancetopCommandUsage1Description=Viser den første (eller specificerede) side af de øverste saldoværdier
banCommandDescription=Udelukker en spiller.
banCommandUsage1Description=Udelukker den angivne spiller med en valgfri årsag
banExempt=§4Du kan ikke bandlyse den spiller.
banExemptOffline=§4Du kan ikke bandlyse offline spillere.
banFormat=§4Bandlyst\:\n§r{0}
banIpJoin=Your IP address is banned from this server. Reason\: {0}
banJoin=You are banned from this server. Reason\: {0}
banipCommandDescription=Udelukker en IP adresse.
banipCommandUsage1Description=Udelukker den angivne IP adresse med en valgfri begrundelse
bed=§obed§r
bedMissing=§4Din seng er enten ikke sat, mangler eller også er den blokeret.
bedNull=§mbed§r
bedOffline=§4Kan ikke teleportere til offline spillere.
bedSet=§6Seng-spawn er sat\!
beezookaCommandDescription=Kast en eksploderende bi på din modstander.
beezookaCommandUsage=/<command>
bigTreeFailure=§4Fejl under generering af stort træ. Prøv igen på græs eller jord.
bigTreeSuccess=§6Stort træ spawnet.
bigtreeCommandDescription=Spawn et stort træ, hvor du kigger.
bigtreeCommandUsage1Description=Spawner et stort træ af den angivne type
blockList=§6EssentialsX giver følgende kommandoer videre til andre plugins\:
blockListEmpty=§6EssentialsX giver ingen kommandoer videre til andre plugins.
bookAuthorSet=§6Bogens forfatter er ændret til {0}.
bookCommandDescription=Tillader genåbning og redigering af forseglede bøger.
bookCommandUsage1=/<command>
bookLocked=§6Denne bog er nu låst.
bookTitleSet=§6Bogens titel er ændret til {0}.
breakCommandDescription=Ødelægger den block du kigger på.
breakCommandUsage=/<command>
broadcast=§6[§4Meddelelse§6]§a {0}
broadcastCommandDescription=Send en besked til hele serveren.
broadcastCommandUsage1Description=Sender den givne besked til hele serveren
broadcastworldCommandDescription=Sender en besked til verdenen.
broadcastworldCommandUsage1Description=Sender den givne besked til den specifikke verden
burnCommandDescription=Sæt en spiller i ild.
burnCommandUsage1Description=Sætter ild den angivne spiller i det angivne antal sekunder
burnMsg=§6Du satte ild til§c {0} §6 i §c {1} sekunder§6.
cannotSellNamedItem=§6Det ikke tilladt at sælge de her navngivet genstande.
cannotSellTheseNamedItems=§6Det er ikke tilladt at sælge de her navngivet genstande\: §4{0}
@ -75,12 +105,22 @@ cantGamemode=§4You do not have permission to change to gamemode {0}
cantReadGeoIpDB=Fejl ved læsning af GeoIP databasen\!
cantSpawnItem=§4Du har ikke tilladelse til at spawne denne ting§c {0}§4.
cartographytableCommandDescription=Åbner en kartografisk tabel.
cartographytableCommandUsage=/<command>
chatTypeSpy=[Spion]
cleaned=Brugerfiler blev renset.
cleaning=Renser brugerfiler.
clearInventoryConfirmToggleOff=§6You will no longer be prompted to confirm inventory clears.
clearInventoryConfirmToggleOn=§6You will now be prompted to confirm inventory clears.
clearinventoryCommandDescription=Ryd alle tingene i din inventar.
clearinventoryCommandUsage1=/<command>
clearinventoryCommandUsage1Description=Rydder alle tingene i dit inventar
clearinventoryCommandUsage2Description=Rydder alle tingene i den specifikke spillers inventar
clearinventoryCommandUsage3Description=Rydder alle (eller det angivne antal) af den givne ting fra den angivne spillers inventar
clearinventoryconfirmtoggleCommandDescription=Skifter om du bliver vist en besked hvor du skal, godkende ryd inventar.
clearinventoryconfirmtoggleCommandUsage=/<command>
commandArgumentOptional=§7
commandArgumentOr=§c
commandArgumentRequired=§e
commandCooldown=§cYou cannot type that command for {0}.
commandDisabled=§cKommandoen§6 {0}§c er slået fra.
commandFailed=Kommando {0} fejlede\:
@ -88,7 +128,9 @@ commandHelpFailedForPlugin=Fejl ved hentning af hjælp til pluginnet\: {0}
commandNotLoaded=§4Kommandoen {0} er indlæst forkert.
compassBearing=§6Pejling\: {0} ({1} degrees).
compassCommandDescription=Beskriver din nuværende retning.
compassCommandUsage=/<command>
condenseCommandDescription=Kondenserer genstande i en mere kompakt block.
condenseCommandUsage1=/<command>
configFileMoveError=Kunne ikke flytte config.yml til backup-lokation.
configFileRenameError=Kunne ikke omdøbe midlertidig fil til config.yml.
confirmClear=§7To §lCONFIRM§7 inventory clear, please repeat command\: §6{0}
@ -113,6 +155,7 @@ customtextCommandDescription=Tillader dig at oprette brugerdefinerede tekstkomma
day=dag
days=dage
defaultBanReason=Banhammeren har talt\!
deletedHomes=Alle hjem er slettet.
deleteFileError=Kunne ikke slette filen\: {0}
deleteHome=§6Hjemmet§c {0} §6er blevet fjernet.
deleteJail=§6Fængslet§c {0} §6er blevet fjernet.
@ -132,7 +175,10 @@ destinationNotSet=Destination er ikke sat\!
disabled=deaktiveret
disabledToSpawnMob=§4Spawning af dette mob er deaktiveret i konfigurationsfilen.
disableUnlimited=§6Deaktiverede ubegrænset placering af§c {0} §6i§c {1}§6.
discordCommandUsage=/<command>
discordCommandUsage1=/<command>
disposal=Bortskaffelse
disposalCommandUsage=/<command>
distance=§6Afstand\: {0}
dontMoveMessage=§6Teleportering vil begynde om§c {0}§6. Bliv stående.
downloadingGeoIp=Downloader GeoIP database... dette tager måske noget tid (land\: 1.7 MB, by\: 30MB)
@ -147,13 +193,18 @@ enchantmentNotFound=§4Fortryllelsen blev ikke fundet\!
enchantmentPerm=§4Du har ikke tilladelse til§c {0}§4.
enchantmentRemoved=§6Fortryllelsen§c {0} §6er blevet fjernet fra elementet i din hånd.
enchantments=§6Fortryllelser\:§r {0}
enderchestCommandUsage=/<command> [player]
enderchestCommandUsage1=/<command>
errorCallingCommand=Kunne ikke finde kommandoen /{0}
errorWithMessage=§cFejl\:§4 {0}
essentialsCommandUsage=/<command>
essentialsHelp1=Filen er ødelagt, og Essentials kan ikke åbne den. Essentials er nu deaktiveret. Hvis du ikke selv kan fikse fejlen, så besøg http\://tiny.cc/EssentialsChat
essentialsHelp2=Filen er ødelagt, og Essentials kan ikke åbne den. Essentials er nu deaktiveret. Hvis du ikke selv kan fikse fejlen, så skriv enten /essentialshelp i spillet eller besøg http\://tiny.cc/EssentialsChat
essentialsReload=§6Essentials blev genindlæst§c {0}.
exp=§c{0} §6har§c {1} §6exp (level§c {2}§6) og behøver§c {3} §6mere exp for at stige i level.
expSet=§c{0} §6har nu§c {1} §6exp.
extCommandUsage=/<command> [player]
extCommandUsage1=/<command> [player]
extinguish=§6Du slukkede selv.
extinguishOthers=§6Du slukkede {0}§6.
failedToCloseConfig=Kunne ikke lukke konfig {0}.
@ -161,40 +212,52 @@ failedToCreateConfig=Kunne ikke oprette konfig {0}.
failedToWriteConfig=Kunne ikke skrive konfig {0}.
false=§4falsk§r
feed=§6Din appetit blev mættet.
feedCommandUsage=/<command> [player]
feedCommandUsage1=/<command> [player]
feedOther=§6Du tilfredsstillede §c{0}s appetit§6.
fileRenameError=Omdøbning af filen {0} fejlede\!
fireballCommandUsage1=/<command>
fireworkColor=§4Ugyldig fyrværkeriladningsparametre indsat. Der skal sættes en farve først.
fireworkEffectsCleared=§6Fjernede alle effekter fra den holdte stak.
fireworkSyntax=§6Fyrværkeri-parametre\:§c color\:<farve> [fade\:<farve>] [shape\:<form>] [effect\:<effekt>]\n§6For at bruge flere farver/effekter, separate da værdierne med kommaer\: §cred,blue,pink\n§6Former\:§c star, ball, large, creeper, burst §6Effekter\:§c trail, twinkle.
flyCommandUsage1=/<command> [player]
flying=flyve
flyMode=§6Set flytilstand §c {0} §6for {1}§6.
foreverAlone=§4Der er ingen, du kan sende et svar til.
fullStack=§4Du har allerede en fuld stak.
gameMode=§6Ændrede spiltilstand til§c {0} §6for §c{1}§6.
gameModeInvalid=§4Du skal angive en gyldig spiller/tilstand.
gcCommandUsage=/<command>
gcfree=§6Fri hukommelse\:§c {0} MB.
gcmax=§6Maksimum hukommelse\:§c {0} MB.
gctotal=§6Allokeret hukommelse\:§c {0} MB.
gcWorld=§6{0} "§c{1}§6"\: §c{2}§6 chunks, §c{3}§6 enheder, §c{4}§6 tiles.
geoipJoinFormat=§6Spilleren §c{0} §6kommer fra §c{1}§6.
getposCommandUsage=/<command> [player]
getposCommandUsage1=/<command> [player]
geoipCantFind=§6Spiller §c{0} §6kommer fra §aet ukendt land§6.
geoIpUrlEmpty=GeoIP download url er tom.
geoIpUrlInvalid=GeoIP download url er ugyldig.
givenSkull=§6Du er blevet givet §c{0}§6s kranie.
godCommandUsage1=/<command> [player]
giveSpawn=§6Giver§c {0} §6af§c {1} §6til§c {2}§6.
giveSpawnFailure=§4Ikke nok plads, §c{0} {1} §4blev tabt.
godDisabledFor=§cdeaktiveret§6 for§c {0}
godEnabledFor=§aaktiveret§6 for§c {0}
godMode=§6Gudetilstand§c {0}§6.
grindstoneCommandUsage=/<command>
groupDoesNotExist=§4Der er ingen online i denne gruppe\!
groupNumber=§c{0}§f online, for at se komplet liste\:§c /{1} {2}
hatArmor=§4Du kan ikke bruge dette element som hat\!
hatCommandUsage1=/<command>
hatEmpty=§4Du bærer ikke en hat.
hatFail=§4Du skal have noget at bære i din hånd.
hatPlaced=§6Nyd din nye hat\!
hatRemoved=§6Din hat er blevet fjernet.
haveBeenReleased=§6Du er blevet frigjort.
heal=§6Du er blevet helbredt.
healCommandUsage=/<command> [player]
healCommandUsage1=/<command> [player]
healDead=§4Du kan ikke helbrede nogen, som er død\!
healOther=§6Helbredt§c {0}§6.
helpConsole=For at se hjælp fra konsollen, skriv ''?''.
@ -211,6 +274,8 @@ homes=§6Dine hjem\:§r {0}
homeSet=§6Dit hjem blev sat.
hour=time
hours=timer
iceCommandUsage=/<command> [player]
iceCommandUsage1=/<command>
ignoredList=§6Ignorerede\:§r {0}
ignoreExempt=§4Du kan ikke ignorere den spiller.
ignorePlayer=§6Du ignorerer spilleren§c {0} §6fra nu af.
@ -247,6 +312,7 @@ itemId=§6ID\:§c {0}
itemMustBeStacked=§4Elementet skal forhandles i form at stakke. En mængde af 2s vil være 2 stakke, osv.
itemNames=§6Elementforkortelser\:§r {0}
itemnameClear=§6Du har fjernet dette element navn.
itemnameCommandUsage1=/<command>
itemnameInvalidItem=§cDu skal holde et element for at omdøbe det.
itemnameSuccess=§6Du har omdøbt dit element til "§c{0}§6".
itemNotEnough1=§4Du har ikke nok af det element til at sælge det.
@ -268,12 +334,15 @@ jailReleased=§6Spilleren §c{0}§6 er fjernet fra fængslet.
jailReleasedPlayerNotify=§6Du er blevet frigjort\!
jailSentenceExtended=§6Fændselstid forlænges til\: {0}
jailSet=§6Fængslet§c {0} §6er sat.
jailsCommandUsage=/<command>
jumpCommandUsage=/<command>
jumpError=§4Det ville såre din computers hjerne.
kickDefault=Smidt ud fra serveren.
kickedAll=§4Smed alle ud fra serveren.
kickExempt=§4Du kan ikke smide den person ud.
kill=§6Dræbte§c {0}§6.
killExempt=§4Du kan ikke dræbe §c{0}§4.
kitCommandUsage1=/<command>
kitContains=§6Kit §c{0} §6contains\:
kitCost=\ §7§o({0})§r
kitDelay=§m{0}§r
@ -287,16 +356,21 @@ kitNotFound=§4Det kit eksisterer ikke.
kitOnce=§4Du kan ikke benytte dig af det kit igen.
kitReceive=§6Modtog kittet§c {0}§6.
kits=§6Kits\:§r {0}
kittycannonCommandUsage=/<command>
kitTimed=§4Du kan ikke benytte dig af det kit igen før om§c {0}§4.
leatherSyntax=§6Læderfarve Syntaks\:§c color\:<red>,<green>,<blue> fx\: color\:255,0,0§6 ELLER§c color\:<rgb int> fx\: color\:16777011
lightningCommandUsage1=/<command> [player]
lightningSmited=§6Thi er blevet ramt af lynet\!
lightningUse=§6Rammer§c {0} §6med lyn.
linkCommandUsage=/<command>
linkCommandUsage1=/<command>
listAfkTag=§7[AFK]§r
listAmount=§6Der er §c{0}§6 ud af maksimum §c{1}§6 spillere online.
listAmountHidden=§6Der er §c{0}§6/§c{1}§6 ud af maksimum §c{2}§6 spillere online.
listGroupTag=§6{0}§r\:
listHiddenTag=§7[SKJULT]§r
loadWarpError=§4Kunne ikke indlæse warp {0}.
loomCommandUsage=/<command>
mailClear=§6For at markere alt post som læst, skriv§c /mail clear§6.
mailCleared=§6Mail Ryddet\!
mailDelay=For mange mails er blevet sendt inden for det sidste minut. Maksimum\: {0}
@ -334,6 +408,7 @@ msgEnabled=§6Receiving messages §cenabled§6.
msgEnabledFor=§6Receiving messages §cenabled §6for §c{0}§6.
msgFormat=§6[§c{0}§6 -> §c{1}§6] §r{2}
msgIgnore=§c{0} §4has messages disabled.
msgtoggleCommandUsage1=/<command> [player]
multipleCharges=§4Du kan ikke tilføje mere end én ladning til dette fyrværkeri.
multiplePotionEffects=§4Du kan ikke tilføje mere end én effekt til denne eliksir.
mutedPlayer=§6Spilleren§c {0} §6 er gjort tavs.
@ -347,6 +422,7 @@ muteNotify=§c{0} §6har gjort §c{1}§6 tavs.
muteNotifyFor=§c{0} §6has muted player §c{1}§6 for§c {2}§6.
muteNotifyForReason=§c{0} §6har dæmpet spiller §c{1}§6 for§c {2}§6. Grund\: §c{3}
muteNotifyReason=§c{0} §6har dæmpet spiller §c{1}§6. Grund\: §c{2}
nearCommandUsage1=/<command>
nearbyPlayers=§6Spillere i nærheden\:§r {0}
negativeBalanceError=§4Brugeren er ikke tilladt at have en negativ saldo.
nickChanged=§6Kaldenavn ændret.
@ -396,6 +472,7 @@ nothingInHand=§4Du har intet i din hånd.
now=nu
noWarpsDefined=§6Ingen warps defineret.
nuke=§5Lad døden regne over dem.
nukeCommandUsage=/<command> [player]
numberRequired=Der skal være et tal, dit fjollehoved.
onlyDayNight=/time understøtter kun day/night.
onlyPlayers=§4Kun spillere på serveren kan bruge §c{0}§4.
@ -411,8 +488,12 @@ payConfirmToggleOn=§6You will now be prompted to confirm payments.
payMustBePositive=§4Amount to pay must be positive.
payToggleOff=§6You are no longer accepting payments.
payToggleOn=§6You are now accepting payments.
payconfirmtoggleCommandUsage=/<command>
paytoggleCommandUsage=/<command> [player]
paytoggleCommandUsage1=/<command> [player]
pendingTeleportCancelled=§4Afventende teleporteringsanmodning afvist.
pingCommandDescription=Pong\!
pingCommandUsage=/<command>
playerBanIpAddress=§6Player§c {0} §6banned IP address§c {1} §6for\: §c{2}§6.
playerBanned=§6Spilleren§c {0} blev §6bandlyst§c {1} §6i §c{2}§6.
playerJailed=§6Spilleren§c {0} §6blev fængslet.
@ -428,6 +509,8 @@ playerTempBanned=§6Player §c{0}§6 temporarily banned §c{1}§6 for §c{2}§6\
playerUnbanIpAddress=§6Spiller§c {0} §6fjernede IP udelukkelse\:§c {1}
playerUnbanned=§6Spiller§c {0} §6fjernede udelukkelse§c {1}
playerUnmuted=§6Du er har fået din stemme tilbage.
playtimeCommandUsage=/<command> [player]
playtimeCommandUsage1=/<command>
pong=Pong\!
posPitch=§6Pitch\: {0} (Hovedretning)
possibleWorlds=§6Mulige verdener er tal fra §c0§6 til §c{0}§6.
@ -447,6 +530,7 @@ powerToolRemove=§6Kommando §c{0}§6 fjernet fra §c{1}§6.
powerToolRemoveAll=§6Alle kommandoer fjernet fra §c{0}§6.
powerToolsDisabled=§6Alle dine magtværktøjer er deaktiveret.
powerToolsEnabled=§6Alle dine magtværktøjer er aktiveret.
powertooltoggleCommandUsage=/<command>
pTimeCurrent=§c{0}§6''s tid er§c {1}§6.
pTimeCurrentFixed=§c{0}§6''s tid er fastsat til§c {1}§6.
pTimeNormal=§c{0}§6''s tid er normal og matcher serverens tid.
@ -480,6 +564,7 @@ recipeWhere=§6Hvor\: {0}
removed=§6Fjernede§c {0} §6enheder.
repair=§6Du har succesfuldt repareret din\: §c{0}§6.
repairAlreadyFixed=§4Dette element behøver ikke reparation.
repairCommandUsage1=/<command>
repairEnchanted=§4Du har ikke tilladelse til at reparere fortryllede elementer.
repairInvalidType=§4Dette element kan ikke repareres.
repairNone=§4Der var ingen elementer, der behøvede reparation.
@ -498,6 +583,8 @@ requestSentAlready=§4You have already sent {0}§4 a teleport request.
requestTimedOut=§4Teleporteringsanmoding udløb.
resetBal=§6Saldo er blevet nulstillet til §c{0} §6for alle online spillere.
resetBalAll=§6Saldo er blevet nulstillet til §c{0} §6for alle spillere.
restCommandUsage=/<command> [player]
restCommandUsage1=/<command> [player]
returnPlayerToJailError=§4Der opstod en fejl under forsøget på at returnere spilleren§c {0} §4til fængsel\: §c{1}§4\!
runningPlayerMatch=§6Søger efter spillere, der matcher ''§c{0}§6'' (dette kan tage lidt tid)
second=sekund
@ -524,17 +611,22 @@ southEast=SE
south=S
southWest=SW
skullChanged=§6Kranie ændret til §c{0}§6.
skullCommandUsage1=/<command>
slimeMalformedSize=§4Forkert udformet størrelse.
smithingtableCommandUsage=/<command>
socialSpy=§6SocialSpy for §c{0}§6\: §c{1}
socialSpyMsgFormat=§6[§c{0}§7 -> §c{1}§6] §7{2}
socialSpyMutedPrefix=§f[§6SS§f] §7(muted) §r
socialspyCommandUsage1=/<command> [player]
socialSpyPrefix=§f[§6SS§f] §r
soloMob=§4Det mob kan lide at være alene.
spawned=spawnede
spawnSet=§6Spawn lokation ændret for gruppen§c {0}§6.
spectator=spectator
stonecutterCommandUsage=/<command>
sudoExempt=§4Du kan ikke sudo denne spiller.
sudoRun=§6Forcing§c {0} §6to run\:§r /{1}
suicideCommandUsage=/<command>
suicideMessage=§6Farvel, grusomme verden...
suicideSuccess=§6{0} §6tog sit eget liv.
survival=overlevelse
@ -571,16 +663,31 @@ thunder=§6Du har§c {0} §6torden i din verden.
thunderDuration=§6Du har§c {0} §6torden i din verden i§c {1} §6sekunder.
timeBeforeHeal=§4Tid inden næste helbredelse\:§c {0}§4.
timeBeforeTeleport=§4Tid inden næste teleport\:§c {0}§4.
timeCommandUsage1=/<command>
timeFormat=§c{0}§6 eller §c{1}§6 eller §c{2}§6
timeSetPermission=§4Du er ikke autoriseret til at ændre tiden.
timeSetWorldPermission=§4You are not authorized to set the time in world ''{0}''.
timeWorldCurrent=§6Den nuværende tid i§c {0} §6er §c{1}§6.
timeWorldSet=§6Tiden blev ændret til§c {0} §6i\: §c{1}§6.
toggleshoutCommandUsage1=/<command> [player]
topCommandUsage=/<command>
totalSellableAll=§aDen totale værdi af alle salgbare elementer og blocks er §c{1}§a.
totalSellableBlocks=§aDen totale værdi af alle salgbare blocks er §c{1}§a.
totalWorthAll=§aSolgte alle elementer og blokke for en total værdi af §c{1}§a.
totalWorthBlocks=§aSolgte alle blokke for en total værdi af §c{1}§a.
tpacancelCommandUsage=/<command> [player]
tpacancelCommandUsage1=/<command>
tpacceptCommandUsage1=/<command>
tpallCommandUsage=/<command> [player]
tpallCommandUsage1=/<command> [player]
tpautoCommandUsage=/<command> [player]
tpautoCommandUsage1=/<command> [player]
tpdenyCommandUsage=/<command>
tpdenyCommandUsage1=/<command>
tprCommandUsage=/<command>
tprCommandUsage1=/<command>
tps=§6Nuværende TPS \= {0}
tptoggleCommandUsage1=/<command> [player]
tradeSignEmpty=§4Handelsskiltet har ikke noget tilgængeligt til dig.
tradeSignEmptyOwner=§4Der er ikke noget at hente fra dette handelsskilt.
treeFailure=§4Fejl ved generering af træ. Prøv igen på græs eller jord.
@ -598,6 +705,8 @@ unknownItemInList=§4Ukendt element {0} i {1} list.
unknownItemName=§4Ukendt elementnavn\: {0}.
unlimitedItemPermission=§4Ingen tilladelse til ubegrænset element §c{0}§4.
unlimitedItems=§6Ubegrænsede ting\:§r
unlinkCommandUsage=/<command>
unlinkCommandUsage1=/<command>
unmutedPlayer=§6Spilleren§c {0} §6har fået sin stemme tilbage.
unsafeTeleportDestination=§4Teleport destinationen er usikker og teleport-safety er deaktiveret.
unsupportedFeature=§4Denne funktionalitet er ikke understøttet på denne server version.
@ -620,6 +729,7 @@ userJailed=§6Du er blevet fængslet\!
userUnknown=§4Advarsel\: Brugerem ''§c{0}§4'' har aldrig spillet på serveren.
usingTempFolderForTesting=Bruger temp mappe til testning\:
vanish=§6Vanish for {0}§6\: {1}
vanishCommandUsage1=/<command> [player]
vanished=§6Du er nu helt usynlig over for normale spillere, og er skjult fra in-game kommandoer.
versionOutputVaultMissing=§4Vault er ikke installeret. Chat og tilladelser virker måske ikke.
versionOutputFine=§6{0} version\: §a{1}
@ -631,6 +741,7 @@ versionMismatchAll=§4Version-uoverenstemmelse\! Opdater alle Essentials jar-fil
voiceSilenced=§6Du er blevet gjort tavs\!
voiceSilencedReason=§6Din stemme er blevet tavs\!\! Grund\: §c{0}
walking=
warpCommandUsage1=/<command> [page]
warpDeleteError=§4Der var et problem med at slette warp-filen.
warpingTo=§6Warper til§c {0}§6.
warpList={0}
@ -670,6 +781,8 @@ whoisPlaytime=§6 - Playtime\:§r {0}
whoisTempBanned=§6 - Ban expires\:§r {0}
whoisTop=§6 \=\=\=\=\=\= WhoIs\:§c {0} §6\=\=\=\=\=\=
whoisUuid=§6 - UUID\:§r {0}
workbenchCommandUsage=/<command>
worldCommandUsage1=/<command>
worth=§aStak af {0} med en værdi af §c{1}§a ({2} ting á {3} hver)
worthMeta=§aStak af {0} med metadata af {1} med en værdi af §c{2}§a ({3} element(er) á {4} hver)
worthSet=§6Værdi ændret

View File

@ -240,6 +240,12 @@ discordbroadcastCommandUsage1Description=Sendet eine Nachricht an den angegebene
discordbroadcastInvalidChannel=§4Discord Kanal §c{0}§4 existiert nicht.
discordbroadcastPermission=§4Du hast keine Berechtigung, Nachrichten an den angegebenen §c{0}§4 Kanal zu senden.
discordbroadcastSent=§6Nachricht gesendet an §c{0}§6\!
discordCommandAccountArgumentUser=Der Discord Account zum Nachschlagen
discordCommandAccountDescription=Sucht den verlinkten Minecraft Account für dich oder einen anderen Discord Benutzer
discordCommandAccountResponseLinked=Dein Account ist mit dem Minecraft Account **{0}** verknüpft
discordCommandAccountResponseLinkedOther={0}''s Account ist mit dem Minecraft Account **{1}** verknüpft
discordCommandAccountResponseNotLinked=Du hast keinen verknüpften Minecraft Account.
discordCommandAccountResponseNotLinkedOther={0} hat keinen verknüpften Minecraft Account.
discordCommandDescription=Sendet die Discord Einladungslink an den Spieler.
discordCommandLink=§6Trete unserem Discord Server bei §c{0}§\!
discordCommandUsage=/<command>
@ -248,12 +254,20 @@ discordCommandUsage1Description=Sendet die Discord Einladungslink an den Spieler
discordCommandExecuteDescription=Führt einen Konsolen-Befehl auf dem Minecraft-Server aus.
discordCommandExecuteArgumentCommand=Der auszuführende Befehl
discordCommandExecuteReply=Führe Befehl aus\: "/{0}"
discordCommandUnlinkDescription=Löst die Verbindung zwischen dem Minecraft Account und dem derzeit verbundenen Discord Account auf
discordCommandUnlinkInvalidCode=Du hast derzeit keinen Minecraft Account mit Discord verknüpft\!
discordCommandUnlinkUnlinked=Dein Discord Account wurde von allen zugehörigen Minecraft-Konten entfernt.
discordCommandLinkArgumentCode=Den Code, den du im Spiel erhalten hast, um deinen Minecraft Account zu verknüpfen
discordCommandLinkDescription=Verwende Code vom /link Befehl in Minecraft und dein Discord Konto mit deinem Minecraft Konto zu verknüpfen
discordCommandLinkHasAccount=Du hast bereits einen Account verknüpft\! Um die Verknüpfung mit dem derzeitigen Account aufzuheben, nutze "/unlink".
discordCommandLinkInvalidCode=Ungültiger Link-Code\! Stell sicher, dass du "/link" im Spiel eingegeben hast und den richtigen Code kopiert hast.
discordCommandLinkLinked=Dein Konto wurde erfolgreich verknüpft\!
discordCommandListDescription=Ruft eine Liste der Online-Spieler auf.
discordCommandListArgumentGroup=Eine bestimmte Gruppe, um Ihre Suche eingrenzen zu können
discordCommandMessageDescription=Sendet eine Nachricht an einen Spieler auf dem Minecraft-Server.
discordCommandMessageArgumentUsername=Der Spieler, an den die Nachricht gesendet werden soll
discordCommandMessageArgumentMessage=Die Nachricht, die an den Spieler gesendet werden soll
discordErrorCommand=Du hast deinen Bot falsch zu deinem Server hinzugefügt. Bitte folge dem Tutorial in der Konfiguration und füge deinen Bot mit https\://essentialsx.net/discord.html hinzu\!
discordErrorCommand=Du hast deinen Bot nicht korrekt zu deinem Server hinzugefügt\! Bitte folge der Anleitung in der Konfiguration und füge deinen Bot mit https\://essentialsx.net/discord.html hinzu.
discordErrorCommandDisabled=Dieser Befehl ist deaktiviert\!
discordErrorLogin=Beim Anmelden in Discord ist ein Fehler aufgetreten, was dazu geführt hat, dass das Plugin sich selbst deaktiviert hat\: \n{0}
discordErrorLoggerInvalidChannel=Discord Konsolen-Protokollierung wurde aufgrund einer ungültigen Kanaldbeschreibung deaktiviert\! Wenn du vorhast sie zu deaktivieren, setze die Kanal-ID auf "none". Andernfalls überprüfe, ob deine Kanal-ID korrekt ist.
@ -265,8 +279,20 @@ discordErrorNoPrimary=Sie haben keinen Primärkanal definiert oder Ihr Primärka
discordErrorNoPrimaryPerms=Dein Bot kann nicht in deinem Primärkanal \#{0} sprechen. Bitte stelle sicher, dass dein Bot Lese- und Schreibrechte in allen Kanälen besitzt, die du verwenden möchtest.
discordErrorNoToken=Kein Token bereitgestellt\! Bitte folgen Sie dem Tutorial in der Konfiguration, um das Plugin einzurichten.
discordErrorWebhook=Beim Senden von Nachrichten an Ihren Konsolenkanal ist ein Fehler aufgetreten\! Dies wurde wahrscheinlich durch das versehentliche Löschen Ihres Webhook der Konsole verursacht. Dies kann üblicherweise durch das Überprüfen der "Manage Webhooks"-Berechtigung und dem Ausführen von "/ess reload" behoben werden.
discordLinkInvalidGroup=Ungültige Gruppe {0} wurde für Rolle {1} bereitgestellt. Die folgenden Gruppen sind verfügbar\: {2}
discordLinkInvalidRole=Eine ungültige Rollen-ID, {0}, wurde für die Gruppe {1} bereitgestellt. Du kannst die Rollen-ID mit dem /roleinfo Befehl in Discord sehen.
discordLinkInvalidRoleInteract=Die Rolle, {0} ({1}), kann nicht für die Gruppen->Rollensynchronisierung verwendet werden, da sie über der obersten Rolle Ihres Bots liegt. Verschieben Sie entweder die Rolle Ihres Bots über "{0}" oder bewegen Sie sich "{0}" unter der Rolle Ihres Bots.
discordLinkInvalidRoleManaged=Die Rolle, {0} ({1}), kann nicht für Gruppen->Rollensynchronisierung verwendet werden, da sie von einem anderen Bot oder einer anderen Integration verwaltet wird.
discordLinkLinked=§6Um dein Minecraft-Konto mit Discord zu verknüpfen, tippe §c{0} §6in den Discord-Server.
discordLinkLinkedAlready=§6Du hast deinen Discord Account bereits verlinkt\! Wenn du die Verknüpfung deines Discord Accounts aufheben möchtest, nutze §c/unlink§6.
discordLinkLoginKick=§6Du musst deinen Discord Account verknüpfen, bevor du diesem Server beitreten kannst.\n§6Um dein Minecraft-Konto mit Discord zu verknüpfen, benutze\:\n§c{0}\n§6auf dem Discord-Server dieses Server''s\:\n§c{1}
discordLinkLoginPrompt=§6Du musst deinen Discord Account verknüpfen, bevor du dich diesen Server bewegen oder chatten oder mit ihm interagieren kannst. Um dein Minecraft-Konto mit Discord zu verknüpfen, schreibe §c{0} §6in den Discord-Server dieses Servers\: §c{1}
discordLinkNoAccount=§6Du hast derzeit kein Discord Konto mit deinem Minecraft-Account verknüpft.
discordLinkPending=§6Du hast bereits einen code. Um die Verknüpfung fertigzustellen, tippe §c{0} §6in den Discord Server.
discordLinkUnlinked=§6Dein Minecraft Account wurde von allen verbundenen Discord Accounts getrennt.
discordLoggingIn=Versuche sich bei Discord anzumelden...
discordLoggingInDone=Erfolgreich angemeldet als {0}
discordMailLine=**Neue Mail von {0}\:** {1}
discordNoSendPermission=Kann keine Nachricht im Kanal senden\: \#{0} Bitte stellen Sie sicher, dass der Bot die Berechtigung "Send Messages" in diesem Kanal hat\!
discordReloadInvalid=Versucht die EssentialsX Discord Konfiguration neu zu laden, während das Plugin in einem ungültigen Zustand ist\! Wenn du deine Konfiguration geändert hast, starte deinen Server neu.
disposal=Beseitigung
@ -379,6 +405,7 @@ fireworkCommandUsage1Description=Löscht alle Effekte von deinem gehaltenen Feue
fireworkCommandUsage2=/<command> power <amount>
fireworkCommandUsage2Description=Ändert die Stärke des in der Hand gehaltenen Feuerwerks
fireworkCommandUsage3=/<command> fire [amount]
fireworkCommandUsage3Description=Startet entweder eine oder die angegebene Anzahl von Kopien des gehaltenen Feuerwerks
fireworkCommandUsage4=/<command> <meta>
fireworkCommandUsage4Description=Fügt den Effekt dem gerade in der Hand gehaltenen Feuerwerk hinzu
fireworkEffectsCleared=§6Alle Effekte wurden vom Stapel, den du in der Hand hast, entfernt.
@ -388,6 +415,7 @@ fixingHomes=Ungültige homes werden gelöscht...
flyCommandDescription=Abheben, in die Höhe\!
flyCommandUsage=/<command> [spieler] [on|off]
flyCommandUsage1=/<command> [spieler]
flyCommandUsage1Description=Schaltet das Fliegen für sich selbst oder einen anderen Spieler ein, falls angegeben
flying=fliegt
flyMode=§6Du hast den Flugmodus bei §c{1} {0}§6.
foreverAlone=§cDu hast niemanden, dem du antworten kannst.
@ -399,6 +427,7 @@ gameModeInvalid=§4Du müsst einen gültigen Spieler/Modus angeben.
gamemodeCommandDescription=Spieler-Spielmodus ändern.
gamemodeCommandUsage=/<command> <survival|creative|adventure|spectator> [spieler]
gamemodeCommandUsage1=/<command> <survival|creative|adventure|spectator> [spieler]
gamemodeCommandUsage1Description=Setzt den Spielmodus von dir oder einem anderen Spieler, falls angegeben
gcCommandDescription=Meldet Speicher, Betriebszeit und Tick-Info.
gcCommandUsage=/<command>
gcfree=§6Freier Speicher\:§c {0} MB
@ -409,10 +438,13 @@ geoipJoinFormat=§c{0} §6kommt aus §c{1}§6.
getposCommandDescription=Erfahre deine aktuellen Koordinaten oder die eines Spielers.
getposCommandUsage=/<command> [spieler]
getposCommandUsage1=/<command> [spieler]
getposCommandUsage1Description=Ermittelt die Koordinaten von dir oder einem anderen Spieler, falls angegeben
giveCommandDescription=Gebe einem Spieler einen Gegenstand.
giveCommandUsage=/<command> <spieler> <gegenstand|numerisch> [anzahl [gegenstandsmeta...]]
giveCommandUsage1=/<command> <player> <item> [amount]
giveCommandUsage1Description=Gibt dem gewünschten Spieler 64 (oder die angegebene Menge) des angegebenen Gegenstands
giveCommandUsage2=/<command> <player> <item> <amount> <meta>
giveCommandUsage2Description=Gibt dem gewünschten Spieler die angegebene Menge des angegebenen Gegenstands mit den angegebenen Metadaten
geoipCantFind=§6Spieler§c {0}§6 kommt aus§a einem unbekannten Land§6.
geoIpErrorOnJoin=GeoIP-Daten für {0} konnten nicht abgerufen werden. Bitte stelle sicher, dass der Lizenzschlüssel und die Konfiguration korrekt sind.
geoIpLicenseMissing=Kein Lizenzschlüssel gefunden\! Bitte besuche https\://essentialsx.net/geoip für Ersteinrichtungsanweisungen.
@ -422,6 +454,7 @@ givenSkull=§6Dir wurde der Kopf von §c{0}§6 gegeben.
godCommandDescription=Aktiviert deine göttlichen Kräfte.
godCommandUsage=/<command> [spieler] [on|off]
godCommandUsage1=/<command> [spieler]
godCommandUsage1Description=Schaltet den Godmode für dich oder einen anderen Spieler um, falls angegeben
giveSpawn=§6Gebe§c {0} {1}§6 zu§c {2}§6.
giveSpawnFailure=§4Nicht genug Platz, §c{0} {1} §4wurde verloren.
godDisabledFor=§6für§c {0}§cdeaktiviert§6.
@ -470,9 +503,12 @@ holeInFloor=§4Wooops... Da ist ein Loch im Boden\!
homeCommandDescription=Zu deinem Zuhause teleportieren.
homeCommandUsage=/<command> [spieler\:][name]
homeCommandUsage1=/<command> <name>
homeCommandUsage1Description=Teleportiert dich zu deinem Home mit dem angegebenen Namen
homeCommandUsage2=/<command> <player>\:<name>
homeCommandUsage2Description=Teleportiert dich zum Home des angegebenen Spielers mit dem angegebenen Namen
homes=§6Wohnorte\:§r {0}
homeConfirmation=§6Du hast schon ein Zuhause mit dem Namen §c{0}§6\!\nUm dein existierendes Zuhause zu überschreiben, führe den Befehl erneut aus.
homeRenamed=§6Dein Zuhause §c{0} §6wurde zu §c{1}§6umbenannt.
homeSet=§6Zuhause auf aktuellen Standort gesetzt.
hour=Stunde
hours=Stunden
@ -489,6 +525,7 @@ iceOther=§6Erfriere§c {0}§6.
ignoreCommandDescription=Andere Spieler nicht ignorieren oder ignorieren.
ignoreCommandUsage=/<command> <spieler>
ignoreCommandUsage1=/<command> <spieler>
ignoreCommandUsage1Description=Ignoriert oder hebt die Ignorierung des angegebenen Spielers auf
ignoredList=§6Ignoriert\:§r {0}
ignoreExempt=§4Du kannst diesen Spieler nicht ignorieren.
ignorePlayer=§6Du ignorierst ab jetzt§c {0}§6.
@ -524,6 +561,7 @@ invseeCommandDescription=Zeige das Inventar anderer Spieler an.
invseeCommandUsage=/<command> <spieler>
invseeCommandUsage1=/<command> <spieler>
invseeCommandUsage1Description=Öffnet das Inventar des angegebenen Spielers
invseeNoSelf=§cDu kannst nur die Inventare anderer Spieler einsehen.
is=ist
isIpBanned=§6IP §c{0} §6ist gesperrt.
internalError=§cBeim ausführen des Befehls ist ein interner Fehler aufgetreten.
@ -538,7 +576,11 @@ itemId=§6ID\:§c {0}
itemloreClear=§6Du hast die Beschreibung dieses Gegenstands geleert.
itemloreCommandDescription=Die Beschreibung eines Gegenstand bearbeiten.
itemloreCommandUsage=/<command> <add/set/clear> [text/zeile] [text]
itemloreCommandUsage1=/<command> add [text]
itemloreCommandUsage1Description=Fügt den angegebenen Text an das Ende der Lore des Gegenstands an
itemloreCommandUsage2Description=Setzt die angegebene Zeile in der Lore des gehaltenen Gegenstandes zum angegebenen Text
itemloreCommandUsage3=/<command> clear
itemloreCommandUsage3Description=Löscht die Lore des gehaltenen Gegenstandes
itemloreInvalidItem=§4Du must einen Gegenstand halten um seine Beschreibung zu bearbeiten.
itemloreNoLine=§4Dein gehaltener Gegenstand hat keinen Beschreibungstect in Zeile §c{0}§4.
itemloreNoLore=§4Dein gehaltener Gegenstand hat keinen Beschreibungstext.
@ -575,6 +617,8 @@ jailList=§6Gefängnisse\:§r {0}
jailMessage=§4Du hast ein Verbrechen begangen, also musst du deine Zeit absitzen.
jailNotExist=§4Dieses Gefängnis existiert nicht.
jailNotifyJailed=§6Player§c {0} §6wurde in den Knast gesteckt von §c{1}.
jailNotifyJailedFor=§6Spieler§c {0} §6verhaftet für§c {1}§6durch §c{2}§6.
jailNotifySentenceExtended=§6Die Haftstrafe des Spielers §c{0} §6wurde auf §c{1} §6um §c{2}§6 verändert.
jailReleased=§6Spieler §c{0}§6 wurde freigelassen.
jailReleasedPlayerNotify=§6Du wurdest freigelassen\!
jailSentenceExtended=§6Gefängniszeit erweitert auf\: {0}
@ -615,6 +659,7 @@ kitCost=\ §7§o({0})§r
kitDelay=§m{0}§r
kitError=§4Es gibt keine gültigen Kits.
kitError2=§4Dieses Kit ist nicht korrekt definiert. Kontaktiere einen Administrator.
kitError3=Es konnte kein Kit Item im Kit "{0}" an {1} gegeben werden, da dafür Paper 1.15.2+ benötigt wird.
kitGiveTo=§6Du gibst §c{1}§6 §c{0}§6-Kit.
kitInvFull=§4Dein Inventar ist voll. Das Kit wird auf den Boden gelegt.
kitInvFullNoDrop=§4In deinem Inventar ist nicht genug Platz für dieses Kit.
@ -626,6 +671,8 @@ kitReset=§6Cooldown für kit §c{0}§6 zurücksetzen.
kitresetCommandDescription=Setzt den Cooldown fpr das ausgewählte Kit zurück.
kitresetCommandUsage=/<command> <kit> [player]
kitresetCommandUsage1=/<command> <kit> [player]
kitresetCommandUsage1Description=Setzt, falls angegeben, die Abklingzeit des bestimmten Kits für dich oder einen anderen Spieler zurück
kitResetOther=§6Setze Kits §c{0} §6Abklingzeit für§c{1}§6 zurück.
kits=§6Kits\: §r{0}
kittycannonCommandDescription=Wirf ein explodierendes Kätzchen auf deinen Gegner.
kittycannonCommandUsage=/<command>
@ -634,19 +681,27 @@ leatherSyntax=§6Lederfarben-Syntax\:§c color\:<rot>,<grün>,<blau>, z.B.\: col
lightningCommandDescription=Die Kraft von Thor. Schlag auf den Cursor oder Spieler.
lightningCommandUsage=/<command> [spieler] [kraft]
lightningCommandUsage1=/<command> [spieler]
lightningCommandUsage1Description=Erzeugt Blitzeinschlag am den Ort, auf den du schaust oder auf einen anderen Spieler, wenn angegeben
lightningCommandUsage2=/<command> <player> <power>
lightningCommandUsage2Description=Erzeugt Blitzeinschlag auf dem angebenen Spieler mit der angegebenen Stärke
lightningSmited=§6Du wurdest gepeinigt.
lightningUse=§6Peinige §c{0}
linkCommandDescription=Erzeugt einen Code, um dein Minecraft-Konto mit Discord zu verknüpfen.
linkCommandUsage=/<command>
linkCommandUsage1=/<command>
linkCommandUsage1Description=Erzeugt einen Code für den /link Befehl auf Discord
listAfkTag=§7[Abwesend]§r
listAmount=§6Es sind §c{0}§6 von maximal §c{1}§6 Spielern online.
listAmountHidden=§6Es sind§c {0}§6/§c{1}§6 von maximal§c {2}§6 Spielern online.
listCommandDescription=Liste alle verfügbaren Spieler.
listCommandUsage=/<command> [Gruppe]
listCommandUsage1=/<command> [Gruppe]
listCommandUsage1Description=Listet alle Spieler auf dem Server oder aus der gegebenen Gruppe auf, so fern angegeben
listGroupTag=§6{0}§r\:
listHiddenTag=§7[Versteckt]§r
listRealName=({0})
loadWarpError=§4Beim Laden von Warp-Punkt §c{0}§6 ist ein Fehler aufgetreten.
localFormat=§3[L] §r<{0}> {1}
loomCommandDescription=Öffnet einen Webstuhl.
loomCommandUsage=/<command>
mailClear=§6Um deine Nachrichten zu löschen, schreibe§c /mail clear.
@ -655,17 +710,27 @@ mailClearIndex=§4Du musst eine Zahl zwischen 1-{0} angeben.
mailCommandDescription=Verwaltet inter-spieler, intra-server Nachrichten.
mailCommandUsage=/<command> [read|clear|clear [number]|send [to] [message]|sendtemp [to] [expire time] [message]|sendall [message]]
mailCommandUsage1=/<command> read [page]
mailCommandUsage1Description=Liest die erste (oder eine bestimmte) Seite deiner Mail
mailCommandUsage2=/<command> clear [number]
mailCommandUsage2Description=Löscht entweder alle oder die angegebene(n) Mail(s)
mailCommandUsage3=/<command> send <player> <message>
mailCommandUsage3Description=Sendet dem angegebenen Spieler die gegebene Nachricht
mailCommandUsage4=/<command> sendall <message>
mailCommandUsage4Description=Sendet die Nachricht an alle Spieler
mailCommandUsage5=/<command> sendtemp <player> <expire time> <message>
mailCommandUsage5Description=Sendet dem angegebenen Spieler die eingestellte Nachricht, die in der angegebenen Zeit ablaufen wird
mailCommandUsage6=/<command> sendtempall <expire time> <message>
mailCommandUsage6Description=Sendet allen Spieler diese Nachricht, welche in der angegebenen Zeit ablaufen wird
mailDelay=In der letzten Minute wurden zu viele Nachrichten gesendet. Maximum\: {0}
mailFormatNew=§6[§r{0}§6] §6[§r{1}§6] §r{2}
mailFormatNewTimed=§6[§e⚠§6] §6[§r{0}§6] §6[§r{1}§6] §r{2}
mailFormatNewRead=§6[§r{0}§6] §6[§r{1}§6] §7§o{2}
mailFormatNewReadTimed=§6[§e⚠§6] §6[§r{0}§6] §6[§r{1}§6] §7§o{2}
mailFormat=§6[§r{0}§6] §r{1}
mailMessage={0}
mailSent=§6Nachricht gesendet\!
mailSentTo=§c{0}§6 wurde diese Mail gesendet\:
mailSentToExpire=§c{0}§6 wurde folgende Nachricht gesendet, die in §c{1}§6ablaufen wird\:
mailTooLong=§4Die Nachricht ist zu lang. Benutze weniger als 1000 Zeichen.
markMailAsRead=§6Um deine Nachrichten zu löschen, schreibe§c /mail clear.
matchingIPAddress=\\u00a76Die folgenden Spieler haben sich vorher schonmal mit dieser IP-Adresse eingeloggt\:
@ -676,6 +741,7 @@ mayNotJailOffline=§4Du darfst abgemeldete Spieler nicht einsperren.
meCommandDescription=Beschreibt eine Aktion im Kontext des Spielers.
meCommandUsage=/<command> <Beschreibung>
meCommandUsage1=/<command> <Beschreibung>
meCommandUsage1Description=Beschreibt eine Aktion
meSender=mir
meRecipient=dir
minimumBalanceError=§4Den Mindestkontostand, den ein Benutzer haben kann ist {0}.
@ -695,6 +761,7 @@ months=Monate
moreCommandDescription=Füllt den Gegenstandsstapel in der Hand mit der angegebenen Anzahl, oder zu maximaler Größe falls keine angegeben ist.
moreCommandUsage=/<command> [anzahl]
moreCommandUsage1=/<command> [anzahl]
moreCommandUsage1Description=Füllt den gehaltenen Gegenstand auf die angegebene Menge oder seine maximale Grösse, wenn keine angegeben ist
moreThanZero=§4Anzahl muss größer als 0 sein.
motdCommandDescription=Zeigt die Nachricht des Tages an.
motdCommandUsage=/<command> [kapitel] [seite]
@ -702,6 +769,7 @@ moveSpeed=§c{0}§6'' Geschwindigkeit wurde für§c {2}§6 auf§c {1}§6 gesetzt
msgCommandDescription=Sendet eine private Nachricht an den angegebenen Spieler.
msgCommandUsage=/<command> <zu> <nachricht>
msgCommandUsage1=/<command> <zu> <nachricht>
msgCommandUsage1Description=Sendet die angegebene Nachricht privat an den angegebenen Spieler
msgDisabled=§6Das Empfangen von Nachrichten wurde §cdeaktiviert§6.
msgDisabledFor=§6Das Empfangen von Nachrichten wurde für §a{0} §cdeaktiviert§6.
msgEnabled=§6Das Empfangen von Nachrichten wurde §caktiviert§6.
@ -711,11 +779,15 @@ msgIgnore=§c{0} §4hat Benachrichtigungen deaktiviert.
msgtoggleCommandDescription=Blockiert das Erhalten aller privaten Nachrichten.
msgtoggleCommandUsage=/<command> [spieler] [on|off]
msgtoggleCommandUsage1=/<command> [spieler]
msgtoggleCommandUsage1Description=Schaltet das Fliegen für sich selbst oder einen anderen Spieler ein, falls angegeben
multipleCharges=§4Du kannst einem Feuerwerk nur einen Feuerwerksstern geben.
multiplePotionEffects=§4Du kannst diesem Trank nur einen Effekt geben.
muteCommandDescription=Stummschalten oder Aufhebung einer Stummschaltung eines Spielers.
muteCommandUsage=/<command> <spieler> [datumsunterschied] [grund]
muteCommandUsage1=/<command> <spieler>
muteCommandUsage1Description=Stellt den angegebenen Spieler dauerhaft stumm oder hebt die Stummschaltung auf, wenn er bereits stummgeschaltet war
muteCommandUsage2=/<command> <Spieler> <Länge> [Grund]
muteCommandUsage2Description=Schaltet den angegebenen Spieler für die angegebene Zeit mit einem optionalen Grund stumm
mutedPlayer=§6Spieler§c {0}§6 stummgeschaltet.
mutedPlayerFor=§6Spieler§c {0}§6 ist für§c {1}§6 stummgeschaltet.
mutedPlayerForReason=§6Spieler§c {0}§6 für§c {1}§6 stummgeschaltet. Grund\: §c{2}
@ -730,14 +802,27 @@ muteNotifyReason=§c{0} §6hat Spieler§c {1}§6 stummgeschaltet. Grund\: §c{2}
nearCommandDescription=Listet die Spieler bei oder in der Nähe eines Spielers auf.
nearCommandUsage=/<command> [Spielername] [Radius]
nearCommandUsage1=/<command>
nearCommandUsage1Description=Listet alle Spieler auf, die sich im standardmässigen Umkreis von dir befinden
nearCommandUsage2=/<command> <Radius>
nearCommandUsage2Description=Listet alle Spieler innerhalb des angegebenen Radius von dir
nearCommandUsage3=/<command> <spieler>
nearCommandUsage3Description=Listet alle Spieler auf, die sich innerhalb vom standardmässigen Umkreis des angegebenen Spielers befinden
nearCommandUsage4=/<command> <Spieler> <Radius>
nearCommandUsage4Description=Listet alle Spieler innerhalb des angegebenen Radius von dir auf
nearbyPlayers=§6Spieler in der Nähe\:§r {0}
nearbyPlayersList={0}§f(§c{1}m§f)
negativeBalanceError=§4Spieler dürfen keine Schulden machen.
nickChanged=§6Spitzname geändert.
nickCommandDescription=Ändere deinen Nicknamen oder den eines anderen Spielers.
nickCommandUsage=/<command> [spieler] <spitzname|off>
nickCommandUsage1=/<command> <spitzname>
nickCommandUsage1Description=Ändert deinen Nicknamen zu dem gegebenen Text
nickCommandUsage2=/<command> aus
nickCommandUsage2Description=Entfernt deinen Spitznamen
nickCommandUsage3=/<command> <Spieler> <Spitzname>
nickCommandUsage3Description=Ändert den Nicknamen des angegebenen Spielers
nickCommandUsage4=/<command> <player> off
nickCommandUsage4Description=Entfernt den Nicknamen des angegebenen Spielers
nickDisplayName=§4Du musst change-displayname in der Essentials-Konfiguration aktivieren.
nickInUse=§4Dieser Name wird bereits verwendet.
nickNameBlacklist=§4Dieser Spitzname ist nicht erlaubt.
@ -780,6 +865,7 @@ noPotionEffectPerm=§4Du darfst den Zaubertrankeffekt §c{0} §4diesem Trank nic
noPowerTools=§6Du hast keine Powertools zugewiesen.
notAcceptingPay=§4{0} §4akzeptiert keine Zahlungen.
notAllowedToLocal=§4Du hast keine Berechtigung, im lokalen Chat zu sprechen.
notAllowedToQuestion=§4Du hast keine Berechtigung das Frage System zu benutzen.
notAllowedToShout=§4Du hast nicht die Erlaubnis zu schreien.
notEnoughExperience=§4Du hast nicht genug Erfahrung.
notEnoughMoney=§4Du hast nicht genug Guthaben.
@ -790,6 +876,8 @@ noWarpsDefined=§6Es sind keine Warp-Punkte definiert.
nuke=§5Möge der Tod auf Euch hernieder prasseln und euch vernichten \:>\!
nukeCommandDescription=Möge der Tod auf sie hernieder prasseln.
nukeCommandUsage=/<command> [spieler]
nukeCommandUsage1=/<command> [players...]
nukeCommandUsage1Description=Sendet einen Nuke über alle Spieler oder bestimmten Spieler(n), falls angegeben
numberRequired=Du musst eine Zahl angeben.
onlyDayNight=/time unterstützt nur day und night.
onlyPlayers=§4Nur Ingame-Spieler können §c{0} §4benutzen.
@ -803,6 +891,7 @@ passengerTeleportFail=§4Du kannst nicht teleportiert werden, während du Passag
payCommandDescription=Bezahlt einen anderen Spieler von deinem Kontostand.
payCommandUsage=/<command> <Spieler> <Anzahl>
payCommandUsage1=/<command> <Spieler> <Anzahl>
payCommandUsage1Description=Gibt dem angegebenen Spieler den angegebenen Betrag an Geld
payConfirmToggleOff=§6Du wirst nicht länger aufgefordert, Zahlungen zu bestätigen.
payConfirmToggleOn=§6Du wirst ab jetzt aufgefordert, Zahlungen zu bestätigen.
payDisabledFor=§6Deaktivierte die Annahme von Zahlungen für §c{0}§6.
@ -816,6 +905,7 @@ payconfirmtoggleCommandUsage=/<command>
paytoggleCommandDescription=Bestimmt, ob du Zahlungen akzeptierst.
paytoggleCommandUsage=/<command> [spieler]
paytoggleCommandUsage1=/<command> [spieler]
paytoggleCommandUsage1Description=Schalte um, ob du oder ein anderer Spieler wenn angegeben, Zahlungen akzeptieren
pendingTeleportCancelled=§4Die laufende Teleportation wurde abgebrochen.
pingCommandDescription=§b..\:\:§4Pông§b\:\:..\!
pingCommandUsage=/<command>
@ -835,15 +925,25 @@ playerTempBanned=§6Spieler§c {0}§6 hat§c {1}§6 temporär für§c {2}§6 ges
playerUnbanIpAddress=§6Spieler§c {0}§6 hat IP entsperrt\:§c {1}
playerUnbanned=§6Spieler§c {0} §6hat§c {1}§6 entsperrt
playerUnmuted=§6Du bist nicht mehr gemutet.
playtimeCommandDescription=Zeigt die Spielzeit eines Spielers im Spiel
playtimeCommandUsage=/<command> [spieler]
playtimeCommandUsage1=/<command>
playtimeCommandUsage1Description=Zeigt deine gespielte Zeit im Spiel
playtimeCommandUsage2=/<command> <spieler>
playtimeCommandUsage2Description=Zeigt die Spielzeit eines bestimmten Spielers im Spiel
playtime=§6Spielzeit\:§c {0}
playtimeOther=§6Spielzeit von {1}§6\:§c {0}
pong=§b..\:\:§4Pông§b\:\:..\!
posPitch=§6Pitch\: {0} (Neigewinkel)
possibleWorlds=§6Mögliche Welten sind die Nummern §c0§6 bis §c{0}§6.
potionCommandDescription=Fügt einem Trank benutzerdefinierte Effekte hinzu.
potionCommandUsage=/<command> <clear|apply|effect\:<Effekt> power\:<Stärke> duration\:<Dauer>>
potionCommandUsage1=/<command> clear
potionCommandUsage1Description=Entfernt alle Effekte vom in der Hand gehaltenen Trank
potionCommandUsage2=/<command> beantragen
potionCommandUsage2Description=Wirkt alle Effekte, des in der Hand gehaltenen Trankes, auf dich ohne den Trank zu verbrauchen
potionCommandUsage3=/<command> effect\:<effect> power\:<power> duration\:<duration>
potionCommandUsage3Description=Wendet die gegebenen Trank Metadaten auf den in der Hand gehaltenen Trank an
posX=§6X\: {0} (+Ost <-> -West)
posY=§6Y\: {0} (+Hoch <-> -Runter)
posYaw=§6Yaw\: {0} (Drehung)
@ -862,12 +962,23 @@ powerToolsDisabled=§6All deine Powertools wurden deaktiviert.
powerToolsEnabled=§6All deine Powertools wurden aktiviert.
powertoolCommandDescription=Weist einem Gegenstand in der Hand einen Befehl zu.
powertoolCommandUsage=/<command> [l\:|a\:|r\:|c\:|d\:][befehl] [argumente] - {player} kanm mit sem Namen eines geklickten Spielers ersetzt werden.
powertoolCommandUsage1=/<command> l\:
powertoolCommandUsage2=/<command> d\:
powertoolCommandUsage2Description=Löscht alle Powertools auf dem gehaltenden Item
powertoolCommandUsage3=/<command> r\:<cmd>
powertoolCommandUsage3Description=Entfernt den angegebenen Befehl aus dem gehaltenen Item
powertoolCommandUsage4=/<command> <cmd>
powertoolCommandUsage4Description=Setzt den Powertool-Befehl des gehaltenen Items auf den angegebenen Befehl
powertoolCommandUsage5=/<command> a\:<cmd>
powertoolCommandUsage5Description=Fügt den Befehl Powertool zum gehaltenen Item hinzu
powertooltoggleCommandDescription=Aktiviert oder deaktiert alle Powertools.
powertooltoggleCommandUsage=/<command>
ptimeCommandDescription=Client-Zeit des Spielers anpassen. @-Präfix zum Korrigieren hinzufügen.
ptimeCommandUsage=/<command> [list|reset|day|night|dawn|17\:30|4pm|4000ticks] [Spieler|*]
ptimeCommandUsage1=/<command> list [player|*]
pweatherCommandDescription=Wetter eines Spielers anpassen
pweatherCommandUsage=/<command> [list|reset|storm|sun|clear] [spieler|*]
pweatherCommandUsage1=/<command> list [player|*]
pTimeCurrent=§6Die Zeit für§c {0} §6ist§c {1}§6.
pTimeCurrentFixed=§6Die Zeit für §c{0}§6 wurde auf §c{1}§6 gesetzt.
pTimeNormal=§6Die Zeit für §c{0}§6 ist normal und entspricht der Serverzeit.
@ -914,6 +1025,7 @@ repairAlreadyFixed=§4Dieser Gegenstand benötigt keine Reparatur.
repairCommandDescription=Repariert die Haltbarkeit eines oder aller Gegenstände.
repairCommandUsage=/<command> [hand|all]
repairCommandUsage1=/<command>
repairCommandUsage2Description=Repariere alle Items aus deinem Inventar
repairEnchanted=§4Du darfst keine verzauberten Gegenstände reparieren.
repairInvalidType=§4Dieser Gegenstand kann nicht repariert werden.
repairNone=§4Es sind keine Gegenstände vorhanden, die repariert werden können.
@ -930,6 +1042,7 @@ requestDeniedFrom=§c{0} §6hat deine Teleportierungsanfrage abgelehnt.
requestSent=§6Eine Anfrage wurde an§c {0}§6 gesendet.
requestSentAlready=§4Du hast {0}§4 bereits eine Teleportierungsanfrage gesendet.
requestTimedOut=§4Die Teleportierungsanfrage ist abgelaufen.
requestTimedOutFrom=§4Die Teleportierungsanfrage von §c{0} §4ist ausgelaufen.
resetBal=§6Du hast den Kontostand aller Spieler auf §a{0} §6gesetzt.
resetBalAll=§6Guthaben wurde für alle Spieler auf §c{0} zurückgesetzt.
rest=§6Du fühlst dich gut ausgeruht.
@ -1074,6 +1187,7 @@ tempbanExemptOffline=\\u00a74Du darfst Spieler, die offline sind, nicht tempor\\
tempbanJoin=§4Du bist auf diesem Server gesperrt. \nDauer\: {0}\nGrund\: {1}
tempBanned=§cDu bist für§r {0}§c temporär gesperrt\:\n§r{2}
tempbanCommandDescription=Temporäres Speeren eines Benutzers.
tempbanCommandUsage1=/<command> <Spieler> <Länge> [Grund]
tempbanipCommandDescription=Temporäres Sperren einer IP-Adresse.
thunder=§6Es donnert jetzt in deiner Welt §c{0}§6.
thunderCommandDescription=Aktiviere/deaktiviere Thunder.
@ -1104,6 +1218,7 @@ totalWorthBlocks=§aDu hast alle Blöcke für einen Gesamtwert von §c{1}§a ver
tpCommandDescription=Zu einem Spieler teleportieren.
tpCommandUsage=/<command> <spieler> [andererspieler]
tpCommandUsage1=/<command> <spieler>
tpCommandUsage1Description=Teleportiert dich zu dem angegebenen Spieler
tpaCommandDescription=Anfrage zu dem angegebenen Spieler zu Teleportieren.
tpaCommandUsage=/<command> <spieler>
tpaCommandUsage1=/<command> <spieler>
@ -1114,10 +1229,12 @@ tpacancelCommandDescription=Alle ausstehenden Teleportierungsanfragen abbrechen.
tpacancelCommandUsage=/<command> [spieler]
tpacancelCommandUsage1=/<command>
tpacancelCommandUsage2=/<command> <spieler>
tpacceptCommandDescription=Akteptiert Teleportationsanfragen.
tpacceptCommandUsage=/<command> [andererspieler]
tpacceptCommandUsage1=/<command>
tpacceptCommandUsage2=/<command> <spieler>
tpacceptCommandUsage3=/<command> *
tpacceptCommandUsage3Description=Akzeptiert alle Teleportationsanfragen
tpahereCommandDescription=Bittet den angegebenen Spieler, sich zu dir zu teleportieren.
tpahereCommandUsage=/<command> <spieler>
tpahereCommandUsage1=/<command> <spieler>
@ -1182,6 +1299,8 @@ unlimitedCommandDescription=Erlaubt das unbegrenzte Platzieren von Gegenständen
unlimitedCommandUsage=/<command> <list|item|clear> [spieler]
unlimitedItemPermission=\\u00a74Keine Berechtigung f\\u00fcr unendliche Items \\u00a7c{0}\\u00a74.
unlimitedItems=§6Unbegrenzte Objekte\:§r
unlinkCommandUsage=/<command>
unlinkCommandUsage1=/<command>
unmutedPlayer=§6Spieler§c {0}§6 ist nicht mehr stummgeschaltet.
unsafeTeleportDestination=§4Das Teleport-Ziel ist nicht sicher und der Teleportschutz ist nicht aktiv.
unsupportedBrand=§4Die Server-Plattform, die die momentan verwendest, bietet die Möglichkeiten für diese Funktion nicht an.

View File

@ -272,6 +272,8 @@ kitReceive=§6Πήρες το kit§c {0}§6.
kittycannonCommandUsage=/<command>
kitTimed=§4Δεν μπορείς να ξανά χρησιμοποιήσεις αυτό το kit μέχρι§c {0}§4.
lightningCommandUsage1=/<command> [παίκτης]
linkCommandUsage=/<command>
linkCommandUsage1=/<command>
loomCommandUsage=/<command>
minute=λεπτό
minutes=λεπτά
@ -324,6 +326,8 @@ tpdenyCommandUsage1=/<command>
tprCommandUsage=/<command>
tprCommandUsage1=/<command>
tptoggleCommandUsage1=/<command> [παίκτης]
unlinkCommandUsage=/<command>
unlinkCommandUsage1=/<command>
vanishCommandUsage1=/<command> [παίκτης]
walking=περπάτημα
warpCommandUsage1=/<command> [σελίδα]

View File

@ -253,7 +253,7 @@ discordCommandListArgumentGroup=A specific group to limit your search by
discordCommandMessageDescription=Messages a player on the Minecraft server.
discordCommandMessageArgumentUsername=The player to send the message to
discordCommandMessageArgumentMessage=The message to send to the player
discordErrorCommand=You added your bot to your server incorrectly. Please follow the tutorial in the config and add your bot using https\://essentialsx.net/discord.html\!
discordErrorCommand=You added your bot to your server incorrectly\! Please follow the tutorial in the config and add your bot using https\://essentialsx.net/discord.html
discordErrorCommandDisabled=That command is disabled\!
discordErrorLogin=An error occurred while logging into Discord, which has caused the plugin to disable itself\: \n{0}
discordErrorLoggerInvalidChannel=Discord console logging has been disabled due to an invalid channel definition\! If you intend to disable it, set the channel ID to "none"; otherwise check that your channel ID is correct.
@ -314,6 +314,7 @@ enderchestCommandUsage2=/<command> <player>
enderchestCommandUsage2Description=Opens the ender chest of the target player
errorCallingCommand=Error calling the command /{0}
errorWithMessage=§cError\:§4 {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
@ -481,6 +482,7 @@ homeCommandUsage2=/<command> <player>\:<name>
homeCommandUsage2Description=Teleports you to the specified player''s home with the given name
homes=§6Homes\:§r {0}
homeConfirmation=§6You already have a home named §c{0}§6\!\nTo overwrite your existing home, type the command again.
homeRenamed=§6Home §c{0} §6has been renamed to §c{1}§6.
homeSet=§6Home set to current location.
hour=hour
hours=hours
@ -533,6 +535,7 @@ invseeCommandDescription=See the inventory of other players.
invseeCommandUsage=/<command> <player>
invseeCommandUsage1=/<command> <player>
invseeCommandUsage1Description=Opens the inventory of the specified player
invseeNoSelf=§cYou can only view other players'' inventories.
is=is
isIpBanned=§6IP §c{0} §6is banned.
internalError=§cAn internal error occurred while attempting to perform this command.
@ -589,7 +592,7 @@ jailList=§6Jails\:§r {0}
jailMessage=§4You do the crime, you do the time.
jailNotExist=§4That jail does not exist.
jailNotifyJailed=§6Player§c {0} §6jailed by §c{1}.
jailNotifyJailedFor=§6Player§c {0} §6jailed for§c {1}§6by §c{2}§6.
jailNotifyJailedFor=§6Player§c {0} §6jailed for§c {1} §6by §c{2}§6.
jailNotifySentenceExtended=§6Player§c{0}§6''s jail time extended to §c{1} §6by §c{2}§6.
jailReleased=§6Player §c{0}§6 unjailed.
jailReleasedPlayerNotify=§6You have been released\!
@ -658,6 +661,8 @@ lightningCommandUsage2=/<command> <player> <power>
lightningCommandUsage2Description=Strikes lighting at the target player with the given power
lightningSmited=§6Thou hast been smitten\!
lightningUse=§6Smiting§c {0}
linkCommandUsage=/<command>
linkCommandUsage1=/<command>
listAfkTag=§7[AFK]§r
listAmount=§6There are §c{0}§6 out of maximum §c{1}§6 players online.
listAmountHidden=§6There are §c{0}§6/§c{1}§6 out of maximum §c{2}§6 players online.
@ -1007,6 +1012,12 @@ removeCommandUsage1Description=Removes all of the given mob type in the current
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=§6Removed§c {0} §6entities.
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=§6You have successfully repaired your\: §c{0}§6.
repairAlreadyFixed=§4This item does not need repairing.
repairCommandDescription=Repairs the durability of one or all items.
@ -1018,7 +1029,6 @@ repairCommandUsage2Description=Repairs all items in your inventory
repairEnchanted=§4You are not allowed to repair enchanted items.
repairInvalidType=§4This item cannot be repaired.
repairNone=§4There were no items that needed repairing.
replyFromDiscord=**Reply from {0}\:** `{1}`
replyLastRecipientDisabled=§6Replying to last message recipient §cdisabled§6.
replyLastRecipientDisabledFor=§6Replying to last message recipient §cdisabled §6for §c{0}§6.
replyLastRecipientEnabled=§6Replying to last message recipient §cenabled§6.
@ -1076,7 +1086,9 @@ serverTotal=§6Server Total\:§c {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.
serverUnsupportedDangerous=You are running a server fork that is known to be extremely dangerous and lead to data loss. It is strongly recommended you switch to a more stable server software like Paper.
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=§aYour balance was set to {0}.
setBalOthers=§aYou set {0}§a''s balance to {1}.
@ -1390,6 +1402,8 @@ unlimitedCommandUsage3=/<command> clear [player]
unlimitedCommandUsage3Description=Clears all unlimited items for yourself or another player if specified
unlimitedItemPermission=§4No permission for unlimited item §c{0}§4.
unlimitedItems=§6Unlimited items\:§r
unlinkCommandUsage=/<command>
unlinkCommandUsage1=/<command>
unmutedPlayer=§6Player§c {0} §6unmuted.
unsafeTeleportDestination=§4The teleport destination is unsafe and teleport-safety is disabled.
unsupportedBrand=§4The server platform you are currently running does not provide the capabilities for this feature.
@ -1410,6 +1424,9 @@ userIsAwaySelf=§7You are now AFK.
userIsAwaySelfWithMessage=§7You are now AFK.
userIsNotAwaySelf=§7You are no longer AFK.
userJailed=§6You have been jailed\!
usermapEntry=§c{0} §6is mapped to §c{1}§6.
usermapPurge=§6Checking for files in userdata that are not mapped, results will be logged to console. Destructive Mode\: {0}
usermapSize=§6Current cached users in user map is §c{0}§6/§c{1}§6/§c{2}§6.
userUnknown=§4Warning\: The user ''§c{0}§4'' has never joined this server.
usingTempFolderForTesting=Using temp folder for testing\:
vanish=§6Vanish for {0}§6\: {1}

View File

@ -253,7 +253,6 @@ discordCommandListArgumentGroup=A specific group to limit your search by
discordCommandMessageDescription=Messages a player on the Minecraft server.
discordCommandMessageArgumentUsername=The player to send the message to
discordCommandMessageArgumentMessage=The message to send to the player
discordErrorCommand=You added your bot to your server incorrectly. Please follow the tutorial in the config and add your bot using https\://essentialsx.net/discord.html\!
discordErrorCommandDisabled=That command is disabled\!
discordErrorLogin=An error occurred while logging into Discord, which has caused the plugin to disable itself\: \n{0}
discordErrorLoggerInvalidChannel=Discord console logging has been disabled due to an invalid channel definition\! If you intend to disable it, set the channel ID to "none"; otherwise check that your channel ID is correct.
@ -589,7 +588,7 @@ jailList=§6Jails\:§r {0}
jailMessage=§4You do the crime, you do the time.
jailNotExist=§4That jail does not exist.
jailNotifyJailed=§6Player§c {0} §6jailed by §c{1}.
jailNotifyJailedFor=§6Player§c {0} §6jailed for§c {1}§6by §c{2}§6.
jailNotifyJailedFor=§6Player§c {0} §6jailed for§c {1} §6by §c{2}§6.
jailNotifySentenceExtended=§6Player§c{0}§6''s jail time extended to §c{1} §6by §c{2}§6.
jailReleased=§6Player §c{0}§6 unjailed.
jailReleasedPlayerNotify=§6You have been released\!
@ -658,6 +657,8 @@ lightningCommandUsage2=/<command> <player> <power>
lightningCommandUsage2Description=Strikes lighting at the target player with the given power
lightningSmited=§6Thou hast been smitten\!
lightningUse=§6Smiting§c {0}
linkCommandUsage=/<command>
linkCommandUsage1=/<command>
listAfkTag=§7[AFK]§r
listAmount=§6There are §c{0}§6 out of maximum §c{1}§6 players online.
listAmountHidden=§6There are §c{0}§6/§c{1}§6 out of maximum §c{2}§6 players online.
@ -1018,7 +1019,6 @@ repairCommandUsage2Description=Repairs all items in your inventory
repairEnchanted=§4You are not allowed to repair enchanted items.
repairInvalidType=§4This item cannot be repaired.
repairNone=§4There were no items that needed repairing.
replyFromDiscord=**Reply from {0}\:** `{1}`
replyLastRecipientDisabled=§6Replying to last message recipient §cdisabled§6.
replyLastRecipientDisabledFor=§6Replying to last message recipient §cdisabled §6for §c{0}§6.
replyLastRecipientEnabled=§6Replying to last message recipient §cenabled§6.
@ -1390,6 +1390,8 @@ unlimitedCommandUsage3=/<command> clear [player]
unlimitedCommandUsage3Description=Clears all unlimited items for yourself or another player if specified
unlimitedItemPermission=§4No permission for unlimited item §c{0}§4.
unlimitedItems=§6Unlimited items\:§r
unlinkCommandUsage=/<command>
unlinkCommandUsage1=/<command>
unmutedPlayer=§6Player§c {0} §6unmuted.
unsafeTeleportDestination=§4The teleport destination is unsafe and teleport-safety is disabled.
unsupportedBrand=§4The server platform you are currently running does not provide the capabilities for this feature.

View File

@ -240,6 +240,7 @@ discordbroadcastCommandUsage1Description=Envía el mensaje dado al canal de Disc
discordbroadcastInvalidChannel=§4El canal de Discord §c{0}§4 no existe.
discordbroadcastPermission=§4No tienes permiso para enviar mensajes al canal §c{0}§4.
discordbroadcastSent=§6Mensaje enviado a §c{0}§6\!
discordCommandAccountArgumentUser=soy insano la vdd despues de todo yo quuiero la traudcicon xdasdas
discordCommandDescription=Envía el enlace de invitación a Discord al jugador.
discordCommandLink=§6¡Únete a nuestro servidor de Discord en §c{0}§6\!
discordCommandUsage=/<command>
@ -253,7 +254,7 @@ discordCommandListArgumentGroup=Un grupo específico para limitar tu búsqueda
discordCommandMessageDescription=Envía un mensaje a un jugador del servidor de Minecraft.
discordCommandMessageArgumentUsername=El jugador al que enviar el mensaje
discordCommandMessageArgumentMessage=El mensaje a enviar al jugador
discordErrorCommand=El bot se ha añadido al servidor de forma incorrecta. ¡Sigue el tutorial de configuración y añade el bot usando https\://essentialsx.net/discord.html\!
discordErrorCommand=¡Has añadido tu bot a tu servidor incorrectamente\! Por favor, sigue el tutorial en la configuración y añade tu bot usando https\://essentialsx.net/discord.html
discordErrorCommandDisabled=¡Ese comando está desactivado\!
discordErrorLogin=Error al iniciar sesión en Discord. El plugin se ha desactivado por sí mismo\: \n{0}
discordErrorLoggerInvalidChannel=¡El inicio de sesión en la consola de Discord se ha desactivado por una definición del canal no válida\! Si quieres reactivarlo, establece la id. del canal en "none", de lo contrario comprueba que la identificación del canal es correcta.
@ -288,9 +289,9 @@ ecoCommandDescription=Gestiona la economía del servidor.
ecoCommandUsage=/<command> <give|take|set|reset> <player> <amount>
ecoCommandUsage1=/<command> give <player> <amount>
ecoCommandUsage1Description=Da al jugador especificado la cantidad de dinero especificada
ecoCommandUsage2=/<command> take <jugador> <monto>
ecoCommandUsage2=/<command> take <jugador> <cantidad>
ecoCommandUsage2Description=Toma la cantidad especificada de dinero del jugador especificado
ecoCommandUsage3=/<command> set <jugador> <monto>
ecoCommandUsage3=/<command> set <jugador> <cantidad>
ecoCommandUsage3Description=Establece el saldo del jugador especificado a la cantidad de dinero especificada
ecoCommandUsage4=/<command> reset <jugador> <cantidad>
ecoCommandUsage4Description=Restablece el saldo del jugador especificado al saldo inicial del servidor
@ -534,6 +535,7 @@ invseeCommandDescription=Ver el inventario de otros jugadores.
invseeCommandUsage=/<command> <jugador>
invseeCommandUsage1=/<command> <jugador>
invseeCommandUsage1Description=Abre el inventario del jugador especificado
invseeNoSelf=§cSolo puedes ver los inventarios de otros jugadores.
is=es
isIpBanned=§6IP §c{0} §6está baneada.
internalError=§cAn internal error occurred while attempting to perform this command.
@ -590,7 +592,7 @@ jailList=§6Jails\:§r {0}
jailMessage=§c¡Por el crimen hacer, a la cárcel irás\!
jailNotExist=§4Esa cárcel no existe.
jailNotifyJailed=§6El jugador§c {0} §6ha sido encarcelado por §c{1}.
jailNotifyJailedFor=§6El jugador§c {0} §6ha sido encarcelado por§c {1}§6por §c{2}§6.
jailNotifyJailedFor=§6El jugador§c {0} §6ha sido encarcelado por§c {1} §6por §c{2}§6.
jailNotifySentenceExtended=§6El tiempo en cárcel §6del jugador§c{0} §6ha sido extendido a §c{1} §6por §c{2}§6.
jailReleased=§6El jugador §c{0}§6 ha salido de la cárcel.
jailReleasedPlayerNotify=§7¡Has sido liberado\!
@ -659,6 +661,8 @@ lightningCommandUsage2=/<command> <jugador> <poder>
lightningCommandUsage2Description=Lanza un rayo al jugador objetivo con el poder elegido
lightningSmited=§6¡Has sido golpeado mágicamente\!
lightningUse=§6Golpeando al jugador§c {0}
linkCommandUsage=/<command>
linkCommandUsage1=/<command>
listAfkTag=§8[Ausente]§r
listAmount=§9Hay §c{0}§9 jugadores de un máximo de §c{1}§9 jugadores §2en linea§9.
listAmountHidden=§6Hay§c{0}§6/§c{1}§6 de un máximo de §c{2}§6 jugadondo online.
@ -1019,7 +1023,6 @@ repairCommandUsage2Description=Repara todos los objetos en tu inventario
repairEnchanted=§4No tienes permiso para reparar un ítem encantado.
repairInvalidType=§4Ese ítem no puede ser reparado.
repairNone=§4No hay ítems que necesiten ser reparados.
replyFromDiscord=**Respuesta de {0}\:** «{1}»
replyLastRecipientDisabled=§6Respuesta al último mensaje recibido/enviado §cdesactivado§6.
replyLastRecipientDisabledFor=§6Respuesta al último mensaje recibido/enviado §cdesactivado §6por §c{0}§6.
replyLastRecipientEnabled=§6Respuesta al último mensaje recibido/enviado §cactivado§6.
@ -1393,6 +1396,8 @@ unlimitedCommandUsage3=/<comando> limpiar [jugador]
unlimitedCommandUsage3Description=Limpia todos los objetos ilimitados para ti u otro jugador si se especifica
unlimitedItemPermission=§4Sin permiso para artículo ilimitado §c{0}§4.
unlimitedItems=§6Ítems ilimitados\:§r
unlinkCommandUsage=/<command>
unlinkCommandUsage1=/<command>
unmutedPlayer=§6El jugador§c {0} §6ya no está silenciado.
unsafeTeleportDestination=§4El destino es inseguro y el teletransporte seguro está desactivado.
unsupportedBrand=§4La plataforma en la que se ejecuta el servidor no proporciona las capacidades para esta función.

View File

@ -253,7 +253,6 @@ discordCommandListArgumentGroup=Konkreetne rühm, mille järgi otsingut piirata
discordCommandMessageDescription=Saadab sõnumeid Minecrafti serveris olevale mängijale.
discordCommandMessageArgumentUsername=Mängija, kellele sõnum saata
discordCommandMessageArgumentMessage=Sõnum, mis tuleb mängijale saata
discordErrorCommand=Lisasite oma roboti oma serverisse valesti. Järgige konfiguratsioonis toodud õpetust ja lisage oma robot, kasutades https\://essentialsx.net/discord.html\!
discordErrorCommandDisabled=See käsklus on keelatud\!
discordErrorLogin=Discordi sisselogimisel ilmnes viga, mis põhjustas pistikprogrammi enda keelamise\:\n{0}
discordErrorLoggerInvalidChannel=Discordi konsooli logimine on keelatud kanali definitsiooni tõttu\! Kui kavatsete selle keelata, määrake kanali ID-ks "puudub"; muul juhul kontrollige, kas teie kanali ID on õige.
@ -642,6 +641,8 @@ lightningCommandUsage2=/<käsklus> <mängija> <võim>
lightningCommandUsage2Description=Lööb välku mängija suunas etteantud jõuga
lightningSmited=§6Sind on löönud välk\!
lightningUse=§6Lööd välgunoole mängijasse§c {0}
linkCommandUsage=/<command>
linkCommandUsage1=/<command>
listAfkTag=§7[Eemal]§r
listAmount=§6Võrgus on §c{0}§6/§c{1}§6 mängijat.
listAmountHidden=§6Võrgus on §c{0}§6 (§c{1}§6)/§c{2}§6 mängijat.
@ -992,7 +993,6 @@ repairCommandUsage2Description=Parandab sinu seljakotis kõik esemed
repairEnchanted=§4Sul puudub loitsitud esemete parandamiseks luba.
repairInvalidType=§4Seda eset ei saa parandada.
repairNone=§4Polnud ühtegi eset, mis vajaksid parandamist.
replyFromDiscord=**Vastus mängijalt {0}\:** `{1}`
replyLastRecipientDisabled=§6Viimasele sõnumisaatjale vastamine on §ckeelatud§6.
replyLastRecipientDisabledFor=§6Viimasele sõnumisaatjale vastamine on §ckeelatud §6mängijale §c{0}§6.
replyLastRecipientEnabled=§6Viimasele sõnumisaatjale vastamine on §clubatud§6.
@ -1346,6 +1346,8 @@ unlimitedCommandUsage3=/<käsklus> clear [mängija]
unlimitedCommandUsage3Description=Puhastab kõik lõpmatud asjad sinult või teiselt mängijalt kui on täpsustatud
unlimitedItemPermission=§4Sul puudub luba lõpmatu eseme §c{0}§4 jaoks.
unlimitedItems=§6Lõpmatud esemed\:§r
unlinkCommandUsage=/<command>
unlinkCommandUsage1=/<command>
unmutedPlayer=§6Mängija§c {0} §6vaigistus eemaldatud.
unsafeTeleportDestination=§5Teleporteerutav sihtpunkt on ohtlik ning teleporteerimise-ohutus on keelatud.
unsupportedBrand=§4Käitatav serveriplatvorm ei paku selle funktsiooni jaoks kasutusvõimalusi.

View File

@ -495,6 +495,8 @@ lightningCommandUsage=/<command> [player] [power]
lightningCommandUsage1=/<command> [pelaaja]
lightningSmited=§6Sinut on salamoitu\!
lightningUse=§6Salamoidaan pelaaja§c {0}
linkCommandUsage=/<command>
linkCommandUsage1=/<command>
listAfkTag=§7[AFK]§f
listAmount=§6Pelaajia palvelimella §c{0}§6 / §c{1}§6.
listAmountHidden=§6Pelaajia palvelimella §c{0}§6/§c{1}§6 maksimi määrästä §c{2}§6.
@ -1026,6 +1028,8 @@ unlimitedCommandDescription=Antaa sinulle luvan asettaa tavaroita loputtomasti.
unlimitedCommandUsage=/<command> <list|item|clear> [player]
unlimitedItemPermission=§4Ei lupaa rajoittamattomille tavaroille §c{0}§4.
unlimitedItems=§6Loputtomat tavarat\:§r
unlinkCommandUsage=/<command>
unlinkCommandUsage1=/<command>
unmutedPlayer=§6Pelaajalta§c {0} §6on poistettu hiljennys.
unsafeTeleportDestination=§4Teleporttikohde ei ole turvallinen ja teleporttiturvallisuus on poistettu käytöstä.
unsupportedBrand=§4Palvelinalusta joka on parhaillaan käytössä, ei tarjoa ominaisuuksia tälle ominaisuudelle.

View File

@ -526,6 +526,7 @@ kill=§6Pinatay si§c {0}§6.
killCommandDescription=Ipapatay ang tinutukoy na manlalaro.
killCommandUsage=/<command> <manlalaro>
killCommandUsage1=/<command> <manlalaro>
killCommandUsage1Description=Ipapatay yung tinutukoy na manlalaro
killExempt=§4Hindi maaaring patayin si §c{0}§4.
kitCommandDescription=Magkakaroon ng tinutukoy na kit o ititingin ang lahat ng mga kit na pwedeng gamitin.
kitCommandUsage=/<command> [kit] [manlalaro]
@ -558,6 +559,8 @@ lightningCommandUsage=/<command> [manlalaro] [lakas]
lightningCommandUsage1=/<command> [manlalaro]
lightningSmited=§6Nawelga ka ng kidlat\!
lightningUse=§6Winewelga si§c {0}
linkCommandUsage=/<command>
linkCommandUsage1=/<command>
listAfkTag=§7[AFK]§r
listAmount=§6Mayroong §c{0}§6 ng yung pinakamataas na §c{1}§6 manlalaro na online.
listAmountHidden=§6Mayroong §c{0}§6/§c{1}§6 ng yung pinakamataas na §c{2}§6 manlalaro na online.
@ -566,13 +569,22 @@ listCommandUsage=/<command> <grupo>
listCommandUsage1=/<command> <grupo>
listGroupTag=§6{0}§r\:
listHiddenTag=§7[NAKATAGO]§r
listRealName=({0})
loadWarpError=§4Nabigong mag-load ng pagkiwal na {0}.
localFormat=§3[L] §r<{0}> {1}
loomCommandDescription=Magbubukas ng habihan.
loomCommandUsage=/<command>
mailClear=§6Upang ibura ang iyong mail, sulatin mo ang§c /mail clear§6.
mailCleared=§6Ang iyong mail ay binura\!
mailCommandDescription=I-papamahalaan ang inter-player at ang intra-server mail.
mailCommandUsage1=/<command> basahin [pahina]
mailCommandUsage2=/<command> burahin [numero]
mailCommandUsage3=/<command> ipadala <manlalaro> <mensahe>
mailDelay=Masyadong madaming mail ang nadala sa huling minuto. Pinakamataas\: {0}
mailFormatNew=§6[§r{0}§6] §6[§r{1}§6] §r{2}
mailFormatNewTimed=§6[§e⚠§6] §6[§r{0}§6] §6[§r{1}§6] §r{2}
mailFormatNewRead=§6[§r{0}§6] §6[§r{1}§6] §7§o{2}
mailFormatNewReadTimed=§6[§e⚠§6] §6[§r{0}§6] §6[§r{1}§6] §7§o{2}
mailFormat=§6[§r{0}§6] §r{1}
mailMessage={0}
mailSent=§6Matagumpay na dinala ang meyl\!
@ -631,36 +643,58 @@ nearCommandUsage=/<command> [pangalan-ng-manlalaro] [radyus]
nearCommandUsage1=/<command>
nearCommandUsage3=/<command> <manlalaro>
nearbyPlayers=§6Manlalaro na malapit\:§r {0}
nearbyPlayersList={0}§f(§c{1}m§f)
negativeBalanceError=§4Hindi pinapayagan ang manlalaro upang magkaroon ng negatibong pitaka.
nickChanged=§6Binago ang Nickname.
nickCommandDescription=Ibago ang iyong nickname o ang ng iba-pang manlalaro na iyon.
nickCommandUsage=/<command> [manlalaro] <nickname|OFF>
nickCommandUsage1=/<command> <nickname>
nickCommandUsage2=/<command> OFF
noBreakBedrock=§6Hindi ka pinapayagang magsira ng batong matigas.
northEast=NE
north=N
northWest=NW
noGodWorldWarning=§4Babala\! Ang diyos na kapangyarihan sa ditong mundo ay di-napagana.
none=wala
notFlying=hindi lumilipad
nothingInHand=§4Wala kang bagay sa iyong kamay.
now=ngayon
nukeCommandUsage=/<command> [manlalaro]
nukeCommandUsage1=/<command> [mga manlalaro...]
passengerTeleportFail=§4Ikaw ay hindi maaaring malipat habang dumadala ka ng mga tao.
payCommandUsage=/<command> <manlalaro> <halaga>
payCommandUsage1=/<command> <manlalaro> <halaga>
payconfirmtoggleCommandUsage=/<command>
paytoggleCommandUsage=/<command> [manlalaro]
paytoggleCommandUsage1=/<command> [manlalaro]
pingCommandDescription=Pong\!
pingCommandUsage=/<command>
playtimeCommandUsage=/<command> [manlalaro]
playtimeCommandUsage1=/<command>
playtimeCommandUsage2=/<command> <manlalaro>
pong=Pong\!
potionCommandUsage=/<command> <clear|apply|effect\:<epekto> power\:<lakas> duration\:<durasyon>>
potionCommandUsage1=/<command> clear
powertoolCommandUsage=/<command> [l\:|a\:|r\:|c\:|d\:][utos] [mga argumento] - {player} maaaring palitan ng pangalan ng manlalarong pumindot
powertoolCommandUsage1=/<command> l\:
powertoolCommandUsage2=/<command> d\:
powertoolCommandUsage3=/<command> r\:<cmd>
powertoolCommandUsage4=/<command> <cmd>
powertoolCommandUsage5=/<command> a\:<cmd>
powertooltoggleCommandUsage=/<command>
ptimeCommandUsage=/<command> [list|reset|day|night|dawn|17\:30|4pm|4000ticks] [manlalaro|*]
pweatherCommandUsage=/<command> [list|reset|storm|sun|clear] [manlalaro|*]
pTimeCurrent=§6Ang oras ni §c{0}§6 ay§c {1}§6.
questionFormat=§2[Tanong]§r {0}
rCommandUsage=/<command> <mensahe>
rCommandUsage1=/<command> <mensahe>
realName=§f{0}§r§6 is §f{1}
realnameCommandUsage=/<command> <nickname>
realnameCommandUsage1=/<command> <nickname>
recentlyForeverAlone=§4Naging offline lang si {0}.
recipeCommandUsage=/<command> <item> [numero]
recipeCommandUsage1=/<command> <item> [pahina]
recipeNothing=wala
removeCommandUsage=<command><all|tamed|named|drops|arrows|boats|minecarts|xp|paintings|itemframes|endercrystals|monsters|animals|ambient|mobs|[uri ng mundo]> [radyus|mundo]
repairCommandUsage=/<command> [hand|all]
repairCommandUsage1=/<command>
@ -756,6 +790,8 @@ unbanipCommandUsage=/<command> <address>
unbanipCommandUsage1=/<command> <address>
unknownItemName=§4Hindi malamang pangalan ng bagay\: {0}.
unlimitedCommandUsage=/<command> <list|item|clear> [manlalaro]
unlinkCommandUsage=/<command>
unlinkCommandUsage1=/<command>
userdataMoveBackError=Nabigong maglipat mula sa userdata/{0}.tmp sa userdata/{1}\!
userdataMoveError=Nabigong maglipat mula sa userdata/{0} sa userdata{1}.tmp\!
vanishCommandUsage=/<command> [manlalaro] [ON|OFF]

View File

@ -240,7 +240,13 @@ discordbroadcastCommandUsage1Description=Envoie le message donné au salon Disco
discordbroadcastInvalidChannel=§4Le salon Discord §c{0}§4 n''existe pas.
discordbroadcastPermission=§4Vous n''avez pas la permission d''envoyer des messages dans le salon §c{0}§4.
discordbroadcastSent=§6Message envoyé à §c{0}§6\!
discordCommandDescription=Envoie le lien d''invitation discord au joueur.
discordCommandAccountArgumentUser=Le compte Discord à rechercher
discordCommandAccountDescription=Recherche le compte Minecraft lié à vous ou à un autre utilisateur Discord
discordCommandAccountResponseLinked=Votre compte est lié au compte Minecraft \: **{0}**
discordCommandAccountResponseLinkedOther=Le compte de {0} est lié au compte Minecraft \: **{1}**
discordCommandAccountResponseNotLinked=Vous n''avez pas de compte Minecraft lié.
discordCommandAccountResponseNotLinkedOther={0} n''a pas de compte Minecraft lié.
discordCommandDescription=Envoie le lien d''invitation Discord au joueur.
discordCommandLink=§6Rejoignez notre serveur Discord à §c{0}§6\!
discordCommandUsage=/<command>
discordCommandUsage1=/<command>
@ -248,12 +254,20 @@ discordCommandUsage1Description=Envoie le lien d''invitation Discord au joueur
discordCommandExecuteDescription=Exécute une commande console depuis le serveur Minecraft.
discordCommandExecuteArgumentCommand=La commande qui doit être exécutée
discordCommandExecuteReply=Exécution de la commande\: "/{0}"
discordCommandUnlinkDescription=Dissocie le compte Minecraft actuellement lié à votre compte Discord
discordCommandUnlinkInvalidCode=Vous n''avez pas de compte Minecraft lié à Discord \!
discordCommandUnlinkUnlinked=Votre compte Discord a été dissocié de tous les comptes Minecraft associés.
discordCommandLinkArgumentCode=Le code fourni en jeu pour lier votre compte Minecraft
discordCommandLinkDescription=Liez votre compte Discord à votre compte Minecraft en utilisant un code de la commande en jeu /link
discordCommandLinkHasAccount=Vous avez déjà un compte lié \! Pour dissocier votre compte actuel, tapez /unlink.
discordCommandLinkInvalidCode=Code de liaison non valide \! Assurez-vous d''avoir exécuté /link en jeu et d''avoir copié le code correctement.
discordCommandLinkLinked=Votre compte a été lié avec succès \!
discordCommandListDescription=Obtenir la liste des joueurs connectés.
discordCommandListArgumentGroup=Un groupe spécifique auquel limiter vos recherches
discordCommandMessageDescription=Envoie un message à un joueur sur le serveur Minecraft.
discordCommandMessageArgumentUsername=Le joueur à qui envoyer le message
discordCommandMessageArgumentMessage=Le message à envoyer au joueur
discordErrorCommand=Vous avez incorrectement ajouté votre bot à votre serveur. Veuillez suivre le tutoriel dans la configuration et ajouter votre bot en utilisant https\://essentialsx.net/discord.html \!
discordErrorCommand=Vous avez ajouté votre bot à votre serveur de manière incorrecte \! Veuillez suivre le tutoriel dans la configuration et ajouter votre bot en utilisant https\://essentialsx.net/discord.html
discordErrorCommandDisabled=Cette commande est désactivée \!
discordErrorLogin=Une erreur s''est produite lors de la connexion à Discord, ce qui a causé la désactivation du plugin \: \n{0}
discordErrorLoggerInvalidChannel=La connexion à la console Discord a été désactivée en raison d''une définition de canal invalide \! Si vous avez l''intention de le désactiver, définissez l''ID du canal à "none", sinon vérifiez que votre ID de canal est correct.
@ -265,8 +279,20 @@ discordErrorNoPrimary=Vous n''avez pas défini de salon principal ou votre salon
discordErrorNoPrimaryPerms=Votre bot ne peut pas parler dans votre salon principal, \#{0}. Assurez-vous que votre bot a les permissions de lecture et d''écriture dans tous les salons que vous souhaitez utiliser.
discordErrorNoToken=Aucun jeton fourni\! Veuillez suivre le tutoriel dans la configuration afin de configurer le plugin.
discordErrorWebhook=Une erreur s''est produite lors de l''envoi de messages à votre canal console \! Cela a probablement été causé par la suppression accidentelle de votre webhook console. Cela peut généralement être corrigé en s''assurant que votre bot a la permission "Gérer les Webhooks" et en exécutant "/ess reload".
discordLinkInvalidGroup=Le groupe {0} non valide a été fourni pour le rôle {1}. Les groupes suivants sont disponibles \: {2}
discordLinkInvalidRole=Un identifiant de rôle non valide, {0}, a été fourni pour le groupe\: {1}. Vous pouvez voir l''ID des rôles avec la commande /roleinfo dans Discord.
discordLinkInvalidRoleInteract=Le rôle, {0} ({1}), ne peut pas être utilisé pour la synchronisation de groupe vers rôle, car il est au-dessus du rôle le plus élevé de votre bot. Déplacez le rôle de votre bot au-dessus de "{0}" ou déplacez "{0}" sous le rôle de votre bot.
discordLinkInvalidRoleManaged=Le rôle, {0} ({1}), ne peut pas être utilisé pour la synchronisation de groupe vers rôle car il est géré par un autre bot ou intégration.
discordLinkLinked=§6Pour lier votre compte Minecraft à Discord, tapez §c{0} §6dans le serveur Discord.
discordLinkLinkedAlready=§6Vous avez déjà lié votre compte Discord \! Si vous souhaitez dissocier votre compte Discord, utilisez §c/unlink§6.
discordLinkLoginKick=§6Vous devez lier compte Discord avant de pouvoir rejoindre ce serveur.\n§6Pour lier votre compte Minecraft à Discord, tapez \:\n§c{0}\n§6dans le serveur Discord de ce serveur \:\n§c{1}
discordLinkLoginPrompt=§6Tu dois lier ton compte Discord avant de pouvoir te déplacer, discuter ou interagir avec ce serveur. Pour lier ton compte Minecraft à Discord, tape §c{0} §6dans le serveur Discord de ce serveur \: §c{1}
discordLinkNoAccount=§6Vous n''avez pas de compte Discord lié à votre compte Minecraft.
discordLinkPending=§6Vous avez déjà un code de d''association. Pour terminer la liaison de votre compte Minecraft à Discord, tapez §c{0} §6dans le serveur Discord.
discordLinkUnlinked=§6Vous avez dissocié votre compte Minecraft de tous les comptes Discord associés.
discordLoggingIn=Tentative de connexion à Discord...
discordLoggingInDone=Connexion réussie en tant que {0}
discordMailLine=**Nouveau message de {0}\:** {1}
discordNoSendPermission=Impossible d''envoyer un message dans le salon \: \#{0} Veuillez vous assurer que le bot a la permission "Envoyer des Messages" dans ce salon \!
discordReloadInvalid=Tentative de recharger la configuration de Discord EssentialsX alors que le plugin est en état invalide \! Si vous avez modifié votre configuration, redémarrez votre serveur.
disposal=Poubelle
@ -314,6 +340,7 @@ enderchestCommandUsage2=/<command> <joueur>
enderchestCommandUsage2Description=Ouvre le coffre de l''Ender du joueur ciblé
errorCallingCommand=Erreur en appelant la commande /{0}
errorWithMessage=§cErreur \:§4 {0}
essChatNoSecureMsg=EssentialsX Chat version {0} ne prend pas en charge le chat sécurisé sur ce logiciel serveur. Mettez à jour EssentialsX, et si ce problème persiste, informez-en les développeurs.
essentialsCommandDescription=Recharge EssentialsX.
essentialsCommandUsage=/<command>
essentialsCommandUsage1=/<command> reload
@ -481,6 +508,7 @@ homeCommandUsage2=/<command> <joueur>\:<nom>
homeCommandUsage2Description=Vous téléporte à la résidence du joueur spécifié avec le nom donné
homes=§6Résidences \:§r {0}
homeConfirmation=§6Vous avez déjà une résidence nommée §c{0} §6\!\nPour écraser votre résidence existante, tapez la commande à nouveau.
homeRenamed=§6Le home §c{0} §6a été renommée en §c{1}§6.
homeSet=§7Résidence définie.
hour=heure
hours=heures
@ -533,6 +561,7 @@ invseeCommandDescription=Voir l''inventaire des autres joueurs.
invseeCommandUsage=/<command> <joueur>
invseeCommandUsage1=/<command> <joueur>
invseeCommandUsage1Description=Ouvre l''inventaire du joueur spécifié
invseeNoSelf=§cVous ne pouvez voir que les inventaires des autres joueurs.
is=est
isIpBanned=§6L''adresse IP §c{0} §6est bannie.
internalError=§cUne erreur interne est survenue lors de l''exécution de cette commande.
@ -658,6 +687,10 @@ lightningCommandUsage2=/<command> <joueur> <puissance>
lightningCommandUsage2Description=La foudre frappe le joueur ciblé avec la puissance donnée
lightningSmited=§7Vous venez d''être foudroyé(e) \!
lightningUse=§c{0} §6s''est fait(e) foudroyer
linkCommandDescription=Génère un code pour lier votre compte Minecraft à Discord.
linkCommandUsage=/<command>
linkCommandUsage1=/<command>
linkCommandUsage1Description=Génère un code pour la commande /link sur Discord
listAfkTag=§7[AFK]§r
listAmount=§9Il y a §c{0}§9 joueurs en ligne sur §c{1}§9 au total.
listAmountHidden=§6Il y a §c{0}§6/§c{1}§6 joueurs en ligne sur un maximum de §c{2}§6.
@ -1007,6 +1040,12 @@ removeCommandUsage1Description=Supprime tous les mobs du type donné dans le mon
removeCommandUsage2=/<command> <type dentité> <rayon> [monde]
removeCommandUsage2Description=Supprime tous les mobs du type donné dans le rayon donné dans le monde actuel ou dans un autre monde si spécifié
removed=§7{0} entités supprimées.
renamehomeCommandDescription=Renomme un home.
renamehomeCommandUsage=/<command> <[joueur\:]nom> <new name>
renamehomeCommandUsage1=/<command> <nom> <nouveau nom>
renamehomeCommandUsage1Description=Renomme la résidence avec le nom donné
renamehomeCommandUsage2=/<command> <player>\:<name> <new name>
renamehomeCommandUsage2Description=Renomme la résidence du joueur spécifié avec le nom donné
repair=§6Vous avez réparé votre \: §c{0}§6.
repairAlreadyFixed=§7Cet objet n''a pas besoin de réparation.
repairCommandDescription=Répare la durabilité d''un ou de tous les objets.
@ -1018,7 +1057,7 @@ repairCommandUsage2Description=Répare tous les objets dans votre inventaire
repairEnchanted=§7Vous n''êtes pas autorisé à réparer les objets enchantés.
repairInvalidType=§4Cet objet ne peut pas être réparé.
repairNone=§4Aucun objet ne nécessite de réparation.
replyFromDiscord=**Réponse de {0}\:** `{1}`
replyFromDiscord=**Réponse de {0}\:** {1}
replyLastRecipientDisabled=§6Répondre au dernier destinataire du message \: §cdésactivé§6.
replyLastRecipientDisabledFor=§6Répondre au dernier destinataire du message §cdésactivé §6pour §c{0}§6.
replyLastRecipientEnabled=§6Répondre au dernier destinataire du message \: §cactivé§6.
@ -1076,7 +1115,9 @@ serverTotal=§6Total du serveur \: §c{0}
serverUnsupported=Vous utilisez une version de serveur non prise en charge \!
serverUnsupportedClass=Classe déterminant le statut \: {0}
serverUnsupportedCleanroom=Vous exécutez un serveur qui ne prend pas correctement en charge les plugins Bukkit qui dépendent du code interne de Mojang. Envisagez d''utiliser un équivalant à Essentials compatible avec votre logiciel serveur.
serverUnsupportedDangerous=Vous utilisez un fork de serveur qui est connu pour être extrêmement dangereux et qui entraîne une perte de données. Il est fortement recommandé de passer à un logiciel serveur plus stable comme Paper.
serverUnsupportedLimitedApi=Vous exécutez un serveur avec des fonctionnalités API limitées. EssentialsX continuera de fonctionner, mais certaines fonctionnalités seront désactivées.
serverUnsupportedDumbPlugins=Vous utilisez des plugins connus pour causer de graves problèmes avec EssentialsX et d''autres plugins.
serverUnsupportedMods=Vous exécutez un serveur qui ne prend pas correctement en charge les plugins Bukkit. Les plugins Bukkit ne devraient pas être utilisés avec les mods Forge/Fabric \! Envisagez d''utiliser ForgeEssentials ou SpongeForge + Nucleus.
setBal=§aVotre solde a été modifié à {0}.
setBalOthers=§aVous avez modifià le solde de {0} à {1}.
@ -1390,6 +1431,10 @@ unlimitedCommandUsage3=/<command> clear [joueur]
unlimitedCommandUsage3Description=Efface tous les objets illimités pour vous ou pour un autre joueur si spécifié
unlimitedItemPermission=§4Pas de permission pour l''objet illimité §c{0}§4.
unlimitedItems=§6Objets illimités \:§r
unlinkCommandDescription=Déconnecte votre compte Minecraft du compte Discord actuellement lié.
unlinkCommandUsage=/<command>
unlinkCommandUsage1=/<command>
unlinkCommandUsage1Description=Déconnecte votre compte Minecraft du compte Discord actuellement lié.
unmutedPlayer=§6Le joueur§c {0} §6a de nouveau la parole.
unsafeTeleportDestination=§4La destination est dangereuse et la téléportation sans risque est désactivée.
unsupportedBrand=§4La plateforme de serveur que vous utilisez actuellement ne possède pas les prérequis nécessaires à cette fonctionnalité.
@ -1410,6 +1455,8 @@ userIsAwaySelf=§7Vous êtes maintenant AFK.
userIsAwaySelfWithMessage=§7Vous êtes maintenant AFK.
userIsNotAwaySelf=§7Vous n''êtes plus AFK.
userJailed=§6Vous avez été emprisonné(e) \!
usermapEntry=§c{0} §6est associé à §c{1}§6.
usermapPurge=§6Vérification des fichiers dans les données utilisateur qui ne sont pas associés, les résultats seront enregistrés dans la console. Mode destructif\: {0}
userUnknown=§4Attention \: l''utilisateur "§c{0}§4" n''est jamais venu sur ce serveur.
usingTempFolderForTesting=Utilise un fichier temporaire pour un test.
vanish=§6Invisibilité pour {0}§6 \: {1}
@ -1422,6 +1469,7 @@ versionCheckDisabled=§6Vérification des mises à jour désactivée dans la con
versionCustom=§6Impossible de vérifier votre version \! Sagit-il dune version auto-générée ? Informations de la build \: §c{0}§6.
versionDevBehind=§4Vous êtes en retard de §c{0} §4version(s) de développement dEssentialsX \!
versionDevDiverged=§6Vous utilisez une version expérimentale d''EssentialsX qui est §c{0} §6builds en retard de la dernière version de développement \!
versionDevDivergedBranch=§6Branche vedette \: §c{0}§6.
versionDevDivergedLatest=§6Vous utilisez une version expérimentale à jour d''EssentialsX \!
versionDevLatest=§6Vous utilisez la dernière version de développement d''EssentialsX \!
versionError=§4Erreur lors de la récupération des informations sur la version d''EssentialsX \! Informations sur la build \: §c{0}§6.

View File

@ -239,6 +239,11 @@ discordbroadcastCommandUsage1Description=שולח את ההודעה הנתונה
discordbroadcastInvalidChannel=ערוץ §4דיסקורד §c{0}§4 אינו קיים.
discordbroadcastPermission=§4אין לך הרשאה לשלוח הודעות לערוץ הזה §c{0}§4.
discordbroadcastSent=§6ההודעה נשלחה אל §c{0}§6\!
discordCommandAccountDescription=מחפש את משתמש המיינקראפט המחובר בשבילך או בשביל משתמש דיסקורד אחר
discordCommandAccountResponseLinked=המשתמש שלך מחובר למשתמש המיינקראפט\: **{0}**
discordCommandAccountResponseLinkedOther=המשתמש של {0} מחובר למשתמש המיינקראפט\: **{1}**
discordCommandAccountResponseNotLinked=אין לך משתמש מיינקראפט מחובר.
discordCommandAccountResponseNotLinkedOther=ל{0} אין משתמש מיינקראפט מחובר.
discordCommandDescription=שולח את קישור הזמנת הדיסקורד לשחקן.
discordCommandLink=§בואו לשרת דיסקורד שלנו בקישור-§c{0}§6\!
discordCommandUsage=/<command>
@ -247,12 +252,20 @@ discordCommandUsage1Description=שולח את קישור הזמנה לדיסקר
discordCommandExecuteDescription=מבצע פקודת קונסולה בשרת מיינקראפט.
discordCommandExecuteArgumentCommand=הפקודה שיש לבצע
discordCommandExecuteReply=מבצע פקודה\: "\\{0}"
discordCommandUnlinkDescription=מנתק את משתמש המיינקראפט שכרגע מחובר למשתמש הדיסקורד שלך
discordCommandUnlinkInvalidCode=אין לך משתמש מיינקראפט מחובר לדיסקורד\!
discordCommandUnlinkUnlinked=משתמש הדיסקורד שלך התנתק מכל משתמשי המיינקראפט המשויכים.
discordCommandLinkArgumentCode=הקוד המסופק בתוך המשחק בכדי לחבר את משתמש המיינקראפט שלך
discordCommandLinkDescription=מחבר את משתמש הדיסקורד שלך עם משתמש המיינקראפט שלך בעזרת הקוד מתוך הפקודה link/ בתוך המשחק
discordCommandLinkHasAccount=כבר יש לך משתמש מחובר\! כדי לנתק את המשתמש הנוכחי, כתוב unlink/.
discordCommandLinkInvalidCode=קוד קישור לא אמיתי\! אנא וודא/י שהרצת את הפקודה link/ בתוך המשחק והעתקת את הקוד כמו שצריך.
discordCommandLinkLinked=חיבר את המשתמש שלך בהצלחה\!
discordCommandListDescription=מקבל רשימה של כל החשקנים המחוברים.
discordCommandListArgumentGroup=קבוצה ספציפית בשביל להגביל את החיפוש השחקנים לפיה
discordCommandMessageDescription=שולח הודעות לשחקן בשרת המיינקראפט.
discordCommandMessageArgumentUsername=השחקן שאליו יש לשלוח את ההודעה
discordCommandMessageArgumentMessage=ההודעה שיש לשלוח לשחקן
discordErrorCommand=הוספתם את הבוט שלכם לשרת שלכם בצורה שגויה. אנא עקובו אחר המדריך ההגדרה והוסיפו את הבוט שלכם באמצעות https\://essentialsx.net/discord.html\!
discordErrorCommand=אתה הוספת את הבוט שלך לשרת שלך בצורה לא נכונה\! בבקשה עקוב אחר המדריך ב"קונפיג" וצרף את הבוט שלך בעזרת https\://essentialsx.net/discord.html
discordErrorCommandDisabled=הפקודה הזו מושבתת\!
discordErrorLogin=אירעה שגיאה בעת הכניסה לדיסקורד, שגרמה לפלאגין לבטל את עצמו\:\n{0}
discordErrorLoggerInvalidChannel=העתקת קונסולה לדיסקרוד הושבת עקב הגדרת ערוץ לא חוקית\! אם אתם מתכוונים להשבית אותו, הגדירו את channel ID ל"none"; אחרת בידוקו שמזהה הערוץ שלכם נכון.
@ -266,6 +279,7 @@ discordErrorNoToken=אין לבוט token\! אנא עקובו אחר המדרי
discordErrorWebhook=אירעה שגיאה בעת שליחת הודעות לערוץ הקונסולה שלכם\! זה כנראה נגרם על ידי מחיקה בטעות של ה-webhook של הקונסולה שלכם. אפשר לתקן את זה, פשוט מאוד הגדירו מחדש את ההרשאות "Manage Webhooks" והריצו את הפקודה "\\ess reload".
discordLoggingIn=מנסה להיכנס לדיסקורד...
discordLoggingInDone=נכנס בהצלחה בתור {0}
discordMailLine=**אימייל חדש מ{0}\:** {1}
discordNoSendPermission=לא ניתן לשלוח הודעה בערוץ\: \#{0} אנא ודאו שלבוט יש הרשאת "Send Messages" בערוץ זה\!
discordReloadInvalid=ניסיתי לטעון מחדש את תצורת EssentialsX Discord בזמן שהפלאגין במצב לא חוקי\! אם שיניתם את ההגדרות, הפעילו מחדש את השרת שלכם.
disposal=פח זבל
@ -425,19 +439,35 @@ helpopCommandUsage=\\<command> <message>
helpopCommandUsage1=\\<command> <message>
holdBook=אתה לא מחזיק בספר כתיבה.
holeInFloor=חור ברצפה \!
homeCommandDescription=השתגר לבית שלך.
homeCommandUsage=\\<command> [player\:][name]
homeCommandUsage1=\\<command> <name>
homeCommandUsage2=\\<command> <player>\:<name>
homeCommandUsage2Description=משגר אותך לבית של השחקן הספציפי עם השם הניתן
homes=§6בתים\:§r {0}
homeConfirmation=§6כבר יש לך בית בשם §c{0}§6\!\nכדי להחליף את הבית הנוכחי שלך, הקלד את הפקודה בשנית.
homeSet=הבית הוגדר.
hour=שעה
hours=שעות
ice=§6אתה מרגיש שקר לך יותר...
iceCommandDescription=מקרר את השחקן.
iceCommandUsage=שחקן
iceCommandUsage1=/<command>
iceCommandUsage1Description=מקרר אותך
iceCommandUsage2=\\<command> <player>
iceCommandUsage2Description=מקרר את השחקן שניתן
iceCommandUsage3=/<command> *
iceCommandUsage3Description=מקרר את כל השחקנים המחוברים
iceOther=§6מקרר§c {0}§6.
ignoreCommandDescription=מתעלם או מבטל התעלמות משחקן.
ignoreCommandUsage=\\<command> <player>
ignoreCommandUsage1=\\<command> <player>
ignoreCommandUsage1Description=מתעלם או מבטל התעלמות של השחקן הניתן
ignoredList=§6מתעלם מהם\:§r {0}
ignoreExempt=§4אתה לא יכול להתעלם מהשחקן הזה.
ignorePlayer=§6אתה מתעלם מהשחקן §c {0} §6מעכשיו on.
illegalDate=תבנית תאריך לא חוקית.
infoAfterDeath=§6אתה נהרגת ב §e{0} §6במיקום §e{1}, {2}, {3}§6.
infoChapter=§6בחר פרק\:
infoCommandUsage=\\<command> [chapter] [page]
infoUnknownChapter=\n§4נתון לא ידוע.\n
@ -462,6 +492,7 @@ itemloreCommandUsage2=\\<command> set <line number> <text>
itemloreCommandUsage3=\\<command> clear
itemMustBeStacked=\n§4החפץ חייב לעבור בכמויות. כמות של 2s יהיה שתי סטאקים, וכו''.\n
itemNames=\n§6שמות קצרים של החפץ\:§r {0}\n
itemnameCommandDescription=מונה את הפריט.
itemnameCommandUsage=\\<command> [name]
itemnameCommandUsage1=/<command>
itemnameCommandUsage2=\\<command> <name>
@ -474,35 +505,59 @@ itemdbCommandUsage1=\\<command> <item>
jailAlreadyIncarcerated=\n§4השחקן כבר בכלא\:§c {0}\n
jailMessage=\n§4אתה עושה את הפשע, אתה עושה את הזמן.\n
jailNotExist=הכלא הזה לא קיים.
jailNotifySentenceExtended=§6זמן השחקן של §c{0} §6הוארך ל- §c{1} §6על ידי §c{2}§6.
jailReleased=השחקן x שוחרר מהכלא.
jailReleasedPlayerNotify=\n§6אתה שוחררת מהכלא\!\n
jailSentenceExtended=\n§6זמן בכלא עומד על §c{0}§6.\n
jailSet=\n§6כלא§c {0} §6נוצר.\n
jailWorldNotExist=הכלא הזה לא קיים.
jumpEasterDisable=§6מצב המכשף המעופף בוטל.
jumpEasterEnable=§6מצב המכשף המעופף הופעל.
jailsCommandDescription=מונה את כל בתי הכלא.
jailsCommandUsage=/<command>
jumpCommandDescription=קופץ לבלוק הקרוב ביותר בקו הראייה.
jumpCommandUsage=/<command>
jumpError=\n§4זה יכאב למוח של המחשב שלך.\n
kickCommandDescription=מעיף את השחקן הניתן ללא סיבה.
kickCommandUsage=/<command> <player> [reason]
kickCommandUsage1=/<command> <player> [reason]
kickCommandUsage1Description=מרחיק את השחקן הניתן עם סיבה אפשרית
kickDefault=הוציאו אותך מהשרת.
kickedAll=\n§4כל שחקני השרת נותקוr.\n
kickExempt=אתה לא יכול לעשות kick לשחקן הזה.
kickallCommandDescription=מעיף את כל השחקנים מהשרת מלבד מבצע הפקודה.
kickallCommandUsage=\\<command> [reason]
kickallCommandUsage1=\\<command> [reason]
kickallCommandUsage1Description=מעיף את כל השחקנים עם סיבה אפשרית
kill=הרג
killCommandDescription=הורג שחקן שניתן.
killCommandUsage=\\<command> <player>
killCommandUsage1=\\<command> <player>
killCommandUsage1Description=הורג את השחקן שניתן
killExempt=אתה לא יכול להרוג x
kitCommandDescription=משיג את הקיט הניתן או מראה את כל הקיטים הזמינים.
kitCommandUsage=\\<command> [kit] [player]
kitCommandUsage1=/<command>
kitCommandUsage1Description=מונה את כל הקיטים הזמינים
kitCommandUsage2=/<command> <kit> [player]
kitCommandUsage2Description=נותן את הקיט שניתן לך או לשחקן אחר אם פורט
kitContains=§6קיט §c{0} §6מכיל\:
kitCost=\ §7§o({0})§r
kitDelay=§m{0}§r
kitError=\n§4אין ערכות שנמצאו.\n
kitError2=\n§4הערכה מוגדרת לא כראוי. צור קשר עם מנהל.\n
kitError3=לא יכול לתת את פריט הקיט "{0}" לשחקן {1} מאחר והפריט מחייב Paper 1.15.2+ כדי לפרש.
kitGiveTo=מביא kit ל x
kitInvFull=\n§4התיק שלך היה מלא, ערכה נזרקה לרצפה.\n
kitInvFullNoDrop=§4אין מספיק מקום באינוונטורי שלך לקיט הזה.
kitItem=§6- §f{0}
kitNotFound=\n§4ערכה זאת אינה קיימת.\n
kitOnce=\n§4אינך יכול להשתמש בערכה זאת שוב.\n
kitReceive=\n§6נותן ערכה§c {0}§6.\n
kitReset=§6 מאפשר את זמני ההמתנה לקיט §c{0}§6.
kitresetCommandDescription=מאפס את זמני ההמתנה לקיט שניתן.
kitresetCommandUsage=/<command> <kit> [player]
kitresetCommandUsage1=/<command> <kit> [player]
kits=\n§6ערכות\:§r {0}\n
kittycannonCommandUsage=/<command>
kitTimed=\n§4תוכל להשתמש בערכה זאת רק בעוד§c {0}§4.\n
@ -511,6 +566,8 @@ lightningCommandUsage1=שחקן
lightningCommandUsage2=\\<command> <player> <power>
lightningSmited=\n§6ברק נורה\!\n
lightningUse=\n§6פוגע עם ברק ב§c {0}\n
linkCommandUsage=/<command>
linkCommandUsage1=/<command>
listAfkTag=§7[רחוק מהמקלדת]§r
listAmount=\n§6יש כרגע §c{0}§6 מתוך מקסימום שחקנים של §c{1}§6 שחקנים מחוברים.\n
listCommandUsage=\\<command> [group]
@ -830,6 +887,8 @@ unlimitedCommandUsage=\\<command> <list|item|clear> [player]
unlimitedCommandUsage1=\\<command> list [player]
unlimitedCommandUsage2=\\<command> <item> [player]
unlimitedCommandUsage3=\\<command> clear [player]
unlinkCommandUsage=/<command>
unlinkCommandUsage1=/<command>
vanishCommandUsage=\\<command> [player] [on|off]
vanishCommandUsage1=שחקן
warpCommandUsage=\\<command> <pagenumber|warp> [player]

View File

@ -248,6 +248,8 @@ kittycannonCommandUsage=/<command>
kitTimed=§4Ti ne mozes koristiti taj kit ponovno za jos§c {0}§4.
lightningSmited=&7Thor ga je pogodio grmljavinom\!
lightningUse=&7Grmimo na &3{0}&7
linkCommandUsage=/<command>
linkCommandUsage1=/<command>
listAfkTag=&7[AFK]&r
listAmount=§6Online su §c{0}§6 od maksimalno §c{1}§6 igrača online.
listHiddenTag=&7[Ne Vidljiv]&r
@ -435,6 +437,8 @@ tps=&7Trenutacni TPS \= &3{0}
typeTpaccept=§6Za teleport, kucaj §c/tpaccept§6.
typeTpdeny=§6Za odbiti ovaj zahtjev, kucaj §c/tpdeny§6.
unignorePlayer=&7Ti neignoriras igrace &3{0} &7vise.
unlinkCommandUsage=/<command>
unlinkCommandUsage1=/<command>
unmutedPlayer=§6Igrac§c {0} §6unmutan.
unvanishedReload=&7Reload je, zato si sada vidljiv, login se.
userAFK=&3{0} &7je trenutno AFK i mozda nece vam odgovoriti.

View File

@ -253,7 +253,7 @@ discordCommandListArgumentGroup=Egy adott csoport, amelyre korlátozza a keresé
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=Helytelenül adta hozzá BOTját a szerveréhez. Kérjük, kövesse a konfigurációs útmutatót, és adja hozzá BOTját a https\://essentialsx.net/discord.html használatával\!
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
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.
@ -262,6 +262,7 @@ discordErrorNoGuild=Érvénytelen vagy hiányzó szerver -azonosító\! Kérjük
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.
discordLoggingIn=Belépés a Discordba...
@ -313,6 +314,7 @@ enderchestCommandUsage2=/<command> <játékos>
enderchestCommandUsage2Description=Megnyitja a megadott játékos végzetládáját
errorCallingCommand=Hiba a parancs meghívásakor /{0}
errorWithMessage=§cHiba\:§4 {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.
essentialsCommandDescription=Essentials újratöltése.
essentialsCommandUsage=/<command>
essentialsCommandUsage1=/<command> újratöltés
@ -371,6 +373,7 @@ fireballCommandUsage2=/<command> <fireball|small|large|arrow|skull|egg|snowball|
fireworkColor=§4Érvénytelen tűzijáték-töltési paramétereket adtál meg, először a színt kell beállítani.
fireworkCommandDescription=Lehetővé teszi a tűzijáték-halom módosítását.
fireworkCommandUsage=/<command> <<meta param>|power [mennyiség]|clear|fire [mennyiség]>
fireworkCommandUsage4=/<command> <meta>
fireworkCommandUsage4Description=A kezedben tartott tüzijátékhoz hozzáadja a megadott effektet
fireworkEffectsCleared=§6Az összes effekt eltávolítva a tartott halomról.
fireworkSyntax=§6Tűzijáték paraméterek\:§c color\:<color> [fade\:<color>] [shape\:<shape>] [effect\:<effect>]\n§6Több szín/effektus használatához vesszővel kell elválasztani az értékeket. pl.\: §cred,blue,pink\n§6Alakzatok\:§c star, ball, large, creeper, burst §6Effektek\:§c trail, twinkle.
@ -389,6 +392,7 @@ gameModeInvalid=§4Meg kell adnod egy érvényes játékost/módot.
gamemodeCommandDescription=Játékmód megváltoztatása.
gamemodeCommandUsage=/<command> <survival|creative|adventure|spectator> [játékos]
gamemodeCommandUsage1=/<command> <survival|creative|adventure|spectator> [játékos]
gamemodeCommandUsage1Description=Beállítja a saját vagy egy másik játékos játékmódját, ha meg van adva
gcCommandDescription=Kiírja a memória, üzemidő és tick infót.
gcCommandUsage=/<command>
gcfree=§6Szabad memória\:§c {0} MB.
@ -403,6 +407,7 @@ getposCommandUsage1Description=Megmutatja a koordinátádat vagy egy másik ját
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> [mennyiség]
giveCommandUsage2=/<command> <játékos> <tárgy> <összeg> <meta>
geoipCantFind=§c{0}§a ismeretlen országból§6 jött.
geoIpErrorOnJoin=Nem sikerült letölteni a(z) {0} GeoIP adatait. Kérjük, ellenőrizd, hogy a licenckulcs és a konfiguráció helyes-e.
geoIpLicenseMissing=Nem található licenckulcs\! Kérjük látogass el az https\://essentialsx.net/geoip webhelyre az első telepítési utasításokért.
@ -607,6 +612,8 @@ lightningCommandUsage=/<command> [játékos] [erő]
lightningCommandUsage1=/<command> [játékos]
lightningSmited=§6A villám lesújtott rád\!
lightningUse=§6Villám lesujtása§c {0}§6-ra/re.
linkCommandUsage=/<command>
linkCommandUsage1=/<command>
listAfkTag=§7[Nincs gépnél]§r
listAmount=§6Jelenleg §c{0}§6 játékos online a maximális §c{1}§6 játékosból.
listAmountHidden=§6Jelenleg §c{0}§6/§c{1}§6 játékos online a maximális §c{2}§6 játékosból.
@ -1153,6 +1160,8 @@ unlimitedCommandDescription=Lehetővé teszi a tárgyak korlátlan lehelyezésé
unlimitedCommandUsage=/<command> <list|item|clear> [játékos]
unlimitedItemPermission=§4Nincs jogod a végtelenségre a következő tárgynál\: §c{0}§4.
unlimitedItems=§6Végtelen tárgyak\:§r
unlinkCommandUsage=/<command>
unlinkCommandUsage1=/<command>
unmutedPlayer=§c{0}§6-nak/-nek fel lett oldva a némítása.
unsafeTeleportDestination=§4A teleport cél nem biztonságos, és a teleport-safety le van tiltva.
unsupportedBrand=§4A jelenleg futtatott szerverplatform nem biztosítja ehhez a funkcióhoz az adottságokat.

View File

@ -240,6 +240,12 @@ discordbroadcastCommandUsage1Description=Invia il messaggio dato al canale Disco
discordbroadcastInvalidChannel=§4Il canale Discord §c{0}§4 non esiste.
discordbroadcastPermission=§4Non hai il permesso di inviare messaggi al canale §c{0}§4.
discordbroadcastSent=§6Messaggio inviato a §c{0}§6\!
discordCommandAccountArgumentUser=Account Discord da cercare
discordCommandAccountDescription=Cerca l''account Minecraft collegato per te stesso o per un altro utente Discord
discordCommandAccountResponseLinked=Il tuo account è collegato all''account Minecraft\: **{0}**
discordCommandAccountResponseLinkedOther=Accaunt di {0} è collegato all''account Minecraft\: **{1}**
discordCommandAccountResponseNotLinked=Non hai un account di Minecraft collegato.
discordCommandAccountResponseNotLinkedOther={0} non ha un account di Minecraft collegato.
discordCommandDescription=Invia link di invito per Discord al giocatore.
discordCommandLink=§6Unisciti al nostro server Discord a §c{0}§6\!
discordCommandUsage=/<command>
@ -248,12 +254,20 @@ discordCommandUsage1Description=Invia link di invito per Discord al giocatore
discordCommandExecuteDescription=Esegue un comando console sul server di Minecraft.
discordCommandExecuteArgumentCommand=Il comando da eseguire
discordCommandExecuteReply=Esecuzione comando\: "/{0}"
discordCommandUnlinkDescription=Scollega l''account Minecraft attualmente collegato al tuo account Discord
discordCommandUnlinkInvalidCode=Al momento non hai un account Minecraft collegato a Discord\!
discordCommandUnlinkUnlinked=Il tuo account Discord è stato scollegato da tutti gli account di Minecraft associati.
discordCommandLinkArgumentCode=Il codice fornito nel gioco per collegare il tuo account Minecraft
discordCommandLinkDescription=Collega il tuo account Discord con il tuo account Minecraft utilizzando un codice dal comando in-game /link
discordCommandLinkHasAccount=Hai già un account collegato\! Per scollegare il tuo account corrente, digita /unlink.
discordCommandLinkInvalidCode=Codice di collegamento non valido\! Assicurati di aver eseguito /link nel gioco e copiato correttamente il codice.
discordCommandLinkLinked=Collegato con successo al tuo account\!
discordCommandListDescription=Ottiene un elenco di giocatori online.
discordCommandListArgumentGroup=Un gruppo specifico per limitare la ricerca di
discordCommandMessageDescription=Messaggi di un giocatore sul server di Minecraft.
discordCommandMessageArgumentUsername=Il giocatore a cui inviare il messaggio
discordCommandMessageArgumentMessage=Il messaggio da inviare al giocatore
discordErrorCommand=Hai aggiunto il tuo bot al server in modo errato. Segui il tutorial nella configurazione e aggiungi il tuo bot usando https\://essentialsx.net/discord.html\!
discordErrorCommand=Hai aggiunto il tuo bot al tuo server in modo errato\! Segui il tutorial nella 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 Discord è stato disabilitato a causa di una definizione di canale non valida\! Se hai intenzione di disattivarlo, imposta l''ID del canale su "none"; altrimenti controlla che l''ID del tuo canale sia corretto.
@ -265,8 +279,20 @@ discordErrorNoPrimary=Non hai definito un canale primario o il canale primario d
discordErrorNoPrimaryPerms=Il tuo bot non può parlare nel tuo canale principale, \#{0}. Assicurati che il tuo bot abbia i permessi di lettura e scrittura in tutti i canali che desideri utilizzare.
discordErrorNoToken=Nessun token fornito\! Si prega di seguire il tutorial nella configurazione per configurare il plugin.
discordErrorWebhook=Si è verificato un errore durante l''invio dei messaggi al canale della console\! Probabilmente è stato causato dall''eliminazione accidentale del webhook della console. Questo di solito può essere risolto assicurando che il tuo bot abbia il permesso "Gestisci Webhooks" ed eseguendo "/ess reload".
discordLinkInvalidGroup=Il gruppo {0} non valido è stato fornito per il ruolo {1}. I seguenti gruppi sono disponibili\: {2}
discordLinkInvalidRole=Un ID ruolo non valido, {0}, è stato fornito per il gruppo\: {1}. È possibile vedere l''ID dei ruoli con il comando /roleinfo in Discord.
discordLinkInvalidRoleInteract=Il ruolo, {0} ({1}), non può essere utilizzato per la sincronizzazione di gruppo->ruolo perché sopra il ruolo più alto del tuo bot. O spostare il ruolo del bot sopra "{0}" o spostare "{0}" sotto il ruolo del bot.
discordLinkInvalidRoleManaged=Il ruolo, {0} ({1}), non può essere utilizzato per la sincronizzazione di gruppo->ruolo perché è gestito da un altro bot o integrazione.
discordLinkLinked=§6Per collegare il tuo account Minecraft a Discord, digita §c{0} §6nel server Discord.
discordLinkLinkedAlready=§6Hai già collegato il tuo account Discord\! Se desideri scollegare il tuo account discord usa §c/unlink§6.
discordLinkLoginKick=§6Devi collegare il tuo account Discord prima di entrare in questo server.\n§6Per collegare il tuo account Minecraft a Discord, digita\:\n§c{0}\n§6nel server Discord di questo server\:\n§c{1}
discordLinkLoginPrompt=§6Devi collegare il tuo account Discord prima di poter spostare, chattare o interagire con questo server. Per collegare il tuo account Minecraft a Discord, digita §c{0} §6nel server Discord di questo server\: §c{1}
discordLinkNoAccount=§6Al momento non hai un account Discord collegato al tuo account Minecraft.
discordLinkPending=§6Hai già un codice di collegamento. Per completare il collegamento del tuo account Minecraft a Discord, digita §c{0} §6nel server di Discord.
discordLinkUnlinked=§6Scollegato il tuo account Minecraft da tutti gli account di discordia associati.
discordLoggingIn=Tentativo di accedere a Discord...
discordLoggingInDone=Accesso effettuato con successo come {0}
discordMailLine=**Nuova posta da {0}\:** {1}
discordNoSendPermission=Impossibile inviare il messaggio nel canale\: \#{0} Assicurarsi che il bot abbia l''autorizzazione "Invia messaggi" in quel canale\!
discordReloadInvalid=Ha provato a ricaricare la configurazione di EssentialsX Discord mentre il plugin è in uno stato non valido\! Se hai modificato la configurazione, riavvia il server.
disposal=Cestino
@ -482,6 +508,7 @@ homeCommandUsage2=/<command> <player> <name>
homeCommandUsage2Description=Ti teletrasporta nella casa del giocatore specificato con il nome dato
homes=Case\: {0}
homeConfirmation=§6Hai già una casa chiamata §c{0}§6\!\nPer sovrascrivere la tua casa esistente, digita nuovamente il comando.
homeRenamed=§6La casa §c{0} §6è stata rinominata in §c{1}§6.
homeSet=§7Casa impostata alla posizione corrente.
hour=ora
hours=ore
@ -534,6 +561,7 @@ invseeCommandDescription=Vedi l''inventario degli altri giocatori.
invseeCommandUsage=/<command> <player>
invseeCommandUsage1=/<command> <player>
invseeCommandUsage1Description=Apre l''inventario del giocatore specificato
invseeNoSelf=§cPuoi visualizzare solo gli inventari degli altri giocatori.
is=è
isIpBanned=§6L''IP §c{0} §6è bannato.
internalError=§cSi è verificato un errore durante l''esecuzione di questo comando.
@ -659,6 +687,10 @@ lightningCommandUsage2=/<command> <player> <power>
lightningCommandUsage2Description=Colpisce l''illuminazione al giocatore bersaglio con la potenza data
lightningSmited=§6Sei stato folgorato\!
lightningUse=§c {0} §6 è stato folgorato\!
linkCommandDescription=Genera un codice per collegare il tuo account Minecraft a Discord.
linkCommandUsage=/<command>
linkCommandUsage1=/<command>
linkCommandUsage1Description=Genera un codice per il comando /link su Discord
listAfkTag=§7[AFK]§r
listAmount=§6Ci sono §c{0}§6 giocatori online su un massimo di §c{1}§6.
listAmountHidden=§6Ci sono §c{0}§6/§c{1}§6 su un massimo di §c{2}§6 giocatori online.
@ -1008,6 +1040,12 @@ removeCommandUsage1Description=Rimuove tutto il tipo di mob specificato nel mond
removeCommandUsage2=/<command> <mob type> <radius> [world]
removeCommandUsage2Description=Rimuove il tipo di mob specificato nel raggio indicato nel mondo corrente o in un altro se specificato
removed=§6Rimosse§c {0} §6entità.
renamehomeCommandDescription=Rinomina una casa.
renamehomeCommandUsage=/<command> <[giocatore\:]nome> <new name>
renamehomeCommandUsage1=/<command> <name> <new name>
renamehomeCommandUsage1Description=Rinomina la tua casa al nome specificato
renamehomeCommandUsage2=/<command> <player>\:<name> <new name>
renamehomeCommandUsage2Description=Rinomina la casa del giocatore specificato al nome specificato
repair=§6Hai riparato il tuo\: §c{0}§6.
repairAlreadyFixed=§4Questo oggetto non richiede riparazioni.
repairCommandDescription=Ripara la durata di uno o tutti gli oggetti.
@ -1019,7 +1057,7 @@ repairCommandUsage2Description=Ripara tutti gli oggetti nel tuo inventario
repairEnchanted=§4Non hai il permesso di riparare oggetti incantati.
repairInvalidType=§4Questo oggetto non può essere riparato.
repairNone=§4Non ci sono oggetti da riparare.
replyFromDiscord=**Risposta da {0}\:** `{1}`
replyFromDiscord=**Risposta da {0}\:** {1}
replyLastRecipientDisabled=§6Risposta all''ultimo destinatario dei messaggi §cdisabilitata§6.
replyLastRecipientDisabledFor=§6Risposta all''ultimo destinatario dei messaggi §cdisabilitata §6per §c{0}§6.
replyLastRecipientEnabled=§6Risposta all''ultimo destinatario dei messaggi §cabilitata§6.
@ -1392,6 +1430,10 @@ unlimitedCommandUsage3=/<command> clear [player]
unlimitedCommandUsage3Description=Cancella tutti gli oggetti illimitati per te o per un altro giocatore se specificato
unlimitedItemPermission=§4Nessun permesso per oggetti illimitati §c{0}§4.
unlimitedItems=§6Oggetti illimitati\:§r
unlinkCommandDescription=Scollega il tuo account Minecraft dall''account Discord attualmente collegato.
unlinkCommandUsage=/<command>
unlinkCommandUsage1=/<command>
unlinkCommandUsage1Description=Scollega il tuo account Minecraft dall''account Discord attualmente collegato.
unmutedPlayer=§6Il giocatore§c {0} §6è stato smutato.
unsafeTeleportDestination=§4La destinazione del teletrasporto non è sicura e il teletrasporto sicuro è disabilitata.
unsupportedBrand=§4La piattaforma server attualmente in esecuzione non fornisce le funzionalità per questa funzionalità.
@ -1412,6 +1454,9 @@ userIsAwaySelf=Ora sei AFK\!
userIsAwaySelfWithMessage=Ora sei AFK.
userIsNotAwaySelf=Non sei più AFK\!
userJailed=§6Sei stato incarcerato\!
usermapEntry=§c{0} §6è mappato a §c{1}§6.
usermapPurge=§6Controllo dei file nei dati utente che non sono mappati, i risultati saranno registrati alla console. Modalità Distruttiva\: {0}
usermapSize=§6Gli attuali utenti nella cache della mappa utente sono §c{0}§6/§c{1}§6/§c{2}§6.
userUnknown=§4Attenzione\: Il giocatore ''§c{0}§4'' non è mai entrato nel server.
usingTempFolderForTesting=Usando la cartella temporanea per il test\:
vanish=§6Invisibilità giocatore {0}§6\: {1}

View File

@ -240,6 +240,7 @@ discordbroadcastCommandUsage1Description=指定されたDiscordチャンネル
discordbroadcastInvalidChannel=§4Discordチャンネル§c{0}§4は存在しません。
discordbroadcastPermission=§4§c{0}§4にメッセージを送信する権限がありません。
discordbroadcastSent=§c{0}§6にメッセージを送信しました\!
discordCommandAccountArgumentUser=検索するDiscordアカウント
discordCommandDescription=プレイヤーにdiscordの招待リンクを送信します。
discordCommandLink=§6§c{0}§6のDiscordサーバーに参加しましょう\!
discordCommandUsage=/<command>
@ -253,7 +254,7 @@ discordCommandListArgumentGroup=検索を制限する特定のグループ
discordCommandMessageDescription=Minecraft サーバー上のプレイヤーにメッセージを送信します。
discordCommandMessageArgumentUsername=メッセージを送信するプレイヤー
discordCommandMessageArgumentMessage=プレーヤーに送信するメッセージ
discordErrorCommand=サーバーへのbotの追加方法が間違っています。config内のチュートリアルに沿って、 https\://essentialsx.net/discord.html を使ってbotを追加してください\!
discordErrorCommand=サーバーへのボットの追加が正しくありません\!コンフィグ内のチュートリアルに沿って、https\://essentialsx.net/discord.html を使ってボットを追加してください。
discordErrorCommandDisabled=そのコマンドは無効です\!
discordErrorLogin=Discordへのログイン時にエラーが発生し、プラグインが無効化されました\: \n{0}
discordErrorLoggerInvalidChannel=Discordコンソールロギングが無効になっています。無効にする場合は、チャンネルIDを "none" に設定してください。そうでない場合は、チャンネルIDが正しいかどうか確認してください。
@ -314,6 +315,7 @@ enderchestCommandUsage2=/<command> <player>
enderchestCommandUsage2Description=対象のプレイヤーのエンダチェストを開けます
errorCallingCommand=/{0} コマンド呼び出しエラー
errorWithMessage=§cエラー\:§4 {0}
essChatNoSecureMsg=EssentialsX Chat バージョン {0} は、このサーバーソフトウェアでのセキュアチャットをサポートしていません。EssentialsXをアップデートし、この問題が解決しない場合は、開発者にお知らせください。
essentialsCommandDescription=EssentialXを再読込します。
essentialsCommandUsage=/<command>
essentialsCommandUsage1=/<command> reload
@ -481,6 +483,7 @@ homeCommandUsage2=/<command> <player>\:<name>
homeCommandUsage2Description=指定された名前のプレイヤーのホームにテレポートします
homes=§6ホーム\:§r {0}
homeConfirmation=§c{0}§6という名前のホームをすでに持っています。\n既存のホームを上書きするには、もう一度コマンドを入力してください。
homeRenamed=§6Home\: §c{0} §6は §c{1}§6に名称が変更されました。
homeSet=§6現在の場所に§cホーム地点§6を設定しました。
hour=時間
hours=時間
@ -533,6 +536,7 @@ invseeCommandDescription=他のプレイヤーのインベントリを見る
invseeCommandUsage=/<command> <player>
invseeCommandUsage1=/<command> <player>
invseeCommandUsage1Description=指定したプレイヤーのインベントリを開きます
invseeNoSelf=§c他のプレイヤーのインベントリのみ閲覧することができます。
is=
isIpBanned=§6IP §c{0} §6はBANされています。
internalError=§cこのコマンドを実行しようとしたときに内部エラーが発生しました。
@ -658,6 +662,8 @@ lightningCommandUsage2=/<command> <player> <power>
lightningCommandUsage2Description=指定された威力で対象プレイヤーに雷を当てます
lightningSmited=§6雷が発生しています。
lightningUse=§c{0} §6に雷を落としました。
linkCommandUsage=/<command>
linkCommandUsage1=/<command>
listAfkTag=§7[AFK]§r
listAmount=§c{0}§6 人のプレイヤーが接続中です。最大接続可能人数\:§c {1}
listAmountHidden=§6Thereある§c {0} §6 / §c {1} §6最大のアウト§c {2} §6オンラインプレーヤー。
@ -1007,6 +1013,12 @@ removeCommandUsage1Description=現在のワールドまたは指定された場
removeCommandUsage2=/<command> <mob type> <radius> [world]
removeCommandUsage2Description=現在のワールドまたは指定された場合、別のワールドの指定された半径内の指定されたMobタイプを削除します
removed=§c {0} §6のエンティティを削除しました。
renamehomeCommandDescription=ホームの名前を変更します。
renamehomeCommandUsage=/<command> <[player\:]name> <new name>
renamehomeCommandUsage1=/<command> <name> <new name>
renamehomeCommandUsage1Description=ホームの名前を指定された名前に変更する
renamehomeCommandUsage2=/<command> <player>\:<name> <new name>
renamehomeCommandUsage2Description=指定されたプレーヤーのホームの名前を指定された名前に変更します。
repair=§c{0}§6を修復しました。
repairAlreadyFixed=§4そのアイテムは修復する必要がありません。
repairCommandDescription=1つまたはすべてのアイテムの耐久を修理します。
@ -1018,7 +1030,6 @@ repairCommandUsage2Description=インベントリ内のすべてのアイテム
repairEnchanted=§4エンチャントされたアイテムを修理することはできません。
repairInvalidType=§4そのアイテムを修理することはできません。
repairNone=§4そのアイテムは修復に必要な条件を満たしていません。
replyFromDiscord=** {0} から返信** `{1}`
replyLastRecipientDisabled=§6最後のメッセージの受信者に対する返信を§c無効化§6しました。
replyLastRecipientDisabledFor=§c{0} §6の最後のメッセージの受信者に対する返信を§c無効化§6しました。
replyLastRecipientEnabled=§6最後のメッセージの受信者に対する返信を§c有効化§6しました。
@ -1076,7 +1087,9 @@ serverTotal=§6サーバー内合計\:§c {0}
serverUnsupported=サポートされていないサーバーのバージョンを実行しています!
serverUnsupportedClass=クラスを決定する状態\: {0}
serverUnsupportedCleanroom=Mojangの内部コードに依存するBukkitプラグインを適切にサポートしていないサーバーを実行しています。サーバーソフトウェアにEssentialsの代替品を使用することを検討してください。
serverUnsupportedDangerous=非常に危険でデータ消失につながることが知られているサーバーフォークを使用しているのですね。Paperのような、より安定したサーバーソフトウェアに切り替えることを強くお勧めします。
serverUnsupportedLimitedApi=API機能が制限されたサーバーを実行しています。EssentialsXは引き続き動作しますが、特定の機能が無効になっている可能性があります。
serverUnsupportedDumbPlugins=EssentialsXや他のプラグインで深刻な問題を引き起こすことが知られているプラグインを使用している。
serverUnsupportedMods=Bukkitプラグインを正しくサポートしていないサーバーを実行しています。Bukkitプラグインは Forge/Fabric のMODで使用しないでください\! Forgeの場合ForgeEssentials または SpongeForge + Nucleus の使用を検討してください。
setBal=§aあなたの所持金が {0} に設定されました。
setBalOthers=§a{0}§c の所持金を {1} に設定しました。
@ -1390,6 +1403,8 @@ unlimitedCommandUsage3=/<command> clear [player]
unlimitedCommandUsage3Description=指定された場合、自分または他のプレイヤーの無制限アイテムをすべて消去します
unlimitedItemPermission=§4このアイテムを無制限アイテムにする権限がありません。 §c{0}§4.
unlimitedItems=§6無制限アイテム\:§r
unlinkCommandUsage=/<command>
unlinkCommandUsage1=/<command>
unmutedPlayer=§c {0} §6は発言が許可されました。
unsafeTeleportDestination=§4テレポート先が安全でないためテレポートする事ができません。
unsupportedBrand=§4現在実行しているサーバープラットフォームはこの機能を提供していません。
@ -1410,6 +1425,9 @@ userIsAwaySelf=§7あなたはAFKになりました。
userIsAwaySelfWithMessage=§7あなたは放置状態になりました。
userIsNotAwaySelf=§7あなたはAFKではなくなりました。
userJailed=§6あなたは投獄されました。
usermapEntry=§c{0} §6は §c{1}§6にマップされます。
usermapPurge=§6マッピングされていないユーザーデータ内のファイルをチェックすると、結果がコンソールに記録されます。 Destructive Mode\: {0}
usermapSize=§6ユーザーマップに現在キャッシュされているユーザーは§c{0}§6/§c{1}§6/§c{2}§6.
userUnknown=§4警告\: ''§c{0}§4''はこのサーバーにログインしたことがありません。
usingTempFolderForTesting=テスト用の一時フォルダーの使用:
vanish={0}§6さんが透明化を {1} にしました。

View File

@ -3,7 +3,7 @@
# Single quotes have to be doubled: ''
# by:
action=§5* {0} §5{1}
addedToAccount=§a{0}가 당신의 계좌에 추가되었습니다.
addedToAccount=§a{0}이(가) 당신의 계좌에 추가됐습니다.
addedToOthersAccount=§a{0}가 {1}§a님의 계정에 추가되었습니다. 새 잔고\: {2}
adventure=모험
afkCommandDescription=자리비움 상태로 전환합니다.
@ -240,6 +240,12 @@ discordbroadcastCommandUsage1Description=메세지를 보낼시 설정한 디스
discordbroadcastInvalidChannel=§4 §c{0}§4 라는 디스코드 채널이 없습니다.
discordbroadcastPermission=§4§c{0}§4 채널에 메시지를 보낼 수 있는 권한이 없습니다.
discordbroadcastSent=§6 §c{0}§6로 메세지를 보냅니다.
discordCommandAccountArgumentUser=찾아볼 Discord 계정
discordCommandAccountDescription=나 또는 다른 Discord 사용자의 연동된 Minecraft 계정을 찾아봐요
discordCommandAccountResponseLinked=내 계정은 Minecraft 계정에 연동되어 있어요\: **{0}**
discordCommandAccountResponseLinkedOther={0}님의 계정은 Minecraft 계정에 연동되어 있어요\: **{1}**
discordCommandAccountResponseNotLinked=연동된 Minecraft 계정이 없어요.
discordCommandAccountResponseNotLinkedOther={0}님은 연동된 Minecraft 계정이 없어요.
discordCommandDescription=플레이어에게 Discord 초대 링크를 보냅니다.
discordCommandLink=§c{0}§6에서 저희 Discord 서버에 참여하세요\!
discordCommandUsage=/<command>
@ -248,12 +254,15 @@ discordCommandUsage1Description=플레이어에게 Discord 초대 링크를 보
discordCommandExecuteDescription=마인크래프트 서버에서 명령어를 실행합니다.
discordCommandExecuteArgumentCommand=실행할 명령어
discordCommandExecuteReply=명령어를 실행합니다\: "/{0}"
discordCommandUnlinkDescription=현재 연동된 Discord 계정에서 Minecraft 계정의 연동을 해제해요
discordCommandUnlinkInvalidCode=현재 Discord에 연동된 Minecraft 계정이 없어요\!
discordCommandUnlinkUnlinked=내 Discord 계정이 모든 Minecraft 계정에서 연동 해제됐어요.
discordCommandListDescription=현재 접속중인 플레이어 목록을 표시합니다.
discordCommandListArgumentGroup=검색을 제한할 그룹
discordCommandMessageDescription=마인크래프트 서버에 있는 플레이어에게 메시지를 보냅니다.
discordCommandMessageArgumentUsername=메시지를 보낼 플레이어
discordCommandMessageArgumentMessage=플레이어에게 보내진 메시지
discordErrorCommand=디스코드 서버에 봇이 올바르게 추가되지 않았습니다. https\://essentialsx.net/discord.html 에 설명된 튜토리얼을 따라 봇을 추가해주세요\!
discordErrorCommand=봇이 디스코드 서버에 올바르게 추가되지 않았습니다. https\://essentialsx.net/discord.html 에 작성된 튜토리얼을 참고하여 봇을 추가해 주세요.
discordErrorCommandDisabled=해당 명령어는 비활성화 되었습니다\!
discordErrorLogin=디스코드에 로그인 하는 도중 오류가 발생하여 플러그인을 비활성화 합니다\: {0}
discordErrorLoggerInvalidChannel=채널 설정이 올바르게 되지 않아 디스코드 콘솔 로깅이 비활성화 되었습니다. 만약 디스코드 콘솔 로깅을 비활성화 하고 싶다면 채널 ID를 "none"으로 설정하세요. 그렇지 않다면 채널 ID 설정이 올바르게 되었는지 확인하세요.
@ -314,6 +323,7 @@ enderchestCommandUsage2=/<command> <플레이어>
enderchestCommandUsage2Description=해당 플레이어의 엔더 상자를 엽니다.
errorCallingCommand=/{0} 명령어 사용 중 오류 발생.
errorWithMessage=§c오류\:§4 {0}
essChatNoSecureMsg=EssentialsX 채팅 버전 {0} 은 이 서버 소프트웨어에서의 안전 채팅을 지원하지 않습니다. EssentialsX를 업데이트하고 문제가 지속될 경우, 개발자에게 알려주십시오.
essentialsCommandDescription=에센셜 리로드.
essentialsCommandUsage=/<command>
essentialsCommandUsage1=/<command> reload
@ -397,7 +407,7 @@ fullStackDefault=§6스택이 기본 크기로 설정되었습니다. §c{0}§6
fullStackDefaultOversize=§6스택이 최대 크기로 설정되었습니다. §c{0}§6
gameMode=§c{1} §6에게 §c{0} §6 모드를 적용합니다.
gameModeInvalid=§4당신은 §c {0}§4을(를) 떨어뜨릴 권한이 없습니다.
gamemodeCommandDescription=플레이어의 게임 모드를 바꿉니다.
gamemodeCommandDescription=플레이어의 게임 모드를 변경합니다.
gamemodeCommandUsage=/<command> <survival|creative|adventure|spectator> [닉네임]
gamemodeCommandUsage1=/<command> <survival|creative|adventure|spectator> [닉네임]
gamemodeCommandUsage1Description=해당되는 경우 당신 또는 다른 플레이어 중 하나의 게임모드를 설정합니다
@ -481,6 +491,7 @@ homeCommandUsage2=/<command> <플레이어>\:<이름>
homeCommandUsage2Description=당신을 해당 플레이어의 지정된 홈으로 텔레포트합니다
homes=§6집들\:§r {0}
homeConfirmation=§6집 §c{0} §6(이)가 이미 있습니다\!\n이미 있는 집을 덮어씌우려면, 명령어를 다시 입력하세요.
homeRenamed=§6집 §c{0}§6의 이름을 §c{1}§6(으)로 바꾸었습니다.
homeSet=§6이곳을 집으로 설정하였습니다.
hour=시간
hours=시(시간)
@ -531,6 +542,7 @@ invseeCommandDescription=다른 플레이어의 인벤토리를 봅니다.
invseeCommandUsage=/<command> <플레이어>
invseeCommandUsage1=/<command> <플레이어>
invseeCommandUsage1Description=해당 플레이어의 인벤토리를 엽니다
invseeNoSelf=§c다른 플레이어의 인벤토리만 볼 수 있습니다.
is=은/는
isIpBanned=§6IP §c{0} §6는 차단 되었습니다.
internalError=§c명령어를 수행하던 중 내부 오류가 발생했습니다.
@ -654,6 +666,8 @@ lightningCommandUsage1=/<command> [플레이어]
lightningCommandUsage2=/<command> <닉네임> <규모>
lightningSmited=§6번개를 맞았습니다.
lightningUse=§c{0}§6에게 번개를 내립니다.
linkCommandUsage=/<command>
linkCommandUsage1=/<command>
listAfkTag=§7[잠수]§r
listAmount=§6최대 §c{1}§6명이 접속 가능하고, §c{0}§6명의 플레이어가 접속중입니다.
listAmountHidden=§6최대 §c{2}§6 명이 접속 가능하고, §c{0}§6/§c{1}§6 명의 플레이어가 접속중입니다.
@ -669,17 +683,21 @@ loomCommandDescription=베틀을 엽니다.
loomCommandUsage=/<command>
mailClear=§6메일을 읽음으로 표시하려면, §c /mail clear§6를 입력하세요.
mailCleared=§6메일함을 비웠습니다\!
mailClearIndex=§4숫자 1-{0} 중 선택하셔야 합니다
mailCommandDescription=플레이어에게 서버 내 메일을 보냅니다.
mailCommandUsage=/<command> [read|clear|clear [number]|send [to] [message]|sendtemp [to] [expire time] [message]|sendall [message]]
mailCommandUsage1=/<command> read [페이지]
mailCommandUsage1Description=메일함의 첫 번째 (또는 지정된) 페이지를 읽습니다.
mailCommandUsage2=/<command> clear [숫자]
mailCommandUsage2Description=선택된 혹은 모든 메일 지우기
mailCommandUsage3=/<command> send <플레이어> <메시지>
mailCommandUsage3Description=주어진 메시지를 해당 플레이어에게 보냅니다
mailCommandUsage4=/<command> sendall <message>
mailCommandUsage4Description=주어진 메시지를 모든 플레이어에게 보냅니다
mailCommandUsage5=/<command> sendtemp <player> <expire time> <message>
mailCommandUsage5Description=유효기간이 있는 메세지를 선택된 플레이어에게 보내기
mailCommandUsage6=/<command> sendtempall <만료 시간> <메시지>
mailCommandUsage6Description=유효기간이 있는 메세지를 모든 플레이어에게 보내기
mailDelay=너무 많은 양의 이메일을 보냈습니다. 최대\: {0}
mailFormatNew=§6[§r{0}§6] §6[§r{1}§6] §r{2}
mailFormatNewTimed=§6[§e⚠§6] §6[§r{0}§6] §6[§r{1}§6] §r{2}
@ -720,6 +738,7 @@ months=월(달)
moreCommandDescription=들고있는 아이템의 스택을 해당하는 만큼 채우거나,지정되지 않을 경우 최대 크기로 설정합니다.
moreCommandUsage=/<command> [amount]
moreCommandUsage1=/<command> [amount]
moreCommandUsage1Description=들고있는 아이템의 스택을 해당하는 만큼 채우거나, 지정되지 않을 경우 최대 크기로 채웁니다
moreThanZero=수량이 0보다 커야합니다.
motdCommandDescription=오늘의 메시지를 봅니다.
motdCommandUsage=/<command> [챕터] [쪽]
@ -760,10 +779,13 @@ muteNotifyReason=§c{0} §6(이)가 §c{1}§6(을)를 채금했습니다. 사유
nearCommandDescription=주변에 있는 플레이어 목록을 봅니다.
nearCommandUsage=/<command> [playername] [radius]
nearCommandUsage1=/<command>
nearCommandUsage1Description=자신을 중심으로 기본 반경 내의 모든 플레이어 목록을 나열합니다.
nearCommandUsage2=/<command> <radius>
nearCommandUsage2Description=자신을 중심으로 주어진 반경 내의 모든 플레이어 목록을 나열합니다.
nearCommandUsage3=/<command> <플레이어>
nearCommandUsage3Description=선택된 플레이어 중심으로 기본 반경 내의 모든 플레이어 목록을 나열합니다.
nearCommandUsage4=/<command> <player> <radius>
nearCommandUsage4Description=선택된 플레이어 중심으로 주어진 반경 내의 모든 플레이어 목록을 나열합니다.
nearbyPlayers=§6주변 플레이어\:§r {0}
nearbyPlayersList={0}§f(§c{1}분§f)
negativeBalanceError=§4잔고가 음수가 되면 안됩니다.
@ -975,6 +997,12 @@ removeCommandUsage=/<command> <all|tamed|named|drops|arrows|boats|minecarts|xp|p
removeCommandUsage1=/<command> <mob type> [world]
removeCommandUsage2=/<command> <mob type> <radius> [world]
removed=§c{0}§6개의 엔티티가 제거되었습니다.
renamehomeCommandDescription=집의 이름을 바꿉니다.
renamehomeCommandUsage=/<command> <[플레이어\:]이름> <새 이름>
renamehomeCommandUsage1=/<command> <이름> <새 이름>
renamehomeCommandUsage1Description=내 집의 이름을 주어진 이름으로 변경합니다.
renamehomeCommandUsage2=/<command> <플레이어>\:<이름> <새 이름>
renamehomeCommandUsage2Description=해당 플레이어의 집의 이름을 주어진 이름으로 변경합니다
repair=§c{0}§6를 성공적으로 수리하였습니다.
repairAlreadyFixed=§4이 아이템은 수리가 필요하지 않습니다.
repairCommandDescription=한개 또는 모든 아이템의 내구도를 수리합니다.
@ -986,7 +1014,6 @@ repairCommandUsage2Description=인벤토리의 모든 아이템을 수리합니
repairEnchanted=§4당신은 인챈트 된 아이템을 수리할 수 없습니다.
repairInvalidType=§4이 아이템은 수리될 수 없습니다.
repairNone=§4수리하는데 필요한 아이템이 없습니다.
replyFromDiscord=**{0} 님으로부터 답장\:** `{1}`
replyLastRecipientDisabled=§6마지막 메시지를 보낸 사람에게의 빠른 답장을 §c비활성화§6했습니다.
replyLastRecipientDisabledFor=§c{0} §6의 마지막 메시지를 보낸 사람에게의 빠른 답장을 §c비활성화§6했습니다.
replyLastRecipientEnabled=§6마지막 메시지를 보낸 사람에게의 빠른 답장을 §c활성화§6했습니다.
@ -1073,6 +1100,7 @@ setwarpCommandUsage1=/<command> <워프 이름>
setworthCommandDescription=아이템의 판매 가격을 설정합니다.
setworthCommandUsage=/<command> [itemname|id] <가격>
setworthCommandUsage1=/<command> <가격>
setworthCommandUsage1Description=손에 들고 있는 아이템의 가격을 입력한 값으로 지정합니다.
setworthCommandUsage2=/<command> <itemname> <price>
sheepMalformedColor=§4잘못된 색상입니다.
shoutDisabled=§6외치기 모드 §c비활성화§6됨.
@ -1330,6 +1358,8 @@ unlimitedCommandUsage2=/<command> <아이템> [플레이어]
unlimitedCommandUsage3=/<command> clear [플레이어]
unlimitedItemPermission=§4무제한 아이템 §c{0}§4 에 대한 권한이 없습니다.
unlimitedItems=무제한 아이템 목록\:
unlinkCommandUsage=/<command>
unlinkCommandUsage1=/<command>
unmutedPlayer=플레이어 §c{0}§6는 이제 말할 수 있습니다.
unsafeTeleportDestination=§4텔레포트 대상이 안전하고 텔레포트가 안전 비활성화 됩니다.
unsupportedBrand=§4현재 사용중인 서버 플랫폼이 이 기능을 제공하지 않습니다.

View File

@ -9,6 +9,9 @@ adventure=advenchur
afkCommandDescription=Markz u as away-frum-keybord.
afkCommandUsage=/<command> [playr/mesage...]
afkCommandUsage1=/<command> [mesage]
afkCommandUsage1Description=Togglez Ur Afk Status Wif An Opshunal Reason
afkCommandUsage2=/<command> <player> [message]
afkCommandUsage2Description=Togglez Teh Afk Status Ov Teh Specifid Playr Wif An Opshunal Reason
alertBroke=brok\:
alertFormat=§3[{0}] §r {1} §6 {2} at\: {3}
alertPlaced=placd\:
@ -23,6 +26,7 @@ antiBuildUse=§4Ur not allowd 2 use§c {0}§4.
antiochCommandDescription=A smol surprize 4 oprators.
antiochCommandUsage=/<command> [mesage]
anvilCommandDescription=Openz up a vanvil.
anvilCommandUsage=/<command>
autoAfkKickReason=U has been kikd 4 idlin moar than {0} minutez.
autoTeleportDisabled=§6u r no longr automatically approvin teleport requests.
autoTeleportDisabledFor=§c{0}§6 Iz no longr automatically approvin teleport requests.
@ -30,5 +34,956 @@ autoTeleportEnabled=§6Ur nao automaticly yesing 2 wrapz asks.
autoTeleportEnabledFor=§c{0}§6 iz yesin 2 teleportz asks automaticly.
backAfterDeath=§6Uze za§c /back§6 comnd 2 retrn 2 ur rip point.
backCommandDescription=tps yA 2 yuor locashon b4 tp or spawn or warp\!\!\!
backCommandUsage=/<command> [player]
backCommandUsage1=/<command>
backCommandUsage1Description=Teleports U 2 Ur Prior Locashun
backCommandUsage2=/<command> <player>
backCommandUsage2Description=Teleports teh specified playr 2 dem prior locashun
backOther=§6reTurnD§c {0}§6 to pREVIOUz locashun.
backupCommandDescription=Runz teh bakup if configurd.
backupCommandUsage=/<command>
backupDisabled=§4An External Bakup Script Has Not Been Configurd.
backupFinished=§6Bakup Finishd.
backupStarted=§6Bakup Startd.
backupInProgress=§6An External Bakup Script Iz Currently In Progres\! Haltin Plugin Disable Til Finishd.
backUsageMsg=§6Returnin 2 Previous Locashun.
balance=§aBalance\:§c {0}
balanceCommandDescription=Statez Teh Current Balance Ov Playr.
balanceCommandUsage=/<command> [player]
balanceCommandUsage1=/<command>
balanceCommandUsage1Description=Statez Ur Current Balance
balanceCommandUsage2=/<command> <player>
balanceCommandUsage2Description=Displays Teh Balance Ov Teh Specifid Playr
balanceOther=§aBalance ov {0}§a\:§c {1}
balanceTop=§6Top balancez ({0})
balanceTopLine={0}. {1}, {2}
balancetopCommandDescription=Gets Teh Top Balance Valuez.
balancetopCommandUsage=/<command> [page]
balancetopCommandUsage1=/<command> [page]
balancetopCommandUsage1Description=Displays Teh Furst (Or Specifid) Paeg Ov Teh Top Balance Valuez
banCommandDescription=Banz Playr.
banCommandUsage=/<command> <player> [reason]
banCommandUsage1=/<command> <player> [reason]
banCommandUsage1Description=Banz Teh Specifid Playr Wif An Opshunal Reason
banExempt=§4U Cant Ban Dat Playr.
banExemptOffline=§4U Cud Not Ban Offline Players.
banFormat=§cU Has Been Bannd\:\n§r{0}
banIpJoin=UR IP ADDRES IZ BANND FRUM DIS SERVR. REASON\: {0}
banJoin=U R Bannd Frum Dis Servr. Reason\: {0}
banipCommandDescription=BANZ AN IP ADDRES.
banipCommandUsage=/<command> <address> [reason]
banipCommandUsage1=/<command> <address> [reason]
banipCommandUsage1Description=BANZ TEH SPECIFID IP ADDRES WIF AN OPSHUNAL REASON
bed=§obed§r
bedMissing=§4UR Bed Iz Eithr Unset, Misin Or Blockd.
bedNull=§mbed§r
bedOffline=§4CANT Teleport 2 Teh Bedz Ov Offline Users.
bedSet=§6BED Spawn Set\!
beezookaCommandDescription=Throw An Explodin Bee At Ur Opponent.
beezookaCommandUsage=/<command>
bigTreeFailure=§4HOOJ Tree Generashun Failure. Try Again On Gras Or Dirt.
bigTreeSuccess=§6HOOJ Tree Spawnd.
bigtreeCommandDescription=Spawn Hooj Tree Wer U R Lookin.
bigtreeCommandUsage=/<command> <tree|redwood|jungle|darkoak>
bigtreeCommandUsage1=/<command> <tree|redwood|jungle|darkoak>
bigtreeCommandUsage1Description=Spawns Hooj Tree Ov Teh Specifid Type
blockList=§6ESSENTIALSX Iz Relayin Teh Followin Commandz 2 Othr Plugins\:
blockListEmpty=§6ESSENTIALSX Iz Not Relayin Any Commandz 2 Othr Plugins.
bookAuthorSet=§6AUTHOR Ov Teh Book Set 2 {0}.
bookCommandDescription=Allows Reopenin An Editin Ov Seald Bookz.
bookCommandUsage=/<command> [title|author [name]]
bookCommandUsage1=/<command>
bookCommandUsage1Description=Lockz/Unlockz Book-An-Quill/Signd Book
bookCommandUsage2=/<command> author <author>
bookCommandUsage2Description=Sets Teh Author Ov Signd Book
bookCommandUsage3=/<command> title <title>
bookCommandUsage3Description=Sets Teh Title Ov Signd Book
bookLocked=§6DIS Book Iz Nao Lockd.
bookTitleSet=§6TITLE Ov Teh Book Set 2 {0}.
breakCommandDescription=Breakz Teh Block U R Lookin At.
breakCommandUsage=/<command>
broadcast=§6[§4Broadcats§6]§a {0}
broadcastCommandDescription=Broadcats Mesage 2 Teh Entire Servr.
broadcastCommandUsage=/<command> <msg>
broadcastCommandUsage1=/<command> <message>
broadcastCommandUsage1Description=Broadcats Teh Given Mesage 2 Teh Entire Servr
broadcastworldCommandDescription=Broadcats Mesage 2 Wurld.
broadcastworldCommandUsage=/<command> <world> <msg>
broadcastworldCommandUsage1=/<command> <world> <msg>
broadcastworldCommandUsage1Description=Broadcats Teh Given Mesage 2 Teh Specifid Wurld
burnCommandDescription=Set Playr On Fire.
burnCommandUsage=/<command> <player> <seconds>
burnCommandUsage1=/<command> <player> <seconds>
burnCommandUsage1Description=Sets Teh Specifid Playr On Fire 4 Da Specifid Amount Ov Secondz
burnMsg=§6U Set§c {0} §6ON Fire 4§c {1} Secondz§6.
cannotSellNamedItem=§6U R Not Allowd 2 Sell Namd Items.
cannotSellTheseNamedItems=§6U R Not Allowd 2 Sell Thees Namd Items\: §4{0}
cannotStackMob=§4u do Not haz permishun tO Stak Multipl mobz.
canTalkAgain=§6u can now talk again?? K?
cantFindGeoIpDB=Cant fin geoip database\!
cantGamemode=§4u Do Not haZ permishun tO change to gamemode {0}
cantReadGeoIpDB=Faild to red geoIP database\!
cantSpawnItem=§4oh hi u iz not alowd To sporn teh item plz?§c {0}§4.
cartographytableCommandDescription=Openz up cartograpHy tabl?? k.
cartographytableCommandUsage=/<command>
chatTypeLocal=§3[L]
chatTypeSpy=[SpY]
cleaned=Userfilez cleEND.
cleaning=cleenin userfilez??
clearInventoryConfirmToggleOff=§6u WIl no longr be promptd to cOnfIRM ENvenTORY CLEerz.
clearInventoryConfirmToggleOn=§6u wIl now be promptd to confirm enventory CLEERZ?? k?
clearinventoryCommandDescription=cler al itemz in ur enventory?? Plz?
clearinventoryCommandUsage=/<command> [PLAYR|*] [item[\:<data>]|*|**] [imount]
clearinventoryCommandUsage1=/<command>
clearinventoryCommandUsage1Description=cleerz al itemz in ur enventorY
clearinventoryCommandUsage2=/<command> <player>
clearinventoryCommandUsage2Description=cleerz al itemZ fRUM Teh speCIfID PLAYERZ enventory k?
clearinventoryCommandUsage3=/<command> <player> <item> [amount]
clearinventoryCommandUsage3Description=Oh hi cleerz Al (r TeH SpeciFID imoUNT) For Teh Gived Item frum teh specifid plAyerz enventory
clearinventoryconfirmtoggleCommandDescription=togglez wethr U IZ PROmptd to confirm envENtory cleerz?? plz?
clearinventoryconfirmtoggleCommandUsage=/<command>
commandArgumentOptional=§7
commandArgumentOr=§c
commandArgumentRequired=§e
commandCooldown=§cu cannot TYPE that commAn fr k? {0}.
commandDisabled=§cteh cOMman§6 {0}§c R dISABLD.
commandFailed=COMMAN {0} FAild\:
commandHelpFailedForPlugin=ERRR gettin halp fr plugin\: {0}
commandHelpLine1=§6comman halp\: §f/{0}
commandHelpLine2=§6deescripshun\: §f{0}
commandHelpLine3=§6USage(s);
commandHelpLine4=§6aliaSEZ(z)\: §f{0}
commandHelpLineUsage={0} §6- {1}
commandNotLoaded=§4comman {0} oH HI r EMPROPErle loadd.
compassBearing=§6beerin\: {0} ({1} deegrez).
compassCommandDescription=Oh hi deescribez ur currnt beerin.
compassCommandUsage=/<command>
condenseCommandDescription=Condensez itemz ento moar compact blokz.
condenseCommandUsage=/<command> [item]
condenseCommandUsage1=/<command>
condenseCommandUsage1Description=Condensez al Itemz in ur enVentory
condenseCommandUsage2=/<command> <item>
condenseCommandUsage2Description=CondeNSez teh specifid item in ur enVENTORY
configFileMoveError=FaILd to move Config.yml to bakup locasHUN.
configFileRenameError=faild To renAMe teMp fil to config.ymL.
confirmClear=§7tO §lCONFIRM§7 enventory cleer pleez rEPEET Command §6{0}
confirmPayment=§7ot §lCONFIRM§7 pAYMnt fOR §6{0}§7, pLEez repeet comman plz\: §6{1}
connectedPlayers=§6connectd playerZ plz§r
connectionFailed=faILD to opin conneCshun??
consoleName=consol
cooldownWithMessage=§4oh hi COldown\: {0}
coordsKeyword={0}, {1}, {2}
couldNotFindTemplate=§4Could not fin templmicate k? {0}
createdKit=§6creetd kit §c{0} §6wif §c{1} §6intriEZ an deelai §c{2}
createkitCommandDescription=creete kit in game\!?? k?
createkitCommandUsage=/<command> <kitname> <delay>
createkitCommandUsage1=/<command> <kitname> <delay>
createkitCommandUsage1Description=creetez kiT wif TEh gived neme an deelai
createKitFailed=§4errr occurRD WILsT creetin kit {0}.
createKitSeparator=§m-----------------------
createKitSuccess=§6creetd kit\: §f{0}\n§6deelai\: §f{1}\n§6lnk\: §f{2}\n§6copy COntentz IN teh link abOVe ento ur kits.ymL
createKitUnsupported=§4nbt item SERIALIZASHUN HAZ biN INAbled bUt thiz servr r not runnin papr 1.15.2+++ falin bak to standard item serializashun?? k?
creatingConfigFromTemplate=oh hi creetin config fRum template {0}
creatingEmptyConfig=creetin empty config\: {0}
creative=creetif
currency={0}{1}
currentWorld=§6curRNt world\:§c {0}
customtextCommandDescription=alowz u to creete custom teXT Commandz.
customtextCommandUsage=/<alias> - deeFine in BUKKIT.yml
day=oH hi DAi
days=dayz
defaultBanReason=oh hi tEH BAN haMmr HAZ speaked\!??
deletedHomes=al homez deelETd.
deletedHomesWorld=al homez in {0} deeletd.
deleteFileError=Could not deeletE fILE\: {0}
deleteHome=§6Oh hi home§c {0} §6haz biN REMOvd.
deleteJail=§6oH hi jail§c {0} §6haz bin REMOVD.
deleteKit=§6Kit§c {0} §6haz BIN REmovd.
deleteWarp=§6Warp§c {0} §6haz bin REMOVD.
deletingHomes=oh hi DEELeTIN AL HOMEZ.
deletingHomesWorld=deeletin aL HOMEZ IN {0}...
delhomeCommandDescription=removez home.
delhomeCommandUsage=/<command> [player\:]<name>
delhomeCommandUsage1=/<command> <name>
delhomeCommandUsage1Description=deeleTEz ur home wIF teH gived neme
delhomeCommandUsage2=/<command> <player>\:<name>
delhomeCommandUsage2Description=dEELEtez teh specifid playerz home wif teh gived nemE
deljailCommandDescription=oh hi removez jail.
deljailCommandUsage=/<command> <jailname>
deljailCommandUsage1=/<command> <jailname>
deljailCommandUsage1Description=deeletez teh jail wif teh gived neme
delkitCommandDescription=deeletEz teh specifid kit.
delkitCommandUsage=/<command> <kit>
delkitCommandUsage1=/<command> <kit>
delkitCommandUsage1Description=oh hi deeletez teh kit wif teh gived neme
delwarpCommandDescription=dEeLETez teh specifid warp.
delwarpCommandUsage=/<command> <warp>
delwarpCommandUsage1=/<command> <warp>
delwarpCommandUsage1Description=deeleteZ TEH WARp WIF teh gived neme
deniedAccessCommand=§c{0} §4weRE deeniD Accez to Comman.
denyBookEdit=§4u cannot unlOK THiz bok.
denyChangeAuthor=§4oh hi u cannot CHange teh Authr for THiZ BOK.
denyChangeTitle=§4u cannot CHAnge teh titl for tHIz bok.
depth=§6u iz et See leVEL.
depthAboveSea=§6u iz§c {0} §6bloK(Z) above see lEVEl
depthBelowSea=§6u IZ§c {0} §6bLok(s) beloW see leVel
depthCommandDescription=statez currnt Deepth relatif to see Level.
depthCommandUsage=/depth
destinationNotSet=deestinashun noT seted\!
disabled=dISabld
disabledToSpawnMob=§4sporniN thiz mob Were DIsabld in teh CONFIG fil.
disableUnlimited=§6oh hi disabld unlimitD PLacin foR§c {0} §6fr§c {1}§6.
discordbroadcastCommandDescription=Oh hi bROADcatz mESAgE TO teh specifid discord channEl?? K?
discordbroadcastCommandUsage=/<command> <channel> <msg>
discordbroadcastCommandUsage1=/<command> <channel> <msg>
discordbroadcastCommandUsage1Description=sendz teh gived meSAGe to teh speciFID DISCOrd chaNnel
discordbroadcastInvalidChannel=§4discord chaNnel §c{0}§4 dus not exis????
discordbroadcastPermission=§4u do not haz permISHUn to sen mesagez to teh §c{0}§4 chnnEl.
discordbroadcastSent=§6mesage sended to §c{0}§6\!
discordCommandDescription=senDZ Teh DISCOrd envite link to teh playr,
discordCommandLink=§6join our discord servr et §c{0}§6\!
discordCommandUsage=/<command>
discordCommandUsage1=/<command>
discordCommandUsage1Description=SenDZ Teh Discord envite link to teh playr
discordCommandExecuteDescription=oh hi execuTez cONSOL COmman on teh mINecraf serVR??
discordCommandExecuteArgumentCommand=teh coMMan to be executd plz?
discordCommandExecuteReply=executIN comman\: "/{0}"
discordCommandListDescription=gETz lis for onliNe playerz.
discordCommandListArgumentGroup=SpecifiC group to Limit ur seerch by
discordCommandMessageDescription=Mesagez plaYR On Teh minecraf servr.
discordCommandMessageArgumentUsername=Teh playr to SeN Teh mesaGE to
discordCommandMessageArgumentMessage=Teh mesAge to sen to teh playr
discordErrorCommand=u addd ur bot to ur serVR ENCORRECTLY\!?? pleez folow teh tUTOriel in teh conFig an add ur bot usin https\://essentialsx.net/discord.html
discordErrorCommandDisabled=Oh Hi that comman r disabled\!\!\!
discordErrorLogin=oh HI AN Errr OCCURRD wil loggin ento discord wicH haz causd teh plugin to disabl Itself\:\n{0}
discordErrorLoggerInvalidChannel=Discord coNSOL loggin haz bin DISABld due to an envalid CHANNel deefinitiON\!?? if u enten to diSABL it seted teh CHANNel id TO "none" otherwis chek that ur channel id r correct.
discordErrorLoggerNoPerms=Discord consol loggr haz bin disabld due to ensufficint permisions\!?? pleez maKE sure ur bot haZ Teh "Manage Webhoks" permisionz On teh servr aftr fixin That runed "/ess reload".
discordErrorNoGuild=envaLid OR MIZin servr id\!?? pleez folow teh tutoriel in teh config in ordr to sEtup teh plugin?? k?
discordErrorNoGuildSize=ur BoT r NOt in any servers\!?? PLEEZ FOLOw teh tutoriel in teh cONFIG in oRDr to setup teh plugin??
discordErrorNoPerms=ur bot cannot se or talK iN ANY channel\!?? pleEZ make sure ur bot haZ red an wRITe permiSionz iN AL cHANNelZ u wISH to us??
discordErrorNoPrimary=Oh hi u Doed not deEFINe Primary channel or ur deefind primary channel r envalid?? fALIN Bak to teh deefAULT channel \#{0}.
discordErrorNoPrimaryPerms=Ur bot cannoT Speek in ur primary channel?? \#{0}. pleez make Sure Ur Bot haz red an write Permisionz in Al channelz u wish to Us?? K.
discordErrorNoToken=oh hi no tokiN ProviDEd\!?? plEEZ Folow teh tutoriel in teh config in ordr to setup tEH plugIn??
discordErrorWebhook=an errr occuRRD WIL SENDIn meSaGEZ TO UR consoL CHANNEl\!?? thiz Were lIkele cAUSd by accideNtale DEELETIN ur coNsol webhok?? thiz CAn usuale by fixd by insurin UR bot HAz teh "manage webhoks" perMIShun an ruNnin "/ess reload".
discordLoggingIn=attemptin to loGin to disCOrd??????
discordLoggingInDone=sucCEsfule loggd in Az {0}
discordNoSendPermission=cannot sen mEsage in channel\: \#{0} pleez insure teh bot haz "seN mesages" permiSHun in that channel\!??
discordReloadInvalid=trid to reload esentialsks discord config wil teH PLugin r in AN envalid staTe\!?? if uVE MODIfid ur coNfig restart uR SERVR
disposal=oh hi disposel PLz?
disposalCommandDescription=openz porTabl disposel menu?? k?
disposalCommandUsage=/<command>
distance=§6distens\: {0}
dontMoveMessage=§6teleportashun wil coMMANS in§c {0}§6. DOnT move plz?
downloadingGeoIp=downloadiN GEOip databas?????? THiz mite take wil (country 13600000 bit ciTY 240000000bit)
dumpConsoleUrl=oh hi servr DUMP WERE creeTd plz?\: §c{0}
dumpCreating=§6OH Hi crEETIN seRVR DUMP?????? k?
dumpDeleteKey=§6if u want to deelete thiz dUMP AT latr date us teh foLOWin deeleshun key\: §c{0}
dumpError=§4errrrrrrrrr WIL Creetin dump §c{0}§4.
dumpErrorUpload=§4errrrrr wil uplOAdiN plz? §c{0}§4\: §c{1}
dumpUrl=§6creeTD SErvr dump\: §c{0}
duplicatedUserdata=duplicatd userdata\: {0} an {1}.
durability=§6thiz tol hAZ §c{0}§6 usez lEAftis.
east=e
ecoCommandDescription=managez teh servr economy??
ecoCommandUsage=/<command> <give|take|set|reset> <player> <amount>
ecoCommandUsage1=/<command> give <player> <amount>
ecoCommandUsage1Description=gIVez TEH SPecifid playr teh sPECIFid imount for moneyz
ecoCommandUsage2=/<command> take <player> <amount>
ecoCommandUsage2Description=takez teh Specifid IMOUnT For moneys FRUM teh speCIFId playr
ecoCommandUsage3=/<command> set <player> <amount>
ecoCommandUsage3Description=setz teh speciFID PLAYERz balens to TEH SPECIFid imounT For moneyS
ecoCommandUsage4=/<command> reset <player> <amount>
ecoCommandUsage4Description=resetz teh specifid playerZ bAlens to teh serverz startin BALENS K?
editBookContents=§eu can now edit teH CONtenTZ For thiz bok
enabled=inabld
enchantCommandDescription=inchantz TEH ITEM Teh usr r HOLdin.
enchantCommandUsage=/<command> <enchantmentname> [level]
enchantCommandUsage1=/<command> <enchantment name> [level]
enchantCommandUsage1Description=inchantZ ur holdED ITem wif teh gived inchantmnt to an optIONEL LEVel
enableUnlimited=§6givin uNLimITd imount FOR§c {0} §6tO §c{1}§6.
enchantmentApplied=§6teh inchantmnt§c {0} §6haz bin appLID to ur itEm in hnd.
enchantmentNotFound=§4inchantmnt noT finded\!?\!
enchantmentPerm=§4u do not hAZ teh pERMISHUN fR§c {0}§4.
enchantmentRemoved=§6TEh inchantmnt§c {0} §6haz bin removd frum ur ITEm In hNd.
enchantments=§6inchantmentz\:§r {0}
enderchestCommandDescription=letz u se enside an inderchEST
enderchestCommandUsage=/<command> [player]
enderchestCommandUsage1=/<command>
enderchestCommandUsage1Description=openz ur indR CHESt
enderchestCommandUsage2=/<command> <player>
enderchestCommandUsage2Description=openz teh indr chEst For teh targET playr
errorCallingCommand=errr caLiN TEh comman /{0}
errorWithMessage=§ceEerrRrr\:§4 {0}
essChatNoSecureMsg=esentialsKS chat vershun {0} dus not support secure CHAt on thiz seRvr software?? updmicate esentiaLsx an if thIz isUe persists enFErm teh deEVElOPERZ,
essentialsCommandDescription=reloadz ezentials
essentialsCommandUsage=/<command>
essentialsCommandUsage1=/<command> reload
essentialsCommandUsage1Description=reLOADZ eszentiaLs configh
essentialsCommandUsage2=/<command> version
essentialsCommandUsage2Description=giVez ENformaShun abowt tEH esentIALZ Vershun
essentialsCommandUsage3=/<command> commands
essentialsCommandUsage3Description=givez enformashun abowt wat commandz eSentialz R forWardin
essentialsCommandUsage4=/<command> debug
essentialsCommandUsage4Description=oh hi togglez eseNTIAls "debug mode"
essentialsCommandUsage5=/<command> reset <player>
essentialsCommandUsage5Description=resetz teh GIved playerz usErdatA
essentialsCommandUsage6=/<command> cleanup
essentialsCommandUsage6Description=cleenz up old userdatA
essentialsCommandUsage7=/<command> homes
essentialsCommandUsage7Description=managez usr homez
essentialsCommandUsage8=/<command> dump [all] [config] [discord] [kits] [log]
essentialsCommandUsage8Description=geneRATEZ SERVR dump wif teh rekwestd EnformAShun
essentialsHelp1=teh fil r breaked an esentialz cant opin iT?? esenTialz r nOW DIsabld?? if u CANT fIKS teh fil yourSELF go to http\://tiny.cc/EssentialsChat
essentialsHelp2=oh hi tEH fil r breaked AN esentialz CANT opin it?? eseNtialz r now diSabld?? if U CANt FIKs teh fIL YOUrself EITHR TYpe /essentialshelp in game or go to http\://tiny.cc/EssentialsChat
essentialsReload=§6esentialz reloaddd§c {0}.
exp=§c{0} §6hAz§c {1} §6experIANs (lvel§c {2}§6) an Nedz§c {3} §6MOAR experians to lEVEL Up
expCommandDescription=gve sETED reseted or lok at playerz experians?? k?
expCommandUsage=/<command> [reset|show|set|give] [playername [amount]]
expCommandUsage1=/<command> give <player> <amount>
expCommandUsage1Description=givez teh taRGEt playr teh specifid imount for xp
expCommandUsage2=/<command> set <playername> <amount>
expCommandUsage2Description=setz teH Target playERZ Xp TEH SPEcIFId Imount
expCommandUsage3=/<command> show <playername>
expCommandUsage4Description=displayz TEH IMount for xp teh taRget playr hAZ
expCommandUsage5=/<command> reset <playername>
expCommandUsage5Description=resetz teh target plaYERz xp to 0
expSet=§c{0} §6now haz§c {1} §6EXPerians.
extCommandDescription=oh hi Extinguish pLAYerz.
extCommandUsage=/<command> [player]
extCommandUsage1=/<command> [player]
extCommandUsage1Description=extinguish yourself or ANOTHR PLAYR IF specIfiD
extinguish=§6OH hi u extinGUIShd yourself??
extinguishOthers=§6oh hi u extinguishd {0}§6.
failedToCloseConfig=faild to clos config {0}.
failedToCreateConfig=faild to creEte config {0}.
failedToWriteConfig=faild to write config {0}.
false=§4fals§r
feed=§6ur appetite Were satD.
feedCommandDescription=satisfy teh hungr
feedCommandUsage=/<command> [player]
feedCommandUsage1=/<command> [player]
feedCommandUsage1Description=fule fedz yourself or anothr playr if specifid
feedOther=§6u Satiatd teh appetite for §c{0}§6.
fileRenameError=renamin FIl {0} faild\!
fireballCommandDescription=THrow fireBEL OR OTHr asortd projectilez.
fireballCommandUsage=/<command> [fireball|small|large|arrow|skull|egg|snowball|expbottle|dragon|splashpotion|lingeringpotion|trident] [speed]
fireballCommandUsage1=/<command>
fireballCommandUsage1Description=throwz regular firebel frum ur locashun
fireballCommandUsage2=/<command> <fireball|small|large|arrow|skull|egg|snowball|expbottle|dragon|splashpotion|lingeringpotion|trident> [speed]
fireballCommandUsage2Description=oh hi tHrowz teH specifid projectil frum ur Location wIF AN optionel speedeD
fireworkColor=§4envalid firEWOrK Charge PARAMETErz enserted mus seted colr fersT.
fireworkCommandDescription=oh hi alowz u to moDifY stak For fireworkz.
fireworkCommandUsage=/<command> <<meta param>|power [amount]|clear|fire [amount]>
fireworkCommandUsage1=/<command> clear
fireworkCommandUsage1Description=cleeRz Al effectz frUm ur hoLdEd fiREWORk
fireworkCommandUsage2=/<command> power <amount>
fireworkCommandUsage2Description=setZ teh POWr for tEH holded firewOrk
fireworkCommandUsage3=/<command> fire [amount]
fireworkCommandUsage3Description=launchez eithr one or teh imount specifeid copiez for tEh holded firewoRk
fireworkCommandUsage4=/<command> <meta>
fireworkCommandUsage4Description=addz teH gived efFECt to teh holded firework
fireworkEffectsCleared=§6reMOvd al effectz frum holded stak.
fireworkSyntax=§6fiRework PArameterz\:§c colr\:<color> [fade\:<color>] [shape\:<shape>] [effect\:<effect>]\n§6to us multipl coloRS/Effects SEpaRMICATe VAluez wif commaz\: §cred,blue,pink\n§6SHApez\:§c star, ball, large, creeper, burst §6effectz\:§c trail, twinkle.
fixedHomes=envalid homez deeletd.
fixingHomes=DEELetin ENvalid homEz......\!.......
flyCommandDescription=oh Hi tAke off an soar\!\!\!\!\!\!\!\!\!\!???\!
flyCommandUsage=/<command> [player] [on|off]
flyCommandUsage1=/<command> [player]
flyCommandUsage1Description=togglez fle fr yourself oR AnoTHR playr if specIFID
flying=flyin
flyMode=§6seted FLE moDE§c {0} §6fr {1}§6.
foreverAlone=§4oh hi u haz nobody TO wom u can reple.\!???
fullStack=§4u ALREedy haz Ful stak
fullStackDefault=§6ur stAk haz bIN SETEd to Itz deefaULT SIze, §c{0}§6.
fullStackDefaultOversize=§6ur stAk haZ Bin SETED To iTZ MAXIMUM size, §c{0}§6.
gameMode=§6setED gamE mode§c {0} §6fR §c{1}§6.
gameModeInvalid=§4oh hi u nd to speciFY VALId plAYer/modE
gamemodeCommandDescription=change playr gaMeMODE.
gamemodeCommandUsage=/<command> <survival|creative|adventure|spectator> [player]
gamemodeCommandUsage1=/<command> <survival|creative|adventure|spectator> [player]
gamemodeCommandUsage1Description=oh hi SETZ TEh gamemode for eithr U OR anothr playr if specifid
gcCommandDescription=REPOrtz memory uptime an tik enfo.
gcCommandUsage=/<command>
gcfree=§6fre memOry\:§c {0} MegaBytez.
gcmax=§6maXIMUm memory\:§c {0} MegaBytez.
gctotal=§6alocatD memory\:§c {0} MegaBYTEz.
gcWorld=§6{0} "§c{1}§6"\: §c{2}§6 chunkz, §c{3}§6 intitiez, §c{4}§6 tilez\!
geoipJoinFormat=§6playr §c{0} §6comez frum §c{1}§6.
getposCommandDescription=GET UR Currnt cordiNatez or thos fOR playr.
getposCommandUsage=/<command> [player]
getposCommandUsage1=/<command> [player]
getposCommandUsage1Description=etz teh cordinatez for eithr u oR Anothr playr if specifid
giveCommandDescription=GIF playr an item.
giveCommandUsage=/<command> <player> <item|numeric> [amount [itemmeta...]]
giveCommandUsage1=/<command> <player> <item> [amount]
giveCommandUsage1Description=givez tEH tARGEt playr 64 (r teh specifid imount) for teh speCifid item
giveCommandUsage2=/<command> <player> <item> <amount> <meta>
giveCommandUsage2Description=givez teh tArget playr teh specifiD imount FOR teh specifid item wIF TEH GIVed metadata
geoipCantFind=§6pLayR §c{0} §6coMEZ frum §aUNKNown countRY§6 plz?
geoIpErrorOnJoin=uNabl TO FECH GEOIP DAtaS Fr {0}. pleez insure tHat ur liceNs keY AN ConfigurashUn iz correct.
geoIpLicenseMissing=no licens key Finded\!?? pleez visit https\://essentialsx.net/geoip fr Ferst time setup enstructionz.
geoIpUrlEmpty=geoip doWNload url r empty.
geoIpUrlInvalid=geoip downloaD URl r envaLId.
givenSkull=§6HAZ bIn gived teh skul for §c{0}§6.
godCommandDescription=inaBlez ur gODLI powERZ
godCommandUsage=/<command> [player] [on|off]
godCommandUsage1=/<command> [player]
godCommandUsage1Description=togGlez god MODe fr u or ANothr playr if specifid
giveSpawn=§6giVin§c {0} §6or§c {1} §6tO§c {2}§6.
giveSpawnFailure=§4not iNOO sPas, §c{0} {1} §4were losed.
godDisabledFor=§cdesabld§6 fR§c {0}
godEnabledFor=§aiNablD§6 fOr§c {0}
godMode=§6gOd mod§c {0}§6.
grindstoneCommandDescription=oh hi openz up grindstone
grindstoneCommandUsage=/<command>
groupDoesNotExist=§4THerez no one oNLIne in thiz group\!
groupNumber=§c{0}§f ONline fr teh ful lis\:§c /{1} {2}
hatArmor=§4cannot us thiz itEm AZ hat
hatCommandDescription=get some coL new heedger,
hatCommandUsage=/<command> [remove]
hatCommandUsage1=/<command>
hatCommandUsage1Description=setz ur hat to ur curreNTLE HOlDEd item
hatCommandUsage2=/<command> remove
hatCommandUsage2Description=remOvez Ur currnt hat
hatCurse=§4cannot remove hat Wif teh curs for binding\!?
hatEmpty=§4u iz Not weERin hat
hatFail=§4u mus haz sumfiN TO wer iN ur hnd.
hatPlaced=§6injoi ur neW Hat
hatRemoved=§6ur hat haz bin removd
haveBeenReleased=§6u hAZ bin releesD
heal=§6u haz bin heeald?
healCommandDescription=heelz u or teh gived playr
healCommandUsage=/<command> [player]
healCommandUsage1=/<command> [player]
healCommandUsage1Description=heelz u or aNothr playr if specifID
healDead=§4U cannot heEL Sumone wO R deeed\!\!\!\!\!\!
healOther=§6heeld§c {0}§6.
helpCommandDescription=viEwz lis FOR AVAilabl commanDZ.
helpCommandUsage=/<command> [search term] [page]
helpConsole=to view halp frum teh console type ''?''.
helpFrom=§6coMMAndz fRUm {0}\:
helpLine=§6/{0}§r\: {1}
helpMatching=§6commandz matchin "§c{0}§6"\:
helpOp=§4[heLPOp]§r §6{0}\:§r {1}
helpPlugin=§4{0}§r\: plugin halp\: /help {1}
helpopCommandDescription=mesage online adminz,
helpopCommandUsage=/<command> <message>
helpopCommandUsage1=/<command> <message>
helpopCommandUsage1Description=sendz teh gived mesage to al onliNE adminz
holdBook=§4u iz not holdin wrITABl bok.
holdFirework=§4u mus be holdin firework To add effECTz,
holdPotion=§4u mus bE hoLDIN pOSHUN TO APple effectZ to it,
holeInFloor=§4HOl in flor\!
homeCommandDescription=telepoRt TO UR home
homeCommandUsage=/<command> [player\:][name]
homeCommandUsage1=/<command> <name>
homeCommandUsage1Description=teleportz U to ur home Wif teh gived neme
homeCommandUsage2=/<command> <player>\:<name>
homeCommandUsage2Description=telEPortz u to teh specifid playerz home wif teh gived neme
homes=§6hoMez\:§r {0}
homeConfirmation=§6u alrEEDy haz HOme nemd §c{0}§6\!\nto ovrwrITe UR existin home type teh comman agaiN.
homeRenamed=§6HOMe §c{0} §6haz bin renamd to §c{1}§6.
homeSet=§6home seteD to cURRnt locashun.
hour=HOUR
hours=houRz
ice=§6FeL Much coldr............?.........
iceCommandDescription=colz playr off,
iceCommandUsage=/<command> [player]
iceCommandUsage1=/<command>
iceCommandUsage1Description=colz u Off
iceCommandUsage2=/<command> <player>
iceCommandUsage2Description=colz teH givED Playr off
iceCommandUsage3=/<command> *
iceCommandUsage3Description=colZ al oNLine playerz
iceOther=§6chilin§c {0}§6.
ignoreCommandDescription=ignoaR OR unlgnOAR othr playeRz
ignoreCommandUsage=/<command> <player>
ignoreCommandUsage1=/<command> <player>
ignoreCommandUsage1Description=ignorez or unlgnOREZ Teh gived playR
ignoredList=§6ignord\:§r {0}
ignoreExempt=§4NOt ignoar that playR.
ignorePlayer=§6ignoar plAYR§c {0} §6frum now on.
illegalDate=ilegel dmicate format.
infoAfterDeath=§6u did IN §e{0} §6aTt §e{1}, {2}, {3}§6.
infoChapter=§6sElect cHAPTEr;
infoChapterPages=§e ---- §6{0} §e--§6 Pge §c{1}§6 for §c{2} §e----
infoCommandDescription=showz enFormashun seted by teh servr ownR.,
infoCommandUsage=/<command> [chapter] [page]
infoPages=§e ---- §6{2} §e--§6 pGe §c{0}§6\!§c{1} §e----
infoUnknownChapter=§4unknowN CHAPtR.,
insufficientFunds=§4u iz pr an doNt haz inoo Moneys
invalidBanner=§4envAlid baNnr syntaKS,
invalidCharge=§4envalid charge;
invalidFireworkFormat=§4teh opshun §c{0} §4r noT Valid value fr §c{1}§4.
invalidHome=§4Home§c {0} §4doesnt exist\!?
invalidHomeName=§4envalid home nemE\!\!\!\!\!\!\!\!\!\!\!\!\!\!\!\!\!\!\!
invalidItemFlagMeta=§4ENVALid itemflag meta? §c{0}§4.
invalidMob=§4enVAliD mob TYPE\!
invalidNumber=oh hi envalid numbr\!
invalidPotion=§4envalid poshun\!
invalidPotionMeta=§4envalid poshun meTA- §c{0}§4.
invalidSignLine=§4lire§c {0} §4on sign r envalid;
invalidSkull=§4oh hi PLeez hold teh playerz skul\! (dont take hr wif him alive)
invalidWarpName=§4envalid warp NEMe\!
invalidWorld=§4Envalid world
inventoryClearFail=§4Playr§c {0} §4dus not haz§c {1} §4fof§c {2}§4.
inventoryClearingAllArmor=§6cleerd al enventory itemz an arMR frum§c {0}§6.
inventoryClearingAllItems=§6CLeerd al enventoRY ITEMZ FRUm§c {0}§6.
inventoryClearingFromAll=§6cleerin teh envENTOry for al userz\!\!\!\!\!\!\!\!\!\!\!\!\!\!a111
inventoryClearingStack=§6removd§c {0} §6oOof§c {1} §6frum§c {2}§6.
invseeCommandDescription=se teh enventoRY For Othr playerz,
invseeCommandUsage=/<command> <player>
invseeCommandUsage1=/<command> <player>
invseeCommandUsage1Description=openz teh SPECIfid PLAYeRz enventory (an sTEELZ IT)
invseeNoSelf=§cu CAN onle VIEW OTHr players enventoriez
is=r
isIpBanned=§6enternet protocoL §c{0} §6r bannd\!
internalError=§can eNterNEL ERRR ocCurrd wil attemptin to perferm thiz coMMAn.
itemCannotBeSold=§4that item cannot be selled to teh servr.
itemCommandDescription=sporn an item,
itemCommandUsage=/<command> <item|numeric> [amount [itemmeta...]]
itemCommandUsage1=/<command> <item> [amount]
itemCommandUsage1Description=givez u fUl sTAK (R Teh specifid imoUnt) for teh specifid item
itemCommandUsage2=/<command> <item> <amount> <meta>
itemCommandUsage2Description=givez u teh specifid imount fOr TEh specifID item WIF TEH gived metadatA
itemId=§6iD\:§c {0}
itemloreClear=yoU HAZ cleerd thiz itemz loAR,
itemloreCommandDescription=edit teh lOAR FOR An item..
itemloreCommandUsage=/<command> <add/set/clear> [text/line] [text]
itemloreCommandUsage1=/<command> add [text]
itemloreCommandUsage1Description=addz tEH gived tEXt to teh inD for teh holded itemz loar
itemloreCommandUsage2=/<command> set <line number> <text>
itemloreCommandUsage2Description=setz teH specifID LIne for teh holded itemz loar to teh giveD TEXT
itemloreCommandUsage3=/<command> clear
itemloreCommandUsage3Description=cleerz teh holded itemz loar
itemloreInvalidItem=§4u nd to hoLD an ITEM to edit itZ LOAR
itemloreNoLine=§4ur holded iTEM DUS not haz loar text ON line §c{0}§4.
itemloreNoLore=§4ur holded itEM DUs not haz any loar tEXT
itemloreSuccess=§6U haz addd "§c{0}§6" to UR hOlded itemZ loar
itemloreSuccessLore=§6u HAZ SETEd line §c{0}§6 for ur holded ITEmz LOAR TO "§c{1}§6".
itemMustBeStacked=§4item mus be tradd IN stakz?? Kwantitie For 2z would be two staks etc,,..
itemNames=§6item short nemeZ\:§r {0}
itemnameClear=§6u haz CLEerd thiz ITEMz neme
itemnameCommandDescription=nemeZ an item,
itemnameCommandUsage=/<command> [name]
itemnameCommandUsage1=/<command>
itemnameCommandUsage1Description=clEERZ TEH HOLDEd itemz neme
itemnameCommandUsage2=/<command> <name>
itemnameCommandUsage2Description=setz tEH HOlded itemz neme to teh gived texT
itemnameInvalidItem=§cu nd to hoLd an iteM to renamE it
itemnameSuccess=§6u haz renamd ur holded item to "§c{0}§6".
itemNotEnough1=§4u do nOT HAZ Inoo for tHAt ITEM TO Sel?
itemNotEnough2=§6if u ment to sel al for uR itemz for that type use§c /sell itemneme§6.
itemNotEnough3=§c/sell itemnem3 -1§6 wil sel al but one item etc,
itemsConverted=§6convERTd al itemz ento blokz
itemsCsvNotLoaded=could not loard {0}\!
itemSellAir=u reele trid To sel air? puTED An iteM in uR HAN
itemsNotConverted=§4u haz no ITEMZ THat can bE cONVErtd ento blokz
itemSold=§aSELled FR §c{0} §a({1} {2} at {3} each).
itemSoldConsole=§e{0} §aoh hi selled§e {1}§a for §e{2} §a({3} ites atT {4} eech).
itemSpawn=§6GivNg§c {0} §6o0f§c {1}
itemType=§6iTm\:§c {0}
itemdbCommandDescription=seerchez fr an item
itemdbCommandUsage=/<command> <item>
itemdbCommandUsage1=/<command> <item>
itemdbCommandUsage1Description=seerchEZ TEh ITEM dATABas fr teh Gived iTEM k?
jailAlreadyIncarcerated=§4OH hi person R alreedy in jail\:§c {0}
jailList=§6jAilZ\:§r {0}
jailMessage=§4u do teh crime u do teh time?
jailNotExist=§4thAT jail dus not exis??\!\!\!\!\!
jailNotifyJailed=§6pLayR§c {0} §6jaild by §c{1}.
jailNotifyJailedFor=§6pLaer§c {0} §6jaild fr§c {1}§6b §c{2}§6.
jailNotifySentenceExtended=§6pLAyer§c{0} §6jailz time EXTEndd to §c{1} §6by §c{2}§6.
jailReleased=§6plAYR §c{0}§6 njaild
jailReleasedPlayerNotify=§6u HAZ bin reLeesed
jailSentenceExtended=§6OH HI JAil time extendd to §c{0}§6.
jailSet=§6jail§c {0} §6haz bin sETed
jailWorldNotExist=§4that jailz worlD DUS not exis,
jumpEasterDisable=§6flyin wizard mode disabld,
jumpEasterEnable=§6flyin wizard mode inabld.,
jailsCommandDescription=lis al jailz
jailsCommandUsage=/<command>
jumpCommandDescription=jumpz to teh neerest blOK IN TEH LINE for site
jumpCommandUsage=/<command>
jumpError=§4hat would hurted ur comPUTerz brain,
kickCommandDescription=kikZ spECIFId plAYR wif reesON\!
kickCommandUsage=/<command> <player> [reason]
kickCommandUsage1=/<command> <player> [reason]
kickCommandUsage1Description=kikz specifid playr wif reson
kickDefault=helO u haz bin kIkd frum teh server pleez go to REcEpshun plz?
kickedAll=§4U kikd every playr on teh servr uuuhr
kickExempt=§4You cannot kick that person.
kickallCommandDescription=kikz al playerz off teh Servr except teh isur
kickallCommandUsage=/<command> [reason]
kickallCommandUsage1=/<command> [reason]
kickallCommandUsage1Description=kikZ al plaYErz wif an Optionel reeson
kill=§6kiled§c {0}§6.
killCommandDescription=kiLz SPecifid playr
killCommandUsage=/<command> <player>
killCommandUsage1=/<command> <player>
killCommandUsage1Description=kilz tEh specifid playr
killExempt=§4u cannot kil §c{0}§4.
kitCommandDescription=oBTAInz teh spEcifid kit or viewz al availabl kitz
kitCommandUsage=/<command> [kit] [player]
kitCommandUsage1=/<command>
kitCommandUsage1Description=printin al kit listz on uR scrin
kitCommandUsage2=/<command> <kit> [player]
kitCommandUsage2Description=givez teh specifid kit TO U or anotHR plaYr if spECIfid
kitContains=§6Kit §c{0} §6cOntainz\:
kitCost=\ §7§o({0})§r
kitDelay=§m{0}§r
kitError=§4ther Iz no valid kitz
kitError2=§4that kIT r emproperle deefind?? contacT An administRAtr
kitError3=caNNOt gif kit itEM In kit "{0}" to usr{1} az kit item rekwIREZ papr 1.15.2+ to deeSERIALIZE
kitGiveTo=§6ivin kit§c {0}§6 tTo §c{1}§6.
kitInvFull=§4enventory were fuL placin kiT on teh flor,.
kitInvFullNoDrop=§4ther r noT INOo rom in ur enventorY FR that kit,
kitItem=§6- §f{0}
kitNotFound=§4that kit dus not exis,
kitOnce=§4u cant us that kit again,
kitReceive=§6oh HI ReceivD KIT§c {0}§6.
kitReset=§6reseted coldoWN fr kit §c{0}§6.
kitresetCommandDescription=resetz teh colDown on teh specIFID KIT
kitresetCommandUsage=/<command> <kit> [player]
kitresetCommandUsage1=/<command> <kit> [player]
kitresetCommandUsage1Description=resetz teh coldown for teh SpecifiD kit Fr u or anothr pLAYr if SPECIFId
kitResetOther=§6reSETtin kit §c{0} §6coldown FR §c{1}§6.
kits=§6kiTZ\:§r {0}
kittycannonCommandDescription=thROw an explodin kittin et ur opponnt
kittycannonCommandUsage=/<command>
kitTimed=§4u cant us that kit again fr ANOTHr§c {0}§4.
leatherSyntax=§6leethr colr Syntaks\:§c cOLr\:<rd>,<grin>,<blue> eg\: color\:255,0,0§6 r§c color\:<rgb int> eg\: color\:16777011
lightningCommandDescription=teh PowR FOR Thr?? strikE AT CurSR or PLayr
lightningCommandUsage=/<command> [player] [power]
lightningCommandUsage1=/<command> [player]
lightningCommandUsage1Description=oh hi stRIkez lightin eithr wer u iz lOkin or Et anothr playr if sPECiFid
lightningCommandUsage2=/<command> <player> <power>
lightningCommandUsage2Description=strikez lIGHTin AT TEH target playr wif teh gived powr plz?
lightningSmited=§6thou HAsT BiN smitten\!\!\!\!\!\!
lightningUse=§6smitng§c {0}
linkCommandUsage=/<command>
linkCommandUsage1=/<command>
listAfkTag=§7[Meaw]§r
listAmount=§6ther iz §c{0}§6 owT FOR MAXIMUM §c{1}§6 plAyERZ online,
listAmountHidden=§6ther iZ §c{0}§6/§c{1}§6 oWT FOr maximuM §c{2}§6 playerz onlinE
listCommandDescription=lIs al online playerz
listCommandUsage=/<command> [group]
listCommandUsage1=/<command> [group]
listCommandUsage1Description=lIstz al pLayerz on Teh sERVeR Or TEh gIVED Group if specifid
listGroupTag=§6{0}§r\:
listHiddenTag=§7[hided]§r
listRealName=({0})
loadWarpError=§4Fai.....L..Faild to load warp {0}.
localFormat=§3[L] §r<{0}> {1}
loomCommandDescription=opeNz up loM
loomCommandUsage=/<command>
mailClear=§6to cLER ur maIL type§c /mail clear§6.
mailCleared=§6mail cleered\!\!?\!
mailClearIndex=§4oh hi u mus specify numBR betwiN 1-{0}.
mailCommandDescription=manaGEz enterplayer enTRASERVr maiL
mailCommandUsage=/<command> [read|clear|clear [number]|send [to] [message]|sendtemp [to] [expire time] [message]|sendall [message]]
mailCommandUsage1=/<command> read [page]
mailCommandUsage1Description=reeDZ Teh ferst (R specifeid) page for ur mail
mailCommandUsage2=/<command> clear [number]
mailCommandUsage2Description=cLEERZ eithr al or teh specifid mail(Z)
mailCommandUsage3=/<command> send <player> <message>
mailCommandUsage3Description=sendz tEH specifid PlayR TEh gived mesAGE
mailCommandUsage4=/<command> sendall <message>
mailCommandUsage4Description=oh hi sendz AL playerz teh gived mesage
mailCommandUsage5=/<command> sendtemp <player> <expire time> <message>
mailCommandUsage5Description=endz teh spECIfid playr tEH Gived meSAGE WICH wiL EXPIRE in teh specifid time
mailCommandUsage6=/<command> sendtempall <expire time> <message>
mailCommandUsage6Description=sendz al pLayerz teh gIVEd mesage wiCh wil expirE in teh SPECIfid TIMe
mailDelay=to MANY maiLZ haz Bin sended withIN TEH LAST MINUte?? maximum\: {0}
mailFormatNew=§6[§r{0}§6] §6[§r{1}§6] §r{2}
mailFormatNewTimed=§6[§e⚠§6] §6[§r{0}§6] §6[§r{1}§6] §r{2}
mailFormatNewRead=§6[§r{0}§6] §6[§r{1}§6] §7§o{2}
mailFormatNewReadTimed=§6[§e⚠§6] §6[§r{0}§6] §6[§r{1}§6] §7§o{2}
mailFormat=§6[§r{0}§6] §r{1}
mailMessage={0}
mailSent=§6mail SEnded\!?
mailSentTo=§c{0}§6 haz bin sendEd teh folowiN MAIL
mailSentToExpire=§c{0}§6 haz bin sended teh folowin mail wich wil expire IN §c{1}§6\:
mailTooLong=§4mail mesagE TO long?? trY to kep IT below 1000 CHARacTerZ
markMailAsRead=§6TO maRk ur MaIL az reeD Type§c /mail clear§6.
matchingIPAddress=§6teh folowIn playerZ PREViousle loggd in fruM that IP addres\:
maxHomes=§4u cannot seted moar THAn§c {0} §4homez.
maxMoney=§4THIZ TRANSACSHuN wouLd excd teh balens Limit fr thiz aCcount??
mayNotJail=§4u can not jail that person\!
mayNotJailOffline=§4u can not jail offlinE playerZ.
meCommandDescription=deescribez an acshun in teH CONText for teh playr.
meCommandUsage=/<command> <description>
meCommandUsage1=/<command> <description>
meCommandUsage1Description=deescrIBEZ aN Acshun
meSender=me
meRecipient=me
minimumBalanceError=§4teh minimum BALENS Usr can haz r {0}.
minimumPayAmount=§cteh minimuM Imount u can pai r {0}.
minute=minute
minutes=miNuTez
missingItems=§4U DO NOt haz §c{0}x {1}§4.
mobDataList=§6valid mob datAS\:§r {0}
mobsAvailable=§6mobz\:§r {0}
mobSpawnError=§4errr wil changin mob spornr.
mobSpawnLimit=mob kwantitie lIMitd TO SERVR limit.
mobSpawnTarget=§4target BLok mus be mob spornr.
moneyRecievedFrom=§a{0}§6 haz BIN receivd frum§a {1}§6.
moneySentTo=§a{0} haz bin sended to {1}.
month=monTH
months=monthz
moreCommandDescription=fIlZ TEh item stak in hAN TO SPECifid imount or to maximum size if none r specifid.
moreCommandUsage=/<command> [amount]
moreCommandUsage1=/<command> [amount]
moreCommandUsage1Description=filz teh holded item to teh specifid imount or itz MAKS SIze if none r specifid
moreThanZero=§4quantitiez mus Be greETr than 0
motdCommandDescription=VIEwz teh mesage for TEh dai.
motdCommandUsage=/<command> [chapter] [page]
moveSpeed=§6sETed§c {0}§6 speeded to §c {1} §6fR §c{2}§6.
msgCommandDescription=sENDZ priVMICaTE MESagE TO Teh speCifid playr.
msgCommandUsage=/<command> <to> <message>
msgCommandUsage1=/<command> <to> <message>
msgCommandUsage1Description=pRIVATele sendz teh gived mesage to teh spECIFID playr
msgDisabled=§6receivin mesagez §cdisabld§6.
msgDisabledFor=§6receivin mesagez §cdisABld §6fr §c{0}§6.
msgEnabled=§6reCEIvin mesagEz §cinabld§6.
msgtoggleCommandUsage=/<command> [player] [on|off]
msgtoggleCommandUsage1=/<command> [player]
msgtoggleCommandUsage1Description=togglez fle fr yourself oR AnoTHR playr if specIFID
muteCommandUsage=/<command> <player> [datediff] [reason]
muteCommandUsage1=/<command> <player>
muteCommandUsage2=/<command> <player> <datediff> [reason]
muteNotifyFor=§c{0} §6haz mutd Playr §c{1}§6 fr§c {2}§6.
muteNotifyForReason=§c{0} §6haz mutd Playr §c{1}§6 fR§c {2}§6. reeson\: §c{3}
muteNotifyReason=§c{0} §6haz MUTd PLAYr§c{1}§6. reeson\: §c{2}
nearCommandDescription=oh hi LisTz teh playerz nER By or aroun playr??
nearCommandUsage=/<command> [playername] [radius]
nearCommandUsage1=/<command>
nearCommandUsage1Description=oh hi LISTZ Al playerz within teh deefAUlt neR radiuz for u
nearCommandUsage2=/<command> <radius>
nearCommandUsage2Description=listz al plaYErz Within teh gived radiuz for U
nearCommandUsage3=/<command> <player>
nearCommandUsage3Description=listZ al playerz within teh deefault ner radiuz FOR TEH SpecifiD playr k?
nearCommandUsage4=/<command> <player> <radius>
nearCommandUsage4Description=liStz al playErz within teh gived radiuz foR Teh specifid playr
nearbyPlayers=§6plAYERZ neerby\:§r {0}
nearbyPlayersList={0}§f(§c{1}m§f)
negativeBalanceError=§4usr r nOT ALowd to haz Negatif balens?? k?
nickChanged=§6nikname changD
nickCommandDescription=change ur niKname or that for anOTHr playr??
nickCommandUsage=/<command> [player] <nickname|off>
nickCommandUsage1=/<command> <nickname>
nickCommandUsage1Description=chaNgeZ UR NIKNamE TO teh gived text
nickCommandUsage2=/<command> off
nickCommandUsage2Description=removez ur niknaME plz?
nickCommandUsage3=/<command> <player> <nickname>
nickCommandUsage3Description=changEZ Teh specIfid plAyerz nikname to teh gived text
nickCommandUsage4=/<command> <player> off
nickCommandUsage4Description=removez teh Gived playerz niknAme plz?
nickDisplayName=§4haz to Inabl changedisplayname in esENTIALz config
nickInUse=§4that neme r alrEedy in use
nickNameBlacklist=§4thAT NIKNAme r not alowd
nickNamesAlpha=§4niknamez MUs be alphanumeric
nickNamesOnlyColorChanges=§4niknamez can onle haz Their colorZ CHANGD?? plz?
nickNoMore=§6u no loNGR haz nikname??
nickSet=§6ur nikname r now §c{0}§6.
nickTooLong=§4that niknAMe r to long
noAccessCommand=§4u DO not haz accez to THAT comman
noAccessPermission=§4u do not haz permIshun to acCEZ That §c{0}§4.
noAccessSubCommand=§4u do noT hAZ acceZ TO §c{0}§4.
noBreakBedrock=§4u iz NOT ALOwd to deesTROI bedrok
noDestroyPermission=§4U do Not HAz permishun to deestroi that §c{0}§4.
northEast=NE
north=N
northWest=NW
noGodWorldWarning=§4WARNING\!?? god MOde in thIZ World diSABLd
noHomeSetPlayer=§6playr haz not Seted Home
noIgnored=§6oh hi U iz not ignorin anyone
noJailsDefined=§6no jailz deefind
noKitGroup=§4u do not haz acceZ to THiz kit
noKitPermission=§4u nd tEh §c{0}§4 perMIshun TO US that kit,
noKits=§6hi ther iz no kITZ availabl yet
noLocationFound=§4no valid locashun fiNDed
noMail=§6u do noT HAZ aNY Mail
noMatchingPlayers=§6NO mAtchIN playerz finded
noMetaFirework=§4u do not hAZ permishun to aPplE fIrework mETa
noMetaJson=json metadata R not sUpportd in thiz vershun for bukkt
noMetaPerm=§4u do not haz permishun to apple §c{0}§4 meta to thiz iteM
none=none
noNewMail=§6u haz no new mail
nonZeroPosNumber=§4oh hi A nonzerO nuMbr r rekwird
noPendingRequest=§4u dO NOT haz penDIN REKwest
noPerm=§4u do not haz teH §c{0}§4 permishun
nukeCommandUsage=/<command> [player]
nukeCommandUsage1=/<command> [players...]
orderBalances=§6orderin balanCEZ for§c {0} §6userS pleez waiT\!\!\!\!\!\!\!\!\!\!\!\!\!\!\!
passengerTeleportFail=§4U cant b teleportd wiz da passeger onboard.
payCommandDescription=payz anothr playr frUm ur balEns??
payCommandUsage=/<command> <player> <amount>
payCommandUsage1=/<command> <player> <amount>
payconfirmtoggleCommandUsage=/<command>
paytoggleCommandUsage=/<command> [player]
paytoggleCommandUsage1=/<command> [player]
pingCommandUsage=/<command>
playtimeCommandUsage=/<command> [player]
playtimeCommandUsage1=/<command>
playtimeCommandUsage2=/<command> <player>
potionCommandUsage=/<command> <clear|apply|effect\:<effect> power\:<power> duration\:<duration>>
potionCommandUsage1=/<command> clear
potionCommandUsage2=/<command> apply
potionCommandUsage3=/<command> effect\:<effect> power\:<power> duration\:<duration>
powertoolCommandUsage=/<command> [l\:|a\:|r\:|c\:|d\:][command] [arguments] - {player} can be replacd by nEMe for clikd playr.
powertoolCommandUsage1=/<command> l\:
powertoolCommandUsage2=/<command> d\:
powertoolCommandUsage3=/<command> r\:<cmd>
powertoolCommandUsage4=/<command> <cmd>
powertoolCommandUsage5=/<command> a\:<cmd>
powertooltoggleCommandUsage=/<command>
ptimeCommandUsage=/<command> [list|reset|day|night|dawn|17\:30|4pm|4000ticks] [player|*]
ptimeCommandUsage1=/<command> list [player|*]
ptimeCommandUsage2=/<command> <time> [player|*]
ptimeCommandUsage3=/<command> reset [player|*]
pweatherCommandUsage=/<command> [list|reset|storm|sun|clear] [player|*]
pweatherCommandUsage1=/<command> list [player|*]
pweatherCommandUsage2=/<command> <storm|sun> [player|*]
pweatherCommandUsage3=/<command> reset [player|*]
rCommandUsage=/<command> <message>
rCommandUsage1=/<command> <message>
realnameCommandUsage=/<command> <nickname>
realnameCommandUsage1=/<command> <nickname>
recipeCommandUsage=/<command> <item> [number]
recipeCommandUsage1=/<command> <item> [page]
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]
removeCommandUsage2=/<command> <mob type> <radius> [world]
repairCommandUsage=/<command> [hand|all]
repairCommandUsage1=/<command>
repairCommandUsage2=/<command> all
resetBal=§6Balens haz bin reseted to §c{0} §6fr al online plaYErz??
resetBalAll=§6oH hi balens haz BIN RESeted TO §c{0} §6oh hi fr al PLAyERZ??\!\!???\!
restCommandUsage=/<command> [player]
restCommandUsage1=/<command> [player]
rtoggleCommandUsage=/<command> [player] [on|off]
rulesCommandUsage=/<command> [chapter] [page]
seenCommandUsage=/<command> <playername>
seenCommandUsage1=/<command> <playername>
sellCommandUsage=/<command> <<itemname>|<id>|hand|inventory|blocks> [amount]
sellCommandUsage1=/<command> <itemname> [amount]
sellCommandUsage2=/<command> hand [amount]
sellCommandUsage3=/<command> all
sellCommandUsage4=/<command> blocks [amount]
setBal=§aoh hi Ur baleNS were seTED to {0}.
setBalOthers=§au seted {0}§a''z balens tO k? {1}.
sethomeCommandUsage=/<command> [[player\:]name]
sethomeCommandUsage1=/<command> <name>
sethomeCommandUsage2=/<command> <player>\:<name>
setjailCommandUsage=/<command> <jailname>
setjailCommandUsage1=/<command> <jailname>
settprCommandUsage=/<command> [center|minrange|maxrange] [value]
settprCommandUsage1=/<command> center
settprCommandUsage2=/<command> minrange <radius>
settprCommandUsage3=/<command> maxrange <radius>
setwarpCommandUsage=/<command> <warp>
setwarpCommandUsage1=/<command> <warp>
setworthCommandUsage=/<command> [itemname|id] <price>
setworthCommandUsage1=/<command> <price>
setworthCommandUsage2=/<command> <itemname> <price>
showkitCommandUsage=/<command> <kitname>
showkitCommandUsage1=/<command> <kitname>
editsignCommandUsage=/<command> <set/clear/copy/paste> [line number] [text]
editsignCommandUsage1=/<command> set <line number> <text>
editsignCommandUsage2=/<command> clear <line number>
editsignCommandUsage3=/<command> copy [line number]
editsignCommandUsage4=/<command> paste [line number]
skullCommandUsage=/<command> [owner]
skullCommandUsage1=/<command>
skullCommandUsage2=/<command> <player>
smithingtableCommandUsage=/<command>
socialspyCommandUsage=/<command> [player] [on|off]
socialspyCommandUsage1=/<command> [player]
spawnerCommandUsage=/<command> <mob> [delay]
spawnerCommandUsage1=/<command> <mob> [delay]
spawnmobCommandUsage=/<command> <mob>[\:data][,<mount>[\:data]] [amount] [player]
spawnmobCommandUsage1=/<command> <mob>[\:data] [amount] [player]
spawnmobCommandUsage2=/<command> <mob>[\:data],<mount>[\:data] [amount] [player]
speedCommandUsage=/<command> [type] <speed> [player]
speedCommandUsage1=/<command> <speed>
speedCommandUsage2=/<command> <type> <speed> [player]
stonecutterCommandUsage=/<command>
sudoCommandUsage=/<command> <player> <command [args]>
sudoCommandUsage1=/<command> <player> <command> [args]
suicideCommandUsage=/<command>
takenFromOthersAccount=§e{0}§a TakeD frum §e {1}§a Account?? nEw balens\:§e {2}
tempbanCommandUsage=/<command> <playername> <datediff> [reason]
tempbanCommandUsage1=/<command> <player> <datediff> [reason]
tempbanipCommandUsage=/<command> <playername> <datediff> [reason]
tempbanipCommandUsage1=/<command> <player|ip-address> <datediff> [reason]
thunderCommandUsage=/<command> <true/false> [duration]
thunderCommandUsage1=/<command> <true|false> [duration]
timeCommandUsage=/<command> [set|add] [day|night|dawn|17\:30|4pm|4000ticks] [worldname|all]
timeCommandUsage1=/<command>
timeCommandUsage2=/<command> set <time> [world|all]
timeCommandUsage3=/<command> add <time> [world|all]
togglejailCommandUsage=/<command> <player> <jailname> [datediff]
toggleshoutCommandDescription=Turns on if you are speakin in a screaming type
toggleshoutCommandUsage=/<command> [player] [on|off]
toggleshoutCommandUsage1=/<command> [player]
topCommandUsage=/<command>
tpCommandUsage=/<command> <player> [otherplayer]
tpCommandUsage1=/<command> <player>
tpCommandUsage2=/<command> <player> <other player>
tpaCommandUsage=/<command> <player>
tpaCommandUsage1=/<command> <player>
tpaallCommandUsage=/<command> <player>
tpaallCommandUsage1=/<command> <player>
tpacancelCommandUsage=/<command> [player]
tpacancelCommandUsage1=/<command>
tpacancelCommandUsage2=/<command> <player>
tpacceptCommandUsage=/<command> [otherplayer]
tpacceptCommandUsage1=/<command>
tpacceptCommandUsage2=/<command> <player>
tpacceptCommandUsage3=/<command> *
tpahereCommandUsage=/<command> <player>
tpahereCommandUsage1=/<command> <player>
tpallCommandUsage=/<command> [player]
tpallCommandUsage1=/<command> [player]
tpautoCommandUsage=/<command> [player]
tpautoCommandUsage1=/<command> [player]
tpdenyCommandUsage=/<command>
tpdenyCommandUsage1=/<command>
tpdenyCommandUsage2=/<command> <player>
tpdenyCommandUsage3=/<command> *
tphereCommandUsage=/<command> <player>
tphereCommandUsage1=/<command> <player>
tpoCommandUsage=/<command> <player> [otherplayer]
tpoCommandUsage1=/<command> <player>
tpoCommandUsage2=/<command> <player> <other player>
tpofflineCommandUsage=/<command> <player>
tpofflineCommandUsage1=/<command> <player>
tpohereCommandUsage=/<command> <player>
tpohereCommandUsage1=/<command> <player>
tpposCommandUsage=/<command> <x> <y> <z> [yaw] [pitch] [world]
tpposCommandUsage1=/<command> <x> <y> <z> [yaw] [pitch] [world]
tprCommandUsage=/<command>
tprCommandUsage1=/<command>
tptoggleCommandUsage=/<command> [player] [on|off]
tptoggleCommandUsage1=/<command> [player]
unbanCommandUsage=/<command> <player>
unbanCommandUsage1=/<command> <player>
unlinkCommandUsage=/<command>
unlinkCommandUsage1=/<command>
vanishCommandUsage=/<command> [player] [on|off]
vanishCommandUsage1=/<command> [player]
versionOutputEconLayer=§6econOmy layr\: §r{0}
warpCommandUsage1=/<command> [page]
warpinfoCommandUsage=/<command> <warp>
warpinfoCommandUsage1=/<command> <warp>
warpList={0}
whoisCommandUsage=/<command> <nickname>
whoisCommandUsage1=/<command> <player>
workbenchCommandUsage=/<command>
worldCommandUsage1=/<command>
worthCommandUsage1=/<command> <itemname> [amount]
worthCommandUsage2=/<command> hand [amount]
worthCommandUsage3=/<command> all
worthCommandUsage4=/<command> blocks [amount]
youAreHealed=§6u haz bin heeald?

View File

@ -252,7 +252,6 @@ discordCommandListArgumentGroup=Konkreti grupė, pagal kurią norite apriboti pa
discordCommandMessageDescription=Išsiunčia žinutę žaidėjui Minecraft serveryje.
discordCommandMessageArgumentUsername=Žaidėjas, kuriam siunčiama žinutė
discordCommandMessageArgumentMessage=Žinutė kurią išsiųsti žaidėjui
discordErrorCommand=Neteisingai pridėjote savo botą prie serverio. Vadovaukitės konfigūracijos vadovėliu ir pridėkite savo botą naudodami https\://essentialsx.net/discord.html\!
discordErrorCommandDisabled=Ši komanda išjungta\!
discordErrorLogin=Prisijungiant prie Discord įvyko klaida, dėl kurios įskiepis išsijungė\: \n{0}
discordErrorLoggerInvalidChannel=Discord konsolės registravimas buvo išjungtas dėl negaliojančio kanalo apibrėžimo\! Jei ketinate jį išjungti, nustatykite kanalo ID į "none"; kitu atveju patikrinkite, ar jūsų kanalo ID yra teisingas.
@ -657,6 +656,8 @@ lightningCommandUsage2=/<command> <player> <power>
lightningCommandUsage2Description=Trenkia žaibu į nurodytą žaidėją su nurodyta jega
lightningSmited=§6Thou hast been smitten\!
lightningUse=§6Smiting§c {0}
linkCommandUsage=/<command>
linkCommandUsage1=/<command>
listAfkTag=§7[AFK]§r
listAmount=§6Dabar yra §c{0}§6 is §c{1}§6 zaideju prisijungusiu.
listAmountHidden=§6Dabar yra §c{0}§6/§c{1}§6 iš maksimumo §c{2}§6 žaidėjų prisijungę.
@ -1012,7 +1013,6 @@ repairCommandUsage2Description=Sutaiso visus jūsų inventoriuje esančius daikt
repairEnchanted=§4Tu neturi teisiu taisyti enchanted daiktu.
repairInvalidType=§4Šis daiktas negali būti pataisytas.
repairNone=§4Tu neturi daiktu, kuriuos reiketu pataisyti.
replyFromDiscord=**Atsakas nuo {0}\:** `{1}`
replyLastRecipientDisabled=§6Atsakymas paskutiniam žinutės gavėjui §cišjungtas§6.
replyLastRecipientDisabledFor=§6Atsakymas paskutiniam žinutės gavėjui §cišjungtas §6for §c{0}§6.
replyLastRecipientEnabled=§6Atsakymas paskutiniam žinutės gavėjui §cįjungtas§6.
@ -1384,6 +1384,8 @@ unlimitedCommandUsage3=/<command> clear [player]
unlimitedCommandUsage3Description=Ištrina visus neribotus daiktus sau arba kitam žaidėjui, jei nurodyta
unlimitedItemPermission=§4Neturite teisės neribotam kiekiui §c{0}§4.
unlimitedItems=§6Unlimited items\:§r
unlinkCommandUsage=/<command>
unlinkCommandUsage1=/<command>
unmutedPlayer=§6Žaidėjui§c {0} §6vėl leista rašyti.
unsafeTeleportDestination=Teleportavimasis yra nesaugus ir teleport-safety yra išjungtas.
unsupportedBrand=§4Šiuo metu naudojama serverio platforma neturi šios funkcijos galimybių.

View File

@ -509,6 +509,8 @@ lightningCommandUsage=/<command> [player] [power]
lightningCommandUsage1=/<command> [player]
lightningSmited=§6Tev iesita zibens\!
lightningUse=§6Sit§c {0}
linkCommandUsage=/<command>
linkCommandUsage1=/<command>
listAfkTag=§7[AFK]§r
listAmount=§6Šeit ir §c{0}§6 no maksimum §c{1}§6 spēlētājiem tiešsaistē.
listAmountHidden=§6Šeit ir §c{0}§6/§c{1}§6 no maksimum §c{2}§6 spēlētājiem tiešsaistē.
@ -1028,6 +1030,8 @@ unlimitedCommandDescription=Ļauj neierobežoti izvietot priekšmetus.
unlimitedCommandUsage=/<command> <list|item|clear> [player]
unlimitedItemPermission=§4Nav tiesību bezgalīgam priekšmetam §c{0}§4.
unlimitedItems=§6Bezgalīgi priekšmeti\:§r
unlinkCommandUsage=/<command>
unlinkCommandUsage1=/<command>
unmutedPlayer=§6Spēlētājam§c {0} §6noņemts apklusinājums.
unsafeTeleportDestination=§4Teleportācijas galamērķis ir nedrošs vai teleportācijas drošība ir atspējota.
unsupportedBrand=§4Servera platforma, kuru pašlaik izmantojat, nenodrošina šīs funkcijas iespējas.

View File

@ -253,7 +253,6 @@ discordCommandListArgumentGroup=Een specifieke groep om je zoekopdracht te beper
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 verkeerd aan je server toegevoegd. Volg alsjeblieft de tutorial in de configuratie en voeg je bot toe met 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}
discordErrorNoGuild=Je hebt je bot nog niet toegevoegd aan een server\! Volg alsjeblieft de tutorial in de configuratie om de plugin in te stellen.
@ -616,6 +615,8 @@ lightningCommandUsage=/<command> [speler] [kracht]
lightningCommandUsage1=/<command> [speler]
lightningSmited=§6Gij zijt getroffen\!
lightningUse=§c{0}§6 wordt getroffen door bliksem.
linkCommandUsage=/<command>
linkCommandUsage1=/<command>
listAfkTag=§7[AFK]§f
listAmount=§6Er zijn §c{0}§6 van het maximum §c{1}§6 spelers online.
listAmountHidden=§6Er zijn §c{0}§6/§c{1}§6 van het maximum §c{2}§6 spelers online.
@ -1177,6 +1178,8 @@ unlimitedCommandUsage=/<command> <list|item|clear> [speler]
unlimitedCommandUsage1=/<command> list [speler]
unlimitedItemPermission=§4Geen toegang voor oneindig voorwerp §c{0}§4.
unlimitedItems=Oneindige voorwerpen\:
unlinkCommandUsage=/<command>
unlinkCommandUsage1=/<command>
unmutedPlayer=Speler {0} mag weer spreken.
unsafeTeleportDestination=§4De teleportatie bestemming is onveilig en teleport-veiligheid is uitgeschakeld.
unsupportedBrand=§4Het serverplatform dat u momenteel gebruikt, biedt niet de mogelijkheden voor deze functie.

View File

@ -251,7 +251,6 @@ discordCommandListArgumentGroup=En bestemt gruppe å begrense søket etter
discordCommandMessageDescription=Send melding til en spiller på serveren.
discordCommandMessageArgumentUsername=Spilleren du vil sende meldingen til
discordCommandMessageArgumentMessage=Meldingen som skal sendes til spilleren
discordErrorCommand=Du la feil bot til serveren din. Følg opplæringen i konfigurasjonen og legg til boten din ved hjelp av https\://essentialsx.net/discord.html\!
discordErrorCommandDisabled=Denne kommandoen er skrudd av\!
discordErrorLogin=Det oppstod en feil under påloggingen til Discord, som forårsaket at programtillegget har deaktivert seg selv\: {0}
discordErrorLoggerInvalidChannel=Loggingen av Discord-konsollen er deaktivert på grunn av en ugyldig kanaldefinisjon.
@ -505,6 +504,7 @@ invseeCommandDescription=Se inventaret til andre spillere.
invseeCommandUsage=/<command> <spiller>
invseeCommandUsage1=/<command> <spiller>
invseeCommandUsage1Description=Åpner inventaret til den gitte spilleren
invseeNoSelf=§cDu kan bare se andre spilleres inventory.
is=er
isIpBanned=§6IP §c{0} §6er utestengt.
internalError=§cEn intern feil oppstod under et forsøk på å utføre denne kommandoen.
@ -617,6 +617,8 @@ lightningCommandUsage1Description=Slår på belysning enten der du ser eller på
lightningCommandUsage2Description=Tar belysning på målspilleren med den gitte kraften
lightningSmited=§6Du er slått av lynet\!
lightningUse=§6Slår ned på§c {0}
linkCommandUsage=/<command>
linkCommandUsage1=/<command>
listAfkTag=§7[AFK]§r
listAmount=§6Det er §c{0}§6 av maks §c{1}§6 spillere pålogget.
listAmountHidden=§6Det er §c{0}§6/§c{1}§6 av maks §c{2}§6 spillere pålogget.
@ -927,7 +929,6 @@ repairCommandUsage2Description=Reparerer alle gjenstander i ryggsekken din
repairEnchanted=§4Du har ikke lov til å reparere fortryllede gjenstander.
repairInvalidType=§4Denne gjenstanden kan ikke repareres.
repairNone=§4Det var ingen gjenstander som måtte repareres.
replyFromDiscord=**Svar fra {0}\:** `{1}`
replyLastRecipientDisabled=§6Svar til mottaker av siste melding er §cdeaktivert§6.
replyLastRecipientDisabledFor=§6Svar til mottaker av siste melding er §cdeaktivert §6i §c{0}§6.
replyLastRecipientEnabled=§6Svar til mottaker av siste melding er §caktivert§6.
@ -1196,6 +1197,8 @@ unlimitedCommandDescription=Tillater ubegrenset plassering av gjenstander.
unlimitedCommandUsage=/<command> <list|item|clear> [spiller]
unlimitedItemPermission=§4Ingen tillatelse for ubegrenset gjenstand §c{0}§4.
unlimitedItems=§6Ubegrenset gjenstander\:§r
unlinkCommandUsage=/<command>
unlinkCommandUsage1=/<command>
unmutedPlayer=§6Spiller§c {0} §6er ikke lenger dempet.
unsafeTeleportDestination=§4Teleporteringsdestinasjonen er utrygg og teleporteringssikkerhet er deaktivert.
unsupportedBrand=§4Server-plattformen du kjører for øyeblikket gir ikke mulighetene for denne funksjonen.

View File

@ -138,7 +138,7 @@ clearinventoryCommandUsage1=/<command>
clearinventoryCommandUsage1Description=Usuwa wszystkie przedmioty z twojego ekwipunku
clearinventoryCommandUsage2=/<command> <gracz>
clearinventoryCommandUsage2Description=Usuwa wszystkie przedmioty z ekwipunku podanego gracza
clearinventoryCommandUsage3=/<command> <gracz> <item> [liczba]
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>
@ -240,6 +240,12 @@ discordbroadcastCommandUsage1Description=Wysyła podaną wiadomość do danego k
discordbroadcastInvalidChannel=§4Kanał §c{0}§4 nie istnieje.
discordbroadcastPermission=§4Nie masz permisji do wysyłania wiadomości na kanał §c{0}§4.
discordbroadcastSent=§6Wiadomość została wysłana do §c{0}§6\!
discordCommandAccountArgumentUser=Konto Discorda do wyszukania
discordCommandAccountDescription=Wyszukuje połączone konto Minecraft dla siebie lub innego użytkownika Discorda
discordCommandAccountResponseLinked=Twoje konto jest połączone z kontem Minecraft\: **{0}**
discordCommandAccountResponseLinkedOther=Konto {0} jest połączone z kontem Minecraft\: **{1}**
discordCommandAccountResponseNotLinked=Nie masz połączonego konta Minecraft.
discordCommandAccountResponseNotLinkedOther={0} nie posiada połączonego konta Minecraft.
discordCommandDescription=Wysyła graczowi odsyłacz z zaproszeniem.
discordCommandLink=§6Dołącz do naszego serwera Discorda na §c{0}§6\!
discordCommandUsage=/<command>
@ -248,12 +254,20 @@ discordCommandUsage1Description=Wysyła graczowi zaproszenie na serwer Discorda
discordCommandExecuteDescription=Wykonuje polecenie konsoli na serwerze Minecrafta.
discordCommandExecuteArgumentCommand=Polecenie, które ma zostać wykonane
discordCommandExecuteReply=Wykonywanie polecenia\: „/{0}”
discordCommandUnlinkDescription=Odłącz konto Minecraft obecnie połączone z kontem Discorda
discordCommandUnlinkInvalidCode=Nie masz obecnie konta Minecraft połączonego z Discordem\!
discordCommandUnlinkUnlinked=Twoje konto Discord zostało odłączone od wszystkich powiązanych kont Minecraft.
discordCommandLinkArgumentCode=Kod dostarczony w grze, aby połączyć Twoje konto Minecraft
discordCommandLinkDescription=Połącz Twoje konto Discorda z kontem Minecraft używając kodu z komendy /link
discordCommandLinkHasAccount=Masz już połączone konto\! Aby odłączyć swoje obecne konto, wpisz /unlink.
discordCommandLinkInvalidCode=Nieprawidłowy kod linku\! Upewnij się, że uruchomiłeś /link w grze i poprawnie skopiowałeś kod.
discordCommandLinkLinked=Pomyślnie połączono Twoje konto\!
discordCommandListDescription=Spis dostępnych graczy.
discordCommandListArgumentGroup=Określona grupa do ograniczenia wyszukiwania przez
discordCommandMessageDescription=Prześle wiadomość do gracza na serwerze Minecraft.
discordCommandMessageArgumentUsername=Gracz, do którego ma zostać wysłana wiadomość
discordCommandMessageArgumentMessage=Wiadomość, która ma zostać wysłana graczowi
discordErrorCommand=Twój bot został dodany niepoprawnie do serwera. Postępuj zgodnie z samouczkiem w konfiguracji i dodaj bota za pomocą https\://essentialsx.net/discord.html\!
discordErrorCommand=Twój bot został niepoprawnie dodany do serwera. Postępuj zgodnie ze wskazówkami w konfiguracji i dodaj bota za pomocą https\://essentialsx.net/discord.html
discordErrorCommandDisabled=To polecenie jest wyłączone\!
discordErrorLogin=Wystąpił błąd podczas logowania do Discorda, co spowodowało wyłączenie pluginu samodzielnie\: \n{0}
discordErrorLoggerInvalidChannel=Rejestrator konsoli Discorda został wyłączony z powodu nieprawidłowej definicji kanału\! Jeśli zamierzasz to wyłączyć, ustaw ID kanału na "brak"; w przeciwnym razie sprawdź, czy identyfikator kanału jest poprawny.
@ -265,8 +279,20 @@ discordErrorNoPrimary=Nie zdefiniowałeś kanału podstawowego lub zdefiniowany
discordErrorNoPrimaryPerms=Twój bot nie może rozmawiać na podstawowym kanale \#{0}\! Upewnij się, że twój bot ma uprawnienia do odczytu i zapisu we wszystkich kanałach, z których chcesz korzystać.
discordErrorNoToken=Nie podano tokenu\! Postępuj zgodnie z poradnikiem w konfiguracji, aby skonfigurować plugin.
discordErrorWebhook=Wystąpił błąd podczas wysyłania wiadomości do kanału konsoli\! Było to prawdopodobnie spowodowane przypadkowym usunięciem twojego webhooka konsoli. Zazwyczaj można to naprawić, upewniając się, że Twój bot ma uprawnienia "Zarządzaj Webhookami" i uruchamiając "/ess reload".
discordLinkInvalidGroup=Nieprawidłowa grupa {0} została dostarczona dla roli {1}. Dostępne są następujące grupy\: {2}
discordLinkInvalidRole=Niepoprawny identyfikator roli, {0} został podany dla grupy\: {1}. Możesz zobaczyć ID ról z komendą /roleinfo na Discordzie.
discordLinkInvalidRoleInteract=Rola, {0} ({1}) nie może być użyta do synchronizacji grupa->rola, ponieważ znajduje się powyżej górnej roli bota. Przenieś rolę bota powyżej "{0}" lub przenieś "{0}" poniżej roli bota.
discordLinkInvalidRoleManaged=Rola, {0} ({1}) nie może być użyta do synchronizacji grupa->rola, ponieważ jest zarządzana przez innego bota lub integrację.
discordLinkLinked=§7Aby połączyć swoje konto Minecraft z Discordem, wpisz §c{0} §7na serwerze Discord.
discordLinkLinkedAlready=§7Już połączyłeś swoje konto Discord\! Jeśli chcesz odłączyć swoje konto Discord, użyj §c/unlink§6.
discordLinkLoginKick=§7Musisz połączyć swoje konto Discorda zanim będziesz mógł dołączyć do tego serwera.\n§7Aby połączyć swoje konto Minecraft z Discordem, wpisz\:\n§c{0}\n§7na serwerze Discord\:\n§c{1}
discordLinkLoginPrompt=§7Musisz połączyć swoje konto Discord, zanim będziesz mógł się poruszać, czatować lub wchodzić w interakcje z tym serwerem. Aby połączyć swoje konto Minecraft z Discordem, wpisz §c{0} §7na serwerze Discord\: §c{1}
discordLinkNoAccount=§7Obecnie nie masz konta Discorda połączonego z Twoim kontem Minecraft.
discordLinkPending=§7Masz już kod linku. Aby połączyć swoje konto Minecraft z Discordem, wpisz §c{0} §7na serwerze Discord.
discordLinkUnlinked=§7Odłączono Twoje konto Minecraft ze wszystkich powiązanych kont Discord.
discordLoggingIn=Próba logowania do Discorda…
discordLoggingInDone=Pomyślnie zalogowano jako {0}
discordMailLine=**Nowa wiadomość od {0}\:** {1}
discordNoSendPermission=Nie można wysłać wiadomości na kanale\: \#{0} Upewnij się, że bot ma uprawnienia "Wyślij wiadomości" w tym kanale\!
discordReloadInvalid=Próbowano przeładować konfigurację EssentialsX Discord, gdy plugin jest w nieprawidłowym stanie\! Jeśli zmodyfikowałeś konfigurację, uruchom ponownie serwer.
disposal=Kosz na śmieci
@ -286,7 +312,7 @@ durability=§6Temu narzędziu pozostało §c{0}§6 użyć
east=E
ecoCommandDescription=Zarządza gospodarką serwera.
ecoCommandUsage=/<command> <give|take|set|reset> <gracz> <kwota>
ecoCommandUsage1=/<command> give <gracz> <liczba>
ecoCommandUsage1=/<command> give <gracz> <kwota>
ecoCommandUsage1Description=Daje określonemu graczowi określoną ilość pieniędzy
ecoCommandUsage2=/<command> take <gracz> <kwota>
ecoCommandUsage2Description=Zabiera określoną ilość pieniędzy od określonego gracza
@ -314,6 +340,7 @@ enderchestCommandUsage2=/<command> <gracz>
enderchestCommandUsage2Description=Otwiera skrzynię Endu wybranego gracza
errorCallingCommand=Błąd wywoływania polecenia /{0}
errorWithMessage=§cBłąd\:§4 {0}
essChatNoSecureMsg=EssentialsX Chat w wersji {0} nie obsługuje bezpiecznego czatu na tym serwerze. Zaktualizuj EssentialsX, a jeśli problem będzie się powtarzał, poinformuj programistów.
essentialsCommandDescription=Przeładowuje EseentialsX.
essentialsCommandUsage=/<command>
essentialsCommandUsage1=/<command> reload
@ -338,7 +365,7 @@ essentialsReload=§6Essentials przeładował§c {0}.
exp=§c{0} §7ma§c {1} §7doświadczenia (poziom§c {2}§7), potrzebuje§c {3} §7więcej doświadczenia do następnego poziomu.
expCommandDescription=Dodaje, ustawia, odnawia lub wyświetla doświadczenie graczy.
expCommandUsage=/<command> [reset|show|set|give] [gracz [liczba]]
expCommandUsage1=/<command> give <gracz> <liczba>
expCommandUsage1=/<command> give <gracz> <kwota>
expCommandUsage1Description=Daje docelowemu graczowi określoną ilość doświadczenia
expCommandUsage2=/<command> set <nazwa gracza> <ilość>
expCommandUsage2Description=Ustawia doświadczenie docelowego gracza na określoną ilość
@ -414,7 +441,7 @@ getposCommandUsage1=/<command> [gracz]
getposCommandUsage1Description=Pobiera współrzędne Twoje lub innego gracza
giveCommandDescription=Daje graczowi przedmiot.
giveCommandUsage=/<command> <gracz> <przedmiot|numerycznie> [ilość [meta_przedmiotu…]]
giveCommandUsage1=/<command> <gracz> <item> [liczba]
giveCommandUsage1=/<command> <gracz> <przedmiot> [ilość]
giveCommandUsage1Description=Daje docelowemu graczowi 64 (lub określoną liczbę) określonego itemu
giveCommandUsage2=/<command> <gracz> <item> <liczba> <meta>
giveCommandUsage2Description=Daje docelowemu graczowi określoną liczbę określonego itemu z podanymi metadanymi
@ -481,6 +508,7 @@ homeCommandUsage2=/<command> <gracz>\:<nazwa>
homeCommandUsage2Description=Teleportuje cię do domu określonego gracza o podanej nazwie
homes=§7Domy\:§r {0}
homeConfirmation=§6Masz już dom o nazwie §c{0}§6\! Aby go nadpisać, wpisz polecenie ponownie.
homeRenamed=§6Zmieniono nazwę domu §c{0} §6na §c{1}§6.
homeSet=§7Dom został ustawiony.
hour=godzina
hours=godzin
@ -533,6 +561,7 @@ invseeCommandDescription=Zobacz ekwipunek innych graczy.
invseeCommandUsage=/<command> <gracz>
invseeCommandUsage1=/<command> <gracz>
invseeCommandUsage1Description=Otwiera ekwipunek danego gracza
invseeNoSelf=§cMożesz przeglądać tylko ekwipunek innych graczy.
is=jest
isIpBanned=§7IP §c{0} §7jest zbanowany.
internalError=§cAn internal error occurred while attempting to perform this command.
@ -658,6 +687,10 @@ lightningCommandUsage2=/<command> <gracz> <moc>
lightningCommandUsage2Description=Przywołuje piorun o podanej mocy na wybranego gracza
lightningSmited=§7Zostałeś uderzony piorunem.
lightningUse=§7Uderzono piorunem§c {0}§7.
linkCommandDescription=Generuje kod do połączenia konta Minecraft z Discordem.
linkCommandUsage=/<command>
linkCommandUsage1=/<command>
linkCommandUsage1Description=Generuje kod dla komendy /link na Discordzie
listAfkTag=§7[AFK]§f
listAmount=§7Na serwerze jest §c{0}§7 graczy z maksimum §c{1}§7 online.
listAmountHidden=§6Obecnie na serwerze jest §c{0}§6/§c{1}§6 na maksymalnie §c{2}§6 graczy online.
@ -1007,6 +1040,12 @@ removeCommandUsage1Description=Usuwa wszystkie potwory o podanym typie w bieżą
removeCommandUsage2=/<command> <typ moba> <promień> [świat]
removeCommandUsage2Description=Usuwa dany typ potwora w danym promieniu w bieżącym świecie lub innym
removed=§7Usunięto§c {0} §7podmiotów.
renamehomeCommandDescription=Zmienia nazwę domu.
renamehomeCommandUsage=/<command> <[gracz\:]nazwa> <nowa nazwa>
renamehomeCommandUsage1=/<command> <nazwa> <nowa nazwa>
renamehomeCommandUsage1Description=Zmienia nazwę domu na podaną
renamehomeCommandUsage2=/<command> <gracz>\:<nazwa> <nowa nazwa>
renamehomeCommandUsage2Description=Zmienia nazwę domu wybranego gracza na podaną
repair=§6Naprawiłeś pomyślnie swoje\: §c{0}.
repairAlreadyFixed=§4Ten przedmiot nie potrzebuje naprawy.
repairCommandDescription=Naprawia wytrzymałość jednego lub wszystkich przedmiotów.
@ -1018,7 +1057,7 @@ repairCommandUsage2Description=Naprawia wszystkie przedmioty w ekwipunku
repairEnchanted=§4Nie masz uprawnień na naprawiania ulepszonych przedmiotów.
repairInvalidType=§4Ten przedmiot nie może byc naprawiony.
repairNone=§4Żadne twoje przedmioty nie potrzebują naprawy.
replyFromDiscord=**Odpowiedź od {0}\:** `{1}`
replyFromDiscord=**Odpowiedź od {0}\:** {1}
replyLastRecipientDisabled=§6Odpowiadanie na wiadomość ostatniego odbiorcy wiadomości zostało §cwyłączone§6.
replyLastRecipientDisabledFor=§6Odpowiadanie na wiadomość ostatniego odbiorcy wiadomości zostało §cwyłączone §6na §c{0}§6.
replyLastRecipientEnabled=§6Odpowiadanie na wiadomość ostatniego odbiorcy wiadomości zostało §cwłączone§6.
@ -1392,6 +1431,10 @@ unlimitedCommandUsage3=/<command> clear [gracz]
unlimitedCommandUsage3Description=Czyści wszystkie nielimitowane przedmioty dla Ciebie lub innego gracza
unlimitedItemPermission=§4Brak uprawnień na nielimitowane użycie {0}.
unlimitedItems=§7Nielimitowane przedmioty\:§r
unlinkCommandDescription=Odłącz Twoje konto Minecraft od aktualnie połączonego konta Discord.
unlinkCommandUsage=/<command>
unlinkCommandUsage1=/<command>
unlinkCommandUsage1Description=Odłącz Twoje konto Minecraft od aktualnie połączonego konta Discord.
unmutedPlayer=§7Gracz§c {0} §7może znowu mówić.
unsafeTeleportDestination=§4Cel teleportacji jest niebezpieczny, a teleport-safety jest wyłączone.
unsupportedBrand=§4Platforma, na której działa twój serwer, aktualnie nie wspiera tej funkcji.
@ -1412,6 +1455,9 @@ userIsAwaySelf=§7Jesteś teraz AFK.
userIsAwaySelfWithMessage=§7Jesteś teraz AFK.
userIsNotAwaySelf=§7Nie jesteś już AFK.
userJailed=§7Zostałeś zamknięty w więzieniu.
usermapEntry=§c{0} §6 jest odwzorowany na §c{1}§6.
usermapPurge=§6Sprawdzanie plików w danych użytkownika, które nie są zmapowane, wyniki zostaną zapisane w konsoli. Tryb niszczycielski\: {0}
usermapSize=§6Obecni użytkownicy zapisani w pamięci podręcznej na mapie użytkowników to §c{0}§6/§c{1}§6/§c{2}§6.
userUnknown=§4Ostrzeżenie\: Gracz §c{0}§4 nigdy nie był na tym serwerze.
usingTempFolderForTesting=Używam tymczasowego folderu dla testu\:
vanish=§6Vanish dla {0}§6\: {1}

View File

@ -253,7 +253,6 @@ discordCommandListArgumentGroup=Um grupo específico para limitares a pesquisa
discordCommandMessageDescription=Envia uma mensagem a um jogador no servidor de Minecraft.
discordCommandMessageArgumentUsername=O jogador a quem enviar a mensagem
discordCommandMessageArgumentMessage=A mensagem a enviar ao jogador
discordErrorCommand=Não adicionaste corretamente o bot ao teu servidor. Segue as instruções no ficheiro de configurações e adiciona o bot com https\://essentialsx.net/discord.html\!
discordErrorCommandDisabled=Este comando está desativado\!
discordErrorLogin=Ocorreu um erro ao iniciar sessão no Discord, o que causou que o plugin se desativasse\: {0}
discordErrorLoggerInvalidChannel=O registo de consola do Discord foi desativado devido uma definição inválida do canal\! Se a pretendes desativar, define o ID para "none"; caso contrário, verifica se o ID do canal está correto.
@ -368,7 +367,11 @@ fireworkCommandUsage=/<command> <<meta param>|power [quantidade]|clear|fire [qua
fireworkCommandUsage1=/<command> clear
fireworkCommandUsage1Description=Elimina todos os efeitos do fogo-de-artifício em mão
fireworkCommandUsage2=/<command> power <quantidade>
fireworkCommandUsage2Description=Define a força do fogo-de-artifício em mão
fireworkCommandUsage3=/<command> fire [quantidade]
fireworkCommandUsage3Description=Lança uma quantidade especificada do fogo-de-artifício em mão
fireworkCommandUsage4=/<command> <meta>
fireworkCommandUsage4Description=Adiciona um efeito ao fogo-de-artifício em mão
fireworkEffectsCleared=§6Foram removidos todos os efeitos destes itens.
fireworkSyntax=§6Parâmetros do fogo-de-artifício\:§c color\:<cor> [fade\:<cor>] [shape\:<formato>] [effect\:<efeito>]\n§6Para usar várias cores ou efeitos, separa-os por vírgulas\: §cred,blue,pink\n§6Formatos\:§c star, ball, large, creeper, burst §6Efeitos\:§c trail, twinkle.
fixedHomes=Todas as casas inválidas foram eliminadas.
@ -467,6 +470,7 @@ homeCommandUsage2=/<command> <jogador>\:<nome>
homeCommandUsage2Description=Teletransporta-te para uma das casas de um jogador
homes=§6Casas\:§r {0}
homeConfirmation=§6Já tens uma casa nomeada §c{0}§6\!\nUsa novamente o comando para a substituíres.
homeRenamed=§6A casa §c{0} §6foi renomeada para §c{1}§6.
homeSet=§6Casa definida para a posição atual.
hour=hora
hours=horas
@ -631,9 +635,12 @@ lightningCommandDescription=Ataca um jogador com os poderes míticos.
lightningCommandUsage=/<command> [jogador] [intensidade]
lightningCommandUsage1=/<command> [jogador]
lightningCommandUsage1Description=Lança um relâmpago para onde estás a olhar ou para outro jogador
lightningCommandUsage2=/<command> <jogador> <força>
lightningCommandUsage2Description=Atinge um jogador com um relâmpago com uma força especificada
lightningSmited=§6Foste atingido\!
lightningUse=§6A atingir§c {0}
linkCommandUsage=/<command>
linkCommandUsage1=/<command>
listAfkTag=§7[Ausente]§r
listAmount=§6Há §c{0}§6 de §c{1}§6 jogadores online.
listAmountHidden=§6Há §c{0}§6/{1}§6 de §c{2}§6 jogadores online.
@ -643,6 +650,7 @@ listCommandUsage1=/<command> [grupo]
listCommandUsage1Description=Dispõe todos os jogadores no servidor, ou um grupo especificado
listGroupTag=§6{0}§r\:
listHiddenTag=§7[OCULTO]§r
listRealName=({0})
loadWarpError=§4Não foi possível carregar o warp {0}.
localFormat=§3[L] §r<{0}> {1}
loomCommandDescription=Abre o interface de um tear.
@ -660,6 +668,7 @@ mailCommandUsage3Description=Envia uma mensagem a um jogador
mailCommandUsage4=/<command> sendall <mensagem>
mailCommandUsage4Description=Envia uma mensagem a todos os jogadores
mailCommandUsage5=/<command> sendtemp <jogador> <tempo> <mensagem>
mailCommandUsage6=/<command> sendtempall <tempo> <mensagem>
mailDelay=Foram enviados demasiados e-mails há menos de um minuto. Máximo\: {0}
mailFormatNew=§6[§r{0}§6] §6[§r{1}§6] §r{2}
mailFormatNewTimed=§6[§e⚠§6] §6[§r{0}§6] §6[§r{1}§6] §r{2}
@ -722,6 +731,7 @@ multiplePotionEffects=§4Não podes aplicar mais do que um efeito a esta poção
muteCommandDescription=Silencia um jogador.
muteCommandUsage=/<command> <jogador> [datadiff] [motivo]
muteCommandUsage1=/<command> <jogador>
muteCommandUsage2=/<command> <jogador> <duração> [motivo]<player>
muteCommandUsage2Description=Silencia um jogador durante um tempo especificado com um motivo opcional
mutedPlayer=§6§c {0} §6foi silenciado.
mutedPlayerFor=§6§c {0} §6foi silenciado por§c {1}§6.
@ -738,11 +748,14 @@ nearCommandDescription=Dispõe uma lista dos jogadores perto de um jogador.
nearCommandUsage=/<command> [nome do jogador] [raio]
nearCommandUsage1=/<command>
nearCommandUsage1Description=Dispõe uma lista de todos os jogadores na área à tua volta
nearCommandUsage2=/<command> <raio>
nearCommandUsage2Description=Dispõe uma lista de todos os jogadores numa dada área à tua volta
nearCommandUsage3=/<command> <jogador>
nearCommandUsage3Description=Dispõe uma lista de todos os jogadores na área à volta de um jogador
nearCommandUsage4=/<command> <jogador> <raio>
nearCommandUsage4Description=Dispõe uma lista de todos os jogadores numa dada área à volta de um jogador
nearbyPlayers=§6Jogadores perto\:§r {0}
nearbyPlayersList={0}§f(§c{1}m§f)
negativeBalanceError=§4Este jogador não tem permissões para ter dinheiro negativo.
nickChanged=§6A alcunha foi alterada.
nickCommandDescription=Muda a alcunha de um jogador.
@ -796,6 +809,9 @@ noPlacePermission=§4Não tens permissões para colocar um bloco perto desta tab
noPotionEffectPerm=§4Não tens permissões para aplicar §c{0} §4 a esta opção.
noPowerTools=§6Não tens nenhuma ferramenta de poder atribuída.
notAcceptingPay=§4{0} §4não está a aceitar pagamentos.
notAllowedToLocal=§4Não tens permissões para falar no chat local.
notAllowedToQuestion=§4Não tens permissões.
notAllowedToShout=§4Não tens permissões para falar no chat geral.
notEnoughExperience=§4Não tens experiência suficiente.
notEnoughMoney=§4Não tens dinheiro suficiente.
notFlying=não voar
@ -856,6 +872,8 @@ playerUnmuted=§6Já não estás silenciado.
playtimeCommandUsage=/<command> [jogador]
playtimeCommandUsage1=/<command>
playtimeCommandUsage2=/<command> <jogador>
playtime=§6Tempo de jogo\:§c {0}
playtimeOther=§6Tempo de jogo de {1}§6\:§c {0}
pong=Pong\!
posPitch=§6Rotação em X\: {0}
possibleWorlds=§6Os mundos possíveis são dos números §c0§6 a §c {0} §6.
@ -863,6 +881,7 @@ potionCommandDescription=Adiciona um efeito personalizado a uma poção.
potionCommandUsage=/<command> <clear|apply|effect\:<efeito> power\:<intensidade> duration\:<duração>>
potionCommandUsage1=/<command> clear
potionCommandUsage1Description=Elimina todos os efeitos da poção em mão
potionCommandUsage2=/<command> apply
posX=§6X\: {0} (+Este <-> -Oeste)
posY=§6Y\: {0} (+Cima <-> -Baixo)
posYaw=§6Rotação em Y\: {0}
@ -881,14 +900,25 @@ powerToolsDisabled=§6Todas as tuas ferramentas de poder foram desativadas.
powerToolsEnabled=§6Todas as ferramentas de poder foram ativadas.
powertoolCommandDescription=Atribui um comando ao item que tens nas mãos.
powertoolCommandUsage=/<command> [l\:|a\:|r\:|c\:|d\:][comando] [argumentos] - {player} pode ser trocado pelo nome de um jogador.
powertoolCommandUsage1=/<command> l\:
powertoolCommandUsage1Description=Dispõe todas as powertools do item em mão
powertoolCommandUsage2=/<command> d\:
powertoolCommandUsage2Description=Elimina todas as powertools do item em mão
powertoolCommandUsage3=/<command> r\:<cmd>
powertoolCommandUsage3Description=Remove o comando especificado do item em mão
powertoolCommandUsage4=/<command> <cmd>
powertoolCommandUsage5=/<command> a\:<cmd>
powertooltoggleCommandDescription=Ativa ou desativa as super ferramentas.
powertooltoggleCommandUsage=/<command>
ptimeCommandDescription=Configura as horas de cliente de um jogador. Adiciona @ como prefixo para corrigires.
ptimeCommandUsage=/<command> [list|reset|day|night|dawn|17\:30|4pm|4000ticks] [jogador|*]
ptimeCommandUsage1=/<command> list [jogador|*]
ptimeCommandUsage2=/<command> <tempo> [jogador|*]
ptimeCommandUsage3=/<command> reset [jogador|*]
pweatherCommandDescription=Ajusta o clima de um jogador
pweatherCommandUsage=/<command> [list|reset|storm|sun|clear] [jogador|*]
pweatherCommandUsage1=/<command> list [jogador|*]
pweatherCommandUsage3=/<command> reset [jogador|*]
pTimeCurrent=§6O tempo para §c{0}§6 e §c {1}§6.
pTimeCurrentFixed=§6O tempo para §c{0}§6 foi bloqueado para§c {1}§6.
pTimeNormal=§6O tempo de §c{0}§6 está normal e corresponde ao do servidor.
@ -934,6 +964,12 @@ removeCommandUsage=/<command> <all|tamed|named|drops|arrows|boats|minecarts|xp|p
removeCommandUsage1=/<command> <criatura> [mundo]
removeCommandUsage2=/<command> <criatura> <raio> [mundo]
removed=§c{0} §6entidades removidas.
renamehomeCommandDescription=Renomeia uma casa.
renamehomeCommandUsage=/<command> <[jogador\:]nome> <novo nome>
renamehomeCommandUsage1=/<command> <nome> <novo nome>
renamehomeCommandUsage1Description=Renomeia o nome da tua casa
renamehomeCommandUsage2=/<command> <jogador>\:<nome> <novo nome>
renamehomeCommandUsage2Description=Renomeia a casa de um jogador
repair=§6§c{0}§6 reparado.
repairAlreadyFixed=§4Este item não precisa de ser reparado.
repairCommandDescription=Repara a durabilidade de um ou de todos os itens.
@ -945,7 +981,6 @@ repairCommandUsage2Description=Repara todos os itens no teu inventário
repairEnchanted=§4Não tens permissões para reparar itens encantados.
repairInvalidType=§4Este item não pode ser reparado.
repairNone=§4Não havia itens para serem reparados.
replyFromDiscord=**Resposta de {0}\:** `{1}`
replyLastRecipientDisabled=§6As respostas ao destinatário da última mensagem foram §cdesativadas§6.
replyLastRecipientDisabledFor=§6As respostas ao destinatário da última mensagem foram §cdesativadas §6para §c{0}§6.
replyLastRecipientEnabled=§6As respostas ao destinatário da última mensagem foram §cativadas§6.
@ -983,6 +1018,7 @@ seenOnline=§6§c {0} §6está §aonline§6 desde §c{1}§6.
sellBulkPermission=§6Não tens permissões para vender desta maneira.
sellCommandDescription=Vende o item que tens em mão.
sellCommandUsage3=/<command> all
sellCommandUsage4=/<command> blocks [quantidade]
sellHandPermission=§6Não tens permissões para vender à mão.
serverFull=O servidor está cheio\!
serverReloading=Atenção\: Há uma possibilidade do servidor estar agora a recarregar. Não haverá suporte por parte da equipa do EssentialsX quando o comando /reload é executado.
@ -998,9 +1034,9 @@ setSpawner=§6O gerador foi alterado para§c {0}.
sethomeCommandDescription=Define a localização da casa para a posição atual.
sethomeCommandUsage=/<command> [[jogador\:]nome]
sethomeCommandUsage1=/<command> <nome>
sethomeCommandUsage1Description=Define uma casa com um nome específico no local em que te encontras
sethomeCommandUsage1Description=Define uma casa no local em que te encontras
sethomeCommandUsage2=/<command> <jogador>\:<nome>
sethomeCommandUsage2Description=Define a casa de um jogador com um nome específico no local em que te encontras
sethomeCommandUsage2Description=Define a casa de um jogador no local em que te encontras
setjailCommandDescription=Cria uma jaula com o nome [nome da jaula].
setjailCommandUsage=/<command> <nome da jaula>
setjailCommandUsage1=/<command> <nome da jaula>
@ -1037,6 +1073,7 @@ editsignCopyLine=§6Linha §c{0} §6da tabuleta copiada\! Para colares, usa §c/
editsignPaste=§6Tabuleta colada\!
editsignPasteLine=§6Linha §c{0} §6da tabuleta colada\!
editsignCommandUsage=/<command> <set/clear/copy/paste> [número da linha] [texto]
editsignCommandUsage4=/<command> paste [número da linha]
signFormatFail=§4[{0}]
signFormatSuccess=§1[{0}]
signFormatTemplate=[{0}]
@ -1049,7 +1086,9 @@ skullChanged=§6A cabeça foi alterada para §c{0}§6.
skullCommandDescription=Define o proprietário da cabeça de um jogador
skullCommandUsage=/<command> [jogador]
skullCommandUsage1=/<command>
skullCommandUsage1Description=Obtém a tua cabeça
skullCommandUsage2=/<command> <jogador>
skullCommandUsage2Description=Obtém a cabeça de um jogador
slimeMalformedSize=§4O tamanho não está especificado corretamente.
smithingtableCommandDescription=Abre o interface de uma mesa de ferraria.
smithingtableCommandUsage=/<command>
@ -1072,11 +1111,15 @@ spawnSet=§6O local de renascimento foi definido para o grupo§c {0}§6.
spectator=espectador
speedCommandDescription=Altera os limites de velocidade.
speedCommandUsage=/<command> [type] <velocidade> [jogador]
speedCommandUsage1=/<command> <velocidade>
speedCommandUsage1Description=Define a velocidade de voo ou de movimento de um jogador
speedCommandUsage2=/<command> <tipo> <velocidade> [jogador]
stonecutterCommandDescription=Abre o interface de um cortador de pedras.
stonecutterCommandUsage=/<command>
sudoCommandDescription=Executa um comando por outro jogador.
sudoCommandUsage=/<command> <jogador> <comando [args]>
sudoCommandUsage1=/<command> <jogador> <comando> [args]
sudoCommandUsage1Description=Faz um jogador executar o comando especificado
sudoExempt=§4Este comando não pode ser executado para §c{0}.
sudoRun=§6A forçar §c {0} §6a executar\:§r /{1}
suicideCommandDescription=Deita tudo a perder.
@ -1115,6 +1158,7 @@ tempbanExemptOffline=§4Não é possível banir temporariamente jogadores offlin
tempbanJoin=Foste banido deste servidor por {0}. Motivo\: {1}
tempBanned=§cFoste banido temporariamente por§r {0}\:\n§r{2}
tempbanCommandDescription=Bane temporariamente um utilizador.
tempbanCommandUsage1=/<command> <jogador> <duração> [motivo]<player>
tempbanCommandUsage1Description=Bane um jogador durante um tempo especificado com um motivo opcional
tempbanipCommandDescription=Bane temporariamente um endereço IP.
tempbanipCommandUsage1Description=Bane um endereço IP durante um tempo especificado com um motivo opcional
@ -1148,6 +1192,7 @@ totalWorthBlocks=§aTodos os blocos foram vendidos por §c{1}§a.
tpCommandDescription=Teletransporta-te para um jogador.
tpCommandUsage=/<command> <jogador> [outro jogador]
tpCommandUsage1=/<command> <jogador>
tpCommandUsage2=/<command> <jogador> <outro jogador>
tpaCommandDescription=Envia um pedido de teletransporte para um jogador.
tpaCommandUsage=/<command> <jogador>
tpaCommandUsage1=/<command> <jogador>
@ -1158,10 +1203,13 @@ tpacancelCommandDescription=Cancela todos os pedidos de teletransporte. Especifi
tpacancelCommandUsage=/<command> [jogador]
tpacancelCommandUsage1=/<command>
tpacancelCommandUsage2=/<command> <jogador>
tpacceptCommandDescription=Aceita pedidos de teletransporte.
tpacceptCommandUsage=/<command> [outro jogador]
tpacceptCommandUsage1=/<command>
tpacceptCommandUsage2=/<command> <jogador>
tpacceptCommandUsage2Description=Aceita o pedido de teletransporte de um jogador
tpacceptCommandUsage3=/<command> *
tpacceptCommandUsage3Description=Aceita todos os pedidos de teletransporte
tpahereCommandDescription=Envia um pedido para um jogador teletransportar-se para ao pé de ti.
tpahereCommandUsage=/<command> <jogador>
tpahereCommandUsage1=/<command> <jogador>
@ -1181,6 +1229,7 @@ tphereCommandUsage1=/<command> <jogador>
tpoCommandDescription=Substituição de teletransporte pelo tptoggle.
tpoCommandUsage=/<command> <jogador> [outro jogador]
tpoCommandUsage1=/<command> <jogador>
tpoCommandUsage2=/<command> <jogador> <outro jogador>
tpofflineCommandDescription=Teletransporta-te para o último local em que um jogador esteve
tpofflineCommandUsage=/<command> <jogador>
tpofflineCommandUsage1=/<command> <jogador>
@ -1226,8 +1275,14 @@ unknownItemInList=§4Item desconhecido {0} na lista {1}.
unknownItemName=§4Nome de item desconhecido\: {0}.
unlimitedCommandDescription=Permite a colocação de blocos sem restrições.
unlimitedCommandUsage=/<command> <list|item|clear> [jogador]
unlimitedCommandUsage1=/<command> list [jogador]
unlimitedCommandUsage1Description=Dispõe uma lista de itens ilimitados para um jogador
unlimitedCommandUsage2=/<command> <item> [jogador]
unlimitedCommandUsage3=/<command> clear [jogador]
unlimitedItemPermission=§4Não tens permissões para obter §c{0}§4 ilimitadamente.
unlimitedItems=§6Itens ilimitados\:§r
unlinkCommandUsage=/<command>
unlinkCommandUsage1=/<command>
unmutedPlayer=§6§c {0} §6já não está silenciado.
unsafeTeleportDestination=§4O destino não é seguro. A segurança de teletransporte está desativada.
unsupportedBrand=§4A plataforma do servidor que está a ser executada não possui as capacidades necessárias para esta funcionalidade.
@ -1248,6 +1303,7 @@ userIsAwaySelf=§7Estás AFK.
userIsAwaySelfWithMessage=§7Estás agora AFK.
userIsNotAwaySelf=§7Já não estás AFK.
userJailed=§6Foste preso\!
usermapEntry=§c{0} §6está mapeado para §c{1}§6.
userUnknown=§4Aviso\: "§c{0}§4''" nunca entrou neste servidor.
usingTempFolderForTesting=A utilizar uma pasta temporária para teste\:
vanish=§6Invisível para {0}§6\: {1}
@ -1290,6 +1346,7 @@ warpInfo=§6Informações do warp§c {0}§6\:
warpinfoCommandDescription=Encontra a informação de uma localização para um warp.
warpinfoCommandUsage=/<command> <warp>
warpinfoCommandUsage1=/<command> <warp>
warpinfoCommandUsage1Description=Dispõe informações sobre um warp
warpingTo=§6A ir para§c {0}§6.
warpList={0}
warpListPermission=§4Não tens permissões para ver uma lista dos warps.
@ -1299,6 +1356,8 @@ warps=§6Warps\:§r {0}
warpsCount=§6Há§c {0} §6warps. A mostrar a página §c {1} §6de §c {2} §6.
weatherCommandDescription=Define o clima.
weatherCommandUsage=/<command> <storm/sun> [duração]
weatherCommandUsage1=/<command> <storm|sun> [duração]
weatherCommandUsage1Description=Define o clima por uma duração opcional
warpSet=§6Warp§c {0} §6definido.
warpUsePermission=§4Não tens permissões para usar este warp.
weatherInvalidWorld=Mundo {0} não encontrado\!
@ -1315,6 +1374,7 @@ whoisBanned=§6 - Banidos\:§r {0}
whoisCommandDescription=Indentifica o jogador por detrás de uma alcunha.
whoisCommandUsage=/<command> <alcunha>
whoisCommandUsage1=/<command> <jogador>
whoisCommandUsage1Description=Dispõe informações básicas sobre um jogador
whoisExp=§6 - Exp\:§r {0} (nível {1})
whoisFly=§6 - Modo de voo\:§r {0} ({1})
whoisSpeed=§6 - Velocidade\:§r {0}
@ -1347,6 +1407,7 @@ worthCommandDescription=Calcula o valor do item que tens em mão ou um especific
worthCommandUsage=/<command> <<nome do item>|<id>|hand|inventory|blocks> [-][quantidade]
worthCommandUsage3=/<command> all
worthCommandUsage3Description=Determina o valor dos itens que tens no inventário
worthCommandUsage4=/<command> blocks [quantidade]
worthMeta=§aConjunto de {0} com os metadados de {1} que vale §c{2}§a ({3} item(s) a {4} cada)
worthSet=§6Valor definido
year=ano

View File

@ -240,6 +240,12 @@ discordbroadcastCommandUsage1Description=Envia uma mensagem ao canal do Discord
discordbroadcastInvalidChannel=§4O canal do Discord §c{0}§4 não existe.
discordbroadcastPermission=§4Você não tem permissão para enviar mensagens ao canal §c{0}§4.
discordbroadcastSent=§6Mensagem enviada a §c{0}§6\!
discordCommandAccountArgumentUser=A conta Discord para procurar
discordCommandAccountDescription=Procura a conta vinculada do Minecraft para você ou outro usuário do Discord
discordCommandAccountResponseLinked=Sua conta está vinculada à conta do Minecraft\: **{0}**
discordCommandAccountResponseLinkedOther=A conta de {0} está vinculada à conta do Minecraft\: **{1}**
discordCommandAccountResponseNotLinked=Você não tem uma conta Minecraft vinculada.
discordCommandAccountResponseNotLinkedOther={0} não tem uma conta Minecraft vinculada.
discordCommandDescription=Envia o convite do Discord ao jogador.
discordCommandLink=§6Entre no nosso servidor do Discord em §c{0}§6\!
discordCommandUsage=/<command>
@ -248,12 +254,20 @@ discordCommandUsage1Description=Envia o convite do Discord ao jogador
discordCommandExecuteDescription=Executa um comando de console no servidor Minecraft.
discordCommandExecuteArgumentCommand=O comando a ser executado
discordCommandExecuteReply=Executando comando\: "/{0}"
discordCommandUnlinkDescription=Desvincula a conta do Minecraft atualmente vinculada à sua conta do Discord
discordCommandUnlinkInvalidCode=No momento, você não tem uma conta do Minecraft vinculada ao Discord\!
discordCommandUnlinkUnlinked=Sua conta do Discord foi desvinculada de todas as contas associadas do Minecraft.
discordCommandLinkArgumentCode=O código fornecido no jogo para vincular sua conta do Minecraft
discordCommandLinkDescription=Vincula sua conta do Discord à sua conta do Minecraft usando um código do comando /link do jogo
discordCommandLinkHasAccount=Você já tem uma conta vinculada\! Para desvincular sua conta atual, digite /unlink.
discordCommandLinkInvalidCode=Código de link inválido\! Verifique se você executou /link no jogo e copiou o código corretamente.
discordCommandLinkLinked=Sua conta vinculada com sucesso\!
discordCommandListDescription=Obtém a lista de jogadores online.
discordCommandListArgumentGroup=Um grupo específico para limitar a sua pesquisa por
discordCommandMessageDescription=Manda mensagens para um jogador no servidor Minecraft.
discordCommandMessageArgumentUsername=O jogador que vai receber a mensagem
discordCommandMessageArgumentMessage=A mensagem para enviar ao jogador
discordErrorCommand=Você adicionou seu bot ao seu servidor de forma incorreta. Por favor, siga o tutorial da configuração e adicione seu bot usando https\://essentialsx.net/discord.html\!
discordErrorCommand=Você adicionou seu bot incorretamente ao seu servidor\! Por favor, siga o tutorial na configuração e adicione seu bot usando https\://essentialsx.net/discord.html
discordErrorCommandDisabled=Este comando está desabilitado\!
discordErrorLogin=Ocorreu um erro ao entrar no Discord, o que fez com que o plugin se desabilitasse\: \n{0}
discordErrorLoggerInvalidChannel=O registro do console do Discord foi desativado devido a uma definição de canal inválido\! Se você pretende desativá-lo, defina o ID do canal para "nenhum"; caso contrário, verifique se seu ID de canal está correto.
@ -265,8 +279,20 @@ discordErrorNoPrimary=Você não definiu um canal primário ou o canal definido
discordErrorNoPrimaryPerms=Seu bot não pode ver ou conversar no canal primário, \#{0}\! Por favor, verifique se o bot tem permissões de leitura e escrita em todos os canais que deseja usar.
discordErrorNoToken=Nenhum token fornecido\! Por favor, siga o tutorial da configuração para configurar o plugin.
discordErrorWebhook=Ocorreu um erro ao enviar mensagens para o canal do console\! Isso provavelmente foi causado por excluir acidentalmente o webhook do console. Isso geralmente pode ser corrigido, garantindo que o seu bot tenha a permissão "Gerenciar Webhooks" e executando "/ess reload".
discordLinkInvalidGroup=O grupo inválido {0} foi fornecido para a função {1}. Os seguintes grupos estão disponíveis\: {2}
discordLinkInvalidRole=Um ID de função inválido, {0}, foi fornecido para o grupo\: {1}. Você pode ver o ID das funções com o comando /roleinfo no Discord.
discordLinkInvalidRoleInteract=A função, {0} ({1}), não pode ser usada para sincronização de grupo->função porque está acima da função superior do seu bot. Mova a função de seu bot para cima de "{0}" ou mova "{0}" para baixo da função de seu bot.
discordLinkInvalidRoleManaged=A função, {0} ({1}), não pode ser usada para sincronização de grupo->função porque é gerenciada por outro bot ou integração.
discordLinkLinked=§6Para vincular sua conta do Minecraft ao Discord, digite §c{0} §6 no servidor Discord.
discordLinkLinkedAlready=§6Você já vinculou sua conta do Discord\! Se você deseja desvincular sua conta do Discord, use §c/unlink§6.
discordLinkLoginKick=§6Você deve vincular sua conta do Discord antes de entrar neste servidor.\n§6Para vincular sua conta do Minecraft ao Discord, digite\:\n§c{0}\n§6no servidor Discord deste servidor\:\n§c{1}
discordLinkLoginPrompt=§6Você deve vincular sua conta do Discord antes de poder mover, bater papo ou interagir com este servidor. Para vincular sua conta do Minecraft ao Discord, digite §c{0} §6no servidor Discord deste servidor\: §c{1}
discordLinkNoAccount=§6No momento, você não possui uma conta do Discord vinculada à sua conta do Minecraft.
discordLinkPending=§6Você já tem um código de link. Para concluir a vinculação de sua conta do Minecraft ao Discord, digite §c{0} §6no servidor Discord.
discordLinkUnlinked=§6Desvinculou sua conta do Minecraft de todas as contas de discórdia associadas.
discordLoggingIn=Tentando acessar o Discord...
discordLoggingInDone=Sessão iniciada com sucesso como {0}
discordMailLine=**Novo e-mail de {0}\:** {1}
discordNoSendPermission=Não é possível enviar mensagens no canal\: \#{0} Por favor, verifique se o bot tem permissão a permissão "Enviar mensagens" nesse canal\!
discordReloadInvalid=Tentativa de recarregar as configurações do EssentialsX Discord enquanto o plugin está em um estado inválido\! Se você modificou suas configurações, reinicie seu servidor.
disposal=Lixeira
@ -314,6 +340,7 @@ enderchestCommandUsage2=/<command> <jogador>
enderchestCommandUsage2Description=Abre o baú do ender do jogador alvo
errorCallingCommand=Erro ao usar o comando /{0}
errorWithMessage=§cErro\:§4 {0}
essChatNoSecureMsg=A versão do Chat do EssentialsX {0} não suporta bate-papo seguro neste software de servidor. Atualize o EssentialsX e, se este problema persistir, informe os desenvolvedores.
essentialsCommandDescription=Recarrega o EssentialsX.
essentialsCommandUsage=/<command>
essentialsCommandUsage1=/<command> reload
@ -337,7 +364,7 @@ essentialsHelp2=O arquivo está corrompido e o Essentials não consegue abri-lo.
essentialsReload=§6Essentials recarregado§c {0}.
exp=§c{0} §6tem§c {1} §6de exp (nível§c {2}§6) e precisa de§c {3} §6mais exp para subir de nível.
expCommandDescription=Dê, defina, redefina ou olhe a experiência de um jogador.
expCommandUsage=/<command> [reset|show|set|give} [nome do jogador [amount]]
expCommandUsage=/<command> [reset|show|set|give} [jogador [quantidade]]
expCommandUsage1=/<command> give <jogador> <quantidade>
expCommandUsage1Description=Dá ao jogador alvo a quantia especificada de xp
expCommandUsage2=/<command> set <jogador> <quantidade>
@ -372,12 +399,12 @@ fireballCommandUsage2=/<command> fireball|small|large|arrow|skull|egg|snowball|e
fireballCommandUsage2Description=Lança o projétil especificado de sua localização, com uma velocidade opcional
fireworkColor=§4Parâmetros de fogo de artifício inválidos. Defina uma cor antes.
fireworkCommandDescription=Permite que você modifique uma pilha de fogos de artifício.
fireworkCommandUsage=/<command> <<meta param>|power [amount]|clear|fire [amount]>
fireworkCommandUsage=/<command> <<meta param>|power [quantidade]|clear|fire [quantidade]>
fireworkCommandUsage1=/<command> clear
fireworkCommandUsage1Description=Limpa todos os efeitos de seus fogos de artifício guardados
fireworkCommandUsage2=/<command> power <amount>
fireworkCommandUsage2=/<command> power <quantidade>
fireworkCommandUsage2Description=Define o poder do fogo de artifício segurado
fireworkCommandUsage3=/<command> fire [amount]
fireworkCommandUsage3=/<command> fire [quantidade]
fireworkCommandUsage3Description=Lança uma, ou a quantidade especificada, cópias do fogo de artifício
fireworkCommandUsage4=/<command> <meta>
fireworkCommandUsage4Description=Adiciona o efeito aos fogos de artifício na mão
@ -416,7 +443,7 @@ giveCommandDescription=Dê um item a um jogador.
giveCommandUsage=/<command> <jogador> <item|número> [quantidade [dadosdoitem...]]
giveCommandUsage1=/<command> <jogador> <item> [quantidade]
giveCommandUsage1Description=Dá ao jogador alvo 64 (ou a quantidade especificada) do item especificado
giveCommandUsage2=/<command> <player> <item> <amount> <meta>
giveCommandUsage2=/<command> <jogador> <item> <quantidade> <meta>
giveCommandUsage2Description=Dá ao jogador alvo a quantidade especificada do item especificado com os metadados inseridos
geoipCantFind=§6O jogador §c{0} §6vem de §aum país desconhecido§6.
geoIpErrorOnJoin=Não foi possível resgatar dados GeoIP para {0}. Certifique-se de que sua chave de licença e configuração estão corretas.
@ -481,6 +508,7 @@ homeCommandUsage2=/<command> <jogador>\:<nome>
homeCommandUsage2Description=Teletransporta você para a casa do jogador especificado com o nome fornecido
homes=§6Casas\:§r {0}
homeConfirmation=§6Você já possui uma casa chamada §c{0}§6\!\nPara substituí-la, digite o comando novamente.
homeRenamed=§6Casa §c{0} §6foi renomeado para §c{1}§6.
homeSet=§6Casa definida na posição atual.
hour=hora
hours=horas
@ -533,22 +561,24 @@ invseeCommandDescription=Veja o inventário de outros jogadores.
invseeCommandUsage=/<command> <jogador>
invseeCommandUsage1=/<command> <jogador>
invseeCommandUsage1Description=Abre o inventário do jogador especificado
invseeNoSelf=§cVocê só pode ver o inventário de outros jogadores.
is=está
isIpBanned=§6O IP §c{0} §6 está banido.
internalError=§cOcorreu um erro ao tentar executar este comando.
itemCannotBeSold=§4Este item não pode ser vendido para o servidor.
itemCommandDescription=Invoca um item.
itemCommandUsage=/<command> <item|numeric> [amount [itemmeta...]]
itemCommandUsage1=/<command> <item> [amount]
itemCommandUsage=/<command> <item|numerico> [quantidade [itemmeta...]]
itemCommandUsage1=/<command> <item> [quantidade]
itemCommandUsage1Description=Te dá uma pilha completa (ou a quantidade especificada) do item especificado
itemCommandUsage2=/<command> <item> <amount> <meta>
itemCommandUsage2=/<command> <item> <quantidade> <meta>
itemCommandUsage2Description=Dá a você a quantidade especificada do item especificado com os metadados definidos
itemId=§6ID\:§c {0}
itemloreClear=§6Você removeu a história desse item.
itemloreCommandDescription=Edita a descrição de um item.
itemloreCommandUsage=/<command> <add/set/clear> [text/line] [text]
itemloreCommandUsage1=/<command> add [text]
itemloreCommandUsage=/<command> <add/set/clear> [text/line] [texto]
itemloreCommandUsage1=/<command> add [texto]
itemloreCommandUsage1Description=Adiciona o texto no final da história do item segurado
itemloreCommandUsage2=/<command> set <numero da linha> <texto>
itemloreCommandUsage2Description=Define a linha especificada da descrição do item segurado para o texto dado
itemloreCommandUsage3=/<command> clear
itemloreCommandUsage3Description=Limpa a história do item segurado
@ -623,7 +653,7 @@ kitCommandDescription=Obtém o kit especificado ou visualiza todos os kits dispo
kitCommandUsage=/<command> [kit] [jogador]
kitCommandUsage1=/<command>
kitCommandUsage1Description=Lista todos os kits disponíveis
kitCommandUsage2=/<command> <kit> [player]
kitCommandUsage2=/<command> <kit> [jogador]
kitCommandUsage2Description=Dá o determinado conjunto de itens para você ou outro jogador quando especificado
kitContains=§6Conjunto de itens §c{0} §6contém\:
kitCost=\ §7§o({0})§r
@ -640,8 +670,8 @@ kitOnce=§4Você não pode usar esse conjunto de itens novamente.
kitReceive=§6Recebeu o conjunto de itens§c {0}§6.
kitReset=§6Redefinir o tempo de espera para o conjunto de itens §c{0}§6.
kitresetCommandDescription=Redefine o tempo de espera do conjunto de itens especificado.
kitresetCommandUsage=/<command> <kit> [player]
kitresetCommandUsage1=/<command> <kit> [player]
kitresetCommandUsage=/<command> <kit> [jogador]
kitresetCommandUsage1=/<command> <kit> [jogador]
kitresetCommandUsage1Description=Redefine o tempo de espera do kit especificado para você ou outro jogador, se especificado
kitResetOther=§6Redefinindo tempo de espera do kit §c{0} para §c{1}§6.
kits=§6Kits\:§r {0}
@ -650,14 +680,18 @@ kittycannonCommandUsage=/<command>
kitTimed=§4Você não pode usar esse kit novamente por§c {0}§4.
leatherSyntax=§6Sintaxe das cores de couro\:§c cor\:<red>,<green>,<blue> ex\: cor\:255,0,0§6 OU§c cor\:<rgb int> ex\: cor\:16777011
lightningCommandDescription=O poder de Thor. Ataque no cursor ou um jogador.
lightningCommandUsage=/<command> [jogador] [intensidade]
lightningCommandUsage=/<command> [jogador] [poder]
lightningCommandUsage1=/<command> [jogador]
lightningCommandUsage1Description=Acerta um raio onde você está olhando ou em outro jogador, se especificado
lightningCommandUsage2=/<command> <player> <power>
lightningCommandUsage2=/<command> <jogador> <poder>
lightningCommandUsage2Description=Atira um raio em um jogador alvo com a potência dada
lightningSmited=§6Você foi ferido\!
lightningUse=§6Castigando§c {0}
listAfkTag=§7[Ausente]§r
linkCommandDescription=Gera um código para vincular sua conta do Minecraft ao Discord.
linkCommandUsage=/<command>
linkCommandUsage1=/<command>
linkCommandUsage1Description=Gera um código para o comando /link no Discord
listAfkTag=§7[AFK]§r
listAmount=§6Há §c{0}§6 de no máximo §c{1}§6 jogadores online.
listAmountHidden=§6Há §c{0}§6/§c{1}§6 de um máximo de §c{2}§6 jogadores online.
listCommandDescription=Lista todos os jogadores online.
@ -680,13 +714,13 @@ mailCommandUsage1=/<command> read [página]
mailCommandUsage1Description=Marca a primeira página (ou a página especificada) do seu correio como lida
mailCommandUsage2=/<command> clear [número]
mailCommandUsage2Description=Limpa todos ou o(s) e-mail(s) especificado(s)
mailCommandUsage3=/<command> send <player> <message>
mailCommandUsage3=/<command> send <jogador> <mensagem>
mailCommandUsage3Description=Envia ao jogador especificado uma mensagem
mailCommandUsage4=/<command> sendall <message>
mailCommandUsage4=/<command> sendall <mensagem>
mailCommandUsage4Description=Envia para todos os jogadores a seguinte mensagem
mailCommandUsage5=/<command> sendtemp <player> <expire time> <message>
mailCommandUsage5=/<command> sendtemp <jogador> <tempo de expiração> <mensagem>
mailCommandUsage5Description=Envia ao jogador especificado a mensagem que expirará no tempo definido
mailCommandUsage6=/<command> sendtempall <expire time> <message>
mailCommandUsage6=/<command> sendtempall <tempo de expiração> <mensagem>
mailCommandUsage6Description=Envia para todos os jogadores a seguinte mensagem que vai expirar em um tempo específico
mailDelay=Muitos e-mails foram enviados no último minuto. Máximo\: {0}
mailFormatNew=§6[§r{0}§6] §6[§r{1}§6] §r{2}
@ -706,8 +740,8 @@ maxMoney=§4Esta transação iria exceder o limite de saldo para esta conta.
mayNotJail=§4Você não pode prender essa pessoa\!
mayNotJailOffline=§4Você não pode prender jogadores desconectados.
meCommandDescription=Descreve uma ação no contexto do jogador.
meCommandUsage=/<command> <description>
meCommandUsage1=/<command> <description>
meCommandUsage=/<command> <descrição>
meCommandUsage1=/<command> <descrição>
meCommandUsage1Description=Descreve uma ação
meSender=eu
meRecipient=eu
@ -726,8 +760,8 @@ moneySentTo=§aVocê enviou {0} para {1}.
month=mês
months=meses
moreCommandDescription=Preenche a pilha de itens na mão para a quantidade especificada, ou para o tamanho máximo se nenhum for especificado.
moreCommandUsage=/<command> [amount]
moreCommandUsage1=/<command> [amount]
moreCommandUsage=/<command> [quantidade]
moreCommandUsage1=/<command> [quantidade]
moreCommandUsage1Description=Preenche a pilha de itens na mão para a quantidade especificada, ou para o tamanho máximo se nenhum for especificado
moreThanZero=§4Quantidades devem ser maiores que 0.
motdCommandDescription=Visualiza a mensagem do dia.
@ -750,10 +784,10 @@ msgtoggleCommandUsage1Description=Alterna o voo para você ou para outro jogador
multipleCharges=§4Você não pode aplicar mais de um comando para esse fogo de artifício.
multiplePotionEffects=§4Você não pode aplicar mais de um efeito para essa poção.
muteCommandDescription=Silencia ou não um jogador.
muteCommandUsage=/<command> <player> [datediff] [reason]
muteCommandUsage=/<command> <jogador> [datediff] [razão]
muteCommandUsage1=/<command> <jogador>
muteCommandUsage1Description=Silencia permanentemente o jogador especificado ou o dessilencia se ele já tiver sido silenciado
muteCommandUsage2=/<command> <player> <datediff> [reason]
muteCommandUsage2=/<command> <jogador> <datediff> [razão]
muteCommandUsage2Description=Silencia o jogador especificado pelo tempo dado com um motivo opcional
mutedPlayer=§6Jogador§c {0} §6silenciado.
mutedPlayerFor=§6Jogador§c {0} §6silenciado por§c {1}§6.
@ -781,14 +815,14 @@ nearbyPlayersList={0}§f(§c{1}m§f)
negativeBalanceError=§4Usuário não tem permissão para ter um saldo negativo.
nickChanged=§6Apelido alterado.
nickCommandDescription=Mude seu apelido ou de outro jogador.
nickCommandUsage=/<command> [player] <nickname|off>
nickCommandUsage=/<command> [jogador] <nickname|off>
nickCommandUsage1=/<command> <nickname>
nickCommandUsage1Description=Muda seu apelido para o texto fornecido
nickCommandUsage2=/<command> off
nickCommandUsage2Description=Remove seu nome de usuário
nickCommandUsage3=/<command> <player> <nickname>
nickCommandUsage3=/<command> <jogador> <nickname>
nickCommandUsage3Description=Altera o apelido do jogador especificado para o texto fornecido
nickCommandUsage4=/<command> <player> off
nickCommandUsage4=/<command> <jogador> off
nickCommandUsage4Description=Remove o apelido dado ao jogador
nickDisplayName=§4Você precisa ativar o change-displayname na configuração do Essentials.
nickInUse=§4Esse nome já está em uso.
@ -843,7 +877,7 @@ noWarpsDefined=§6Nenhum warp definido.
nuke=§5Que chova morte sobre eles.
nukeCommandDescription=Que a morte chova sobre eles.
nukeCommandUsage=/<command> [jogador]
nukeCommandUsage1=/<command> [players...]
nukeCommandUsage1=/<command> [jogadores...]
nukeCommandUsage1Description=Envia nuke para todos os jogadores ou outro(s) jogador, se especificado
numberRequired=Você precisa indicar um número.
onlyDayNight=/time suporta apenas day/night.
@ -856,8 +890,8 @@ oversizedMute=§4Você não poderá silenciar um jogador por esse período de te
oversizedTempban=§4Você não pode banir um jogador por esse período de tempo.
passengerTeleportFail=§4Você não pode ser teleportado enquanto carrega passageiros.
payCommandDescription=Paga outro jogador do seu saldo.
payCommandUsage=/<command> <player> <amount>
payCommandUsage1=/<command> <player> <amount>
payCommandUsage=/<command> <jogador> <quantidade>
payCommandUsage1=/<command> <jogador> <quantidade>
payCommandUsage1Description=Paga o jogador indicado a quantia de dinheiro
payConfirmToggleOff=§6Confirmação de pagamento desativada.
payConfirmToggleOn=§6Você agora será solicitado para confirmar pagamentos.
@ -878,7 +912,7 @@ pingCommandDescription=Pong\!
pingCommandUsage=/<command>
playerBanIpAddress=§6Jogador§c {0} §6baniu endereço IP§c {1} §6por\: §c{2}§6.
playerTempBanIpAddress=§6O jogador§c {0} §6temporariamente baniu o endereço IP §c{1}§6 por §c{2}§6\: §c{3}§6.
playerBanned=§6Jogador§c {0} §6banido§c {1} §6por §c{2}§6.
playerBanned=§6O Jogador§c {0} §6baniu§c {1} §6por §c{2}§6.
playerJailed=§6Jogador§c {0} §6preso.
playerJailedFor=§6Jogador§c {0} §6preso por§c {1}§6.
playerKicked=§6Jogador§c {0} §6expulso§c {1}§6 por§c {2}§6.
@ -904,10 +938,10 @@ pong=Pong\!
posPitch=§6Pitch\: {0} (Ângulo da cabeça)
possibleWorlds=§6Possíveis mundos são os números §c0§6 através de §c {0} §6.
potionCommandDescription=Adiciona efeitos de poção personalizados a uma poção.
potionCommandUsage=/<command> <clear|apply|effect\:<effect> power\:<power> duration\:<duration>>
potionCommandUsage=/<command> <clear|apply|effect\:<efeito> power\:<poder> duration\:<duração>>
potionCommandUsage1=/<command> clear
potionCommandUsage1Description=Limpa todos os efeitos da poção na mão principal
potionCommandUsage2=/<command> aplicar
potionCommandUsage2=/<command> apply
potionCommandUsage2Description=Aplica todos os efeitos da poção na mão principal sem consumir a poção
potionCommandUsage3=/<command> effect\:<efeito> power\:<potência> duration\:<duração>
potionCommandUsage3Description=Aplica a descrição de efeito de poção à poção em mãos
@ -928,7 +962,7 @@ powerToolRemoveAll=§6Todos os comandos removidos de §c{0}§6.
powerToolsDisabled=§6Todas as suas ferramentas de poder foram desativadas.
powerToolsEnabled=§6Todas as suas ferramentas de poder foram ativadas.
powertoolCommandDescription=Atribui um comando ao item em mãos.
powertoolCommandUsage=/<command> [l\:|a\:|r\:|c\:|d\:][command] [arguments] - {player} pode ser trocado pelo nome de um jogador clicado.
powertoolCommandUsage=/<command> [l\:|a\:|r\:|c\:|d\:][comando] [argumento] - {player} pode ser trocado pelo nome de um jogador clicado.
powertoolCommandUsage1=/<command> l\:
powertoolCommandUsage1Description=Lista todos os powertools do item na mão
powertoolCommandUsage2=/<command> d\:
@ -936,13 +970,27 @@ powertoolCommandUsage2Description=Deleta todos os powertools do item na mão
powertoolCommandUsage3=/<command> r\:<cmd>
powertoolCommandUsage3Description=Remove o comando fornecido do item em sua mão
powertoolCommandUsage4=/<command> <cmd>
powertoolCommandUsage4Description=Define o comando da powertool do item mantido para o comando fornecido
powertoolCommandUsage5=/<command> a\:<cmd>
powertoolCommandUsage5Description=Adiciona o comando da powertool fornecido ao item segurado
powertooltoggleCommandDescription=Ativa ou desativa todas as super ferramentas atuais.
powertooltoggleCommandUsage=/<command>
ptimeCommandDescription=Ajuste o tempo do cliente do jogador. Adicione o prefixo @ para corrigir.
ptimeCommandUsage=/<command> [list|reset|day|night|dawn|17\:30|4pm|4000ticks] [player|*]
ptimeCommandUsage=/<command> [list|reset|day|night|dawn|17\:30|4pm|4000ticks] [jogador|*]
ptimeCommandUsage1=/<command> list [jogador|*]
ptimeCommandUsage1Description=Lista o tempo de jogador para você ou outro jogador(es) se especificado
ptimeCommandUsage2=/<command> <time> [jogador|*]
ptimeCommandUsage2Description=Define o tempo para você ou outro jogador(es) se especificado para o tempo determinado
ptimeCommandUsage3=/<command> reset [jogador|*]
ptimeCommandUsage3Description=Redefine o tempo para você ou outro jogador(es) se especificado
pweatherCommandDescription=Ajustar o clima do jogador
pweatherCommandUsage=/<command> [list|reset|storm|sun|clear] [player|*]
pweatherCommandUsage=/<command> [list|reset|storm|sun|clear] [jogador|*]
pweatherCommandUsage1=/<command> list [jogador|*]
pweatherCommandUsage1Description=Lista o clima do jogador para você ou outro jogador(es) se especificado
pweatherCommandUsage2=/<command> <storm|sun> [jogador|*]
pweatherCommandUsage2Description=Define o clima para você ou outro jogador(es) se especificado para o tempo determinado
pweatherCommandUsage3=/<command> reset [jogador|*]
pweatherCommandUsage3Description=Redefine o clima para você ou outro jogador(es) se especificado
pTimeCurrent=§6O tempo para §c{0}§6 e §c {1}§6.
pTimeCurrentFixed=§6O tempo para §c{0}§6 foi fixado em§c {1}§6.
pTimeNormal=§6O tempo de §c{0}§6 está normal e correspondendo ao do servidor.
@ -974,7 +1022,8 @@ recentlyForeverAlone=§4{0} recently went offline.
recipe=§6Receita para §c {0} §6 (§6 §c {1} de §c {2} §6)
recipeBadIndex=Não há receita para esse numero.
recipeCommandDescription=Exibe como fazer os itens.
recipeCommandUsage=/<command> <item> [number]
recipeCommandUsage=/<command> <item> [número]
recipeCommandUsage1=/<command> <item> [page]
recipeCommandUsage1Description=Mostra como fabricar um item determinado
recipeFurnace=§6Fundir\:§c {0}.
recipeGrid=§c{0}X §6| §{1}X §6| §{2}X
@ -986,9 +1035,17 @@ recipeShapeless=§6Combinar §c{0}
recipeWhere=§6Onde\: {0}
removeCommandDescription=Remove entidades do seu mundo.
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=Remove todo o tipo de criatura especificada no mundo atual ou outro se especificado
removeCommandUsage2=/<command> <mob type> <radius> [world]
removeCommandUsage2Description=Remove o tipo de criatura determinado dentro do raio determinado no mundo atual ou outro se especificado
removed=§c{0} §6entidades removidas.
renamehomeCommandDescription=Renomeia uma casa.
renamehomeCommandUsage=/<command> <[player\:]name> <novo nome>
renamehomeCommandUsage1=/<command> <name> <novo nome>
renamehomeCommandUsage1Description=Renomeia sua casa para o novo nome fornecido
renamehomeCommandUsage2=/<command> <player>\:<name> <novo nome>
renamehomeCommandUsage2Description=Renomeia a casa do um jogador especificado para o novo nome dado
repair=§6Você reparou seu §c{0}§6 com sucesso.
repairAlreadyFixed=§4Esse item não precisa de reparo.
repairCommandDescription=Repara a durabilidade de um ou todos os itens.
@ -1000,7 +1057,7 @@ repairCommandUsage2Description=Repara todos os itens no seu inventário
repairEnchanted=§4Você não tem permissão para reparar itens encantados.
repairInvalidType=§4Esse item não pode ser reparado.
repairNone=§4Não haviam itens para serem reparados.
replyFromDiscord=**Resposta de {0}\:** `{1}`
replyFromDiscord=**Resposta de {0}\:** {1}
replyLastRecipientDisabled=§6Responder ao último destinatário §cdesativado§6.
replyLastRecipientDisabledFor=§6Responder ao último destinatário §cdesativado §6por §c{0}§6.
replyLastRecipientEnabled=§6Responder ao último destinatário §cdesativado§6.
@ -1023,6 +1080,7 @@ rest=§6Você se sente bem descansado.
restCommandDescription=Restaura você ou o jogador alvo.
restCommandUsage=/<command> [jogador]
restCommandUsage1=/<command> [jogador]
restCommandUsage1Description=Redefine o tempo desde o repouso de você ou outro jogador, se especificado
restOther=§6Descansando§c {0}§6.
returnPlayerToJailError=§4Um erro ocorreu ao tentar retornar o jogador§c {0} §4para a cadeia\: {1}\!
rtoggleCommandDescription=Mudar se o destinatário da resposta é o último destinatário ou o último remetente
@ -1041,10 +1099,14 @@ seenOffline=§6Jogador§c {0} §6está §4offline§6 desde §c{1}§6.
seenOnline=§6Jogador§c {0} §6está §aonline§6 desde §c{1}§6.
sellBulkPermission=§6You do not have permission to bulk sell.
sellCommandDescription=Vende o item na sua mão.
sellCommandUsage=/<command> <<itemname>|<id>|mao|inventario|blocos> [quantidade]
sellCommandUsage1=/<command> <nomedoitem> [quantidade]
sellCommandUsage1Description=Vende tudo (ou o valor dado, se especificado) do item determinado no seu inventário
sellCommandUsage2=/<command> hand [quantidade]
sellCommandUsage2Description=Vende tudo (ou o valor dado, se especificado) do item em sua mão
sellCommandUsage3=/<command> all
sellCommandUsage3Description=Vende todos os itens possíveis em seu inventário
sellCommandUsage4=/<command> blocks [quantidade]
sellCommandUsage4Description=Vende todos (ou o valor dado, se especificado) de blocos em seu inventário
sellHandPermission=§6You do not have permission to hand sell.
serverFull=Servidor cheio\!
@ -1055,6 +1117,7 @@ serverUnsupportedClass=Estado determidado da classe\: {0}
serverUnsupportedCleanroom=Você está executando um servidor que não suporta adequadamente plugins do Bukkit que dependem do código interno da Mojang. Considere usar um substituto do Essentials para seu software no servidor.
serverUnsupportedDangerous=Você está rodando uma fork de um servidor conhecida por ser extremamente perigosa e levar à perda de dados. É altamente recomendado que você troque para um software de servidor mais estável e de alto desempenho, como o Paper ou Tuinity.
serverUnsupportedLimitedApi=Você está executando um servidor com uma funcionalidade de API limitada. O EssentialsX ainda funcionará, mas certos recursos podem ser desativados.
serverUnsupportedDumbPlugins=Você está usando plugins conhecidos por causar problemas graves com o EssentialsX e outros plugins.
serverUnsupportedMods=Você está rodando um servidor que não suporta plugins Bukkit de forma adequada. Plugins bukkit não devem ser usados com mods Forge/Fabric\! Para Forge\: Considere utilizar ForgeEssentials, ou SpongeForge + Nucleus.
setBal=§aSeu saldo foi definido para {0}.
setBalOthers=§aVocê configurou o seu balanço atual de {0}§a para {1}.
@ -1071,8 +1134,11 @@ setjailCommandUsage1=/<command> <nome da prisão>
setjailCommandUsage1Description=Define a prisão com o nome especificado para a sua localização
settprCommandDescription=Defina a localização e os parâmetros do teletransporte aleatório.
settprCommandUsage=/<command> [center|minrange|maxrange] [value]
settprCommandUsage1=/<command> center
settprCommandUsage1Description=Define o centro do teleporte aleatório para a sua localização
settprCommandUsage2=/<command> minrange <raio>
settprCommandUsage2Description=Define o raio mínimo do teleporte aleatório para o valor determinado
settprCommandUsage3=/<command> maxrange <raio>
settprCommandUsage3Description=Define o raio máximo do teleporte aleatório para o valor determinado
settpr=§6Defina o centro do teletransporte aleatório.
settprValue=§6Teletransporte aleatório de §c{0}§6 para §c{1}§6.
@ -1081,7 +1147,10 @@ setwarpCommandUsage=/<command> <warp>
setwarpCommandUsage1=/<command> <warp>
setwarpCommandUsage1Description=Define o warp com o nome especificado para sua localização
setworthCommandDescription=Defina o valor de venda de um item.
setworthCommandUsage=/<command> [itemname|id] <price>
setworthCommandUsage=/<command> [itemname|id] <preço>
setworthCommandUsage1=/<command> <price>
setworthCommandUsage1Description=Define o valor do item mantido para o preço determinado
setworthCommandUsage2=/<command> <nomedoitem> <price>
setworthCommandUsage2Description=Define o valor do item especificado para o preço determinado
sheepMalformedColor=§4Cor mal especificada.
shoutDisabled=§6Modo grito §cdesativado§6.
@ -1104,7 +1173,15 @@ editsignCopy=§6Placa copiada\! Cole com §c/{0} paste§6.
editsignCopyLine=§6Copiada a linha §c{0} §6da placa\! Cole com §c/{1} paste {0}§6.
editsignPaste=§6Placa colada\!
editsignPasteLine=§6Colada a linha §c{0} §6de placa\!
editsignCommandUsage=/<command> <set/clear/copy/paste> [número da linha] [text]
editsignCommandUsage=/<command> <set/clear/copy/paste> [número da linha] [texto]
editsignCommandUsage1=/<command> set <numero da linha> <texto>
editsignCommandUsage1Description=Define a linha especificada da placa para o texto dado
editsignCommandUsage2=/<command> clear <numero da linha>
editsignCommandUsage2Description=Limpa a linha especificada da placa
editsignCommandUsage3=/<command> copy [line number]
editsignCommandUsage3Description=Copia toda (ou uma linha especificada) da placa para sua área de transferência
editsignCommandUsage4=/<command> paste [numero da linha]
editsignCommandUsage4Description=Cola sua área de transferência para todo (ou a linha especificada) da placa
signFormatFail=§4[{0}]
signFormatSuccess=§1[{0}]
signFormatTemplate=[{0}]
@ -1138,20 +1215,24 @@ spawnerCommandUsage=/<command> <mob> [delay]
spawnerCommandUsage1=/<command> <mob> [delay]
spawnerCommandUsage1Description=Altera o tipo de criaturas (e opcionalmente, o atraso) do gerador que você está olhando
spawnmobCommandDescription=Gera um mob.
spawnmobCommandUsage=/<command> <mob>[\:data][,<mount>[\:data]] [amount] [player]
spawnmobCommandUsage=/<command> <mob>[\:data][,<quantidade>[\:data]] [quantidade] [jogador]
spawnmobCommandUsage1=/<command> <mob>[\:data] [quantidade] [jogador]
spawnmobCommandUsage1Description=Gera um (ou a quantidade especificada) da criatura determinada no seu local (ou de outro jogador se especificado)
spawnmobCommandUsage2=/<command> <mob>[\:data],<mount>[\:data] [quantidade] [jogador]
spawnmobCommandUsage2Description=Gera um (ou a quantidade especificada) da criatura montada determinada em sua localização (ou de outro jogador se especificado)
spawnSet=§6Ponto de Spawn definido para o grupo§c {0}§6.
spectator=espectador
speedCommandDescription=Altera seus limites de velocidade.
speedCommandUsage=/<command> [type] <speed> [player]
speedCommandUsage1=/<command> <speed>
speedCommandUsage=/<command> [type] <velocidade> [jogador]
speedCommandUsage1=/<command> <velocidade>
speedCommandUsage1Description=Define sua velocidade de voo ou de caminhada para a velocidade determinada
speedCommandUsage2=/<command> <type> <speed> [jogador]
speedCommandUsage2Description=Define o tipo de velocidade especificado para a velocidade determinada para você ou outro jogador se especificado
stonecutterCommandDescription=Abre um cortador de pedras.
stonecutterCommandUsage=/<command>
sudoCommandDescription=Faz outro usuário executar um comando.
sudoCommandUsage=/<command> <player> <command [args]>
sudoCommandUsage1=/<command> <player> <command> [args]
sudoCommandUsage1Description=Faz com que o jogador especificado execute o comando fornecido
sudoExempt=§4Você não pode usar sudo nesse usuário.
sudoRun=§6Forcing§c {0} §6to run\:§r /{1}
@ -1191,13 +1272,17 @@ tempbanExemptOffline=§4Você não pode banir temporariamente jogadores desconec
tempbanJoin=You are banned from this server for {0}. Reason\: {1}
tempBanned=§cVocê foi banido temporariamente por §r{0}\:\n§r{2}
tempbanCommandDescription=Banimento temporário de um usuário.
tempbanCommandUsage1=/<command> <player> <datediff> [reason]
tempbanCommandUsage=/<command> <playername> <datediff> [reason]
tempbanCommandUsage1=/<command> <jogador> <datediff> [razão]
tempbanCommandUsage1Description=Bane o jogador determinado pelo tempo especificado com um motivo opcional
tempbanipCommandDescription=Bane temporariamente um endereço IP.
tempbanipCommandUsage=/<command> <playername> <datediff> [reason]
tempbanipCommandUsage1=/<command> <player|ip-address> <datediff> [reason]
tempbanipCommandUsage1Description=Bane o endereço IP dado pela quantidade de tempo especificada com um motivo opcional
thunder=§6Você§c {0} §6trovoada em seu mundo.
thunderCommandDescription=Ativar/desativar tempestade.
thunderCommandUsage=/<command> <true/false> [duration]
thunderCommandUsage1=/<command> <true|false> [duration]
thunderCommandUsage1Description=Habilita/desabilita trovão por uma duração opcional
thunderDuration=§6Você§c {0} §6trovoada em seu mundo por§c {1} §6segundos.
timeBeforeHeal=§6Tempo antes da próxima cura\:§c {0}§6.
@ -1206,7 +1291,9 @@ timeCommandDescription=Exibir/Altera a hora do mundo. O padrão é o mundo atual
timeCommandUsage=/<command>[set|add] [day|night|dawn|17\:30|4pm|4000ticks] [nome do mundo|all]
timeCommandUsage1=/<command>
timeCommandUsage1Description=Mostra o horário em todos os mundos
timeCommandUsage2=/<command> set <time> [world|all]
timeCommandUsage2Description=Define o horário no mundo atual (ou especificado) para o horário determinado
timeCommandUsage3=/<command> add <time> [world|all]
timeCommandUsage3Description=Adiciona o tempo determinado ao horário atual (ou especificado) do mundo
timeFormat=§6 §c {0} ou §c {1} §6 ou §c {2} §6
timeSetPermission=§4Você não tem permissão para definir o tempo.
@ -1231,6 +1318,7 @@ tpCommandDescription=Teletransporta para um jogador.
tpCommandUsage=/<command> <player> [otherplayer]
tpCommandUsage1=/<command> <jogador>
tpCommandUsage1Description=Teleporta você para o jogador especificado
tpCommandUsage2=/<command> <player> <outro jogador>
tpCommandUsage2Description=Teleporta o primeiro jogador especificado para o segundo
tpaCommandDescription=Pede para ser teletransportado para o jogador especificado.
tpaCommandUsage=/<command> <jogador>
@ -1265,6 +1353,7 @@ tpallCommandUsage1Description=Teleporte todos os jogadores para você, ou algum
tpautoCommandDescription=Aceite automaticamente pedidos de teletransporte.
tpautoCommandUsage=/<command> [jogador]
tpautoCommandUsage1=/<command> [jogador]
tpautoCommandUsage1Description=Alterna se pedidos de tpa são aceitos automaticamente por si só ou outro jogador, se especificado
tpdenyCommandDescription=Rejeita um pedido de teleporte.
tpdenyCommandUsage=/<command>
tpdenyCommandUsage1=/<command>
@ -1281,6 +1370,7 @@ tpoCommandDescription=Substituição de teleporte para tptoggle.
tpoCommandUsage=/<command> <player> [otherplayer]
tpoCommandUsage1=/<command> <jogador>
tpoCommandUsage1Description=Teletporta o jogador especificado para você ignorando a configuração de teleporte dele.
tpoCommandUsage2=/<command> <player> <outro jogador>
tpoCommandUsage2Description=Teleporta o primeiro jogador para o segundo ignorando a configuração de teleporte dele.
tpofflineCommandDescription=Teletransportar para a última localização conhecida do jogador
tpofflineCommandUsage=/<command> <jogador>
@ -1293,6 +1383,7 @@ tpohereCommandUsage1Description=Teletporta o jogador especificado para você ign
tpposCommandDescription=Teletransportar para coordenadas.
tpposCommandUsage=/<command> <x> <y> <z> [yaw] [pitch] [world]
tpposCommandUsage1=/<command> <x> <y> <z> [yaw] [pitch] [world]
tpposCommandUsage1Description=Teletransporta você para a localização especificada em uma rotação, altura e/ou mundo opcional
tprCommandDescription=Teletransporta aleatoriamente.
tprCommandUsage=/<command>
tprCommandUsage1=/<command>
@ -1302,6 +1393,7 @@ tps=§6TPS Atual \= {0}
tptoggleCommandDescription=Bloqueia todas as formas de teletransporte.
tptoggleCommandUsage=/<command> [jogador] [on|off]
tptoggleCommandUsage1=/<command> [jogador]
tptoggleCommandUsageDescription=Alterna se teletransporte estiver habilitado para você mesmo ou para outro jogador, se for especificado
tradeSignEmpty=§4A placa de troca não tem nada disponível para você
tradeSignEmptyOwner=§4Não há nada para coletar dessa placa de troca.
treeCommandDescription=Invoque uma árvore onde você está olhando.
@ -1331,10 +1423,18 @@ unknownItemInList=§4Item desconhecido {0} na lista {1}.
unknownItemName=§4Nome de item desconhecido\: {0}.
unlimitedCommandDescription=Permite a colocação ilimitada de itens.
unlimitedCommandUsage=/<command> <list|item|clear> [player]
unlimitedCommandUsage1=/<command> list [jogador]
unlimitedCommandUsage1Description=Exibe uma lista de itens ilimitados para você ou outro jogador, se especificado
unlimitedCommandUsage2=/<command> <item> [jogador]
unlimitedCommandUsage2Description=Alterna se o item fornecido for ilimitado para você ou outro jogador, se for especificado
unlimitedCommandUsage3=/<command> clear [jogador]
unlimitedCommandUsage3Description=Limpa todos os itens ilimitados para si mesmo ou para outro jogador, se especificado
unlimitedItemPermission=§4Sem permissão para itens ilimitados de {0}.
unlimitedItems=§6Itens ilimitados\:§r
unlinkCommandDescription=Desvincula sua conta do Minecraft da conta do Discord atualmente vinculada.
unlinkCommandUsage=/<command>
unlinkCommandUsage1=/<command>
unlinkCommandUsage1Description=Desvincula sua conta do Minecraft da conta do Discord atualmente vinculada.
unmutedPlayer=§6Jogador§c {0} §6não está mais silenciado.
unsafeTeleportDestination=§4O destino de teletransporte é inseguro e a segurança de teletransporte está desativada.
unsupportedBrand=§4A plataforma de servidor que você está utilizando não possui os pré-requisitos necessários para esta funcionalidade.
@ -1351,10 +1451,13 @@ uuidDoesNotExist=§4O usuário com UUID§c {0} §4não existe.
userIsAway=§7* {0} §7agora está AFK.
userIsAwayWithMessage=§7* {0} §7agora está AFK.
userIsNotAway=§5{0} §5não está mais AFK.
userIsAwaySelf=§7Estás agora AFK.
userIsAwaySelf=§7Agora você está AFK.
userIsAwaySelfWithMessage=§7Agora você está AFK.
userIsNotAwaySelf=§7Já não estás AFK.
userIsNotAwaySelf=§7Você não está mais AFK.
userJailed=§6Você foi preso\!
usermapEntry=§c{0} §6está mapeado para §c{1}§6.
usermapPurge=§6Verificando por arquivos em userdata (Dados de usuários) que não estão mapeados, resultados serão registrados no console. Modo destrutivo\: {0}
usermapSize=§Usuários atuais que estão no cache do mapa de usuário são §c{0}§6/§c{1}§6/§c{2}§6.
userUnknown=§4Aviso\: O usuário ''§c{0}§4'' nunca entrou nesse servidor.
usingTempFolderForTesting=Usando pasta temporária para testes\:
vanish=§6Invisível para {0}§6\: {1}
@ -1378,6 +1481,7 @@ versionOutputFine=§6{0} versão\: §a{1}
versionOutputWarn=§6{0} versão\: §c{1}
versionOutputUnsupported=§d{0} §6versão\: §d{1}
versionOutputUnsupportedPlugins=§6Você está executando §dplugins não suportados§6\!
versionOutputEconLayer=§6Camada de Economia\: §r{0}
versionMismatch=§4Versao não correspondente\! Por favor atualize o {0} para a mesma versão.
versionMismatchAll=§4Versão não correspondente\! Por favor atualize todos os jars do Essentials para a mesma versão.
versionReleaseLatest=§6Você está executando a última versão estável do EssentialsX\!
@ -1459,7 +1563,14 @@ worldCommandUsage2Description=Teletransporta para a sua localização no mundo i
worth=§aPack de {0} vale §c{1}§a ({2} a {3} cada)
worthCommandDescription=Calcula o valor de itens na mão ou conforme especificado.
worthCommandUsage=/<command> <<itemname>|<id>|hand|inventory|blocks> [-][amount]
worthCommandUsage1=/<command> <nomedoitem> [quantidade]
worthCommandUsage1Description=Verifica o valor de todos (ou o valor dado, se especificado) do item determinado no seu inventário
worthCommandUsage2=/<command> hand [quantidade]
worthCommandUsage2Description=Verifica o valor de todos (ou o valor dado, se especificado) do item mantido
worthCommandUsage3=/<command> all
worthCommandUsage3Description=Verifica o valor de todos os itens possíveis em seu inventário
worthCommandUsage4=/<command> blocks [quantidade]
worthCommandUsage4Description=Verifica o valor de todos (ou o valor dado, se especificado) dos blocos em seu inventário
worthMeta=§aPack de {0} com metadata de {1} vale §c{2}§a ({3} a {4} cada)
worthSet=§6Valor definido
year=ano

View File

@ -123,6 +123,7 @@ cantReadGeoIpDB=Citirea bazei de date GeoIP a dat gres\!
cantSpawnItem=§4Nu ai permisiunea de a genera obiectul§c {0}§4.
cartographytableCommandDescription=Deschide un tabel cartografic.
cartographytableCommandUsage=/<command>
chatTypeLocal=§[L]
chatTypeSpy=[Spion]
cleaned=Fisierele jucatorilor au fost curatate.
cleaning=Fisierele jucatorilor se curata.
@ -155,6 +156,7 @@ confirmClear=§7To §lCONFIRM§7 inventory clear, please repeat command\: §6{0}
confirmPayment=§7To §lCONFIRM§7 payment of §6{0}§7, please repeat command\: §6{1}
connectedPlayers=§6Jucători conectați\: §r
connectionFailed=Deschiderea conexiunii a eșuat.
consoleName=Consolă
cooldownWithMessage=§4Timp rămas\: {0}
coordsKeyword={0}, {1}, {2}
couldNotFindTemplate=§4Nu s-a gasit sablonul {0}
@ -162,6 +164,7 @@ createdKit=§6Created kit §c{0} §6with §c{1} §6entries and delay §c{2}
createkitCommandDescription=Creeaza un kit in joc\!
createkitCommandUsage=/<command> <kitname> <delay>
createkitCommandUsage1=/<command> <kitname> <delay>
createkitCommandUsage1Description=Creează un kit cu numele dat și întârzierea
createKitFailed=§4Error occurred whilst creating kit {0}.
createKitSeparator=§m-----------------------
createKitSuccess=§6Created Kit\: §f{0}\n§6Delay\: §f{1}\n§6Link\: §f{2}\n§6Copy contents in the link above into your kits.yml.
@ -171,25 +174,38 @@ creatingEmptyConfig=Se creaza o configuratie goala\: {0}
creative=creativ
currency={0}{1}
currentWorld=§6Lumea actuala\:§c {0}
customtextCommandDescription=Permite sa creați comenzi text personalizate.
customtextCommandUsage=/<alias> - Adaugă in bubuit.yml
day=zi
days=zile
defaultBanReason=Ai fost interzis pe server\!
deletedHomes=Toate casele șterse.
deletedHomesWorld=Toate casele in {0} au fost șterse.
deleteFileError=Nu s-a putut sterge fisierul\: {0}
deleteHome=§6Casa§c {0} §6a fost stearsa.
deleteJail=§6Inchisoarea§c {0} §6a fost stearsa.
deleteKit=Kit {0} has been removed.
deleteWarp=§6Teleportarea§c {0} §6a fost stearsa.
deletingHomes=Ștergerea tuturor caselor...
deletingHomesWorld=Ștergerea toate caselor in {0}...
delhomeCommandDescription=Elimina o casa.
delhomeCommandUsage=/<command> [player\:]<name>
delhomeCommandUsage1=/<command> <nume>
delhomeCommandUsage1Description=Șterge casa ta cu numele dat
delhomeCommandUsage2=/<command> <jucator>\:<nume>
delhomeCommandUsage2Description=Șterge casa specifica al jucătorului cu numele dat
deljailCommandDescription=Elimina o inchisoare.
deljailCommandUsage=/<command> <jailname>
deljailCommandUsage1=/<command> <jailname>
deljailCommandUsage1Description=Șterge închisoarea cu numele dat
delkitCommandDescription=Şterge kit-ul specificat.
delkitCommandUsage=/<command> <kit>
delkitCommandUsage1=/<command> <kit>
delkitCommandUsage1Description=Șterge kit-ul cu numele dat
delwarpCommandDescription=Şterge warp-ul specificat.
delwarpCommandUsage=/<command> <warp>
delwarpCommandUsage1=/<command> <warp>
delwarpCommandUsage1Description=Șterge warp-ul cu numele dat
deniedAccessCommand=§c{0} §4are accesul interzis la comanda.
denyBookEdit=§4Nu poti debloca aceasta carte.
denyChangeAuthor=§4Nu poti schimba autorul acestei carti.
@ -203,9 +219,20 @@ destinationNotSet=Destinatia nu a fost setata\!
disabled=dezactivat
disabledToSpawnMob=§4Generarea acestui mob a fost dezactivata din configuratie.
disableUnlimited=§6Plasarea nelimitata de§c {0} §6a fost dezactivata pentru {1}.
discordbroadcastCommandDescription=Trimite un mesaj la canalul de Discord specificat.
discordbroadcastCommandUsage=/<command> <canal> <mesaj>
discordbroadcastCommandUsage1=/<command> <canal> <mesaj>
discordbroadcastCommandUsage1Description=Va trimite mesajul dat la canalul de Discord specificat
discordbroadcastInvalidChannel=Discord channel {0} does not exist.
discordbroadcastPermission=You do not have permission to send messages to the {0} channel.
discordbroadcastSent=Message sent to {0}\!
discordCommandAccountArgumentUser=Cont-ul de Discord care sa fie cautat
discordCommandAccountDescription=Arată contul Minecraft asociat cu tine sau cu un alt utilizator de Discord
discordCommandAccountResponseLinked=Cont-ul tău este conectat de Cont-ul Minecraft\: **{0}**
discordCommandAccountResponseLinkedOther=Cont-ul lui {0} este conectat la cont-ul de Minecraft\: **{1}**
discordCommandAccountResponseNotLinked=Tu nu ai un cont de Minecraft conectat.
discordCommandAccountResponseNotLinkedOther={0} nu are un cont de Minecraft conectat.
discordCommandDescription=Trimite link-ul de invitație Discord la jucător.
discordCommandLink=Join our Discord server at {0}\!
discordCommandUsage=/<command>
discordCommandUsage1=/<command>
@ -213,6 +240,23 @@ discordCommandUsage1Description=Trimite link-ul de invitație Discord jucătorul
discordCommandExecuteDescription=Executa o comandă de consola pe serverul Minecraft.
discordCommandExecuteArgumentCommand=Comanda va fi executata
discordCommandExecuteReply=Comanda este executata\: "/{0}"
discordCommandUnlinkDescription=De-conectează cont-ul de Minecraft conectat la Cont-ul tău de Discord
discordCommandUnlinkInvalidCode=Tu nu ai un cont de Minecraft conectat la Discord\!
discordCommandUnlinkUnlinked=Cont-ul tău de Discord a fost de-conectat de la toate cont-urile de Minecraft conectate.
discordCommandLinkArgumentCode=Cod-ul furnizat in joc pentru a conecta cont-ul dvs Minecraft
discordCommandLinkDescription=Conectează cont-ul tău de Discord cu cont-ul tău de Minecraft folosind un cod de pe comanda din joc /link
discordCommandLinkHasAccount=Deja ai un cont conectat\! Casa îl deconectați scrieți /unlink.
discordCommandLinkInvalidCode=Cod de conectare dat nu este valid\! Asigurați-va ca ați scris /link in joc si ca ați copiat codul corect.
discordCommandLinkLinked=Cont-ul dvs a fost deconectat cu succes\!
discordCommandListDescription=Iți da o listă de jucători conectați.
discordCommandListArgumentGroup=Un grup specific pentru a limita căutarea dvs
discordCommandMessageDescription=Trimite un mesaj unui jucător-ului de pe Server-ul de Minecraft.
discordCommandMessageArgumentUsername=Jucător-ul care sa fie trimis mesaj-ul la
discordCommandMessageArgumentMessage=Mesajul care sa fie trimis jucătorului
discordErrorCommand=Ai adăugat bot-ul pe server incorect\! Te rugăm să urmezi tutorialul din configurare și să adaugi bot-ul folosind https\://essentialsx.net/discord.html
discordErrorCommandDisabled=Acea comandă este dezactivată\!
discordErrorLogin=A apărut o eroare în timpul logării pe Discord, ceea ce a cauzat plugin-ul să se dezactiveze\: \n{0}
discordErrorLoggerInvalidChannel=Logarea consolei Discord a fost dezactivată din cauza unei definiții invalide a canalului\! Dacă intenționați să dezactivați acest lucru, setați ID-ul canalului la "none"; în caz contrar, verificați dacă ID-ul canalului este corect.
disposal=Cos de gunoi
disposalCommandDescription=Deschide un cos de gunoi portabil.
disposalCommandUsage=/<command>
@ -345,6 +389,8 @@ holdBook=§4Nu detii o carte scriabila.
holdFirework=§4Trebuie sa tii in mana o racheta pentru a-i adauga efecte.
holdPotion=§4Trebuie sa tii in mana o potiune pentru a-i adauga efecte.
holeInFloor=§4Gaura in podea\!
homeCommandUsage1=/<command> <nume>
homeCommandUsage2=/<command> <jucator>\:<nume>
homes=§6Case\:§r {0}
homeConfirmation=You already have a home named {0}\!\nTo overwrite your existing home, type the command again.
homeSet=§6Casa setata.
@ -398,6 +444,7 @@ itemMustBeStacked=§4Obiectul trebuie comercializat in stacuri. O cantitate de 2
itemNames=§6Numele scurte ale obiectului\:§r {0}
itemnameClear=You have cleared this item''s name.
itemnameCommandUsage1=/<command>
itemnameCommandUsage2=/<command> <nume>
itemnameInvalidItem=You need to hold an item to rename it.
itemnameSuccess=You have renamed your held item to "{0}".
itemNotEnough1=§4YNu ai destul din acest obiect pentru a-l putea vinde.
@ -458,6 +505,8 @@ lightningCommandUsage=/<command> [player] [power]
lightningCommandUsage1=/<command> [player]
lightningSmited=§6Ai fost fulgerat\!
lightningUse=§6L-ai fulgerat pe§c {0}
linkCommandUsage=/<command>
linkCommandUsage1=/<command>
listAfkTag=§7 [AFK] §r
listAmount=§6Sunt §c{0}§6 din maxim §c{1}§6 jucatori online.
listAmountHidden=Sunt {0}/{1} din maxim {2} jucatori online.
@ -742,6 +791,8 @@ serverUnsupported=Se executa o versiune de server neacceptata\!
setBal=§aBalanta ta a fost setata la {0}.
setBalOthers=§aA-ti setat balanta lui {0} §a la {1}.
setSpawner=§6Changed spawner type to§c {0}§6.
sethomeCommandUsage1=/<command> <nume>
sethomeCommandUsage2=/<command> <jucator>\:<nume>
setjailCommandUsage=/<command> <jailname>
setjailCommandUsage1=/<command> <jailname>
settpr=Set random teleport center.
@ -879,6 +930,8 @@ unknownItemInList=§4Obiect necunoscut {0} in {1} list.
unknownItemName=§4Nume obiect necunoscut\: {0}.
unlimitedItemPermission=§4No permission for unlimited item §c{0}§4.
unlimitedItems=§6Obiecte nelimitate\:§r
unlinkCommandUsage=/<command>
unlinkCommandUsage1=/<command>
unmutedPlayer=§6Jucatorul§c {0} §6are voie sa vorbeasca.
unsafeTeleportDestination=Destinatia de teleportare este nesigura si teleportarea in siguranta este dezactivata.
unsupportedBrand=The server platform you are currently running does not provide the capabilities for this feature.

View File

@ -7,7 +7,7 @@ addedToAccount=§a{0} было зачислено на ваш счет.
addedToOthersAccount=§a{0} зачислено на счет {1}§a. Текущий баланс\: {2}
adventure=приключенческий
afkCommandDescription=Отмечает вас как отошедшего.
afkCommandUsage=/<command> [игрок|сообщение]
afkCommandUsage=/<command> [игрок] [сообщение]
afkCommandUsage1=/<command> [сообщение]
afkCommandUsage1Description=Переключает ваш статус отошедшего с необязательным указанием причины
afkCommandUsage2=/<command> <игрок> [сообщение]
@ -93,7 +93,7 @@ bookAuthorSet=§6Автор книги изменен на {0}.
bookCommandDescription=Позволяет открывать и редактировать подписанные книги.
bookCommandUsage=/<command> [title <название>|author <имя>]
bookCommandUsage1=/<command>
bookCommandUsage1Description=Блокирует/разблокирует книгу с пером/подписанную книгу
bookCommandUsage1Description=Блокирует книгу с пером и разблокирует подписанную
bookCommandUsage2=/<command> author <имя>
bookCommandUsage2Description=Изменяет автора подписанной книги
bookCommandUsage3=/<command> title <название>
@ -110,14 +110,14 @@ broadcastCommandUsage1Description=Объявляет указанное сооб
broadcastworldCommandDescription=Объявляет сообщение в мире.
broadcastworldCommandUsage=/<command> <мир> <сообщение>
broadcastworldCommandUsage1=/<command> <мир> <сообщение>
broadcastworldCommandUsage1Description=Объявляет указанное сообщение в указанном мире
broadcastworldCommandUsage1Description=Объявляет заданное сообщение в указанном мире
burnCommandDescription=Поджигает игрока.
burnCommandUsage=/<command> <игрок> <секунды>
burnCommandUsage1=/<command> <игрок> <секунды>
burnCommandUsage1Description=Поджигает указанного игрока на указанное количество секунд
burnCommandUsage1Description=Поджигает указанного игрока на заданное количество секунд
burnMsg=§6Вы подожгли§c {0} §6на §c {1} секунд§6.
cannotSellNamedItem=§6Вы не можете продавать переименованные предметы.
cannotSellTheseNamedItems=§6Вы не можете продавать следующие переименованные предметы\: §4{0}
cannotSellTheseNamedItems=§6Вы не можете продать следующие переименованные предметы\: §4{0}
cannotStackMob=§4У вас нет прав призывать несколько мобов друг на друге.
canTalkAgain=§6Вы снова можете писать в чат.
cantFindGeoIpDB=Не получается найти базу данных GeoIP\!
@ -130,7 +130,7 @@ chatTypeLocal=§3[Л]
chatTypeSpy=[Слежка]
cleaned=Файлы пользователей очищены.
cleaning=Очистка файлов пользователей.
clearInventoryConfirmToggleOff=§6Вам больше не будет предложено подтвердить очистку инвентаря.
clearInventoryConfirmToggleOff=§6Вам больше не будет предлагать подтвердить очистку инвентаря.
clearInventoryConfirmToggleOn=§6Теперь вам будет предлагать подтвердить очистку инвентаря.
clearinventoryCommandDescription=Удаляет все предметы в вашем инвентаре.
clearinventoryCommandUsage=/<command> [игрок|*] [предмет[\:<данные>]|*|**] [кол-во]
@ -139,7 +139,7 @@ clearinventoryCommandUsage1Description=Удаляет все предметы в
clearinventoryCommandUsage2=/<command> <игрок>
clearinventoryCommandUsage2Description=Удаляет все предметы в инвентаре указанного игрока
clearinventoryCommandUsage3=/<command> <игрок> <предмет> [кол-во]
clearinventoryCommandUsage3Description=Удаляет все (или указанное количество) предметы указанного типа из инвентаря указанного игрока
clearinventoryCommandUsage3Description=Удаляет все (или заданное количество) предметы указанного типа из инвентаря указанного игрока
clearinventoryconfirmtoggleCommandDescription=Переключает подтверждение очистки инвентаря.
clearinventoryconfirmtoggleCommandUsage=/<command>
commandArgumentOptional=§7
@ -219,7 +219,7 @@ delkitCommandUsage1Description=Удаляет набор с указанным
delwarpCommandDescription=Удаляет указанный варп.
delwarpCommandUsage=/<command> <варп>
delwarpCommandUsage1=/<command> <варп>
delwarpCommandUsage1Description=Удаляет варп с указанным именем
delwarpCommandUsage1Description=Удаляет варп под указанным названием
deniedAccessCommand=§c{0} §4отказано в доступе к команде.
denyBookEdit=§4Вы не можете переписать эту книгу.
denyChangeAuthor=§4Вы не можете изменить автора этой книги.
@ -240,20 +240,34 @@ discordbroadcastCommandUsage1Description=Отправляет заданное
discordbroadcastInvalidChannel=§4Discord-канал §c{0}§4 не существует.
discordbroadcastPermission=§4У вас нет прав для отправки сообщений в канал §c{0}§4.
discordbroadcastSent=§6Сообщение отправлено в канал §c{0}§6\!
discordCommandAccountArgumentUser=Искомый аккаунт Discord
discordCommandAccountDescription=Ищет с вами или другим пользователем Discord привязанный аккаунт Minecraft
discordCommandAccountResponseLinked=Ваш аккаунт привязан к аккаунту Minecraft\: **{0}**
discordCommandAccountResponseLinkedOther=Аккаунт {0} привязан к аккаунту Minecraft\: **{1}**
discordCommandAccountResponseNotLinked=У вас нет привязанного аккаунта Minecraft.
discordCommandAccountResponseNotLinkedOther=У {0} нет привязанного аккаунта Minecraft.
discordCommandDescription=Отправляет игроку ссылку-приглашение на Discord сервер.
discordCommandLink=§6Присоединитесь к нашему Discord серверу через §c{0}§6\!
discordCommandLink=§6Присоединяйтесь к нашему Discord серверу по ссылке §c{0}§6\!
discordCommandUsage=/<command>
discordCommandUsage1=/<command>
discordCommandUsage1Description=Отправляет игроку ссылку-приглашение на Discord сервер
discordCommandExecuteDescription=Выполняет консольную команду на сервере Minecraft.
discordCommandExecuteArgumentCommand=Команда, которую нужно выполнить
discordCommandExecuteReply=Выполнение команды\: "/{0}"
discordCommandUnlinkDescription=Отвязывает Minecraft аккаунт от вашего аккаунта Discord
discordCommandUnlinkInvalidCode=У вас нет привязанного к Discord аккаунта Minecraft\!
discordCommandUnlinkUnlinked=Ваш аккаунт Discord был отключен от всех привязанных аккаунтов Minecraft.
discordCommandLinkArgumentCode=Код привязки вашего аккаунта Minecraft, предоставленный в игре
discordCommandLinkDescription=Связывает ваш аккаунт Discord с вашим аккаунтом Minecraft, используя код из команды /link
discordCommandLinkHasAccount=У вас уже есть привязанный аккаунт\! Чтобы отвязать текущий аккаунт, введите /unlink.
discordCommandLinkInvalidCode=Неверный код привязки\! Убедитесь, что вы ввели /link в игре и скопировали код правильно.
discordCommandLinkLinked=Аккаунт был привязан успешно\!
discordCommandListDescription=Показывает список игроков онлайн.
discordCommandListArgumentGroup=Группа, по которой следует ограничить поиск
discordCommandMessageDescription=Отправляет сообщение игроку на сервере Minecraft.
discordCommandMessageArgumentUsername=Игрок, которому отправится сообщение
discordCommandMessageArgumentMessage=Сообщение, отправляемое игроку
discordErrorCommand=Вы добавили бота на свой сервер некорректно. Пожалуйста, следуйте руководству в конфигурации и добавьте своего бота с помощью https\://essentialsx.net/discord.html\!
discordErrorCommand=Вы добавили бота на свой сервер некорректно\! Пожалуйста, следуйте руководству из файла конфигурации и добавьте своего бота с помощью https\://essentialsx.net/discord.html
discordErrorCommandDisabled=Эта команда отключена\!
discordErrorLogin=Произошла ошибка при входе в Discord, что привело к отключению плагина\: \n{0}
discordErrorLoggerInvalidChannel=Отображение лога консоли в Discord было отключено из-за неверного канала\! Если вы хотите отключить эту функцию, установите ID канала на "none"; или же проверьте правильность ID канала.
@ -265,14 +279,26 @@ discordErrorNoPrimary=Вы не указали основной канал, ил
discordErrorNoPrimaryPerms=Ваш бот не может говорить в вашем основном канале, \#{0}. Пожалуйста, убедитесь, что ваш бот имеет разрешения на чтение и запись во всех каналах, которые вы хотите использовать.
discordErrorNoToken=Токен не предоставлен\! Пожалуйста, следуйте руководству в конфигурации для верной настройки плагина.
discordErrorWebhook=Произошла ошибка при отправке сообщений на канал консоли\! Скорее всего, это было вызвано случайным удалением вебхука консоли. Обычно это можно исправить выдачей боту права "Управления вебхуками" и вводом "/ess reload".
discordLinkInvalidGroup=Неверная группа {0} была предоставлена для роли {1}. Доступны следующие группы\: {2}
discordLinkInvalidRole=Неверный ID роли - {0} - был предоставлен для группы\: {1}. Вы можете увидеть ID ролей с командой /roleinfo в Discord.
discordLinkInvalidRoleInteract=Роль, {0} ({1}), не может быть использована для синхронизации группа->роль, потому что она выше самой высокой роли бота. Либо переместите роль вашего бота над "{0}", либо переместите "{0}" под ролью вашего бота.
discordLinkInvalidRoleManaged=Роль, {0} ({1}), не может быть использована для синхронизации группа->роль, так как она управляется другим ботом или интеграцией.
discordLinkLinked=§6Чтобы привязать свой аккаунт Minecraft к Discord, введите §c{0} §6на Discord-сервере.
discordLinkLinkedAlready=§6Вы уже привязали свой аккаунт Discord\! Если вы хотите отвязать его, используйте §c/unlink§6.
discordLinkLoginKick=§6Прежде чем зайти на сервер, вы должны привязать свой аккаунт Discord.\n§6Чтобы привязать аккаунт Minecraft к аккаунту Discord, введите\n§c{0}\n§6на Discord-сервере здесь\:\n§c{1}
discordLinkLoginPrompt=§6Прежде чем начать игру на сервере, вы должны привязать свой аккаунт Discord. Чтобы сделать это, введите §c{0} §6на Discord-сервере здесь\:§c{1}
discordLinkNoAccount=§6У вас нет аккаунта Discord, привязанного к аккаунту Minecraft.
discordLinkPending=§6У вас уже есть код привязки. Чтобы завершить привязку вашего аккаунта Minecraft к аккаунту Discord, введите §c{0} §6на Discord-сервере.
discordLinkUnlinked=§6Отвязка вашего аккаунта Minecraft от всех связанных аккаунтов Discord.
discordLoggingIn=Попытка входа в Discord...
discordLoggingInDone=Успешный вход как {0}
discordMailLine=**Новая почта от {0}\:** {1}
discordNoSendPermission=Не удается отправить сообщение в канале\: \#{0} Пожалуйста, убедитесь, что бот имеет право "Отправлять сообщения" в этом канале\!
discordReloadInvalid=Попытка перезагрузить конфигурацию EssentialsX Discord, пока плагин находится в неверном состоянии\! Если вы изменили конфигурацию, перезапустите сервер.
disposal=Утилизация
disposalCommandDescription=Открывает портативное меню утилизации.
disposalCommandUsage=/<command>
distance=§6Дистанция\: {0}
distance=§6Расстояние\: {0}
dontMoveMessage=§6Телепортация начнется через§c {0}§6. Не двигайтесь.
downloadingGeoIp=Идет загрузка базы данных GeoIP... Это может занять некоторое время (страна\: 1,7 MB город\: 30MB)
dumpConsoleUrl=Дамп сервера был создан\: §c{0}
@ -292,13 +318,13 @@ ecoCommandUsage2=/<command> take <игрок> <сумма>
ecoCommandUsage2Description=Забирает указанную сумму денег у указанного игрока
ecoCommandUsage3=/<command> set <игрок> <сумма>
ecoCommandUsage3Description=Устанавливает баланс указанного игрока на указанную сумму
ecoCommandUsage4=/<command> reset <игрок> <сумма>
ecoCommandUsage4=/<command> reset <игрок>
ecoCommandUsage4Description=Сбрасывает баланс указанного игрока на начальный баланс сервера
editBookContents=§eТеперь вы можете редактировать содержание этой книги.
enabled=включен
enchantCommandDescription=Зачаровывает предмет в руке.
enchantCommandUsage=/<command> <зачарование> [уровень]
enchantCommandUsage1=/<command> <имя зачарования> [уровень]
enchantCommandUsage1=/<command> <зачарование> [уровень]
enchantCommandUsage1Description=Зачаровывает удерживаемый предмет на заданные чары, с необязательным указанием уровня
enableUnlimited=§6Выдано неограниченное количество§c {0} §6игроку §c{1}§6.
enchantmentApplied=§6Зачарование§c {0} §6было применено к предмету в вашей руке.
@ -414,7 +440,7 @@ getposCommandUsage=/<command> [игрок]
getposCommandUsage1=/<command> [игрок]
getposCommandUsage1Description=Выводит ваши координаты или координаты другого игрока, если указан
giveCommandDescription=Выдает игроку предмет.
giveCommandUsage=/<command> <игрок> <предмет|id> [кол-во [метаданные...]]
giveCommandUsage=/<command> <игрок> <предмет|id> [<кол-во> [метаданные]]
giveCommandUsage1=/<command> <игрок> <предмет> [кол-во]
giveCommandUsage1Description=Выдает указанному игроку 64 (или заданное количество) указанного предмета
giveCommandUsage2=/<command> <игрок> <предмет> <кол-во> <метаданные>
@ -475,13 +501,14 @@ holdFirework=§4Вы должны держать фейерверк для до
holdPotion=§4Вы должны держать зелье для применения эффектов.
holeInFloor=§4Дыра в полу (Некуда встать).
homeCommandDescription=Телепортирует к вашему дому.
homeCommandUsage=/<command> [игрок\:][название]
homeCommandUsage=/<command> [[<игрок>\:]<название>]
homeCommandUsage1=/<command> <название>
homeCommandUsage1Description=Телепортирует вас в ваш дом под указанным названием
homeCommandUsage2=/<command> <игрок>\:<название>
homeCommandUsage2Description=Телепортирует вас в дом указанного игрока под указанным названием
homes=§6Дома\:§r {0}
homeConfirmation=§6У вас уже есть дом с названием §c{0}§6\!\nДля перезаписи дома, введите команду снова.
homeRenamed=§6Дом §c{0} §6был переименован в §c{1}§6.
homeSet=§6Точка дома установлена.
hour=час
hours=часов
@ -520,7 +547,7 @@ invalidItemFlagMeta=§4Неверные флаги предметов\: §c{0}§
invalidMob=§4Неизвестный тип моба.
invalidNumber=Неправильное число.
invalidPotion=§4Неправильное зелье.
invalidPotionMeta=§4Неправильные метаданные для зелья\: §c{0}§4.
invalidPotionMeta=§4Неверные метаданные зелья\: §c{0}§4.
invalidSignLine=§4Линия§c {0} §4на табличке неправильна.
invalidSkull=§4Держите голову игрока в руках.
invalidWarpName=§4Неправильное название варпа\!
@ -534,12 +561,13 @@ invseeCommandDescription=Показывает инвентарь другого
invseeCommandUsage=/<command> <игрок>
invseeCommandUsage1=/<command> <игрок>
invseeCommandUsage1Description=Открывает инвентарь указанного игрока
invseeNoSelf=§cВы не можете просматривать свой инвентарь.
is=является
isIpBanned=§6IP-адрес §c{0} §6забанен.
internalError=§cПроизошла внутренняя ошибка при попытке выполнить эту команду.
itemCannotBeSold=§4Этот предмет не может быть продан.
itemCommandDescription=Создает предмет.
itemCommandUsage=/<command> <предмет|id> [кол-во [метаданные...]]
itemCommandUsage=/<command> <предмет|id> [<кол-во> [метаданные]]
itemCommandUsage1=/<command> <предмет> [кол-во]
itemCommandUsage1Description=Выдает вам стак (или заданное количество) указанного предмета
itemCommandUsage2=/<command> <предмет> <кол-во> <метаданные>
@ -659,6 +687,10 @@ lightningCommandUsage2=/<command> <игрок> <сила>
lightningCommandUsage2Description=Бьет молнией по указанному игроку с заданной силой
lightningSmited=§6В вас ударила молния\!
lightningUse=§6Ударили молнией в игрока§c {0}
linkCommandDescription=Генерирует код связывания вашего аккаунт Minecraft к аккаунту Discord.
linkCommandUsage=/<command>
linkCommandUsage1=/<command>
linkCommandUsage1Description=Генерирует код для команды /link в Discord
listAfkTag=§7[Отошел]§r
listAmount=§6Сейчас §c{0}§6 из §c{1}§6 игроков на сервере.
listAmountHidden=§6Сейчас §c{0}§6/§c{1}§6 из §c{2}§6 игроков на сервере.
@ -677,7 +709,7 @@ mailClear=§6Чтобы очистить почту, введите§c /mail cle
mailCleared=§6Почта очищена\!
mailClearIndex=§4Вы должны указать число в диапазоне 1-{0}.
mailCommandDescription=Управляет вашей серверной почтой.
mailCommandUsage=/<command> [read|clear|clear [число]|send [кому] [сообщение]|sendtemp [кому] [expire time] [сообщение]|sendall [сообщение]]
mailCommandUsage=/<command> [read [страница]|clear [номер]|send <кому> <сообщение>|sendtemp <кому> <срок истечения> <сообщение>|sendall <сообщение>|sendtempall <срок истечения> <сообщение>]
mailCommandUsage1=/<command> read [страница]
mailCommandUsage1Description=Читает первую (или указанную) страницу вашей почты
mailCommandUsage2=/<command> clear [номер]
@ -809,11 +841,11 @@ northEast=СВ
north=С
northWest=СЗ
noGodWorldWarning=§4Внимание\! Режим бога выключен в этом мире.
noHomeSetPlayer=§6Игрок не имеет точки дома.
noHomeSetPlayer=§6Игрок не имеет установленных домов.
noIgnored=§6Вы никого не игнорируете.
noJailsDefined=§6Тюрьмы не установлены.
noKitGroup=§4У вас нет доступа к этому набору.
noKitPermission=§4У вас должно быть право §c{0}§4 для получения данного набора.
noKitPermission=§4У вас должно быть право §c{0}§4 для получения этого набора.
noKits=§6Нет доступных наборов.
noLocationFound=§4Не найдено подходящего места.
noMail=§6Ваша почта пуста.
@ -834,7 +866,7 @@ noPotionEffectPerm=§4У вас нет прав для применения эф
noPowerTools=§6У вас нет командных инструментов.
notAcceptingPay=§4{0} §4не принимает платежи.
notAllowedToLocal=§4У вас нет прав на общение в локальном чате.
notAllowedToQuestion=§4У вас нет разрешения на использование вопроса.
notAllowedToQuestion=§4У вас нет прав на использование вопроса.
notAllowedToShout=§4У вас нет прав на возглас.
notEnoughExperience=§4У вас недостаточно опыта.
notEnoughMoney=§4У вас недостаточно средств.
@ -906,12 +938,12 @@ pong=Понг\!
posPitch=§6Наклон\: {0} (Угол головы)
possibleWorlds=§6Номера возможных миров начинаются с §c0§6 и заканчиваются §c{0}§6.
potionCommandDescription=Добавляет новые эффекты к зелью.
potionCommandUsage=/<command> <clear|apply|effect\:<эффект> power\:<мощность> duration\:<длительность>>
potionCommandUsage=/<command> <clear|apply|effect\:<эффект> power\:<уровень> duration\:<длительность>>
potionCommandUsage1=/<command> clear
potionCommandUsage1Description=Удаляет все эффекты у удерживаемого зелья
potionCommandUsage2=/<command> apply
potionCommandUsage2Description=Накладывает все эффекты удерживаемого зелья на вас, не расходуя зелье
potionCommandUsage3=/<command> effect\:<эффект> power\:<сила> duration\:<продолжительность>
potionCommandUsage3=/<command> effect\:<эффект> power\:<уровень> duration\:<длительность>
potionCommandUsage3Description=Применяет указанные метаданные зелья на удерживаемое зелье
posX=§6X\: {0} (+Восток <-> -Запад)
posY=§6Y\: {0} (+Верх <-> -Низ)
@ -991,7 +1023,7 @@ recipe=§6Рецепт §c{0}§6 (§c{1}§6 из §c{2}§6)
recipeBadIndex=Рецепта под этим номером не найдено.
recipeCommandDescription=Показывает рецепты предметов.
recipeCommandUsage=/<command> <предмет> [номер]
recipeCommandUsage1=/<command> <предмет> [страница]
recipeCommandUsage1=/<command> <предмет> [номер]
recipeCommandUsage1Description=Показывает, как создать указанный предмет
recipeFurnace=§6Жарить в печи\: §c{0}§6.
recipeGrid=§c{0}X §6| §{1}X §6| §{2}X
@ -1001,13 +1033,19 @@ recipeNone=Нет рецепта для {0}.
recipeNothing=ничего
recipeShapeless=§6Объединить §c{0}
recipeWhere=§6Где\: {0}
removeCommandDescription=Удаляет сущности из вашего текущего мира.
removeCommandDescription=Удаляет сущности из текущего мира.
removeCommandUsage=/<command> <all|tamed|named|drops|arrows|boats|minecarts|xp|paintings|itemframes|endercrystals|monsters|animals|ambient|mobs|<моб>> [радиус|мир]
removeCommandUsage1=/<command> <моб> [мир]
removeCommandUsage1Description=Удаляет всех мобов указанного типа в текущем мире, или в другом, если указан
removeCommandUsage2=/<command> <моб> <радиус> [мир]
removeCommandUsage2Description=Удаляет всех мобов указанного типа в данном радиусе в текущем мире, или в другом, если указан
removed=§6Убрано§c {0} §6сущностей.
renamehomeCommandDescription=Переименовывает дом.
renamehomeCommandUsage=/<command> [<игрок>\:]<название> <новое название>
renamehomeCommandUsage1=/<command> <название> <новое название>
renamehomeCommandUsage1Description=Изменяет название вашего дома на заданное
renamehomeCommandUsage2=/<command> <игрок>\:<название> <новое название>
renamehomeCommandUsage2Description=Изменяет название дома указанного игрока на заданное
repair=§6Вы успешно починили §c{0}§6.
repairAlreadyFixed=§4Этот предмет не нуждается в починке.
repairCommandDescription=Восстанавливает прочность одного или всех предметов.
@ -1019,7 +1057,7 @@ repairCommandUsage2Description=Чинит все предметы в вашем
repairEnchanted=§4У вас недостаточно прав для ремонта зачарованных вещей.
repairInvalidType=§4Этот предмет не может быть отремонтирован.
repairNone=§4Нуждающиеся в починке предметы не найдены.
replyFromDiscord=**Ответ от {0}\:** `{1}`
replyFromDiscord=**Ответ от {0}\:** {1}
replyLastRecipientDisabled=§6Ответ последнему получателю сообщения §cотключен§6.
replyLastRecipientDisabledFor=§6Ответ последнему получателю сообщения §cотключен §6для §c{0}§6.
replyLastRecipientEnabled=§6Ответ последнему получателю сообщения §cвключен§6.
@ -1074,7 +1112,7 @@ sellHandPermission=§6У вас нет прав на продажу предме
serverFull=Сервер заполнен\!
serverReloading=Похоже, что вы решили перезагрузить свой сервер используя /reload. Неужели вы настолько ненавидите себя? Не ожидайте поддержки от команды EssentialsX при использовании /reload.
serverTotal=§6Всего\:§c {0}
serverUnsupported=Вы запускаете неподдерживаемую плагином версию сервера\!
serverUnsupported=Вы используете неподдерживаемую плагином версию сервера\!
serverUnsupportedClass=Класс, определяющий статус\: {0}
serverUnsupportedCleanroom=Вы используете сервер, который не поддерживает плагины Bukkit, полагающиеся на внутренний код Mojang. Рассмотрите возможность замены Essentials.
serverUnsupportedDangerous=Вы используете форк сервера, который известен за свою крайнюю ненадежность, способную привести к потере данных. Настоятельно рекомендуется сменить его на более стабильное серверное ядро - например Paper.
@ -1082,22 +1120,22 @@ serverUnsupportedLimitedApi=Вы используете сервер с огра
serverUnsupportedDumbPlugins=Вы используете плагины, известные за приченение серьезных проблем в работе EssentialsX и других плагинов.
serverUnsupportedMods=Вы используете сервер, который не поддерживает плагины Bukkit должным образом. Плагины Bukkit не должны быть использованы в связке с модами Forge/Fabric\! Для Forge - рассмотрите возможность использования ForgeEssentials или SpongeForge + Nucleus.
setBal=§aВаш баланс установлен на {0}.
setBalOthers=§aВы установили баланс игрока {0}§a на {1}.
setBalOthers=§aВы установили баланс {0}§a на {1}.
setSpawner=§6Tип рассадника мобов изменен на§c {0}§6.
sethomeCommandDescription=Устанавливает точку дома на вашей текущей локации.
sethomeCommandUsage=/<command> [игрок\:][название]
sethomeCommandUsage=/<command> [[<игрок>\:]<название>]
sethomeCommandUsage1=/<command> <название>
sethomeCommandUsage1Description=Устанавливает дом с заданным названием в вашем местоположении
sethomeCommandUsage1Description=Устанавливает дом с заданным названием на вашем месте
sethomeCommandUsage2=/<command> <игрок>\:<название>
sethomeCommandUsage2Description=Устанавливает дом указанного игрока с заданным названием в вашем местоположении
sethomeCommandUsage2Description=Устанавливает дом указанного игрока с заданным названием на вашем месте
setjailCommandDescription=Создает тюрьму с названием, указанным в аргументе [тюрьма].
setjailCommandUsage=/<command> <тюрьма>
setjailCommandUsage1=/<command> <тюрьма>
setjailCommandUsage1Description=Устанавливает тюрьму с указанным названием в вашем местоположении
setjailCommandUsage1Description=Устанавливает тюрьму с указанным названием на вашем месте
settprCommandDescription=Задает центр и параметры случайной телепортации.
settprCommandUsage=/<command> [center|minrange|maxrange] [значение]
settprCommandUsage1=/<command> center
settprCommandUsage1Description=Устанавливает центр случайного телепорта в вашем местоположении
settprCommandUsage1Description=Устанавливает центр случайного телепорта на вашем месте
settprCommandUsage2=/<command> minrange <радиус>
settprCommandUsage2Description=Устанавливает минимальный радиус случайного телепорта на заданное значение
settprCommandUsage3=/<command> maxrange <радиус>
@ -1107,7 +1145,7 @@ settprValue=§6Параметер §c{0}§6 случайного телепор
setwarpCommandDescription=Создает новый варп.
setwarpCommandUsage=/<command> <варп>
setwarpCommandUsage1=/<command> <варп>
setwarpCommandUsage1Description=Устанавливает варп с указанным названием в вашем местоположении
setwarpCommandUsage1Description=Устанавливает варп с указанным названием на вашем месте
setworthCommandDescription=Устанавливает стоимость продажи предмета.
setworthCommandUsage=/<command> [предмет/id] <цена>
setworthCommandUsage1=/<command> <цена>
@ -1165,10 +1203,10 @@ smithingtableCommandUsage=/<command>
socialSpy=§6СоцШпион для §c{0}§6\: §c{1}
socialSpyMsgFormat=§6[§c{0}§7 -> §c{1}§6] §7{2}
socialSpyMutedPrefix=§f[§6СШ§f] §7(заглушен) §r
socialspyCommandDescription=Переключает возможность просмотра msg/mail в чате.
socialspyCommandDescription=Переключает возможность просмотра /msg и /mail в чате.
socialspyCommandUsage=/<command> [игрок] [on|off]
socialspyCommandUsage1=/<command> [игрок]
socialspyCommandUsage1Description=Переключает режим СоцШпиона Вам, или указанному игроку
socialspyCommandUsage1Description=Переключает режим СоцШпиона вам, или указанному игроку
socialSpyPrefix=§f[§6СШ§f] §r
soloMob=§4Этот моб любит быть в одиночестве.
spawned=призван
@ -1393,13 +1431,17 @@ unlimitedCommandUsage3=/<command> clear [игрок]
unlimitedCommandUsage3Description=Убирает все неограниченные предметы у вас, или у другого игрока, если он указан
unlimitedItemPermission=§4Нет прав для неограниченного предмета §c{0}§4.
unlimitedItems=§6Неограниченные предметы\:§r
unlinkCommandDescription=Отвязывает ваш аккаунт Minecraft от вашего аккаунта Discord.
unlinkCommandUsage=/<command>
unlinkCommandUsage1=/<command>
unlinkCommandUsage1Description=Отвязывает ваш аккаунт Minecraft от вашего аккаунта Discord.
unmutedPlayer=§6Игрок§c {0} §6снова может писать в чат.
unsafeTeleportDestination=§4Место назначения телепортации небезопасно, а защита при телепортации отключена.
unsupportedBrand=§4Ваше текущее серверное ядро не поддерживает эту функцию.
unsupportedFeature=§4Эта функция не поддерживается на текущей версии сервера.
unvanishedReload=§4Из-за перезагрузки вы вновь стали видимы.
upgradingFilesError=Ошибка при обновлении файлов.
uptime=§6Аптайм\:§c {0}
uptime=§6Время работы\:§c {0}
userAFK=§5Игрок §7{0} §5отошел и может не отвечать.
userAFKWithMessage=§5Игрок §7{0} §5отошел и может не отвечать\: {1}
userdataMoveBackError=Ошибка при перемещении userdata/{0}.tmp в userdata/{1}\!
@ -1413,8 +1455,11 @@ userIsAwaySelf=§7Вы отошли.
userIsAwaySelfWithMessage=§7Вы отошли.
userIsNotAwaySelf=§7Вы вернулись.
userJailed=§6Вы посажены в тюрьму\!
usermapEntry=§c{0} §6конвертирован в §c{1}§6.
usermapPurge=§6Проверяем файлы пользовательских данных, которые ещё не были сконвертированы. Результаты будут записаны в консоль. Режим удаления\: {0}
usermapSize=§6Количество закэшированных игроков §c{0}§6/§c{1}§6/§c{2}§6.
userUnknown=§4Внимание\: Игрока ''§c{0}§4'' никогда не было на сервере.
usingTempFolderForTesting=Использование временной папки для теста\:
usingTempFolderForTesting=Для тестирования используется временная папка\:
vanish=§6Скрытие {0}§6\: {1}
vanishCommandDescription=Скрывает вас от других игроков.
vanishCommandUsage=/<command> [игрок] [on|off]
@ -1461,7 +1506,7 @@ warpinfoCommandUsage1=/<command> <варп>
warpinfoCommandUsage1Description=Предоставляет информацию об указанном варпе
warpingTo=§6Перемещение на§c {0}§6.
warpList={0}
warpListPermission=§4У вас нет прав для просмотра списка варпов.
warpListPermission=§4У вас нет прав на просмотр списка варпов.
warpNotExist=§4Такого варпа не существует.
warpOverwrite=§4Вы не можете перезаписать существующий варп.
warps=§6Варпы\:§r {0}
@ -1471,7 +1516,7 @@ weatherCommandUsage=/<command> <storm|sun> [длительность]
weatherCommandUsage1=/<command> <storm|sun> [длительность]
weatherCommandUsage1Description=Устанавливает заданный тип погоды с необязательным указанием длительности
warpSet=§6Варп§c {0} §6установлен.
warpUsePermission=§4У вас нет прав для телепортации на этот варп.
warpUsePermission=§4У вас нет прав на использование этого варпа.
weatherInvalidWorld=Мир с именем {0} не найден\!
weatherSignStorm=§6Погода\: §cшторм§6.
weatherSignSun=§6Погода\: §cсолнечно§6.

View File

@ -67,6 +67,8 @@ kickCommandUsage1=/<command> <player> [reason]
kitCommandUsage1=/<command>
kittycannonCommandUsage=/<command>
lightningCommandUsage1=/<command> [player]
linkCommandUsage=/<command>
linkCommandUsage1=/<command>
loomCommandUsage=/<command>
msgtoggleCommandUsage1=/<command> [player]
nearCommandUsage1=/<command>
@ -105,6 +107,8 @@ tpdenyCommandUsage1=/<command>
tprCommandUsage=/<command>
tprCommandUsage1=/<command>
tptoggleCommandUsage1=/<command> [player]
unlinkCommandUsage=/<command>
unlinkCommandUsage1=/<command>
vanishCommandUsage1=/<command> [player]
warpinfoCommandUsage=/<command> <warp>
warpinfoCommandUsage1=/<command> <warp>

View File

@ -11,6 +11,7 @@ afkCommandUsage=/<command> [hráč/správa...]
afkCommandUsage1=/<command> [správa]
afkCommandUsage1Description=Prepne tvoj AFK status aj s dôvodom, ak ho zadáš
afkCommandUsage2=/<command> <hráč> [správa]
afkCommandUsage2Description=Prepína afk stav hráča s voliteľným dôvodom
alertBroke=rozbitých\:
alertFormat=§3[{0}] §r {1} §6 {2} na\: {3}
alertPlaced=položených\:
@ -35,7 +36,9 @@ backAfterDeath=§6Použi príkaz§c /back§6 pre návrat na miesto smrti.
backCommandDescription=Teleportuje ťa na miesto pred posledným tp/spawn/warp.
backCommandUsage=/<command> [hráč]
backCommandUsage1=/<command>
backCommandUsage1Description=Teleportuje ťa na tvoju predošlú lokácii
backCommandUsage2=/<command> <hráč>
backCommandUsage2Description=Teleportuje hráča na jeho predchádzajúce miesto
backOther=§6Hráč§c {0}§6 bol vrátený na predošlú polohu.
backupCommandDescription=Spustí zálohovanie, ak je nakonfigurované.
backupCommandUsage=/<command>
@ -48,16 +51,20 @@ balance=§aZostatok\:§c {0}
balanceCommandDescription=Zobrazí aktuálny stav účtu hráča.
balanceCommandUsage=/<command> [hráč]
balanceCommandUsage1=/<command>
balanceCommandUsage1Description=Tvoj aktuálny zostatok
balanceCommandUsage2=/<command> <hráč>
balanceCommandUsage2Description=Zobrazí zostatok daného hráča
balanceOther=§aZostatok hráča {0}§a\:§c {1}
balanceTop=§6Najväčšie účty ({0})
balanceTopLine={0}, {1}, {2}
balancetopCommandDescription=Zobrazí hodnoty najväčších účtov.
balancetopCommandUsage=/<command> [strana]
balancetopCommandUsage1=/<command> [strana]
balancetopCommandUsage1Description=Zobrazí prvú (alebo špecifikovanú) stranu najvyšších zostatkov
banCommandDescription=Udelí hráčovi ban.
banCommandUsage=/<command> <hráč> [dôvod]
banCommandUsage1=/<command> <hráč> [dôvod]
banCommandUsage1Description=Zabanuje hráča s voliteľným dôvodom
banExempt=§4Tomuto hráčovi nemôžeš dať ban.
banExemptOffline=§4Nemôžeš dať ban offline hráčovi.
banFormat=§cDostal si ban\:\n§r{0}
@ -66,6 +73,7 @@ banJoin=Na tomto serveri máš ban. Dôvod\: {0}
banipCommandDescription=Zablokuje IP adresu.
banipCommandUsage=/<command> <adresa> [dôvod]
banipCommandUsage1=/<command> <adresa> [dôvod]
banipCommandUsage1Description=Zabanuje IP s voliteľným dôvodom
bed=§oposteľ§r
bedMissing=§4Tvoja posteľ je buď nenastavená, zablokovaná, alebo zničená.
bedNull=§mposteľ§r
@ -78,14 +86,18 @@ bigTreeSuccess=§6Veľký strom vytvorený.
bigtreeCommandDescription=Zasaď obrovský strom tam, kam sa pozeráš.
bigtreeCommandUsage=/<command> <tree|redwood|jungle|darkoak>
bigtreeCommandUsage1=/<command> <tree|redwood|jungle|darkoak>
bigtreeCommandUsage1Description=Vytvorí veľký strom určeného typu
blockList=§6EssentialsX prenáša nasledujúce príkazy na iné pluginy\:
blockListEmpty=§6EssentialsX neprenáša žiadne príkazy na iné pluginy.
bookAuthorSet=§6Autor knihy nastavený na {0}.
bookCommandDescription=Povoľuje znovuotvorenie a úpravu podpísaných kníh.
bookCommandUsage=/<command> [title|author [názov/meno]]
bookCommandUsage1=/<command>
bookCommandUsage1Description=Zamkne/odomkne rozpísanú/podpísanú knihu
bookCommandUsage2=/<command> author <autor>
bookCommandUsage2Description=Nastavuje autora podpísanej knihy
bookCommandUsage3=/<command> title <názov>
bookCommandUsage3Description=Nastavuje názov podpísanej knihy
bookLocked=§6Táto kniha bola uzamknutá.
bookTitleSet=§6Názov knihy nastavený na {0}.
breakCommandDescription=Zničí kocku, na ktorú sa pozeráš.
@ -94,12 +106,15 @@ broadcast=§6[§4Oznam§6]§a {0}
broadcastCommandDescription=Vyšle správu celému serveru.
broadcastCommandUsage=/<command> <správa>
broadcastCommandUsage1=/<command> <správa>
broadcastCommandUsage1Description=Vysiela danú správu na celý server
broadcastworldCommandDescription=Vyšle správu do sveta.
broadcastworldCommandUsage=/<command> <svet> <správa>
broadcastworldCommandUsage1=/<command> <svet> <správa>
broadcastworldCommandUsage1Description=Vysiela danú správu do určeného sveta
burnCommandDescription=Zapáli hráča.
burnCommandUsage=/<command> <hráč> <sekundy>
burnCommandUsage1=/<command> <hráč> <sekundy>
burnCommandUsage1Description=Zapáli hráča na určený počet sekúnd
burnMsg=§6Zapálil si hráča§c {0} §6na§c {1} sekúnd§6.
cannotSellNamedItem=§6Nemáš povolenie predávať premenované predmety.
cannotSellTheseNamedItems=§6Nemáš povolenie predávať tieto premenované predmety\: §4{0}
@ -120,15 +135,25 @@ clearInventoryConfirmToggleOn=§6Odteraz bude vyžadované potvrdenie vyprázdne
clearinventoryCommandDescription=Vyčistí všetky predmety v tvojom inventári.
clearinventoryCommandUsage=/<command> [hráč|*] [predmet[\:<dáta>]|*|**] [počet]
clearinventoryCommandUsage1=/<command>
clearinventoryCommandUsage1Description=Vymaže všetky predmety v tvojom inventári
clearinventoryCommandUsage2=/<command> <hráč>
clearinventoryCommandUsage2Description=Vymaže všetky predmety z inventára určeného hráča
clearinventoryCommandUsage3=/<command> <hráč> <predmet> [množstvo]
clearinventoryCommandUsage3Description=Vymaže všetky (alebo určené množstvo) daného predmetu z inventára určeného hráča
clearinventoryconfirmtoggleCommandDescription=Zapína/vypína nutnosť potvrdenia vyčistenia inventára.
clearinventoryconfirmtoggleCommandUsage=/<command>
commandArgumentOptional=§7
commandArgumentOr=§c
commandArgumentRequired=§e
commandCooldown=§cTento príkaz môžeš znova zadať o {0}.
commandDisabled=§cPríkaz§6 {0}§c je vypnutý.
commandFailed=Príkaz {0} zlyhal\:
commandHelpFailedForPlugin=Nepodarilo sa získať pomoc pre plugin\: {0}
commandHelpLine1=§6Pomoc k príkazu\: §f/{0}
commandHelpLine2=§6Popis\: §f{0}
commandHelpLine3=§6Použitie\:
commandHelpLine4=§6Alias(y)\: §f{0}
commandHelpLineUsage={0} §6- {1}
commandNotLoaded=§4Príkaz {0} je nesprávne načítaný.
compassBearing=§6Kurz\: {0} ({1} stupňov).
compassCommandDescription=Vypíše tvoj aktuálny azimut.
@ -136,7 +161,9 @@ compassCommandUsage=/<command>
condenseCommandDescription=Spojí predmety do kompaktnejších blokov.
condenseCommandUsage=/<command> [predmet]
condenseCommandUsage1=/<command>
condenseCommandUsage1Description=Zhustí všetky predmety v tvojom inventári
condenseCommandUsage2=/<command> <predmet>
condenseCommandUsage2Description=Zhustí špecifikovaný predmet v tvojom inventári
configFileMoveError=Nepodarilo sa premiestniť config.yml do zálohy.
configFileRenameError=Nepodarilo sa premenovať dočasný súbor na config.yml.
confirmClear=§7Pre §lPOTVRDENIE§7 vyprázdnenia inventára zopakuj príkaz\: §6{0}
@ -151,6 +178,7 @@ createdKit=§6Kit §c{0} §6bol vytvorený s §c{1} §6položkami a časovým in
createkitCommandDescription=Vytvor kit priamo v hre\!
createkitCommandUsage=/<command> <názov kitu> <časový interval>
createkitCommandUsage1=/<command> <názov kitu> <časový interval>
createkitCommandUsage1Description=Vytvorí kit s daným názvom a oneskorením
createKitFailed=§4Pri vytváraní kitu {0} nastala chyba.
createKitSeparator=§m-----------------------
createKitSuccess=§6Vytvorený kit\: §f{0}\n§6Časový interval\: §f{1}\n§6Odkaz\: §f{2}\n§6Skopíruj obsah z uvedeného odkazu do súboru kits.yml.
@ -177,16 +205,21 @@ deletingHomesWorld=Mažú sa všetky domovy vo svete {0}...
delhomeCommandDescription=Odstráni domov.
delhomeCommandUsage=/<command> [hráč\:]<názov>
delhomeCommandUsage1=/<command> <názov>
delhomeCommandUsage1Description=Odstráni tvoj domov s daným názvom
delhomeCommandUsage2=/<command> <hráč>\:<názov>
delhomeCommandUsage2Description=Odstráni daný domov hráča s daným názvom
deljailCommandDescription=Odstráni väzenie.
deljailCommandUsage=/<command> <názov väzenia>
deljailCommandUsage1=/<command> <názov väzenia>
deljailCommandUsage1Description=Odstráni väzenie s daným názvom
delkitCommandDescription=Vymaže zadaný kit.
delkitCommandUsage=/<command> <kit>
delkitCommandUsage1=/<command> <kit>
delkitCommandUsage1Description=Odstráni kit s daným názvom
delwarpCommandDescription=Vymaže zadaný warp.
delwarpCommandUsage=/<command> <warp>
delwarpCommandUsage1=/<command> <warp>
delwarpCommandUsage1Description=Odstráni warp s daným názvom
deniedAccessCommand=§4Hráčovi §c{0} §4bol zamietnutý prístup k príkazu.
denyBookEdit=§4Nemôžeš odomknúť túto knihu.
denyChangeAuthor=§4Nemôžeš meniť autora tejto knihy.
@ -207,16 +240,60 @@ discordbroadcastCommandUsage1Description=Odošle správu zadanému Discord kaná
discordbroadcastInvalidChannel=§4Discord kanál §c{0}§4 neexistuje.
discordbroadcastPermission=§4Nemáš povolenie posielať správy do kanálu §c{0}§4.
discordbroadcastSent=§6Správa odoslaná do kanálu §c{0}§6\!
discordCommandAccountArgumentUser=Vyhľadanie Discord účtu
discordCommandAccountDescription=Vyhľadá prepojený Minecraft účet pre seba alebo iného Discord používateľa
discordCommandAccountResponseLinked=Tvoj účet je prepojený s Minecraft účtom\: **{0}**
discordCommandAccountResponseLinkedOther=Účet {0} je prepojený s Minecraft účtom\: **{1}**
discordCommandAccountResponseNotLinked=Nemáš prepojený Minecraft účet.
discordCommandAccountResponseNotLinkedOther={0} nemá prepojený Minecraft účet.
discordCommandDescription=Odošle hráčovi pozvánku na Discord.
discordCommandLink=§6Pripoj sa na náš Discord server tu\: §c{0}§6\!
discordCommandUsage=/<command>
discordCommandUsage1=/<command>
discordCommandUsage1Description=Odošle hráčovi pozvánku na Discord
discordCommandExecuteDescription=Spustí konzolový príkaz na Minecraft serveri.
discordCommandExecuteArgumentCommand=Príkaz ktorý bude vykonaný
discordCommandExecuteReply=Vykonáva sa príkaz\: "/{0}"
discordCommandUnlinkDescription=Odpojí Minecraft účet, ktorý je momentálne prepojený s vaším Discord účtom
discordCommandUnlinkInvalidCode=Momentálne nemáš Minecraft účet prepojený s Discordom\!
discordCommandUnlinkUnlinked=Tvoj Discord účet bol odpojený od všetkých súvisiacich Minecraft účtov.
discordCommandLinkArgumentCode=Poskytnutý kód v hre na prepojenie tvojho Minecraft účtu
discordCommandLinkDescription=Prepojí tvoj Discord účet s tvojim Minecraft účtom pomocou kódu z príkazu /link v hre
discordCommandLinkHasAccount=Už máš prepojený účet\! Ak chceš odpojiť svoj aktuálny účet, zadaj /unlink.
discordCommandLinkInvalidCode=Neplatný prepájací kód\! Uisti sa, že si spustil/a /link v hre a správne skopíroval/a kód.
discordCommandLinkLinked=Tvoj účet bol úspešne prepojený\!
discordCommandListDescription=Vypíše online hráčov.
discordCommandListArgumentGroup=Konkrétna skupina, na ktorú chceš obmedziť vyhľadávanie
discordCommandMessageDescription=Pošle správu hráčovi na Minecraft serveri.
discordCommandMessageArgumentUsername=Hráč, ktorému chceš odoslať správu
discordCommandMessageArgumentMessage=Správa, ktorá sa má odoslať hráčovi
discordErrorCommand=Svojho bota si na Discord server pridal nesprávne. Postupuj podľa inštrukcií v konfigurácii a pridaj svojho bota pomocou https\://essentialsx.net/discord.html
discordErrorCommandDisabled=Tento príkaz je vypnutý\!
discordErrorLogin=Pri prihlasovaní na Discord sa vyskytla chyba, kvôli ktorej sa plugin vypol\: \n{0}
discordErrorLoggerInvalidChannel=Posielanie konzoly na Discord bolo vypnuté kvôli neplatnej definícii kanála. Ak ho chceš mať vypnuté, nastav ID kanála na "none", v opačnom prípade sa uisti, že ID kanála je správne.
discordErrorLoggerNoPerms=Posielanie konzoly na Discord je vypnuté kvôli nedostatočným právam. Uisti sa, že tvoj bot má právo "Spravovať webhooky" na serveri. Následne použi príkaz "/ess reload".
discordErrorNoGuild=Chýbajúce alebo neplatné ID servera. Postupuj podľa inštrukcií v konfigurácii pre nastavenie pluginu.
discordErrorNoGuildSize=Tvoj bot nie je na žiadnom serveri. Postupuj podľa inštrukcií v konfigurácii pre nastavenie pluginu.
discordErrorNoPerms=Tvoj bot nemôže čítať ani hovoriť v žiadnom kanáli. Uisti sa, že má práva na čítanie a písanie správ vo všetkých kanáloch, ktoré chceš použiť.
discordErrorNoPrimary=Primárny kanál nie je definovaný alebo je neplatný. Bude použitý predvolený kanál\: \#{0}.
discordErrorNoPrimaryPerms=Tvoj bot nemôže hovoriť v primárnom kanáli, \#{0}. Uisti sa, že tvoj bot má práva na čítanie a písanie správ vo všetkých kanáloch, ktoré chceš použiť.
discordErrorNoToken=Token nebol zadaný. Postupuj podľa inštrukcií v konfigurácii pre nastavenie pluginu.
discordErrorWebhook=Pri odosielaní správ do tvojho konzolového kanála sa vyskytla chyba. Pravdepodobne to bolo spôsobené neúmyselným vymazaním tvojho konzolového webhooku. Uisti sa, že tvoj bot má právo "Spravovať webhooky" a následne použi príkaz "/ess reload".
discordLinkInvalidGroup=Pre rolu {1} bola poskytnutá neplatná skupina {0}. K dispozícii sú nasledujúce skupiny\: {2}
discordLinkInvalidRole=Pre skupinu\: {1} bolo poskytnuté neplatné ID roly, {0}. ID rolí môžeš vidieť pomocou príkazu /roleinfo v Discorde.
discordLinkInvalidRoleInteract=Rola {0} ({1}) sa nedá použiť na synchronizáciu skupina->rola, pretože je nad najvyššou rolou tvojho bota. Presuň rolu bota nad "{0}" alebo "{0}" pod rolu bota.
discordLinkInvalidRoleManaged=Rola {0} ({1}) sa nedá použiť na synchronizáciu skupina->rola, pretože ju spravuje iný bot alebo integrácia.
discordLinkLinked=§6Ak chceš prepojiť svoj Minecraft účet s Discordom, napíš §c{0} §6na Discord serveri.
discordLinkLinkedAlready=§6Svoj Discord účet si už prepojil/a\! Ak chceš zrušiť prepojenie tvojho Discord účtu, použi §c/unlink§6.
discordLinkLoginKick=§6Pred pripojením k tomuto serveru musíš prepojiť svoj Discord účet.\n§6Pre prepojnie svojho Minecraft účtu s Discordom, napíš\:\n§c{0}\n§6na Discord serveri tohto servera\:\n§c{1}
discordLinkLoginPrompt=§6Pred pohybom, chatovaním alebo interakciou s týmto serverom musíš prepojiť svoj Discord účet. Ak chceš prepojiť svoj Minecraft účet s Discordom, napíš §c{0} §6na Discord serveri tohto servera\: §c{1}
discordLinkNoAccount=§6Aktuálne nemáš Discord účet prepojený s tvojim Minecraft účtom.
discordLinkPending=§6Kód prepojenia už máš. Ak chceš dokončiť prepojenie svojho Minecraft účtu s Discordom, napíš §c{0} §6na Discord serveri.
discordLinkUnlinked=§6Odpojil/a si svoj Minecraft účet od všetkých súvisiacich Discord účtov.
discordLoggingIn=Prebieha pokus o pripojenie na Discord...
discordLoggingInDone=Úspešne prihlásené ako {0}
discordMailLine=**Nová správa od {0}\:** {1}
discordNoSendPermission=V kanáli \#{0} nie je možné odosielať správy. Uisti sa, že tvoj bot má právo "Odosielať správy" v tomto kanáli.
discordReloadInvalid=Opätovné načítanie konfigurácie EssentialsX Discord nie je možné, keď je plugin v neplatnom stave\! Ak sa konfigurácia zmenila, reštartuj server.
disposal=Odpadkový kôš
disposalCommandDescription=Otvorí prenosný odpadkový kôš.
@ -236,13 +313,19 @@ east=V
ecoCommandDescription=Spravuje ekonomiku servera.
ecoCommandUsage=/<command> <give|take|set|reset> <hráč> <množstvo>
ecoCommandUsage1=/<command> give <hráč> <množstvo>
ecoCommandUsage1Description=Dá určenému hráčovi určené množstvo peňazí
ecoCommandUsage2=/<command> take <hráč> <množstvo>
ecoCommandUsage2Description=Vezme určené množstvo peňazí od určeného hráča
ecoCommandUsage3=/<command> set <hráč> <množstvo>
ecoCommandUsage3Description=Nastaví zostatok určeného hráča na určenú sumu peňazí
ecoCommandUsage4=/<command> reset <hráč> <množstvo>
ecoCommandUsage4Description=Resetuje zostatok určeného hráča na počiatočný zostatok servera
editBookContents=§eTeraz môžeš upravovať obsah tejto knihy.
enabled=zapnuté
enchantCommandDescription=Očaruje predmet v ruke hráča.
enchantCommandUsage=/<command> <názov_očarovania> [úroveň]
enchantCommandUsage1=/<command> <názov_očarovania> [úroveň]
enchantCommandUsage1Description=Očarí tvoj držaný predmet daným očarovaním na voliteľnú úroveň
enableUnlimited=§6Hráč §c{1}§6 dostáva neobmedzené množstvo §c{0}§6.
enchantmentApplied=§6Očarovanie§c {0} §6bolo použité na predmet, ktorý držíš v ruke.
enchantmentNotFound=§4Očarovanie sa nenašlo\!
@ -252,12 +335,24 @@ enchantments=§6Očarovania\:§r {0}
enderchestCommandDescription=Otvorí ender truhlicu.
enderchestCommandUsage=/<command> [hráč]
enderchestCommandUsage1=/<command>
enderchestCommandUsage1Description=Otvára tvoju ender chestu
enderchestCommandUsage2=/<command> <hráč>
enderchestCommandUsage2Description=Otvorí ender chestu cieľového hráča
errorCallingCommand=Chyba príkazu /{0}
errorWithMessage=§cChyba\:§4 {0}
essChatNoSecureMsg=Verzia EssentialsX Chat {0} nepodporuje zabezpečený chat na softvéri, na ktorom beží tento server. Aktualizuj EssentialsX, a ak bude tento problém pretrvávať, informuj vývojárov.
essentialsCommandDescription=Opätovne načíta EssentialsX.
essentialsCommandUsage=/<command>
essentialsCommandUsage1=/<command> reload
essentialsCommandUsage1Description=Znovu načíta konfiguráciu Essentials
essentialsCommandUsage2=/<command> version
essentialsCommandUsage2Description=Poskytuje informácie o Essentials verzii
essentialsCommandUsage3=/<command> commands
essentialsCommandUsage3Description=Poskytuje informácie o tom, aké príkazy Essentials posiela ďalej
essentialsCommandUsage4=/<command> debug
essentialsCommandUsage4Description=Prepína Essentials do režimu ladenia
essentialsCommandUsage5=/<command> reset <hráč>
essentialsCommandUsage5Description=Resetuje používateľské údaje daného hráča
essentialsCommandUsage6=/<command> cleanup
essentialsCommandUsage6Description=Vyčistí staré používateľské dáta
essentialsCommandUsage7=/<command> homes
@ -271,10 +366,18 @@ exp=§c{0} §6má§c {1} §6skúseností (úroveň§c {2}§6) a potrebuje ešte
expCommandDescription=Pridaj, nastav, obnov alebo zobraz skúsenosti hráča.
expCommandUsage=/<command> [reset|show|set|give] [meno_hráča [množstvo]]
expCommandUsage1=/<command> give <hráč> <množstvo>
expCommandUsage1Description=Dá cieľovému hráčovi určené množstvo xp
expCommandUsage2=/<command> set <meno_hráča> <množstvo>
expCommandUsage2Description=Nastaví xp cieľového hráča na špecifikovane množstvo
expCommandUsage3=/<command> show <meno_hráča>
expCommandUsage4Description=Zobrazuje množstvo xp, ktoré má cieľový hráč
expCommandUsage5=/<command> reset <meno_hráča>
expCommandUsage5Description=Resetuje xp cieľového hráča na 0
expSet=§c{0} §6má teraz§c {1} §6skúseností.
extCommandDescription=Uhas hráčov.
extCommandUsage=/<command> [hráč]
extCommandUsage1=/<command> [hráč]
extCommandUsage1Description=Uhas seba alebo iného hráča, ak je to špecifikovaný
extinguish=§6Uhasil si sa.
extinguishOthers=§6Uhasil si hráča {0}§6.
failedToCloseConfig=Nepodarilo sa zatvoriť konfiguráciu {0}.
@ -285,14 +388,26 @@ feed=§6Bol si nasýtený.
feedCommandDescription=Zažeň hlad.
feedCommandUsage=/<command> [hráč]
feedCommandUsage1=/<command> [hráč]
feedCommandUsage1Description=Plne nakŕmi seba alebo iného hráča, ak je to špecifikovaný
feedOther=§6Nasýtil si hráča §c{0}§6.
fileRenameError=Premenovanie súboru {0} zlyhalo\!
fireballCommandDescription=Hoď ohnivú guľu alebo iné vybrané projektily.
fireballCommandUsage=/<command> [fireball|small|large|arrow|skull|egg|snowball|expbottle|dragon|splashpotion|lingeringpotion|trident] [rýchlosť]
fireballCommandUsage1=/<command>
fireballCommandUsage1Description=Vyhodí obyčajnú ohnivú guľu z tvojej polohy
fireballCommandUsage2=/<command> <fireball|small|large|arrow|skull|egg|snowball|expbottle|dragon|splashpotion|lingeringpotion|trident> [rýchlosť]
fireballCommandUsage2Description=Vyhodí určený projektil z tvojej polohy s voliteľnou rýchlosťou
fireworkColor=§4Neplatné parametre ohňostroja, najprv musíš nastaviť farbu.
fireworkCommandDescription=Umožňuje upraviť stack ohňostrojov.
fireworkCommandUsage=/<command> <<meta param>|power [množstvo]|clear|fire [množstvo]>
fireworkCommandUsage1=/<command> clear
fireworkCommandUsage1Description=Vymaže všetky efekty z tvojho držaného ohňostroja
fireworkCommandUsage2=/<command> power <množstvo>
fireworkCommandUsage2Description=Nastavuje silu držaného ohňostroja
fireworkCommandUsage3=/<command> fire [množstvo]
fireworkCommandUsage3Description=Spustí jednu alebo dané množstvo kópií pozastaveného ohňostroja
fireworkCommandUsage4=/<command> <meta>
fireworkCommandUsage4Description=Pridá daný efekt k držanému ohňostroju
fireworkEffectsCleared=§6Všetky efekty boli odstránené.
fireworkSyntax=§Parametre ohňostroja\:§c color\:<farba> [fade\:<farba>] [shape\:<tvar>] [effect\:<efekt>]\n§6Pre viac farieb/efektov oddeľ hodnoty čiarkami\: §cred,blue,pink\n§6Tvary\:§c star, ball, large, creeper, burst §6Efekty\:§c trail, twinkle.
fixedHomes=Neplatné domovy boli vymazané.
@ -300,6 +415,7 @@ fixingHomes=Mažú sa neplatné domovy...
flyCommandDescription=Vzlietni k výšinám\!
flyCommandUsage=/<command> [hráč] [on|off]
flyCommandUsage1=/<command> [hráč]
flyCommandUsage1Description=Prepína lietanie pre seba alebo iného hráča, ak je špecifikovaný
flying=lieta
flyMode=§6Lietanie je§c {0} §6pre {1}§6.
foreverAlone=§4Nemáš komu odpovedať.
@ -311,6 +427,7 @@ gameModeInvalid=§4Musíš zadať platné meno hráča a herný mód.
gamemodeCommandDescription=Zmeň hráčovi herný mód.
gamemodeCommandUsage=/<command> <survival|creative|adventure|spectator> [hráč]
gamemodeCommandUsage1=/<command> <survival|creative|adventure|spectator> [hráč]
gamemodeCommandUsage1Description=Nastaví herný režim tebe alebo iného hráča, ak je špecifikovaný
gcCommandDescription=Zobrazí informácie o pamäti, behu servera a ticku.
gcCommandUsage=/<command>
gcfree=§6Voľná pamäť\:§c {0} MB.
@ -321,9 +438,13 @@ geoipJoinFormat=§6Hráč §c{0} §6pochádza z §c{1}§6.
getposCommandDescription=Zobrazí aktuálne súradnice teba alebo iného hráča.
getposCommandUsage=/<command> [hráč]
getposCommandUsage1=/<command> [hráč]
getposCommandUsage1Description=Získa súradnice teba alebo iného hráča, ak je špecifikovaný
giveCommandDescription=Daj hráčovi predmet.
giveCommandUsage=/<command> <hráč> <predmet|číselné id> [počet [meta_predmetu...]]
giveCommandUsage1=/<command> <hráč> <predmet> [množstvo]
giveCommandUsage1Description=Dáva cieľovému hráčovi 64 (alebo určené množstvo) zadaného predmetu
giveCommandUsage2=/<command> <hráč> <predmet> <množstvo> <meta>
giveCommandUsage2Description=Dá cieľovému hráčovi zadané množstvo špecifikovaného predmetu s danými metadátami
geoipCantFind=§6Hráč §c{0} §6prichádza z §aneznámej krajiny§6.
geoIpErrorOnJoin=Nepodarilo sa získať GeoIP dáta pre {0}. Uisti sa, že máš správny licenčný kľúč a konfiguráciu.
geoIpLicenseMissing=Licenčný kľúč sa nenašiel\! Navštív https\://essentialsx.net/geoip pre inštrukcie k prvej inštalácii.
@ -333,6 +454,7 @@ givenSkull=§6Dostal si lebku hráča §c{0}§6.
godCommandDescription=Umožní ti využiť božskú nezraniteľnosť.
godCommandUsage=/<command> [hráč] [on|off]
godCommandUsage1=/<command> [hráč]
godCommandUsage1Description=Prepína nesmrteľnosť pre seba alebo iného hráča, ak je špecifikovaný
giveSpawn=§6Hráč §c{2} §6dostáva §c{0} §6x §c{1}§6.
giveSpawnFailure=§4Nedostatok miesta v inventári, §c{0} §4x §c{1} §4sa stratilo.
godDisabledFor=§cvypnutá§6 pre§c {0}
@ -346,6 +468,9 @@ hatArmor=§4Tento predmet nemôžeš použiť ako klobúk\!
hatCommandDescription=Skús si nový klobúk.
hatCommandUsage=/<command> [remove]
hatCommandUsage1=/<command>
hatCommandUsage1Description=Nastaví tvoj klobúk na aktuálne držaný predmet
hatCommandUsage2=/<command> remove
hatCommandUsage2Description=Odstráni tvoj aktuálny klobúk
hatCurse=§4Nemôžeš si dať dole klobúk s kliatbou zovretia\!
hatEmpty=§4Nemáš na hlave klobúk.
hatFail=§4Pre použitie príkazu musíš niečo držať v ruke.
@ -356,6 +481,7 @@ heal=§6Tvoje zdravie bolo obnovené.
healCommandDescription=Uzdraví teba alebo daného hráča.
healCommandUsage=/<command> [hráč]
healCommandUsage1=/<command> [hráč]
healCommandUsage1Description=Uzdravuje seba alebo iného hráča, ak je špecifikovaný
healDead=§4Nemôžeš uzdraviť mŕtveho hráča\!
healOther=§6Zdravie hráča§c {0}§6 bolo obnovené.
helpCommandDescription=Zobrazí zoznam dostupných príkazov.
@ -369,6 +495,7 @@ helpPlugin=§4{0}§r\: Pomoc k pluginu\: /help {1}
helpopCommandDescription=Napíš pripojeným administrátorom.
helpopCommandUsage=/<command> <správa>
helpopCommandUsage1=/<command> <správa>
helpopCommandUsage1Description=Odošle správu všetkým online adminom
holdBook=§4Nedržíš v ruke knihu, do ktorej sa dá písať.
holdFirework=§4Pre pridanie efektov musíš v ruke držať ohňostroj.
holdPotion=§4Pre pridanie efektov musíš v ruke držať elixír.
@ -376,9 +503,12 @@ holeInFloor=§4Diera v podlahe\!
homeCommandDescription=Teleportuj sa domov.
homeCommandUsage=/<command> [hráč\:][názov]
homeCommandUsage1=/<command> <názov>
homeCommandUsage1Description=Teleportuje seba domov
homeCommandUsage2=/<command> <hráč>\:<názov>
homeCommandUsage2Description=Teleportuje seba do domu daného hráča s daným názvom
homes=§6Domovy\:§r {0}
homeConfirmation=§6Domov s názvom §c{0}§6 už máš\!\nPre prepísanie existujúeho domova zadaj príkaz znova.
homeRenamed=§6Domov §c{0} §6bol premenovaný na §c{1}§6.
homeSet=§6Domov nastavený na aktuálnu polohu.
hour=hodina
hours=hodín
@ -395,6 +525,7 @@ iceOther=§6Hráč§c {0}§6 bol schladený.
ignoreCommandDescription=Pridaj alebo odober hráča zo zoznamu ignorovaných.
ignoreCommandUsage=/<command> <hráč>
ignoreCommandUsage1=/<command> <hráč>
ignoreCommandUsage1Description=Ignoruje alebo odignoruje daného hráča
ignoredList=§6Ignoruješ hráčov\:§r {0}
ignoreExempt=§4Tohto hráča nemôžeš ignorovať.
ignorePlayer=§6Odteraz ignoruješ hráča§c {0}§6.
@ -429,17 +560,28 @@ inventoryClearingStack=§6Hráč§c {2} §6prišiel o§c {0}§6 x§c {1}§6.
invseeCommandDescription=Zobrazí inventár iných hráčov.
invseeCommandUsage=/<command> <hráč>
invseeCommandUsage1=/<command> <hráč>
invseeCommandUsage1Description=Otvorí inventár hráča
invseeNoSelf=§cMôžeš vidieť len inventáre iných hráčov.
is=je
isIpBanned=§6IP adresa §c{0} §6má ban.
internalError=§cPri pokuse o vykonanie tohto príkazu nastala vnútorná chyba.
itemCannotBeSold=§4Tento predmet nie je možné predať serveru.
itemCommandDescription=Vyvolá predmet.
itemCommandUsage=/<command> <predmet|číselné id> [počet [meta_predmetu...]]
itemCommandUsage1=/<command> <predmet> [množstvo]
itemCommandUsage1Description=Dá ti plný stack (alebo určené množstvo) určeného predmetu
itemCommandUsage2=/<command> <predmet> <množstvo> <meta>
itemCommandUsage2Description=Dá tebe zadané množstvo špecifikovaného predmetu s danými metadátami
itemId=§6ID\:§c {0}
itemloreClear=§6Odstránil si povesť tohto predmetu.
itemloreCommandDescription=Upraviť povesť predmetu.
itemloreCommandUsage=/<command> <add/set/clear> [text/riadok] [text]
itemloreCommandUsage1=/<command> add [text]
itemloreCommandUsage1Description=Pridá daný text na koniec lore držaného predmetu
itemloreCommandUsage2=/<command> set <riadok> <text>
itemloreCommandUsage2Description=Nastaví daný riadok lore držaneho predmetu na daný text
itemloreCommandUsage3=/<command> clear
itemloreCommandUsage3Description=Vymaže lore držaného predmetu
itemloreInvalidItem=§4Predmet, ktorého povesť chceš upraviť, musíš držať v ruke.
itemloreNoLine=§4Držaný predmet nemá povesť na riadku §c{0}§4.
itemloreNoLore=§4Držaný predmet nemá žiadnu povesť.
@ -451,7 +593,9 @@ itemnameClear=§6Odstránil si názov tohto predmetu.
itemnameCommandDescription=Premenuje predmet.
itemnameCommandUsage=/<command> [názov]
itemnameCommandUsage1=/<command>
itemnameCommandUsage1Description=Vymaže názov držaného predmetu
itemnameCommandUsage2=/<command> <názov>
itemnameCommandUsage2Description=Nastaví názov držaného predmetu na daný text
itemnameInvalidItem=§cPredmet, ktorý chceš premenovať, musíš držať v ruke.
itemnameSuccess=§6Predmet v ruke si premenoval na "§c{0}§6".
itemNotEnough1=§4Nemáš dostatočné množstvo na predaj.
@ -468,6 +612,7 @@ itemType=§6Predmet\:§c {0}
itemdbCommandDescription=Vyhľadá predmet.
itemdbCommandUsage=/<command> <predmet>
itemdbCommandUsage1=/<command> <predmet>
itemdbCommandUsage1Description=Vyhľadá v databáze premetov daný predmet
jailAlreadyIncarcerated=§4Hráč už je vo väzení\:§c {0}
jailList=§6Väzenia\:§r {0}
jailMessage=§4Priestupok si musíš odsedieť.
@ -479,6 +624,7 @@ jailReleased=§6Hráč §c{0}§6 bol prepustený na slobodu.
jailReleasedPlayerNotify=§6Bol si prepustený na slobodu\!
jailSentenceExtended=§6Väzenie predĺžené na §c{0}§6.
jailSet=§6Väzenie§c {0} §6bolo nastavené.
jailWorldNotExist=§4Svet tohto väzenia neexistuje.
jumpEasterDisable=§6Režim lietajúceho čarodejníka vypnutý.
jumpEasterEnable=§6Režim lietajúceho čarodejníka zapnutý.
jailsCommandDescription=Vypíše zoznam väzení.
@ -489,21 +635,26 @@ jumpError=§4To by tvoj počítač nemusel rozdýchať.
kickCommandDescription=Vyhodí daného hráča s uvedením dôvodu.
kickCommandUsage=/<command> <hráč> [dôvod]
kickCommandUsage1=/<command> <hráč> [dôvod]
kickCommandUsage1Description=Vyhodí určeného hráča s voliteľným dôvodom
kickDefault=Odpojený zo servera.
kickedAll=§4Všetci hráči boli odpojení.
kickExempt=§4Tohto hráča nemôžeš odpojiť.
kickallCommandDescription=Vyhodí zo servera všetkých hráčov okrem zadávateľa príkazu.
kickallCommandUsage=/<command> [dôvod]
kickallCommandUsage1=/<command> [dôvod]
kickallCommandUsage1Description=Vyhodí všetkých hráčov s voliteľným dôvodom
kill=§6Hráč§c {0}§6 bol zabitý.
killCommandDescription=Zabije daného hráča.
killCommandUsage=/<command> <hráč>
killCommandUsage1=/<command> <hráč>
killCommandUsage1Description=Zabije daného hráča
killExempt=§4Nemôžeš zabiť §c{0}§4.
kitCommandDescription=Získa daný kit alebo zobrazí dostupné kity.
kitCommandUsage=/<command> [kit] [hráč]
kitCommandUsage1=/<command>
kitCommandUsage1Description=Zobrazí všetky dostupne kity
kitCommandUsage2=/<command> <kit> [hráč]
kitCommandUsage2Description=Dá určený kit tebe alebo inému hráčovi, ak je špecifikovaný
kitContains=§6Kit §c{0} §6obsahuje\:
kitCost=\ §7§o({0})§r
kitDelay=§m{0}§r
@ -521,6 +672,7 @@ kitReset=§6Čas do ďalšieho použitia kitu §c{0}§6 bol vynulovaný.
kitresetCommandDescription=Vynuluje čas do ďalšieho použitia daného kitu.
kitresetCommandUsage=/<command> <kit> [hráč]
kitresetCommandUsage1=/<command> <kit> [hráč]
kitresetCommandUsage1Description=Resetuje čakaciu dobu určeného kitu tebe alebo iného hráča, ak je špecifikovaný
kitResetOther=§6Čas do ďalšieho použitia kitu §c{0}§6 bol vynulovaný pre hráča §c{1}§6.
kits=§6Kity\:§r {0}
kittycannonCommandDescription=Vystreľ vybuchujúce mačiatko na protivníka.
@ -530,14 +682,22 @@ leatherSyntax=§6Syntax farby kože\:§c color\:<red>,<green>,<blue> napr.\: col
lightningCommandDescription=Sila Thora. Udri bleskom tam, kám máš namierené, alebo na daného hráča.
lightningCommandUsage=/<command> [hráč] [sila]
lightningCommandUsage1=/<command> [hráč]
lightningCommandUsage1Description=Udrie blesk buď tam, kde sa pozeráš, alebo na iného hráča, ak je špecifikovaný
lightningCommandUsage2=/<command> <hráč> <sila>
lightningCommandUsage2Description=Udrie blesk na cieľového hráča s danou silou
lightningSmited=§6Postihlo ťa nešťastie\!
lightningUse=§6Hráč§c {0} §6bol zasiahnutý bleskom.
linkCommandDescription=Vygeneruje kód na prepojenie tvojho Minecraft účtu s Discordom.
linkCommandUsage=/<command>
linkCommandUsage1=/<command>
linkCommandUsage1Description=Vygeneruje kód pre príkaz /link na Discorde
listAfkTag=§7[AFK]§r
listAmount=§6Online je §c{0}§6 z maximálneho počtu §c{1}§6 hráčov.
listAmountHidden=§6Online je §c{0}§6/§c{1}§6 z maximálneho počtu §c{2}§6 hráčov.
listCommandDescription=Vypíše zoznam pripojených hráčov.
listCommandUsage=/<command> [skupina]
listCommandUsage1=/<command> [skupina]
listCommandUsage1Description=Zobrazí všetkých hráčov na serveri alebo danú skupinu, ak je zadaná
listGroupTag=§6{0}§r\:
listHiddenTag=§7[SKRYTÝ]§r
listRealName=({0})
@ -582,6 +742,7 @@ mayNotJailOffline=§4Nemôžeš uväzniť offline hráča.
meCommandDescription=Popisuje, čo zadávateľ robí.
meCommandUsage=/<command> <popis>
meCommandUsage1=/<command> <popis>
meCommandUsage1Description=Popisuje akciu
meSender=ja
meRecipient=ja
minimumBalanceError=§4Najnižší možný stav účtu je {0}.
@ -601,6 +762,7 @@ months=mesiacov
moreCommandDescription=Vyplní držaný stack na stanovené množstvo alebo na maximum, ak množstvo nie je uvedené.
moreCommandUsage=/<command> [množstvo]
moreCommandUsage1=/<command> [množstvo]
moreCommandUsage1Description=Vyplní držaný predmet do určeného množstva alebo na maximum, ak nie je špecifikovane množstvo
moreThanZero=§4Množstvo musí byť väčšie než 0.
motdCommandDescription=Zobrazí správu dňa (MOTD).
motdCommandUsage=/<command> [kapitola] [strana]
@ -608,6 +770,7 @@ moveSpeed=§6Hráčovi §c{2}§6 bola nastavená rýchlosť §c{0}§cnia§6 na
msgCommandDescription=Odošle súkromnú správu uvedenému hráčovi.
msgCommandUsage=/<command> <komu> <správa>
msgCommandUsage1=/<command> <komu> <správa>
msgCommandUsage1Description=Súkromne odošle danú správu určenému hráčovi
msgDisabled=§6Prijímanie správ §cvypnuté§6.
msgDisabledFor=§6Prijímanie správ §cvypnuté §6pre §c{0}§6.
msgEnabled=§6Prijímanie správ §czapnuté§6.
@ -617,11 +780,15 @@ msgIgnore=§c{0} §4má vypnuté správy.
msgtoggleCommandDescription=Zablokuje prijímanie všetkých súkromných správ.
msgtoggleCommandUsage=/<command> [hráč] [on|off]
msgtoggleCommandUsage1=/<command> [hráč]
msgtoggleCommandUsage1Description=Prepína lietanie pre seba alebo iného hráča, ak je špecifikovaný
multipleCharges=§4Na tento ohňostroj nemôžeš použiť viac než jeden náboj.
multiplePotionEffects=§4Nemôžeš použiť viac než jeden efekt na tento elixír.
muteCommandDescription=Umlčí hráča, alebo mu povolí písať.
muteCommandUsage=/<command> <hráč> [trvanie] [dôvod]
muteCommandUsage1=/<command> <hráč>
muteCommandUsage1Description=Natrvalo umlčí určeného hráča alebo odmlčí, ak už bol umlčaný
muteCommandUsage2=/<command> <hráč> <datediff> [dôvod]
muteCommandUsage2Description=Umlčí určeného hráča na uvedený čas s voliteľným dôvodom
mutedPlayer=§6Hráč§c {0} §6bol umlčaný.
mutedPlayerFor=§6Hráč§c {0} §6bol umlčaný na§c {1}§6.
mutedPlayerForReason=§6Hráč§c {0} §6bol umlčaný na§c {1}§6. Dôvod\: §c{2}
@ -636,7 +803,13 @@ muteNotifyReason=§c{0} §6umlčal hráča §c{1}§6. Dôvod\: §c{2}
nearCommandDescription=Vypíše zoznam hráčov v okolí hráča.
nearCommandUsage=/<command> [hráč] [vzdialenosť]
nearCommandUsage1=/<command>
nearCommandUsage1Description=Zobrazí zoznam všetkých hráčov v predvolenom blízkom okruhu od teba
nearCommandUsage2=/<command> <vzdialenosť>
nearCommandUsage2Description=Zobrazí všetkých hráčov v danom okruhu od teba
nearCommandUsage3=/<command> <hráč>
nearCommandUsage3Description=Zobrazí všetkých hráčov v predvolenom blízkom okruhu zadaného hráča
nearCommandUsage4=/<command> <hráč> <vzdialenosť>
nearCommandUsage4Description=Zobrazí všetkých hráčov v rámci daného okruhu zadaného hráča
nearbyPlayers=§6Hráči v okolí\:§r {0}
nearbyPlayersList={0}§f(§c{1}m§f)
negativeBalanceError=§4Hráč nemôže mať negatívny zostatok.
@ -644,6 +817,13 @@ nickChanged=§6Prezývka zmenená.
nickCommandDescription=Zmeň svoju prezývku alebo prezývku iného hráča.
nickCommandUsage=/<command> [hráč] <prezývka|off>
nickCommandUsage1=/<command> <prezývka>
nickCommandUsage1Description=Zmení tvoju prezývku na daný text
nickCommandUsage2=/<command> off
nickCommandUsage2Description=Odstráni tvoju prezývku
nickCommandUsage3=/<command> <hráč> <prezývka>
nickCommandUsage3Description=Zmení prezývku daného hráča na daný text
nickCommandUsage4=/<command> <hráč> off
nickCommandUsage4Description=Odstráni prezývku daného hráča
nickDisplayName=§4V konfigurácii Essentials musíš zapnúť change-displayname.
nickInUse=§4Toto meno je už obsadené.
nickNameBlacklist=§4Táto prezývka nie je povolená.
@ -697,6 +877,8 @@ noWarpsDefined=§6Nie sú definované žiadne warpy.
nuke=§5Nech oheň a síra pohltia svet.
nukeCommandDescription=Nech oheň a síra pohltia svet.
nukeCommandUsage=/<command> [hráč]
nukeCommandUsage1=/<command> [hráči...]
nukeCommandUsage1Description=Pošle atomovku na všetkých hráčov alebo iného hráča (hráčov), ak je špecifikovaný
numberRequired=Potrebuješ číslo.
onlyDayNight=/time prijíma len hodnoty day/night.
onlyPlayers=§4Len hráči v hre môžu používať §c{0}§4.
@ -710,6 +892,7 @@ passengerTeleportFail=§4Nemôžeš sa teleportovať keď nesieš pasažierov.
payCommandDescription=Prevedie inému hráčovi peniaze z tvojho účtu.
payCommandUsage=/<command> <hráč> <množstvo>
payCommandUsage1=/<command> <hráč> <množstvo>
payCommandUsage1Description=Zaplatí určenému hráčovi danú sumu peňazí
payConfirmToggleOff=§6Odteraz nebude vyžadované potvrdenie platieb.
payConfirmToggleOn=§6Odteraz bude vyžadované potvrdenie platieb.
payDisabledFor=§6Prijímanie platieb vypnuté pre §c{0}§6.
@ -723,6 +906,7 @@ payconfirmtoggleCommandUsage=/<command>
paytoggleCommandDescription=Zapína/vypína prijímanie platieb.
paytoggleCommandUsage=/<command> [hráč]
paytoggleCommandUsage1=/<command> [hráč]
paytoggleCommandUsage1Description=Prepína, či ty alebo iný hráč (ak je zadaný), prijímate platby
pendingTeleportCancelled=§4Čakajúca žiadosť o teleport bola zrušená.
pingCommandDescription=Pong\!
pingCommandUsage=/<command>
@ -755,6 +939,12 @@ posPitch=§6Sklon\: {0} (Uhol náklonu hlavy)
possibleWorlds=§6Možné svety sú očíslované od §c0§6 po §c{0}§6.
potionCommandDescription=Pridá do elixíru vlastné účinky.
potionCommandUsage=/<command> <clear|apply|effect\:<efekt> power\:<sila> duration\:<trvanie>>
potionCommandUsage1=/<command> clear
potionCommandUsage1Description=Vymaže všetky efekty držaného elixíru
potionCommandUsage2=/<command> apply
potionCommandUsage2Description=Aplikuje na teba všetky efekty držaného elixíru bez toho, aby si ho vypil/a
potionCommandUsage3=/<command> effect\:<efekt> power\:<sila> duration\:<trvanie>
potionCommandUsage3Description=Použije metadáta daného elixíru na držaný elixír
posX=§6X\: {0} (+Východ <-> -Západ)
posY=§6Y\: {0} (+Hore <-> -Dole)
posYaw=§6Vychýlenie\: {0} (Natočenie)
@ -773,12 +963,34 @@ powerToolsDisabled=§6Všetky tvoje rýchlonástroje boli vypnuté.
powerToolsEnabled=§6Všetky tvoje rýchlonástroje boli zapnuté.
powertoolCommandDescription=Priradí k držanému predmetu príkaz.
powertoolCommandUsage=/<command> [l\:|a\:|r\:|c\:|d\:][príkaz] [parametre] - {hráč} môže byť nahradené menom kliknutého hráča.
powertoolCommandUsage1=/<command> l\:
powertoolCommandUsage1Description=Zobrazí všetky príkazy držaného predmetu
powertoolCommandUsage2=/<command> d\:
powertoolCommandUsage2Description=Odstráni všetky príkazy držaného predmetu
powertoolCommandUsage3=/<command> r\:<cmd>
powertoolCommandUsage3Description=Odstráni daný príkaz z držaného predmetu
powertoolCommandUsage4=/<command> <cmd>
powertoolCommandUsage4Description=Nastaví príkaz držaného predmetu na daný príkaz
powertoolCommandUsage5=/<command> a\:<cmd>
powertoolCommandUsage5Description=Pridá daný príkaz na držaný predmet
powertooltoggleCommandDescription=Povolí alebo zakáže všetky rýchlonástroje.
powertooltoggleCommandUsage=/<command>
ptimeCommandDescription=Upraví hráčov klientsky čas. Pridaj predponu @ pre opravu.
ptimeCommandUsage=/<command> [list|reset|day|night|dawn|17\:30|4pm|4000ticks] [hráč|*]
ptimeCommandUsage1=/<command> list [hráč|*]
ptimeCommandUsage1Description=Zobrazí tvoj herný čas alebo iného hráča (hráčov), ak je špecifikovaný
ptimeCommandUsage2=/<command> <čas> [hráč|*]
ptimeCommandUsage2Description=Nastaví čas tebe alebo iného hráča (hráčov) ak je špecifikovaný, na daný čas
ptimeCommandUsage3=/<command> reset [hráč|*]
ptimeCommandUsage3Description=Vynuluje čas tebe alebo iného hráča (hráčov), ak je špecifikovaný
pweatherCommandDescription=Upraví počasie hráča
pweatherCommandUsage=/<command> [list|reset|storm|sun|clear] [hráč|*]
pweatherCommandUsage1=/<command> list [hráč|*]
pweatherCommandUsage1Description=Zobrazí tvoje počasie alebo iného hráča (hráčov), ak je špecifikovaný
pweatherCommandUsage2=/<command> <storm|sun> [hráč|*]
pweatherCommandUsage2Description=Nastaví počasie tebe alebo iným hráčom, ak sú špecifikovaní, na dané počasie
pweatherCommandUsage3=/<command> reset [hráč|*]
pweatherCommandUsage3Description=Resetuje počasie tebe alebo iným hráčom, ak sú špecifikovaní
pTimeCurrent=§6Čas hráča §c{0}§6 je §c{1}§6.
pTimeCurrentFixed=§6Čas hráča §c{0}§6 je zastavený na §c{1}§6.
pTimeNormal=§6Čas hráča §c{0}§6 sa zhoduje so serverom.
@ -798,17 +1010,21 @@ questionFormat=§2[Otázka]§r {0}
rCommandDescription=Rýchlo odpovedať na poslednú správu.
rCommandUsage=/<command> <správa>
rCommandUsage1=/<command> <správa>
rCommandUsage1Description=Odpovie poslednému hráčovi, ktorý ti poslal správu
radiusTooBig=§4Okruh je príliš veľký, maximálna hodnota je §c{0}§4.
readNextPage=§6Nap횧c /{0} {1} §6pre zobrazenie ďalšej strany.
realName=§f{0}§r§6 je §f{1}
realnameCommandDescription=Zobrazí používateľské meno podľa prezývky.
realnameCommandUsage=/<command> <prezývka>
realnameCommandUsage1=/<command> <prezývka>
realnameCommandUsage1Description=Zobrazí používateľské meno hráča podľa danej prezývky
recentlyForeverAlone=§4{0} išiel nedávno offline.
recipe=§6Recept pre §c{0}§6 (§c{1}§6 x §c{2}§6)
recipeBadIndex=Recept s takýmto číslom neexistuje.
recipeCommandDescription=Zobrazí, ako vyrábať predmety.
recipeCommandUsage=/<command> <predmet> [počet]
recipeCommandUsage1=/<command> <predmet> [strana]
recipeCommandUsage1Description=Zobrazí ako vyrobiť daný predmet
recipeFurnace=§6Vypáľ\: §c{0}§6.
recipeGrid=§c{0}X §6| §{1}X §6| §{2}X
recipeGridItem=§c{0}X §6je §c{1}
@ -819,15 +1035,29 @@ recipeShapeless=§6Skombinuj §c{0}
recipeWhere=§6Kde\: {0}
removeCommandDescription=Odstráni entity v aktuálnom svete.
removeCommandUsage=/<command> <all|tamed|named|drops|arrows|boats|minecarts|xp|paintings|itemframes|endercrystals|monsters|animals|ambient|mobs|[typ_tvora]> [vzdialenosť|svet]
removeCommandUsage1=/<command> <mob> [svet]
removeCommandUsage1Description=Odstráni všetky dané moby v aktuálnom svete alebo iného, ak je daný
removeCommandUsage2=/<command> <mob> <vzdialenosť> [svet]
removeCommandUsage2Description=Odstráni daných mobov v rámci danej vzdialenosti v aktuálnom svete alebo inom, ak je zadaný
removed=§c{0}§6 entít bolo odstránených.
renamehomeCommandDescription=Premenuje domov.
renamehomeCommandUsage=/<command> <[hráč\:]názov> <nový názov>
renamehomeCommandUsage1=/<command> <názov> <nový názov>
renamehomeCommandUsage1Description=Premenuje tvoj domov na daný názov
renamehomeCommandUsage2=/<command> <hráč>\:<názov> <nový názov>
renamehomeCommandUsage2Description=Premenuje domov daného hráča na daný názov
repair=§6Podarilo sa ti opraviť svoj §c{0}§6.
repairAlreadyFixed=§4Tento predmet nevyžaduje opravu.
repairCommandDescription=Opraví životnosť jedného alebo všetkých predmetov.
repairCommandUsage=/<command> [hand|all]
repairCommandUsage1=/<command>
repairCommandUsage1Description=Opraví držaný predmet
repairCommandUsage2=/<command> all
repairCommandUsage2Description=Opraví všetky predmety v tvojom inventári
repairEnchanted=§4Nemáš povolenie opravovať očarované predmety.
repairInvalidType=§4Tento predmet nemôže byť opravený.
repairNone=§4Nenašlo sa nič, čo by vyžadovalo opravu.
replyFromDiscord=**Odpoveď od {0}\:** {1}
replyLastRecipientDisabled=§6Odpovedanie poslednému príjemcovi §cvypnuté§6.
replyLastRecipientDisabledFor=§6Odpovedanie poslednému príjemcovi §cvypnuté §6pre §c{0}§6.
replyLastRecipientEnabled=§6Odpovedanie poslednému príjemcovi §czapnuté§6.
@ -850,6 +1080,7 @@ rest=§6Cítiš sa odpočinutý.
restCommandDescription=Umožní odpočinúť tebe alebo danému hráčovi.
restCommandUsage=/<command> [hráč]
restCommandUsage1=/<command> [hráč]
restCommandUsage1Description=Vynuluje čas od tvojho zvyšku alebo iného hráča, ak je špecifikovaný
restOther=§6Hráč§c {0}§6 si odpočinul.
returnPlayerToJailError=§4Pri pokuse o vrátenie hráča§c {0} §4do väzenia nastala chyba\: §c{1}§4\!
rtoggleCommandDescription=Zmení príjemcu odpovede buď na posledného príjemcu, alebo posledného odosielateľa
@ -863,10 +1094,20 @@ seenAccounts=§6Hráč je tiež známy ako\:§c {0}
seenCommandDescription=Zobrazí čas posledného odpojenia hráča.
seenCommandUsage=/<command> <meno>
seenCommandUsage1=/<command> <meno>
seenCommandUsage1Description=Zobrazí čas odhlásenia, ban, umlčanie a informácie o UUID zadaného hráča
seenOffline=§6Hráč§c {0} §6je §4offline§6 už §c{1}§6.
seenOnline=§6Hráč§c {0} §6je §aonline§6 už §c{1}§6.
sellBulkPermission=§6Nemáš oprávnenie na hromadný predaj.
sellCommandDescription=Predá držaný predmet.
sellCommandUsage=/<command> <<názov_predmetu>|<id>|hand|inventory|blocks> [množstvo]
sellCommandUsage1=/<command> <názov_predmetu> [množstvo]
sellCommandUsage1Description=Predá všetky (alebo dane množstvo, ak je špecifikované) dané predmety v tvojom inventári
sellCommandUsage2=/<command> hand [množstvo]
sellCommandUsage2Description=Predá všetky (alebo dane množstvo, ak je špecifikované) držané predmety
sellCommandUsage3=/<command> all
sellCommandUsage3Description=Predá všetky možné predmety v tvojom inventári
sellCommandUsage4=/<command> blocks [množstvo]
sellCommandUsage4Description=Predá všetky (alebo dané množstvo, ak je špecifikované) bloky v tvojom inventári
sellHandPermission=§6Nemáš oprávnenie na predaj z ruky.
serverFull=Server je plný\!
serverReloading=Podľa všetkého práve znova načítaš svoj server s pluginmi. Prečo si takto ubližuješ? Pri používaní /reload nečakaj žiadnu podporu od tímu EssentialsX.
@ -876,6 +1117,7 @@ serverUnsupportedClass=Trieda určujúca stav\: {0}
serverUnsupportedCleanroom=Tvoj server riadne nepodporuje Bukkit pluginy, závisiace od interného Mojang kódu. Zváž možnosť nahradiť Essentials riešením, ktoré je podporované tvojím serverom.
serverUnsupportedDangerous=Tvoj server beží na forku, ktorý je známy ako nebezpečný a nestabilný, a môže spôsobiť stratu dát. Je odporúčané prejsť na stabilnejší softvér, ako napríklad Paper.
serverUnsupportedLimitedApi=Tvoj server má obmedzenú činnosť API. EssentialsX bude fungovať, ale niektoré funkcie môžu byť nedostupné.
serverUnsupportedDumbPlugins=Používaš pluginy, o ktorých je známe, že spôsobujú vážne problémy s EssentialsX a ďalšími pluginmi.
serverUnsupportedMods=Tvoj server nemá plnú podporu pre Bukkit pluginy. Bukkit pluginy by nemali byť používané s Forge/Fabric módmi. V prípade Forge zváž možnosť použitia ForgeEssentials alebo SpongeForge + Nucleus.
setBal=§aTvoj stav účtu bol nastavený na {0}.
setBalOthers=§aStav účtu hráča {0}§a si nastavil na {1}.
@ -883,19 +1125,33 @@ setSpawner=§6Typ spawnera bol zmenený na§c {0}§6.
sethomeCommandDescription=Nastaví tvoj domov na aktuálnu polohu.
sethomeCommandUsage=/<command> [[hráč\:]názov]
sethomeCommandUsage1=/<command> <názov>
sethomeCommandUsage1Description=Nastaví domov s daným názvom na mieste kde stojíš
sethomeCommandUsage2=/<command> <hráč>\:<názov>
sethomeCommandUsage2Description=Nastaví domov špecifikovaného hráča s daným názvom na mieste kde stojíš
setjailCommandDescription=Vytvorí na aktuálnej polohe väzenie s názvom [názov_väzenia].
setjailCommandUsage=/<command> <názov väzenia>
setjailCommandUsage1=/<command> <názov väzenia>
setjailCommandUsage1Description=Nastaví väzenie so zadaným názvom na mieste kde stojíš
settprCommandDescription=Nastaví polohu a parametre náhodného teleportu.
settprCommandUsage=/<command> [center|minrange|maxrange] [hodnota]
settprCommandUsage1=/<command> center
settprCommandUsage1Description=Nastaví stred náhodného teleportu na mieste kde stojíš
settprCommandUsage2=/<command> minrange <vzdialenosť>
settprCommandUsage2Description=Nastaví minimálnu vzdialenosť náhodného teleportu na danú hodnotu
settprCommandUsage3=/<command> maxrange <vzdialenosť>
settprCommandUsage3Description=Nastaví maximálnu vzdialenosť náhodného teleportu na danú hodnotu
settpr=§6Nastaví stred náhodného teleportu.
settprValue=§6Nastaví náhodný teleport §c{0}§6 na §c{1}§6.
setwarpCommandDescription=Vytvorí nový warp.
setwarpCommandUsage=/<command> <warp>
setwarpCommandUsage1=/<command> <warp>
setwarpCommandUsage1Description=Nastaví warp so zadaným názvom na mieste kde stojíš
setworthCommandDescription=Nastaví predajnú cenu predmetu.
setworthCommandUsage=/<command> [predmet|id] <cena>
setworthCommandUsage1=/<command> <cena>
setworthCommandUsage1Description=Nastaví hodnotu držaného predmetu na danú cenu
setworthCommandUsage2=/<command> <názov_predmetu> <cena>
setworthCommandUsage2Description=Nastaví hodnotu špecifikovaného predmetu na danú cenu
sheepMalformedColor=§4Nesprávne definovaná farba.
shoutDisabled=§6Režim zvolania §cvypnutý§6.
shoutDisabledFor=§6Režim zvolania §cvypnutý§6 pre hráča §c{0}§6.
@ -907,6 +1163,7 @@ editsignCommandClearLine=§6Riadok§c {0}§6 zmazaný.
showkitCommandDescription=Zobrazí obsah kitu.
showkitCommandUsage=/<command> <kit>
showkitCommandUsage1=/<command> <kit>
showkitCommandUsage1Description=Zobrazí súhrn predmetov v špecifikovanom kite
editsignCommandDescription=Upraví zadanú ceduľu.
editsignCommandLimit=§4Zadaný text je príliš veľký pre cieľovú ceduľu.
editsignCommandNoLine=§4Musíš zadať číslo riadku medzi §c1-4§4.
@ -917,6 +1174,14 @@ editsignCopyLine=§c{0}. §6riadok cedule bol skopírovaný\! Prilep ho pomocou
editsignPaste=§6Ceduľa prilepená\!
editsignPasteLine=§c{0}. riadok cedule prilepený\!
editsignCommandUsage=/<command> <set/clear/copy/paste> [číslo riadku] [text]
editsignCommandUsage1=/<command> set <riadok> <text>
editsignCommandUsage1Description=Nastaví daný riadok cieľovej tabuľky na daný text
editsignCommandUsage2=/<command> clear <riadok>
editsignCommandUsage2Description=Vymaže daný riadok cieľovej tabuľky
editsignCommandUsage3=/<command> copy [riadok]
editsignCommandUsage3Description=Skopíruje celý (alebo určený riadok) cieľovej tabuľky do tvojej schránky
editsignCommandUsage4=/<command> paste [riadok]
editsignCommandUsage4Description=Prilepí schránku na celý (alebo určený) riadok cieľovej tabuľky
signFormatFail=§4[{0}]
signFormatSuccess=§1[{0}]
signFormatTemplate=[{0}]
@ -929,7 +1194,9 @@ skullChanged=§6Lebka zmenená na §c{0}§6.
skullCommandDescription=Nastaví vlastníka hráčskej lebky
skullCommandUsage=/<command> [vlastník]
skullCommandUsage1=/<command>
skullCommandUsage1Description=Dá tvoju vlastnú hlavu
skullCommandUsage2=/<command> <hráč>
skullCommandUsage2Description=Dá hlavu zadaného hráča
slimeMalformedSize=§4Nesprávne definovaná veľkosť.
smithingtableCommandDescription=Otvorí kováčsky stôl.
smithingtableCommandUsage=/<command>
@ -939,22 +1206,34 @@ socialSpyMutedPrefix=§f[§6SS§f] §7(umlčaný) §r
socialspyCommandDescription=Prepína zobrazenie súkromných správ v chate (msg/mail).
socialspyCommandUsage=/<command> [hráč] [on|off]
socialspyCommandUsage1=/<command> [hráč]
socialspyCommandUsage1Description=Prepína socialspy pre seba alebo iného hráča, ak je špecifikovaný
socialSpyPrefix=§f[§6SS§f] §r
soloMob=§4Tento tvor je rád sám.
spawned=vyvolaný
spawnerCommandDescription=Zmení typ tvora v liahni.
spawnerCommandUsage=/<command> <tvor> [interval]
spawnerCommandUsage1=/<command> <tvor> [interval]
spawnerCommandUsage1Description=Zmení typ moba (a voliteľne aj oneskorenie) spawnera, na ktorý sa pozeráš
spawnmobCommandDescription=Zrodí tvora.
spawnmobCommandUsage=/<command> <tvor>[\:data][,<mount>[\:data]] [počet] [hráč]
spawnmobCommandUsage1=/<command> <mob>[\:data] [množstvo] [hráč]
spawnmobCommandUsage1Description=Spawne jedného (alebo určené množstvo) daného moba na mieste kde stojíš (alebo iného hráča, ak je špecifikovaný)
spawnmobCommandUsage2=/<command> <mob>[\:data],<mount>[\:data] [množstvo] [hráč]
spawnmobCommandUsage2Description=Spawne jedného (alebo určené množstvo) daného moba, ktorý jazdí na danom mobe na mieste kde stojíš (alebo iného hráča, ak je špecifikovaný)
spawnSet=§6Poloha spawnu pre skupinu§c {0}§6 bola nastavená.
spectator=divák
speedCommandDescription=Zmení tvoje rýchlostné limity.
speedCommandUsage=/<command> [typ] <rýchlosť> [hráč]
speedCommandUsage1=/<command> <rýchlosť>
speedCommandUsage1Description=Nastaví rýchlosť letu alebo chôdze na danú rýchlosť
speedCommandUsage2=/<command> <typ> <rýchlosť> [hráč]
speedCommandUsage2Description=Nastaví daný typ rýchlosti na danú rýchlosť pre teba alebo iného hráča, ak je zadaný
stonecutterCommandDescription=Otvorí pílu na kameň.
stonecutterCommandUsage=/<command>
sudoCommandDescription=Spustí príkaz za iného hráča.
sudoCommandUsage=/<command> <hráč> <príkaz [argumenty]>
sudoCommandUsage1=/<command> <hráč> <príkaz> [argumenty]
sudoCommandUsage1Description=Spôsobí, že určený hráč spustí daný príkaz
sudoExempt=§4Nemôžeš použiť sudo na hráča §c{0}.
sudoRun=§6Od hráča§c {0} §6sa vynucuje spustenie\:§r /{1}
suicideCommandDescription=Spôsobí tvoju smrť.
@ -993,16 +1272,29 @@ tempbanExemptOffline=§4Nemôžeš dať dočasný ban offline hráčovi.
tempbanJoin=Na tomto serveri máš ban na {0}. Dôvod\: {1}
tempBanned=§cDostal si dočasný ban na§r {0}\:\n§r{2}
tempbanCommandDescription=Dočasne zablokuje hráča.
tempbanCommandUsage=/<command> <meno_hráča> <datediff> [dôvod]
tempbanCommandUsage1=/<command> <hráč> <datediff> [dôvod]
tempbanCommandUsage1Description=Zabanuje daného hráča na určený čas s voliteľným dôvodom
tempbanipCommandDescription=Dočasne zablokuje IP adresu.
tempbanipCommandUsage=/<command> <meno_hráča> <datediff> [dôvod]
tempbanipCommandUsage1=/<command> <hráč|ip-addresa> <datediff> [dôvod]
tempbanipCommandUsage1Description=Zabanuje danú IP adresu na určený čas s voliteľným dôvodom
thunder=§6Hrmenie v tomto svete je teraz §c{0}§6.
thunderCommandDescription=Zapne/vypne hrmenie.
thunderCommandUsage=/<command> <true/false> [trvanie]
thunderCommandUsage1=/<command> <true|false> [trvanie]
thunderCommandUsage1Description=Zapne/vypne búrku na voliteľné trvanie
thunderDuration=§6Hrmenie v tomto svete je teraz §c{0}§6 na §c{1}§6 sekúnd.
timeBeforeHeal=§4Čas do ďalšieho ozdravenia\:§c {0}§6.
timeBeforeTeleport=§4Čas do ďalšieho teleportu\:§c {0}§6.
timeCommandDescription=Zobrazí/zmení čas sveta. Bez udania sveta platí pre aktuálny svet.
timeCommandUsage=/<command> [set|add] [day|night|dawn|17\:30|4pm|4000ticks] [svet|all]
timeCommandUsage1=/<command>
timeCommandUsage1Description=Zobrazí čas vo všetkých svetoch
timeCommandUsage2=/<command> set <čas> [svet|all]
timeCommandUsage2Description=Nastaví čas v aktuálnom (alebo určenom) svete na daný čas
timeCommandUsage3=/<command> add <čas> [svet|all]
timeCommandUsage3Description=Pridá daný čas k aktuálnemu (alebo určenému) času sveta
timeFormat=§c{0}§6 alebo §c{1}§6 alebo §c{2}§6
timeSetPermission=§4Nemáš oprávnenie nastavovať čas.
timeSetWorldPermission=§4Nemáš oprávnenie nastavovať počasie vo svete "{0}".
@ -1015,6 +1307,7 @@ togglejailCommandUsage=/<command> <hráč> <názov_väzenia> [trvanie]
toggleshoutCommandDescription=Zapína/vypína odosielanie správ do globálneho chatu
toggleshoutCommandUsage=/<command> [hráč] [on|off]
toggleshoutCommandUsage1=/<command> [hráč]
toggleshoutCommandUsage1Description=Prepína režim kričania pre seba alebo iného hráča, ak je špecifikovaný
topCommandDescription=Teleportuje ťa na najvyšší bod na tvojich súradniciach.
topCommandUsage=/<command>
totalSellableAll=§aCelková cena všetkých predajných predmetov a kociek je §c{1}§a.
@ -1024,16 +1317,23 @@ totalWorthBlocks=§aVšetky kocky boli predané za celkovú sumu §c{1}§a.
tpCommandDescription=Teleportovanie k hráčovi.
tpCommandUsage=/<command> <hráč> [iný_hráč]
tpCommandUsage1=/<command> <hráč>
tpCommandUsage1Description=Teleportuje teba k určenému hráčovi
tpCommandUsage2=/<command> <hráč> <ďalší hráč>
tpCommandUsage2Description=Teleportuje prvého určeného hráča k druhému
tpaCommandDescription=Požiada o teleportovanie k danému hráčovi.
tpaCommandUsage=/<command> <hráč>
tpaCommandUsage1=/<command> <hráč>
tpaCommandUsage1Description=Požiada o teleportovanie k danému hráčovi
tpaallCommandDescription=Požiada všetkých pripojených hráčov o teleport k tebe.
tpaallCommandUsage=/<command> <hráč>
tpaallCommandUsage1=/<command> <hráč>
tpaallCommandUsage1Description=Požiada všetkých hráčov o teleport k tebe
tpacancelCommandDescription=Zruší všetky nezodpovedané žiadosti o teleport. Pre upresnenie zadaj [meno_hráča].
tpacancelCommandUsage=/<command> [hráč]
tpacancelCommandUsage1=/<command>
tpacancelCommandUsage1Description=Zruší všetky tvoje nevybavené žiadosti o teleport
tpacancelCommandUsage2=/<command> <hráč>
tpacancelCommandUsage2Description=Zruší všetky vaše nevybavené žiadosti o teleport s určeným hráčom
tpacceptCommandDescription=Prijme žiadosti o teleport.
tpacceptCommandUsage=/<command> [iný_hráč]
tpacceptCommandUsage1=/<command>
@ -1045,12 +1345,15 @@ tpacceptCommandUsage3Description=Prijme všetky žiadosti o teleport
tpahereCommandDescription=Požiadaj daného hráča o teleport k tebe.
tpahereCommandUsage=/<command> <hráč>
tpahereCommandUsage1=/<command> <hráč>
tpahereCommandUsage1Description=Požiada daného hráča o teleport k tebe
tpallCommandDescription=Teleportuj všetkých hráčov k danému hráčovi.
tpallCommandUsage=/<command> [hráč]
tpallCommandUsage1=/<command> [hráč]
tpallCommandUsage1Description=Teleportuje všetkých hráčov k tebe alebo k inému hráčovi, ak je špecifikovaný
tpautoCommandDescription=Automaticky prijímať žiadosti o teleportovanie.
tpautoCommandUsage=/<command> [hráč]
tpautoCommandUsage1=/<command> [hráč]
tpautoCommandUsage1Description=Prepne automaticky prijem tpa žiadosti pre teba alebo iného hráča, ak je špecifikovaný
tpdenyCommandDescription=Zamietne všetky žiadosti o teleport.
tpdenyCommandUsage=/<command>
tpdenyCommandUsage1=/<command>
@ -1062,32 +1365,41 @@ tpdenyCommandUsage3Description=Zamietne všetky žiadosti o teleport
tphereCommandDescription=Teleportuje hráča k tebe.
tphereCommandUsage=/<command> <hráč>
tphereCommandUsage1=/<command> <hráč>
tphereCommandUsage1Description=Teleportuje určeného hráča k tebe
tpoCommandDescription=Teleportovať bez ohľadu na tptoggle.
tpoCommandUsage=/<command> <hráč> [iný_hráč]
tpoCommandUsage1=/<command> <hráč>
tpoCommandUsage1Description=Teleportuje určeného hráča k tebe, pričom ignoruje jeho preferencie
tpoCommandUsage2=/<command> <hráč> <ďalší hráč>
tpoCommandUsage2Description=Teleportuje prvého určeného hráča k druhému, pričom ignoruje jeho preferencie
tpofflineCommandDescription=Teleportuje ťa na miesto, odkiaľ sa hráč naposledy odpojil
tpofflineCommandUsage=/<command> <hráč>
tpofflineCommandUsage1=/<command> <hráč>
tpofflineCommandUsage1Description=Teleportuje teba na určené miesto odhlásenia hráča
tpohereCommandDescription=Teleportovať sem bez ohľadu na tptoggle.
tpohereCommandUsage=/<command> <hráč>
tpohereCommandUsage1=/<command> <hráč>
tpohereCommandUsage1Description=Teleportuje určeného hráča k tebe, pričom ignoruje jeho preferencie
tpposCommandDescription=Teleport na súradnice.
tpposCommandUsage=/<command> <x> <y> <z> [otočenie] [sklon] [svet]
tpposCommandUsage1=/<command> <x> <y> <z> [otočenie] [sklon] [svet]
tpposCommandUsage1Description=Teleportuje teba na zadané miesto na voliteľné otočenie, výšku pohľadu a/alebo svet
tprCommandDescription=Náhodný teleport.
tprCommandUsage=/<command>
tprCommandUsage1=/<command>
tprCommandUsage1Description=Teleportuje subjekty na náhodné miesta
tprCommandUsage1Description=Teleportuje ťa na náhodné miesto
tprSuccess=§6Teleportovanie na náhodnú polohu...
tps=§6Aktuálne TPS \= {0}
tptoggleCommandDescription=Zablokuje všetky druhy teleportu.
tptoggleCommandUsage=/<command> [hráč] [on|off]
tptoggleCommandUsage1=/<command> [hráč]
tptoggleCommandUsageDescription=Zapína/vypína teleport pre teba alebo iného hráča, ak je špecifikovaný
tradeSignEmpty=§4Táto ceduľka pre teba nemá nič dostupné.
tradeSignEmptyOwner=§4Z tejto ceduľky nie je čo zobrať.
treeCommandDescription=Zasaď strom tam, kam sa pozeráš.
treeCommandUsage=/<command> <tree|birch|redwood|redmushroom|brownmushroom|jungle|junglebush|swamp>
treeCommandUsage1=/<command> <tree|birch|redwood|redmushroom|brownmushroom|jungle|junglebush|swamp>
treeCommandUsage1Description=Vytvorí strom určeného typu tam, kde sa pozeráš
treeFailure=§4Generovanie stromu zlyhalo. Skús to znova na tráve alebo zemi.
treeSpawned=§6Strom vytvorený.
true=§aáno§r
@ -1100,17 +1412,29 @@ unableToSpawnMob=§4Nebolo možné vyvolať tvora.
unbanCommandDescription=Odblokuje daného hráča.
unbanCommandUsage=/<command> <hráč>
unbanCommandUsage1=/<command> <hráč>
unbanCommandUsage1Description=Odbanuje daného hráča
unbanipCommandDescription=Odblokuje danú IP adresu.
unbanipCommandUsage=/<command> <adresa>
unbanipCommandUsage1=/<command> <adresa>
unbanipCommandUsage1Description=Odbanuje danú IP adresu
unignorePlayer=§6Odteraz viac neignoruješ hráča §c{0}§6.
unknownItemId=§4Neznáme ID predmetu\:§r {0}§4.
unknownItemInList=§4Neznámy predmet {0} v zozname {1}.
unknownItemName=§4Neznámy názov predmetu\: {0}.
unlimitedCommandDescription=Umožní neobmedzené ukladanie predmetov.
unlimitedCommandUsage=/<command> <list|item|clear> [hráč]
unlimitedCommandUsage1=/<command> list [hráč]
unlimitedCommandUsage1Description=Zobrazí zoznam neobmedzených predmetov pre teba alebo iného hráča, ak je zadaný
unlimitedCommandUsage2=/<command> <predmet> [hráč]
unlimitedCommandUsage2Description=Prepína, či je daný predmet neobmedzený pre teba alebo iného hráča, ak je zadaný
unlimitedCommandUsage3=/<command> clear [hráč]
unlimitedCommandUsage3Description=Vymaže všetky neobmedzené predmety pre teba alebo iného hráča, ak je špecifikovaný
unlimitedItemPermission=§4Nemáš oprávnenie na neobmedzené množstvo §c{0}§4.
unlimitedItems=§6Neobmedzené predmety\:§r
unlinkCommandDescription=Odpojí tvoj Minecraft účet od aktuálne prepojeného Discord účtu.
unlinkCommandUsage=/<command>
unlinkCommandUsage1=/<command>
unlinkCommandUsage1Description=Odpojí tvoj Minecraft účet od aktuálne prepojeného Discord účtu.
unmutedPlayer=§6Hráč §c{0}§6 môže znova hovoriť.
unsafeTeleportDestination=§4Cieľ teleportu nie je bezpečný a teleport-safety je vypnuté.
unsupportedBrand=§4Platforma, na ktorej beží tvoj server, momentálne nepodporuje túto funkciu.
@ -1131,12 +1455,16 @@ userIsAwaySelf=§7Si AFK.
userIsAwaySelfWithMessage=§7Si AFK.
userIsNotAwaySelf=§7Už nie si AFK.
userJailed=§6Bol si uväznený\!
usermapEntry=§c{0} §6je namapované ako §c{1}§6.
usermapPurge=§6Kontrolujú sa súbory v používateľských dátach, ktoré nie sú namapované. Výsledky sa zaznamenajú na konzole. Deštruktívny mód\: {0}
usermapSize=§6Aktuálny počet používateľov v medzipamäti používateľskej mapy je §c{0}§6/§c{1}§6/§c{2}§6.
userUnknown=§4Pozor\: Hráč "§c{0}§4" sa na tento server nikdy nepripojil.
usingTempFolderForTesting=Používa sa dočasný priečinok na testovanie\:
vanish=§6Zneviditeľnenie pre hráča §c{0}§6\: {1}
vanishCommandDescription=Skry sa pred hráčmi.
vanishCommandUsage=/<command> [hráč] [on|off]
vanishCommandUsage1=/<command> [hráč]
vanishCommandUsage1Description=Prepína vanish pre teba alebo iného hráča, ak je špecifikovaný
vanished=§6Odteraz si úplne neviditeľný pre bežných hráčov a skrytý z herných príkazov.
versionCheckDisabled=§6Kontrola aktualizácií je vypnutá v konfigurácii.
versionCustom=§6Nepodarilo sa skontrolovať verziu. Máš vlastnú zostavu? Informácie o zostave\: §c{0}§6.
@ -1153,6 +1481,7 @@ versionOutputFine=§6Verzia {0}\: §a{1}
versionOutputWarn=§6Verzia {0}\: §c{1}
versionOutputUnsupported=§6Verzia §d{0}\: §d{1}
versionOutputUnsupportedPlugins=§6Používaš §dnepodporované pluginy§6\!
versionOutputEconLayer=§6Ekonomická vrstva\: §r{0}
versionMismatch=§4Nezhoda vo verzii\! Aktualizuj {0} na rovnakú verziu.
versionMismatchAll=§4Nezhoda vo verzii\! Aktualizuj všetky Essentials jar súbory na rovnakú verziu.
versionReleaseLatest=§6Používaš najnovšiu stabilnú verziu EssentialsX\!
@ -1166,11 +1495,15 @@ walking=kráča
warpCommandDescription=Vypíše zoznam warpov alebo teleportuje na daný warp.
warpCommandUsage=/<command> <strana|warp> [hráč]
warpCommandUsage1=/<command> [strana]
warpCommandUsage1Description=Zobrazí zoznam všetkých warpov na prvej alebo zadanej strane
warpCommandUsage2=/<command> <warp> [hráč]
warpCommandUsage2Description=Teleportuje teba alebo určeného hráča na daný warp
warpDeleteError=§4Vyskytol sa problém s vymazaním súboru warpu.
warpInfo=§6Informácie o warpe§c {0}§6\:
warpinfoCommandDescription=Vyhľadá informácie o polohe zadaného warpu.
warpinfoCommandUsage=/<command> <warp>
warpinfoCommandUsage1=/<command> <warp>
warpinfoCommandUsage1Description=Poskytuje informácie o danom warpe
warpingTo=§6Presúvaš sa na warp§c {0}§6.
warpList={0}
warpListPermission=§4Nemáš oprávnenie na výpis zoznamu warpov.
@ -1180,6 +1513,8 @@ warps=§6Warpy\:§r {0}
warpsCount=§6Existuje §c{0} §6warpov. Zobrazuje sa strana §c{1} §6z §c{2}§6.
weatherCommandDescription=Nastaví počasie.
weatherCommandUsage=/<command> <storm/sun> [trvanie]
weatherCommandUsage1=/<command> <storm|sun> [trvanie]
weatherCommandUsage1Description=Nastaví počasie na daný typ na voliteľné trvanie
warpSet=§6Warp§c {0} §6je nastavený.
warpUsePermission=§4Nemáš oprávnenie použiť tento warp.
weatherInvalidWorld=Svet s názvom {0} sa nenašiel\!
@ -1196,6 +1531,7 @@ whoisBanned=§6 - Má ban\:§r {0}
whoisCommandDescription=Zistí používateľské meno pod prezývkou.
whoisCommandUsage=/<command> <prezývka>
whoisCommandUsage1=/<command> <hráč>
whoisCommandUsage1Description=Poskytuje základné informácie o zadanom hráčovi
whoisExp=§6 - Skúsenosti\:§r {0} (Úroveň {1})
whoisFly=§6 - Lietanie\:§r {0} ({1})
whoisSpeed=§6 - Rýchlosť\:§r {0}
@ -1221,9 +1557,20 @@ workbenchCommandUsage=/<command>
worldCommandDescription=Prepínanie medzi svetmi.
worldCommandUsage=/<command> [world]
worldCommandUsage1=/<command>
worldCommandUsage1Description=Teleportuje ťa na zodpovedajúce miesto v netheru alebo overworldu
worldCommandUsage2=/<command> <svet>
worldCommandUsage2Description=Teleportuje ťa na tvoje miesto v danom svete
worth=§aStack {0} má hodnotu §c{1}§a ({2} predmetov po {3} za kus)
worthCommandDescription=Vypočíta hodnotu predmetov v ruke alebo podľa zadania.
worthCommandUsage=/<command> <<názov_predmetu>|<id>|hand|inventory|blocks> [-][počet]
worthCommandUsage1=/<command> <názov_predmetu> [množstvo]
worthCommandUsage1Description=Skontroluje hodnotu všetkého (alebo daného množstva, ak je špecifikované) daného predmetu v tvojom inventári
worthCommandUsage2=/<command> hand [množstvo]
worthCommandUsage2Description=Skontroluje hodnotu držaného predmetu (alebo daného množstva, ak je špecifikované)
worthCommandUsage3=/<command> all
worthCommandUsage3Description=Skontroluje hodnotu všetkých možných predmetov v tvojom inventári
worthCommandUsage4=/<command> blocks [množstvo]
worthCommandUsage4Description=Skontroluje hodnotu všetkých (alebo daného množstva, ak je špecifikované) blokov v tvojom inventári
worthMeta=§aStack {0} s metadátami {1} má hodnotu §c{2}§a ({3} predmetov po {4} za kus)
worthSet=§6Cena nastavená
year=rok

View File

@ -142,8 +142,10 @@ commandArgumentOptional=§7
commandArgumentOr=§c
commandArgumentRequired=§e
commandCooldown=§cNe možete koristiti tu komandu za {0}.
commandDisabled=§cKomanda§6 {0}§c je oneomogucena.
commandFailed=Komanda {0} neuspela\:
commandHelpFailedForPlugin=Greska pri trazenju pomoci o dodatku\: {0}
commandHelpLineUsage={0} §6- {1}
commandNotLoaded=§4Komanda {0} nepravilno ucitana.
compassCommandUsage=/<command>
condenseCommandUsage1=/<command>
@ -153,6 +155,7 @@ confirmClear=§7Da §lPOTVRDITE§7 čišćenje inventara, molimo vas ponovite ko
confirmPayment=§7Da §lPOTVRDITE§7 uplatu od §6{0}§7, molimo vas ponovite komandu\: §6{1}
connectedPlayers=§6Povezani igraci§r
connectionFailed=Ne moguce uspostaviti vezu.
consoleName=Konzola
cooldownWithMessage=Vreme cekanja\: {0}
coordsKeyword={0}, {1}, {2}
couldNotFindTemplate=§4Ne moguce naci sablon {0}
@ -204,7 +207,6 @@ discordCommandListArgumentGroup=Ograničite pretraživanje određenom grupom
discordCommandMessageDescription=Šalje poruku igraču na Minecraft server-u.
discordCommandMessageArgumentUsername=Igrač kome ćete poslati poruku
discordCommandMessageArgumentMessage=Poruka koju biste poslali igraču
discordErrorCommand=Loše ste dodali svog bota na server. Molimo Vas da pratite priručnik u konfiguraciji i dodate svog bota koristeći https\://essentialsx.net/discord.html\!
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.
@ -418,6 +420,8 @@ kitTimed=§4Ne mozete koristiti taj kit sledecih§c {0}§4.
lightningCommandUsage1=/<command> [player]
lightningSmited=§6Munja je udarila\!
lightningUse=§6Lupanje igraca§c {0}
linkCommandUsage=/<command>
linkCommandUsage1=/<command>
listAfkTag=§7[AFK]§r
listAmount=§6Trenutno je §c{0}§6 od maksimalnih §c{1}§6 igraca online.
listHiddenTag=§7[SAKRIVEN]§r
@ -620,7 +624,6 @@ repairCommandUsage1=/<command>
repairEnchanted=§4Nemate dozvolu da popravljate zacarane iteme.
repairInvalidType=§4Ovaj item ne mozete popraviti.
repairNone=§4Nemate iteme koje treba popraviti.
replyFromDiscord=**Odgovor od {0}\:** `{1}`
requestAccepted=§6Zahtev za teleportaciju prihvacen.
requestAcceptedFrom=§c{0} §6je prihvatio vas zahtev za teleport.
requestDenied=§6Zahtev za teleport odbijen.
@ -746,6 +749,8 @@ unknownItemInList=§4Nepoznat predmet {0} u {1} listi.
unknownItemName=§4Nepoznato ime predmeta\: {0}.
unlimitedItemPermission=§4Nema permisija za beskonacan predmet §c{0}§4.
unlimitedItems=§6Beskonacni predmeti\:§r
unlinkCommandUsage=/<command>
unlinkCommandUsage1=/<command>
unmutedPlayer=§6Igrac§c {0} §6unmutiran.
unsafeTeleportDestination=§4Destinacija za teleportaciju nije sigurna.
unvanishedReload=§4A Reload te pretvorio da budes ponovo vidljiv.

View File

@ -182,6 +182,7 @@ createkitCommandUsage1Description=Skapar en uppsättning med det angivna namnet
createKitFailed=§4Error occurred whilst creating kit {0}.
createKitSeparator=§m-----------------------
createKitSuccess=§6Created Kit\: §f{0}\n§6Delay\: §f{1}\n§6Link\: §f{2}\n§6Copy contents in the link above into your kits.yml.
createKitUnsupported=§cOBS-objektserialisering har aktiverats, men den här servern kör inte Paper 1.15.2+. Faller tillbaka till standard objektserialisering.
creatingConfigFromTemplate=Skapar konfiguration från mallen\: {0}
creatingEmptyConfig=Skapar tom konfiguration\: {0}
creative=kreativ
@ -248,14 +249,18 @@ discordCommandExecuteDescription=Kör ett konsolkommando på Minecraft-servern.
discordCommandExecuteArgumentCommand=Kommandot som kommer att köras
discordCommandExecuteReply=Kör kommando\: "/{0}"
discordCommandListDescription=Hämtar en lista med spelare som är online.
discordCommandListArgumentGroup=En specifik grupp att begränsa din sökning efter
discordCommandMessageDescription=Skriv ett meddelande till en spelare på Minecraft-servern.
discordCommandMessageArgumentUsername=Spelaren som du vill skicka meddelandet till
discordCommandMessageArgumentMessage=Meddelandet som du vill skicka till spelaren
discordErrorCommand=Du lade till din bot på servern felaktigt\! Följ guiden i konfigurationen och lägg till din bot med https\://essentialsx.net/discord.html
discordErrorCommandDisabled=Det kommandot är inaktiverat\!
discordErrorLogin=Det gick inte att logga in på Discord och tillägget har avaktiverats\: \n{0}
discordErrorLoggerInvalidChannel=Discord-konsolloggning har inaktiverats på grund av en ogiltig kanaldefinition\! Om du har för avsikt att inaktivera det, ställ in kanal-ID till "ingen"; annars kontrollera att kanal-ID är korrekt.
discordErrorNoPerms=Din bot kan inte se eller skriva i någon kanal\! Se till att din bot har skriv- och läsbehörigheter i alla kanaler du vill använda.
discordErrorNoPrimary=Antingen har du inte angett en primär kanal eller så är den kanal du angett som primär ogiltig. Återgår till standardkanalen\: \#{0}.
discordErrorNoPrimaryPerms=Din bot kan inte skriva i din primära kanal, \#{0}. Se till att din bot har skriv- och läsbehörigheter i alla kanaler du vill använda.
discordErrorNoToken=Ingen token tillhandahålls\! Följ handledningen i konfigurationen för att konfigurera pluginet.
discordLoggingIn=Loggar in på Discord...
discordLoggingInDone=Lyckades logga in som {0}
discordNoSendPermission=Kan inte skicka meddelanden i kanalen\: \#{0}. Se till att boten har behörighet att skicka meddelanden i den kanalen\!
@ -298,6 +303,7 @@ enderchestCommandUsage2=/<command> <spelare>
enderchestCommandUsage2Description=Öppnar en vald spelares enderkista
errorCallingCommand=Kunde inte kontakta kommandot /{0}
errorWithMessage=§cFel\:§4 {0}
essChatNoSecureMsg=EssentialsX Chatt version {0} stöder inte säker chatt på denna serverprogramvara. Uppdatera EssentialsX, och om problemet kvarstår, informera utvecklarna.
essentialsCommandDescription=Laddar om EssentialsX.
essentialsCommandUsage=/<command>
essentialsCommandUsage1=/<command> reload
@ -476,6 +482,7 @@ ignoredList=§6Ignorerad\:§r {0}
ignoreExempt=§4Du får inte ignorera den spelaren.
ignorePlayer=Du ignorerar spelaren {0} från och med nu.
illegalDate=Felaktigt datumformat.
infoAfterDeath=§6Du dog i §e{0} §6på §e{1}, {2}, {3}.
infoChapter=§6Välj kapitel\:
infoChapterPages=§e ---- §6{0} §e--§6 Sida §c{1}§6 of §c{2} §e----
infoCommandDescription=Visar information skriven av serverägaren.
@ -506,6 +513,7 @@ invseeCommandDescription=Se andra spelares inventarie.
invseeCommandUsage=/<command> <spelare>
invseeCommandUsage1=/<command> <spelare>
invseeCommandUsage1Description=Öppnar den valda spelarens förråd
invseeNoSelf=§cDu kan endast se andra spelares förråd.
is=är
isIpBanned=§6IP §c {0} §6är bannad.
internalError=§cAn internal error occurred while attempting to perform this command.
@ -624,6 +632,8 @@ lightningCommandUsage2=/<command> <spelare> <styrka>
lightningCommandUsage2Description=En blixt slår ned med den angivna styrkan i vald spelare
lightningSmited=§7Blixten har slagit ner på dig
lightningUse=§7En blixt kommer slå ner på {0}
linkCommandUsage=/<command>
linkCommandUsage1=/<command>
listAfkTag=§7[AFK]§f
listAmount=§9Det är §c{0}§9 av maximalt §c{1}§9 spelare online.
listCommandDescription=Ger en lista med alla spelare som är online.
@ -724,6 +734,7 @@ muteNotifyFor=§c{0} §6has muted player §c{1}§6 for§c {2}§6.
muteNotifyForReason=§c{0} §6har tystat §c{1}§6 i§c {2}§6. Anledning\: §c{3}
muteNotifyReason=§c{0} §6har tystat §c{1}§6. Anledning\: §c{2}
nearCommandUsage1=/<command>
nearCommandUsage1Description=Listar alla spelare inom standard nära din radie
nearCommandUsage2=/<command> <radie>
nearCommandUsage3=/<command> <spelare>
nearCommandUsage4=/<command> <spelare> <radie>
@ -899,6 +910,7 @@ questionFormat=§7[Fråga]§f {0}
rCommandDescription=Svara snabbt till den senaste spelaren som skickat ett meddelande till dig.
rCommandUsage=/<command> <meddelande>
rCommandUsage1=/<command> <meddelande>
rCommandUsage1Description=Svarar till den sista spelaren att meddela dig med den angivna texten
radiusTooBig=§4Radien är för stor\! Den största möjliga radien är§c {0}§4.
readNextPage=Skriv /{0} {1} för att läsa nästa sida
realName=§f{0}§r§6 is §f{1}
@ -930,7 +942,6 @@ repairCommandUsage2Description=Reparerar alla föremål i ditt förråd
repairEnchanted=§7Du har inte behörighet att reparera förtrollade saker.
repairInvalidType=§cDen här saken kan inte bli reparerad.
repairNone=§4Det finns inga saker som behöver repareras.
replyFromDiscord=**Svar från {0}\:** `{1}`
requestAccepted=§7Teleporterings-förfrågan accepterad.
requestAcceptedAuto=§6Accepterade automatiskt en teleporterings-förfrågan från {0}.
requestAcceptedFrom=§7{0} accepterade din teleportations-förfrågan.
@ -1218,6 +1229,8 @@ unlimitedCommandUsage3=/<command> clear [spelare]
unlimitedCommandUsage3Description=Tar bort alla obegränsade föremål från dig eller en vald spelare
unlimitedItemPermission=§4No permission for unlimited item §c{0}§4.
unlimitedItems=Obegränsade objekt\:
unlinkCommandUsage=/<command>
unlinkCommandUsage1=/<command>
unmutedPlayer=Spelaren {0} är inte bannlyst längre.
unsafeTeleportDestination=&5Den här destination är osäker och teleport säkerhet är avaktiverat
unvanishedReload=§cEn omladdning har tvingat dig att bli synlig.

View File

@ -335,6 +335,8 @@ leatherSyntax=§6Leather color syntax\: color\:<red>,<green>,<blue> eg\: color\:
lightningCommandUsage1=/<command> [player]
lightningSmited=§6เทพเจ้าสายฟ้าฟาด\!
lightningUse=§6ฟ้าผ่า§c {0}
linkCommandUsage=/<command>
linkCommandUsage1=/<command>
listAfkTag=§7[ไม่อยู่]§r
listAmount=§6นี้คือ §c{0}§6 จากทั้งหมด §c{1}§6 ของผู้เล่นที่ออนไลน์อยู่.
listAmountHidden=§6นี้คือ §c{0}§6/{1}§6 ผู้ที่ถูกซ่อนอยู่ทั้งหมด §c{2}§6 ของผู้เล่นที่ออนไลน์อยู่.
@ -615,6 +617,8 @@ unknownItemInList=§4ไอเทมไม่รุ้จัก {0} / {1} ใน
unknownItemName=§4ไอเทมไม่รู้จักชื่อ\: {0}.
unlimitedItemPermission=§4ไม่มีสิทธิ์สำหรับไอเทมไม่จำกัด §c{0}§4.
unlimitedItems=§6ไอเทมไม่จำกัด\:§r
unlinkCommandUsage=/<command>
unlinkCommandUsage1=/<command>
unmutedPlayer=§6Player§c {0} §6ได้อนุญาตให้สนทนาได้แล้ว.
unsafeTeleportDestination=§4เทเลพอร์ตปลายทางอาจไม่ปลอดภัย การเทเลพอร์ต-ที่ปลอดภัย ถูกปิดการใช้งาน.
unvanishedReload=§4ได้บังคับให้โหลดการตั้งค่าใหม่ ผู้เล่นคนอื่นอาจสามารถเห็นคุณได้.

View File

@ -35,7 +35,9 @@ backAfterDeath=§6Öldüğün konuma dönmek için§c /back§6 komutunu kullan.
backCommandDescription=Sizi ışınlanmadan/doğmadan önce bulunduğunuz yere ışınlar.
backCommandUsage=/<komut> [oyuncu]
backCommandUsage1=/<komut>
backCommandUsage1Description=Sizi önceki konumunuza ışınlar
backCommandUsage2=/<komut> <oyuncu>
backCommandUsage2Description=Belirtilen oyuncuyu önceki konumuna ışınlar
backOther=§6Önceki §c {0}§6 konuma geri dönüldü.
backupCommandDescription=Eğer yapılandırıldıysa yedeği çalıştırır.
backupCommandUsage=/<komut>
@ -484,6 +486,8 @@ lightningCommandUsage=/<komut> [oyuncu] [güç]
lightningCommandUsage1=/<komut> [oyuncu]
lightningSmited=§6Tanrılar sana kızıyor olmalı (\!)
lightningUse=§6Çarpılıyor§c {0}
linkCommandUsage=/<command>
linkCommandUsage1=/<command>
listAfkTag=§7[AFK]§r
listAmount=§6Sunucuda §c{0}§6 çevrimiçi oyuncu var. Maksimum oyuncu sayısı §c{1}§6 olabilir.
listAmountHidden=§6Sunucuda §c{0}§6/{1}§6 çevrimiçi oyuncu var. Maksimum oyuncu sayısı §c{2}§6 olabilir.
@ -1002,6 +1006,8 @@ unlimitedCommandDescription=Sınırsız öğe yerleştirmesini sağlar.
unlimitedCommandUsage=/<komut> <list|item|clear> [oyuncu]
unlimitedItemPermission=§cSınırsız §6{0}§c için izniniz yok.
unlimitedItems=§6Sınırsız eşyalar\:§r
unlinkCommandUsage=/<command>
unlinkCommandUsage1=/<command>
unmutedPlayer=§6Oyuncu§c {0} §6Artik Konusabilirsin\!
unsafeTeleportDestination=§4Işınlanma hedefi güvenilir değil ve ışınlanma güvenliği devre dışı.
unsupportedBrand=§4Şu anda sunucuyu yönettiğiniz platform bu özellik için gerekli yeterlilikleri sağlamıyor.

View File

@ -42,7 +42,7 @@ backCommandUsage2Description=Телепортує зазначеного гра
backOther=§6Повернуто§c {0}§6 до попереднього розташування.
backupCommandDescription=Запускає резервне копіювання, якщо налаштовано.
backupCommandUsage=/<command>
backupDisabled=§4Зовнішнього сценарію резервного копіювання не настроєно.
backupDisabled=§4Зовнішнього сценарію резервного копіювання не налаштовано.
backupFinished=§6Копіювання закінчено.
backupStarted=§6Резервне копіювання почалося.
backupInProgress=§6Триває зовнішній сценарій резервного копіювання\! Зупинення вимкнення плагіна до завершення.
@ -240,6 +240,7 @@ discordbroadcastCommandUsage1Description=Відправляє зазначене
discordbroadcastInvalidChannel=§4Discord-канал §c{0}§4 не існує.
discordbroadcastPermission=§4У Вас немає дозволу відправляти повідомлення в канал §c{0}§4.
discordbroadcastSent=§6Повідомлення надіслано в §c{0}§6\!
discordCommandAccountResponseLinked=Ваш обліковий запис прив''язано до облікового запису Minecraft\: **{0}**
discordCommandDescription=Надсилає запрошення в Discord гравцю.
discordCommandLink=§6Доєднуйтесь до нашого Discord-сервера §c{0}§6\!
discordCommandUsage=/<command>
@ -253,7 +254,7 @@ discordCommandListArgumentGroup=Обмежити пошук за конкрет
discordCommandMessageDescription=Надсилає повідомлення гравцю на Minecraft-сервері.
discordCommandMessageArgumentUsername=Гравець, якому надсилають повідомлення
discordCommandMessageArgumentMessage=Повідомлення, що надсилається гравцю
discordErrorCommand=Ви неправильно додали бота на сервер. Будь ласка, зверніть увагу на гайд в конфіг-файлі та додайте Вашого бота за допомогою https\://essentialsx.net/discord.html\!
discordErrorCommand=Ви неправильно додали свого бота на свій сервер\! Дотримуйтеся вказівок у конфігурації та додайте свого бота за допомогою https\://essentialsx.net/discord.html
discordErrorCommandDisabled=Ця команда вимкнена\!
discordErrorLogin=Сталася помилка під час входу в Discord, через що плагін вимкнувся\: {0}
discordErrorLoggerInvalidChannel=Запис консолі Discord було вимкнено через невірне визначення каналу\! Якщо Ви хочете вимкнути цю функцію, виставте як ID каналу "none", інакше перевірте правильність зазначеного ID.
@ -314,6 +315,7 @@ enderchestCommandUsage2=/<command> <player>
enderchestCommandUsage2Description=Відкриває Ендер-скриньку вказаного гравця
errorCallingCommand=Помилка виклику команди /{0}
errorWithMessage=§cПОМИЛКА\:§4 {0}
essChatNoSecureMsg=EssentialsX Chat версії {0} не підтримує безпечний чат у цьому серверному програмному забезпеченні. Оновіть EssentialsX і, якщо ця проблема не зникне, повідомте розробників.
essentialsCommandDescription=Перезавантажити essentials.
essentialsCommandUsage=/<command>
essentialsCommandUsage1=/<command> reload
@ -481,6 +483,7 @@ homeCommandUsage2=/<command> <гравець>\:<кількість>
homeCommandUsage2Description=Телепортує Вас до дому з зазанченою назвою визначеного гравця
homes=§6Домівки\:§r {0}
homeConfirmation=§6У вас вже є дім з назвою §c{0}§6\!\nЩоб перезаписати наявний дім, введіть команду знову.
homeRenamed=§6Домівку§c{0} §6перейменовано на §c{1}§6.
homeSet=§6Домівку встановлено на теперішню позицію.
hour=година
hours=годин(и)
@ -533,6 +536,7 @@ invseeCommandDescription=Переглянути інвентар інших гр
invseeCommandUsage=/<command> <player>
invseeCommandUsage1=/<command> <player>
invseeCommandUsage1Description=Відкриває інвентар заданого гравця
invseeNoSelf=§cВи можете переглядати лише інвентар інших гравців.
is=є
isIpBanned=§6IP §c{0} §6є забаненим.
internalError=§cСталася невідома помилка при виконання цієї команди.
@ -658,6 +662,8 @@ lightningCommandUsage2=/<command> <гравець> <потужність>
lightningCommandUsage2Description=Б''є блискавкою в вказаного гравця з вказаною потужністю
lightningSmited=§6Тебе вразила блискавка\!
lightningUse=§6Вдаряємо блискавкою§c {0}
linkCommandUsage=/<command>
linkCommandUsage1=/<command>
listAfkTag=§7[AFK]§r
listAmount=§6Наразі §c{0}§6 з максимальних §c{1}§6 гравців онлайн.
listAmountHidden=§6Є §c{0}§6/§c{1}§6 з §c{2}§6 гравців онлайн.
@ -1007,6 +1013,7 @@ removeCommandUsage1Description=Видаляє усіх мобів вказано
removeCommandUsage2=/<command> <тип моба> <радіус> [світ]
removeCommandUsage2Description=Видаляє усіх мобів вказаного типу у вказаному радіусі в цьому або вказаному світах
removed=§6Видалено§c {0} §6створінь.
renamehomeCommandDescription=Перейменовує будинок.
repair=§6Ви успішно відновили ваш\: §c{0}§6.
repairAlreadyFixed=§4Ця річ не потребує ремонту.
repairCommandDescription=Ремонтує один або усі предмети.
@ -1018,7 +1025,6 @@ repairCommandUsage2Description=Ремонтує усі предмети в ін
repairEnchanted=§4Заборонено ремонтувати зачаровані речі.
repairInvalidType=§4Цей предмет неможливо полагодити.
repairNone=§4Не знайдені предмети, які можна зремонтувати.
replyFromDiscord=**Відповідь від {0}\:** `{1}`
replyLastRecipientDisabled=§Відповідь до останнього одержувача повідомлення §відключена§6.
replyLastRecipientDisabledFor=§6Відповідь до останнього одержувача повідомлення §відключена §6для §c{0}§6.
replyLastRecipientEnabled=§Відповідь до останнього одержувача повідомлення §включена§6.
@ -1078,6 +1084,7 @@ serverUnsupportedClass=Клас, що визначає статус\: {0}
serverUnsupportedCleanroom=Ви працюєте з сервером, що некоректно підтримує плагіни Bukkit, що працюють з внутрішнім кодом Mojang. Вам варто задуматись про якусь заміну Essentials для Вашого сервера.
serverUnsupportedDangerous=Ви працюєте з форком сервера, що є дуже небезпечним і призводить до втрати даних. Дуже рекомендовано перейти до більш стабільного ядра сервера, наприклад Paper.
serverUnsupportedLimitedApi=Ви працюєте з сервером з обмеженою функціональністю API. EssentialsX все ще буде працювати, але деякі можливості будуть недоступні.
serverUnsupportedDumbPlugins=Ви використовуєте плагіни, які, як відомо, спричиняють серйозні проблеми з EssentialsX та іншими плагінами.
serverUnsupportedMods=Ви працюєте з сервером, що некоректно підтримує плагіни Bukkit. Плагіни Bukkit не варто використовувати з Forge/Fabric модами\! Для Forge\: Використовуйте ForgeEssentials або SpongeForge + Nucleus.
setBal=§aВаш баланс встановлено на {0}.
setBalOthers=§aВи встановили баланс {0}§a в {1}.
@ -1391,6 +1398,8 @@ unlimitedCommandUsage3=/<command> clear [гравець]
unlimitedCommandUsage3Description=Очищує список необмежених предметів для Вас або іншого гравця, якщо зазначено
unlimitedItemPermission=§4Немає прав для необмеженої кількості речей §c{0}§4.
unlimitedItems=§6Нескінченні речі\:§r
unlinkCommandUsage=/<command>
unlinkCommandUsage1=/<command>
unmutedPlayer=§6Тепер гравець§c {0} §6може писати в чат.
unsafeTeleportDestination=§4Телепорт у це місце небезпечний, а захист телепортації вимкнений.
unsupportedBrand=§4На серверній платформі, з якою Ви працюєте, немає можливостей для реалізації цієї функції.

View File

@ -152,6 +152,7 @@ commandHelpLine4=§6Bí danh\: §f{0}
commandHelpLineUsage={0} §6- {1}
commandNotLoaded=§4Lệnh {0} không chính xác.
compassBearing=§6Hướng\: {0} ({1} độ).
compassCommandDescription=Mô tả phương hướng hiện tại của bạn.
compassCommandUsage=/<command>
condenseCommandDescription=Gộp lại vật phẩm vào trong khối nhỏ gọn hơn.
condenseCommandUsage=/<command> [item]
@ -229,10 +230,18 @@ disabled=vô hiệu hoá
disabledToSpawnMob=§4Tạo ra thực thể này đã bị vô hiệu hoá trong tệp cấu hình.
disableUnlimited=§6Vô hiệu hóa đặt không giới hạn của§c {0} §6cho {1}§6.
discordbroadcastCommandDescription=Thông báo tin nhắn đến kênh Discord bạn muốn.
discordbroadcastCommandUsage=/<command> <channel> <msg>
discordbroadcastCommandUsage1=/<command> <channel> <msg>
discordbroadcastCommandUsage1Description=Gửi 1 tin nhắn đến kênh Discord bạn muốn
discordbroadcastInvalidChannel=§4Kênh Discord §c{0}§4 không tồn tại.
discordbroadcastPermission=§4Bạn không có quyền gửi tin nhắn đến Kênh Discord §c{0}§4.
discordbroadcastSent=§6Tin nhắn được gửi đến §c{0}§6\!
discordCommandAccountArgumentUser=Tài khoản Discord để tra cứu
discordCommandAccountDescription=Tra cứu tài khoản Minecraft được liên kết cho chính bạn hoặc người dùng Discord khác
discordCommandAccountResponseLinked=Tài khoản của bạn đã được liên kết với tài khoản Minecraft\: **{0}**
discordCommandAccountResponseLinkedOther=Tài khoản của {0} đã được liên kết với tài khoản Minecraft\: **{1}**
discordCommandAccountResponseNotLinked=Bạn chưa liên kết tài khoản Minecraft.
discordCommandAccountResponseNotLinkedOther={0} chưa liên kết tài khoản Minecraft.
discordCommandDescription=Gửi liên kết lời mời Discord đến người chơi.
discordCommandLink=§6Tham gia Discord máy chủ tại §c{0}§6\!
discordCommandUsage=/<command>
@ -241,36 +250,69 @@ discordCommandUsage1Description=Gửi liên kết lời mời Discord đến ng
discordCommandExecuteDescription=Truy xuất một lệnh điều khiển trên máy chủ Minecraft.
discordCommandExecuteArgumentCommand=Lệnh được truy xuất
discordCommandExecuteReply=Lệnh đang truy xuất\: "/{0}"
discordCommandUnlinkDescription=Hủy liên kết tài khoản Minecraft hiện được liên kết với tài khoản Discord của bạn
discordCommandUnlinkInvalidCode=Bạn hiện không có tài khoản Minecraft được liên kết với Discord\!
discordCommandUnlinkUnlinked=Tài khoản Discord của bạn đã bị hủy liên kết khỏi tất cả các tài khoản Minecraft được liên kết.
discordCommandLinkArgumentCode=Mã được cung cấp trong game để liên kết tài khoản Minecraft của bạn
discordCommandLinkDescription=Liên kết tài khoản Discord của bạn với tài khoản Minecraft bằng mã từ lệnh /link trong game
discordCommandLinkHasAccount=Bạn đã có một tài khoản được liên kết\! Để hủy liên kết tài khoản hiện tại của bạn, hãy nhập /unlink.
discordCommandLinkInvalidCode=Mã liên kết không đúng\! Đảm bảo bạn đã dùng lệnh /link trong game và copy đúng mã.
discordCommandLinkLinked=Liên kết tài khoản thành công\!
discordCommandListDescription=Xem danh sách người chơi trực tuyến.
discordCommandListArgumentGroup=Một nhóm cụ thể để giới hạn tìm kiếm của bạn
discordCommandMessageDescription=Tin nhắn người chơi trong máy chủ Minecraft.
discordCommandMessageArgumentUsername=Người chơi đó gửi tin nhắn đến
discordCommandMessageArgumentMessage=Tin nhắn gửi đến người chơi
discordErrorCommand=Bạn đã thêm con bot đến server của bạn không chính xác. Hãy làm theo cách trên config và thêm bot của bạn tại https\://essentialsx.net/discord.html\!
discordErrorCommand=Bạn đã thêm bot đến server của bạn sai cách\! Hãy làm theo cách trên config và thêm bot của bạn tại https\://essentialsx.net/discord.html
discordErrorCommandDisabled=Lệnh đó đã bị vô hiệu hoá\!
discordErrorLogin=Đã xảy ra lỗi khi đăng nhập vào Discord, điều này đã khiến plugin tự vô hiệu hóa\: {0}
discordErrorLoggerInvalidChannel=Ghi nhật ký bảng điều khiển Discord đã bị vô hiệu hóa vì định nghĩa kênh không hợp lệ\! Nếu bạn định vô hiệu hóa nó, đặt channel ID thành "none"; còn không thì kiểm tra lại channel ID của bạn có đúng hay không.
discordErrorLoggerNoPerms=Ghi nhật ký bảng điều khiển Discord đã bị vô hiệu hóa vì không có quyền\! Hãy đảm bảo rằng bot của bạn có quyền "Quản lý Webhooks" trên máy chủ. Sau khi sửa lại, chạy lệnh "/ess reload".
discordErrorNoGuild=Server ID còn thiếu hoặc không hợp lệ\! Hãy làm theo hướng dẫn trên config để thiết lập plugin.
discordErrorNoGuildSize=Bot của bạn không có trên bất kỳ máy chủ nào\! Hãy làm theo hướng dẫn trên config để thiết lập plugin.
discordErrorNoPerms=Bot của bạn không thể xem hoặc chat trong bất kỳ kênh nào\! Hãy chắc chắn rằng bot của bạn có quyền đọc và ghi trong tất cả các kênh bạn muốn sử dụng.
discordErrorNoPrimary=Bạn không xác định kênh chính hoặc kênh chính đã xác định của bạn không hợp lệ. Quay trở lại kênh mặc định\: \#{0}.
discordErrorNoPrimaryPerms=Bot của bạn không thể nói trong kênh chính, \#{0}. Hãy chắc chắn rằng bot của bạn có quyền đọc và viết trong tất cả kênh bạn muốn sử dụng.
discordErrorNoToken=Không có token nào được cung cấp\! Vui lòng làm theo hướng dẫn trong config để thiết lập plugin.
discordErrorWebhook=Đã xảy ra lỗi khi gửi tin nhắn đến channel console của bạn\! Điều này có thể được gây ra bởi vô tình xóa webhook console của bạn. Điều này thường có thể được khắc phục bằng cách đảm bảo bot của bạn có quyền "Quản lý Webhook" và chạy "/ess reload".
discordLinkInvalidGroup=Nhóm {0} không hợp lệ đã được cung cấp cho vai trò {1}. Có các nhóm sau\: {2}
discordLinkLinked=§6Để liên kết tài khoản Minecraft của bạn với Discord, hãy nhập §c{0} §6 vào máy chủ Discord.
discordLinkLinkedAlready=§6Bạn đã liên kết tài khoản Discord của mình\! Nếu bạn muốn hủy liên kết tài khoản Discord của mình, sử dụng §c/unlink§6.
discordLoggingIn=Đang cố gắng đăng nhập vào Discord...
discordLoggingInDone=Đăng nhập thành công với tên đăng nhập {0}
discordNoSendPermission=Không thể gửi tin nhắn trong kênh\: \#{0} Hãy đảm bảo bot có quyền "Gửi tin nhắn" trong kênh đó\!
discordReloadInvalid=Đã cố gắng reload cấu hình EssentialsX Discord trong khi plugin ở trạng thái không hợp lệ\! Nếu bạn đã sửa đổi config của mình, khởi động lại server của bạn.
disposal=Xếp đặt
disposalCommandDescription=Mở thùng rác di động.
disposalCommandUsage=/<command>
distance=§6Khoảng cách\: {0}
dontMoveMessage=§6Dịch chuyển sẽ bắt đầu trong§c {0}§6. Đừng di chuyển.
downloadingGeoIp=Đang tải cơ sở dữ liệu GeoIP... điều này có thể mất một lúc (quốc gia\: 0.6 MB, thành phố\: 20MB)
dumpConsoleUrl=File dump server đã được tạo\: §c{0}
dumpCreating=§6Đang tạo file server dump...
dumpDeleteKey=§6Nếu bạn muốn xóa dump này vào một ngày muộn hơn, sử dụng khóa xóa\: §c{0}
dumpError=§4Đã xảy ra lỗi khi tạo file dump §c{0}§4.
dumpErrorUpload=§4Đã xảy ra lỗi khi tải lên tệp §c{0}§4\: §c{1}
dumpUrl=§6Đã tạo tệp dump\: §c{0}
duplicatedUserdata=Dữ liệu người dùng trùng lặp\: {0} và {1}.
durability=§6Công cụ này còn §c{0}§6 lần sử dụng nữa.
east=E
ecoCommandDescription=Quản lý tiền tệ trong server.
ecoCommandUsage=/<câu lệnh> <give|take|set|reset> <người chơi> <số lượng>
ecoCommandUsage1=/<câu lệnh> give <tên> <số lượng>
ecoCommandUsage1Description=Cho người chơi nhất định một số lượng tiền nhất định\n
ecoCommandUsage2=/<câu lệnh> take <người chơi> <số lượng>
ecoCommandUsage2Description=Lấy số tiền được chỉ định từ người chơi được chỉ định
ecoCommandUsage3=/<command> set <player> <amount>
ecoCommandUsage3Description=Chỉnh số dư của người chơi được chỉ định thành số dư được chỉ định
ecoCommandUsage4=/<command> reset <player> <amount>
ecoCommandUsage4Description=Đặt lại số dư của người chơi đã chỉ định về số dư ban đầu của server
editBookContents=§eBây giờ bạn có thể chỉnh sửa nội dung của quyển sách này.
enabled=kích hoạt
enchantCommandDescription=Phù phép vật phẩm người dùng đang cầm.
enchantCommandUsage=/<command> <enchantmentname> [level]
enchantCommandUsage1=/<command> <enchantment name> [level]
enchantCommandUsage1Description=Enchant vật phẩm bạn cầm trong tay bằng một loại enchant nhất định ở cấp độ tùy chọn
enableUnlimited=§6Đang gửi số lượng không giới hạn của§c {0} §6đến §c{1}§6.
enchantmentApplied=§6Phù phép§c {0} §6đã được áp dụng cho vật phẩm trên tay của bạn.
enchantmentNotFound=§4Phù phép không tìm thấy\!
@ -280,19 +322,29 @@ enchantments=§6Phù phép\:§r {0}
enderchestCommandDescription=Cho phép bạn xem bên trong rương ender.
enderchestCommandUsage=/<command> [người chơi]
enderchestCommandUsage1=/<command>
enderchestCommandUsage1Description=Mở rương Ender của bạn
enderchestCommandUsage2Description=Mở rương Ender cho một người chơi
errorCallingCommand=Thất bại khi gọi lệnh /{0}
errorWithMessage=§cLỗi\:§4 {0}
essChatNoSecureMsg=Phiên bản EssentialsX Chat {0} không hỗ trợ trò chuyện an toàn trên phần mềm server này. Cập nhật EssentialsX và nếu sự cố này vẫn tiếp diễn, hãy thông báo cho nhà phát triển.
essentialsCommandDescription=Tải lại EssentialsX.
essentialsCommandUsage=/<command>
essentialsCommandUsage1=/<command> reload
essentialsCommandUsage1Description=Tải lại cấu hình Essentials
essentialsCommandUsage2=/<command> version
essentialsCommandUsage2Description=Đưa thông tin về phiên bản Essentials
essentialsCommandUsage3=/<command> commands
essentialsCommandUsage3Description=Cung cấp thông tin về những lệnh mà Essentials đang chuyển tiếp
essentialsCommandUsage4=/<command> debug
essentialsCommandUsage4Description=Chuyển đổi "chế độ gỡ lỗi" của Essentials
essentialsCommandUsage5=/<command> reset <player>
essentialsCommandUsage5Description=Đặt lại userdata (dữ liệu người chơi) của người chơi đã cho
essentialsCommandUsage6=/<command> cleanup
essentialsCommandUsage6Description=Làm sạch dữ liệu người chơi cũ
essentialsCommandUsage7=/<command> homes
essentialsCommandUsage7Description=Quản lý nhà của người chơi
essentialsCommandUsage8=/<command> dump [all] [config] [discord] [kits] [log]
essentialsCommandUsage8Description=Tạo tệp dump server với thông tin được yêu cầu
essentialsHelp1=Tệp này đã bị hỏng và Essentials không thể mở nó. Essentials hiện sẽ vô hiệu hoá. Nếu bạn không thể sửa tệp này, hãy đi đến http\://tiny.cc/EssentialsChat
essentialsHelp2=Tệp này đã bị hỏng và Essentials không thể mở nó. Essentials hiện sẽ vô hiệu hoá. Nếu bạn không thể sửa tệp này, hãy nhập lệnh /essentialshelp trong trò chơi hoặc đi đến http\://tiny.cc/EssentialsChat
essentialsReload=§6Essentials đã được tải lại§c {0}.
@ -300,12 +352,18 @@ exp=§c{0} §6có§c {1} §6kinh nghiệm (cấp§c {2}§6) và cần§c {3} §6
expCommandDescription=Cho, thiết lập, khôi phục, hoặc xem kinh nghiệm của người chơi.
expCommandUsage=/<command> [reset|show|set|give] [playername [amount]]
expCommandUsage1=/<câu lệnh> give <tên> <số lượng>
expCommandUsage1Description=Cung cấp cho người chơi mục tiêu số lượng kinh nghiệm được chỉ định
expCommandUsage2=/<command> set <playername> <amount>
expCommandUsage2Description=Chỉnh kinh nghiệm của người chơi mục tiêu theo số lượng đã chỉ định
expCommandUsage3=/<command> show <playername>
expCommandUsage4Description=Hiển thị lượng kinh nghiệm mà người chơi mục tiêu có
expCommandUsage5=/<command> reset <playername>
expCommandUsage5Description=Đặt lại số lượng kinh nghiệm của người chơi mục tiêu về 0
expSet=§c{0} §6hiện có§c {1} §6kinh nghiệm.
extCommandDescription=Dập tắt người chơi.
extCommandUsage=/<command> [người chơi]
extCommandUsage1=/<command> [người chơi]
extCommandUsage1Description=Tự dập tắt chính mình hoặc người chơi khác nếu được chỉ định
extinguish=§6Bạn đã dập tắt bản thân.
extinguishOthers=§6Bạn đã dập tắt {0}§6.
failedToCloseConfig=Đóng cấu hình thất bại {0}.
@ -316,41 +374,63 @@ feed=§6Bạn đã hết đói.
feedCommandDescription=Làm thoả mãn cơn đói.
feedCommandUsage=/<command> [người chơi]
feedCommandUsage1=/<command> [người chơi]
feedCommandUsage1Description=Hồi đầy thanh thức ăn cho chính bạn hoặc người chơi khác nếu được chỉ định
feedOther=§6Bạn đã làm no §c{0}§6.
fileRenameError=Đổi tên tệp {0} thất bại\!
fireballCommandDescription=Ném một quả cầu lửa hoặc các loại đạn khác.
fireballCommandUsage=/<command> [fireball|small|large|arrow|skull|egg|snowball|expbottle|dragon|splashpotion|lingeringpotion|trident] [speed]
fireballCommandUsage1=/<command>
fireballCommandUsage1Description=Ném một quả cầu lửa từ vị trí của bạn
fireballCommandUsage2=/<command> <fireball|small|large|arrow|skull|egg|snowball|expbottle|dragon|splashpotion|lingeringpotion|trident> [speed]
fireballCommandUsage2Description=Ném loại đạn được chỉ định từ vị trí của bạn, với tốc độ tùy chọn
fireworkColor=§4Tham số được chèn nạp pháo hoa không hợp lệ, bạn phải đặt một màu trước.
fireworkCommandDescription=Cho phép bạn sửa đổi một stack pháo hoa.
fireworkCommandUsage=/<command> <<meta param>|power [amount]|clear|fire [amount]>
fireworkCommandUsage1=/<command> clear
fireworkCommandUsage1Description=Xóa tất cả các hiệu ứng từ pháo hoa của bạn
fireworkCommandUsage2=/<command> power <amount>
fireworkCommandUsage2Description=Chỉnh sức mạnh của pháo hoa
fireworkCommandUsage3=/<command> fire [amount]
fireworkCommandUsage3Description=Phóng một hoặc số lượng đã chỉ định, các bản sao của pháo hoa được giữ
fireworkCommandUsage4=/<command> <meta>
fireworkCommandUsage4Description=Thêm hiệu ứng đã cho vào pháo hoa
fireworkEffectsCleared=§6Đã loại bỏ tất cả các hiệu ứng từ đống đang giữ.
fireworkSyntax=§6Thông số pháo hoa\:§c màu\:<màu> [fade\:<màu>] [shape\:<hình dạng>] [effect\:<hiệu ứng>]\n§6Để sử dụng nhiều màu/hiệu ứng, ngăn cách chúng với dấu phẩy\: §cred,blue,pink\n§6Hình dạng\:§c star, ball, large, creeper, burst §6Hiệu ứng\:§c trail, twinkle.
fixedHomes=Đã xóa nhà không hợp lệ.
fixingHomes=Đang xóa nhà không hợp lệ...
flyCommandDescription=Cất cánh, và bay lên\!
flyCommandUsage=/<command> [player] [on|off]
flyCommandUsage1=/<command> [người chơi]
flyCommandUsage1Description=Bật tắt bay cho chính bạn hoặc người chơi khác nếu được chỉ định
flying=bay
flyMode=§6Đặt chế độ bay§c {0} §6cho {1}§6.
foreverAlone=§4Bạn không có ai để trả lời.
fullStack=§4Bạn đã có một đống đầy đủ rồi.
fullStackDefault=§6Ngăn xếp của bạn đã được đặt thành kích thước mặc định, §c{0}§6.
fullStackDefaultOversize=§6Ngăn xếp của bạn đã được đặt ở kích thước tối đa, §c{0}§6.
gameMode=§6Đặt chế độ chơi§c {0} §6cho §c{1}§6.
gameModeInvalid=§4Bạn cần chỉ định một người chơi/chế độ hợp lệ.
gamemodeCommandDescription=Đổi chế độ chơi của người chơi.
gamemodeCommandUsage=/<command> <survival|creative|adventure|spectator> [player]
gamemodeCommandUsage1=/<command> <survival|creative|adventure|spectator> [player]
gamemodeCommandUsage1Description=Đặt chế độ trò chơi của bạn hoặc người chơi khác nếu được chỉ định
gcCommandDescription=Báo cáo bộ nhớ, thời gian hoạt động và đánh dấu thông tin.
gcCommandUsage=/<command>
gcfree=§6Bộ nhớ trống\:§c {0} MB.
gcmax=§6Bộ nhớ tối đa\:§c {0} MB.
gctotal=§6Bộ nhớ có sẵn\:§c {0} MB.
gcWorld=§6{0} "§c{1}§6"\: §c{2}§6 mảnh, §c{3}§6 thực thể, §c{4}§6 khối.
geoipJoinFormat=§6Người chơi §c{0} §6đến từ §c{1}§6.
getposCommandDescription=Nhận tọa độ hiện tại của bạn hoặc của người chơi.
getposCommandUsage=/<command> [người chơi]
getposCommandUsage1=/<command> [người chơi]
getposCommandUsage1Description=Nhận tọa độ của bạn hoặc người chơi khác nếu được chỉ định
giveCommandDescription=Cho người chơi vật phẩm.
giveCommandUsage=/<command> <player> <item|numeric> [amount [itemmeta...]]
giveCommandUsage1=/<command> <player> <item> [amount]
giveCommandUsage1Description=Cung cấp cho người chơi với số lượng 64 (hoặc số lượng được chỉ định) của vật phẩm được chỉ định
giveCommandUsage2=/<command> <player> <item> <amount> <meta>
giveCommandUsage2Description=Cung cấp cho người chơi số lượng vật phẩm được chỉ định với siêu dữ liệu đã cho
geoipCantFind=§6Người chơi §c{0} §6đến từ §ađất nước không xác định§6.
geoIpErrorOnJoin=Không thể lấy dữ liệu GeoIP cho {0}. Hãy chắc chắn rằng khoá bản quyền và các thiết lập của bạn chính xác.
geoIpLicenseMissing=Không tìm thấy khoá bản quyền\! Truy cập https\://essentialsx.net/geoip để xem hướng dẫn thiết lập cho lần đầu tiên.
@ -360,16 +440,24 @@ givenSkull=§6Bạn đã nhận được đầu của §c{0}§6.
godCommandDescription=Thức tỉnh sức mạnh thần thánh của bạn.
godCommandUsage=/<command> [player] [on|off]
godCommandUsage1=/<command> [người chơi]
godCommandUsage1Description=Chuyển đổi chế độ thần cho bạn hoặc người chơi khác nếu được chỉ định
giveSpawn=§6Gửi§c {0} §6của§c {1} đến§c {2}§6.
giveSpawnFailure=§4Không đủ chỗ trống, §c{0} §c{1} §4đã bị mất.
godDisabledFor=§cvô hiệu hoá§6 cho§c {0}
godEnabledFor=§akích hoạt§6 cho§c {0}
godMode=§6Chế độ bất tử§c {0}§6.
grindstoneCommandDescription=Mở ra một viên đá mài.
grindstoneCommandUsage=/<command>
groupDoesNotExist=§4Không có ai đang trực tuyến trong nhóm\!
groupNumber=§c{0}§f trực tuyến, danh sách đầy đủ\:§c /{1} {2}
hatArmor=§4Bạn không thể sử dụng vật phẩm này như là nón\!
hatCommandDescription=Nhận một số mũ mới mát mẻ.
hatCommandUsage=/<command> [remove]
hatCommandUsage1=/<command>
hatCommandUsage1Description=Đội vật phẩm bạn đang cầm
hatCommandUsage2=/<command> remove
hatCommandUsage2Description=Loại bỏ chiếc mũ hiện tại của bạn
hatCurse=§4Bạn không thể bỏ chiếc mũ có lời nguyền trói buộc\!
hatEmpty=§4Bạn đang không đội nón.
hatFail=§4Bạn cần phải có một cái gì đó trên tay để đội.
hatPlaced=§6Thưởng thức chiếc mũ mới nào\!
@ -388,25 +476,41 @@ helpLine=§6/{0}§r\: {1}
helpMatching=§6Lệnh đang khớp "§c{0}§6"\:
helpOp=§4[Trợ giúp OP]§r §6{0}\:§r {1}
helpPlugin=§4{0}§r\: Trợ giúp Plugin\: /help {1}
helpopCommandUsage1Description=Gửi tin nhắn được cho đến tất cả các Admin đang online
holdBook=§4Bạn không đang giữ quyển sách có thể viết được.
holdFirework=§4Bạn cần phải đang giữ pháo hoa để thêm hiệu ứng.
holdPotion=§4Bạn phải giữ chai thuốc để áp dụng hiệu ứng cho nó.
holeInFloor=§4Hố tử thần\!
homeCommandDescription=Dịch chuyển về nhà.
homeCommandUsage=/<command> [người chơi\:][tên]
homeCommandUsage1=/<command> <name>
homeCommandUsage1Description=Dịch chuyển bạn đến nhà của bạn với tên được cho
homeCommandUsage2=/<command> <player>\:<name>
homeCommandUsage2Description=Dịch chuyển bạn đến nhà của người chơi được chỉ định với tên được cho
homes=§6Nhà\:§r {0}
homeConfirmation=§6Bạn đã có một ngôi nhà tên là §c{0} §6rồi\!\nĐể ghi đè lên ngôi nhà hiện tại của bạn, hãy nhập lại lệnh.
homeRenamed=§6Nhà §c{0} §6đã được đổi tên thành §c{1}§6.
homeSet=§6Nhà được đặt lại vị trí hiện tại.
hour=giờ
hours=giờ
ice=§6Bạn cảm thấy lạnh hơn nhiều...
iceCommandDescription=Làm mát một người chơi.
iceCommandUsage=/<command> [người chơi]
iceCommandUsage1=/<command>
iceCommandUsage1Description=Làm mát chính bạn
iceCommandUsage2Description=Làm mát người chơi được cho
iceCommandUsage3Description=Làm mát tất cả người chơi đang online
iceOther=§6Làm lạnh§c {0}§6.
ignoreCommandDescription=Phớt lờ hoặc bỏ trạng thái phớt lờ với những người chơi khác.
ignoreCommandUsage1Description=Phớt lờ hoặc bỏ trạng thái phớt lờ với người chơi đã cho
ignoredList=§6Danh sách chặn\:§r {0}
ignoreExempt=§4Bạn không thể chặn người chơi này.
ignorePlayer=§6Bạn đã từ chối§c {0} §6từ giờ trở đi.
illegalDate=Định dạng ngày không hợp lệ.
infoAfterDeath=§6Bạn đã chết vào §e{0} §6ở §e{1}, {2}, {3}§6.
infoChapter=§6Chọn chương\:
infoChapterPages=§e ---- §6{0} §e--§6 Trang §c{1}§6 của §c{2} §e----
infoCommandDescription=Hiển thị thông tin do chủ server đặt.
infoPages=§e ---- §6{2} §e--§6 Trang §c{0}§6/§c{1} §e----
infoUnknownChapter=§4Chương không xác định.
insufficientFunds=§4Số dư hợp lệ không đủ.
@ -430,18 +534,30 @@ inventoryClearingAllItems=§6Đã xóa tất cả vật phẩm trong kho đồ t
inventoryClearingFromAll=§6Đang xóa túi đồ của tất cả người chơi...
inventoryClearingStack=§6Đã xoá bỏ§c {0} §6của§c {1} §6từ§c {2}§6.
invseeCommandDescription=Xem kho đồ của người chơi khác.
invseeCommandUsage1Description=Mở túi đồ của người chơi được chỉ định
invseeNoSelf=§Bạn chỉ có thể xem túi đồ của những người chơi khác.
is=lưu giữ
isIpBanned=§6Địa chỉ IP §c{0} §6đã bị cấm.
internalError=§cAn internal error occurred while attempting to perform this command.
itemCannotBeSold=§4Vật phẩm này không thể bán trên máy chủ.
itemCommandDescription=Tạo ra vật phẩm.
itemCommandUsage1Description=Cung cấp cho bạn một stack (hoặc số lượng được chỉ định) của vật phẩm được chỉ định
itemCommandUsage2Description=Cung cấp cho bạn số lượng được chỉ định của vật phẩm được chỉ định với siêu dữ liệu đã cho
itemId=§6ID\:§c {0}
itemloreClear=§6Đã xoá bỏ truyền thuyết của vật phẩm.
itemloreCommandDescription=Thay đổi truyền thuyết vật phẩm.
itemloreCommandUsage1Description=Thêm văn bản đã cho vào cuối lore của vật phẩm được giữ
itemloreCommandUsage2Description=Đặt dòng đã chỉ định của lore của vật phẩm được cầm thành văn bản đã cho
itemloreCommandUsage3=/<command> clear
itemloreCommandUsage3Description=Xóa lore của vật phẩm được cầm
itemloreInvalidItem=§4Bạn cần cầm một vật phẩm để chỉnh sửa dòng mô tả của nó.
itemloreNoLine=§4Vật phẩm bạn cầm không có lore trên dòng §c{0}§4.
itemloreNoLore=§4Vật phẩm bạn cầm không có bất kỳ dòng lore nào.
itemloreSuccess=§6Bạn đã thêm "§c{0}§6" vào lore của vật phẩm bạn cầm.
itemMustBeStacked=§4Vật phẩm đổi được phải đầy. Một số lượng đầy hơn nó sẽ thành hai, v.v....
itemNames=§6Tên thu gọn\:§r {0}
itemnameClear=§6Bạn đã xóa tên vật phẩm này.
itemnameCommandDescription=Đặt tên cho một vật phẩm.
itemnameCommandUsage1=/<command>
itemnameCommandUsage2=/<command> <name>
itemnameInvalidItem=§cBạn phải giữ vật phẩm trên tay để đổi tên.
@ -490,22 +606,43 @@ kitItem=§6- §f{0}
kitNotFound=§4Bộ dụng cụ này không tồn tại.
kitOnce=§4Bạn không thể dùng bộ dụng cụ này lần nữa.
kitReceive=§6Đã nhận bộ dụng cụ§c {0}§6.
kitresetCommandUsage1Description=Đặt lại thời gian hồi chiêu của một kit được chỉ định cho bạn hoặc người chơi khác nếu được chỉ định
kitResetOther=§6Đặt lại bộ §c{0} §6thời gian hồi chiêu cho §c{1}§6.
kits=§6Bộ dụng cụ\:§r {0}
kittycannonCommandDescription=Ném một con mèo con phát nổ vào đối thủ của bạn.
kittycannonCommandUsage=/<command>
kitTimed=§4Bạn không thể dùng bộ dụng cụ này trong§c {0}§4.
leatherSyntax=§6Cú pháp đổi màu da thuộc\: color\:<đỏ>,<lục>,<lam> eg\: color\:255,0,0 hoặc color\:<rgb int> eg\: color\:16777011
lightningCommandDescription=Sức mạnh của Thor. Đánh vào con trỏ hoặc người chơi.
lightningCommandUsage1=/<command> [người chơi]
lightningCommandUsage1Description=Đánh sét vào nơi bạn đang nhìn hoặc ở người chơi khác nếu được chỉ định
lightningCommandUsage2Description=Đánh sét vào người chơi mục tiêu với sức mạnh nhất định
lightningSmited=§6Bạn đã bị sét đánh\!
lightningUse=§6Sét đánh§c {0}
linkCommandDescription=Tạo một mã để liên kết tài khoản Minecraft của bạn với Discord.
linkCommandUsage=/<command>
linkCommandUsage1=/<command>
linkCommandUsage1Description=Tạo mã cho lệnh /link trên Discord
listAfkTag=§7[Treo máy]§r
listAmount=§6Có §c{0}§6 trong tối đa §c{1}§6 người chơi trực tuyến.
listAmountHidden=§6Có §c{0}§6/§c{1}§6 của tối đa §c{2}§6 người chơi trực tuyến.
listCommandDescription=Liệt kê tất cả người chơi online.
listCommandUsage1Description=Liệt kê tất cả người chơi trên server hoặc nhóm đã cho nếu được chỉ định
listGroupTag=§6{0}§r\:
listHiddenTag=§7[Ẩn thân]§r
loadWarpError=§4Tải khu vực {0} ¤7thất bại.
loomCommandDescription=Mở ra một khung cửi.
loomCommandUsage=/<command>
mailClear=§6Để xóa thư, gõ§c /mail clear§6.
mailCleared=§6Đã dọn thư\!
mailClearIndex=§4Bạn phải chỉ định một số trong khoảng từ 1-{0}.
mailCommandDescription=Quản lý thư liên người chơi, nội bộ máy chủ.
mailCommandUsage1Description=Đọc trang đầu tiên (hoặc được chỉ định) trong thư của bạn
mailCommandUsage2Description=Xóa tất cả hoặc (các) thư được chỉ định
mailCommandUsage3Description=Gửi cho người chơi được chỉ định tin nhắn đã cho
mailCommandUsage4Description=Gửi cho tất cả người chơi tin nhắn đã cho
mailCommandUsage5Description=Gửi cho người chơi được chỉ định tin nhắn đã cho sẽ hết hạn trong thời gian quy định
mailCommandUsage6Description=Gửi cho tất cả người chơi tin nhắn đã cho sẽ hết hạn trong thời gian quy định
mailDelay=Quá nhiều thư đã được gửi trong cùng một phút. Nhiều nhất là\: {0}
mailFormat=§6[§r{0}§6] §r{1}
mailMessage={0}
@ -518,6 +655,8 @@ maxHomes=§4Bạn không thể đặt nhiều hơn§c {0} §4nhà.
maxMoney=§4Giao dịch này sẽ vượt quá giới hạn tiền cho tài khoản nàyN không được hổ trợ trong phiên bản Bukkit này.
mayNotJail=§4Bạn không thể giam người chơi này\!
mayNotJailOffline=§4Bạn không thể giam người chơi ngoại tuyến.
meCommandDescription=Mô tả một hành động trong ngữ cảnh của người chơi.
meCommandUsage1Description=Diễn tả một hành động
meSender=tôi
meRecipient=tôi
minimumPayAmount=§cSố tiền thấp nhất bạn có thể chuyển là {0}.
@ -533,6 +672,7 @@ moneyRecievedFrom=§a{0}§6 đã nhận được từ§a {1}§6.
moneySentTo=§aĐã gửi{0} đến {1}.
month=tháng
months=tháng
moreCommandDescription=Làm đầy stack vật phẩm trong tay đến số lượng đã chỉ định hoặc đến kích thước tối đa nếu không có kích thước nào được chỉ định.
moreThanZero=§4Số lượng phải lớn hơn 0.
moveSpeed=§6Đặt tốc độ§c {0}§6 thành§c {1} §6trong §c{2}§6.
msgDisabled=§6Đã §ctắt§6 chế độ nhận thư.
@ -543,6 +683,7 @@ msgFormat=§6[§c{0}§6 -> §c{1}§6] §r{2}
msgIgnore=§c{0} §4đã tắt trò chuyện riêng.
msgtoggleCommandUsage=/<command> [player] [on|off]
msgtoggleCommandUsage1=/<command> [người chơi]
msgtoggleCommandUsage1Description=Bật tắt bay cho chính bạn hoặc người chơi khác nếu được chỉ định
multipleCharges=§4Bạn không thể thêm nhiều hơn 1 việc cho pháo hoa này.
multiplePotionEffects=§4Bạn không thể đặt nhiều hơn một hiệu ứng cho thuốc này.
mutedPlayer=§6Người chơi§c {0} §6đã bị cấm trò chuyện.
@ -853,6 +994,8 @@ unknownItemInList=§4Vật phẩm {0} trong danh sách {1} không xác định.
unknownItemName=§4Tên vật phẩm không xác định\: {0}.
unlimitedItemPermission=§4Không có quyền dùng vật phẩm vô hạn §c{0}§4.
unlimitedItems=§6Vật phẩm vô hạn\:§r
unlinkCommandUsage=/<command>
unlinkCommandUsage1=/<command>
unmutedPlayer=§6Người chơi§c {0} §6đã có thể trò chuyện trở lại.
unsafeTeleportDestination=§4Điểm dịch chuyển đến là không an toàn và mục "teleport-safety" đã bị tắt.
unsupportedFeature=§4Tính năng này không được hỗ trợ trên phiên bản máy chủ hiện tại.

View File

@ -95,9 +95,9 @@ bookCommandUsage=/<command> [标题|作者 [名字]]
bookCommandUsage1=/<command>
bookCommandUsage1Description=锁定或解锁一本已签名的书(或书与笔)
bookCommandUsage2=/<command> author <作者>
bookCommandUsage2Description=设置已签名书的作者
bookCommandUsage2Description=设置书的作者
bookCommandUsage3=/<command> title <标题>
bookCommandUsage3Description=设置已签名书的标题
bookCommandUsage3Description=设置书的标题
bookLocked=§6这本书现在被锁定了。
bookTitleSet=§6这本书的标题已被设置为{0}。
breakCommandDescription=破坏你光标所指向的方块。
@ -240,6 +240,12 @@ discordbroadcastCommandUsage1Description=将给定的消息发送到指定的Dis
discordbroadcastInvalidChannel=§4Discord频道§c{0}§4不存在。
discordbroadcastPermission=§4你没有向§c{0}§4频道发送消息的权限
discordbroadcastSent=§6消息已发送到§c{0}§6
discordCommandAccountArgumentUser=想要查找的Discord账号
discordCommandAccountDescription=为你或其他Discord用户查找绑定的Minecraft账号
discordCommandAccountResponseLinked=你的账号已绑定Minecraft账号**{0}**
discordCommandAccountResponseLinkedOther={0}的账号已绑定Minecraft账号**{1}**
discordCommandAccountResponseNotLinked=你没有绑定的Minecraft账号。
discordCommandAccountResponseNotLinkedOther={0}没有绑定的Minecraft账号。
discordCommandDescription=将Discord邀请链接发送给玩家。
discordCommandLink=加入我们的Discord服务器邀请链接§c{0}§6
discordCommandUsage=/<command>
@ -248,12 +254,20 @@ discordCommandUsage1Description=将Discord邀请链接发送给玩家
discordCommandExecuteDescription=在Minecraft服务器上执行控制台命令。
discordCommandExecuteArgumentCommand=要执行的命令
discordCommandExecuteReply=执行命令:"/{0}"
discordCommandUnlinkDescription=将你的Minecraft账号与其当前绑定的Discord账号解绑
discordCommandUnlinkInvalidCode=你目前没有和Discord相绑定的Minecraft账号
discordCommandUnlinkUnlinked=成功解除了你的Discord账号与Minecraft相关账号之间的所有绑定。
discordCommandLinkArgumentCode=游戏内给出的用于绑定你的Minecraft账号的代码
discordCommandLinkDescription=在游戏内使用/link命令来将你的Minecraft账号与Discord账号相绑定
discordCommandLinkHasAccount=你已经绑定了一个账号!要解绑现在的账号,请输入/unlink。
discordCommandLinkInvalidCode=无效的绑定代码!请确保你已经在游戏中使用了/link命令且正确复制了代码。
discordCommandLinkLinked=成功绑定账号!
discordCommandListDescription=显示在线玩家列表。
discordCommandListArgumentGroup=指定一个特定的组来缩小搜索范围
discordCommandMessageDescription=在Minecraft服务器上向一个玩家发送消息。
discordCommandMessageArgumentUsername=将收到消息的玩家
discordCommandMessageArgumentMessage=将给玩家发送的消息
discordErrorCommand=你尚未正确地将机器人添加进服务器。请先按照配置里的教程做然后通过https\://essentialsx.net/discord.html添加你的机器人
discordErrorCommand=没有正确地将机器人添加进你的服务器请先按照配置里的教程操作然后通过这个链接添加你的机器人https\://essentialsx.net/discord.html
discordErrorCommandDisabled=此命令已禁用!
discordErrorLogin=登录Discord时发生错误插件已自行停用\n{0}
discordErrorLoggerInvalidChannel=由于无效的频道定义值导致Discord控制台日志记录被禁用如果你确实就打算禁用日志记录请将频道ID的值设为“none”否则请检查频道ID是否设置正确。
@ -265,8 +279,20 @@ discordErrorNoPrimary=你没有设置主频道或设置的主频道无效。已
discordErrorNoPrimaryPerms=你的机器人无法在你的主频道\#{0}中说话。 请确保你的机器人在你想要使用的频道中都拥有读取及发送消息的权限。
discordErrorNoToken=未提供令牌!请按照配置里的教程来设置插件。
discordErrorWebhook=在传输信息到控制台频道时发生了错误这很有可能是因为控制台的webhook被意外删除而导致的。这通常可以通过让你的机器人得到“管理Webhook”权限然后使用“/ess reload”来修复。
discordLinkInvalidGroup=身份组{1}被分配了无效的组{0}。当前以下组可用:{2}
discordLinkInvalidRole=组{1}提供了一个无效的身份组ID{0}。你可以在Discord中使用/roleinfo命令来查看身份组ID。
discordLinkInvalidRoleInteract=身份组{0}{1})不能在组 -> 身份组之间同步,因为它的权限高于你的机器人的最高身份组。 请将你的机器人身份组移动到“{0}”以上,或者将“{0}”移动到你机器人的身份组之下。
discordLinkInvalidRoleManaged=身份组{0}{1})不能在组 -> 身份组之间同步,因为它是由另一个机器人或集成管理的。
discordLinkLinked=§6若要绑定你的Minecraft与Discord账号请在Discord服务器中输入§c{0}§6。
discordLinkLinkedAlready=§6你的Discord账号已经绑定过了如果你想要解绑请使用§c/unlink§6。
discordLinkLoginKick=§6你必须绑定Discord账号才能加入此服务器。\n§6要将你的Minecraft账号与Discord账号绑定请在这个服务器的Discord服务器中输入\n§c{0}\n§6Discord服务器地址\n§c{1}
discordLinkLoginPrompt=§6你必须绑定你的Discord账号才能在此服务器上进行交互。 要将你的Minecraft账号与Discord绑定请在本服务器的Discord服务器中输入§c{0}§6服务器地址§c{1}
discordLinkNoAccount=§6目前你的Minecraft账号没有绑定Discord账号。
discordLinkPending=§6你已经有了一个绑定代码。要完成绑定你的Minecraft与Discord账号请在Discord服务器中输入§c{0}§6。
discordLinkUnlinked=§6把你的Minecraft账号与所有相关Discord账号解绑。
discordLoggingIn=正在尝试登录到Discord…
discordLoggingInDone=成功以{0}的身份登录
discordMailLine=**来自{0}的新邮件:**{1}
discordNoSendPermission=无法在频道 \#{0} 中发送消息。请确认机器人在该频道中拥有“发送消息”权限!
discordReloadInvalid=尝试在插件处于无效状态时加载EssentialsX Discord的配置文件如果你修改了配置文件请重启服务器。
disposal=垃圾桶
@ -281,7 +307,7 @@ dumpDeleteKey=§6如果你想在以后删除此转储文件请使用以下删
dumpError=§4在创建转储文件§c{0}§4时出错。
dumpErrorUpload=§4在上传§c{0}§4时发生错误§c{1}
dumpUrl=§6已创建服务器转储文件§c{0}
duplicatedUserdata=复制了玩家数据:{0} 和 {1}
duplicatedUserdata=重复的玩家数据:{0} 和 {1}。
durability=§6这个工具剩余耐久值为§4{0}§6。
east=E
ecoCommandDescription=管理服务器的经济。
@ -482,6 +508,7 @@ homeCommandUsage2=/<command> <玩家>\:<名字>
homeCommandUsage2Description=传送到你选定玩家的指定家
homes=§6家§r{0}
homeConfirmation=§6你已经拥有了一个名叫§c{0}§6的家\n若要覆盖请再输一次命令。
homeRenamed=§6家§c{0}已被重命名为§c{1}§6。
homeSet=§6已在你当前的位置设置家。
hour=小时
hours=小时
@ -534,6 +561,7 @@ invseeCommandDescription=查看其他玩家的物品栏。
invseeCommandUsage=/<command> <玩家>
invseeCommandUsage1=/<command> <玩家>
invseeCommandUsage1Description=打开指定玩家的物品栏
invseeNoSelf=§c你只能查看其他玩家的物品栏。
is=
isIpBanned=§6IP地址§c{0}§6已被封禁。
internalError=§c尝试执行此命令时发生未知错误。
@ -659,6 +687,10 @@ lightningCommandUsage2=/<command> <玩家> <强度>
lightningCommandUsage2Description=以指定强度的闪电轰击指定玩家
lightningSmited=§6你被雷击中了
lightningUse=§6雷击中了§c{0}
linkCommandDescription=生成一个代码将你的Minecraft账号与Discord绑定。
linkCommandUsage=/<command>
linkCommandUsage1=/<command>
linkCommandUsage1Description=生成一个代码来在Discord上使用/link命令
listAfkTag=§7[离开]§r
listAmount=§6当前有§c{0}§6位玩家在线可容纳最大在线人数为§c{1}§6位玩家。
listAmountHidden=§6当前有§c{0}§6/§c{1}§6位玩家在线可容纳最大在线人数为§c{2}§6。
@ -1008,6 +1040,12 @@ removeCommandUsage1Description=移除目前(或指定)世界所有指定类
removeCommandUsage2=/<command> <生物类型> <范围> [世界]
removeCommandUsage2Description=移除目前(或指定)世界所有给定范围内指定类型的生物
removed=§6移除了§c{0}§6个实体。
renamehomeCommandDescription=为一个家重命名。
renamehomeCommandUsage=/<command> <[玩家\:]昵称> <新昵称>
renamehomeCommandUsage1=/<command> <昵称> <新昵称>
renamehomeCommandUsage1Description=用指定名字重命名你的家。
renamehomeCommandUsage2=/<command> <玩家>\:<昵称> <新昵称>
renamehomeCommandUsage2Description=用指定名字重命名某个玩家的家
repair=§6你成功地修复了§c{0}§6。
repairAlreadyFixed=§4该物品无需修复。
repairCommandDescription=修复一个(或所有)物品的耐久值。
@ -1019,7 +1057,7 @@ repairCommandUsage2Description=修复你物品栏中的所有物品
repairEnchanted=§4你无权修复附魔物品。
repairInvalidType=§4该物品无法修复。
repairNone=§4没有需要修理的物品。
replyFromDiscord=**回复自{0}**`{1}`
replyFromDiscord=**来自{0}的回复:**{1}
replyLastRecipientDisabled=§6已§c禁用§6回复最后一位消息发送者。
replyLastRecipientDisabledFor=§6已为§c{0}禁用§6回复最后一位消息发送者。
replyLastRecipientEnabled=§6已§c启用§6回复最后一位消息发送者。
@ -1393,6 +1431,10 @@ unlimitedCommandUsage3=/<command> clear [玩家]
unlimitedCommandUsage3Description=清除你(或其他玩家)的所有设为无限的物品
unlimitedItemPermission=§4你没有权限来使用无限§c{0}§4。
unlimitedItems=§6无限物品§r
unlinkCommandDescription=将你的Minecraft与当前的Discord账号解绑。
unlinkCommandUsage=/<command>
unlinkCommandUsage1=/<command>
unlinkCommandUsage1Description=将你的Minecraft与当前的Discord账号解绑。
unmutedPlayer=§6玩家§c{0}§6被解除禁言。
unsafeTeleportDestination=§4传送目的地不安全且安全传送处于禁用状态。
unsupportedBrand=§4您正在运行的服务器版本没有为此功能提供支持。
@ -1413,6 +1455,9 @@ userIsAwaySelf=§7你暂时离开了。
userIsAwaySelfWithMessage=§7你暂时离开了。
userIsNotAwaySelf=§7你回来了。
userJailed=§6你已被囚禁
usermapEntry=已将§c{0}§6关联至§c{1}§6。
usermapPurge=正在检查没有建立关联的玩家数据文件,结果将被记录到控制台。允许修改数据:{0}
usermapSize=§6当前已缓存的用户在关联表中的大小是§c{0}§6/§c{1}§6/§c{2}§6。
userUnknown=§4警告这位玩家“§c{0}§4”从来没有加入过服务器。
usingTempFolderForTesting=使用缓存文件夹来测试:
vanish=§6已设置{0}§6的隐身模式为{1}

View File

@ -48,10 +48,10 @@ backupStarted=§6開始備份。
backupInProgress=§6正在執行外部備份腳本直到備份完成前插件將會持續停用。
backUsageMsg=§6返回上一個位置。
balance=§a金錢餘額§c{0}
balanceCommandDescription=玩家目前的金錢餘額狀態
balanceCommandDescription=顯示玩家目前的金錢餘額。
balanceCommandUsage=/<command> [player]
balanceCommandUsage1=/<command>
balanceCommandUsage1Description=你目前的金錢餘額狀態
balanceCommandUsage1Description=顯示你目前的金錢餘額
balanceCommandUsage2=/<command> <player>
balanceCommandUsage2Description=顯示指定玩家目前的金錢餘額
balanceOther=§a{0}§a 的金錢餘額§c{1}
@ -81,7 +81,7 @@ bedOffline=§4無法傳送到離線玩家的床。
bedSet=§6已設定重生點
beezookaCommandDescription=向你的敵人投擲一隻爆炸蜜蜂。
beezookaCommandUsage=/<command>
bigTreeFailure=§4無法生成大樹,請在草地或泥土重試一次。
bigTreeFailure=§4生成大樹失敗,請在草地或泥土上再試一次。
bigTreeSuccess=§6已生成大樹。
bigtreeCommandDescription=在你的前方生成一棵大樹。
bigtreeCommandUsage=/<command> <tree|redwood|jungle|darkoak>
@ -122,7 +122,7 @@ cannotStackMob=§4你沒有堆疊多個生物的權限。
canTalkAgain=§6你已獲得發言資格。
cantFindGeoIpDB=找不到 GeoIP 資料庫!
cantGamemode=§4你沒有更改 {0} 的權限。
cantReadGeoIpDB=無法讀取 GeoIP 資料庫!
cantReadGeoIpDB=讀取 GeoIP 資料庫失敗
cantSpawnItem=§4你沒有生成物品§c {0}§4 的權限。
cartographytableCommandDescription=開啟製圖台。
cartographytableCommandUsage=/<command>
@ -147,8 +147,8 @@ commandArgumentOr=§c
commandArgumentRequired=§e
commandCooldown=§c請在 {0}後重新輸入指令。
commandDisabled=§c已停用指令§6 {0}§c。
commandFailed=無法執行指令 {0}
commandHelpFailedForPlugin=無法取得該插件的說明:{0}
commandFailed=執行指令 {0} 失敗
commandHelpFailedForPlugin=取得該插件的說明時發生錯誤{0}
commandHelpLine1=§6指令說明§f/{0}
commandHelpLine2=§6描述§f{0}
commandHelpLine3=§6用法
@ -164,12 +164,12 @@ condenseCommandUsage1=/<command>
condenseCommandUsage1Description=合成所有物品欄內的物品為更緊實的物品
condenseCommandUsage2=/<command> <item>
condenseCommandUsage2Description=合成指定物品為更緊實的物品
configFileMoveError=無法將 config.yml 檔案移到備份位置。
configFileRenameError=無法將暫存檔案重新命名為 config.yml。
configFileMoveError=將 config.yml 檔案移到備份位置失敗
configFileRenameError=將暫存檔案重新命名為 config.yml 失敗
confirmClear=§7若§l確認§7清空物品欄請再次輸入指令§6{0}
confirmPayment=§7若要§l確認§7支付 §6{0}§7請再次輸入指令§6{1}
connectedPlayers=§6目前線上玩家§r
connectionFailed=無法連接
connectionFailed=開啟連接失敗
consoleName=控制台
cooldownWithMessage=§4冷卻時間{0}
coordsKeyword={0}, {1}, {2}
@ -240,6 +240,12 @@ discordbroadcastCommandUsage1Description=傳送指定的訊息到指定的 Disco
discordbroadcastInvalidChannel=§4不存在 §c{0}§4 Discord 頻道。
discordbroadcastPermission=§4你沒有傳送訊息到 §c{0}§4 頻道的權限。
discordbroadcastSent=§6已傳送訊息到 §c{0}§6
discordCommandAccountArgumentUser=尋找 Discord 帳號
discordCommandAccountDescription=為你或其他 Discord 使用者尋找已連結的 Minecraft 帳號
discordCommandAccountResponseLinked=你的帳號已連結到 Minecraft 帳號:**{0}**
discordCommandAccountResponseLinkedOther={0} 的帳號已連結到 Minecraft 帳號:**{1}**
discordCommandAccountResponseNotLinked=你沒有已連結的 Minecraft 帳號。
discordCommandAccountResponseNotLinkedOther={0} 沒有已連結的 Minecraft 帳號。
discordCommandDescription=傳送 Discord 邀請連結給玩家。
discordCommandLink=§6加入我們的 Discord 伺服器§c{0}§6
discordCommandUsage=/<command>
@ -248,12 +254,20 @@ discordCommandUsage1Description=傳送 Discord 邀請連結給玩家
discordCommandExecuteDescription=在伺服器上執行控制台指令。
discordCommandExecuteArgumentCommand=要執行的指令
discordCommandExecuteReply=正在執行指令:「/{0}」
discordCommandUnlinkDescription=將你的 Minecraft 帳號與目前連結的 Discord 帳號解除連結
discordCommandUnlinkInvalidCode=你目前沒有和 Discord 連結的 Minecraft 帳號!
discordCommandUnlinkUnlinked=成功解除了你的 Discord 帳號與 Minecraft 帳號之間的相關連結。
discordCommandLinkArgumentCode=遊戲內給出用於連結你的 Minecraft 帳號的代碼
discordCommandLinkDescription=在遊戲內使用 /link 指令來將你的 Minecraft 帳號與 Discord 帳號連結
discordCommandLinkHasAccount=你已經完成了連結帳號!如果要解除連結現在的帳號,請輸入 /unlink。
discordCommandLinkInvalidCode=無效的連結代碼!請確保你已經在遊戲中使用了 /link 指令且正確地複製代碼。
discordCommandLinkLinked=成功地連結你的帳號!
discordCommandListDescription=列出所有線上玩家列表。
discordCommandListArgumentGroup=指定一個特定的群組來縮小搜尋範圍
discordCommandMessageDescription=向 Minecraft 伺服器中的玩家傳送訊息。
discordCommandMessageArgumentUsername=將收到訊息的玩家
discordCommandMessageArgumentMessage=要傳送給玩家的訊息
discordErrorCommand=你將機器人加入伺服器的方式錯誤,請遵照設定檔案中的教學並透過 https\://essentialsx.net/discord.html 加入你的機器人!
discordErrorCommand=錯誤地將機器人新增到伺服器!請按照配置中的教學並使用 https\://essentialsx.net/discord.html 新增你的機器人。
discordErrorCommandDisabled=該指令已被停用!
discordErrorLogin=登入 Discord 時發生錯誤,故插件已自行停用:\n{0}
discordErrorLoggerInvalidChannel=由於頻道定義無效Discord 控制台記錄已被停用!如果你原本就打算停用,請將頻道 ID 設為「none」否則請確認你的頻道 ID 是否正確。
@ -265,8 +279,20 @@ discordErrorNoPrimary=你還沒有定義主要頻道,或定義的主要頻道
discordErrorNoPrimaryPerms=你的機器人無法在主要頻道 \#{0} 中發言。請確保你的機器人在想要使用的所有頻道中都具有複寫權限。
discordErrorNoToken=未提供權杖!請遵照設定檔案中的教學來設定插件。
discordErrorWebhook=傳送訊息到你的控制台頻道時發生錯誤!這很有可能是因為控制台的 Webhook 被意外刪除而導致的。通常只要確保你的機器人有「管理 Webhooks」的權限然後執行「/ess reload」即可修復。
discordLinkInvalidGroup=身份組 {1} 被分配了無效的組 {0}。目前可供的使用組有:{2}
discordLinkInvalidRole=組 {1} 分配了一個無效的身份組 ID {0}。你可以在 Discord 中使用 /roleinfo 指令來查看身份組 ID。
discordLinkInvalidRoleInteract=身份組 {0}{1})不能在組 -> 身份組之間同步,因為它的權限高於你機器人的最高身份組。請將你的機器人身份組移動到「{0}」以上,或者將「{0}」移動到你機器人的身份組之下。
discordLinkInvalidRoleManaged=身份組 {0}{1})不能在組 -> 身份組之間同步,因為它是由另一個機器人或集成管理的。
discordLinkLinked=§6如果要綁定你的 Minecraft 與Discord 帳號,請在 Discord 伺服器中輸入 §c{0}§6。
discordLinkLinkedAlready=§6你的 Discord 帳號已經連結過了!如果你想要解除連結,請使用 §c/unlink§6。
discordLinkLoginKick=§6你必須連結 Discord 帳號才能加入該伺服器。\n§6如果要將你的 Minecraft 帳號與 Discord 帳號連結,請在這個伺服器的 Discord 伺服器中輸入:\n§c{0}\n§6Discord 伺服器位址:\n§c{1}
discordLinkLoginPrompt=§6你必須連結你的 Discord 帳號才能在該伺服器上移動、聊天或互動。如果要將你的 Minecraft 帳號與 Discord 連結,請在本伺服器的 Discord 伺服器中輸入 §c{0}§6伺服器位址§c{1}
discordLinkNoAccount=§6目前你的 Minecraft 帳號沒有連結 Discord 帳號。
discordLinkPending=§6你已經有了一個連結代碼。如果要完成連結你的 Minecraft 與 Discord 連結,請在 Discord 伺服器中輸入 §c{0}§6。
discordLinkUnlinked=§6把你的 Minecraft 帳號與所有相關 Discord 帳號解除連結。
discordLoggingIn=正在嘗試登入至 Discord……
discordLoggingInDone=成功以 {0} 的身分登入
discordMailLine=**來自 {0} 的新郵件\:** {1}
discordNoSendPermission=無法在頻道 \#{0} 中傳送訊息。請確保機器人在該頻道有「傳送訊息」的權限!
discordReloadInvalid=嘗試在插件處於無效狀態時,載入 EssentialsX Discord 配置檔案!如果你修改了配置檔案,請重新啟動伺服器。
disposal=垃圾桶
@ -281,7 +307,7 @@ dumpDeleteKey=§6若你稍後想刪除這份傾印檔案請使用這個刪除
dumpError=§4建立 §c{0}§4 傾印檔案時發生錯誤。
dumpErrorUpload=§4上傳 §c{0}§4 時發生錯誤§c{1}
dumpUrl=§6已建立伺服器傾印檔案§c{0}
duplicatedUserdata=已複製玩家資料:{0} 和 {1}。
duplicatedUserdata=玩家資料重複{0} 和 {1}。
durability=§6這個工具還有 §c{0}§6 點耐久度。
east=
ecoCommandDescription=管理伺服器經濟。
@ -354,9 +380,9 @@ extCommandUsage1=/<command> [player]
extCommandUsage1Description=熄滅你或指定玩家身上的火
extinguish=§6你熄滅了你自己身上的火。
extinguishOthers=§6你熄滅了 {0} §6身上的火。
failedToCloseConfig=無法關閉配置 {0}。
failedToCreateConfig=無法建立配置 {0}。
failedToWriteConfig=無法寫入配置 {0}。
failedToCloseConfig=關閉配置 {0} 失敗
failedToCreateConfig=建立配置 {0} 失敗
failedToWriteConfig=寫入配置 {0} 失敗
false=§4否§r
feed=§6你已經飽了。
feedCommandDescription=填飽飢餓值。
@ -364,7 +390,7 @@ feedCommandUsage=/<command> [player]
feedCommandUsage1=/<command> [player]
feedCommandUsage1Description=填飽你或指定玩家的飽食度
feedOther=§6你填飽了 §c{0}§6。
fileRenameError=無法重新命名檔案 {0}
fileRenameError=重新命名檔案 {0} 失敗
fireballCommandDescription=發射火球或各種子彈。
fireballCommandUsage=/<command> [fireball|small|large|arrow|skull|egg|snowball|expbottle|dragon|splashpotion|lingeringpotion|trident] [speed]
fireballCommandUsage1=/<command>
@ -482,6 +508,7 @@ homeCommandUsage2=/<command> <player>\:<name>
homeCommandUsage2Description=傳送你到指定玩家的家點
homes=§6家點§r{0}
homeConfirmation=§6你已有一個名為 §c{0}§6 的家點!\n若要覆蓋現有的家點請再次輸入指令。
homeRenamed=§6家點 §c{0} §6已重新命名為 §c{1}§6。
homeSet=§6已成功設立目前位置為家點。
hour=小時
hours=小時
@ -534,6 +561,7 @@ invseeCommandDescription=查看其他玩家的物品欄。
invseeCommandUsage=/<command> <player>
invseeCommandUsage1=/<command> <player>
invseeCommandUsage1Description=開啟指定玩家的物品欄
invseeNoSelf=§c你只能檢視其他玩家的物品欄。
is=
isIpBanned=§6IP 位址 §c{0} §6已被封禁。
internalError=§c執行該指令時發生內部錯誤。
@ -631,7 +659,7 @@ kitContains=§6工具包 §c{0} §6包含
kitCost=\ §7§o{0}§r
kitDelay=§m{0}§r
kitError=§4沒有有效的工具包。
kitError2=§4該工具包可能不存在或者被拒絕了,請聯繫管理員。
kitError2=§4該工具包的配置不正確。請聯絡管理員。
kitError3=無法給予玩家 {1} 工具包,因為工具包「{0}」需要 Paper 1.15.2+ 來反序列化。
kitGiveTo=§6給予§c {1} §6工具包§c {0}§6。
kitInvFull=§4你的物品欄已滿工具包將放在地上。
@ -659,6 +687,10 @@ lightningCommandUsage2=/<command> <player> <power>
lightningCommandUsage2Description=以指定的力量雷擊指定玩家
lightningSmited=§6你剛剛被雷擊中了
lightningUse=§6雷擊中了§c {0}§6
linkCommandDescription=產生一個代碼以將你的Minecraft 帳號與 Discord 連結。
linkCommandUsage=/<command>
linkCommandUsage1=/<command>
linkCommandUsage1Description=產生一個代碼來在 Discord 上使用 /link 指令
listAfkTag=§7[暫時離開]§r
listAmount=§6現在有 §c{0}§6 個玩家在線,最多在線人數為 §c{1}§6 個玩家。
listAmountHidden=§6現在有 §c{0}§6 個玩家在線(另外隱身 §c{1}§6 個),最多在線人數為 §c{2}§6 個玩家。
@ -669,7 +701,7 @@ listCommandUsage1Description=列出伺服器上所有或指定組別的玩家
listGroupTag=§6{0}§r
listHiddenTag=§7[隱身]§r
listRealName=({0})
loadWarpError=§4無法載入地標 {0}。
loadWarpError=§4載入地標 {0} 失敗
localFormat=§3[L] §r<{0}> {1}
loomCommandDescription=開啟織布機。
loomCommandUsage=/<command>
@ -833,7 +865,7 @@ noPlacePermission=§4你沒有在告示牌旁邊放置方塊的權限。
noPotionEffectPerm=§4你沒有應用特效 §c{0} §4到這個藥水的權限。
noPowerTools=§6你沒有綁定指令。
notAcceptingPay=§4{0} §4不接受付款。
notAllowedToLocal=§4你沒有生成該生物的權限。
notAllowedToLocal=§4你沒有在區域聊天的權限。
notAllowedToQuestion=&c你沒有使用提問的權限。
notAllowedToShout=你沒有使用喊話的權限。
notEnoughExperience=§4你沒有足夠的經驗值。
@ -1008,6 +1040,12 @@ removeCommandUsage1Description=移除目前世界的所有生物,若指定則
removeCommandUsage2=/<command> <mob type> <radius> [world]
removeCommandUsage2Description=移除目前世界指定半徑中的所有生物,若指定生物則移除指定半徑中的指定生物
removed=§6已移除§c {0} §6個實體。
renamehomeCommandDescription=重新命名家點。
renamehomeCommandUsage=/<command> <[player\:]name> <new name>
renamehomeCommandUsage1=/<command> <name> <new name>
renamehomeCommandUsage1Description=重新命名指定名稱的家點
renamehomeCommandUsage2=/<command> <player>\:<name> <new name>
renamehomeCommandUsage2Description=重新命名屬於指定玩家,指定名稱的家點
repair=§6你成功修好了 §c{0}§6。
repairAlreadyFixed=§4該物品無需修復。
repairCommandDescription=修復一個或多個物品的耐久度。
@ -1019,7 +1057,7 @@ repairCommandUsage2Description=修復物品欄的所有物品
repairEnchanted=§4你沒有修復附魔物品的權限。
repairInvalidType=§4該物品無法修復。
repairNone=§4沒有需要被修復的物品。
replyFromDiscord=**回覆自 {0}\: **「{1}」
replyFromDiscord=**來自 {0} 的回覆\:** {1}
replyLastRecipientDisabled=§c已停用§6回覆上一則訊息功能。
replyLastRecipientDisabledFor=§c已停用 {0} §6的回覆上一則訊息功能。
replyLastRecipientEnabled=§a已啟用§6回覆上一則訊息功能。
@ -1175,11 +1213,11 @@ spawned=已生成
spawnerCommandDescription=更改生怪磚生物類型。
spawnerCommandUsage=/<command> <mob> [delay]
spawnerCommandUsage1=/<command> <mob> [delay]
spawnerCommandUsage1Description=切換你前方的生怪磚生物類型並可自訂生成延遲
spawnerCommandUsage1Description=修改你看著的生怪磚裡的生物類型(可選自定義生怪延遲)
spawnmobCommandDescription=生成生物。
spawnmobCommandUsage=/<command> <mob>[\:data][,<mount>[\:data]] [amount] [player]
spawnmobCommandUsage1=/<command> <mob>[\:data] [amount] [player]
spawnmobCommandUsage1Description=在你或指定玩家的所在的位置,生成一個或指定數量的生物
spawnmobCommandUsage1Description=在你 (或指定玩家) 的位置生成一個 (或指定數量的) 指定的生物
spawnmobCommandUsage2=/<command> <mob>[\:data],<mount>[\:data] [amount] [player]
spawnmobCommandUsage2Description=在你 (或指定玩家) 的位置生成一個 (或指定數量的) 騎著另一個指定生物的指定生物
spawnSet=§6已設定§c {0}§6 組的重生點。
@ -1362,7 +1400,7 @@ treeCommandDescription=在你的前方生成一棵樹木。
treeCommandUsage=/<command> <tree|birch|redwood|redmushroom|brownmushroom|jungle|junglebush|swamp>
treeCommandUsage1=/<command> <tree|birch|redwood|redmushroom|brownmushroom|jungle|junglebush|swamp>
treeCommandUsage1Description=在你的前方生成指定類型的大樹
treeFailure=§4無法生成樹木,請在草地或泥土重試一次。
treeFailure=§4生成樹木失敗,請在草地或泥土上再試一次。
treeSpawned=§6已生成樹木。
true=§a是§r
typeTpacancel=§6若想取消傳送輸入 §c/tpacancel§6。
@ -1393,6 +1431,10 @@ unlimitedCommandUsage3=/<command> clear [player]
unlimitedCommandUsage3Description=清除你或指定玩家的所有無限物品
unlimitedItemPermission=§4你沒有使用無限物品 §c{0}§4 的權限。
unlimitedItems=§6無限物品§r
unlinkCommandDescription=將你的 Minecraft 與目前的 Discord 帳號解除連結。
unlinkCommandUsage=/<command>
unlinkCommandUsage1=/<command>
unlinkCommandUsage1Description=將你的 Minecraft 與目前的 Discord 帳號解除連結。
unmutedPlayer=§6玩家§c {0} §6被解除禁言。
unsafeTeleportDestination=§4傳送目的地不安全且安全傳送處於停用狀態。
unsupportedBrand=§4你正在運行的伺服器版本沒有為此功能提供支援。
@ -1402,8 +1444,8 @@ upgradingFilesError=更新檔案時發生錯誤。
uptime=§6已運行時間§c{0}
userAFK=§7{0} §5現在暫時離開可能沒辦法及時回應。
userAFKWithMessage=§7{0} §5現在暫時離開可能沒辦法及時回應{1}
userdataMoveBackError=無法移動 userdata/{0}.tmp 到 userdata/{1}
userdataMoveError=無法移動 userdata/{0} 到 userdata/{1}.tmp
userdataMoveBackError=移動 userdata/{0}.tmp 到 userdata/{1} 失敗
userdataMoveError=移動 userdata/{0} 到 userdata/{1}.tmp 失敗
userDoesNotExist=§4玩家§c {0} §4不存在。
uuidDoesNotExist=§4不存在具有 UUID §c{0} §4的玩家。
userIsAway=§7* {0} §7暫時離開了。
@ -1413,6 +1455,9 @@ userIsAwaySelf=§7你暫時離開了。
userIsAwaySelfWithMessage=§7你暫時離開了。
userIsNotAwaySelf=§7你回來了。
userJailed=§6你已被關進監獄
usermapEntry=§c{0} §6和 §c{1}§6 關聯。
usermapPurge=正在檢查檔案中沒有建立關聯的玩家,結果將被記錄到控制台。破壞模式:{0}
usermapSize=§6目前玩家地圖中的快取玩家是 §c{0}§6/§c{1}§6/§c{2}§6。
userUnknown=§4警告玩家「§c{0}§4」從來沒有加入過伺服器。
usingTempFolderForTesting=使用暫存資料夾來測試:
vanish=§6已{1} {0} §6的隱形模式。

View File

@ -2,8 +2,7 @@ package com.earth2me.essentials.chat;
import com.earth2me.essentials.Essentials;
import com.earth2me.essentials.EssentialsLogger;
import com.earth2me.essentials.chat.processing.LegacyChatHandler;
import com.earth2me.essentials.chat.processing.SignedChatHandler;
import com.earth2me.essentials.chat.processing.ChatHandler;
import com.earth2me.essentials.metrics.MetricsWrapper;
import net.ess3.api.IEssentials;
import org.bukkit.command.Command;
@ -32,13 +31,8 @@ public class EssentialsChat extends JavaPlugin {
return;
}
final SignedChatHandler signedHandler = new SignedChatHandler((Essentials) ess, this);
if (signedHandler.tryRegisterListeners()) {
getLogger().info("Secure signed chat and previews are enabled.");
} else {
final LegacyChatHandler legacyHandler = new LegacyChatHandler((Essentials) ess, this);
legacyHandler.registerListeners();
}
final ChatHandler legacyHandler = new ChatHandler((Essentials) ess, this);
legacyHandler.registerListeners();
if (metrics == null) {
metrics = new MetricsWrapper(this, 3814, false);

View File

@ -7,6 +7,10 @@ import com.earth2me.essentials.User;
import com.earth2me.essentials.chat.EssentialsChat;
import com.earth2me.essentials.utils.FormatUtil;
import net.ess3.api.events.LocalChatSpyEvent;
import net.essentialsx.api.v2.ChatType;
import net.essentialsx.api.v2.events.chat.ChatEvent;
import net.essentialsx.api.v2.events.chat.GlobalChatEvent;
import net.essentialsx.api.v2.events.chat.LocalChatEvent;
import org.bukkit.ChatColor;
import org.bukkit.Location;
import org.bukkit.Server;
@ -56,10 +60,10 @@ public abstract class AbstractChatHandler {
}
// Reuse cached IntermediateChat if available
ChatProcessingCache.IntermediateChat chat = cache.getIntermediateChat(event.getPlayer());
ChatProcessingCache.ProcessedChat chat = cache.getProcessedChat(event.getPlayer());
if (chat == null) {
chat = new ChatProcessingCache.IntermediateChat(user, getChatType(user, event.getMessage()), event.getMessage());
cache.setIntermediateChat(event.getPlayer(), chat);
chat = new ChatProcessingCache.ProcessedChat(user, getChatType(user, event.getMessage()), event.getMessage());
cache.setProcessedChat(event.getPlayer(), chat);
}
final long configRadius = ess.getSettings().getChatRadius();
@ -97,7 +101,7 @@ public abstract class AbstractChatHandler {
// Local, shout and question chat types are only enabled when there's a valid radius
if (chat.getRadius() > 0 && event.getMessage().length() > 0) {
if (chat.getType().isEmpty()) {
if (chat.getType() == ChatType.UNKNOWN) {
if (user.isToggleShout() && event.getMessage().charAt(0) == ess.getSettings().getChatShout()) {
event.setMessage(event.getMessage().substring(1));
}
@ -106,7 +110,7 @@ public abstract class AbstractChatHandler {
if (event.getMessage().charAt(0) == ess.getSettings().getChatShout() || (event.getMessage().charAt(0) == ess.getSettings().getChatQuestion() && ess.getSettings().isChatQuestionEnabled())) {
event.setMessage(event.getMessage().substring(1));
}
format = tl(chat.getType() + "Format", format);
format = tl(chat.getType().key() + "Format", format);
}
}
@ -114,9 +118,6 @@ public abstract class AbstractChatHandler {
synchronized (format) {
event.setFormat(format);
}
chat.setFormatResult(event.getFormat());
chat.setMessageResult(event.getMessage());
}
/**
@ -129,7 +130,7 @@ public abstract class AbstractChatHandler {
return;
}
final ChatProcessingCache.Chat chat = cache.getIntermediateOrElseProcessedChat(event.getPlayer());
final ChatProcessingCache.Chat chat = cache.getProcessedChat(event.getPlayer());
// If local chat is enabled, handle the recipients here; else we have nothing to do
if (chat.getRadius() < 1) {
@ -140,7 +141,7 @@ public abstract class AbstractChatHandler {
final User user = chat.getUser();
if (event.getMessage().length() > 0) {
if (chat.getType().isEmpty()) {
if (chat.getType() == ChatType.UNKNOWN) {
if (!user.isAuthorized("essentials.chat.local")) {
user.sendMessage(tl("notAllowedToLocal"));
event.setCancelled(true);
@ -149,15 +150,18 @@ public abstract class AbstractChatHandler {
event.getRecipients().removeIf(player -> !ess.getUser(player).isAuthorized("essentials.chat.receive.local"));
} else {
final String permission = "essentials.chat." + chat.getType();
final String permission = "essentials.chat." + chat.getType().key();
if (user.isAuthorized(permission)) {
event.getRecipients().removeIf(player -> !ess.getUser(player).isAuthorized("essentials.chat.receive." + chat.getType()));
return;
event.getRecipients().removeIf(player -> !ess.getUser(player).isAuthorized("essentials.chat.receive." + chat.getType().key()));
callChatEvent(event, chat.getType(), null);
} else {
final String chatType = chat.getType().name();
user.sendMessage(tl("notAllowedTo" + chatType.charAt(0) + chatType.substring(1).toLowerCase(Locale.ENGLISH)));
event.setCancelled(true);
}
user.sendMessage(tl("notAllowedTo" + chat.getType().substring(0, 1).toUpperCase(Locale.ENGLISH) + chat.getType().substring(1)));
event.setCancelled(true);
return;
}
}
@ -201,6 +205,12 @@ public abstract class AbstractChatHandler {
}
}
callChatEvent(event, ChatType.LOCAL, chat.getRadius());
if (event.isCancelled()) {
return;
}
if (outList.size() < 2) {
user.sendMessage(tl("localNoOne"));
}
@ -222,6 +232,28 @@ public abstract class AbstractChatHandler {
}
}
/**
* Re-create type-based chat event from the base chat event, call it and mirror changes back to the base chat event.
* @param event Event based on which a type-based event will be created, and to which changes will be applied.
* @param chatType Chat type which determines which event will be created and called.
* @param radius If chat is a local chat, this is a non-squared radius used to calculate recipients, otherwise {@code null}.
*/
protected void callChatEvent(final AsyncPlayerChatEvent event, final ChatType chatType, final Long radius) {
final ChatEvent chatEvent;
if (chatType == ChatType.LOCAL) {
chatEvent = new LocalChatEvent(event.isAsynchronous(), event.getPlayer(), event.getFormat(), event.getMessage(), event.getRecipients(), radius);
} else {
chatEvent = new GlobalChatEvent(event.isAsynchronous(), chatType, event.getPlayer(), event.getFormat(), event.getMessage(), event.getRecipients());
}
server.getPluginManager().callEvent(chatEvent);
event.setFormat(chatEvent.getFormat());
event.setMessage(chatEvent.getMessage());
event.setCancelled(chatEvent.isCancelled());
}
/**
* Finalise the formatting stage of chat processing.
* <p>
@ -229,17 +261,9 @@ public abstract class AbstractChatHandler {
* {@link #handleChatFormat(AsyncPlayerChatEvent)} when previews are not available.
*/
protected void handleChatPostFormat(AsyncPlayerChatEvent event) {
final ChatProcessingCache.IntermediateChat intermediateChat = cache.clearIntermediateChat(event.getPlayer());
if (isAborted(event) || intermediateChat == null) {
return;
if (isAborted(event)) {
cache.clearProcessedChat(event.getPlayer());
}
// in case of modifications by other plugins during the preview
intermediateChat.setFormatResult(event.getFormat());
intermediateChat.setMessageResult(event.getMessage());
final ChatProcessingCache.ProcessedChat processed = new ChatProcessingCache.ProcessedChat(ess, intermediateChat);
cache.setProcessedChat(event.getPlayer(), processed);
}
/**
@ -260,29 +284,24 @@ public abstract class AbstractChatHandler {
return event.isCancelled();
}
boolean isPlayerChat(final AsyncPlayerChatEvent event) {
// Used to distinguish chats from Player#chat (sync) from chats sent by the player (async)
return event.isAsynchronous();
}
String getChatType(final User user, final String message) {
ChatType getChatType(final User user, final String message) {
if (message.length() == 0) {
//Ignore empty chat events generated by plugins
return "";
return ChatType.UNKNOWN;
}
final char prefix = message.charAt(0);
if (prefix == ess.getSettings().getChatShout()) {
if (user.isToggleShout()) {
return "";
return ChatType.UNKNOWN;
}
return message.length() > 1 ? "shout" : "";
return message.length() > 1 ? ChatType.SHOUT : ChatType.UNKNOWN;
} else if (ess.getSettings().isChatQuestionEnabled() && prefix == ess.getSettings().getChatQuestion()) {
return message.length() > 1 ? "question" : "";
return message.length() > 1 ? ChatType.QUESTION : ChatType.UNKNOWN;
} else if (user.isToggleShout()) {
return message.length() > 1 ? "shout" : "";
return message.length() > 1 ? ChatType.SHOUT : ChatType.UNKNOWN;
} else {
return "";
return ChatType.UNKNOWN;
}
}

View File

@ -7,8 +7,8 @@ import org.bukkit.event.EventPriority;
import org.bukkit.event.player.AsyncPlayerChatEvent;
import org.bukkit.plugin.PluginManager;
public class LegacyChatHandler extends AbstractChatHandler {
public LegacyChatHandler(Essentials ess, EssentialsChat essChat) {
public class ChatHandler extends AbstractChatHandler {
public ChatHandler(Essentials ess, EssentialsChat essChat) {
super(ess, essChat);
}

View File

@ -2,65 +2,36 @@ package com.earth2me.essentials.chat.processing;
import com.earth2me.essentials.Trade;
import com.earth2me.essentials.User;
import com.google.common.cache.Cache;
import com.google.common.cache.CacheBuilder;
import net.ess3.api.IEssentials;
import net.essentialsx.api.v2.ChatType;
import org.bukkit.entity.Player;
import java.util.Collections;
import java.util.HashMap;
import java.util.Map;
import java.util.concurrent.TimeUnit;
public class ChatProcessingCache {
private final Map<Player, IntermediateChat> intermediateChats = Collections.synchronizedMap(new HashMap<>());
private final Cache<Player, ProcessedChat> processedChats = CacheBuilder.newBuilder()
.expireAfterWrite(5, TimeUnit.MINUTES)
.build();
public IntermediateChat getIntermediateChat(final Player player) {
return intermediateChats.get(player);
}
public void setIntermediateChat(final Player player, final IntermediateChat intermediateChat) {
intermediateChats.put(player, intermediateChat);
}
public IntermediateChat clearIntermediateChat(final Player player) {
return intermediateChats.remove(player);
}
private final Map<Player, ProcessedChat> chats = Collections.synchronizedMap(new HashMap<>());
public ProcessedChat getProcessedChat(final Player player) {
return processedChats.getIfPresent(player);
return chats.get(player);
}
public void setProcessedChat(final Player player, final ProcessedChat chat) {
processedChats.put(player, chat);
chats.put(player, chat);
}
public ProcessedChat clearProcessedChat(final Player player) {
final ProcessedChat chat = processedChats.getIfPresent(player);
processedChats.invalidate(player);
return chat;
}
public Chat getIntermediateOrElseProcessedChat(final Player player) {
final IntermediateChat chat = getIntermediateChat(player);
if (chat != null) {
return chat;
}
return getProcessedChat(player);
public void clearProcessedChat(final Player player) {
chats.remove(player);
}
public abstract static class Chat {
private final User user;
private final String type;
private final ChatType type;
private final String originalMessage;
protected long radius;
protected Chat(User user, String type, String originalMessage) {
protected Chat(User user, ChatType type, String originalMessage) {
this.user = user;
this.type = type;
this.originalMessage = originalMessage;
@ -70,7 +41,7 @@ public class ChatProcessingCache {
return user;
}
public String getType() {
public ChatType getType() {
return type;
}
@ -83,63 +54,24 @@ public class ChatProcessingCache {
}
public final String getLongType() {
return type.length() == 0 ? "chat" : "chat-" + type;
return type == ChatType.UNKNOWN ? "chat" : "chat-" + type.key();
}
}
public static class ProcessedChat extends Chat {
private final String message;
private final String format;
private final Trade charge;
public ProcessedChat(final IEssentials ess, final IntermediateChat sourceChat) {
super(sourceChat.getUser(), sourceChat.getType(), sourceChat.getOriginalMessage());
this.message = sourceChat.messageResult;
this.format = sourceChat.formatResult;
this.radius = sourceChat.radius;
this.charge = new Trade(getLongType(), ess);
}
public String getMessage() {
return message;
}
public String getFormat() {
return format;
}
public Trade getCharge() {
return charge;
}
}
public static class IntermediateChat extends Chat {
private String messageResult;
private String formatResult;
public IntermediateChat(final User user, final String type, final String originalMessage) {
public ProcessedChat(final User user, final ChatType type, final String originalMessage) {
super(user, type, originalMessage);
this.charge = new Trade(getLongType(), user.getEssentials());
}
public void setRadius(final long radius) {
this.radius = radius;
}
public String getMessageResult() {
return messageResult;
}
public void setMessageResult(String messageResult) {
this.messageResult = messageResult;
}
public String getFormatResult() {
return formatResult;
}
public void setFormatResult(String formatResult) {
this.formatResult = formatResult;
public Trade getCharge() {
return charge;
}
}
}

View File

@ -1,120 +0,0 @@
package com.earth2me.essentials.chat.processing;
import com.earth2me.essentials.Essentials;
import com.earth2me.essentials.I18n;
import com.earth2me.essentials.chat.EssentialsChat;
import com.earth2me.essentials.utils.VersionUtil;
import org.bukkit.event.EventHandler;
import org.bukkit.event.EventPriority;
import org.bukkit.event.Listener;
import org.bukkit.event.player.AsyncPlayerChatEvent;
import org.bukkit.event.player.AsyncPlayerChatPreviewEvent;
import org.bukkit.plugin.PluginManager;
public class SignedChatHandler extends AbstractChatHandler {
public SignedChatHandler(Essentials ess, EssentialsChat essChat) {
super(ess, essChat);
}
public boolean tryRegisterListeners() {
if (VersionUtil.getServerBukkitVersion().isLowerThan(VersionUtil.v1_19_2_R01)) {
return false;
}
try {
final Class<?> previewClass = Class.forName("org.bukkit.event.player.AsyncPlayerChatPreviewEvent");
if (!AsyncPlayerChatEvent.class.isAssignableFrom(previewClass)) {
essChat.getLogger().severe(I18n.tl("essChatNoSecureMsg", essChat.getDescription().getVersion()));
return false;
}
} catch (ClassNotFoundException e) {
essChat.getLogger().severe(I18n.tl("essChatNoSecureMsg", essChat.getDescription().getVersion()));
return false;
}
final PluginManager pm = essChat.getServer().getPluginManager();
pm.registerEvents(new PreviewLowest(), essChat);
pm.registerEvents(new PreviewHighest(), essChat);
pm.registerEvents(new ChatLowest(), essChat);
pm.registerEvents(new ChatNormal(), essChat);
pm.registerEvents(new ChatHighest(), essChat);
return true;
}
private void handleChatApplyPreview(AsyncPlayerChatEvent event) {
final ChatProcessingCache.ProcessedChat chat = cache.getProcessedChat(event.getPlayer());
if (!isPlayerChat(event) || chat == null) {
handleChatFormat(event);
handleChatPostFormat(event);
} else {
event.setFormat(chat.getFormat());
event.setMessage(chat.getMessage());
}
}
private void handleChatConfirmPreview(AsyncPlayerChatEvent event) {
if (!ess.getSettings().isDebug()) return;
final ChatProcessingCache.ProcessedChat chat = cache.getProcessedChat(event.getPlayer());
if (chat == null) {
// Can't confirm preview for some reason
essChat.getLogger().info("Processed chat missing for " + event.getPlayer());
} else {
if (!event.getFormat().equals(chat.getFormat())) {
// Chat format modified by another plugin
essChat.getLogger().info("Chat format has been modified for " + event.getPlayer());
essChat.getLogger().info("Expected '" + chat.getFormat() + "', got '" + event.getFormat());
}
if (!event.getMessage().equals(chat.getMessage())) {
// Chat message modified by another plugin
essChat.getLogger().info("Chat message has been modified for " + event.getPlayer());
essChat.getLogger().info("Expected '" + chat.getMessage() + "', got '" + event.getMessage());
}
}
}
private interface PreviewListener extends Listener {
void onPlayerChatPreview(AsyncPlayerChatPreviewEvent event);
}
private class PreviewLowest implements PreviewListener {
@EventHandler(priority = EventPriority.LOWEST)
public void onPlayerChatPreview(AsyncPlayerChatPreviewEvent event) {
handleChatFormat(event);
}
}
private class PreviewHighest implements PreviewListener {
@EventHandler(priority = EventPriority.HIGHEST)
public void onPlayerChatPreview(AsyncPlayerChatPreviewEvent event) {
handleChatPostFormat(event);
}
}
private class ChatLowest implements ChatListener {
@Override
@EventHandler(priority = EventPriority.LOWEST)
public void onPlayerChat(AsyncPlayerChatEvent event) {
handleChatApplyPreview(event);
}
}
private class ChatNormal implements ChatListener {
@Override
@EventHandler(priority = EventPriority.NORMAL)
public void onPlayerChat(AsyncPlayerChatEvent event) {
handleChatRecipients(event);
}
}
private class ChatHighest implements ChatListener {
@Override
@EventHandler(priority = EventPriority.HIGHEST)
public void onPlayerChat(AsyncPlayerChatEvent event) {
handleChatConfirmPreview(event);
handleChatSubmit(event);
}
}
}

View File

@ -4,6 +4,9 @@ import net.essentialsx.api.v2.events.discord.DiscordChatMessageEvent;
import org.bukkit.entity.Player;
import org.bukkit.plugin.Plugin;
import java.util.Collection;
import java.util.concurrent.CompletableFuture;
/**
* A class which provides numerous methods to interact with EssentialsX Discord.
*/
@ -47,6 +50,34 @@ public interface DiscordService {
*/
InteractionController getInteractionController();
/**
* Gets an {@link InteractionMember} by their Discord ID.
* @param id The ID of the member to look up.
* @return A future which will complete with the member or null if none is reachable.
*/
CompletableFuture<InteractionMember> getMemberById(final String id);
/**
* Gets an {@link InteractionRole} by its Discord ID.
* @param id The ID of the role to look up.
* @return the role or null if none by that ID exists.
*/
InteractionRole getRole(final String id);
/**
* Adds or removes {@link InteractionRole roles} to the given {@link InteractionMember}.
* @param member The member to add/remove roles to/from.
* @param addRoles The roles to add to the {@link InteractionMember member}, or null to add none.
* @param removeRoles The roles to remove from the {@link InteractionMember member}, or null to remove none.
* @return A future which will complete when all requests operations have been completed.
*/
CompletableFuture<Void> modifyMemberRoles(final InteractionMember member, final Collection<InteractionRole> addRoles, final Collection<InteractionRole> removeRoles);
/**
* Gets the Discord invite URL given in the EssentialsX Discord configuration.
*/
String getInviteUrl();
/**
* Gets unstable API that is subject to change at any time.
* @return {@link Unsafe the unsafe} instance.

Some files were not shown because too many files have changed in this diff Show More