Sort TL files.

This commit is contained in:
KHobbits 2013-03-06 17:39:11 +00:00
commit 292f8a8799
18 changed files with 1163 additions and 802 deletions

View File

@ -12,6 +12,7 @@ import org.bukkit.command.CommandSender;
import org.bukkit.enchantments.Enchantment;
import org.bukkit.inventory.ItemStack;
import org.bukkit.inventory.meta.*;
import org.bukkit.potion.*;
public class MetaItemStack
@ -21,7 +22,16 @@ public class MetaItemStack
private final static Map<String, DyeColor> colorMap = new HashMap<String, DyeColor>();
private final static Map<String, FireworkEffect.Type> fireworkShape = new HashMap<String, FireworkEffect.Type>();
private FireworkEffect.Builder builder = FireworkEffect.builder();
private PotionEffectType pEffectType;
private PotionEffect pEffect;
private boolean validFirework = false;
private boolean validPotionEffect = false;
private boolean validPotionDuration = false;
private boolean validPotionPower = false;
private boolean canceledEffect = false;
private boolean completePotion = false;
private int power = 1;
private int duration = 120;
static
{
@ -50,11 +60,36 @@ public class MetaItemStack
return validFirework;
}
public boolean isValidPotion()
{
return validPotionEffect && validPotionDuration && validPotionPower;
}
public FireworkEffect.Builder getFireworkBuilder()
{
return builder;
}
public PotionEffect getPotionEffect()
{
return pEffect;
}
public boolean completePotion()
{
return completePotion;
}
private void resetPotionMeta()
{
pEffect = null;
pEffectType = null;
validPotionEffect = false;
validPotionDuration = false;
validPotionPower = false;
completePotion = true;
}
public void parseStringMeta(final CommandSender user, final boolean allowUnsafe, String[] string, int fromArg, final IEssentials ess) throws Exception
{
@ -148,6 +183,10 @@ public class MetaItemStack
{
addFireworkMeta(user, false, string, ess);
}
else if (stack.getType() == Material.POTION) //WARNING - Meta for potions will be ignored after this point.
{
addPotionMeta(user, false, string, ess);
}
else if (split.length > 1 && (split[0].equalsIgnoreCase("color") || split[0].equalsIgnoreCase("colour"))
&& (stack.getType() == Material.LEATHER_BOOTS
|| stack.getType() == Material.LEATHER_CHESTPLATE
@ -210,7 +249,6 @@ public class MetaItemStack
{
user.sendMessage(_("fireworkSyntax"));
throw new Exception(_("invalidFireworkFormat", split[1], split[0]));
}
}
builder.withColor(primaryColors);
@ -277,6 +315,70 @@ public class MetaItemStack
}
}
public void addPotionMeta(final CommandSender user, final boolean allowShortName, final String string, final IEssentials ess) throws Exception
{
if (stack.getType() == Material.POTION)
{
final User player = ess.getUser(user);
final String[] split = splitPattern.split(string, 2);
if (split.length < 2)
{
return;
}
if (split[0].equalsIgnoreCase("effect") || (allowShortName && split[0].equalsIgnoreCase("e")))
{
pEffectType = Potions.getByName(split[1]);
if (pEffectType != null)
{
if(player != null && player.isAuthorized("essentials.potion." + pEffectType.getName().toLowerCase()))
{
validPotionEffect = true;
canceledEffect = false;
}
else
{
canceledEffect = true;
user.sendMessage(_("invalidPotionEffect", pEffectType.getName().toLowerCase()));
}
}
else
{
user.sendMessage(_("invalidPotionEffect", split[1]));
canceledEffect = true;
}
}
else if (split[0].equalsIgnoreCase("power") || (allowShortName && split[0].equalsIgnoreCase("p")))
{
if (Util.isInt(split[1]))
{
validPotionPower = true;
power = Integer.parseInt(split[1]);
}
}
else if (split[0].equalsIgnoreCase("duration") || (allowShortName && split[0].equalsIgnoreCase("d")))
{
if (Util.isInt(split[1]))
{
validPotionDuration = true;
duration = Integer.parseInt(split[1]) * 20; //Duration is in ticks by default, converted to seconds
}
}
if (isValidPotion() && !canceledEffect)
{
PotionMeta pmeta = (PotionMeta)stack.getItemMeta();
pEffect = pEffectType.createEffect(duration, power);
pmeta.addCustomEffect(pEffect, true);
stack.setItemMeta(pmeta);
resetPotionMeta();
}
}
}
private void parseEnchantmentStrings(final CommandSender user, final boolean allowUnsafe, final String[] split) throws Exception
{
Enchantment enchantment = getEnchantment(null, split[0]);

View File

@ -0,0 +1,129 @@
package com.earth2me.essentials;
import java.util.HashMap;
import java.util.Locale;
import java.util.Map;
import java.util.Map.Entry;
import java.util.Set;
import org.bukkit.potion.PotionEffectType;
public class Potions
{
private static final Map<String, PotionEffectType> POTIONS = new HashMap<String, PotionEffectType>();
private static final Map<String, PotionEffectType> ALIASPOTIONS = new HashMap<String, PotionEffectType>();
static
{
POTIONS.put("speed", PotionEffectType.SPEED);
ALIASPOTIONS.put("fast", PotionEffectType.SPEED);
ALIASPOTIONS.put("runfast", PotionEffectType.SPEED);
ALIASPOTIONS.put("sprint", PotionEffectType.SPEED);
ALIASPOTIONS.put("swift", PotionEffectType.SPEED);
POTIONS.put("slowness", PotionEffectType.SLOW);
ALIASPOTIONS.put("slow", PotionEffectType.SLOW);
ALIASPOTIONS.put("sluggish", PotionEffectType.SLOW);
POTIONS.put("haste", PotionEffectType.FAST_DIGGING);
ALIASPOTIONS.put("superpick", PotionEffectType.FAST_DIGGING);
ALIASPOTIONS.put("quickmine", PotionEffectType.FAST_DIGGING);
ALIASPOTIONS.put("digspeed", PotionEffectType.FAST_DIGGING);
ALIASPOTIONS.put("digfast", PotionEffectType.FAST_DIGGING);
ALIASPOTIONS.put("sharp", PotionEffectType.FAST_DIGGING);
POTIONS.put("fatigue", PotionEffectType.SLOW_DIGGING);
ALIASPOTIONS.put("slow", PotionEffectType.SLOW_DIGGING);
ALIASPOTIONS.put("dull", PotionEffectType.SLOW_DIGGING);
POTIONS.put("strength", PotionEffectType.INCREASE_DAMAGE);
ALIASPOTIONS.put("strong", PotionEffectType.INCREASE_DAMAGE);
ALIASPOTIONS.put("bull", PotionEffectType.INCREASE_DAMAGE);
ALIASPOTIONS.put("attack", PotionEffectType.INCREASE_DAMAGE);
POTIONS.put("heal", PotionEffectType.HEAL);
ALIASPOTIONS.put("healthy", PotionEffectType.HEAL);
ALIASPOTIONS.put("instaheal", PotionEffectType.HEAL);
POTIONS.put("harm", PotionEffectType.HARM);
ALIASPOTIONS.put("injure", PotionEffectType.HARM);
ALIASPOTIONS.put("damage", PotionEffectType.HARM);
ALIASPOTIONS.put("inflict", PotionEffectType.HARM);
POTIONS.put("jump", PotionEffectType.JUMP);
ALIASPOTIONS.put("leap", PotionEffectType.JUMP);
POTIONS.put("nausea", PotionEffectType.CONFUSION);
ALIASPOTIONS.put("sick", PotionEffectType.CONFUSION);
ALIASPOTIONS.put("sickness", PotionEffectType.CONFUSION);
ALIASPOTIONS.put("confusion", PotionEffectType.CONFUSION);
POTIONS.put("regeneration", PotionEffectType.REGENERATION);
ALIASPOTIONS.put("regen", PotionEffectType.REGENERATION);
POTIONS.put("resistance", PotionEffectType.DAMAGE_RESISTANCE);
ALIASPOTIONS.put("dmgresist", PotionEffectType.DAMAGE_RESISTANCE);
ALIASPOTIONS.put("armor", PotionEffectType.DAMAGE_RESISTANCE);
ALIASPOTIONS.put("dmgresist", PotionEffectType.DAMAGE_RESISTANCE);
POTIONS.put("fireresist", PotionEffectType.FIRE_RESISTANCE);
ALIASPOTIONS.put("fireresistance", PotionEffectType.FIRE_RESISTANCE);
ALIASPOTIONS.put("resistfire", PotionEffectType.FIRE_RESISTANCE);
POTIONS.put("waterbreath", PotionEffectType.WATER_BREATHING);
ALIASPOTIONS.put("waterbreathing", PotionEffectType.WATER_BREATHING);
POTIONS.put("invisibility", PotionEffectType.INVISIBILITY);
ALIASPOTIONS.put("invisible", PotionEffectType.INVISIBILITY);
ALIASPOTIONS.put("invis", PotionEffectType.INVISIBILITY);
ALIASPOTIONS.put("vanish", PotionEffectType.INVISIBILITY);
ALIASPOTIONS.put("disappear", PotionEffectType.INVISIBILITY);
POTIONS.put("blindness", PotionEffectType.BLINDNESS);
ALIASPOTIONS.put("blind", PotionEffectType.BLINDNESS);
POTIONS.put("nightvision", PotionEffectType.NIGHT_VISION);
ALIASPOTIONS.put("vision", PotionEffectType.NIGHT_VISION);
POTIONS.put("hunger", PotionEffectType.HUNGER);
ALIASPOTIONS.put("hungry", PotionEffectType.HUNGER);
ALIASPOTIONS.put("starve", PotionEffectType.HUNGER);
POTIONS.put("weakness", PotionEffectType.WEAKNESS);
ALIASPOTIONS.put("weak", PotionEffectType.WEAKNESS);
POTIONS.put("poison", PotionEffectType.POISON);
ALIASPOTIONS.put("venom", PotionEffectType.POISON);
POTIONS.put("wither", PotionEffectType.WITHER);
ALIASPOTIONS.put("decay", PotionEffectType.WITHER);
}
public static PotionEffectType getByName(String name)
{
PotionEffectType peffect;
if (Util.isInt(name))
{
peffect = PotionEffectType.getById(Integer.parseInt(name));
}
else
{
peffect = PotionEffectType.getByName(name.toUpperCase(Locale.ENGLISH));
}
if (peffect == null)
{
peffect = POTIONS.get(name.toLowerCase(Locale.ENGLISH));
}
if (peffect == null)
{
peffect = ALIASPOTIONS.get(name.toLowerCase(Locale.ENGLISH));
}
return peffect;
}
public static Set<Entry<String, PotionEffectType>> entrySet()
{
return POTIONS.entrySet();
}
}

View File

@ -4,10 +4,7 @@ import static com.earth2me.essentials.I18n._;
import com.earth2me.essentials.MetaItemStack;
import com.earth2me.essentials.User;
import com.earth2me.essentials.Util;
import java.util.HashMap;
import java.util.Map;
import java.util.regex.Pattern;
import org.bukkit.DyeColor;
import org.bukkit.FireworkEffect;
import org.bukkit.Material;
import org.bukkit.Server;
@ -36,20 +33,6 @@ import org.bukkit.util.Vector;
public class Commandfirework extends EssentialsCommand
{
private final transient Pattern splitPattern = Pattern.compile("[:+',;.]");
private final static Map<String, DyeColor> colorMap = new HashMap<String, DyeColor>();
private final static Map<String, FireworkEffect.Type> fireworkShape = new HashMap<String, FireworkEffect.Type>();
static
{
for (DyeColor color : DyeColor.values())
{
colorMap.put(color.name(), color);
}
for (FireworkEffect.Type type : FireworkEffect.Type.values())
{
fireworkShape.put(type.name(), type);
}
}
public Commandfirework()
{
@ -128,7 +111,6 @@ public class Commandfirework extends EssentialsCommand
final MetaItemStack mStack = new MetaItemStack(stack);
for (String arg : args)
{
final String[] split = splitPattern.split(arg, 2);
mStack.addFireworkMeta(user, true, arg, ess);
}

View File

@ -0,0 +1,92 @@
package com.earth2me.essentials.commands;
import static com.earth2me.essentials.I18n._;
import com.earth2me.essentials.MetaItemStack;
import com.earth2me.essentials.Potions;
import com.earth2me.essentials.User;
import com.earth2me.essentials.Util;
import java.util.Locale;
import java.util.Map;
import java.util.Set;
import java.util.TreeSet;
import java.util.regex.Pattern;
import org.bukkit.Material;
import org.bukkit.Server;
import org.bukkit.inventory.ItemStack;
import org.bukkit.inventory.meta.PotionMeta;
import org.bukkit.potion.PotionEffect;
import org.bukkit.potion.PotionEffectType;
public class Commandpotion extends EssentialsCommand
{
private final transient Pattern splitPattern = Pattern.compile("[:+',;.]");
public Commandpotion()
{
super("potion");
}
@Override
protected void run(final Server server, final User user, final String commandLabel, final String[] args) throws Exception
{
final ItemStack stack = user.getItemInHand();
if (args.length == 0)
{
final Set<String> potionslist = new TreeSet<String>();
for (Map.Entry<String, PotionEffectType> entry : Potions.entrySet())
{
final String potionName = entry.getValue().getName().toLowerCase(Locale.ENGLISH);
if (potionslist.contains(potionName) || (user.isAuthorized("essentials.potion." + potionName)))
{
potionslist.add(entry.getKey());
}
}
throw new NotEnoughArgumentsException(_("potions", Util.joinList(potionslist.toArray())));
}
if (stack.getType() == Material.POTION)
{
PotionMeta pmeta = (PotionMeta)stack.getItemMeta();
if (args.length > 0)
{
if (args[0].equalsIgnoreCase("clear"))
{
pmeta.clearCustomEffects();
stack.setItemMeta(pmeta);
}
else if (args[0].equalsIgnoreCase("apply") && user.isAuthorized("essentials.potion.apply"))
{
for(PotionEffect effect : pmeta.getCustomEffects())
{
effect.apply(user);
}
}
else
{
final MetaItemStack mStack = new MetaItemStack(stack);
for (String arg : args)
{
mStack.addPotionMeta(user, true, arg, ess);
}
if (mStack.completePotion())
{
pmeta = (PotionMeta)mStack.getItemStack().getItemMeta();
stack.setItemMeta(pmeta);
}
else
{
user.sendMessage(_("invalidPotion"));
throw new NotEnoughArgumentsException();
}
}
}
}
else
{
throw new Exception(_("holdPotion"));
}
}
}

View File

@ -11,6 +11,8 @@ alertFormat=\u00a73[{0}] \u00a7r {1} \u00a76 {2} at: {3}
alertPlaced=placed:
alertUsed=used:
antiBuildBreak=\u00a74You are not permitted to break\u00a7c {0} \u00a74blocks here.
antiBuildCraft=\u00a74You are not permitted to create\u00a7c {0}\u00a74.
antiBuildDrop=\u00a74You are not permitted to drop\u00a7c {0}\u00a74.
antiBuildInteract=\u00a74You are not permitted to interact with\u00a7c {0}\u00a74.
antiBuildPlace=\u00a74You are not permitted to place\u00a7c {0} \u00a74here.
antiBuildUse=\u00a74You are not permitted to use\u00a7c {0}\u00a74.
@ -24,10 +26,16 @@ balance=\u00a7aBalance:\u00a7c {0}
balanceTop=\u00a76Top balances ({0})
banExempt=\u00a74You can not ban that player.
banFormat=\u00a74Banned:\n\u00a7r{0}
playerBanIpAddress=\u00a76Player\u00a7c {0} \u00a76banned IP address {1} \u00a76.
bed=\u00a7obed\u00a7r
bedMissing=\u00a74Your bed is either unset, missing or blocked.
bedNull=\u00a7mbed\u00a7r
bedSet=\u00a76Bed spawn set!
bigTreeFailure=\u00a74Big tree generation failure. Try again on grass or dirt.
bigTreeSuccess= \u00a76Big tree spawned.
blockList=\u00a76Essentials relayed the following commands to another plugin:
bookAuthorSet=\u00a76Author of the book set to {0}.
bookLocked=\u00a76This book is now locked.
bookTitleSet=\u00a76Title of the book set to {0}.
broadcast=\u00a7r\u00a76[\u00a74Broadcast\u00a76]\u00a7a {0}
buildAlert=\u00a74You are not permitted to build.
bukkitFormatChanged=Bukkit version format changed. Version not checked.
@ -65,6 +73,9 @@ deleteHome=\u00a76Home\u00a7c {0} \u00a76has been removed.
deleteJail=\u00a76Jail\u00a7c {0} \u00a76has been removed.
deleteWarp=\u00a76Warp\u00a7c {0} \u00a76has been removed.
deniedAccessCommand=\u00a7c{0} \u00a74was denied access to command.
denyBookEdit=\u00a74You cannot unlock this book.
denyChangeAuthor=\u00a74You cannot change the author of this book.
denyChangeTitle=\u00a74You cannot change the title of this book.
dependancyDownloaded=[Essentials] Dependency {0} downloaded successfully.
dependancyException=[Essentials] An error occurred when trying to download a dependency.
dependancyNotFound=[Essentials] A required dependency was not found, downloading now.
@ -75,10 +86,12 @@ destinationNotSet=Destination not set!
disableUnlimited=\u00a76Disabled unlimited placing of\u00a7c {0} \u00a76for {1}.
disabled=disabled
disabledToSpawnMob=\u00a74Spawning this mob was disabled in the config file.
distance=\u00a76Distance: {0}
dontMoveMessage=\u00a76Teleportation will commence in\u00a7c {0}\u00a76. Don''t move.
downloadingGeoIp=Downloading GeoIP database... this might take a while (country: 0.6 MB, city: 20MB)
duplicatedUserdata=Duplicated userdata: {0} and {1}.
durability=\u00a76This tool has \u00a7c{0}\u00a76 uses left
editBookContents=\u00a7eYou may now edit the contents of this book.
enableUnlimited=\u00a76Giving unlimited amount of\u00a7c {0} \u00a76to {1}.
enabled=enabled
enchantmentApplied= \u00a76The enchantment\u00a7c {0} \u00a76has been applied to your item in hand.
@ -102,17 +115,23 @@ false=\u00a74false\u00a7r
feed=\u00a76Your appetite was sated.
feedOther=\u00a76Satisfied {0}\u00a76.
fileRenameError=Renaming file {0} failed!
fireworkColor=\u00a7cInvalid firework charge parameters inserted, must set a color first.
fireworkEffectsCleared=\u00a76Removed all effects from held stack.
fireworkSyntax=\u00a76Firework parameters:\u00a7c color:<color> [fade:<color>] [shape:<shape>] [effect:<effect>]\n\u00a76To use multiple colors/effects, seperate values with commas: \u00a7cred,blue,pink\n\u00a76Shapes:\u00a7c star, ball, large, creeper, burst \u00a76Effects:\u00a7c trail, twinkle.
flyMode=\u00a76Set fly mode\u00a7c {0} \u00a76for {1}\u00a76.
flying=flying
foreverAlone=\u00a74You have nobody to whom you can reply.
freedMemory=Freed {0} MB.
fullStack=\u00a74You already have a full stack.
gameMode=\u00a76Set game mode\u00a7c {0} \u00a76for {1}\u00a76.
gcWorld=\u00a76{0} "\u00a7c{1}\u00a76": \u00a7c{2}\u00a76 chunks, \u00a7c{3}\u00a76 entities.
gcfree=\u00a76Free memory:\u00a7c {0} MB.
gcmax=\u00a76Maximum memory:\u00a7c {0} MB.
gctotal=\u00a76Allocated memory:\u00a7c {0} MB.
geoIpUrlEmpty=GeoIP download url is empty.
geoIpUrlInvalid=GeoIP download url is invalid.
geoipJoinFormat=\u00a76Player \u00a7c{0} \u00a76comes from \u00a7c{1}\u00a76.
giveSpawn=\u00a76Giving\u00a7c {0} \u00a76of\u00a7c {1} to\u00a7c {2}\u00a76.
godDisabledFor=\u00a74disabled\u00a76 for\u00a7c {0}.
godEnabledFor=\u00a7aenabled\u00a76 for\u00a7c {0}.
godMode=\u00a76God mode\u00a7c {0}\u00a76.
@ -132,6 +151,9 @@ helpMatching=\u00a76Commands matching "\u00a7c{0}\u00a76":
helpOp=\u00a74[HelpOp]\u00a7r \u00a76{0}:\u00a7r {1}
helpPages=\u00a76Page \u00a7c{0}\u00a76 of \u00a7c{1}\u00a76:
helpPlugin=\u00a74{0}\u00a7r: Plugin Help: /help {1}
holdBook=\u00a74You are not holding a writable book.
holdFirework=\u00a74You must be holding a firework to add effects.
holdPotion=\u00a74You must be holding a potion to apply effects to it
holeInFloor=\u00a74Hole in floor!
homeSet=\u00a76Home set.
homeSetToBed=\u00a76Your home is now set to this bed.
@ -150,14 +172,20 @@ invRestored=\u00a76Your inventory has been restored.
invSee=\u00a76You see the inventory of\u00a7c {0}\u00a76.
invSeeHelp=\u00a76Use /invsee to restore your inventory.
invalidCharge=\u00a74Invalid charge.
invalidFireworkFormat=\u00a76The option \u00a74{0} \u00a76is not a valid value for \u00a74{1}\u00a76.
invalidHome=\u00a74Home\u00a7c {0} \u00a74doesn''t exist!
invalidHomeName=\u00a74Invalid home name!
invalidMob=Invalid mob type.
invalidNumber=Invalid Number
invalidPotion=\u00a74Invalid Potion
invalidPotionEffect=\u00a74You do not have permissions to apply potion effect \u00a7c{0} \u00a74to this potion
invalidServer=Invalid server!
invalidSignLine=\u00a74Line\u00a7c {0} \u00a74on sign is invalid.
invalidWarpName=\u00a74Invalid warp name!
invalidWorld=\u00a74Invalid world.
inventoryCleared=\u00a76Inventory cleared.
inventoryClearedOthers=\u00a76Inventory of \u00a7c{0}\u00a76 cleared.
inventoryClearedAll=\u00a76Cleared everyone's inventory.
inventoryClearedOthers=\u00a76Inventory of \u00a7c{0}\u00a76 cleared.
is=is
itemCannotBeSold=\u00a74That item cannot be sold to the server.
itemMustBeStacked=\u00a74Item must be traded in stacks. A quantity of 2s would be two stacks, etc.
@ -187,7 +215,10 @@ kitError2=\u00a74That kit does not exist or is improperly defined.
kitError=\u00a74There are no valid kits.
kitErrorHelp=\u00a74Perhaps an item is missing a quantity in the configuration?
kitGive=\u00a76Giving kit\u00a7c {0}\u00a76.
kitGiveTo=\u00a76Giving kit\u00a7c {0}\u00a76 to {1}\u00a7.
kitInvFull=\u00a74Your inventory was full, placing kit on the floor.
kitOnce=\u00a74You can't use that kit again.
kitReceive=\u00a76Received kit\u00a7c {0}\u00a76.
kitTimed=\u00a74You can''t use that kit again for another\u00a7c {0}\u00a74.
kits=\u00a76Kits:\u00a7r {0}
lightningSmited=\u00a76Thou hast been smitten!
@ -205,9 +236,11 @@ mailSent=\u00a76Mail sent!
markMailAsRead=\u00a76To mark your mail as read, type\u00a7c /mail clear.
markedAsAway=\u00a76You are now marked as away.
markedAsNotAway=\u00a76You are no longer marked as away.
matchingIPAddress=\u00a76The following players previously logged in from that IP address:
maxHomes=\u00a74You cannot set more than\u00a7c {0} \u00a74homes.
mayNotJail=\u00a74You may not jail that person!
me=me
messageTruncated=\u00a74Message truncated, to see the full output type:\u00a7c /{0} {1}
minute=minute
minutes=minutes
missingItems=\u00a74You do not have {0}x {1}.
@ -225,6 +258,7 @@ moreThanZero=\u00a74Quantities must be greater than 0.
moveSpeed=\u00a76Set {0} speed to\u00a7c {1} \u00a76for {2}\u00a76.
msgFormat=\u00a76[{0}\u00a76 -> {1}\u00a76] \u00a7r{2}
muteExempt=\u00a74You may not mute that player.
muteNotify=\u00a74{0} \u00a76has muted \u00a74{1}\u00a76.
mutedPlayer=\u00a76Player {0} \u00a76muted.
mutedPlayerFor=\u00a76Player {0} \u00a76muted for {1}.
mutedUserSpeaks={0} tried to speak, but is muted.
@ -249,6 +283,7 @@ noHomeSetPlayer=\u00a76Player has not set a home.
noKitPermission=\u00a74You need the \u00a7c{0}\u00a74 permission to use that kit.
noKits=\u00a76There are no kits available yet.
noMail=\u00a76You do not have any mail.
noMatchingPlayers=\u00a76No matching players found.
noMotd=\u00a76There is no message of the day.
noNewMail=\u00a76You have no new mail.
noPendingRequest=\u00a74You do not have a pending request.
@ -274,6 +309,7 @@ onlyDayNight=/time only supports day/night.
onlyPlayers=\u00a74Only in-game players can use {0}.
onlySunStorm=\u00a74/weather only supports sun/storm.
orderBalances=\u00a76Ordering balances of\u00a7c {0} \u00a76users, please wait...
oversizedTempban=\u00a74You may not ban a player for this period of time.
pTimeCurrent=\u00a7c{0}\u00a76''s time is\u00a7c {1}\u00a76.
pTimeCurrentFixed=\u00a7c{0}\u00a76''s time is fixed to\u00a7c {1}\u00a76.
pTimeNormal=\u00a7c{0}\u00a76''s time is normal and matches the server.
@ -285,6 +321,7 @@ pTimeSetFixed=\u00a76Player time is fixed to \u00a7c{0}\u00a76 for: \u00a7c{1}.
parseError=\u00a74Error parsing\u00a7c {0} \u00a76on line {1}.
pendingTeleportCancelled=\u00a74Pending teleportation request cancelled.
permissionsError=Missing Permissions/GroupManager; chat prefixes/suffixes will be disabled.
playerBanIpAddress=\u00a76Player\u00a7c {0} \u00a76banned IP address {1} \u00a76.
playerBanned=\u00a76Player\u00a7c {0} \u00a76banned {1} \u00a76for {2}.
playerInJail=\u00a74Player is already in jail\u00a7c {0}\u00a76.
playerJailed=\u00a76Player\u00a7c {0} \u00a76jailed.
@ -296,7 +333,13 @@ playerNeverOnServer=\u00a74Player\u00a7c {0} \u00a74was never on this server.
playerNotFound=\u00a74Player not found.
playerUnmuted=\u00a76You have been unmuted.
pong=Pong!
posPitch=\u00a76Pitch: {0} (Head angle)
posX=\u00a76X: {0} (+East <-> -West)
posY=\u00a76Y: {0} (+Up <-> -Down)
posYaw=\u00a76Yaw: {0} (Rotation)
posZ=\u00a76Z: {0} (+South <-> -North)
possibleWorlds=\u00a76Possible worlds are the numbers 0 through {0}.
potions=\u00a76Potions:\u00a7r {0}
powerToolAir=\u00a74Command can't be attached to air.
powerToolAlreadySet=\u00a74Command \u00a7c{0}\u00a74 is already assigned to {1}.
powerToolAttach=\u00a7c{0}\u00a76 command assigned to {1}.
@ -311,6 +354,16 @@ powerToolsEnabled=\u00a76All of your power tools have been enabled.
protectionOwner=\u00a76[EssentialsProtect] Protection owner:\u00a7r {0}.
questionFormat=\u00a72[Question]\u00a7r {0}
readNextPage=\u00a76Type\u00a7c /{0} {1} \u00a76to read the next page.
recipe=\u00a76Recipe for \u00a7c{0}\u00a76 ({1} of {2})
recipeBadIndex=There is no recipe by that number.
recipeFurnace=\u00a76Smelt \u00a7c{0}
recipeGrid=\u00a7{0}X \u00a76| \u00a7{1}X \u00a76| \u00a7{2}X
recipeGridItem=\ \u00a7{0}X \u00a76is \u00a7c{1}
recipeMore=\u00a76Type /{0} \u00a7c{1}\u00a76 <number> to see other recipes for \u00a7c{2}\u00a76.
recipeNone=No recipes exist for {0}
recipeNothing=nothing
recipeShapeless=\u00a76Combine \u00a7c{0}
recipeWhere=\u00a76Where: {0}
reloadAllPlugins=\u00a76Reloaded all plugins.
removed=\u00a76Removed\u00a7c {0} \u00a76entities.
repair=\u00a76You have successfully repaired your: \u00a7c{0}.
@ -325,7 +378,10 @@ requestDeniedFrom=\u00a7c{0} \u00a76denied your teleport request.
requestSent=\u00a76Request sent to\u00a7c {0}\u00a76.
requestTimedOut=\u00a74Teleport request has timed out.
requiredBukkit= \u00a76* ! * You need atleast build {0} of CraftBukkit, download it from http://dl.bukkit.org/downloads/craftbukkit/
resetBal=\u00a76Balance has been reset to \u00a7a{0} \u00a76for all online players.
resetBalAll=\u00a76Balance has been reset to \u00a7a{0} \u00a76for all players.
returnPlayerToJailError=\u00a74Error occurred when trying to return player\u00a7c {0} \u00a74to jail: {1}!
runningPlayerMatch=\u00a76Running search for players matching ''\u00a7c{0}\u00a76'' (this could take a little while)
second=second
seconds=seconds
seenOffline=\u00a76Player\u00a7c {0} \u00a76is \u00a74offline\u00a76 since {1}.
@ -362,7 +418,9 @@ teleportRequestTimeoutInfo=\u00a76This request will timeout after\u00a7c {0} sec
teleportTop=\u00a76Teleporting to top.
teleportationCommencing=\u00a76Teleportation commencing...
teleportationDisabled=\u00a76Teleportation disabled.
teleportationDisabledFor=\u00a76Teleportation disabled for {0}.
teleportationEnabled=\u00a76Teleportation enabled.
teleportationEnabledFor=\u00a76Teleportation enabled for {0}.
teleporting=\u00a76Teleporting...
teleportingPortal=\u00a76Teleporting via portal.
tempBanned=Temporarily banned from server for {0}.
@ -402,10 +460,13 @@ unmutedPlayer=\u00a76Player\u00a7c {0} \u00a76unmuted.
unvanished=\u00a76You are once again visible.
unvanishedReload=\u00a74A reload has forced you to become visible.
upgradingFilesError=Error while upgrading the files.
uptime=\u00a76Uptime:\u00a7c {0}
userAFK=\u00a75{0} \u00a75is currently AFK and may not respond.
userDoesNotExist=\u00a74The user\u00a7c {0} \u00a74does not exist.
userIsAway=\u00a75{0} \u00a75is now AFK.
userIsNotAway=\u00a75{0} \u00a75is no longer AFK.
userJailed=\u00a76You have been jailed!
userUnknown=\u00a74Warning: The user ''\u00a7c{0}\u00a74'' has never joined this server.
userUsedPortal={0} used an existing exit portal.
userdataMoveBackError=Failed to move userdata/{0}.tmp to userdata/{1}!
userdataMoveError=Failed to move userdata/{0} to userdata/{1}.tmp!
@ -416,6 +477,7 @@ versionMismatchAll=\u00a74Version mismatch! Please update all Essentials jars to
voiceSilenced=\u00a76Your voice has been silenced!
walking=walking
warpDeleteError=\u00a74Problem deleting the warp file.
warpList={0}
warpListPermission=\u00a74You do not have Permission to list warps.
warpNotExist=\u00a74That warp does not exist.
warpOverwrite=\u00a74You cannot overwrite that warp.
@ -451,61 +513,3 @@ year=year
years=years
youAreHealed=\u00a76You have been healed.
youHaveNewMail=\u00a76You have\u00a7c {0} \u00a76messages! Type \u00a7c/mail read\u00a76 to view your mail.
posX=\u00a76X: {0} (+East <-> -West)
posY=\u00a76Y: {0} (+Up <-> -Down)
posZ=\u00a76Z: {0} (+South <-> -North)
posYaw=\u00a76Yaw: {0} (Rotation)
posPitch=\u00a76Pitch: {0} (Head angle)
distance=\u00a76Distance: {0}
giveSpawn=\u00a76Giving\u00a7c {0} \u00a76of\u00a7c {1} to\u00a7c {2}\u00a76.
warpList={0}
uptime=\u00a76Uptime:\u00a7c {0}
antiBuildCraft=\u00a74You are not permitted to create\u00a7c {0}\u00a74.
antiBuildDrop=\u00a74You are not permitted to drop\u00a7c {0}\u00a74.
gcWorld=\u00a76{0} "\u00a7c{1}\u00a76": \u00a7c{2}\u00a76 chunks, \u00a7c{3}\u00a76 entities.
invalidHomeName=\u00a74Invalid home name!
invalidWarpName=\u00a74Invalid warp name!
userUnknown=\u00a74Warning: The user ''\u00a7c{0}\u00a74'' has never joined this server.
teleportationEnabledFor=\u00a76Teleportation enabled for {0}.
teleportationDisabledFor=\u00a76Teleportation disabled for {0}.
kitOnce=\u00a74You can't use that kit again.
fullStack=\u00a74You already have a full stack.
oversizedTempban=\u00a74You may not ban a player for this period of time.
recipeNone=No recipes exist for {0}
invalidNumber=Invalid Number
recipeBadIndex=There is no recipe by that number.
recipeNothing=nothing
recipe=\u00a76Recipe for \u00a7c{0}\u00a76 ({1} of {2})
recipeFurnace=\u00a76Smelt \u00a7c{0}
recipeGrid=\u00a7{0}X \u00a76| \u00a7{1}X \u00a76| \u00a7{2}X
recipeGridItem=\ \u00a7{0}X \u00a76is \u00a7c{1}
recipeMore=\u00a76Type /{0} \u00a7c{1}\u00a76 <number> to see other recipes for \u00a7c{2}\u00a76.
recipeWhere=\u00a76Where: {0}
recipeShapeless=\u00a76Combine \u00a7c{0}
editBookContents=\u00a7eYou may now edit the contents of this book.
bookAuthorSet=\u00a76Author of the book set to {0}.
bookTitleSet=\u00a76Title of the book set to {0}.
denyChangeAuthor=\u00a74You cannot change the author of this book.
denyChangeTitle=\u00a74You cannot change the title of this book.
denyBookEdit=\u00a74You cannot unlock this book.
bookLocked=\u00a76This book is now locked.
holdBook=\u00a74You are not holding a writable book.
fireworkColor=\u00a7cInvalid firework charge parameters inserted, must set a color first.
holdFirework=\u00a74You must be holding a firework to add effects.
invalidFireworkFormat=\u00a76The option \u00a74{0} \u00a76is not a valid value for \u00a74{1}\u00a76.
muteNotify=\u00a74{0} \u00a76has muted \u00a74{1}\u00a76.
resetBal=\u00a76Balance has been reset to \u00a7a{0} \u00a76for all online players.
resetBalAll=\u00a76Balance has been reset to \u00a7a{0} \u00a76for all players.
messageTruncated=\u00a74Message truncated, to see the full output type:\u00a7c /{0} {1}
userAFK=\u00a75{0} \u00a75is currently AFK and may not respond.
fireworkEffectsCleared=\u00a76Removed all effects from held stack.
fireworkSyntax=\u00a76Firework parameters:\u00a7c color:<color> [fade:<color>] [shape:<shape>] [effect:<effect>]\n\u00a76To use multiple colors/effects, seperate values with commas: \u00a7cred,blue,pink\n\u00a76Shapes:\u00a7c star, ball, large, creeper, burst \u00a76Effects:\u00a7c trail, twinkle.
bed=\u00a7obed\u00a7r
bedNull=\u00a7mbed\u00a7r
bedMissing=\u00a74Your bed is either unset, missing or blocked.
bedSet=\u00a76Bed spawn set!
kitGiveTo=\u00a76Giving kit\u00a7c {0}\u00a76 to {1}\u00a7.
kitReceive=\u00a76Received kit\u00a7c {0}\u00a76.
noMatchingPlayers=\u00a76No matching players found.
matchingIPAddress=\u00a76The following players previously logged in from that IP address:
runningPlayerMatch=\u00a76Running search for players matching ''\u00a7c{0}\u00a76'' (this could take a little while)

View File

@ -14,6 +14,8 @@ alertFormat=\u00a73[{0}] \u00a7f {1} \u00a76 {2} v: {3}
alertPlaced=polozeno:
alertUsed=pouzito:
antiBuildBreak=\u00a74You are not permitted to break {0} blocks here.
antiBuildCraft=\u00a74You are not permitted to create\u00a7c {0}\u00a74.
antiBuildDrop=\u00a74You are not permitted to drop\u00a7c {0}\u00a74.
antiBuildInteract=\u00a74You are not permitted to interact with {0}.
antiBuildPlace=\u00a74You are not permitted to place {0} here.
antiBuildUse=\u00a74You are not permitted to use {0}.
@ -27,10 +29,16 @@ balance=\u00a77Ucet: {0}
balanceTop=\u00a77Nejbohatsi hraci ({0})
banExempt=\u00a7cNemuzes zabanovat tohoto hrace.
banFormat=Banned: {0}
playerBanIpAddress=\u00a76Player\u00a7c {0} \u00a76banned IP address {1} \u00a76.
bed=\u00a7obed\u00a7r
bedMissing=\u00a74Your bed is either unset, missing or blocked.
bedNull=\u00a7mbed\u00a7r
bedSet=\u00a76Bed spawn set!
bigTreeFailure=\u00a7cProblem pri vytvareni velkeho stromu. Zkuste znovu na trave nebo hline.
bigTreeSuccess= \u00a77Velky strom vytvoren.
blockList=Essentials prenechal nasledujici prikazy jinemu pluginu:
bookAuthorSet=\u00a76Author of the book set to {0}
bookLocked=\u00a7cThis book is now locked
bookTitleSet=\u00a76Title of the book set to {0}
broadcast=[\u00a7cSdeleni\u00a7f]\u00a7a {0}
buildAlert=\u00a7cNemas dovoleno stavet.
bukkitFormatChanged=Format kontroly verze Bukkitu zmenen. Verze nebyla zkontrolovana.
@ -39,11 +47,11 @@ canTalkAgain=\u00a77Muzes opet mluvit.
cantFindGeoIpDB=Nemohu najit GeoIP databazi!
cantReadGeoIpDB=Nemohu precist GeoIP databazi!
cantSpawnItem=\u00a7cNejsi dovoleny spawnout item: {0}
cleaned=Userfiles Cleaned.
cleaning=Cleaning userfiles.
chatTypeAdmin=[A]
chatTypeLocal=[L]
chatTypeSpy=[Spy]
cleaned=Userfiles Cleaned.
cleaning=Cleaning userfiles.
commandFailed=Prikaz {0} selhal.
commandHelpFailedForPlugin=Chyba pri ziskavani pomoci: {0}
commandNotLoaded=\u00a7cPrikaz {0} je nespravne nacteny.
@ -68,6 +76,9 @@ deleteHome=\u00a77Domov {0} byl uspesne odstranen.
deleteJail=\u00a77Jail {0} byl uspesne odstranen.
deleteWarp=\u00a77Warp {0} byl uspesne odstranen.
deniedAccessCommand=Hraci {0} byl zablokovan prikaz.
denyBookEdit=\u00a74You cannot unlock this book
denyChangeAuthor=\u00a74You cannot change the author of this book
denyChangeTitle=\u00a74You cannot change the title of this book
dependancyDownloaded=[Essentials] Zavislost {0} uspesne stazena.
dependancyException=[Essentials] Nastala chyba pri pokusu o stazeni zavilosti.
dependancyNotFound=[Essentials] Pozadovana zavilost nenalezena, stahuji nyni.
@ -78,10 +89,12 @@ destinationNotSet=Destinace neni nastavena.
disableUnlimited=\u00a77Zablokovano neomezene pokladani {0} hraci {1}.
disabled=zablokovano
disabledToSpawnMob=Spawnuti tohoto moba je zakazno v configuracnim souboru.
distance=\u00a76Distance: {0}
dontMoveMessage=\u00a77Teleport bude zahajen za {0}. Nehybej se.
downloadingGeoIp=Stahuji GeoIP databazi ... muze to chvilku trvat (staty: 0.6 MB, mesta: 20MB)
duplicatedUserdata=Duplikovane data hrace: {0} and {1}
durability=\u00a77This tool has \u00a7c{0}\u00a77 uses left
editBookContents=\u00a7eYou may now edit the contents of this book
enableUnlimited=\u00a77Davam neomezene mnozstvi {0} hraci {1}.
enabled=povoleno
enchantmentApplied = \u00a77Enchant {0} byl aplikovan na tvuj nastroj v ruce.
@ -105,17 +118,23 @@ false=\u00a74false\u00a7f
feed=\u00a77Nasytil jsi se.
feedOther=\u00a77Nasytil jsi hrace {0}.
fileRenameError=Prejmenovani souboru {0} selhalo.
fireworkColor=\u00a74You must apply a color to the firework to add an effect
fireworkEffectsCleared=\u00a76Removed all effects from held stack.
fireworkSyntax=\u00a76Firework parameters:\u00a7c color:<color> [fade:<color>] [shape:<shape>] [effect:<effect>]\n\u00a76To use multiple colors/effects, seperate values with commas: \u00a7cred,blue,pink\n\u00a76Shapes:\u00a7c star, ball, large, creeper, burst \u00a76Effects:\u00a7c trail, twinkle
flyMode=\u00a77Povolil jsi letani hraci {0} na {1}.
flying=flying
foreverAlone=\u00a7cNemas komu odepsat.
freedMemory=Uvolneno {0} MB.
fullStack=\u00a74You already have a full stack
gameMode=\u00a77Nastavil jsi herni mod z {0} na {1}.
gcWorld=\u00a76{0} "\u00a7c{1}\u00a76": \u00a7c{2}\u00a76 chunks, \u00a7c{3}\u00a76 entities
gcfree=Volna pamet: {0} MB
gcmax=Dostupna pamet: {0} MB
gctotal=Vyuzita pamet: {0} MB
geoIpUrlEmpty=Odkaz na stazeni GeoIP je prazdny.
geoIpUrlInvalid=Odkaz na stazeni GeoIP je chybny.
geoipJoinFormat=\u00a76Hrac \u00a7c{0} \u00a76prichazi z \u00a7c{1}\u00a76.
giveSpawn=\u00a76Giving\u00a7c {0} \u00a76of\u00a7c {1} to\u00a7c {2}\u00a76.
godDisabledFor=zakazan pro {0}
godEnabledFor=povolen pro {0}
godMode=\u00a77God mode {0}.
@ -135,6 +154,9 @@ helpMatching=\u00a77Prikazy odpovidajici "{0}":
helpOp=\u00a7c[HelpOp]\u00a7f \u00a77{0}:\u00a7f {1}
helpPages=Strana \u00a7c{0}\u00a7f z \u00a7c{1}\u00a7f:
helpPlugin=\u00a74{0}\u00a7f: Napoveda pluginu: /help {1}
holdBook=\u00a74You are not holding a writable book
holdFirework=\u00a74You must be holding a firework to add effects
holdPotion=\u00a74You must be holding a potion to apply effects to it
holeInFloor=Dira v podlaze
homeSet=\u00a77Domov nastaven.
homeSetToBed=\u00a77Tvuj domov je nastaven na tuto postel.
@ -153,14 +175,20 @@ invRestored=Tvuj inventar byl obnoven.
invSee=Nyni mas inventar hrace {0}.
invSeeHelp=Pouzij znovu /invsee aby jsi mel zpatky svuj inventar.
invalidCharge=\u00a7cNeplatny poplatek.
invalidFireworkFormat=\u00a76The option \u00a74{0} \u00a76is not a valid value for \u00a74{1}
invalidHome=Domov {0} neexistuje.
invalidHomeName=\u00a74Invalid home name
invalidMob=Nespravny typ moba.
invalidNumber=Invalid Number
invalidPotion=\u00a74Invalid Potion
invalidPotionEffect=\u00a74You do not have permissions to apply potion effect \u00a7c{0} \u00a74to this potion
invalidServer=Nespravny server!
invalidSignLine=Radek {0} je chybne vyplnen.
invalidWarpName=\u00a74Invalid warp name
invalidWorld=\u00a7cNespravny svet!
inventoryCleared=\u00a77Inventar smazan.
inventoryClearedOthers=\u00a77Inventar hrace \u00a7c{0}\u00a77 vymazan.
inventoryClearedAll=\u00a76Cleared everyone's inventory.
inventoryClearedOthers=\u00a77Inventar hrace \u00a7c{0}\u00a77 vymazan.
is=je
itemCannotBeSold=Tento item nelze prodat serveru.
itemMustBeStacked=Itemy musi byt vymeneny ve stacku.
@ -190,7 +218,10 @@ kitError2=\u00a7cTento kit neexistuje, nebo je chybne definovan.
kitError=\u00a7cNejsou zadne validni kity.
kitErrorHelp=\u00a7cPravdepodobne item nema vyplnene mnozstvi v configu?
kitGive=\u00a77Davam kit {0}.
kitGiveTo=\u00a76Giving kit\u00a7c {0}\u00a76 to {1}\u00a7.
kitInvFull=\u00a7cMel jsi plny inventar, obsah kitu je na zemi.
kitOnce=\u00a74You can't use that kit again.
kitReceive=\u00a76Received kit\u00a7c {0}\u00a76.
kitTimed=\u00a7cNemuzes pouzit tento kit po dalsich {0}.
kits=\u00a77Kity: {0}
lightningSmited=\u00a77Byl jsi zasazen bleskem.
@ -208,9 +239,11 @@ mailSent=\u00a77Mail odeslan!
markMailAsRead=\u00a7cPokud chces mail oznacit jako precteny, napis /mail clear
markedAsAway=\u00a77Jsi oznacen jako "Pryc".
markedAsNotAway=\u00a77Jiz nejsi oznacen jako "Pryc".
matchingIPAddress=\u00a76The following players previously logged in from that IP address:
maxHomes=Nemuzes si nastavit vice nez {0} domovu.
mayNotJail=\u00a7cNesmis uveznit tuto postavu
me=ja
messageTruncated=\u00a74Message truncated, to see the full output type:\u00a7c /{0} {1}
minute=minuta
minutes=minuty
missingItems=Nemas {0}x {1}.
@ -228,6 +261,7 @@ moreThanZero=Mnozstvi musi byt vetsi nez 0.
moveSpeed=\u00a77Set {0} speed to {1} for {2}.
msgFormat=\u00a77[{0}\u00a77 -> {1}\u00a77] \u00a7f{2}
muteExempt=\u00a7cTohoto hrace nemuzes umlcet.
muteNotify=\u00a74{0} \u00a76has muted \u00a74{1}
mutedPlayer=Hrac {0} byl umlcen.
mutedPlayerFor=Hrac {0} umlcen za {1}.
mutedUserSpeaks={0} se pokusil promluvit, ale je umlcen.
@ -252,6 +286,7 @@ noHomeSetPlayer=Hrac nema nastaveny zadny domov.
noKitPermission=\u00a7cPotrebujes \u00a7c{0}\u00a7c permission, aby jsi mohl pouzit tento kit.
noKits=\u00a77Nejsou zadne dostupne kity.
noMail=Nemas zadny mail.
noMatchingPlayers=\u00a76No matching players found.
noMotd=\u00a7cNeni zadna zprava dne.
noNewMail=\u00a77Nemas zadny novy mail.
noPendingRequest=Nemas zadne neuzavrene zadosti.
@ -277,6 +312,7 @@ onlyDayNight=/time podporuje pouze day/night.
onlyPlayers=Pouze hraci ve hre mohou pouzit: {0}.
onlySunStorm=/weather podporuje pouze sun/storm.
orderBalances=Usporadavam bohatstvi {0} hracu, prosim vydrz ...
oversizedTempban=\u00a74You may not ban a player for this period of time.
pTimeCurrent=\u00a7eCas hrace u00a7f je {1}. //???
pTimeCurrentFixed=\u00a7eCas hrace {0} u00a7f je nastaven na {1}.
pTimeNormal=\u00a7eCas hrace {0}\u00a7f je normalni a souhlasi s casem serveru.
@ -288,6 +324,7 @@ pTimeSetFixed=Cas hrace je fixne nastaven na \u00a73{0}\u00a7f za: \u00a7e{1}
parseError=Chyba pri parsovani {0} na radku {1}
pendingTeleportCancelled=\u00a7cNevyresena zadost o teleportaci byla zrusena.
permissionsError=Chybi Permissions/GroupManager; prefixy/suffixy v chatu budou zablokovany.
playerBanIpAddress=\u00a76Player\u00a7c {0} \u00a76banned IP address {1} \u00a76.
playerBanned=\u00a7cAdmin {0} zabanoval {1} za {2}
playerInJail=\u00a7cHrac je jiz uveznen {0}.
playerJailed=\u00a77Hrac {0} byl uveznen.
@ -299,7 +336,13 @@ playerNeverOnServer=\u00a7cHrac {0} nebyl nikdy na serveru.
playerNotFound=\u00a7cHrac nenalezen.
playerUnmuted=\u00a77Byl jsi odmlcen.
pong=Pong!
posPitch=\u00a76Pitch: {0} (Head angle)
posX=\u00a76X: {0} (+East <-> -West)
posY=\u00a76Y: {0} (+Up <-> -Down)
posYaw=\u00a76Yaw: {0} (Rotation)
posZ=\u00a76Z: {0} (+South <-> -North)
possibleWorlds=\u00a77Mozne svety jsou cisla 0 az {0}.
potions=\u00a76Potions:\u00a7r {0}
powerToolAir=Prikaz nemuze byt spojen se vzduchem.
powerToolAlreadySet=Prikaz \u00a7c{0}\u00a7f je jiz spojen s {1}.
powerToolAttach=\u00a7c{0}\u00a7f prikaz pripsan k {1}.
@ -314,6 +357,16 @@ powerToolsEnabled=Vsechny tve mocne nastroje byli povoleny.
protectionOwner=\u00a76[EssentialsProtect] Majitel ochrany: {0}
questionFormat=\u00a77[Otazka]\u00a7f {0}
readNextPage=Napis /{0} {1} pro precteni dalsi stranky.
recipe=\u00a76Recipe for \u00a7c{0}\u00a76 ({1} of {2})
recipeBadIndex=There is no recipe by that number
recipeFurnace=\u00a76Smelt \u00a7c{0}
recipeGrid=\u00a7{0}X \u00a76| \u00a7{1}X \u00a76| \u00a7{2}X
recipeGridItem=\ \u00a7{0}X \u00a76is \u00a7c{1}
recipeMore=\u00a76Type /{0} \u00a7c{1}\u00a76 <number> to see other recipes for \u00a7c{2}
recipeNone=No recipes exist for {0}
recipeNothing=nothing
recipeShapeless=\u00a76Combine \u00a7c{0}
recipeWhere=\u00a76Where: {0}
reloadAllPlugins=\u00a77Znovu nacteny vsechny pluginy.
removed=\u00a77Odstraneno {0} entitit.
repair=Uspesne jsi opravil svuj nastroj: \u00a7e{0}.
@ -328,7 +381,10 @@ requestDeniedFrom=\u00a77{0} odmitl tvou zadost o teleport.
requestSent=\u00a77Zadost odeslana hraci {0}\u00a77.
requestTimedOut=\u00a7cZadost o teleportaci vyprsela.
requiredBukkit= * ! * Potrebujete minimalne verzi {0} Bukkitu, stahnete si ji z http://dl.bukkit.org/downloads/craftbukkit/
resetBal=\u00a76Balance has been reset to \u00a7a{0} \u00a76 for all online players
resetBalAll=\u00a76Balance has been reset to \u00a7a{0} \u00a76 for all players
returnPlayerToJailError=Nastala chyba pri pokusu navraceni hrace {0} do vezeni: {1}
runningPlayerMatch=\u00a76Running search for players matching ''\u00a7c{0}\u00a76'' (this could take a little while)
second=sekunda
seconds=sekundy
seenOffline=Hrac {0} je offline od {1}
@ -365,7 +421,9 @@ teleportRequestTimeoutInfo=\u00a77Tato zadost vyprsi za {0} sekund.
teleportTop=\u00a77Teleportuji na vrch.
teleportationCommencing=\u00a77Teleportace zahajena...
teleportationDisabled=\u00a77Teleportace zakazana.
teleportationDisabledFor=\u00a76Teleportation disabled for {0}
teleportationEnabled=\u00a77Teleportace povolena.
teleportationEnabledFor=\u00a76Teleportation enabled for {0}
teleporting=\u00a77Teleportuji...
teleportingPortal=\u00a77Teleportuji pres portal.
tempBanned=Docasne zabanovany na dobu {0}
@ -405,10 +463,13 @@ unmutedPlayer=Hrac {0} byl umlcen.
unvanished=\u00a7aYou are once again visible.
unvanishedReload=\u00a7cA reload has forced you to become visible.
upgradingFilesError=Chyba pri updatovani souboru.
uptime=\u00a76Uptime:\u00a7c {0}
userAFK=\u00a75{0} \u00a75is currently AFK and may not respond
userDoesNotExist=Uzivatel {0} neexistuje.
userIsAway={0} je AFK.
userIsNotAway={0} se vratil.
userJailed=\u00a77Byl jsi uveznen.
userUnknown=\u00a74Warning: The user ''\u00a7c{0}\u00a74'' has never joined this server.
userUsedPortal={0} pouzil portal pro vychod.
userdataMoveBackError=Chyba pri pokusu o presun userdata/{0}.tmp do userdata/{1}
userdataMoveError=Chyba pri pokusu o presun userdata/{0} do userdata/{1}.tmp
@ -419,6 +480,7 @@ versionMismatchAll=Chyba verzi! Prosim, updatuj vsechny Essentials .jar na stejn
voiceSilenced=\u00a77Byl jsi ztisen.
walking=walking
warpDeleteError=Vyskytl se problem pri mazani warpu.
warpList={0}
warpListPermission=\u00a7cNemas opravneni listovat warpami.
warpNotExist=Tento warp neexistuje.
warpOverwrite=\u00a7cNemuzes prepsat tento warp.
@ -454,61 +516,3 @@ year=rok
years=roky
youAreHealed=\u00a77Byl jsi uzdraven.
youHaveNewMail=\u00a7cMas {0} zprav!\u00a7f Napis \u00a77/mail read\u00a7f aby jsi si precetl sve zpravy.
posX=\u00a76X: {0} (+East <-> -West)
posY=\u00a76Y: {0} (+Up <-> -Down)
posZ=\u00a76Z: {0} (+South <-> -North)
posYaw=\u00a76Yaw: {0} (Rotation)
posPitch=\u00a76Pitch: {0} (Head angle)
distance=\u00a76Distance: {0}
giveSpawn=\u00a76Giving\u00a7c {0} \u00a76of\u00a7c {1} to\u00a7c {2}\u00a76.
warpList={0}
uptime=\u00a76Uptime:\u00a7c {0}
antiBuildCraft=\u00a74You are not permitted to create\u00a7c {0}\u00a74.
antiBuildDrop=\u00a74You are not permitted to drop\u00a7c {0}\u00a74.
gcWorld=\u00a76{0} "\u00a7c{1}\u00a76": \u00a7c{2}\u00a76 chunks, \u00a7c{3}\u00a76 entities
invalidHomeName=\u00a74Invalid home name
invalidWarpName=\u00a74Invalid warp name
userUnknown=\u00a74Warning: The user ''\u00a7c{0}\u00a74'' has never joined this server.
teleportationEnabledFor=\u00a76Teleportation enabled for {0}
teleportationDisabledFor=\u00a76Teleportation disabled for {0}
kitOnce=\u00a74You can't use that kit again.
fullStack=\u00a74You already have a full stack
oversizedTempban=\u00a74You may not ban a player for this period of time.
recipeNone=No recipes exist for {0}
invalidNumber=Invalid Number
recipeBadIndex=There is no recipe by that number
recipeNothing=nothing
recipe=\u00a76Recipe for \u00a7c{0}\u00a76 ({1} of {2})
recipeFurnace=\u00a76Smelt \u00a7c{0}
recipeGrid=\u00a7{0}X \u00a76| \u00a7{1}X \u00a76| \u00a7{2}X
recipeGridItem=\ \u00a7{0}X \u00a76is \u00a7c{1}
recipeMore=\u00a76Type /{0} \u00a7c{1}\u00a76 <number> to see other recipes for \u00a7c{2}
recipeWhere=\u00a76Where: {0}
recipeShapeless=\u00a76Combine \u00a7c{0}
editBookContents=\u00a7eYou may now edit the contents of this book
bookAuthorSet=\u00a76Author of the book set to {0}
bookTitleSet=\u00a76Title of the book set to {0}
denyChangeAuthor=\u00a74You cannot change the author of this book
denyChangeTitle=\u00a74You cannot change the title of this book
denyBookEdit=\u00a74You cannot unlock this book
bookLocked=\u00a7cThis book is now locked
holdBook=\u00a74You are not holding a writable book
fireworkColor=\u00a74You must apply a color to the firework to add an effect
holdFirework=\u00a74You must be holding a firework to add effects
invalidFireworkFormat=\u00a76The option \u00a74{0} \u00a76is not a valid value for \u00a74{1}
muteNotify=\u00a74{0} \u00a76has muted \u00a74{1}
resetBal=\u00a76Balance has been reset to \u00a7a{0} \u00a76 for all online players
resetBalAll=\u00a76Balance has been reset to \u00a7a{0} \u00a76 for all players
messageTruncated=\u00a74Message truncated, to see the full output type:\u00a7c /{0} {1}
userAFK=\u00a75{0} \u00a75is currently AFK and may not respond
fireworkEffectsCleared=\u00a76Removed all effects from held stack.
fireworkSyntax=\u00a76Firework parameters:\u00a7c color:<color> [fade:<color>] [shape:<shape>] [effect:<effect>]\n\u00a76To use multiple colors/effects, seperate values with commas: \u00a7cred,blue,pink\n\u00a76Shapes:\u00a7c star, ball, large, creeper, burst \u00a76Effects:\u00a7c trail, twinkle
bed=\u00a7obed\u00a7r
bedNull=\u00a7mbed\u00a7r
bedMissing=\u00a74Your bed is either unset, missing or blocked.
bedSet=\u00a76Bed spawn set!
kitGiveTo=\u00a76Giving kit\u00a7c {0}\u00a76 to {1}\u00a7.
kitReceive=\u00a76Received kit\u00a7c {0}\u00a76.
noMatchingPlayers=\u00a76No matching players found.
matchingIPAddress=\u00a76The following players previously logged in from that IP address:
runningPlayerMatch=\u00a76Running search for players matching ''\u00a7c{0}\u00a76'' (this could take a little while)

View File

@ -11,6 +11,8 @@ alertFormat=\u00a73[{0}] \u00a7f {1} \u00a76 {2} ved: {3}
alertPlaced=placerede:
alertUsed=brugte:
antiBuildBreak=\u00a74You are not permitted to break {0} blocks here.
antiBuildCraft=\u00a74You are not permitted to create\u00a7c {0}\u00a74.
antiBuildDrop=\u00a74You are not permitted to drop\u00a7c {0}\u00a74.
antiBuildInteract=\u00a74You are not permitted to interact with {0}.
antiBuildPlace=\u00a74You are not permitted to place {0} here.
antiBuildUse=\u00a74You are not permitted to use {0}.
@ -24,10 +26,16 @@ balance=\u00a77Saldo: {0}
balanceTop=\u00a77Top saldoer ({0})
banExempt=\u00a7cDu kan ikke banne den p\u00e5g\u00e6ldende spiller.
banFormat=Banned: {0}
playerBanIpAddress=\u00a76Player\u00a7c {0} \u00a76banned IP address {1} \u00a76.
bed=\u00a7obed\u00a7r
bedMissing=\u00a74Your bed is either unset, missing or blocked.
bedNull=\u00a7mbed\u00a7r
bedSet=\u00a76Bed spawn set!
bigTreeFailure=\u00a7cFejl i generering af stort tr\u00e6. Pr\u00f8v igen p\u00e5 gr\u00e6s eller jord.
bigTreeSuccess= \u00a77Stort tr\u00e6 bygget.
blockList=Essentials relayed the following commands to another plugin:
bookAuthorSet=\u00a76Author of the book set to {0}
bookLocked=\u00a7cThis book is now locked
bookTitleSet=\u00a76Title of the book set to {0}
broadcast=[\u00a7cMeddelelse\u00a7f]\u00a7a {0}
buildAlert=\u00a7cDu har ikke tilladelse til at bygge
bukkitFormatChanged=Bukkit versionsformat er \u00e6ndret. Versionen er ikke checket.
@ -65,6 +73,9 @@ deleteHome=\u00a77Home {0} er blevet fjernet.
deleteJail=\u00a77F\u00e6ngsel {0} er fjernet.
deleteWarp=\u00a77Warp {0} er fjernet.
deniedAccessCommand={0} blev n\u00e6gtet adgang til kommandoen.
denyBookEdit=\u00a74You cannot unlock this book
denyChangeAuthor=\u00a74You cannot change the author of this book
denyChangeTitle=\u00a74You cannot change the title of this book
dependancyDownloaded=[Essentials] Dependancy {0} downloaded successfully.
dependancyException=[Essentials] En fejl opstod ved fors\u00c3\u00b8g p\u00c3\u00a5 at downloade en N\u00c3\u0098DVENDIGHED?!
dependancyNotFound=[Essentials] En p\u00c3\u00a5kr\u00c3\u00a6vet N\u00c3\u0098DVENDIGHED!? blev ikke fundet; downloader nu.
@ -75,10 +86,12 @@ destinationNotSet=Destination ikke sat
disableUnlimited=\u00a77Deaktiverede ubergr\u00e6nset placering af {0} for {1}.
disabled=deaktiveret
disabledToSpawnMob=Skabelse af denne mob er deaktiveret i configfilen.
distance=\u00a76Distance: {0}
dontMoveMessage=\u00a77Teleportering vil begynde om {0}. Bev\u00e6g dig ikke.
downloadingGeoIp=Downloader GeoIP database... det her kan tage et stykke tid (land: 0.6 MB, by: 27MB)
duplicatedUserdata=Duplikerede userdata: {0} og {1}
durability=\u00a77This tool has \u00a7c{0}\u00a77 uses left
editBookContents=\u00a7eYou may now edit the contents of this book
enableUnlimited=\u00a77Giver ubegr\u00e6nset m\u00e6ngde af {0} til {1}.
enabled=aktiveret
enchantmentApplied = \u00a77Enchantment {0} er blevet tilf\u00c3\u00b8jet til tingen i din h\u00c3\u00a5nd.
@ -102,17 +115,23 @@ false=\u00a74false\u00a7f
feed=\u00a77Your appetite was sated.
feedOther=\u00a77Satisfied {0}.
fileRenameError=Omd\u00c3\u00b8bning af fil {0} fejlede.
fireworkColor=\u00a74You must apply a color to the firework to add an effect
fireworkEffectsCleared=\u00a76Removed all effects from held stack.
fireworkSyntax=\u00a76Firework parameters:\u00a7c color:<color> [fade:<color>] [shape:<shape>] [effect:<effect>]\n\u00a76To use multiple colors/effects, seperate values with commas: \u00a7cred,blue,pink\n\u00a76Shapes:\u00a7c star, ball, large, creeper, burst \u00a76Effects:\u00a7c trail, twinkle
flyMode=\u00a77Set fly mode {0} for {1}.
flying=flying
foreverAlone=\u00a7cDu har ingen til hvem du kan svare.
freedMemory=Frigjorde {0} MB.
fullStack=\u00a74You already have a full stack
gameMode=\u00a77Satte game mode {0} for {1}.
gcWorld=\u00a76{0} "\u00a7c{1}\u00a76": \u00a7c{2}\u00a76 chunks, \u00a7c{3}\u00a76 entities
gcfree=Free memory: {0} MB
gcmax=Maximum memory: {0} MB
gctotal=Allocated memory: {0} MB
geoIpUrlEmpty=GeoIP download url er tom.
geoIpUrlInvalid=GeoIP download url er ugyldig.
geoipJoinFormat=\u00a76Spilleren \u00a7c{0} \u00a76kommer fra \u00a7c{1}\u00a76.
giveSpawn=\u00a76Giving\u00a7c {0} \u00a76of\u00a7c {1} to\u00a7c {2}\u00a76.
godDisabledFor=deaktiveret for {0}
godEnabledFor=aktiveret for {0}
godMode=\u00a77Gud mode {0}.
@ -132,6 +151,9 @@ helpMatching=\u00a77Commands matching "{0}":
helpOp=\u00a7c[HelpOp]\u00a7f \u00a77{0}:\u00a7f {1}
helpPages=Side \u00a7c{0}\u00a7f af \u00a7c{1}\u00a7f:
helpPlugin=\u00a74{0}\u00a7f: Plugin Help: /help {1}
holdBook=\u00a74You are not holding a writable book
holdFirework=\u00a74You must be holding a firework to add effects
holdPotion=\u00a74You must be holding a potion to apply effects to it
holeInFloor=Hul i gulv
homeSet=\u00a77Hjem sat.
homeSetToBed=\u00a77Dit hjem er nu sat til denne seng.
@ -150,14 +172,20 @@ invRestored=Din inventory er blevet genoprettet.
invSee=Du ser {0}''s inventory.
invSeeHelp=Brug /invsee for at genoprette din inventory.
invalidCharge=\u00a7cUgyldig opladning (korrekt oversat?).
invalidFireworkFormat=\u00a76The option \u00a74{0} \u00a76is not a valid value for \u00a74{1}
invalidHome=Home {0} doesn't exist
invalidHomeName=\u00a74Invalid home name
invalidMob=Ugyldig mob type.
invalidNumber=Invalid Number
invalidPotion=\u00a74Invalid Potion
invalidPotionEffect=\u00a74You do not have permissions to apply potion effect \u00a7c{0} \u00a74to this potion
invalidServer=Ugyldig server!
invalidSignLine=Linje {0} p\u00e5 skilt er ugyldig.
invalidWarpName=\u00a74Invalid warp name
invalidWorld=\u00a7cUgyldig verden.
inventoryCleared=\u00a77Inventory ryddet.
inventoryClearedOthers=\u00a7c{0}\u00a77''s inventory ryddet.
inventoryClearedAll=\u00a76Cleared everyone's inventory.
inventoryClearedOthers=\u00a7c{0}\u00a77''s inventory ryddet.
is=er
itemCannotBeSold=Denne ting kan ikke s\u00e6lges til serveren.
itemMustBeStacked=Tingen skal handles i stakke. En m\u00e6ngde af 2s ville v\u00e6re to stakke, osv.
@ -187,7 +215,10 @@ kitError2=\u00a7cDette kit eksisterer ikke eller er forkert defineret.
kitError=\u00a7cDer er ikke nogen gyldige kits.
kitErrorHelp=\u00a7cM\u00e5ske mangler en ting en m\u00e6ngde i konfigurationen? Eller m\u00c3\u00a5ske er der nisser p\u00c3\u00a5 spil?
kitGive=\u00a77Giver kit til {0} (oversat korrekt?).
kitGiveTo=\u00a76Giving kit\u00a7c {0}\u00a76 to {1}\u00a7.
kitInvFull=\u00a7cDin inventory er fuld, placerer kit p\u00e5 gulvet.
kitOnce=\u00a74You can't use that kit again.
kitReceive=\u00a76Received kit\u00a7c {0}\u00a76.
kitTimed=\u00a7cDu kan ikke benytte dette kit igen i {0}.
kits=\u00a77Kits: {0}
lightningSmited=\u00a77Du er blevet ramt af Guds vrede (din admin)
@ -205,9 +236,11 @@ mailSent=\u00a77Flaskepot sendt!
markMailAsRead=\u00a7cFor at markere din flaskepost som l\u00e6st, skriv /mail clear
markedAsAway=\u00a77Du er nu markeret som v\u00c3\u00a6rende ikke tilstede.
markedAsNotAway=\u00a77Du er ikke l\u00e6ngere markeret som v\u00c3\u00a6rende ikke tilstede.
matchingIPAddress=\u00a76The following players previously logged in from that IP address:
maxHomes=Du kan ikke have mere end {0} hjem.
mayNotJail=\u00a7cDu kan ikke smide denne person i f\u00c3\u00a6ngsel.
me=mig
messageTruncated=\u00a74Message truncated, to see the full output type:\u00a7c /{0} {1}
minute=minut
minutes=minutter
missingItems=Du har ikke {0}x {1}.
@ -225,6 +258,7 @@ moreThanZero=M\u00e6ngder skal v\u00e6re st\u00f8rre end 0.
moveSpeed=\u00a77Set {0} speed to {1} for {2}.
msgFormat=\u00a77[{0}\u00a77 -> {1}\u00a77] \u00a7f{2}
muteExempt=\u00a7cDu kan ikke mute denne spiller.
muteNotify=\u00a74{0} \u00a76has muted \u00a74{1}
mutedPlayer=Spiller {0} muted.
mutedPlayerFor=Spiller {0} muted i {1}.
mutedUserSpeaks={0} pr\u00f8vede at snakke, men er muted.
@ -249,6 +283,7 @@ noHomeSetPlayer=Spilleren har ikke sat et hjem.
noKitPermission=\u00a7cDu har brug for \u00a7c{0}\u00a7c permission for at bruge dette kit.
noKits=\u00a77Der er ikke nogen kits tilg\u00e6ngelige endnu
noMail=Du har ikke noget flaskepost.
noMatchingPlayers=\u00a76No matching players found.
noMotd=\u00a7cDer er ingen Message of the day.
noNewMail=\u00a77Du har ingen ny flaskepost.
noPendingRequest=Du har ikke en ventende anmodning.
@ -274,6 +309,7 @@ onlyDayNight=/time underst\u00f8tter kun day/night.
onlyPlayers=Kun in-game spillere kan bruge {0}.
onlySunStorm=/weather underst\u00c3\u00b8tter kun sun/storm.
orderBalances=Tjekker saldoer af {0} spillere, vent venligst...
oversizedTempban=\u00a74You may not ban a player for this period of time.
pTimeCurrent=\u00a7e{0}''s\u00a7f Tiden er {1}.
pTimeCurrentFixed=\u00a7e{0}''s\u00a7f Tiden er fastsat til {1}.
pTimeNormal=\u00a7e{0}''s\u00a7f Tiden er normal og matcher serveren.
@ -285,6 +321,7 @@ pTimeSetFixed=Spiller-tid er fastsat til \u00a73{0}\u00a7f for: \u00a7e{1}
parseError=Fejl ved parsing af {0} p\u00e5 linje {1}
pendingTeleportCancelled=\u00a7cAnmodning om teleport er blevet afvist.
permissionsError=Mangler Permissions/GroupManager; chat pr\u00e6fikser/suffikser vil v\u00e6re deaktiveret.
playerBanIpAddress=\u00a76Player\u00a7c {0} \u00a76banned IP address {1} \u00a76.
playerBanned=\u00a7cSpilleren {0} banned i {1} for {2}
playerInJail=\u00a7cSpilleren er allerede i f\u00e6ngsel {0}.
playerJailed=\u00a77Spilleren {0} f\u00e6ngslet.
@ -296,7 +333,13 @@ playerNeverOnServer=\u00a7cSpilleren {0} har aldrig v\u00c3\u00a6ret p\u00e5 den
playerNotFound=\u00a7cSpilleren ikke fundet.
playerUnmuted=\u00a77Du er blevet unmuted.
pong=Pong!
posPitch=\u00a76Pitch: {0} (Head angle)
posX=\u00a76X: {0} (+East <-> -West)
posY=\u00a76Y: {0} (+Up <-> -Down)
posYaw=\u00a76Yaw: {0} (Rotation)
posZ=\u00a76Z: {0} (+South <-> -North)
possibleWorlds=\u00a77Mulige verdener er numrene fra 0 til {0}.
potions=\u00a76Potions:\u00a7r {0}
powerToolAir=Kommando kan ikke blive p\u00c3\u00a5lagt luft.
powerToolAlreadySet=Kommandoen \u00a7c{0}\u00a7f er allerede p\u00c3\u00a5lagt {1}.
powerToolAttach=\u00a7c{0}\u00a7f kommando p\u00c3\u00a5lagt {1}.
@ -311,6 +354,16 @@ powerToolsEnabled= Alle dine power tools er blevet aktiveret.
protectionOwner=\u00a76[EssentialsProtect] Protection owner: {0}
questionFormat=\u00a77[Sp\u00f8rgsm\u00e5l]\u00a7f {0}
readNextPage=Skriv /{0} {1} for at l\u00c3\u00a6se n\u00c3\u00a6ste side.
recipe=\u00a76Recipe for \u00a7c{0}\u00a76 ({1} of {2})
recipeBadIndex=There is no recipe by that number
recipeFurnace=\u00a76Smelt \u00a7c{0}
recipeGrid=\u00a7{0}X \u00a76| \u00a7{1}X \u00a76| \u00a7{2}X
recipeGridItem=\ \u00a7{0}X \u00a76is \u00a7c{1}
recipeMore=\u00a76Type /{0} \u00a7c{1}\u00a76 <number> to see other recipes for \u00a7c{2}
recipeNone=No recipes exist for {0}
recipeNothing=nothing
recipeShapeless=\u00a76Combine \u00a7c{0}
recipeWhere=\u00a76Where: {0}
reloadAllPlugins=\u00a77Reload alle plugins.
removed=\u00a77Removed {0} entities.
repair=Du reparerede \u00a7e{0}. Du s\u00c3\u00a5'' dygtig!
@ -325,7 +378,10 @@ requestDeniedFrom=\u00a77{0} afviste din anmodning om teleport.
requestSent=\u00a77Anmodning sendt til {0}\u00a77.
requestTimedOut=\u00a7cTeleport request has timed out
requiredBukkit= * ! * You need atleast build {0} of CraftBukkit, download it from http://dl.bukkit.org/downloads/craftbukkit/
resetBal=\u00a76Balance has been reset to \u00a7a{0} \u00a76 for all online players
resetBalAll=\u00a76Balance has been reset to \u00a7a{0} \u00a76 for all players
returnPlayerToJailError=Error occurred when trying to return player {0} to jail: {1}
runningPlayerMatch=\u00a76Running search for players matching ''\u00a7c{0}\u00a76'' (this could take a little while)
second=sekund
seconds=sekunder
seenOffline=Spilleren {0} har v\u00c3\u00a6ret offline i {1}
@ -362,7 +418,9 @@ teleportRequestTimeoutInfo=\u00a77This request will timeout after {0} seconds.
teleportTop=\u00a77Teleporterer til toppen.
teleportationCommencing=\u00a77Teleport begynder...
teleportationDisabled=\u00a77Teleport deaktiveret.
teleportationDisabledFor=\u00a76Teleportation disabled for {0}
teleportationEnabled=\u00a77Teleport aktiveret.
teleportationEnabledFor=\u00a76Teleportation enabled for {0}
teleporting=\u00a77Teleporterer...
teleportingPortal=\u00a77Teleporterede via portal.
tempBanned=Midlertidigt bannet fra serveren for {0}
@ -402,10 +460,13 @@ unmutedPlayer=Spilleren {0} unmuted.
unvanished=\u00a7aYou are once again visible.
unvanishedReload=\u00a7cA reload has forced you to become visible.
upgradingFilesError=Fejl under opgradering af filerne.
uptime=\u00a76Uptime:\u00a7c {0}
userAFK=\u00a75{0} \u00a75is currently AFK and may not respond
userDoesNotExist=Brugeren {0} eksisterer ikke.
userIsAway={0} er nu AFK. Skub ham i havet eller bur ham inde!
userIsNotAway={0} er ikke l\u00e6ngere AFK.
userJailed=\u00a77Du er blevet f\u00e6ngslet.
userUnknown=\u00a74Warning: The user ''\u00a7c{0}\u00a74'' has never joined this server.
userUsedPortal={0} brugte en eksisterende udgangsportal.
userdataMoveBackError=Kunne ikke flytte userdata/{0}.tmp til userdata/{1}
userdataMoveError=Kunne ikke flytte userdata/{0} til userdata/{1}.tmp
@ -416,6 +477,7 @@ versionMismatchAll=Versioner matcher ikke! Opdater venligst alle Essentials jar-
voiceSilenced=\u00a77Din stemme er blevet gjort stille.
walking=walking
warpDeleteError=Ah, shit; kunne sgu ikke fjerne warp-filen. Jeg giver en \u00c3\u00b8l i lufthavnen.
warpList={0}
warpListPermission=\u00a7cDu har ikke tilladelse til at vise listen over warps.
warpNotExist=Den warp eksisterer ikke.
warpOverwrite=\u00a7cYou cannot overwrite that warp.
@ -451,61 +513,3 @@ year=\u00e5r
years=\u00e5r
youAreHealed=\u00a77Du er blevet healed. Halleluja!
youHaveNewMail=\u00a7cDu har {0} flaskeposter!\u00a7f Type \u00a77/mail read for at se din flaskepost.
posX=\u00a76X: {0} (+East <-> -West)
posY=\u00a76Y: {0} (+Up <-> -Down)
posZ=\u00a76Z: {0} (+South <-> -North)
posYaw=\u00a76Yaw: {0} (Rotation)
posPitch=\u00a76Pitch: {0} (Head angle)
distance=\u00a76Distance: {0}
giveSpawn=\u00a76Giving\u00a7c {0} \u00a76of\u00a7c {1} to\u00a7c {2}\u00a76.
warpList={0}
uptime=\u00a76Uptime:\u00a7c {0}
antiBuildCraft=\u00a74You are not permitted to create\u00a7c {0}\u00a74.
antiBuildDrop=\u00a74You are not permitted to drop\u00a7c {0}\u00a74.
gcWorld=\u00a76{0} "\u00a7c{1}\u00a76": \u00a7c{2}\u00a76 chunks, \u00a7c{3}\u00a76 entities
invalidHomeName=\u00a74Invalid home name
invalidWarpName=\u00a74Invalid warp name
userUnknown=\u00a74Warning: The user ''\u00a7c{0}\u00a74'' has never joined this server.
teleportationEnabledFor=\u00a76Teleportation enabled for {0}
teleportationDisabledFor=\u00a76Teleportation disabled for {0}
kitOnce=\u00a74You can't use that kit again.
fullStack=\u00a74You already have a full stack
oversizedTempban=\u00a74You may not ban a player for this period of time.
recipeNone=No recipes exist for {0}
invalidNumber=Invalid Number
recipeBadIndex=There is no recipe by that number
recipeNothing=nothing
recipe=\u00a76Recipe for \u00a7c{0}\u00a76 ({1} of {2})
recipeFurnace=\u00a76Smelt \u00a7c{0}
recipeGrid=\u00a7{0}X \u00a76| \u00a7{1}X \u00a76| \u00a7{2}X
recipeGridItem=\ \u00a7{0}X \u00a76is \u00a7c{1}
recipeMore=\u00a76Type /{0} \u00a7c{1}\u00a76 <number> to see other recipes for \u00a7c{2}
recipeWhere=\u00a76Where: {0}
recipeShapeless=\u00a76Combine \u00a7c{0}
editBookContents=\u00a7eYou may now edit the contents of this book
bookAuthorSet=\u00a76Author of the book set to {0}
bookTitleSet=\u00a76Title of the book set to {0}
denyChangeAuthor=\u00a74You cannot change the author of this book
denyChangeTitle=\u00a74You cannot change the title of this book
denyBookEdit=\u00a74You cannot unlock this book
bookLocked=\u00a7cThis book is now locked
holdBook=\u00a74You are not holding a writable book
fireworkColor=\u00a74You must apply a color to the firework to add an effect
holdFirework=\u00a74You must be holding a firework to add effects
invalidFireworkFormat=\u00a76The option \u00a74{0} \u00a76is not a valid value for \u00a74{1}
muteNotify=\u00a74{0} \u00a76has muted \u00a74{1}
resetBal=\u00a76Balance has been reset to \u00a7a{0} \u00a76 for all online players
resetBalAll=\u00a76Balance has been reset to \u00a7a{0} \u00a76 for all players
messageTruncated=\u00a74Message truncated, to see the full output type:\u00a7c /{0} {1}
userAFK=\u00a75{0} \u00a75is currently AFK and may not respond
fireworkEffectsCleared=\u00a76Removed all effects from held stack.
fireworkSyntax=\u00a76Firework parameters:\u00a7c color:<color> [fade:<color>] [shape:<shape>] [effect:<effect>]\n\u00a76To use multiple colors/effects, seperate values with commas: \u00a7cred,blue,pink\n\u00a76Shapes:\u00a7c star, ball, large, creeper, burst \u00a76Effects:\u00a7c trail, twinkle
bed=\u00a7obed\u00a7r
bedNull=\u00a7mbed\u00a7r
bedMissing=\u00a74Your bed is either unset, missing or blocked.
bedSet=\u00a76Bed spawn set!
kitGiveTo=\u00a76Giving kit\u00a7c {0}\u00a76 to {1}\u00a7.
kitReceive=\u00a76Received kit\u00a7c {0}\u00a76.
noMatchingPlayers=\u00a76No matching players found.
matchingIPAddress=\u00a76The following players previously logged in from that IP address:
runningPlayerMatch=\u00a76Running search for players matching ''\u00a7c{0}\u00a76'' (this could take a little while)

View File

@ -11,6 +11,8 @@ alertFormat=\u00a73[{0}] \u00a7f {1} \u00a76 {2} bei: {3}
alertPlaced=platziert:
alertUsed=benutzt:
antiBuildBreak=\u00a74You are not permitted to break {0} blocks here.
antiBuildCraft=\u00a74You are not permitted to create\u00a7c {0}\u00a74.
antiBuildDrop=\u00a74You are not permitted to drop\u00a7c {0}\u00a74.
antiBuildInteract=\u00a74You are not permitted to interact with {0}.
antiBuildPlace=\u00a74You are not permitted to place {0} here.
antiBuildUse=\u00a74You are not permitted to use {0}.
@ -24,10 +26,16 @@ balance=\u00a77Geldb\u00f6rse: {0}
balanceTop=\u00a77Top Guthaben ({0})
banExempt=\u00a7cDu kannst diesen Spieler nicht sperren.
banFormat=Banned: {0}
playerBanIpAddress=\u00a76Player\u00a7c {0} \u00a76banned IP address {1} \u00a76.
bed=\u00a7obed\u00a7r
bedMissing=\u00a74Your bed is either unset, missing or blocked.
bedNull=\u00a7mbed\u00a7r
bedSet=\u00a76Bed spawn set!
bigTreeFailure=\u00a7cFehler beim Pflanzen eines grossen Baums. Versuch es auf Gras oder Dreck.
bigTreeSuccess= \u00a77Grosser Baum gepflanzt.
blockList=Essentials relayed the following commands to another plugin:
bookAuthorSet=\u00a76Author of the book set to {0}
bookLocked=\u00a7cThis book is now locked
bookTitleSet=\u00a76Title of the book set to {0}
broadcast=[\u00a7cRundruf\u00a7f]\u00a7a {0}
buildAlert=\u00a7cDu hast keine Rechte zum Bauen.
bukkitFormatChanged=Bukkit-Versionsformat hat sich ge\u00e4ndert. Version nicht kontrolliert.
@ -65,6 +73,9 @@ deleteHome=\u00a77Zuhause {0} wurde gel\u00f6scht.
deleteJail=\u00a77Gef\u00e4ngnis {0} wurde gel\u00f6scht.
deleteWarp=\u00a77Warp-Punkt {0} wurde gel\u00f6scht.
deniedAccessCommand={0} hat keinen Zugriff auf diesen Befehl.
denyBookEdit=\u00a74You cannot unlock this book
denyChangeAuthor=\u00a74You cannot change the author of this book
denyChangeTitle=\u00a74You cannot change the title of this book
dependancyDownloaded=[Essentials] Abh\u00e4ngigkeit {0} erfolgreich runtergeladen.
dependancyException=[Essentials] W\u00e4hrend dem Download von einer Abh\u00e4ngigkeit ist ein Fehler aufgetreten.
dependancyNotFound=[Essentials] Eine erforderliche Abh\u00e4ngigkeit wurde nicht gefunde, Download startet jetzt..
@ -75,10 +86,12 @@ destinationNotSet=Ziel nicht gesetzt
disableUnlimited=\u00a77Deaktiviere unendliches Platzieren von {0} f\u00fcr {1}.
disabled=deaktiviert
disabledToSpawnMob=Spawning this mob was disabled in the config file.
distance=\u00a76Distance: {0}
dontMoveMessage=\u00a77Teleportvorgang startet in {0}. Beweg dich nicht.
downloadingGeoIp=Lade GeoIP-Datenbank ... dies kann etwas dauern (country: 0.6 MB, city: 20MB)
duplicatedUserdata=Doppelte Datei in userdata: {0} und {1}
durability=\u00a77This tool has \u00a7c{0}\u00a77 uses left
editBookContents=\u00a7eYou may now edit the contents of this book
enableUnlimited=\u00a77Gebe {1} unendliche Mengen von {0}.
enabled=aktiviert
enchantmentApplied = \u00a77The enchantment {0} has been applied to your item in hand.
@ -102,17 +115,23 @@ false=\u00a74false\u00a7f
feed=\u00a77Your appetite was sated.
feedOther=\u00a77Satisfied {0}.
fileRenameError=Umbenennen von {0} gescheitert.
fireworkColor=\u00a74You must apply a color to the firework to add an effect
fireworkEffectsCleared=\u00a76Removed all effects from held stack.
fireworkSyntax=\u00a76Firework parameters:\u00a7c color:<color> [fade:<color>] [shape:<shape>] [effect:<effect>]\n\u00a76To use multiple colors/effects, seperate values with commas: \u00a7cred,blue,pink\n\u00a76Shapes:\u00a7c star, ball, large, creeper, burst \u00a76Effects:\u00a7c trail, twinkle
flyMode=\u00a77Set fly mode {0} for {1}.
flying=flying
foreverAlone=\u00a7cDu hast niemanden, dem du antworten kannst.
freedMemory={0} MB frei gemacht.
fullStack=\u00a74You already have a full stack
gameMode=\u00a77Set game mode {0} for {1}.
gcWorld=\u00a76{0} "\u00a7c{1}\u00a76": \u00a7c{2}\u00a76 chunks, \u00a7c{3}\u00a76 entities
gcfree=Freier Speicher: {0} MB
gcmax=Maximaler Speicher: {0} MB
gctotal=Reservierter Speicher: {0} MB
geoIpUrlEmpty=GeoIP Download-URL ist leer.
geoIpUrlInvalid=GeoIP Download-URL ist ung\u00fcltig.
geoipJoinFormat=\u00a76Spieler \u00a7c{0} \u00a76kommt aus \u00a7c{1}\u00a76.
giveSpawn=\u00a76Giving\u00a7c {0} \u00a76of\u00a7c {1} to\u00a7c {2}\u00a76.
godDisabledFor=deaktiviert f\u00fcr {0}
godEnabledFor=aktiviert f\u00fcr {0}
godMode=\u00a77Unsterblichkeit {0}.
@ -132,6 +151,9 @@ helpMatching=\u00a77Commands matching "{0}":
helpOp=\u00a7c[Hilfe]\u00a7f \u00a77{0}:\u00a7f {1}
helpPages=Seite \u00a7c{0}\u00a7f von \u00a7c{1}\u00a7f:
helpPlugin=\u00a74{0}\u00a7f: Plugin Help: /help {1}
holdBook=\u00a74You are not holding a writable book
holdFirework=\u00a74You must be holding a firework to add effects
holdPotion=\u00a74You must be holding a potion to apply effects to it
holeInFloor=Loch im Boden
homeSet=\u00a77Zuhause gesetzt.
homeSetToBed=\u00a77Dein Zuhause ist nun an diesem Bett.
@ -150,14 +172,20 @@ invRestored=Dein Inventar wurde wieder hergestellt.
invSee=Du siehst das Inventar von {0}.
invSeeHelp=Benutze /invsee um dein Inventar wiederherzustellen.
invalidCharge=\u00a7cUng\u00fcltige Verf\u00fcgung.
invalidFireworkFormat=\u00a76The option \u00a74{0} \u00a76is not a valid value for \u00a74{1}
invalidHome=Home {0} doesn't exist
invalidHomeName=\u00a74Invalid home name
invalidMob=Ung\u00fcltiger Monstername.
invalidNumber=Invalid Number
invalidPotion=\u00a74Invalid Potion
invalidPotionEffect=\u00a74You do not have permissions to apply potion effect \u00a7c{0} \u00a74to this potion
invalidServer=Ung\u00fcltiger Server!
invalidSignLine=Die Zeile {0} auf dem Schild ist falsch.
invalidWarpName=\u00a74Invalid warp name
invalidWorld=\u00a7cUng\u00fcltige Welt.
inventoryCleared=\u00a77Inventar geleert.
inventoryClearedOthers=\u00a77Inventar von \u00a7c{0}\u00a77 geleert.
inventoryClearedAll=\u00a76Cleared everyone's inventory.
inventoryClearedOthers=\u00a77Inventar von \u00a7c{0}\u00a77 geleert.
is=ist
itemCannotBeSold=Dieser Gegenstand kann nicht verkauft werden.
itemMustBeStacked=Gegenstand muss als Stapel verkauft werden. Eine Anzahl von 2s verkauft 2 Stapel usw.
@ -187,7 +215,10 @@ kitError2=\u00a7cDiese Ausr\u00fcstung existiert nicht oder ist ung\u00fcltig.
kitError=\u00a7cEs gibt keine g\u00fcltigen Ausr\u00fcstungen.
kitErrorHelp=\u00a7cEventuell fehlt bei einem Gegenstand die Menge?
kitGive=\u00a77Gebe Ausr\u00fcstung {0}.
kitGiveTo=\u00a76Giving kit\u00a7c {0}\u00a76 to {1}\u00a7.
kitInvFull=\u00a7cDein Inventar ist voll, lege Ausr\u00fcstung auf den Boden
kitOnce=\u00a74You can't use that kit again.
kitReceive=\u00a76Received kit\u00a7c {0}\u00a76.
kitTimed=\u00a7cDu kannst diese Ausr\u00fcstung nicht innerhalb von {0} anfordern.
kits=\u00a77Ausr\u00fcstungen: {0}
lightningSmited=\u00a77Du wurdest gepeinigt.
@ -205,9 +236,11 @@ mailSent=\u00a77Nachricht gesendet!
markMailAsRead=\u00a7cUm deine Nachrichten zu l\u00f6schen, schreibe /mail clear
markedAsAway=\u00a77Du wirst als abwesend angezeigt.
markedAsNotAway=\u00a77Du wirst nicht mehr als abwesend angezeigt.
matchingIPAddress=\u00a76The following players previously logged in from that IP address:
maxHomes=Du kannst nicht mehr als {0} Zuhause setzen.
mayNotJail=\u00a7cDu kannst diese Person nicht einsperren.
me=mir
messageTruncated=\u00a74Message truncated, to see the full output type:\u00a7c /{0} {1}
minute=Minute
minutes=Minuten
missingItems=Du ben\u00f6tigst {0}x {1}.
@ -225,6 +258,7 @@ moreThanZero=Anzahl muss gr\u00f6sser als 0 sein.
moveSpeed=\u00a77Set {0} speed to {1} for {2}.
msgFormat=\u00a77[{0}\u00a77 -> {1}\u00a77] \u00a7f{2}
muteExempt=\u00a7cDu darfst diesen Spieler nicht stumm machen.
muteNotify=\u00a74{0} \u00a76has muted \u00a74{1}
mutedPlayer=Player {0} ist nun stumm.
mutedPlayerFor=Player {0} ist nun stumm f\u00fcr {1}.
mutedUserSpeaks={0} versuchte zu sprechen, aber ist stumm geschaltet.
@ -249,6 +283,7 @@ noHomeSetPlayer=Spieler hat kein Zuhause gesetzt.
noKitPermission=\u00a7cDu brauchst die Berechtigung \u00a7c{0}\u00a7c um diese Ausr\u00fcstung anzufordern.
noKits=\u00a77Es sind keine Ausr\u00fcstungen verf\u00fcgbar.
noMail=Du hast keine Nachrichten
noMatchingPlayers=\u00a76No matching players found.
noMotd=\u00a7cEs existiert keine Willkommensnachricht.
noNewMail=\u00a77Du hast keine Nachrichten.
noPendingRequest=Du hast keine Teleportierungsanfragen.
@ -274,6 +309,7 @@ onlyDayNight=/time unterst\u00fctzt nur day und night.
onlyPlayers=Nur Spieler k\u00f6nnen {0} benutzen.
onlySunStorm=/weather unterst\u00fctzt nur sun und storm.
orderBalances=Ordering balances of {0} users, please wait ...
oversizedTempban=\u00a74You may not ban a player for this period of time.
pTimeCurrent=\u00a7e{0}''s\u00a7f time is {1}.
pTimeCurrentFixed=\u00a7e{0}''s\u00a7f Zeit wurde zu {1} gesetzt.
pTimeNormal=\u00a7e{0}''s\u00a7f Zeit ist normal und entspricht der Serverzeit.
@ -285,6 +321,7 @@ pTimeSetFixed=Spielerzeit ist festgesetzt zu \u00a73{0}\u00a7f f\u00fcr: \u00a7e
parseError=Fehler beim Parsen von {0} in Zeile {1}
pendingTeleportCancelled=\u00a7cLaufende Teleportierung abgebrochen.
permissionsError=Permissions/GroupManager fehlt; Chat-Prefixe/-Suffixe sind ausgeschaltet.
playerBanIpAddress=\u00a76Player\u00a7c {0} \u00a76banned IP address {1} \u00a76.
playerBanned=\u00a7cSpieler {0} gesperrt: {1}
playerInJail=\u00a7cSpieler ist bereits in Gef\u00e4ngnis {0}.
playerJailed=\u00a77Spieler {0} eingesperrt.
@ -296,7 +333,13 @@ playerNeverOnServer=\u00a7cSpieler {0} war niemals auf diesem Server.
playerNotFound=\u00a7cSpieler nicht gefunden.
playerUnmuted=\u00a77Du bist nicht mehr stumm.
pong=Pong!
posPitch=\u00a76Pitch: {0} (Head angle)
posX=\u00a76X: {0} (+East <-> -West)
posY=\u00a76Y: {0} (+Up <-> -Down)
posYaw=\u00a76Yaw: {0} (Rotation)
posZ=\u00a76Z: {0} (+South <-> -North)
possibleWorlds=\u00a77M\u00f6gliche Welten sind nummeriet von 0 bis {0}.
potions=\u00a76Potions:\u00a7r {0}
powerToolAir=Befehl kann nicht mit Luft verbunden werden.
powerToolAlreadySet=Befehl \u00a7c{0}\u00a7f ist bereits zu {1} hinzugef\u00fcgt.
powerToolAttach=Befehl \u00a7c{0}\u00a7f erfolgreich zu {1} hinzugef\u00fcgt.
@ -311,6 +354,16 @@ powerToolsEnabled=Alle deine Powertools wurden aktiviert.
protectionOwner=\u00a76[EssentialsProtect] Besitzer dieses Blocks: {0}
questionFormat=\u00a77[Frage]\u00a7f {0}
readNextPage=Type /{0} {1} to read the next page
recipe=\u00a76Recipe for \u00a7c{0}\u00a76 ({1} of {2})
recipeBadIndex=There is no recipe by that number
recipeFurnace=\u00a76Smelt \u00a7c{0}
recipeGrid=\u00a7{0}X \u00a76| \u00a7{1}X \u00a76| \u00a7{2}X
recipeGridItem=\ \u00a7{0}X \u00a76is \u00a7c{1}
recipeMore=\u00a76Type /{0} \u00a7c{1}\u00a76 <number> to see other recipes for \u00a7c{2}
recipeNone=No recipes exist for {0}
recipeNothing=nothing
recipeShapeless=\u00a76Combine \u00a7c{0}
recipeWhere=\u00a76Where: {0}
reloadAllPlugins=\u00a77Alle plugins neu geladen.
removed=\u00a77Removed {0} entities.
repair=Du hast erfolgreich deine {0} repariert.
@ -325,7 +378,10 @@ requestDeniedFrom=\u00a77{0} hat deine Teleportierungsanfrage abgelehnt.
requestSent=\u00a77Anfrage gesendet an {0}\u00a77.
requestTimedOut=\u00a7cTeleport request has timed out
requiredBukkit= * ! * You need atleast build {0} of CraftBukkit, download it from http://dl.bukkit.org/downloads/craftbukkit/
resetBal=\u00a76Balance has been reset to \u00a7a{0} \u00a76 for all online players
resetBalAll=\u00a76Balance has been reset to \u00a7a{0} \u00a76 for all players
returnPlayerToJailError=Error occurred when trying to return player {0} to jail: {1}
runningPlayerMatch=\u00a76Running search for players matching ''\u00a7c{0}\u00a76'' (this could take a little while)
second=Sekunde
seconds=Sekunden
seenOffline=Spieler {0} ist offline seit {1}
@ -362,7 +418,9 @@ teleportRequestTimeoutInfo=\u00a77This request will timeout after {0} seconds.
teleportTop=\u00a77Teleportiere nach oben.
teleportationCommencing=\u00a77Teleportierung gestartet...
teleportationDisabled=\u00a77Teleportierung deaktiviert.
teleportationDisabledFor=\u00a76Teleportation disabled for {0}
teleportationEnabled=\u00a77Teleportierung aktiviert.
teleportationEnabledFor=\u00a76Teleportation enabled for {0}
teleporting=\u00a77Teleportiere...
teleportingPortal=\u00a77Teleportiere durch Portal.
tempBanned=Zeitlich gesperrt vom Server f\u00fcr {0}
@ -402,10 +460,13 @@ unmutedPlayer=Spieler {0} ist nicht mehr stumm.
unvanished=\u00a7aYou are once again visible.
unvanishedReload=\u00a7cA reload has forced you to become visible.
upgradingFilesError=Fehler beim Aktualisieren der Dateien
uptime=\u00a76Uptime:\u00a7c {0}
userAFK=\u00a75{0} \u00a75is currently AFK and may not respond
userDoesNotExist=Spieler {0} existiert nicht.
userIsAway={0} ist abwesend.
userIsNotAway={0} ist wieder da.
userJailed=\u00a77Du wurdest eingesperrt.
userUnknown=\u00a74Warning: The user ''\u00a7c{0}\u00a74'' has never joined this server.
userUsedPortal={0} benutzt ein vorhandenes Ausgangsportal.
userdataMoveBackError=Verschieben von userdata/{0}.tmp nach userdata/{1} gescheitert.
userdataMoveError=Verschieben von userdata/{0} nach userdata/{1}.tmp gescheitert.
@ -416,6 +477,7 @@ versionMismatchAll=Versionen ungleich! Bitte aktualisiere alle Essentials jars a
voiceSilenced=\u00a77Du bist stumm
walking=walking
warpDeleteError=Fehler beim L\u00f6schen der Warp-Datei.
warpList={0}
warpListPermission=\u00a7cDu hast keine Berechtigung, die Warp-Punkte anzuzeigen.
warpNotExist=Warp-Punkt existiert nicht.
warpOverwrite=\u00a7cYou cannot overwrite that warp.
@ -451,61 +513,3 @@ year=Jahr
years=Jahre
youAreHealed=\u00a77Du wurdest geheilt.
youHaveNewMail=\u00a7cDu hast {0} Nachrichten!\u00a7f Schreibe \u00a77/mail read\u00a7f um deine Nachrichten anzuzeigen.
posX=\u00a76X: {0} (+East <-> -West)
posY=\u00a76Y: {0} (+Up <-> -Down)
posZ=\u00a76Z: {0} (+South <-> -North)
posYaw=\u00a76Yaw: {0} (Rotation)
posPitch=\u00a76Pitch: {0} (Head angle)
distance=\u00a76Distance: {0}
giveSpawn=\u00a76Giving\u00a7c {0} \u00a76of\u00a7c {1} to\u00a7c {2}\u00a76.
warpList={0}
uptime=\u00a76Uptime:\u00a7c {0}
antiBuildCraft=\u00a74You are not permitted to create\u00a7c {0}\u00a74.
antiBuildDrop=\u00a74You are not permitted to drop\u00a7c {0}\u00a74.
gcWorld=\u00a76{0} "\u00a7c{1}\u00a76": \u00a7c{2}\u00a76 chunks, \u00a7c{3}\u00a76 entities
invalidHomeName=\u00a74Invalid home name
invalidWarpName=\u00a74Invalid warp name
userUnknown=\u00a74Warning: The user ''\u00a7c{0}\u00a74'' has never joined this server.
teleportationEnabledFor=\u00a76Teleportation enabled for {0}
teleportationDisabledFor=\u00a76Teleportation disabled for {0}
kitOnce=\u00a74You can't use that kit again.
fullStack=\u00a74You already have a full stack
oversizedTempban=\u00a74You may not ban a player for this period of time.
recipeNone=No recipes exist for {0}
invalidNumber=Invalid Number
recipeBadIndex=There is no recipe by that number
recipeNothing=nothing
recipe=\u00a76Recipe for \u00a7c{0}\u00a76 ({1} of {2})
recipeFurnace=\u00a76Smelt \u00a7c{0}
recipeGrid=\u00a7{0}X \u00a76| \u00a7{1}X \u00a76| \u00a7{2}X
recipeGridItem=\ \u00a7{0}X \u00a76is \u00a7c{1}
recipeMore=\u00a76Type /{0} \u00a7c{1}\u00a76 <number> to see other recipes for \u00a7c{2}
recipeWhere=\u00a76Where: {0}
recipeShapeless=\u00a76Combine \u00a7c{0}
editBookContents=\u00a7eYou may now edit the contents of this book
bookAuthorSet=\u00a76Author of the book set to {0}
bookTitleSet=\u00a76Title of the book set to {0}
denyChangeAuthor=\u00a74You cannot change the author of this book
denyChangeTitle=\u00a74You cannot change the title of this book
denyBookEdit=\u00a74You cannot unlock this book
bookLocked=\u00a7cThis book is now locked
holdBook=\u00a74You are not holding a writable book
fireworkColor=\u00a74You must apply a color to the firework to add an effect
holdFirework=\u00a74You must be holding a firework to add effects
invalidFireworkFormat=\u00a76The option \u00a74{0} \u00a76is not a valid value for \u00a74{1}
muteNotify=\u00a74{0} \u00a76has muted \u00a74{1}
resetBal=\u00a76Balance has been reset to \u00a7a{0} \u00a76 for all online players
resetBalAll=\u00a76Balance has been reset to \u00a7a{0} \u00a76 for all players
messageTruncated=\u00a74Message truncated, to see the full output type:\u00a7c /{0} {1}
userAFK=\u00a75{0} \u00a75is currently AFK and may not respond
fireworkEffectsCleared=\u00a76Removed all effects from held stack.
fireworkSyntax=\u00a76Firework parameters:\u00a7c color:<color> [fade:<color>] [shape:<shape>] [effect:<effect>]\n\u00a76To use multiple colors/effects, seperate values with commas: \u00a7cred,blue,pink\n\u00a76Shapes:\u00a7c star, ball, large, creeper, burst \u00a76Effects:\u00a7c trail, twinkle
bed=\u00a7obed\u00a7r
bedNull=\u00a7mbed\u00a7r
bedMissing=\u00a74Your bed is either unset, missing or blocked.
bedSet=\u00a76Bed spawn set!
kitGiveTo=\u00a76Giving kit\u00a7c {0}\u00a76 to {1}\u00a7.
kitReceive=\u00a76Received kit\u00a7c {0}\u00a76.
noMatchingPlayers=\u00a76No matching players found.
matchingIPAddress=\u00a76The following players previously logged in from that IP address:
runningPlayerMatch=\u00a76Running search for players matching ''\u00a7c{0}\u00a76'' (this could take a little while)

View File

@ -11,6 +11,8 @@ alertFormat=\u00a73[{0}] \u00a7r {1} \u00a76 {2} at: {3}
alertPlaced=placed:
alertUsed=used:
antiBuildBreak=\u00a74You are not permitted to break\u00a7c {0} \u00a74blocks here.
antiBuildCraft=\u00a74You are not permitted to create\u00a7c {0}\u00a74.
antiBuildDrop=\u00a74You are not permitted to drop\u00a7c {0}\u00a74.
antiBuildInteract=\u00a74You are not permitted to interact with\u00a7c {0}\u00a74.
antiBuildPlace=\u00a74You are not permitted to place\u00a7c {0} \u00a74here.
antiBuildUse=\u00a74You are not permitted to use\u00a7c {0}\u00a74.
@ -24,10 +26,16 @@ balance=\u00a7aBalance:\u00a7c {0}
balanceTop=\u00a76Top balances ({0})
banExempt=\u00a74You can not ban that player.
banFormat=\u00a74Banned:\n\u00a7r{0}
playerBanIpAddress=\u00a76Player\u00a7c {0} \u00a76banned IP address {1} \u00a76.
bed=\u00a7obed\u00a7r
bedMissing=\u00a74Your bed is either unset, missing or blocked.
bedNull=\u00a7mbed\u00a7r
bedSet=\u00a76Bed spawn set!
bigTreeFailure=\u00a74Big tree generation failure. Try again on grass or dirt.
bigTreeSuccess= \u00a76Big tree spawned.
blockList=\u00a76Essentials relayed the following commands to another plugin:
bookAuthorSet=\u00a76Author of the book set to {0}.
bookLocked=\u00a76This book is now locked.
bookTitleSet=\u00a76Title of the book set to {0}.
broadcast=\u00a7r\u00a76[\u00a74Broadcast\u00a76]\u00a7a {0}
buildAlert=\u00a74You are not permitted to build.
bukkitFormatChanged=Bukkit version format changed. Version not checked.
@ -65,6 +73,9 @@ deleteHome=\u00a76Home\u00a7c {0} \u00a76has been removed.
deleteJail=\u00a76Jail\u00a7c {0} \u00a76has been removed.
deleteWarp=\u00a76Warp\u00a7c {0} \u00a76has been removed.
deniedAccessCommand=\u00a7c{0} \u00a74was denied access to command.
denyBookEdit=\u00a74You cannot unlock this book.
denyChangeAuthor=\u00a74You cannot change the author of this book.
denyChangeTitle=\u00a74You cannot change the title of this book.
dependancyDownloaded=[Essentials] Dependency {0} downloaded successfully.
dependancyException=[Essentials] An error occurred when trying to download a dependency.
dependancyNotFound=[Essentials] A required dependency was not found, downloading now.
@ -75,10 +86,12 @@ destinationNotSet=Destination not set!
disableUnlimited=\u00a76Disabled unlimited placing of\u00a7c {0} \u00a76for {1}.
disabled=disabled
disabledToSpawnMob=\u00a74Spawning this mob was disabled in the config file.
distance=\u00a76Distance: {0}
dontMoveMessage=\u00a76Teleportation will commence in\u00a7c {0}\u00a76. Don''t move.
downloadingGeoIp=Downloading GeoIP database... this might take a while (country: 0.6 MB, city: 20MB)
duplicatedUserdata=Duplicated userdata: {0} and {1}.
durability=\u00a76This tool has \u00a7c{0}\u00a76 uses left
editBookContents=\u00a7eYou may now edit the contents of this book.
enableUnlimited=\u00a76Giving unlimited amount of\u00a7c {0} \u00a76to {1}.
enabled=enabled
enchantmentApplied= \u00a76The enchantment\u00a7c {0} \u00a76has been applied to your item in hand.
@ -102,17 +115,23 @@ false=\u00a74false\u00a7r
feed=\u00a76Your appetite was sated.
feedOther=\u00a76Satisfied {0}\u00a76.
fileRenameError=Renaming file {0} failed!
fireworkColor=\u00a7cInvalid firework charge parameters inserted, must set a color first.
fireworkEffectsCleared=\u00a76Removed all effects from held stack.
fireworkSyntax=\u00a76Firework parameters:\u00a7c color:<color> [fade:<color>] [shape:<shape>] [effect:<effect>]\n\u00a76To use multiple colors/effects, seperate values with commas: \u00a7cred,blue,pink\n\u00a76Shapes:\u00a7c star, ball, large, creeper, burst \u00a76Effects:\u00a7c trail, twinkle.
flyMode=\u00a76Set fly mode\u00a7c {0} \u00a76for {1}\u00a76.
flying=flying
foreverAlone=\u00a74You have nobody to whom you can reply.
freedMemory=Freed {0} MB.
fullStack=\u00a74You already have a full stack.
gameMode=\u00a76Set game mode\u00a7c {0} \u00a76for {1}\u00a76.
gcWorld=\u00a76{0} "\u00a7c{1}\u00a76": \u00a7c{2}\u00a76 chunks, \u00a7c{3}\u00a76 entities.
gcfree=\u00a76Free memory:\u00a7c {0} MB.
gcmax=\u00a76Maximum memory:\u00a7c {0} MB.
gctotal=\u00a76Allocated memory:\u00a7c {0} MB.
geoIpUrlEmpty=GeoIP download url is empty.
geoIpUrlInvalid=GeoIP download url is invalid.
geoipJoinFormat=\u00a76Player \u00a7c{0} \u00a76comes from \u00a7c{1}\u00a76.
giveSpawn=\u00a76Giving\u00a7c {0} \u00a76of\u00a7c {1} to\u00a7c {2}\u00a76.
godDisabledFor=\u00a74disabled\u00a76 for\u00a7c {0}.
godEnabledFor=\u00a7aenabled\u00a76 for\u00a7c {0}.
godMode=\u00a76God mode\u00a7c {0}\u00a76.
@ -123,9 +142,9 @@ hatPlaced=\u00a76Enjoy your new hat!
hatRemoved=\u00a76Your hat has been removed.
haveBeenReleased=\u00a76You have been released.
heal=\u00a76You have been healed.
healDead=\u00a74You cannot heal someone who is dead!
healDead=\u00a7cYou cannot heal someone who is dead!
healOther=\u00a76Healed\u00a7c {0}\u00a76.
healDead=\u00a74You cannot heal someone who is dead!
helpConsole=To view help from the console, type ?.
helpFrom=\u00a76Commands from {0}:
helpLine=\u00a76/{0}\u00a7r: {1}
@ -133,6 +152,9 @@ helpMatching=\u00a76Commands matching "\u00a7c{0}\u00a76":
helpOp=\u00a74[HelpOp]\u00a7r \u00a76{0}:\u00a7r {1}
helpPages=\u00a76Page \u00a7c{0}\u00a76 of \u00a7c{1}\u00a76:
helpPlugin=\u00a74{0}\u00a7r: Plugin Help: /help {1}
holdBook=\u00a74You are not holding a writable book.
holdFirework=\u00a74You must be holding a firework to add effects.
holdPotion=\u00a74You must be holding a potion to apply effects to it
holeInFloor=\u00a74Hole in floor!
homeSet=\u00a76Home set.
homeSetToBed=\u00a76Your home is now set to this bed.
@ -151,14 +173,20 @@ invRestored=\u00a76Your inventory has been restored.
invSee=\u00a76You see the inventory of\u00a7c {0}\u00a76.
invSeeHelp=\u00a76Use /invsee to restore your inventory.
invalidCharge=\u00a74Invalid charge.
invalidFireworkFormat=\u00a76The option \u00a74{0} \u00a76is not a valid value for \u00a74{1}\u00a76.
invalidHome=\u00a74Home\u00a7c {0} \u00a74doesn''t exist!
invalidHomeName=\u00a74Invalid home name!
invalidMob=Invalid mob type.
invalidNumber=Invalid Number
invalidPotion=\u00a74Invalid Potion
invalidPotionEffect=\u00a74You do not have permissions to apply potion effect \u00a7c{0} \u00a74to this potion
invalidServer=Invalid server!
invalidSignLine=\u00a74Line\u00a7c {0} \u00a74on sign is invalid.
invalidWarpName=\u00a74Invalid warp name!
invalidWorld=\u00a74Invalid world.
inventoryCleared=\u00a76Inventory cleared.
inventoryClearedOthers=\u00a76Inventory of \u00a7c{0}\u00a76 cleared.
inventoryClearedAll=\u00a76Cleared everyone's inventory.
inventoryClearedOthers=\u00a76Inventory of \u00a7c{0}\u00a76 cleared.
is=is
itemCannotBeSold=\u00a74That item cannot be sold to the server.
itemMustBeStacked=\u00a74Item must be traded in stacks. A quantity of 2s would be two stacks, etc.
@ -188,7 +216,10 @@ kitError2=\u00a74That kit does not exist or is improperly defined.
kitError=\u00a74There are no valid kits.
kitErrorHelp=\u00a74Perhaps an item is missing a quantity in the configuration?
kitGive=\u00a76Giving kit\u00a7c {0}\u00a76.
kitGiveTo=\u00a76Giving kit\u00a7c {0}\u00a76 to {1}\u00a7.
kitInvFull=\u00a74Your inventory was full, placing kit on the floor.
kitOnce=\u00a74You can't use that kit again.
kitReceive=\u00a76Received kit\u00a7c {0}\u00a76.
kitTimed=\u00a74You can''t use that kit again for another\u00a7c {0}\u00a74.
kits=\u00a76Kits:\u00a7r {0}
lightningSmited=\u00a76Thou hast been smitten!
@ -206,9 +237,11 @@ mailSent=\u00a76Mail sent!
markMailAsRead=\u00a76To mark your mail as read, type\u00a7c /mail clear.
markedAsAway=\u00a76You are now marked as away.
markedAsNotAway=\u00a76You are no longer marked as away.
matchingIPAddress=\u00a76The following players previously logged in from that IP address:
maxHomes=\u00a74You cannot set more than\u00a7c {0} \u00a74homes.
mayNotJail=\u00a74You may not jail that person!
me=me
messageTruncated=\u00a74Message truncated, to see the full output type:\u00a7c /{0} {1}
minute=minute
minutes=minutes
missingItems=\u00a74You do not have {0}x {1}.
@ -226,6 +259,7 @@ moreThanZero=\u00a74Quantities must be greater than 0.
moveSpeed=\u00a76Set {0} speed to\u00a7c {1} \u00a76for {2}\u00a76.
msgFormat=\u00a76[{0}\u00a76 -> {1}\u00a76] \u00a7r{2}
muteExempt=\u00a74You may not mute that player.
muteNotify=\u00a74{0} \u00a76has muted \u00a74{1}\u00a76.
mutedPlayer=\u00a76Player {0} \u00a76muted.
mutedPlayerFor=\u00a76Player {0} \u00a76muted for {1}.
mutedUserSpeaks={0} tried to speak, but is muted.
@ -250,6 +284,7 @@ noHomeSetPlayer=\u00a76Player has not set a home.
noKitPermission=\u00a74You need the \u00a7c{0}\u00a74 permission to use that kit.
noKits=\u00a76There are no kits available yet.
noMail=\u00a76You do not have any mail.
noMatchingPlayers=\u00a76No matching players found.
noMotd=\u00a76There is no message of the day.
noNewMail=\u00a76You have no new mail.
noPendingRequest=\u00a74You do not have a pending request.
@ -275,6 +310,7 @@ onlyDayNight=/time only supports day/night.
onlyPlayers=\u00a74Only in-game players can use {0}.
onlySunStorm=\u00a74/weather only supports sun/storm.
orderBalances=\u00a76Ordering balances of\u00a7c {0} \u00a76users, please wait...
oversizedTempban=\u00a74You may not ban a player for this period of time.
pTimeCurrent=\u00a7c{0}\u00a76''s time is\u00a7c {1}\u00a76.
pTimeCurrentFixed=\u00a7c{0}\u00a76''s time is fixed to\u00a7c {1}\u00a76.
pTimeNormal=\u00a7c{0}\u00a76''s time is normal and matches the server.
@ -286,6 +322,7 @@ pTimeSetFixed=\u00a76Player time is fixed to \u00a7c{0}\u00a76 for: \u00a7c{1}.
parseError=\u00a74Error parsing\u00a7c {0} \u00a76on line {1}.
pendingTeleportCancelled=\u00a74Pending teleportation request cancelled.
permissionsError=Missing Permissions/GroupManager; chat prefixes/suffixes will be disabled.
playerBanIpAddress=\u00a76Player\u00a7c {0} \u00a76banned IP address {1} \u00a76.
playerBanned=\u00a76Player\u00a7c {0} \u00a76banned {1} \u00a76for {2}.
playerInJail=\u00a74Player is already in jail\u00a7c {0}\u00a76.
playerJailed=\u00a76Player\u00a7c {0} \u00a76jailed.
@ -297,7 +334,13 @@ playerNeverOnServer=\u00a74Player\u00a7c {0} \u00a74was never on this server.
playerNotFound=\u00a74Player not found.
playerUnmuted=\u00a76You have been unmuted.
pong=Pong!
posPitch=\u00a76Pitch: {0} (Head angle)
posX=\u00a76X: {0} (+East <-> -West)
posY=\u00a76Y: {0} (+Up <-> -Down)
posYaw=\u00a76Yaw: {0} (Rotation)
posZ=\u00a76Z: {0} (+South <-> -North)
possibleWorlds=\u00a76Possible worlds are the numbers 0 through {0}.
potions=\u00a76Potions:\u00a7r {0}
powerToolAir=\u00a74Command can't be attached to air.
powerToolAlreadySet=\u00a74Command \u00a7c{0}\u00a74 is already assigned to {1}.
powerToolAttach=\u00a7c{0}\u00a76 command assigned to {1}.
@ -312,6 +355,16 @@ powerToolsEnabled=\u00a76All of your power tools have been enabled.
protectionOwner=\u00a76[EssentialsProtect] Protection owner:\u00a7r {0}.
questionFormat=\u00a72[Question]\u00a7r {0}
readNextPage=\u00a76Type\u00a7c /{0} {1} \u00a76to read the next page.
recipe=\u00a76Recipe for \u00a7c{0}\u00a76 ({1} of {2})
recipeBadIndex=There is no recipe by that number.
recipeFurnace=\u00a76Smelt \u00a7c{0}
recipeGrid=\u00a7{0}X \u00a76| \u00a7{1}X \u00a76| \u00a7{2}X
recipeGridItem=\ \u00a7{0}X \u00a76is \u00a7c{1}
recipeMore=\u00a76Type /{0} \u00a7c{1}\u00a76 <number> to see other recipes for \u00a7c{2}\u00a76.
recipeNone=No recipes exist for {0}
recipeNothing=nothing
recipeShapeless=\u00a76Combine \u00a7c{0}
recipeWhere=\u00a76Where: {0}
reloadAllPlugins=\u00a76Reloaded all plugins.
removed=\u00a76Removed\u00a7c {0} \u00a76entities.
repair=\u00a76You have successfully repaired your: \u00a7c{0}.
@ -326,7 +379,10 @@ requestDeniedFrom=\u00a7c{0} \u00a76denied your teleport request.
requestSent=\u00a76Request sent to\u00a7c {0}\u00a76.
requestTimedOut=\u00a74Teleport request has timed out.
requiredBukkit= \u00a76* ! * You need atleast build {0} of CraftBukkit, download it from http://dl.bukkit.org/downloads/craftbukkit/
resetBal=\u00a76Balance has been reset to \u00a7a{0} \u00a76for all online players.
resetBalAll=\u00a76Balance has been reset to \u00a7a{0} \u00a76for all players.
returnPlayerToJailError=\u00a74Error occurred when trying to return player\u00a7c {0} \u00a74to jail: {1}!
runningPlayerMatch=\u00a76Running search for players matching ''\u00a7c{0}\u00a76'' (this could take a little while)
second=second
seconds=seconds
seenOffline=\u00a76Player\u00a7c {0} \u00a76is \u00a74offline\u00a76 since {1}.
@ -363,7 +419,9 @@ teleportRequestTimeoutInfo=\u00a76This request will timeout after\u00a7c {0} sec
teleportTop=\u00a76Teleporting to top.
teleportationCommencing=\u00a76Teleportation commencing...
teleportationDisabled=\u00a76Teleportation disabled.
teleportationDisabledFor=\u00a76Teleportation disabled for {0}.
teleportationEnabled=\u00a76Teleportation enabled.
teleportationEnabledFor=\u00a76Teleportation enabled for {0}.
teleporting=\u00a76Teleporting...
teleportingPortal=\u00a76Teleporting via portal.
tempBanned=Temporarily banned from server for {0}.
@ -403,10 +461,13 @@ unmutedPlayer=\u00a76Player\u00a7c {0} \u00a76unmuted.
unvanished=\u00a76You are once again visible.
unvanishedReload=\u00a74A reload has forced you to become visible.
upgradingFilesError=Error while upgrading the files.
uptime=\u00a76Uptime:\u00a7c {0}
userAFK=\u00a75{0} \u00a75is currently AFK and may not respond.
userDoesNotExist=\u00a74The user\u00a7c {0} \u00a74does not exist.
userIsAway=\u00a75{0} \u00a75is now AFK.
userIsNotAway=\u00a75{0} \u00a75is no longer AFK.
userJailed=\u00a76You have been jailed!
userUnknown=\u00a74Warning: The user ''\u00a7c{0}\u00a74'' has never joined this server.
userUsedPortal={0} used an existing exit portal.
userdataMoveBackError=Failed to move userdata/{0}.tmp to userdata/{1}!
userdataMoveError=Failed to move userdata/{0} to userdata/{1}.tmp!
@ -417,6 +478,7 @@ versionMismatchAll=\u00a74Version mismatch! Please update all Essentials jars to
voiceSilenced=\u00a76Your voice has been silenced!
walking=walking
warpDeleteError=\u00a74Problem deleting the warp file.
warpList={0}
warpListPermission=\u00a74You do not have Permission to list warps.
warpNotExist=\u00a74That warp does not exist.
warpOverwrite=\u00a74You cannot overwrite that warp.
@ -452,61 +514,3 @@ year=year
years=years
youAreHealed=\u00a76You have been healed.
youHaveNewMail=\u00a76You have\u00a7c {0} \u00a76messages! Type \u00a7c/mail read\u00a76 to view your mail.
posX=\u00a76X: {0} (+East <-> -West)
posY=\u00a76Y: {0} (+Up <-> -Down)
posZ=\u00a76Z: {0} (+South <-> -North)
posYaw=\u00a76Yaw: {0} (Rotation)
posPitch=\u00a76Pitch: {0} (Head angle)
distance=\u00a76Distance: {0}
giveSpawn=\u00a76Giving\u00a7c {0} \u00a76of\u00a7c {1} to\u00a7c {2}\u00a76.
warpList={0}
uptime=\u00a76Uptime:\u00a7c {0}
antiBuildCraft=\u00a74You are not permitted to create\u00a7c {0}\u00a74.
antiBuildDrop=\u00a74You are not permitted to drop\u00a7c {0}\u00a74.
gcWorld=\u00a76{0} "\u00a7c{1}\u00a76": \u00a7c{2}\u00a76 chunks, \u00a7c{3}\u00a76 entities.
invalidHomeName=\u00a74Invalid home name!
invalidWarpName=\u00a74Invalid warp name!
userUnknown=\u00a74Warning: The user ''\u00a7c{0}\u00a74'' has never joined this server.
teleportationEnabledFor=\u00a76Teleportation enabled for {0}.
teleportationDisabledFor=\u00a76Teleportation disabled for {0}.
kitOnce=\u00a74You can't use that kit again.
fullStack=\u00a74You already have a full stack.
oversizedTempban=\u00a74You may not ban a player for this period of time.
recipeNone=No recipes exist for {0}
invalidNumber=Invalid Number
recipeBadIndex=There is no recipe by that number.
recipeNothing=nothing
recipe=\u00a76Recipe for \u00a7c{0}\u00a76 ({1} of {2})
recipeFurnace=\u00a76Smelt \u00a7c{0}
recipeGrid=\u00a7{0}X \u00a76| \u00a7{1}X \u00a76| \u00a7{2}X
recipeGridItem=\ \u00a7{0}X \u00a76is \u00a7c{1}
recipeMore=\u00a76Type /{0} \u00a7c{1}\u00a76 <number> to see other recipes for \u00a7c{2}\u00a76.
recipeWhere=\u00a76Where: {0}
recipeShapeless=\u00a76Combine \u00a7c{0}
editBookContents=\u00a7eYou may now edit the contents of this book.
bookAuthorSet=\u00a76Author of the book set to {0}.
bookTitleSet=\u00a76Title of the book set to {0}.
denyChangeAuthor=\u00a74You cannot change the author of this book.
denyChangeTitle=\u00a74You cannot change the title of this book.
denyBookEdit=\u00a74You cannot unlock this book.
bookLocked=\u00a76This book is now locked.
holdBook=\u00a74You are not holding a writable book.
fireworkColor=\u00a7cInvalid firework charge parameters inserted, must set a color first.
holdFirework=\u00a74You must be holding a firework to add effects.
invalidFireworkFormat=\u00a76The option \u00a74{0} \u00a76is not a valid value for \u00a74{1}\u00a76.
muteNotify=\u00a74{0} \u00a76has muted \u00a74{1}\u00a76.
resetBal=\u00a76Balance has been reset to \u00a7a{0} \u00a76for all online players.
resetBalAll=\u00a76Balance has been reset to \u00a7a{0} \u00a76for all players.
messageTruncated=\u00a74Message truncated, to see the full output type:\u00a7c /{0} {1}
userAFK=\u00a75{0} \u00a75is currently AFK and may not respond.
fireworkEffectsCleared=\u00a76Removed all effects from held stack.
fireworkSyntax=\u00a76Firework parameters:\u00a7c color:<color> [fade:<color>] [shape:<shape>] [effect:<effect>]\n\u00a76To use multiple colors/effects, seperate values with commas: \u00a7cred,blue,pink\n\u00a76Shapes:\u00a7c star, ball, large, creeper, burst \u00a76Effects:\u00a7c trail, twinkle.
bed=\u00a7obed\u00a7r
bedNull=\u00a7mbed\u00a7r
bedMissing=\u00a74Your bed is either unset, missing or blocked.
bedSet=\u00a76Bed spawn set!
kitGiveTo=\u00a76Giving kit\u00a7c {0}\u00a76 to {1}\u00a7.
kitReceive=\u00a76Received kit\u00a7c {0}\u00a76.
noMatchingPlayers=\u00a76No matching players found.
matchingIPAddress=\u00a76The following players previously logged in from that IP address:
runningPlayerMatch=\u00a76Running search for players matching ''\u00a7c{0}\u00a76'' (this could take a little while)

View File

@ -11,6 +11,8 @@ alertFormat=\u00a73[{0}] \u00a7f {1} \u00a76 {2} en: {3}
alertPlaced=Situado:
alertUsed=Usado:
antiBuildBreak=\u00a74Tu no tines permitido romper {0} bloques aca.
antiBuildCraft=\u00a74No se le permite crear\u00a7c {0}\u00a74.
antiBuildDrop=\u00a74No se le permite botar \u00a7c {0}\u00a74.
antiBuildInteract=\u00a74Tu no tienes permitido interactuar con {0}.
antiBuildPlace=\u00a74Tu no tienes permitido poner {0} aca.
antiBuildUse=\u00a74Tu no tienes permitido usar {0}.
@ -24,10 +26,16 @@ balance=\u00a77Cantidad: {0}
balanceTop=\u00a77Ranking de cantidades ({0})
banExempt=\u00a7cNo puedes bannear a ese jugador.
banFormat=Banned: {0}
playerBanIpAddress=\u00a76Player\u00a7c {0} \u00a76banned IP address {1} \u00a76.
bed=\u00a7obed\u00a7r
bedMissing=\u00a74Your bed is either unset, missing or blocked.
bedNull=\u00a7mbed\u00a7r
bedSet=\u00a76Bed spawn set!
bigTreeFailure=\u00a7cBig Generacion de arbol fallida. Prueba de nuevo en hierba o arena.
bigTreeSuccess= \u00a77Big Arbol generado.
blockList=Essentials le ha cedido los siguientes comandos a otros plugins:
bookAuthorSet=\u00a76Author of the book set to {0}
bookLocked=\u00a7cThis book is now locked
bookTitleSet=\u00a76Title of the book set to {0}
broadcast=\u00a7c[\u00a76Broadcast\u00a7c]\u00a7a {0}
buildAlert=\u00a7cNo tienes permisos para construir.
bukkitFormatChanged=Version de formato de Bukkit cambiado. Version no comprobada.
@ -65,6 +73,9 @@ deleteHome=\u00a77Home {0} ha sido borrado.
deleteJail=\u00a77Jail {0} ha sido borrado.
deleteWarp=\u00a77Warp {0} ha sido borrado.
deniedAccessCommand={0} ha denegado el acceso al comando.
denyBookEdit=\u00a74You cannot unlock this book
denyChangeAuthor=\u00a74You cannot change the author of this book
denyChangeTitle=\u00a74You cannot change the title of this book
dependancyDownloaded=[Essentials] Dependencia {0} descargada correctamente.
dependancyException=[Essentials] Error al intentar descargar la dependencia.
dependancyNotFound=[Essentials] La dependencia necesitada no se encontro, descargando...
@ -75,10 +86,12 @@ destinationNotSet=Destino no establecido.
disableUnlimited=\u00a77Desactivando colocacion ilimitada de {0} para {1}.
disabled=desactivado
disabledToSpawnMob=El spawn de este mob esta deshabilitado en la configuracion.
distance=\u00a76Distancia: {0}
dontMoveMessage=\u00a77Teletransporte comenzara en {0}. No te muevas.
downloadingGeoIp=Descargando base de datos de GeoIP ... puede llevar un tiempo (pais: 0.6 MB, ciudad: 20MB)
duplicatedUserdata=Datos de usuario duplicados: {0} y {1}
durability=\u00a77Esta herramienta tiene \u00a7c{0}\u00a77 usos restantes.
editBookContents=\u00a7eYou may now edit the contents of this book
enableUnlimited=\u00a77Dando cantidad ilimitada de {0} a {1}.
enabled=activado
enchantmentApplied = \u00a77El encantamiento {0} fue aplicado al item en tu mano.
@ -102,17 +115,23 @@ false=\u00a74false\u00a7f
feed=\u00a77Apetito satisfecho.
feedOther=\u00a77Satisfecho {0}.
fileRenameError=Error al renombrar el archivo {0}
fireworkColor=\u00a74You must apply a color to the firework to add an effect
fireworkEffectsCleared=\u00a76Removed all effects from held stack.
fireworkSyntax=\u00a76Firework parameters:\u00a7c color:<color> [fade:<color>] [shape:<shape>] [effect:<effect>]\n\u00a76To use multiple colors/effects, seperate values with commas: \u00a7cred,blue,pink\n\u00a76Shapes:\u00a7c star, ball, large, creeper, burst \u00a76Effects:\u00a7c trail, twinkle
flyMode=\u00a77Modo de vuelo activado {0} para {1}.
flying=volando
foreverAlone=\u00a7cNo tienes nadie a quien puedas responder.
freedMemory= {0} MB libres.
fullStack=\u00a74You already have a full stack
gameMode=\u00a77Modo de juego {0} activado para {1}.
gcWorld=\u00a76{0} "\u00a7c{1}\u00a76": \u00a7c{2}\u00a76 chunks, \u00a7c{3}\u00a76 entidades
gcfree=Memoria libre: {0} MB
gcmax=Memoria maxima: {0} MB
gctotal=Memoria localizada: {0} MB
geoIpUrlEmpty=El link para descargar GeoIP esta vacio.
geoIpUrlInvalid=El link para descargar GeoIP es invalido.
geoipJoinFormat=\u00a76El jugador \u00a7c{0} \u00a76viene de \u00a7c{1}\u00a76.
giveSpawn=\u00a76Se a dado\u00a7c {0} \u00a76de\u00a7c {1} a\u00a7c {2}\u00a76.
godDisabledFor=desactivado para {0}
godEnabledFor=activado para {0}
godMode=\u00a77Modo de dios {0}.
@ -132,6 +151,9 @@ helpMatching=\u00a77Comandos que coinciden con "{0}":
helpOp=\u00a7c[AyudaOp]\u00a7f \u00a77{0}:\u00a7f {1}
helpPages=Pagina \u00a7c{0}\u00a7f de \u00a7c{1}\u00a7f:
helpPlugin=\u00a74{0}\u00a7f: Ayuda con los plugins: /help {1}
holdBook=\u00a74You are not holding a writable book
holdFirework=\u00a74You must be holding a firework to add effects
holdPotion=\u00a74You must be holding a potion to apply effects to it
holeInFloor=Agujero en el suelo.
homeSet=\u00a77Hogar establecido.
homeSetToBed=\u00a77Tu hogar esta ahora establecido en esta cama.
@ -150,14 +172,20 @@ invRestored=Tu inventario ha sido recuperado.
invSee=Estas viendo el inventario de {0}.
invSeeHelp=Usa /invsee para recuperar tu inventario.
invalidCharge=\u00a7cCargo invalido.
invalidFireworkFormat=\u00a76The option \u00a74{0} \u00a76is not a valid value for \u00a74{1}
invalidHome=El hogar {0} no existe.
invalidHomeName=\u00a74Nombre de casa invalido
invalidMob=Mob invalido.
invalidNumber=Invalid Number
invalidPotion=\u00a74Invalid Potion
invalidPotionEffect=\u00a74You do not have permissions to apply potion effect \u00a7c{0} \u00a74to this potion
invalidServer=Servidor invalido!
invalidSignLine=Linea {0} en el signo es invalida.
invalidWarpName=\u00a74Nombre de warp invalido
invalidWorld=\u00a7cMundo invalido.
inventoryCleared=\u00a77Inventario limpiado.
inventoryClearedOthers=\u00a77Inventario de \u00a7c{0}\u00a77 limpiado.
inventoryClearedAll=\u00a76Cleared everyone's inventory.
inventoryClearedOthers=\u00a77Inventario de \u00a7c{0}\u00a77 limpiado.
is=es
itemCannotBeSold=Ese objeto no puede ser vendido al servidor.
itemMustBeStacked=El objeto tiene que ser intercambiado en pilas. Una cantidad de 2s seria de dos pilas, etc.
@ -187,7 +215,10 @@ kitError2=\u00a7cEse kit no existe o esta mal escrito.
kitError=\u00a7cNo hay ningun kit valido.
kitErrorHelp=\u00a7cLe falta especificar la cantidad a un item en la configuracion?
kitGive=\u00a77Dando kit a {0}.
kitGiveTo=\u00a76Giving kit\u00a7c {0}\u00a76 to {1}\u00a7.
kitInvFull=\u00a7cTu inventario esta lleno, el kit se pondra en el suelo.
kitOnce=\u00a74You can't use that kit again.
kitReceive=\u00a76Received kit\u00a7c {0}\u00a76.
kitTimed=\u00a7c No puedes usar ese kit de nuevo para otro{0}.
kits=\u00a77Kits: {0}
lightningSmited=\u00a77Acabas de ser golpeado.
@ -205,9 +236,11 @@ mailSent=\u00a77Email enviado!!
markMailAsRead=\u00a7cPara marcar tu email como leido, escribe /mail clear
markedAsAway=\u00a77Has sido anunciado como AFK.
markedAsNotAway=\u00a77Ya no estas AFK.
matchingIPAddress=\u00a76The following players previously logged in from that IP address:
maxHomes=No puedes establecer mas de {0} hogares.
mayNotJail=\u00a7cNo puedes encarcelar a esa persona.
me=yo
messageTruncated=\u00a74Message truncated, to see the full output type:\u00a7c /{0} {1}
minute=minuto
minutes=minutos
missingItems=No tienes {0}x de {1}.
@ -225,6 +258,7 @@ moreThanZero=Las cantidades han de ser mayores que 0.
moveSpeed=\u00a77Has puesto {0} velocidad a {1} por {2}.
msgFormat=\u00a77[{0}\u00a77 -> {1}\u00a77] \u00a7f{2}
muteExempt=\u00a7cNo puedes silenciar a ese jugador.
muteNotify=\u00a74{0} \u00a76has muted \u00a74{1}
mutedPlayer=Player {0} silenciado.
mutedPlayerFor=Player {0} silenciado durante {1}.
mutedUserSpeaks={0} intento hablar, pero esta silenciado.
@ -249,6 +283,7 @@ noHomeSetPlayer=El jugador no ha establecido un hogar.
noKitPermission=\u00a7cNecesitas los \u00a7c{0}\u00a7c permisos para usar ese kit.
noKits=\u00a77No hay kits disponibles aun.
noMail=No has recibido ningun email.
noMatchingPlayers=\u00a76No matching players found.
noMotd=\u00a7cNo hay ningun mensaje del dia.
noNewMail=\u00a77No tienes ningun correo nuevo.
noPendingRequest=No tienes ninguna peticion pendiente.
@ -274,6 +309,7 @@ onlyDayNight=/time solo se utiliza con los valores day o night. (dia/noche)
onlyPlayers=Solo los jugadores conectados pueden usar {0}.
onlySunStorm=/weather solo acepta los valores sun o storm. (sol/tormenta)
orderBalances=Creando un ranking de {0} usuarios segun su presupuesto, espera...
oversizedTempban=\u00a74You may not ban a player for this period of time.
pTimeCurrent=\u00a7e{0}''s\u00a7f la hora es {1}.
pTimeCurrentFixed=\u00a7e{0}''s\u00a7f la hora ha sido cambiada a {1}.
pTimeNormal=\u00a7e{0}''s\u00a7f el tiempo es normal y coincide con el servidor.
@ -285,6 +321,7 @@ pTimeSetFixed=La hora del jugador ha sido arreglada para las: \u00a73{0}\u00a7f
parseError=error analizando {0} en la linea {1}
pendingTeleportCancelled=\u00a7cPeticion de teletransporte pendiente cancelado.
permissionsError=Falta el plugin Permissions/GroupManager; Los prefijos/sufijos de chat seran desactivados.
playerBanIpAddress=\u00a76Player\u00a7c {0} \u00a76banned IP address {1} \u00a76.
playerBanned=\u00a7cEl jugador {0} ha baneado a {1} durante {2}
playerInJail=\u00a7cEl jugador {0} ya esta en la carcel.
playerJailed=\u00a77Jugador {0} encarcelado.
@ -296,7 +333,13 @@ playerNeverOnServer=\u00a7cEl jugador {0} nunca estuvo en este servidor.
playerNotFound=\u00a7cJugador no encontrado.
playerUnmuted=\u00a77Has sido desmuteado.
pong=Te quiero mucho!
posPitch=\u00a76Tono: {0} (Angulo de cabeza)
posX=\u00a76X: {0} (+Este <-> -Oeste)
posY=\u00a76Y: {0} (+Arriba <-> -abajo)
posYaw=\u00a76gui\u00c3\u00b1ar: {0} (Rotacion)
posZ=\u00a76Z: {0} (+Sur <-> -Norte)
possibleWorlds=\u00a77Los mundos posibles son desde el numero 0 hasta el {0}.
potions=\u00a76Potions:\u00a7r {0}
powerToolAir=El comando no se puede ejecutar en el aire.
powerToolAlreadySet=El comando \u00a7c{0}\u00a7f ya esta asignado a {1}.
powerToolAttach=\u00a7c{0}\u00a7f comando asignado a {1}.
@ -311,6 +354,16 @@ powerToolsEnabled=Todas tus herramientas de poder han sido activadas.
protectionOwner=\u00a76[EssentialsProtect] Dueno de la proteccion: {0}
questionFormat=\u00a7c[Pregunta]\u00a7f {0}
readNextPage=escribe /{0} {1} para leer la prox. pagina.
recipe=\u00a76Recipe for \u00a7c{0}\u00a76 ({1} of {2})
recipeBadIndex=There is no recipe by that number
recipeFurnace=\u00a76Smelt \u00a7c{0}
recipeGrid=\u00a7{0}X \u00a76| \u00a7{1}X \u00a76| \u00a7{2}X
recipeGridItem=\ \u00a7{0}X \u00a76is \u00a7c{1}
recipeMore=\u00a76Type /{0} \u00a7c{1}\u00a76 <number> to see other recipes for \u00a7c{2}
recipeNone=No recipes exist for {0}
recipeNothing=nothing
recipeShapeless=\u00a76Combine \u00a7c{0}
recipeWhere=\u00a76Where: {0}
reloadAllPlugins=\u00a77Todos los plugins recargados.
removed=\u00a77{0} entidades removidas.
repair=Has reparado satisfactoriamente tu: \u00a7e{0}.
@ -325,7 +378,10 @@ requestDeniedFrom=\u00a77{0} ha denegado tu peticion de teletransporte.
requestSent=\u00a77Peticion enviada a {0}\u00a77.
requestTimedOut=\u00a7cA la solicitud de teletransporte se le ha acabado el tiempo.
requiredBukkit= * ! * Necesitas al menos el build {0} de CraftBukkit, descargalo de http://dl.bukkit.org/downloads/craftbukkit/
resetBal=\u00a76Balance has been reset to \u00a7a{0} \u00a76 for all online players
resetBalAll=\u00a76Balance has been reset to \u00a7a{0} \u00a76 for all players
returnPlayerToJailError=Error al intentar regresar a un jugador {0} a la carcel: {1}
runningPlayerMatch=\u00a76Running search for players matching ''\u00a7c{0}\u00a76'' (this could take a little while)
second=segundo
seconds=segundos
seenOffline=El jugador {0} esta desconectado desde {1}
@ -362,7 +418,9 @@ teleportRequestTimeoutInfo=\u00a77A esta solicitud se le acabara el tiempo despu
teleportTop=\u00a77Teletransportandote a la cima.
teleportationCommencing=\u00a77Comenzando teletransporte...
teleportationDisabled=\u00a77Teletransporte desactivado.
teleportationDisabledFor=\u00a76Teleportation disabled for {0}
teleportationEnabled=\u00a77Teletransporte activado.
teleportationEnabledFor=\u00a76Teleportation enabled for {0}
teleporting=\u00a77Teletransportando...
teleportingPortal=\u00a77Teletransportando via portal.
tempBanned=Baneado temporalmente del servidor por {0}
@ -402,10 +460,13 @@ unmutedPlayer=Jugador {0} desmuteado.
unvanished=\u00a7aEres visible nuevamente.
unvanishedReload=\u00a7cUn reinicio te ha forzado a ser visible.
upgradingFilesError=Error mientras se actualizaban los archivos
uptime=\u00a76Uptime:\u00a7c {0}
userAFK=\u00a75{0} \u00a75is currently AFK and may not respond
userDoesNotExist=El usuario {0} no existe
userIsAway={0} esta ahora ausente!
userIsNotAway={0} ya no esta ausente!
userJailed=\u00a77Has sido encarcelado!
userUnknown=\u00a74Peligro: El jugador ''\u00a7c{0}\u00a74'' Nunca a ingresado a este servidor.
userUsedPortal={0} uso un portal de salida existente.
userdataMoveBackError=Error al mover userdata/{0}.tmp a userdata/{1}
userdataMoveError=Error al mover userdata/{0} a userdata/{1}.tmp
@ -416,6 +477,7 @@ versionMismatchAll=La version no coincide! Por favor actualiza todos los jars de
voiceSilenced=\u00a77Tu voz ha sido silenciada
walking=walking
warpDeleteError=Problema al borrar el archivo de teletransporte.
warpList={0}
warpListPermission=\u00a7cNo tienes permiso para listar esos teletransportes.
warpNotExist=Ese teletransporte no existe.
warpOverwrite=\u00a7cNo puedes sobreescribir ese atajo.
@ -451,61 +513,3 @@ year=ano
years=anos
youAreHealed=\u00a77Has sido curado.
youHaveNewMail=\u00a7cTienes {0} mensajes!\u00a7f Pon \u00a77/mail read\u00a7f para ver tus emails no leidos!.
posX=\u00a76X: {0} (+Este <-> -Oeste)
posY=\u00a76Y: {0} (+Arriba <-> -abajo)
posZ=\u00a76Z: {0} (+Sur <-> -Norte)
posYaw=\u00a76gui\u00c3\u00b1ar: {0} (Rotacion)
posPitch=\u00a76Tono: {0} (Angulo de cabeza)
distance=\u00a76Distancia: {0}
giveSpawn=\u00a76Se a dado\u00a7c {0} \u00a76de\u00a7c {1} a\u00a7c {2}\u00a76.
warpList={0}
uptime=\u00a76Uptime:\u00a7c {0}
antiBuildCraft=\u00a74No se le permite crear\u00a7c {0}\u00a74.
antiBuildDrop=\u00a74No se le permite botar \u00a7c {0}\u00a74.
gcWorld=\u00a76{0} "\u00a7c{1}\u00a76": \u00a7c{2}\u00a76 chunks, \u00a7c{3}\u00a76 entidades
invalidHomeName=\u00a74Nombre de casa invalido
invalidWarpName=\u00a74Nombre de warp invalido
userUnknown=\u00a74Peligro: El jugador ''\u00a7c{0}\u00a74'' Nunca a ingresado a este servidor.
teleportationEnabledFor=\u00a76Teleportation enabled for {0}
teleportationDisabledFor=\u00a76Teleportation disabled for {0}
kitOnce=\u00a74You can't use that kit again.
fullStack=\u00a74You already have a full stack
oversizedTempban=\u00a74You may not ban a player for this period of time.
recipeNone=No recipes exist for {0}
invalidNumber=Invalid Number
recipeBadIndex=There is no recipe by that number
recipeNothing=nothing
recipe=\u00a76Recipe for \u00a7c{0}\u00a76 ({1} of {2})
recipeFurnace=\u00a76Smelt \u00a7c{0}
recipeGrid=\u00a7{0}X \u00a76| \u00a7{1}X \u00a76| \u00a7{2}X
recipeGridItem=\ \u00a7{0}X \u00a76is \u00a7c{1}
recipeMore=\u00a76Type /{0} \u00a7c{1}\u00a76 <number> to see other recipes for \u00a7c{2}
recipeWhere=\u00a76Where: {0}
recipeShapeless=\u00a76Combine \u00a7c{0}
editBookContents=\u00a7eYou may now edit the contents of this book
bookAuthorSet=\u00a76Author of the book set to {0}
bookTitleSet=\u00a76Title of the book set to {0}
denyChangeAuthor=\u00a74You cannot change the author of this book
denyChangeTitle=\u00a74You cannot change the title of this book
denyBookEdit=\u00a74You cannot unlock this book
bookLocked=\u00a7cThis book is now locked
holdBook=\u00a74You are not holding a writable book
fireworkColor=\u00a74You must apply a color to the firework to add an effect
holdFirework=\u00a74You must be holding a firework to add effects
invalidFireworkFormat=\u00a76The option \u00a74{0} \u00a76is not a valid value for \u00a74{1}
muteNotify=\u00a74{0} \u00a76has muted \u00a74{1}
resetBal=\u00a76Balance has been reset to \u00a7a{0} \u00a76 for all online players
resetBalAll=\u00a76Balance has been reset to \u00a7a{0} \u00a76 for all players
messageTruncated=\u00a74Message truncated, to see the full output type:\u00a7c /{0} {1}
userAFK=\u00a75{0} \u00a75is currently AFK and may not respond
fireworkEffectsCleared=\u00a76Removed all effects from held stack.
fireworkSyntax=\u00a76Firework parameters:\u00a7c color:<color> [fade:<color>] [shape:<shape>] [effect:<effect>]\n\u00a76To use multiple colors/effects, seperate values with commas: \u00a7cred,blue,pink\n\u00a76Shapes:\u00a7c star, ball, large, creeper, burst \u00a76Effects:\u00a7c trail, twinkle
bed=\u00a7obed\u00a7r
bedNull=\u00a7mbed\u00a7r
bedMissing=\u00a74Your bed is either unset, missing or blocked.
bedSet=\u00a76Bed spawn set!
kitGiveTo=\u00a76Giving kit\u00a7c {0}\u00a76 to {1}\u00a7.
kitReceive=\u00a76Received kit\u00a7c {0}\u00a76.
noMatchingPlayers=\u00a76No matching players found.
matchingIPAddress=\u00a76The following players previously logged in from that IP address:
runningPlayerMatch=\u00a76Running search for players matching ''\u00a7c{0}\u00a76'' (this could take a little while)

View File

@ -11,6 +11,8 @@ alertFormat=\u00a73[{0}] \u00a7f {1} \u00a76 {2} sijainnissa: {3}
alertPlaced=laittoi:
alertUsed=k\u00e4ytti:
antiBuildBreak=\u00a74You are not permitted to break {0} blocks here.
antiBuildCraft=\u00a74You are not permitted to create\u00a7c {0}\u00a74.
antiBuildDrop=\u00a74You are not permitted to drop\u00a7c {0}\u00a74.
antiBuildInteract=\u00a74You are not permitted to interact with {0}.
antiBuildPlace=\u00a74You are not permitted to place {0} here.
antiBuildUse=\u00a74You are not permitted to use {0}.
@ -24,10 +26,16 @@ balance=\u00a77Rahatilanne: {0}
balanceTop=\u00a77Top rahatilanteet ({0})
banExempt=\u00a7cEt voi bannia pelaajaa.
banFormat=Banned: {0}
playerBanIpAddress=\u00a76Player\u00a7c {0} \u00a76banned IP address {1} \u00a76.
bed=\u00a7obed\u00a7r
bedMissing=\u00a74Your bed is either unset, missing or blocked.
bedNull=\u00a7mbed\u00a7r
bedSet=\u00a76Bed spawn set!
bigTreeFailure=\u00a7cIson puun luominen ep\u00e4onnistui. Yrit\u00e4 uudelleen nurmikolla tai mullalla.
bigTreeSuccess= \u00a77Iso puu luotu.
blockList=Essentials siirsi seuraavat komennot muihin plugineihin:
bookAuthorSet=\u00a76Author of the book set to {0}
bookLocked=\u00a7cThis book is now locked
bookTitleSet=\u00a76Title of the book set to {0}
broadcast=[\u00a7cIlmoitus\u00a7f]\u00a7a {0}
buildAlert=\u00a7cSinulla ei ole oikeuksia rakentaa
bukkitFormatChanged=Bukkitin versiomuoto muuttui. Versiota ei ole tarkistettu.
@ -65,6 +73,9 @@ deleteHome=\u00a77Koti {0} on poistettu.
deleteJail=\u00a77Vankila {0} on poistettu.
deleteWarp=\u00a77Warp {0} on poistettu.
deniedAccessCommand={0} p\u00e4\u00e4sy komentoon ev\u00e4ttiin.
denyBookEdit=\u00a74You cannot unlock this book
denyChangeAuthor=\u00a74You cannot change the author of this book
denyChangeTitle=\u00a74You cannot change the title of this book
dependancyDownloaded=[Essentials] Tarvittu tiedosto {0} ladattu onnistuneesti.
dependancyException=[Essentials] Virhe ladattaessa tarvittua tiedostoa
dependancyNotFound=[Essentials] Tarvittua tiedostoa ei l\u00f6ydy, ladataan nyt.
@ -75,10 +86,12 @@ destinationNotSet=Sijaintia ei ole m\u00e4\u00e4ritetty
disableUnlimited=\u00a77Poistettu k\u00e4yt\u00f6st\u00e4 loputon laittaminen tavaralta "{0}", pelaajalta {1}.
disabled=poissa k\u00e4yt\u00f6st\u00e4
disabledToSpawnMob=T\u00e4m\u00e4n mobin luominen on poistettu k\u00e4yt\u00f6st\u00e4 config tiedostossa.
distance=\u00a76Distance: {0}
dontMoveMessage=\u00a77Teleportataan {0} kuluttua. \u00c4l\u00e4 liiku.
downloadingGeoIp=Ladataan GeoIP tietokantaa ... t\u00e4m\u00e4 voi vied\u00e4 hetken (maa: 0.6 MB, kaupunki: 20MB)
duplicatedUserdata=Kopioitu k\u00e4ytt\u00e4j\u00e4n tiedot: {0} ja {1}
durability=\u00a77T\u00e4ll\u00e4 ty\u00f6kalulla on \u00a7c{0}\u00a77 k\u00e4ytt\u00f6kertaa j\u00e4ljell\u00e4
editBookContents=\u00a7eYou may now edit the contents of this book
enableUnlimited=\u00a77Annetaan loputon m\u00e4\u00e4r\u00e4 tavaraa "{0}" pelaajalle {1}.
enabled=k\u00e4yt\u00f6ss\u00e4
enchantmentApplied = \u00a77Parannus "{0}" on lis\u00e4tty tavaraan k\u00e4dess\u00e4si.
@ -102,17 +115,23 @@ false=v\u00e4\u00e4r\u00e4
feed=\u00a77Ruokahalusi on tyydytetty.
feedOther=\u00a77Tyydytit ruokahalun pelaajalta {0}.
fileRenameError={0} uudelleen nime\u00e4minen ep\u00e4onnistui
fireworkColor=\u00a74You must apply a color to the firework to add an effect
fireworkEffectsCleared=\u00a76Removed all effects from held stack.
fireworkSyntax=\u00a76Firework parameters:\u00a7c color:<color> [fade:<color>] [shape:<shape>] [effect:<effect>]\n\u00a76To use multiple colors/effects, seperate values with commas: \u00a7cred,blue,pink\n\u00a76Shapes:\u00a7c star, ball, large, creeper, burst \u00a76Effects:\u00a7c trail, twinkle
flyMode=\u00a77Lento {0} pelaajalla {1}.
flying=flying
foreverAlone=\u00a7cSinulla ei ole ket\u00e4\u00e4n kenelle vastata.
freedMemory=Vapaata muistia {0} MB.
fullStack=\u00a74You already have a full stack
gameMode=\u00a77Asetit pelimuodon "{0}" pelaajalle {1}.
gcWorld=\u00a76{0} "\u00a7c{1}\u00a76": \u00a7c{2}\u00a76 chunks, \u00a7c{3}\u00a76 entities
gcfree=Vapaa muisti: {0} MB
gcmax=Maksimi muisti: {0} MB
gctotal=Sallittu muisti: {0} MB
geoIpUrlEmpty=GeoIP latausosoite on tyhj\u00e4.
geoIpUrlInvalid=GeoIP latausosoite on viallinen.
geoipJoinFormat=\u00a76Pelaaja \u00a7c{0} \u00a76tulee maasta \u00a7c{1}\u00a76.
giveSpawn=\u00a76Giving\u00a7c {0} \u00a76of\u00a7c {1} to\u00a7c {2}\u00a76.
godDisabledFor=poistettu pelaajalta {0}
godEnabledFor=laitettu pelaajalle {0}
godMode=\u00a77God muoto {0}.
@ -132,6 +151,9 @@ helpMatching=\u00a77Komennot "{0}":
helpOp=\u00a7c[HelpOp]\u00a7f \u00a77{0}:\u00a7f {1}
helpPages=Sivu \u00a7c{0}\u00a7f / \u00a7c{1}\u00a7f:
helpPlugin=\u00a74{0}\u00a7f: Plugin apu: /help {1}
holdBook=\u00a74You are not holding a writable book
holdFirework=\u00a74You must be holding a firework to add effects
holdPotion=\u00a74You must be holding a potion to apply effects to it
holeInFloor=Reik\u00e4 lattiassa
homeSet=\u00a77Koti asetettu.
homeSetToBed=\u00a77Sinun koti on nyt asetettu t\u00e4h\u00e4n s\u00e4nkyyn.
@ -150,14 +172,20 @@ invRestored=Sinun reppusi on palautettu.
invSee=N\u00e4et pelaajan {0} repun.
invSeeHelp=K\u00e4yt\u00e4 /invsee kun haluat palauttaa oman reppusi.
invalidCharge=\u00a7cMit\u00e4t\u00f6n m\u00e4\u00e4r\u00e4ys.
invalidFireworkFormat=\u00a76The option \u00a74{0} \u00a76is not a valid value for \u00a74{1}
invalidHome=Kotia {0} ei ole olemassa
invalidHomeName=\u00a74Invalid home name
invalidMob=Kelvoton mobin tyyppi.
invalidNumber=Invalid Number
invalidPotion=\u00a74Invalid Potion
invalidPotionEffect=\u00a74You do not have permissions to apply potion effect \u00a7c{0} \u00a74to this potion
invalidServer=Kelvoton palvelin!
invalidSignLine=Kyltin rivi {0} on viallinen.
invalidWarpName=\u00a74Invalid warp name
invalidWorld=\u00a7cKelvoton maailma.
inventoryCleared=\u00a77Reppu tyhjennetty.
inventoryClearedOthers=\u00a77Pelaajan \u00a7c{0}\u00a77 reppu on tyhjennetty.
inventoryClearedAll=\u00a76Cleared everyone's inventory.
inventoryClearedOthers=\u00a77Pelaajan \u00a7c{0}\u00a77 reppu on tyhjennetty.
is=on
itemCannotBeSold=Tuota tavaraa ei voi myyd\u00e4 t\u00e4ll\u00e4 palvelimella.
itemMustBeStacked=Tavara pit\u00e4\u00e4 vaihtaa pakattuina. M\u00e4\u00e4r\u00e4 2s olisi kaksi pakettia, jne.
@ -187,7 +215,10 @@ kitError2=\u00a7cTuota pakkausta ei ole olemassa tai se on v\u00e4\u00e4rin muok
kitError=\u00a7cEi ole sopivia pakkauksia.
kitErrorHelp=\u00a7cEhk\u00e4 tavaralle ei ole m\u00e4\u00e4ritetty m\u00e4\u00e4r\u00e4\u00e4 configissa?
kitGive=\u00a77Annetaan pakkausta "{0}".
kitGiveTo=\u00a76Giving kit\u00a7c {0}\u00a76 to {1}\u00a7.
kitInvFull=\u00a7cSinun reppusi on t\u00e4ynn\u00e4, laitetaan tavarat maahan
kitOnce=\u00a74You can't use that kit again.
kitReceive=\u00a76Received kit\u00a7c {0}\u00a76.
kitTimed=\u00a7cAika, jota ennen et voi k\u00e4ytt\u00e4\u00e4 t\u00e4t\u00e4 pakkausta uudelleen: {0}.
kits=\u00a77Pakkaukset: {0}
lightningSmited=\u00a77Sinut on salamoitu
@ -205,9 +236,11 @@ mailSent=\u00a77Viesti l\u00e4hetetty!
markMailAsRead=\u00a7cMerkitse viestit luetuiksi, kirjoita /mail clear
markedAsAway=\u00a77Sinut on laitettu poissaolevaksi.
markedAsNotAway=\u00a77Sinua ei ole en\u00e4\u00e4 laitettu poissaolevaksi.
matchingIPAddress=\u00a76The following players previously logged in from that IP address:
maxHomes=Voit asettaa maksimissaan {0} kotia.
mayNotJail=\u00a7cEt voi laittaa tuota pelaajaa vankilaan
me=min\u00e4
messageTruncated=\u00a74Message truncated, to see the full output type:\u00a7c /{0} {1}
minute=minuutti
minutes=minuuttia
missingItems=Sinulla ei ole {0}kpl {1}.
@ -225,6 +258,7 @@ moreThanZero=M\u00e4\u00e4r\u00e4n pit\u00e4\u00e4 olla enemm\u00e4n kuin 0.
moveSpeed=\u00a77Set {0} speed to {1} for {2}.
msgFormat=\u00a77[{0}\u00a77 -> {1}\u00a77] \u00a7f{2}
muteExempt=\u00a7cEt voi hiljent\u00e4\u00e4 tuota pelaajaa.
muteNotify=\u00a74{0} \u00a76has muted \u00a74{1}
mutedPlayer=Pelaaja {0} hiljennetty.
mutedPlayerFor=Pelaaja {0} hiljennetty, koska {1}.
mutedUserSpeaks={0} yritti puhua, mutta oli hiljennetty.
@ -249,6 +283,7 @@ noHomeSetPlayer=Pelaaja ei ole asettanut kotia.
noKitPermission=\u00a7cTarvitset \u00a7c{0}\u00a7c oikeuden, jotta voit k\u00e4ytt\u00e4\u00e4 tuota pakkausta.
noKits=\u00a77Ei pakkauksia saatavilla viel\u00e4
noMail=Ei uusia viestej\u00e4
noMatchingPlayers=\u00a76No matching players found.
noMotd=\u00a7cEi ole p\u00e4iv\u00e4n viesti\u00e4.
noNewMail=\u00a77Ei viestej\u00e4.
noPendingRequest=Sinulla ei ole odottavia pyynt\u00f6j\u00e4.
@ -274,6 +309,7 @@ onlyDayNight=/time tukee vain day/night.
onlyPlayers=Vain peliss\u00e4 olevat pelaajat voivat k\u00e4ytt\u00e4\u00e4 {0}.
onlySunStorm=/weather tukee vain sun/storm.
orderBalances=J\u00e4rjestet\u00e4\u00e4n rahatilanteita {0}, odota...
oversizedTempban=\u00a74You may not ban a player for this period of time.
pTimeCurrent=Pelaajan \u00a7e{0}\u00a7f aika on {1}.
pTimeCurrentFixed=Pelaajan \u00a7e{0}\u00a7f aika on korjattu {1}.
pTimeNormal=Pelaajan \u00a7e{0}\u00a7f aika on normaali ja vastaa palvelimen aikaa.
@ -285,6 +321,7 @@ pTimeSetFixed=Pelaajan aika on korjattu \u00a73{0}\u00a7f koska: \u00a7e{1}
parseError=Virhe tarkistettaessa {0} rivill\u00e4 {1}
pendingTeleportCancelled=\u00a7cOdottava teleporttipyynt\u00f6 peruttu.
permissionsError=Puuttuu Permissions/GroupManager; keskustelun etu- ja takaliitteet poistettu k\u00e4yt\u00f6st\u00e4.
playerBanIpAddress=\u00a76Player\u00a7c {0} \u00a76banned IP address {1} \u00a76.
playerBanned=\u00a7cPelaaja {0} bannasi pelaajan {1} syyst\u00e4 {2}
playerInJail=\u00a7cPelaaja on jo vankilassa {0}.
playerJailed=\u00a77Pelaaja {0} laitettu vankilaan.
@ -296,7 +333,13 @@ playerNeverOnServer=\u00a7cPelaaja {0} ei ole koskaan ollut t\u00e4ll\u00e4 palv
playerNotFound=\u00a7cPelaajaa ei l\u00f6ydetty.
playerUnmuted=\u00a77Sin\u00e4 voit taas puhua
pong=Pong!
posPitch=\u00a76Pitch: {0} (Head angle)
posX=\u00a76X: {0} (+East <-> -West)
posY=\u00a76Y: {0} (+Up <-> -Down)
posYaw=\u00a76Yaw: {0} (Rotation)
posZ=\u00a76Z: {0} (+South <-> -North)
possibleWorlds=\u00a77Mahdollisia maailmoja on numerot v\u00e4lilt\u00e4 0 - {0}.
potions=\u00a76Potions:\u00a7r {0}
powerToolAir=Komentoa ei voi liitt\u00e4\u00e4 k\u00e4teen.
powerToolAlreadySet=Komento \u00a7c{0}\u00a7f on liitetty kohteeseen {1}.
powerToolAttach=\u00a7c{0}\u00a7f komento liitetty kohteeseen {1}.
@ -311,6 +354,16 @@ powerToolsEnabled=Kaikki voimaty\u00f6alut on otettu k\u00e4ytt\u00f6\u00f6n.
protectionOwner=\u00a76[EssentialsProtect] Suojauksen omistaja: {0}
questionFormat=\u00a77[Question]\u00a7f {0}
readNextPage=Kirjoita /{0} {1} lukeaksesi seuraavan sivun
recipe=\u00a76Recipe for \u00a7c{0}\u00a76 ({1} of {2})
recipeBadIndex=There is no recipe by that number
recipeFurnace=\u00a76Smelt \u00a7c{0}
recipeGrid=\u00a7{0}X \u00a76| \u00a7{1}X \u00a76| \u00a7{2}X
recipeGridItem=\ \u00a7{0}X \u00a76is \u00a7c{1}
recipeMore=\u00a76Type /{0} \u00a7c{1}\u00a76 <number> to see other recipes for \u00a7c{2}
recipeNone=No recipes exist for {0}
recipeNothing=nothing
recipeShapeless=\u00a76Combine \u00a7c{0}
recipeWhere=\u00a76Where: {0}
reloadAllPlugins=\u00a77Kaikki pluginit uudelleen ladattu.
removed=\u00a77Poistettu {0} kokonaisuutta.
repair=Onnistuneesti korjasit ty\u00f6kalun: \u00a7e{0}.
@ -325,7 +378,10 @@ requestDeniedFrom=\u00a77{0} kielt\u00e4ytyi sinun teleportti pyynn\u00f6st\u00e
requestSent=\u00a77Pyynt\u00f6 l\u00e4hetetty pelaajalle {0}\u00a77.
requestTimedOut=\u00a7cTeleportti pyynt\u00f6 aikakatkaistiin
requiredBukkit= * ! * Tarvitset v\u00e4hint\u00e4\u00e4n {0} version CraftBukkitista, lataa se osoitteesta http://dl.bukkit.org/downloads/craftbukkit/
resetBal=\u00a76Balance has been reset to \u00a7a{0} \u00a76 for all online players
resetBalAll=\u00a76Balance has been reset to \u00a7a{0} \u00a76 for all players
returnPlayerToJailError=Virhe laitettaessa pelaaja {0} takaisin vankilaan: {1}
runningPlayerMatch=\u00a76Running search for players matching ''\u00a7c{0}\u00a76'' (this could take a little while)
second=sekunti
seconds=sekuntia
seenOffline=Pelaaja {0} on ollut offline jo {1}
@ -362,7 +418,9 @@ teleportRequestTimeoutInfo=\u00a77T\u00e4m\u00e4 pyynt\u00f6 aikakatkaistaan {0}
teleportTop=\u00a77Teleportataan p\u00e4\u00e4lle.
teleportationCommencing=\u00a77Teleportataan...
teleportationDisabled=\u00a77Teleporttaus poistettu k\u00e4yt\u00f6st\u00e4.
teleportationDisabledFor=\u00a76Teleportation disabled for {0}
teleportationEnabled=\u00a77Teleportation otettu k\u00e4ytt\u00f6\u00f6n.
teleportationEnabledFor=\u00a76Teleportation enabled for {0}
teleporting=\u00a77Teleportataan...
teleportingPortal=\u00a77Teleportataan portaalin kautta.
tempBanned=Olet v\u00e4liaikaisesti bannattu palvelimelta, koska {0}
@ -402,10 +460,13 @@ unmutedPlayer=Pelaajat {0} voi taas puhua.
unvanished=\u00a7aOlet taas n\u00e4kyvill\u00e4.
unvanishedReload=\u00a7cSinut on pakotettu taas n\u00e4kyv\u00e4ksi uudelleen latauksen vuoksi.
upgradingFilesError=Virhe p\u00e4ivitett\u00e4ess\u00e4 tiedostoja
uptime=\u00a76Uptime:\u00a7c {0}
userAFK=\u00a75{0} \u00a75is currently AFK and may not respond
userDoesNotExist=Pelaajaa {0} ei ole olemassa.
userIsAway={0} on nyt AFK
userIsNotAway={0} ei ole en\u00e4\u00e4 AFK
userJailed=\u00a77Sinut on laitettu vankilaan
userUnknown=\u00a74Warning: The user ''\u00a7c{0}\u00a74'' has never joined this server.
userUsedPortal={0} k\u00e4ytti portaalia.
userdataMoveBackError=Virhe siirrett\u00e4ess\u00e4 k\u00e4ytt\u00e4j\u00e4n tietoja/{0}.tmp k\u00e4ytt\u00e4j\u00e4n tietoihin/{1}
userdataMoveError=Virhe siirrett\u00e4ess\u00e4 k\u00e4ytt\u00e4j\u00e4n tietoja/{0} k\u00e4ytt\u00e4j\u00e4n tietoihin/{1}.tmp
@ -416,6 +477,7 @@ versionMismatchAll=Versiot eiv\u00e4t t\u00e4sm\u00e4\u00e4! P\u00e4ivit\u00e4 k
voiceSilenced=\u00a77Sinun \u00e4\u00e4ni on hiljennetty
walking=walking
warpDeleteError=Virhe poistettaessa warp tiedostoa.
warpList={0}
warpListPermission=\u00a7cSinulla ei ole oikeuksia n\u00e4hd\u00e4 warp-listaa.
warpNotExist=Tuota warppia ei ole olemassa.
warpOverwrite=\u00a7cEt voi korvata tuota warppia.
@ -451,61 +513,3 @@ year=vuosi
years=vuosia
youAreHealed=\u00a77Sinut on parannettu.
youHaveNewMail=\u00a7cSinulla on {0} viesti(\u00e4)!\u00a7f Kirjoita \u00a77/mail read\u00a7f lukeaksesi viestit.
posX=\u00a76X: {0} (+East <-> -West)
posY=\u00a76Y: {0} (+Up <-> -Down)
posZ=\u00a76Z: {0} (+South <-> -North)
posYaw=\u00a76Yaw: {0} (Rotation)
posPitch=\u00a76Pitch: {0} (Head angle)
distance=\u00a76Distance: {0}
giveSpawn=\u00a76Giving\u00a7c {0} \u00a76of\u00a7c {1} to\u00a7c {2}\u00a76.
warpList={0}
uptime=\u00a76Uptime:\u00a7c {0}
antiBuildCraft=\u00a74You are not permitted to create\u00a7c {0}\u00a74.
antiBuildDrop=\u00a74You are not permitted to drop\u00a7c {0}\u00a74.
gcWorld=\u00a76{0} "\u00a7c{1}\u00a76": \u00a7c{2}\u00a76 chunks, \u00a7c{3}\u00a76 entities
invalidHomeName=\u00a74Invalid home name
invalidWarpName=\u00a74Invalid warp name
userUnknown=\u00a74Warning: The user ''\u00a7c{0}\u00a74'' has never joined this server.
teleportationEnabledFor=\u00a76Teleportation enabled for {0}
teleportationDisabledFor=\u00a76Teleportation disabled for {0}
kitOnce=\u00a74You can't use that kit again.
fullStack=\u00a74You already have a full stack
oversizedTempban=\u00a74You may not ban a player for this period of time.
recipeNone=No recipes exist for {0}
invalidNumber=Invalid Number
recipeBadIndex=There is no recipe by that number
recipeNothing=nothing
recipe=\u00a76Recipe for \u00a7c{0}\u00a76 ({1} of {2})
recipeFurnace=\u00a76Smelt \u00a7c{0}
recipeGrid=\u00a7{0}X \u00a76| \u00a7{1}X \u00a76| \u00a7{2}X
recipeGridItem=\ \u00a7{0}X \u00a76is \u00a7c{1}
recipeMore=\u00a76Type /{0} \u00a7c{1}\u00a76 <number> to see other recipes for \u00a7c{2}
recipeWhere=\u00a76Where: {0}
recipeShapeless=\u00a76Combine \u00a7c{0}
editBookContents=\u00a7eYou may now edit the contents of this book
bookAuthorSet=\u00a76Author of the book set to {0}
bookTitleSet=\u00a76Title of the book set to {0}
denyChangeAuthor=\u00a74You cannot change the author of this book
denyChangeTitle=\u00a74You cannot change the title of this book
denyBookEdit=\u00a74You cannot unlock this book
bookLocked=\u00a7cThis book is now locked
holdBook=\u00a74You are not holding a writable book
fireworkColor=\u00a74You must apply a color to the firework to add an effect
holdFirework=\u00a74You must be holding a firework to add effects
invalidFireworkFormat=\u00a76The option \u00a74{0} \u00a76is not a valid value for \u00a74{1}
muteNotify=\u00a74{0} \u00a76has muted \u00a74{1}
resetBal=\u00a76Balance has been reset to \u00a7a{0} \u00a76 for all online players
resetBalAll=\u00a76Balance has been reset to \u00a7a{0} \u00a76 for all players
messageTruncated=\u00a74Message truncated, to see the full output type:\u00a7c /{0} {1}
userAFK=\u00a75{0} \u00a75is currently AFK and may not respond
fireworkEffectsCleared=\u00a76Removed all effects from held stack.
fireworkSyntax=\u00a76Firework parameters:\u00a7c color:<color> [fade:<color>] [shape:<shape>] [effect:<effect>]\n\u00a76To use multiple colors/effects, seperate values with commas: \u00a7cred,blue,pink\n\u00a76Shapes:\u00a7c star, ball, large, creeper, burst \u00a76Effects:\u00a7c trail, twinkle
bed=\u00a7obed\u00a7r
bedNull=\u00a7mbed\u00a7r
bedMissing=\u00a74Your bed is either unset, missing or blocked.
bedSet=\u00a76Bed spawn set!
kitGiveTo=\u00a76Giving kit\u00a7c {0}\u00a76 to {1}\u00a7.
kitReceive=\u00a76Received kit\u00a7c {0}\u00a76.
noMatchingPlayers=\u00a76No matching players found.
matchingIPAddress=\u00a76The following players previously logged in from that IP address:
runningPlayerMatch=\u00a76Running search for players matching ''\u00a7c{0}\u00a76'' (this could take a little while)

View File

@ -11,6 +11,8 @@ alertFormat=\u00a73[{0}] \u00a7f {1} \u00a76 {2} \u00e0:{3}
alertPlaced=a plac\u00e9 :
alertUsed=a utilis\u00e9 :
antiBuildBreak=\u00a74Vous n'\u00eates pas autoris\u00e9s \u00e0 casser des blocs de {0} ici.
antiBuildCraft=\u00a74Vous n'\u00eates pas autoris\u00e9s \u00e0 cr\u00e9er\u00a7c {0}\u00a74.
antiBuildDrop=\u00a74Vous n'\u00eates pas autoris\u00e9s \u00e0 jeter\u00a7c {0}\u00a74.
antiBuildInteract=\u00a74Vous n'\u00eates pas autoris\u00e9s \u00e0 interagir avec {0}.
antiBuildPlace=\u00a74Vous n'\u00eates pas autoris\u00e9s \u00e0 placer {0} ici.
antiBuildUse=\u00a74Vous n'\u00eates pas autoris\u00e9s \u00e0 utliser {0}.
@ -24,10 +26,16 @@ balance=\u00a77Solde : {0}
balanceTop=\u00a77Meilleurs soldes au ({0})
banExempt=\u00a77Vous ne pouvez pas bannir ce joueur.
banFormat=Banni : {0}
playerBanIpAddress=\u00a76Player\u00a7c {0} \u00a76banned IP address {1} \u00a76.
bed=\u00a7obed\u00a7r
bedMissing=\u00a74Your bed is either unset, missing or blocked.
bedNull=\u00a7mbed\u00a7r
bedSet=\u00a76Bed spawn set!
bigTreeFailure=\u00a7c\u00c9chec de la g\u00e9n\u00e9ration du gros arbre. Essayez de nouveau sur de la terre ou de l'herbe.
bigTreeSuccess=\u00a77Gros arbre cr\u00e9e.
blockList=Essentials a relay\u00e9 les commandes suivantes \u00e0 un autre plugin :
bookAuthorSet=\u00a76Author of the book set to {0}
bookLocked=\u00a7cThis book is now locked
bookTitleSet=\u00a76Title of the book set to {0}
broadcast=[\u00a7cMessage\u00a7f]\u00a7a {0}
buildAlert=\u00a7cVous n'avez pas la permission de construire.
bukkitFormatChanged=Le format de la version de Bukkit a \u00e9t\u00e9 chang\u00e9. La version n''a pas \u00e9t\u00e9 v\u00e9rifi\u00e9e.
@ -65,6 +73,9 @@ deleteHome=\u00a77La r\u00e9sidence {0} a \u00e9t\u00e9 supprim\u00e9e.
deleteJail=\u00a77La prison {0} a \u00e9t\u00e9 supprim\u00e9e.
deleteWarp=\u00a77Warp {0} supprim\u00e9.
deniedAccessCommand=L''acc\u00e8s \u00e0 la commande a \u00e9t\u00e9 refus\u00e9 pour {0}.
denyBookEdit=\u00a74You cannot unlock this book
denyChangeAuthor=\u00a74You cannot change the author of this book
denyChangeTitle=\u00a74You cannot change the title of this book
dependancyDownloaded=[Essentials] Fichier {0} correctement t\u00e9l\u00e9charg\u00e9.
dependancyException=[Essentials] Une erreur est survenue lors de la tentative de t\u00e9l\u00e9chargement.
dependancyNotFound=[Essentials] Une d\u00e9pendance requise n'a pas \u00e9t\u00e9 trouv\u00e9e, t\u00e9l\u00e9chargement en cours.
@ -75,10 +86,12 @@ destinationNotSet=Destination non d\u00e9finie
disableUnlimited=\u00a77D\u00e9sactivation du placement illimit\u00e9 de {0} pour {1}.
disabled=d\u00e9sactiv\u00e9
disabledToSpawnMob=L'invacation de ce monstre a \u00e9t\u00e9 d\u00e9sactiv\u00e9e dans le fichier de configuration.
distance=\u00a76Distance : {0}
dontMoveMessage=\u00a77La t\u00e9l\u00e9portation commence dans {0}. Ne bougez pas.
downloadingGeoIp=T\u00e9l\u00e9chargement de la base de donn\u00e9es GeoIP ... Cela peut prendre un moment (Pays : 0.6 Mo, villes : 20Mo)
duplicatedUserdata=Donn\u00e9e utilisateur dupliqu\u00e9e : {0} et {1}
durability=\u00a77Cet outil a \u00a7c{0}\u00a77 usages restants
editBookContents=\u00a7eYou may now edit the contents of this book
enableUnlimited=\u00a77Quantit\u00e9 illimit\u00e9e de {0} \u00e0 {1}.
enabled=activ\u00e9
enchantmentApplied = \u00a77L''enchantement {0} a \u00e9t\u00e9 appliqu\u00e9 \u00e0 l''objet dans votre main.
@ -102,17 +115,23 @@ false=\u00a74false\u00a7f
feed=\u00a77Vous avez \u00e9t\u00e9 rassasi\u00e9.
feedOther=\u00a77 est rassasi\u00e9 {0}.
fileRenameError=Echec du changement de nom de {0}
fireworkColor=\u00a74You must apply a color to the firework to add an effect
fireworkEffectsCleared=\u00a76Removed all effects from held stack.
fireworkSyntax=\u00a76Firework parameters:\u00a7c color:<color> [fade:<color>] [shape:<shape>] [effect:<effect>]\n\u00a76To use multiple colors/effects, seperate values with commas: \u00a7cred,blue,pink\n\u00a76Shapes:\u00a7c star, ball, large, creeper, burst \u00a76Effects:\u00a7c trail, twinkle
flyMode=\u00a77Fly mode {0} pour {1} d\u00e9fini.
flying=flying
foreverAlone=\u00a7cVous n''avez personne \u00e0 qui r\u00e9pondre
freedMemory=A lib\u00e9r\u00e9 {0} Mo.
fullStack=\u00a74You already have a full stack
gameMode=\u00a77Mode de jeu {0} pour {1}.
gcWorld=\u00a76{0} "\u00a7c{1}\u00a76": \u00a7c{2}\u00a76 portions, \u00a7c{3}\u00a76 entit\u00e9s
gcfree=M\u00e9moire libre : {0} Mo
gcmax=M\u00e9moire maximale : {0} Mo
gctotal=M\u00e9moire utilis\u00e9e : {0} Mo
geoIpUrlEmpty=L''URL de t\u00e9l\u00e9chargement de GeoIP est vide.
geoIpUrlInvalid=L''URL de t\u00e9l\u00e9chargement de GeoIP est invalide.
geoipJoinFormat=\u00a76Joueur \u00a7c{0} \u00a76vient de \u00a7c{1}\u00a76.
giveSpawn=\u00a76Giving\u00a7c {0} \u00a76of\u00a7c {1} to\u00a7c {2}\u00a76.
godDisabledFor=d\u00e9sactiv\u00e9 pour {0}
godEnabledFor=activ\u00e9 pour {0}
godMode=\u00a77Mode Dieu {0}.
@ -132,6 +151,9 @@ helpMatching=\u00a77Commandes correspondant \u00e0 "{0}" :
helpOp=\u00a7c[Aide Admin]\u00a7f \u00a77{0} : \u00a7f {1}
helpPages=Page \u00a7c{0}\u00a7f sur \u00a7c{1}\u00a7f.
helpPlugin=\u00a74{0}\u00a7f: Aide Plugin : /help {1}
holdBook=\u00a74You are not holding a writable book
holdFirework=\u00a74You must be holding a firework to add effects
holdPotion=\u00a74You must be holding a potion to apply effects to it
holeInFloor=Trou dans le Sol.
homeSet=\u00a77R\u00e9sidence d\u00e9finie.
homeSetToBed=\u00a77Votre r\u00e9sidence est d\u00e9sormais li\u00e9e \u00e0 ce lit.
@ -150,14 +172,20 @@ invRestored=Votre inventaire vous a \u00e9t\u00e9 rendu.
invSee=Vous voyez l''inventaire de {0}.
invSeeHelp=Utilisez /invsee pour revenir \u00e0 votre inventaire.
invalidCharge=\u00a7cCharge invalide.
invalidFireworkFormat=\u00a76The option \u00a74{0} \u00a76is not a valid value for \u00a74{1}
invalidHome=La r\u00e9sidence {0} n'existe pas
invalidHomeName=\u00a74Nom de r\u00e9sindence invalide
invalidMob=Mauvais type de cr\u00e9ature.
invalidNumber=Invalid Number
invalidPotion=\u00a74Invalid Potion
invalidPotionEffect=\u00a74You do not have permissions to apply potion effect \u00a7c{0} \u00a74to this potion
invalidServer=Serveur non valide.
invalidSignLine=La ligne {0} du panneau est invalide.
invalidWarpName=\u00a74Nom de warp invalide
invalidWorld=\u00a7cMonde invalide.
inventoryCleared=\u00a77Inventaire nettoy\u00e9.
inventoryClearedOthers=\u00a77L''inventaire de \u00a7c{0}\u00a77 a \u00e9t\u00e9 nettoy\u00e9.
inventoryClearedAll=\u00a76Cleared everyone's inventory.
inventoryClearedOthers=\u00a77L''inventaire de \u00a7c{0}\u00a77 a \u00e9t\u00e9 nettoy\u00e9.
is=est
itemCannotBeSold=Cet objet ne peut \u00eatre vendu au serveur.
itemMustBeStacked=Cet objet doit \u00eatre vendu par 64. Une quantit\u00e9 de 2 serait deux fois 64.
@ -187,7 +215,10 @@ kitError2=\u00a7cCe kit n'existe pas ou a \u00e9t\u00e9 mal d\u00e9fini.
kitError=\u00a7cIl n'y a pas de kits valides.
kitErrorHelp=\u00a7cPeut-\u00eatre qu'un objet manque d'une quantit\u00e9 dans la configuration ?
kitGive=\u00a77Donner le kit {0}.
kitGiveTo=\u00a76Giving kit\u00a7c {0}\u00a76 to {1}\u00a7.
kitInvFull=\u00a7cVotre inventaire \u00e9tait plein, le kit est parre-terre.
kitOnce=\u00a74You can't use that kit again.
kitReceive=\u00a76Received kit\u00a7c {0}\u00a76.
kitTimed=\u00a7cVous ne pouvez pas utiliser ce kit pendant encore {0}.
kits=\u00a77Kits :{0}
lightningSmited=\u00a77Vous venez d'\u00eatre foudroy\u00e9.
@ -205,9 +236,11 @@ mailSent=\u00a77Courrier envoy\u00e9 !
markMailAsRead=\u00a7cPour marquer votre courrier en tant que lu, entrez /mail clear
markedAsAway=\u00a77Vous \u00eates d\u00e9sormais AFK.
markedAsNotAway=\u00a77Vous n'\u00eates plus AFK.
matchingIPAddress=\u00a76The following players previously logged in from that IP address:
maxHomes=Vous ne pouvez pas cr\u00e9er plus de {0} r\u00e9sidences.
mayNotJail=\u00a7cVous ne pouvez pas emprisonner cette personne.
me=moi
messageTruncated=\u00a74Message truncated, to see the full output type:\u00a7c /{0} {1}
minute=minute
minutes=minutes
missingItems=Vous n''avez pas {0} x {1}.
@ -225,6 +258,7 @@ moreThanZero=Les quantit\u00e9s doivent \u00eatre sup\u00e9rieures \u00e0 z\u00e
moveSpeed=\u00a77Set {0} speed to {1} for {2}.
msgFormat=\u00a77[{0}\u00a77 -> {1}\u00a77] \u00a7f{2}
muteExempt=\u00a7cVous ne pouvez pas r\u00e9duire ce joueur au silence.
muteNotify=\u00a74{0} \u00a76has muted \u00a74{1}
mutedPlayer=Le joueur {0} est d\u00e9sormais muet.
mutedPlayerFor={0} a \u00e9t\u00e9 muet pour {1}.
mutedUserSpeaks={0} a essay\u00e9 de parler mais est muet.
@ -249,6 +283,7 @@ noHomeSetPlayer=Le joueur n'a pas d\u00e9fini sa r\u00e9sidence.
noKitPermission=\u00a7cVous avez besoin de la permission \u00a7c{0}\u00a7c pour utiliser ce kit.
noKits=\u00a77Il n'y a pas encore de kits disponibles.
noMail=Vous n'avez pas de courrier
noMatchingPlayers=\u00a76No matching players found.
noMotd=\u00a7cIl n'y a pas de message su jour.
noNewMail=\u00a77Vous n'avez pas de courrier.
noPendingRequest=Vous n'avez pas de requ\u00eate non lue.
@ -274,6 +309,7 @@ onlyDayNight=/time ne supporte que (jour) day/night (nuit).
onlyPlayers=Seuls les joueurs en jeu peuvent utiliser {0}.
onlySunStorm=/weather ne supporte que (soleil) sun/storm (temp\u00eate).
orderBalances=Classement des soldes des {0} joueurs, patientez ...
oversizedTempban=\u00a74You may not ban a player for this period of time.
pTimeCurrent=Pour \u00a7e{0}\u00a7f l''heure est {1}.
pTimeCurrentFixed=L''heure de \u00a7e{0}\u00a7f est fix\u00e9e \u00e0 {1}.
pTimeNormal=\u00a7fPour \u00a7e{0}\u00a7f l'heure est normale et correspond au server.
@ -285,6 +321,7 @@ pTimeSetFixed=l''heure du joueur a \u00e9t\u00e9 fix\u00e9e \u00e0 : \u00a7e{1}
parseError=Erreur de conversion {0} \u00e0 la ligne {1}
pendingTeleportCancelled=\u00a7cRequete de t\u00e9l\u00e9portation annul\u00e9e.
permissionsError=Permissions/GroupManager manquant, les pr\u00e9fixes et suffixes ne seront pas affich\u00e9s.
playerBanIpAddress=\u00a76Player\u00a7c {0} \u00a76banned IP address {1} \u00a76.
playerBanned=\u00a7cJoueur {0} banni {1} pour {2}
playerInJail=\u00a7cLe joueur est d\u00e9j\u00e0 emprisonn\u00e9 dans {0}.
playerJailed=\u00a77Le joueur {0} a \u00e9t\u00e9 emprisonn\u00e9.
@ -296,7 +333,13 @@ playerNeverOnServer=\u00a7cLe joueur {0} n''a jamais \u00e9t\u00e9 sur le serveu
playerNotFound=\u00a7cLe joueur est introuvable.
playerUnmuted=\u00a77Vous avez de nouveau la parole.
pong=Pong !
posPitch=\u00a76Pitch : {0} (Head angle)
posX=\u00a76X: {0} (+East <-> -West)
posY=\u00a76Y: {0} (+Up <-> -Down)
posYaw=\u00a76Yaw : {0} (Rotation)
posZ=\u00a76Z: {0} (+South <-> -North)
possibleWorlds=\u00a77Les mondes possibles sont les nombres de 0 \u00e0 {0}.
potions=\u00a76Potions:\u00a7r {0}
powerToolAir=La commande ne peut pas \u00eatre assign\u00e9e \u00e0 l'air.
powerToolAlreadySet=La commande \u00a7c{0}\u00a7f est d\u00e9j\u00e0 assign\u00e9e \u00e0 {1}.
powerToolAttach=Commande \u00a7c{0}\u00a7f assign\u00e9e \u00e0 {1}.
@ -311,6 +354,16 @@ powerToolsEnabled=Toutes vos commandes assign\u00e9es ont \u00e9t\u00e9 activ\u0
protectionOwner=\u00a76[EssentialsProtect] Propri\u00e9taire de la protection : {0}
questionFormat=\u00a77[Question]\u00a7f {0}
readNextPage=Utilisez /{0} {1} pour lire la page suivante.
recipe=\u00a76Recipe for \u00a7c{0}\u00a76 ({1} of {2})
recipeBadIndex=There is no recipe by that number
recipeFurnace=\u00a76Smelt \u00a7c{0}
recipeGrid=\u00a7{0}X \u00a76| \u00a7{1}X \u00a76| \u00a7{2}X
recipeGridItem=\ \u00a7{0}X \u00a76is \u00a7c{1}
recipeMore=\u00a76Type /{0} \u00a7c{1}\u00a76 <number> to see other recipes for \u00a7c{2}
recipeNone=No recipes exist for {0}
recipeNothing=nothing
recipeShapeless=\u00a76Combine \u00a7c{0}
recipeWhere=\u00a76Where: {0}
reloadAllPlugins=\u00a77Toutes les extensions ont \u00e9t\u00e9 recharg\u00e9es.
removed=\u00a77{0} entit\u00e9s supprim\u00e9es.
repair=Vous avez r\u00e9par\u00e9 votre : \u00a7e{0}.
@ -325,7 +378,10 @@ requestDeniedFrom=\u00a77{0} a refus\u00e9 votre demande de t\u00e9l\u00e9portat
requestSent=\u00a77Requ\u00eate envoy\u00e9e \u00e0 {0}\u00a77.
requestTimedOut=\u00a7cLa demande de t\u00e9l\u00e9portation a expir\u00e9.
requiredBukkit=* ! * Vous avez au moins besoin de la version {0} de CraftBukkit. T\u00e9l\u00e9chargez-la ici http://dl.bukkit.org/downloads/craftbukkit/
resetBal=\u00a76Balance has been reset to \u00a7a{0} \u00a76 for all online players
resetBalAll=\u00a76Balance has been reset to \u00a7a{0} \u00a76 for all players
returnPlayerToJailError=Error occurred when trying to return player {0} to jail: {1}
runningPlayerMatch=\u00a76Running search for players matching ''\u00a7c{0}\u00a76'' (this could take a little while)
second=seconde
seconds=secondes
seenOffline=Le joueur {0} est hors ligne depuis {1}
@ -362,7 +418,9 @@ teleportRequestTimeoutInfo=\u00a77Cette demande de t\u00e9l\u00e9portation expir
teleportTop=\u00a77T\u00e9l\u00e9portation vers le haut.
teleportationCommencing=\u00a77D\u00e9but de la t\u00e9l\u00e9portation...
teleportationDisabled=\u00a77T\u00e9l\u00e9portation d\u00e9sactiv\u00e9.
teleportationDisabledFor=\u00a76Teleportation disabled for {0}
teleportationEnabled=\u00a77T\u00e9l\u00e9portation activ\u00e9e.
teleportationEnabledFor=\u00a76Teleportation enabled for {0}
teleporting=\u00a77T\u00e9l\u00e9portation en cours...
teleportingPortal=\u00a77T\u00e9l\u00e9portation via portail.
tempBanned=Banni temporairement du serveur pour {0}
@ -402,10 +460,13 @@ unmutedPlayer=Le joueur {0} n''est plus muet.
unvanished=\u00a7aYou are once again visible.
unvanishedReload=\u00a7cA reload has forced you to become visible.
upgradingFilesError=Erreur durant la mise \u00e0 jour des fichiers.
uptime=\u00a76Dur\u00e9e de fonctionnent :\u00a7c {0}
userAFK=\u00a75{0} \u00a75is currently AFK and may not respond
userDoesNotExist=L''utilisateur {0} n''existe pas.
userIsAway={0} est d\u00e9sormais AFK
userIsNotAway={0} n'est plus AFK
userJailed=\u00a77Vous avez \u00e9t\u00e9 emprisonn\u00e9.
userUnknown=\u00a74Attention : Le joueur ''\u00a7c{0}\u00a74'' n''est jamais venu sur ce serveur.
userUsedPortal={0} a utilis\u00e9 un portail existant.
userdataMoveBackError=Echec du d\u00e9placement de userdata/{0}.tmp vers userdata/{1}
userdataMoveError=Echec du d\u00e9placement de userdata/{0} vers userdata/{1}.tmp
@ -416,6 +477,7 @@ versionMismatchAll=Mauvaise version ! Veuillez mettre des jars Essentials de m\u
voiceSilenced=\u00a77Vous avez \u00e9t\u00e9 r\u00e9duit au silence.
walking=en train de marcher
warpDeleteError=Probl\u00e8me concernant la suppression du fichier warp.
warpList={0}
warpListPermission=\u00a7cVous n'avez pas la permission d'afficher la liste des points de t\u00e9l\u00e9portation.
warpNotExist=Ce warp n'existe pas.
warpOverwrite=\u00a7cVous ne pouvez pas \u00e9craser ce warp.
@ -451,61 +513,3 @@ year=ann\u00e9e
years=ann\u00e9es
youAreHealed=\u00a77Vous avez \u00e9t\u00e9 soign\u00e9.
youHaveNewMail=\u00a7cVous avez {0} messages ! \u00a7fEntrez \u00a77/mail read\u00a7f pour voir votre courrier.
posX=\u00a76X: {0} (+East <-> -West)
posY=\u00a76Y: {0} (+Up <-> -Down)
posZ=\u00a76Z: {0} (+South <-> -North)
posYaw=\u00a76Yaw : {0} (Rotation)
posPitch=\u00a76Pitch : {0} (Head angle)
distance=\u00a76Distance : {0}
giveSpawn=\u00a76Giving\u00a7c {0} \u00a76of\u00a7c {1} to\u00a7c {2}\u00a76.
warpList={0}
uptime=\u00a76Dur\u00e9e de fonctionnent :\u00a7c {0}
antiBuildCraft=\u00a74Vous n'\u00eates pas autoris\u00e9s \u00e0 cr\u00e9er\u00a7c {0}\u00a74.
antiBuildDrop=\u00a74Vous n'\u00eates pas autoris\u00e9s \u00e0 jeter\u00a7c {0}\u00a74.
gcWorld=\u00a76{0} "\u00a7c{1}\u00a76": \u00a7c{2}\u00a76 portions, \u00a7c{3}\u00a76 entit\u00e9s
invalidHomeName=\u00a74Nom de r\u00e9sindence invalide
invalidWarpName=\u00a74Nom de warp invalide
userUnknown=\u00a74Attention : Le joueur ''\u00a7c{0}\u00a74'' n''est jamais venu sur ce serveur.
teleportationEnabledFor=\u00a76Teleportation enabled for {0}
teleportationDisabledFor=\u00a76Teleportation disabled for {0}
kitOnce=\u00a74You can't use that kit again.
fullStack=\u00a74You already have a full stack
oversizedTempban=\u00a74You may not ban a player for this period of time.
recipeNone=No recipes exist for {0}
invalidNumber=Invalid Number
recipeBadIndex=There is no recipe by that number
recipeNothing=nothing
recipe=\u00a76Recipe for \u00a7c{0}\u00a76 ({1} of {2})
recipeFurnace=\u00a76Smelt \u00a7c{0}
recipeGrid=\u00a7{0}X \u00a76| \u00a7{1}X \u00a76| \u00a7{2}X
recipeGridItem=\ \u00a7{0}X \u00a76is \u00a7c{1}
recipeMore=\u00a76Type /{0} \u00a7c{1}\u00a76 <number> to see other recipes for \u00a7c{2}
recipeWhere=\u00a76Where: {0}
recipeShapeless=\u00a76Combine \u00a7c{0}
editBookContents=\u00a7eYou may now edit the contents of this book
bookAuthorSet=\u00a76Author of the book set to {0}
bookTitleSet=\u00a76Title of the book set to {0}
denyChangeAuthor=\u00a74You cannot change the author of this book
denyChangeTitle=\u00a74You cannot change the title of this book
denyBookEdit=\u00a74You cannot unlock this book
bookLocked=\u00a7cThis book is now locked
holdBook=\u00a74You are not holding a writable book
fireworkColor=\u00a74You must apply a color to the firework to add an effect
holdFirework=\u00a74You must be holding a firework to add effects
invalidFireworkFormat=\u00a76The option \u00a74{0} \u00a76is not a valid value for \u00a74{1}
muteNotify=\u00a74{0} \u00a76has muted \u00a74{1}
resetBal=\u00a76Balance has been reset to \u00a7a{0} \u00a76 for all online players
resetBalAll=\u00a76Balance has been reset to \u00a7a{0} \u00a76 for all players
messageTruncated=\u00a74Message truncated, to see the full output type:\u00a7c /{0} {1}
userAFK=\u00a75{0} \u00a75is currently AFK and may not respond
fireworkEffectsCleared=\u00a76Removed all effects from held stack.
fireworkSyntax=\u00a76Firework parameters:\u00a7c color:<color> [fade:<color>] [shape:<shape>] [effect:<effect>]\n\u00a76To use multiple colors/effects, seperate values with commas: \u00a7cred,blue,pink\n\u00a76Shapes:\u00a7c star, ball, large, creeper, burst \u00a76Effects:\u00a7c trail, twinkle
bed=\u00a7obed\u00a7r
bedNull=\u00a7mbed\u00a7r
bedMissing=\u00a74Your bed is either unset, missing or blocked.
bedSet=\u00a76Bed spawn set!
kitGiveTo=\u00a76Giving kit\u00a7c {0}\u00a76 to {1}\u00a7.
kitReceive=\u00a76Received kit\u00a7c {0}\u00a76.
noMatchingPlayers=\u00a76No matching players found.
matchingIPAddress=\u00a76The following players previously logged in from that IP address:
runningPlayerMatch=\u00a76Running search for players matching ''\u00a7c{0}\u00a76'' (this could take a little while)

View File

@ -11,6 +11,8 @@ alertFormat=\u00a73[{0}] \u00a7f {1} \u00a76 {2} a: {3}
alertPlaced=collocato:
alertUsed=usato:
antiBuildBreak=\u00a74You are not permitted to break {0} blocks here.
antiBuildCraft=\u00a74You are not permitted to create\u00a7c {0}\u00a74.
antiBuildDrop=\u00a74You are not permitted to drop\u00a7c {0}\u00a74.
antiBuildInteract=\u00a74You are not permitted to interact with {0}.
antiBuildPlace=\u00a74You are not permitted to place {0} here.
antiBuildUse=\u00a74You are not permitted to use {0}.
@ -24,10 +26,16 @@ balance=\u00a77Bilancio: {0}
balanceTop=\u00a77Top bilanci ({0})
banExempt=\u00a7cNon puoi bannare questo player.
banFormat=Banned: {0}
playerBanIpAddress=\u00a76Player\u00a7c {0} \u00a76banned IP address {1} \u00a76.
bed=\u00a7obed\u00a7r
bedMissing=\u00a74Your bed is either unset, missing or blocked.
bedNull=\u00a7mbed\u00a7r
bedSet=\u00a76Bed spawn set!
bigTreeFailure=\u00a7cCreazione del grande albero fallita. Riprova sull''erba o sul terreno.
bigTreeSuccess= \u00a77Grande albero creato.
blockList=Essentials ha trasmesso i seguenti comandi ad un altro plugin:
bookAuthorSet=\u00a76Author of the book set to {0}
bookLocked=\u00a7cThis book is now locked
bookTitleSet=\u00a76Title of the book set to {0}
broadcast=[\u00a7cBroadcast\u00a7f]\u00a7a {0}
buildAlert=\u00a7cNon hai i permessi per costruire
bukkitFormatChanged=Il formato della versione Bukkit e'' cambiato. Versione non controllata.
@ -65,6 +73,9 @@ deleteHome=\u00a77La home {0} e'' stata rimossa.
deleteJail=\u00a77La prigione {0} e'' stata rimossa.
deleteWarp=\u00a77Il Warp {0} e'' stato rimosso.
deniedAccessCommand={0} Accesso negato al comando.
denyBookEdit=\u00a74You cannot unlock this book
denyChangeAuthor=\u00a74You cannot change the author of this book
denyChangeTitle=\u00a74You cannot change the title of this book
dependancyDownloaded=[Essentials] Dependancy {0} download effettuato con successo.
dependancyException=[Essentials] Errore durante il download di una dependacy
dependancyNotFound=[Essentials] Una dependancy necessaria non e'' stata trovata, sto effettuando il download..
@ -75,10 +86,12 @@ destinationNotSet=Destinazione non impostata
disableUnlimited=\u00a77Collocazione illimitata di {0} per {1} disabilitata.
disabled=disabilitato
disabledToSpawnMob=La creazione di questo mob e'' stata disabilitata nel file config.
distance=\u00a76Distance: {0}
dontMoveMessage=\u00a77Il teletrasporto iniziera'' tra {0}. Attendi.
downloadingGeoIp=Download del database GeoIP... potrebbe richiedere del tempo (nazione: 0.6 MB, citta'': 20MB)
duplicatedUserdata=Dati dell''utente duplicati: {0} e {1}
durability=\u00a77This tool has \u00a7c{0}\u00a77 uses left
editBookContents=\u00a7eYou may now edit the contents of this book
enableUnlimited=\u00a77Sto inviando una quantita'' illimitata di {0} a {1}.
enabled=abilitato
enchantmentApplied = \u00a77L''incantesimo {0} e'' stato applicato all''oggetto nelle tue mani.
@ -102,17 +115,23 @@ false=\u00a74false\u00a7f
feed=\u00a77Ora sei sazio.
feedOther=\u00a77{0} e''stato nutrito.
fileRenameError=Rinomina del file {0} fallita
fireworkColor=\u00a74You must apply a color to the firework to add an effect
fireworkEffectsCleared=\u00a76Removed all effects from held stack.
fireworkSyntax=\u00a76Firework parameters:\u00a7c color:<color> [fade:<color>] [shape:<shape>] [effect:<effect>]\n\u00a76To use multiple colors/effects, seperate values with commas: \u00a7cred,blue,pink\n\u00a76Shapes:\u00a7c star, ball, large, creeper, burst \u00a76Effects:\u00a7c trail, twinkle
flyMode=\u00a77Modalita'' volo impostata {0} per {1}.
flying=flying
foreverAlone=\u00a7cNon c''e'' nessuno a cui rispondere.
freedMemory=Liberati {0} MB.
fullStack=\u00a74You already have a full stack
gameMode=\u00a77Modalita''di gioco {0} impostata per {1}.
gcWorld=\u00a76{0} "\u00a7c{1}\u00a76": \u00a7c{2}\u00a76 chunks, \u00a7c{3}\u00a76 entities
gcfree=Memoria libera: {0} MB
gcmax=Memoria massima: {0} MB
gctotal=Memoria allocata: {0} MB
geoIpUrlEmpty=L''url del download di GeoIP e'' vuoto.
geoIpUrlInvalid=L''url del download di GeoIP non e'' valido.
geoipJoinFormat=\u00a76Il Player \u00a7c{0} \u00a76proviene da \u00a7c{1}\u00a76.
giveSpawn=\u00a76Giving\u00a7c {0} \u00a76of\u00a7c {1} to\u00a7c {2}\u00a76.
godDisabledFor=God disabilitato per {0}
godEnabledFor=God abilitato per {0}
godMode=\u00a77Modalita'' God {0}.
@ -132,6 +151,9 @@ helpMatching=\u00a77Corrispondenza comandi "{0}":
helpOp=\u00a7c[HelpOp]\u00a7f \u00a77{0}:\u00a7f {1}
helpPages=Pagina \u00a7c{0}\u00a7f di \u00a7c{1}\u00a7f:
helpPlugin=\u00a74{0}\u00a7f: Plugin Help: /help {1}
holdBook=\u00a74You are not holding a writable book
holdFirework=\u00a74You must be holding a firework to add effects
holdPotion=\u00a74You must be holding a potion to apply effects to it
holeInFloor=Buco nel terreno
homeSet=\u00a77Home impostata.
homeSetToBed=\u00a77La tua home e'' ora assegnata a questo letto.
@ -150,14 +172,20 @@ invRestored=l tuo inventario e'' stato ripristinato.
invSee=Stai guardando l''inventario di {0}.
invSeeHelp=Digita /invsee per ripristinare il tuo inventario.
invalidCharge=\u00a7cIIstruzione non corretta.
invalidFireworkFormat=\u00a76The option \u00a74{0} \u00a76is not a valid value for \u00a74{1}
invalidHome=La home {0} non esiste
invalidHomeName=\u00a74Invalid home name
invalidMob=Tipo mob non valido.
invalidNumber=Invalid Number
invalidPotion=\u00a74Invalid Potion
invalidPotionEffect=\u00a74You do not have permissions to apply potion effect \u00a7c{0} \u00a74to this potion
invalidServer=Server non valido!
invalidSignLine=Riga {0} non corretta.
invalidWarpName=\u00a74Invalid warp name
invalidWorld=\u00a7cMondo incorretto.
inventoryCleared=\u00a77Inventario cancellato.
inventoryClearedOthers=\u00a77Inventario di \u00a7c{0}\u00a77 cancellato.
inventoryClearedAll=\u00a76Cleared everyone's inventory.
inventoryClearedOthers=\u00a77Inventario di \u00a7c{0}\u00a77 cancellato.
is=e''
itemCannotBeSold=L''oggetto non puo'' essere venduto.
itemMustBeStacked=L''oggetto deve essere commerciato in pile. 2 quantita'' equivalgono a 2 pile, etc.
@ -187,7 +215,10 @@ kitError2=\u00a7cQuesto kit non esiste o non e'' definito.
kitError=\u00a7cNon ci sono kit validi.
kitErrorHelp=\u00a7cForse una quantita'' manca in un oggetto della configurazione?
kitGive=\u00a77Kit inviato {0}.
kitGiveTo=\u00a76Giving kit\u00a7c {0}\u00a76 to {1}\u00a7.
kitInvFull=\u00a7cIl tuo inventario e'' pieno, il kit e'' ora per terra.
kitOnce=\u00a74You can't use that kit again.
kitReceive=\u00a76Received kit\u00a7c {0}\u00a76.
kitTimed=\u00a7cNon puoi usare il kit per altri {0}.
kits=\u00a77Kits: {0}
lightningSmited=\u00a77Sei stato folgorato!
@ -205,9 +236,11 @@ mailSent=\u00a77Mail inviata!
markMailAsRead=\u00a7cPer contrassegnare la mail come gia'' letta, digita /mail read
markedAsAway=\u00a77Il tuo stato ora e'' "Non al computer".
markedAsNotAway=\u00a77Bentornato!
matchingIPAddress=\u00a76The following players previously logged in from that IP address:
maxHomes=Non puoi assegnare piu'' di {0} home.
mayNotJail=\u00a7cNon puoi imprigionare questo player.
me=mi
messageTruncated=\u00a74Message truncated, to see the full output type:\u00a7c /{0} {1}
minute=minuto
minutes=minuti
missingItems=Non hai {0}x {1}.
@ -225,6 +258,7 @@ moreThanZero=La quantita'' deve essere maggiore di 0.
moveSpeed=\u00a77Set {0} speed to {1} for {2}.
msgFormat=\u00a77[{0}\u00a77 -> {1}\u00a77] \u00a7f{2}
muteExempt=\u00a7cNon puoi mutare questo player.
muteNotify=\u00a74{0} \u00a76has muted \u00a74{1}
mutedPlayer=Player {0} mutato.
mutedPlayerFor=Player {0} mutato per {1}.
mutedUserSpeaks={0} ha provato a parlare, ma e'' mutato.
@ -249,6 +283,7 @@ noHomeSetPlayer=Il Player non ha stabilito una home.
noKitPermission=\u00a7cHai bisogno del permesso \u00a7c{0}\u00a7c per usare questo kit.
noKits=\u00a77Non ci sono ancora kit disponibili
noMail=Non hai ricevuto nessuna mail
noMatchingPlayers=\u00a76No matching players found.
noMotd=\u00a7cNon c''e'' nessun messaggio del giorno.
noNewMail=\u00a77Non hai ricevuto nuove mail.
noPendingRequest=Non hai richieste in sospeso.
@ -274,6 +309,7 @@ onlyDayNight=/time supporta solo day/night.
onlyPlayers=Solo i players durante il gioco possono usare {0}.
onlySunStorm=/weather supporta solo sun/storm.
orderBalances=Sto ordinando i bilanci di {0} utenti, attendere grazie...
oversizedTempban=\u00a74You may not ban a player for this period of time.
pTimeCurrent=L''orario di \u00a7e{0}\u00a7f e'' {1}.
pTimeCurrentFixed=L''orario di \u00a7e{0}\u00a7f e'' fissato alle {1}.
pTimeNormal=L''orario di \u00a7e{0}\u00a7f e'' normale e corrisponde a quello del server.
@ -285,6 +321,7 @@ pTimeSetFixed=L''orario del Player e'' stato fissato alle \u00a73{0}\u00a7f per
parseError=Errore parsing {0} riga {1}
pendingTeleportCancelled=\u00a7cRichiesta in sospeso di teletrasporto cancellata.
permissionsError=Mancano i permessi per Permissions/GroupManager; i suffissi e prefissi in chat verrano disabilitati.
playerBanIpAddress=\u00a76Player\u00a7c {0} \u00a76banned IP address {1} \u00a76.
playerBanned=\u00a7cIl Player {0} e'' bannato {1} motivo: {2}
playerInJail=\u00a7cIl Player e'' gia'' nella prigione ({0}).
playerJailed=\u00a77Il Player {0} e'' stato messo in prigione.
@ -296,7 +333,13 @@ playerNeverOnServer=\u00a7cIl Player {0} non e'' mai stato su questo server.
playerNotFound=\u00a7cPlayer non trovato.
playerUnmuted=\u00a77Sei stato smutato
pong=Pong!
posPitch=\u00a76Pitch: {0} (Head angle)
posX=\u00a76X: {0} (+East <-> -West)
posY=\u00a76Y: {0} (+Up <-> -Down)
posYaw=\u00a76Yaw: {0} (Rotation)
posZ=\u00a76Z: {0} (+South <-> -North)
possibleWorlds=\u00a77I mondi sono numerati da 0 a {0}.
potions=\u00a76Potions:\u00a7r {0}
powerToolAir=Il comando non puo'' essere collegato all''aria.
powerToolAlreadySet=Il comando \u00a7c{0}\u00a7f e'' gia'' stato assegnato a {1}.
powerToolAttach=Il comando \u00a7c{0}\u00a7f e'' stato assegnato a {1}.
@ -311,6 +354,16 @@ powerToolsEnabled=Tutti i tuoi attrezzi sono stati abilitati.
protectionOwner=\u00a76[EssentialsProtect] Protetto dal proprietario: {0}
questionFormat=\u00a77[Domanda]\u00a7f {0}
readNextPage=Digita /{0} {1} per la pagina successiva
recipe=\u00a76Recipe for \u00a7c{0}\u00a76 ({1} of {2})
recipeBadIndex=There is no recipe by that number
recipeFurnace=\u00a76Smelt \u00a7c{0}
recipeGrid=\u00a7{0}X \u00a76| \u00a7{1}X \u00a76| \u00a7{2}X
recipeGridItem=\ \u00a7{0}X \u00a76is \u00a7c{1}
recipeMore=\u00a76Type /{0} \u00a7c{1}\u00a76 <number> to see other recipes for \u00a7c{2}
recipeNone=No recipes exist for {0}
recipeNothing=nothing
recipeShapeless=\u00a76Combine \u00a7c{0}
recipeWhere=\u00a76Where: {0}
reloadAllPlugins=\u00a77Tutti i plugins ricaricati.
removed=\u00a77Rimosse {0} entitita''.
repair=Hai riparato con successo il tuo: \u00a7e{0}.
@ -325,7 +378,10 @@ requestDeniedFrom=\u00a77{0} ha rifiutato la tua richiesta di teletrasporto.
requestSent=\u00a77Richiesta inviata a {0}\u00a77.
requestTimedOut=\u00a7cRichiesta di teletrasporto scaduta.
requiredBukkit=* ! * e'' necessaria la versione {0} o superiore di CraftBukkit, scaricabile da http://dl.bukkit.org/downloads/craftbukkit/
resetBal=\u00a76Balance has been reset to \u00a7a{0} \u00a76 for all online players
resetBalAll=\u00a76Balance has been reset to \u00a7a{0} \u00a76 for all players
returnPlayerToJailError=Riscontrato errore nell''invio del player {0} alla prigione: {1}
runningPlayerMatch=\u00a76Running search for players matching ''\u00a7c{0}\u00a76'' (this could take a little while)
second=secondo
seconds=secondi
seenOffline=Il Player {0} e'' offline da {1}
@ -362,7 +418,9 @@ teleportRequestTimeoutInfo=\u00a77Questa richiesta scadra'' tra {0} secondi.
teleportTop=\u00a77Teletrasporto in cima.
teleportationCommencing=\u00a77Inizio teletrasporto...
teleportationDisabled=\u00a77Teletrasporto disabilitato.
teleportationDisabledFor=\u00a76Teleportation disabled for {0}
teleportationEnabled=\u00a77Teletrasporto abilitato.
teleportationEnabledFor=\u00a76Teleportation enabled for {0}
teleporting=\u00a77Teletrasporto in corso...
teleportingPortal=\u00a77Teletrasporto tramite portale.
tempBanned=Bannato temporaneamente dal server per {0}
@ -402,10 +460,13 @@ unmutedPlayer=Player {0} smutato.
unvanished=\u00a7aYou are once again visible.
unvanishedReload=\u00a7cA reload has forced you to become visible.
upgradingFilesError=Errore durante l''aggiornamento dei file
uptime=\u00a76Uptime:\u00a7c {0}
userAFK=\u00a75{0} \u00a75is currently AFK and may not respond
userDoesNotExist=L''utente {0} non esiste.
userIsAway={0} e'' AFK
userIsNotAway={0} non e'' piu'' AFK
userJailed=\u00a77Sei stato messo in prigione
userUnknown=\u00a74Warning: The user ''\u00a7c{0}\u00a74'' has never joined this server.
userUsedPortal={0} ha usato un portale.
userdataMoveBackError=Errore durante lo spostamento di userdata/{0}.tmp a userdata/{1}
userdataMoveError=Errore durante lo spostamento di userdata/{0} a userdata/{1}.tmp
@ -416,6 +477,7 @@ versionMismatchAll=Versione incorretta! Aggiornare tutti i jar Essentials alla s
voiceSilenced=\u00a77La tua voce e'' stata silenziata
walking=walking
warpDeleteError=Problema nell''eliminazione del file warp.
warpList={0}
warpListPermission=\u00a7cNon hai i permessi per consultare la lista warps.
warpNotExist=Questo warp non esiste.
warpOverwrite=\u00a7cNon puoi sovrascrivere il warp.
@ -451,61 +513,3 @@ year=anno
years=anni
youAreHealed=\u00a77Sei stato curato.
youHaveNewMail=\u00a7cHai {0} messaggi!\u00a7f digita \u00a77/mail read\u00a7f per consultare la tua mail.
posX=\u00a76X: {0} (+East <-> -West)
posY=\u00a76Y: {0} (+Up <-> -Down)
posZ=\u00a76Z: {0} (+South <-> -North)
posYaw=\u00a76Yaw: {0} (Rotation)
posPitch=\u00a76Pitch: {0} (Head angle)
distance=\u00a76Distance: {0}
giveSpawn=\u00a76Giving\u00a7c {0} \u00a76of\u00a7c {1} to\u00a7c {2}\u00a76.
warpList={0}
uptime=\u00a76Uptime:\u00a7c {0}
antiBuildCraft=\u00a74You are not permitted to create\u00a7c {0}\u00a74.
antiBuildDrop=\u00a74You are not permitted to drop\u00a7c {0}\u00a74.
gcWorld=\u00a76{0} "\u00a7c{1}\u00a76": \u00a7c{2}\u00a76 chunks, \u00a7c{3}\u00a76 entities
invalidHomeName=\u00a74Invalid home name
invalidWarpName=\u00a74Invalid warp name
userUnknown=\u00a74Warning: The user ''\u00a7c{0}\u00a74'' has never joined this server.
teleportationEnabledFor=\u00a76Teleportation enabled for {0}
teleportationDisabledFor=\u00a76Teleportation disabled for {0}
kitOnce=\u00a74You can't use that kit again.
fullStack=\u00a74You already have a full stack
oversizedTempban=\u00a74You may not ban a player for this period of time.
recipeNone=No recipes exist for {0}
invalidNumber=Invalid Number
recipeBadIndex=There is no recipe by that number
recipeNothing=nothing
recipe=\u00a76Recipe for \u00a7c{0}\u00a76 ({1} of {2})
recipeFurnace=\u00a76Smelt \u00a7c{0}
recipeGrid=\u00a7{0}X \u00a76| \u00a7{1}X \u00a76| \u00a7{2}X
recipeGridItem=\ \u00a7{0}X \u00a76is \u00a7c{1}
recipeMore=\u00a76Type /{0} \u00a7c{1}\u00a76 <number> to see other recipes for \u00a7c{2}
recipeWhere=\u00a76Where: {0}
recipeShapeless=\u00a76Combine \u00a7c{0}
editBookContents=\u00a7eYou may now edit the contents of this book
bookAuthorSet=\u00a76Author of the book set to {0}
bookTitleSet=\u00a76Title of the book set to {0}
denyChangeAuthor=\u00a74You cannot change the author of this book
denyChangeTitle=\u00a74You cannot change the title of this book
denyBookEdit=\u00a74You cannot unlock this book
bookLocked=\u00a7cThis book is now locked
holdBook=\u00a74You are not holding a writable book
fireworkColor=\u00a74You must apply a color to the firework to add an effect
holdFirework=\u00a74You must be holding a firework to add effects
invalidFireworkFormat=\u00a76The option \u00a74{0} \u00a76is not a valid value for \u00a74{1}
muteNotify=\u00a74{0} \u00a76has muted \u00a74{1}
resetBal=\u00a76Balance has been reset to \u00a7a{0} \u00a76 for all online players
resetBalAll=\u00a76Balance has been reset to \u00a7a{0} \u00a76 for all players
messageTruncated=\u00a74Message truncated, to see the full output type:\u00a7c /{0} {1}
userAFK=\u00a75{0} \u00a75is currently AFK and may not respond
fireworkEffectsCleared=\u00a76Removed all effects from held stack.
fireworkSyntax=\u00a76Firework parameters:\u00a7c color:<color> [fade:<color>] [shape:<shape>] [effect:<effect>]\n\u00a76To use multiple colors/effects, seperate values with commas: \u00a7cred,blue,pink\n\u00a76Shapes:\u00a7c star, ball, large, creeper, burst \u00a76Effects:\u00a7c trail, twinkle
bed=\u00a7obed\u00a7r
bedNull=\u00a7mbed\u00a7r
bedMissing=\u00a74Your bed is either unset, missing or blocked.
bedSet=\u00a76Bed spawn set!
kitGiveTo=\u00a76Giving kit\u00a7c {0}\u00a76 to {1}\u00a7.
kitReceive=\u00a76Received kit\u00a7c {0}\u00a76.
noMatchingPlayers=\u00a76No matching players found.
matchingIPAddress=\u00a76The following players previously logged in from that IP address:
runningPlayerMatch=\u00a76Running search for players matching ''\u00a7c{0}\u00a76'' (this could take a little while)

View File

@ -11,6 +11,8 @@ alertFormat=\u00a73[{0}] \u00a7f {1} \u00a76 {2} bij: {3}
alertPlaced=geplaatst:
alertUsed=gebruikt:
antiBuildBreak=\u00a74You are not permitted to break {0} blocks here.
antiBuildCraft=\u00a74You are not permitted to create\u00a7c {0}\u00a74.
antiBuildDrop=\u00a74You are not permitted to drop\u00a7c {0}\u00a74.
antiBuildInteract=\u00a74You are not permitted to interact with {0}.
antiBuildPlace=\u00a74You are not permitted to place {0} here.
antiBuildUse=\u00a74You are not permitted to use {0}.
@ -24,10 +26,16 @@ balance=\u00a77Saldo: {0}
balanceTop=\u00a77 Top saldo ({0})
banExempt=\u00a77Je kunt deze speler niet verbannen.
banFormat=Banned: {0}
playerBanIpAddress=\u00a76Player\u00a7c {0} \u00a76banned IP address {1} \u00a76.
bed=\u00a7obed\u00a7r
bedMissing=\u00a74Your bed is either unset, missing or blocked.
bedNull=\u00a7mbed\u00a7r
bedSet=\u00a76Bed spawn set!
bigTreeFailure=\u00a7cMaken van een grote boom is mislukt. Probeer het opnieuw op gras of dirt.
bigTreeSuccess= \u00a77Grote boom gemaakt.
blockList=Essentials heeft de volgende commandos doorgegeven naar een andere plugin:
bookAuthorSet=\u00a76Author of the book set to {0}
bookLocked=\u00a7cThis book is now locked
bookTitleSet=\u00a76Title of the book set to {0}
broadcast=[\u00a7Uitzending\u00a7f]\u00a7a {0}
buildAlert=\u00a7cJe bent niet bevoegd om te bouwen.
bukkitFormatChanged=Bukkit versie formaat veranderd. Versie niet nagekeken.
@ -65,6 +73,9 @@ deleteHome=\u00a77Huis {0} is verwijdered.
deleteJail=\u00a77Gevangenis {0} is verwijderd.
deleteWarp=\u00a77Warp {0} is verwijderd.
deniedAccessCommand={0} was de toegang verboden tot het commando.
denyBookEdit=\u00a74You cannot unlock this book
denyChangeAuthor=\u00a74You cannot change the author of this book
denyChangeTitle=\u00a74You cannot change the title of this book
dependancyDownloaded=[Essentials] Afhankelijkheid {0} succesvol gedownload.
dependancyException=[Essentials] Er is een fout opgetreden bij het downloaden van de afhankelijkheid.
dependancyNotFound=[Essentials] Een afhankelijkheid is niet gevonden. Start downloaden.
@ -75,10 +86,12 @@ destinationNotSet=Bestemming niet ingesteld.
disableUnlimited=\u00a77Oneindig plaatsen van {0} uitgeschakeld voor {1}.
disabled=uitgeschakeld
disabledToSpawnMob=Het voortbrengen van mobs is uitgeschakeld in het configuratie bestand.
distance=\u00a76Distance: {0}
dontMoveMessage=\u00a77Beginnen met teleporteren in {0}. Niet bewegen.
downloadingGeoIp=Bezig met downloaden van GeoIP database ... Dit kan een tijdje duren (country: 0.6 MB, city: 20MB)
duplicatedUserdata=Dubbele gebruikersdata: {0} en {1}.
durability=\u00a77Dit gereedschap kan nog \u00a7c{0}\u00a77 gebruikt worden.
editBookContents=\u00a7eYou may now edit the contents of this book
enableUnlimited=\u00a77Oneindig aantal {0} aan {1} gegeven.
enabled=ingeschakeld
enchantmentApplied = \u00a77De betovering {0} is toegepast aan het voorwerp in je hand.
@ -102,17 +115,23 @@ false=\u00a74Onjuist\u00a7f
feed=\u00a77Jouw honger is verzadigd.
feedOther=\u00a7Verzadigd {0}.
fileRenameError=Hernoemen van {0} mislukt
fireworkColor=\u00a74You must apply a color to the firework to add an effect
fireworkEffectsCleared=\u00a76Removed all effects from held stack.
fireworkSyntax=\u00a76Firework parameters:\u00a7c color:<color> [fade:<color>] [shape:<shape>] [effect:<effect>]\n\u00a76To use multiple colors/effects, seperate values with commas: \u00a7cred,blue,pink\n\u00a76Shapes:\u00a7c star, ball, large, creeper, burst \u00a76Effects:\u00a7c trail, twinkle
flyMode=\u00a77Zet vlieg modus {0} voor {1}.
flying=vliegen
foreverAlone=\u00a7cJe hebt niemand waarnaar je kan reageren.
freedMemory={0} MB gelost.
fullStack=\u00a74You already have a full stack
gameMode=\u00a77Zet spel modus {0} voor {1}.
gcWorld=\u00a76{0} "\u00a7c{1}\u00a76": \u00a7c{2}\u00a76 chunks, \u00a7c{3}\u00a76 entities
gcfree=Vrij geheugen: {0} MB
gcmax=Maximaal geheugen: {0} MB
gctotal=Gealloceerd geheugen: {0} MB
geoIpUrlEmpty=GeoIP download url is leeg.
geoIpUrlInvalid=GeoIP download url is ongeldig.
geoipJoinFormat=\u00a76Speler \u00a7c{0} \u00a76komt uit \u00a7c{1}\u00a76.
giveSpawn=\u00a76Giving\u00a7c {0} \u00a76of\u00a7c {1} to\u00a7c {2}\u00a76.
godDisabledFor=uitgeschakeld voor {0}
godEnabledFor=ingeschakeld voor {0}
godMode=\u00a77God modus {0}.
@ -132,6 +151,9 @@ helpMatching=\u00a77Commandos overeenkomen met "{0}":
helpOp=\u00a7c[HelpOp]\u00a7f \u00a77{0}:\u00a7f {1}
helpPages=Pagina \u00a7c{0}\u00a7f van de \u00a7c{1}\u00a7f:
helpPlugin=\u00a74{0}\u00a7f: Plugin Help: /help {1}
holdBook=\u00a74You are not holding a writable book
holdFirework=\u00a74You must be holding a firework to add effects
holdPotion=\u00a74You must be holding a potion to apply effects to it
holeInFloor=Gat in de vloer
homeSet=\u00a77Home ingesteld.
homeSetToBed=\u00a77Je home is is nu verplaatst naar dit bed.
@ -150,14 +172,20 @@ invRestored=Je inventaris is hersteld.
invSee=Je kijkt naar de inventory van {0}.
invSeeHelp=Type /invsee om je inventaris te herstellen.
invalidCharge=\u00a7cOngeldig te laden.
invalidFireworkFormat=\u00a76The option \u00a74{0} \u00a76is not a valid value for \u00a74{1}
invalidHome=Huis {0} Bestaat niet.
invalidHomeName=\u00a74Invalid home name
invalidMob=Ongeldig mob type.
invalidNumber=Invalid Number
invalidPotion=\u00a74Invalid Potion
invalidPotionEffect=\u00a74You do not have permissions to apply potion effect \u00a7c{0} \u00a74to this potion
invalidServer=Ongeldige server!
invalidSignLine=Regel {0} op het bordje is ongeldig.
invalidWarpName=\u00a74Invalid warp name
invalidWorld=\u00a7cOngeldige wereld.
inventoryCleared=\u00a7inventaris leeggemaakt.
inventoryClearedOthers=\u00a7inventaris van \u00a7c{0}\u00a77 leeggemaakt.
inventoryClearedAll=\u00a76Cleared everyone's inventory.
inventoryClearedOthers=\u00a7inventaris van \u00a7c{0}\u00a77 leeggemaakt.
is=is
itemCannotBeSold=Dat voorwerp kan niet aan de server worden verkocht.
itemMustBeStacked=Voorwerp moet geruild worden als stapel. Een hoeveelheid van 2 moet dus geruild worden als twee stapels, etc.
@ -187,7 +215,10 @@ kitError2=\u00a7cDie kit bestaat niet of is verkeerde beschreven.
kitError=\u00a7cEr zijn geen geldige kits.
kitErrorHelp=\u00a7cMisschien mist er een hoeveelheid van het item in de configuratie?
kitGive=\u00a77Kit {0} wordt gegeven.
kitGiveTo=\u00a76Giving kit\u00a7c {0}\u00a76 to {1}\u00a7.
kitInvFull=\u00a7cJe inventaris was vol, de kit wordt op de grond geplaatst
kitOnce=\u00a74You can't use that kit again.
kitReceive=\u00a76Received kit\u00a7c {0}\u00a76.
kitTimed=\u00a7cJe kan die kit pas weer gebruiken over {0}.
kits=\u00a77Kits: {0}
lightningSmited=\u00a77Je bent zojuist verbrand
@ -205,9 +236,11 @@ mailSent=\u00a77Bericht verzonden!
markMailAsRead=\u00a7cType /mail clear, om je berichten als gelezen te markeren
markedAsAway=\u00a77Je staat nu als afwezig gemeld.
markedAsNotAway=\u00a77Je staat niet meer als afwezig gemeld.
matchingIPAddress=\u00a76The following players previously logged in from that IP address:
maxHomes=Je kunt niet meer dan {0} huizen zetten.
mayNotJail=\u00a7cJe mag die speler niet in de gevangenis zetten.
me=me
messageTruncated=\u00a74Message truncated, to see the full output type:\u00a7c /{0} {1}
minute=minuut
minutes=minuten
missingItems=Je hebt geen {0}x {1}.
@ -225,6 +258,7 @@ moreThanZero=Het aantal moet groter zijn dan 0.
moveSpeed=\u00a77Set {0} speed to {1} for {2}.
msgFormat=\u00a77[{0}\u00a77 -> {1}\u00a77] \u00a7f{2}
muteExempt=\u00a7cJe kan deze speler niet dempen.
muteNotify=\u00a74{0} \u00a76has muted \u00a74{1}
mutedPlayer=Speler {0} gedempt.
mutedPlayerFor=Speler {0} is gedempt voor {1}.
mutedUserSpeaks={0} probeerde te praten, maar is gedempt.
@ -249,6 +283,7 @@ noHomeSetPlayer=Speler heeft geen huis.
noKitPermission=\u00a7cJe hebt de \u00a7c{0}\u00a7c toestemming nodig om die kit te gebruiken.
noKits=\u00a77Er zijn nog geen kits beschikbaar
noMail=Je hebt geen berichten
noMatchingPlayers=\u00a76No matching players found.
noMotd=\u00a7cEr is geen bericht van de dag.
noNewMail=\u00a77Je hebt geen nieuwe berichten.
noPendingRequest=Je hebt geen aanvragen.
@ -274,6 +309,7 @@ onlyDayNight=/time ondersteund alleen day/night.
onlyPlayers=Alleen in-game spelers kunnen {0} gebruiken.
onlySunStorm=/weather ondersteunt alleen sun/storm.
orderBalances=Rekeningen bestellen van {0} gebruikers, Watch A.U.B ...
oversizedTempban=\u00a74You may not ban a player for this period of time.
pTimeCurrent=\u00a7e{0}'s\u00a7f tijd is {1}.
pTimeCurrentFixed=\u00a7e{0}'s\u00a7f tijd is vastgezet op {1}.
pTimeNormal=\u00a7e{0}'s\u00a7f tijd is normaal en komt overeen met de server.
@ -285,6 +321,7 @@ pTimeSetFixed=Player time is fixed to \u00a73{0}\u00a7f for: \u00a7e{1}
parseError=Fout bij ontleding {0} op regel {1}
pendingTeleportCancelled=\u00a7cAangevraagde teleportatie afgelast.
permissionsError=Permissions/GroupManager ontbreekt; chat prefixes/suffixes worden uitgeschakeld.
playerBanIpAddress=\u00a76Player\u00a7c {0} \u00a76banned IP address {1} \u00a76.
playerBanned=\u00a7cSpeler {0} verbant {1} voor {2}
playerInJail=\u00a7cSpeler zit al in de gevangenis {0}.
playerJailed=\u00a77Speler {0} is in de gevangenis gezet.
@ -296,7 +333,13 @@ playerNeverOnServer=\u00a7cSpeler {0} is nooit op deze server geweest.
playerNotFound=\u00a7cSpeler niet gevonden.
playerUnmuted=\u00a77Speler mag weer praten
pong=Pong!
posPitch=\u00a76Pitch: {0} (Head angle)
posX=\u00a76X: {0} (+East <-> -West)
posY=\u00a76Y: {0} (+Up <-> -Down)
posYaw=\u00a76Yaw: {0} (Rotation)
posZ=\u00a76Z: {0} (+South <-> -North)
possibleWorlds=\u00a77Mogelijke werelden zijn de nummers 0 tot en met {0}.
potions=\u00a76Potions:\u00a7r {0}
powerToolAir=Commando kan niet worden bevestigd aan lucht.
powerToolAlreadySet=Commando \u00a7c{0}\u00a7f is al toegewezen aan {1}.
powerToolAttach=\u00a7c{0}\u00a7f commando toegewezen aan {1}.
@ -311,6 +354,16 @@ powerToolsEnabled=Al jouw powertools zijn ingeschakeld.
protectionOwner=\u00a76[EssentialsProtect] Beschermingeigenaar: {0}
questionFormat=\u00a77[Vraag]\u00a7f {0}
readNextPage=Type /{0} {1} om de volgende pagina te lezen.
recipe=\u00a76Recipe for \u00a7c{0}\u00a76 ({1} of {2})
recipeBadIndex=There is no recipe by that number
recipeFurnace=\u00a76Smelt \u00a7c{0}
recipeGrid=\u00a7{0}X \u00a76| \u00a7{1}X \u00a76| \u00a7{2}X
recipeGridItem=\ \u00a7{0}X \u00a76is \u00a7c{1}
recipeMore=\u00a76Type /{0} \u00a7c{1}\u00a76 <number> to see other recipes for \u00a7c{2}
recipeNone=No recipes exist for {0}
recipeNothing=nothing
recipeShapeless=\u00a76Combine \u00a7c{0}
recipeWhere=\u00a76Where: {0}
reloadAllPlugins=\u00a77Alle plugins zijn herladen.
removed=\u00a77{0} entiteiten verwijderd.
repair=Je hebt succesvol je \u00a7e{0} \u00a7fverwijderd.
@ -325,7 +378,10 @@ requestDeniedFrom=\u00a77{0} denied your teleport request.
requestSent=\u00a77Aanvraag verstuurd naar {0}\u00a77.
requestTimedOut=\u00a7cTeleportatie verzoek is verlopen.
requiredBukkit=* ! * You need atleast build {0} of CraftBukkit, download it from http://dl.bukkit.org/downloads/craftbukkit/
resetBal=\u00a76Balance has been reset to \u00a7a{0} \u00a76 for all online players
resetBalAll=\u00a76Balance has been reset to \u00a7a{0} \u00a76 for all players
returnPlayerToJailError=Error occurred when trying to return player {0} to jail: {1}
runningPlayerMatch=\u00a76Running search for players matching ''\u00a7c{0}\u00a76'' (this could take a little while)
second=seconde
seconds=seconde
seenOffline=Speler {0} is offline vanaf {1}
@ -362,7 +418,9 @@ teleportRequestTimeoutInfo=\u00a77Dit verzoekt verloopt over {0} seconden.
teleportTop=\u00a77Bezig met teleporteren naar het hoogste punt.
teleportationCommencing=\u00a77Aan het beginnen met teleporteren...
teleportationDisabled=\u00a77Teleportatie uitgeschakeld.
teleportationDisabledFor=\u00a76Teleportation disabled for {0}
teleportationEnabled=\u00a77Teleportatie ingeschakeld.
teleportationEnabledFor=\u00a76Teleportation enabled for {0}
teleporting=\u00a77Bezig met teleporteren...
teleportingPortal=\u00a77Bezig met teleporteren via de portal.
tempBanned=Tijdelijk geband voor {0}
@ -402,10 +460,13 @@ unmutedPlayer=Speler {0} mag weer spreken.
unvanished=\u00a7aYou are once again visible.
unvanishedReload=\u00a7cEen herlading heeft je geforceerd om zichtbaar te worden.
upgradingFilesError=Fout tijdens het upgraden van de bestanden
uptime=\u00a76Uptime:\u00a7c {0}
userAFK=\u00a75{0} \u00a75is currently AFK and may not respond
userDoesNotExist=Speler {0} bestaat niet.
userIsAway={0} is nu afwezig.
userIsNotAway={0} is niet meer afwezig.
userJailed=\u00a77Je bent in de gevangenis gezet.
userUnknown=\u00a74Warning: The user ''\u00a7c{0}\u00a74'' has never joined this server.
userUsedPortal={0} gebruikte een bestaande uitgangs portal.
userdataMoveBackError=Fout bij het verplaasten van userdata/{0}.tmp naar userdata/{1}
userdataMoveError=Fout bij het verplaasten van userdata/{0} naar userdata/{1}.tmp
@ -416,6 +477,7 @@ versionMismatchAll=Verkeerde versie! Update alle Essentials jars naar dezelfde v
voiceSilenced=\u00a77Je kan niet meer praten
walking=walking
warpDeleteError=Fout bij het verwijderen van het warp bestand.
warpList={0}
warpListPermission=\u00a7cJe hebt geen toegang om die warp te maken.
warpNotExist=Die warp bestaat niet.
warpOverwrite=\u00a7cJe kunt deze warp niet overschrijven.
@ -451,61 +513,3 @@ year=jaar
years=jaren
youAreHealed=\u00a77Je bent genezen.
youHaveNewMail=\u00a7cJe hebt {0} berichten!\u00a7f Type \u00a77/mail read\u00a7f om je berichten te bekijken.
posX=\u00a76X: {0} (+East <-> -West)
posY=\u00a76Y: {0} (+Up <-> -Down)
posZ=\u00a76Z: {0} (+South <-> -North)
posYaw=\u00a76Yaw: {0} (Rotation)
posPitch=\u00a76Pitch: {0} (Head angle)
distance=\u00a76Distance: {0}
giveSpawn=\u00a76Giving\u00a7c {0} \u00a76of\u00a7c {1} to\u00a7c {2}\u00a76.
warpList={0}
uptime=\u00a76Uptime:\u00a7c {0}
antiBuildCraft=\u00a74You are not permitted to create\u00a7c {0}\u00a74.
antiBuildDrop=\u00a74You are not permitted to drop\u00a7c {0}\u00a74.
gcWorld=\u00a76{0} "\u00a7c{1}\u00a76": \u00a7c{2}\u00a76 chunks, \u00a7c{3}\u00a76 entities
invalidHomeName=\u00a74Invalid home name
invalidWarpName=\u00a74Invalid warp name
userUnknown=\u00a74Warning: The user ''\u00a7c{0}\u00a74'' has never joined this server.
teleportationEnabledFor=\u00a76Teleportation enabled for {0}
teleportationDisabledFor=\u00a76Teleportation disabled for {0}
kitOnce=\u00a74You can't use that kit again.
fullStack=\u00a74You already have a full stack
oversizedTempban=\u00a74You may not ban a player for this period of time.
recipeNone=No recipes exist for {0}
invalidNumber=Invalid Number
recipeBadIndex=There is no recipe by that number
recipeNothing=nothing
recipe=\u00a76Recipe for \u00a7c{0}\u00a76 ({1} of {2})
recipeFurnace=\u00a76Smelt \u00a7c{0}
recipeGrid=\u00a7{0}X \u00a76| \u00a7{1}X \u00a76| \u00a7{2}X
recipeGridItem=\ \u00a7{0}X \u00a76is \u00a7c{1}
recipeMore=\u00a76Type /{0} \u00a7c{1}\u00a76 <number> to see other recipes for \u00a7c{2}
recipeWhere=\u00a76Where: {0}
recipeShapeless=\u00a76Combine \u00a7c{0}
editBookContents=\u00a7eYou may now edit the contents of this book
bookAuthorSet=\u00a76Author of the book set to {0}
bookTitleSet=\u00a76Title of the book set to {0}
denyChangeAuthor=\u00a74You cannot change the author of this book
denyChangeTitle=\u00a74You cannot change the title of this book
denyBookEdit=\u00a74You cannot unlock this book
bookLocked=\u00a7cThis book is now locked
holdBook=\u00a74You are not holding a writable book
fireworkColor=\u00a74You must apply a color to the firework to add an effect
holdFirework=\u00a74You must be holding a firework to add effects
invalidFireworkFormat=\u00a76The option \u00a74{0} \u00a76is not a valid value for \u00a74{1}
muteNotify=\u00a74{0} \u00a76has muted \u00a74{1}
resetBal=\u00a76Balance has been reset to \u00a7a{0} \u00a76 for all online players
resetBalAll=\u00a76Balance has been reset to \u00a7a{0} \u00a76 for all players
messageTruncated=\u00a74Message truncated, to see the full output type:\u00a7c /{0} {1}
userAFK=\u00a75{0} \u00a75is currently AFK and may not respond
fireworkEffectsCleared=\u00a76Removed all effects from held stack.
fireworkSyntax=\u00a76Firework parameters:\u00a7c color:<color> [fade:<color>] [shape:<shape>] [effect:<effect>]\n\u00a76To use multiple colors/effects, seperate values with commas: \u00a7cred,blue,pink\n\u00a76Shapes:\u00a7c star, ball, large, creeper, burst \u00a76Effects:\u00a7c trail, twinkle
bed=\u00a7obed\u00a7r
bedNull=\u00a7mbed\u00a7r
bedMissing=\u00a74Your bed is either unset, missing or blocked.
bedSet=\u00a76Bed spawn set!
kitGiveTo=\u00a76Giving kit\u00a7c {0}\u00a76 to {1}\u00a7.
kitReceive=\u00a76Received kit\u00a7c {0}\u00a76.
noMatchingPlayers=\u00a76No matching players found.
matchingIPAddress=\u00a76The following players previously logged in from that IP address:
runningPlayerMatch=\u00a76Running search for players matching ''\u00a7c{0}\u00a76'' (this could take a little while)

View File

@ -11,6 +11,8 @@ alertFormat=\u00a73[{0}] \u00a7f {1} \u00a77 {2} at: {3}
alertPlaced=postawil:
alertUsed=uzyl:
antiBuildBreak=\u00a74Nie masz praw by zniszczyc blok {0} tutaj.
antiBuildCraft=\u00a74Nie masz praw by stworzyc\u00a7c {0}\u00a74.
antiBuildDrop=\u00a74Nie masz praw by wyrzucic\u00a7c {0}\u00a74.
antiBuildInteract=\u00a74Nie masz praw by odzialywac z {0}.
antiBuildPlace=\u00a74Nie masz praw by postawic {0} tutaj.
antiBuildUse=\u00a74Nie masz praw by uzyc {0}.
@ -24,10 +26,16 @@ balance=\u00a7aStan konta:\u00a7c {0}
balanceTop=\u00a77Najbogatsi gracze ({0})
banExempt=\u00a74Nie mozesz zbanowac tego gracza.
banFormat=\u00a74Zbanowany: {0}
playerBanIpAddress=\u00a77Gracz\u00a7c {0} \u00a77zostal zbanowany na adres IP {1} \u00a77.
bed=\u00a7olozko\u00a7r
bedMissing=\u00a74Twoje lozko nie jest ustawione, lub jest zablokowane.
bedNull=\u00a7mlozko\u00a7r
bedSet=\u00a77Spawn w lozku ustawiony!
bigTreeFailure=\u00a74Nie mozna tutaj postawic duzego drzewa. Sprobuj ponownie na ziemi lub trawie.
bigTreeSuccess= \u00a77Stworzono duze drzewo.
blockList=\u00a77Essentials przekazuje nastepujace polecenie do innej wtyczki:
bookAuthorSet=\u00a77Ustawiono autora ksiazki na {0} .
bookLocked=\u00a7cKsiazka jest teraz zablokowana.
bookTitleSet=\u00a77Ustawiono tytul ksiazki na {0} .
broadcast=\u00a7r\u00a77[\u00a74Ogloszenie\u00a77]\u00a7a {0}
buildAlert=\u00a74Nie mozesz tu budowac
bukkitFormatChanged=Format wersji Bukkita jest zmieniony. Wersja nie jest sprawdzana.
@ -65,6 +73,9 @@ deleteHome=\u00a77Dom\u00a7c {0} \u00a77zostal usuniety.
deleteJail=\u00a77Wiezienie\u00a7c {0} \u00a77zostalo usuniete.
deleteWarp=\u00a77Warp\u00a7c {0} \u00a77zostal usuniety.
deniedAccessCommand=\u00a7c{0} \u00a74nie ma dostepu do tego polecenia
denyBookEdit=\u00a74Nie mozesz odblokowac tej ksiazki.
denyChangeAuthor=\u00a74Nie mozesz zmienic autora tej ksiazki.
denyChangeTitle=\u00a74Nie mozesz zmienic tytulu tej ksiazki.
dependancyDownloaded=[Essentials] Zaleznosci {0} pobrane prawidlowo.
dependancyException=[Essentials] Wystapil blad w trakcie pobierania zaleznosci.
dependancyNotFound=[Essentials] Wymagana zaleznosc nie zostala znaleziona, pobieranie.
@ -75,10 +86,12 @@ destinationNotSet=Cel nieokreslony.
disableUnlimited=\u00a77Wylaczone nieograniczone tworzenia\u00a7c {0} \u00a77dla {1}.
disabled=wylaczone
disabledToSpawnMob=\u00a74Tworzenie tego moba zostalo wylaczone w pliku config.
distance=\u00a77Odleglosc: {0}
dontMoveMessage=\u00a77Teleportacja nastapi za\u00a7c {0}\u00a77. Prosze sie nie ruszac.
downloadingGeoIp=Pobieranie bazy danych GeoIP... To moze zajac chwile (wioska: 0.6 MB, miasto: 20MB)
duplicatedUserdata=Kopiowanie danych uzytkownika: {0} i {1}
durability=\u00a77This tool has \u00a7c{0}\u00a77 uses left
editBookContents=\u00a7eNie mozesz teraz edytowac tej ksiazki.
enableUnlimited=\u00a77Przyznano nielimitowane zasoby\u00a7c {0} \u00a77dla {1}.
enabled=wlaczone
enchantmentApplied= \u00a77Ulepszenie\u00a7c {0} \u00a77zostalo przyznane przedmiotowi w twoim reku.
@ -102,17 +115,23 @@ false=\u00a74false\u00a7r
feed=\u00a77Twoj glod zostal zaspokojony.
feedOther=\u00a77Nakarmiono {0}.
fileRenameError=Blad podczas zmiany nazwy pliku \u0093{0}\u0094.
fireworkColor=\u00a74Musisz dodac kolor fajerwerki by dodac do niej efekt.
fireworkEffectsCleared=\u00a77Usunieto wszystkie efekty trzymanych w reku fajerwerek.
fireworkSyntax=\u00a77Parametry Fajerwerki:\u00a74 color:<kolor> [fade:<kolor>] [shape:<ksztalt>] [effect:<efekt>]\n\u00a77By uzyc wielu kolorow/efektow, oddziel wartosci przecinkami: \u00a74red,blue,pink\n\u00a77Ksztalty:\u00a74 star, ball, large, creeper, burst \u00a77Efekty:\u00a74 trail, twinkle.
flyMode=\u00a77Ustawiono latanie\u00a7c {0} \u00a77dla {1}\u00a77.
flying=latanie
foreverAlone=\u00a74Nie masz komu odpisac.
freedMemory=Zwolniono {0} MB.
fullStack=\u00a74Juz masz pelny stack.
gameMode=\u00a77Ustawiono tryb gry\u00a7c {0} \u00a77dla {1}\u00a77.
gcWorld=\u00a77{0} "\u00a7c{1}\u00a77": \u00a7c{2}\u00a77 chunks, \u00a7c{3}\u00a77 entities
gcfree=\u00a77Wolna pamiec:\u00a7c {0} MB
gcmax=\u00a77Maksymalna pamiec:\u00a7c {0} MB
gctotal=Alokowana pamiec: {0} MB
geoIpUrlEmpty=Url pobierania GeoIP jest puste.
geoIpUrlInvalid=Url pobierania GeoIP jest nieprawidlowe.
geoipJoinFormat=\u00a76Gracz \u00a7c{0} \u00a76przybyl z \u00a7c{1}\u00a76.
giveSpawn=\u00a77Dales\u00a7c {0} \u00a77of\u00a7c {1} to\u00a7c {2}\u00a77.
godDisabledFor=\u00a74wylaczony\u00a77 dla\u00a7c {0}.
godEnabledFor=\u00a7awlaczony\u00a77 dla\u00a7c {0}.
godMode=\u00a77Godmode\u00a7c {0}\u00a77.
@ -132,6 +151,9 @@ helpMatching=\u00a77Komendy odpowiadajace "\u00a7c{0}\u00a77":
helpOp=\u00a74[HelpOp]\u00a7r \u00a77{0}:\u00a7r {1}
helpPages=\u00a77Strona \u00a7c{0}\u00a77 z \u00a7c{1}\u00a77:
helpPlugin=\u00a74{0}\u00a7r: Plugin Help: /help {1}
holdBook=\u00a74Nie trzymasz napisanej ksiazki.
holdFirework=\u00a74Musisz trzymac fajerwerke by dodac efekt.
holdPotion=\u00a74You must be holding a potion to apply effects to it
holeInFloor=\u00a74Kosmos
homeSet=\u00a77Dom ustawiono.
homeSetToBed=\u00a77Twoj dom znajduje sie teraz w tym lozku.
@ -150,14 +172,20 @@ invRestored=\u00a77Twoj ekwipunek zostal przywrocony.
invSee=\u00a77Widzisz ekwipunek\u00a7c {0}\u00a77.
invSeeHelp=\u00a77Wpisz /invsee aby przywrocic swoj ekwipunek.
invalidCharge=\u00a74Invalid charge.
invalidFireworkFormat=\u00a77Opcja \u00a74{0} \u00a77nie jest poprawna wartoscia dla \u00a74{1}\u00a77.
invalidHome=\u00a74Dom\u00a7c {0} \u00a74nie istnieje.
invalidHomeName=\u00a74Niepoprawna nazwa domu.
invalidMob=Niepoprawny typ moba.
invalidNumber=Niepoprawny Numer
invalidPotion=\u00a74Invalid Potion
invalidPotionEffect=\u00a74You do not have permissions to apply potion effect \u00a7c{0} \u00a74to this potion
invalidServer=Niepoprawny serwer!
invalidSignLine=\u00a74Linia\u00a7c {0} \u00a74na znaku jest bledna.
invalidWarpName=\u00a74Niepoprawna nazwa warpa.
invalidWorld=\u00a74Nieprawidlowy swiat.
inventoryCleared=\u00a77Ekwipunek oprozniony.
inventoryClearedOthers=\u00a77Ekwipunek \u00a7c{0}\u00a77 oprozniony.
inventoryClearedAll=\u00a77Wszystkim wyczyszczono ekwipunek.
inventoryClearedOthers=\u00a77Ekwipunek \u00a7c{0}\u00a77 oprozniony.
is=jest
itemCannotBeSold=\u00a7rNie mozesz sprzedac tego przedmiotu serwerowi.
itemMustBeStacked=\u00a74Przedmiotem handluje sie w stackach. Wielkosc 2s to dwa stacki itd.
@ -187,7 +215,10 @@ kitError2=\u00a74Ten zestaw nie istnieje lub zostal zle zdefininowany.
kitError=\u00a74Nie ma prawidlowych zestawow.
kitErrorHelp=\u00a74Byc moze przedmiotowi brakuje ilosci w konfiguracji?
kitGive=\u00a77Przydzielanie zestaw\u00a7c {0}\u00a77.
kitGiveTo=\u00a74{1} \u00a77otrzymal zestaw\u00a7c {0}\u00a77.
kitInvFull=\u00a74Twoj ekwipuek jest pelen, zestaw zostal wyrzucony na podloge.
kitOnce=\u00a74Nie mozesz uzyc zestawu ponownie.
kitReceive=\u00a77Otrzymales zestaw\u00a7c {0}\u00a77.
kitTimed=\u00a74Nie mozesz wziasc tego zestawu przez kolejne\u00a7c {0}\u00a74.
kits=\u00a77Zestawy:\u00a7r {0}
lightningSmited=\u00a77Zostales uderzony piorunem.
@ -205,9 +236,11 @@ mailSent=\u00a77Wiadomosc wyslana!
markMailAsRead=\u00a77Aby oczyscic skrzynke, wpisz\u00a7c /mail clear
markedAsAway=\u00a77Zostales oznaczony jako nieobecny.
markedAsNotAway=\u00a77Juz nie jestes nieobecny.
matchingIPAddress=\u00a77Gracz wczesniej zalogowany z tego adresu IP:
maxHomes=\u00a74Nie mozesz ustawic wiecej niz\u00a7c {0} \u00a74domow.
mayNotJail=\u00a74Nie mozesz wtracic do wiezienia tej osoby.
me=ja
messageTruncated=\u00a74Wiadomosc skrocona: aby zobaczyc cala wpisz\u00a7c /{0} {1}
minute=minuta
minutes=minuty
missingItems=\u00a74Nie masz {0}x {1}.
@ -225,6 +258,7 @@ moreThanZero=\u00a74Ilosc musi byc wieksza niz 0.
moveSpeed=\u00a77Ustawiono {0} szybkosc {1} dla {2}.
msgFormat=\u00a77[{0}\u00a77 -> {1}\u00a77] \u00a7r{2}
muteExempt=\u00a74Nie mozesz wyciszyc tego gracza..
muteNotify=\u00a74{0} \u00a77zostal wyciszony \u00a74{1}
mutedPlayer=\u00a77Gracz {0} \u00a77zostal wyciszony.
mutedPlayerFor=\u00a77Gracz {0} \u00a77zostal wyciszony na {1}.
mutedUserSpeaks={0} probowal sie odezwac, ale jest wyciszony.
@ -249,6 +283,7 @@ noHomeSetPlayer=\u00a77Gracz nie ma ustawionego domu.
noKitPermission=\u00a74Musisz posiadac uprawnienia \u00a7c{0}\u00a74 aby uzywac tego zestawu.
noKits=\u00a77Nie ma jeszcze dostepnych zestawow.
noMail=\u00a77Nie masz zadnych wiadomosci.
noMatchingPlayers=\u00a77Nie znaleziono pasujacych graczy.
noMotd=\u00a77Nie ma wiadomosci dnia..
noNewMail=\u00a77Nie masz zadnych nowych wiadomosci.
noPendingRequest=\u00a74Nie masz oczekujacej prosby.
@ -274,6 +309,7 @@ onlyDayNight=/time obsluguje tylko day/night.
onlyPlayers=\u00a74Tylko gracze w grze moga uzywac {0}.
onlySunStorm=\u00a74/weather obsluguje tylko sun/storm.
orderBalances=Ordering balances of {0} users, please wait ...
oversizedTempban=\u00a74Nie mozesz teraz zbanowac tego gracza.
pTimeCurrent=Czas \u00a7e{0} u00a7f to {1}.
pTimeCurrentFixed=\u00a77Czas \u00a7c{0}\u00a77 przywrocony do\u00a7c {1}\u00a77.
pTimeNormal=\u00a77Czas \u00a7c{0}'s\u00a77 jest normalny i odpowiada serwerowemu.
@ -285,6 +321,7 @@ pTimeSetFixed=\u00a77Czas gracza przywrocony do \u00a7c{0}\u00a77 dla \u00a7c{1}
parseError=\u00a74Blad skladniowy\u00a7c {0} \u00a77w linii {1}.
pendingTeleportCancelled=\u00a74Oczekujace zapytanie teleportacji odrzucone.
permissionsError=Brakuje Permissions/GroupManager; prefixy/suffixy czatu zostana wylaczone.
playerBanIpAddress=\u00a77Gracz\u00a7c {0} \u00a77zostal zbanowany na adres IP {1} \u00a77.
playerBanned=\u00a77Gracz\u00a7c {0} \u00a77zbanowal {1} \u00a77za {2}.
playerInJail=\u00a74Gracz jest juz w wiezieniu\u00a7c {0}\u00a77.
playerJailed=\u00a77Gracz\u00a7c {0} \u00a77zostal wtracony do wiezienia.
@ -296,7 +333,13 @@ playerNeverOnServer=\u00a74Gracz\u00a7c {0} \u00a74nigdy nie byl na tym serwerze
playerNotFound=\u00a74Nie odnaleziono gracza.
playerUnmuted=\u00a77Twoj glos zostal przywrocony.
pong=Pong!
posPitch=\u00a77Pitch: {0} (Head angle)
posX=\u00a77X: {0} (+Wschod <-> -Zachod)
posY=\u00a77Y: {0} (+Gora <-> -Dol)
posYaw=\u00a77Wysokosc: {0} (Rotacja)
posZ=\u00a77Z: {0} (+Poludnie <-> -Polnoc)
possibleWorlds=\u00a77Mozliwe swiaty maja numery od 0 do {0}.
potions=\u00a76Potions:\u00a7r {0}
powerToolAir=\u00a74Nie zartuj, chcesz przypisac polecenie do powietrza?
powerToolAlreadySet=\u00a74Polecenie \u00a7c{0}\u00a74 jest juz przypisane do {1}.
powerToolAttach=\u00a7c{0}\u00a77 polecenie przypisane do {1}.
@ -311,6 +354,16 @@ powerToolsEnabled=\u00a77Wszystkie twoje podpiecia zostaly aktywowane.
protectionOwner=\u00a77[EssentialsProtect] Wlasciciel zabezpieczen:\u00a7r {0}
questionFormat=\u00a72[Pytanie]\u00a7r {0}
readNextPage=\u00a77Wpisz\u00a7c /{0} {1} \u00a77aby przeczytac nastepna strone
recipe=\u00a77Receptura dla \u00a7c{0}\u00a77 ({1} z {2})
recipeBadIndex=Nie ma receptury dla tego numeru.
recipeFurnace=\u00a77Przetop \u00a7c{0}
recipeGrid=\u00a7{0}X \u00a77| \u00a7{1}X \u00a77| \u00a7{2}X
recipeGridItem=\ \u00a7{0}X \u00a77is \u00a7c{1}
recipeMore=\u00a77Wpisz /{0} \u00a7c{1}\u00a77 <numer> by zobaczyc receptury dla \u00a7c{2} \u00a77.
recipeNone=Nie ma receptur dla {0} .
recipeNothing=nic
recipeShapeless=\u00a77Kombinacja \u00a7c{0}
recipeWhere=\u00a77Gdzie: {0}
reloadAllPlugins=\u00a77Przeladowano wszystkie wtyczki
removed=\u00a77Usunieto\u00a7c {0} \u00a77podmitow.
repair=\u00a77Udalo sie naprawic twoj: \u00a7c{0}.
@ -325,7 +378,10 @@ requestDeniedFrom=\u00a7c{0} \u00a77odrzucil Twoja prosbe o teleportacje.
requestSent=\u00a77Twoja prosba o teleportacje zostala wyslana do\u00a7c {0}\u00a77.
requestTimedOut=\u00a77Prosba o teleportacje - przedawniona.
requiredBukkit= * ! * Potrzebujesz najnowszego {0} CraftBukkit-a, pobierz go z http://dl.bukkit.org/downloads/craftbukkit/
resetBal=\u00a77Fundusz zostal zresetowany \u00a7a{0} \u00a77 wszystkim graczom online.
resetBalAll=\u00a77Fundusz zostal zresetowany \u00a7a{0} \u00a77 wszystkim graczom.
returnPlayerToJailError=\u00a74Wystapil blad podczas powrotu gracza\u00a7c {0} \u00a74do wiezienia: {1} .
runningPlayerMatch=\u00a77Wyszukiwanie pasujacych graczy ''\u00a7c{0}\u00a77'' (to moze chwile potrwac)
second=sekunda
seconds=sekund
seenOffline=\u00a77Gracz\u00a7c {0} \u00a77jest \u00a74offline\u00a77 od {1}
@ -362,7 +418,9 @@ teleportRequestTimeoutInfo=\u00a77 Prosba o teleportacje przedawni sie za\u00a7c
teleportTop=\u00a77Teleportacja na wierzch.
teleportationCommencing=\u00a77Teleport rozgrzewa sie...
teleportationDisabled=\u00a77Teleportacja - zdezaktywowana.
teleportationDisabledFor=\u00a77Teleportacja zablokowana dla {0}
teleportationEnabled=\u00a77Teleportacja - aktywowana.
teleportationEnabledFor=\u00a77Teleportacja odblokowana dla {0}
teleporting=\u00a77Teleportacja...
teleportingPortal=\u00a77Teleportacja przez portal.
tempBanned=Tymczasowo zbanowany na serwerze przez {0}.
@ -402,10 +460,13 @@ unmutedPlayer=\u00a77Gracz\u00a7c {0} \u00a77moze znowu mowic.
unvanished=\u00a77Znow jestes widoczny.
unvanishedReload=\u00a74Przeladowanie spowodowalo ze cie widac.
upgradingFilesError=Wystapil blad podczas aktualizowaniu plikow.
uptime=\u00a77Uptime:\u00a7c {0}
userAFK=\u00a74{0} \u00a7\u00a77jest teraz AFK i nie reaguje.
userDoesNotExist=\u00a74Uzytkownik\u00a7c {0} \u00a74nie istnieje w bazie danych.
userIsAway=\u00a75{0} \u00a75jest teraz AFK.
userIsNotAway=\u00a7c{0} \u00a75nie jest juz AFK.
userJailed=\u00a77Zostales zamkniety w wiezieniu.
userUnknown=\u00a74Ostrzezenie: Gracz '\u00a7c{0}\u00a74' nigdy nie byl na tym serwerze.
userUsedPortal={0} uzyl istniejacego portalu wyjscia.
userdataMoveBackError=Nie udalo sie przeniesc userdata/{0}.tmp do userdata/{1}
userdataMoveError=Nie udalo sie przeniesc userdata/{0} do userdata/{1}.tmp
@ -416,6 +477,7 @@ versionMismatchAll=\u00a74Niepoprawna wersja! Prosze zaktualizowac wszystkie pli
voiceSilenced=\u00a77Twe usta zostaly zaszyte.
walking=chodzi
warpDeleteError=\u00a74Wystapil problem podczas usuwania pliku z Warpami.
warpList={0}
warpListPermission=\u00a74Nie masz pozwolenia na sprawdzenie listy Warp\u00c3\u00b3w..
warpNotExist=\u00a74Ten Warp nie istnieje.
warpOverwrite=\u00a74Nie mozesz nadpisac tego Warpa.
@ -451,61 +513,3 @@ year=rok
years=lat
youAreHealed=\u00a77Zostales/as uleczony/na.
youHaveNewMail=\u00a77Masz\u00a7c {0} \u00a77wiadomosci! Wpisz \u00a7c/mail read\u00a77 aby je przeczytac.
posX=\u00a77X: {0} (+Wschod <-> -Zachod)
posY=\u00a77Y: {0} (+Gora <-> -Dol)
posZ=\u00a77Z: {0} (+Poludnie <-> -Polnoc)
posYaw=\u00a77Wysokosc: {0} (Rotacja)
posPitch=\u00a77Pitch: {0} (Head angle)
distance=\u00a77Odleglosc: {0}
giveSpawn=\u00a77Dales\u00a7c {0} \u00a77of\u00a7c {1} to\u00a7c {2}\u00a77.
warpList={0}
uptime=\u00a77Uptime:\u00a7c {0}
antiBuildCraft=\u00a74Nie masz praw by stworzyc\u00a7c {0}\u00a74.
antiBuildDrop=\u00a74Nie masz praw by wyrzucic\u00a7c {0}\u00a74.
gcWorld=\u00a77{0} "\u00a7c{1}\u00a77": \u00a7c{2}\u00a77 chunks, \u00a7c{3}\u00a77 entities
invalidHomeName=\u00a74Niepoprawna nazwa domu.
invalidWarpName=\u00a74Niepoprawna nazwa warpa.
userUnknown=\u00a74Ostrzezenie: Gracz '\u00a7c{0}\u00a74' nigdy nie byl na tym serwerze.
teleportationEnabledFor=\u00a77Teleportacja odblokowana dla {0}
teleportationDisabledFor=\u00a77Teleportacja zablokowana dla {0}
kitOnce=\u00a74Nie mozesz uzyc zestawu ponownie.
fullStack=\u00a74Juz masz pelny stack.
oversizedTempban=\u00a74Nie mozesz teraz zbanowac tego gracza.
recipeNone=Nie ma receptur dla {0} .
invalidNumber=Niepoprawny Numer
recipeBadIndex=Nie ma receptury dla tego numeru.
recipeNothing=nic
recipe=\u00a77Receptura dla \u00a7c{0}\u00a77 ({1} z {2})
recipeFurnace=\u00a77Przetop \u00a7c{0}
recipeGrid=\u00a7{0}X \u00a77| \u00a7{1}X \u00a77| \u00a7{2}X
recipeGridItem=\ \u00a7{0}X \u00a77is \u00a7c{1}
recipeMore=\u00a77Wpisz /{0} \u00a7c{1}\u00a77 <numer> by zobaczyc receptury dla \u00a7c{2} \u00a77.
recipeWhere=\u00a77Gdzie: {0}
recipeShapeless=\u00a77Kombinacja \u00a7c{0}
editBookContents=\u00a7eNie mozesz teraz edytowac tej ksiazki.
bookAuthorSet=\u00a77Ustawiono autora ksiazki na {0} .
bookTitleSet=\u00a77Ustawiono tytul ksiazki na {0} .
denyChangeAuthor=\u00a74Nie mozesz zmienic autora tej ksiazki.
denyChangeTitle=\u00a74Nie mozesz zmienic tytulu tej ksiazki.
denyBookEdit=\u00a74Nie mozesz odblokowac tej ksiazki.
bookLocked=\u00a7cKsiazka jest teraz zablokowana.
holdBook=\u00a74Nie trzymasz napisanej ksiazki.
fireworkColor=\u00a74Musisz dodac kolor fajerwerki by dodac do niej efekt.
holdFirework=\u00a74Musisz trzymac fajerwerke by dodac efekt.
invalidFireworkFormat=\u00a77Opcja \u00a74{0} \u00a77nie jest poprawna wartoscia dla \u00a74{1}\u00a77.
muteNotify=\u00a74{0} \u00a77zostal wyciszony \u00a74{1}
resetBal=\u00a77Fundusz zostal zresetowany \u00a7a{0} \u00a77 wszystkim graczom online.
resetBalAll=\u00a77Fundusz zostal zresetowany \u00a7a{0} \u00a77 wszystkim graczom.
messageTruncated=\u00a74Wiadomosc skrocona: aby zobaczyc cala wpisz\u00a7c /{0} {1}
userAFK=\u00a74{0} \u00a7\u00a77jest teraz AFK i nie reaguje.
fireworkEffectsCleared=\u00a77Usunieto wszystkie efekty trzymanych w reku fajerwerek.
fireworkSyntax=\u00a77Parametry Fajerwerki:\u00a74 color:<kolor> [fade:<kolor>] [shape:<ksztalt>] [effect:<efekt>]\n\u00a77By uzyc wielu kolorow/efektow, oddziel wartosci przecinkami: \u00a74red,blue,pink\n\u00a77Ksztalty:\u00a74 star, ball, large, creeper, burst \u00a77Efekty:\u00a74 trail, twinkle.
bed=\u00a7olozko\u00a7r
bedNull=\u00a7mlozko\u00a7r
bedMissing=\u00a74Twoje lozko nie jest ustawione, lub jest zablokowane.
bedSet=\u00a77Spawn w lozku ustawiony!
kitGiveTo=\u00a74{1} \u00a77otrzymal zestaw\u00a7c {0}\u00a77.
kitReceive=\u00a77Otrzymales zestaw\u00a7c {0}\u00a77.
noMatchingPlayers=\u00a77Nie znaleziono pasujacych graczy.
matchingIPAddress=\u00a77Gracz wczesniej zalogowany z tego adresu IP:
runningPlayerMatch=\u00a77Wyszukiwanie pasujacych graczy ''\u00a7c{0}\u00a77'' (to moze chwile potrwac)

View File

@ -11,6 +11,8 @@ alertFormat=\u00a73[{0}] \u00a7f {1} \u00a76 {2} em: {3}
alertPlaced=Colocou:
alertUsed=Usou:
antiBuildBreak=\u00a74You are not permitted to break {0} blocks here.
antiBuildCraft=\u00a74You are not permitted to create\u00a7c {0}\u00a74.
antiBuildDrop=\u00a74You are not permitted to drop\u00a7c {0}\u00a74.
antiBuildInteract=\u00a74You are not permitted to interact with {0}.
antiBuildPlace=\u00a74You are not permitted to place {0} here.
antiBuildUse=\u00a74You are not permitted to use {0}.
@ -24,10 +26,16 @@ balance=\u00a77Saldo: {0}
balanceTop=\u00a77 Saldos superiores ({0})
banExempt=\u00a7cVoc\u00ea nao pode banir este jogador.
banFormat=Banned: {0}
playerBanIpAddress=\u00a76Player\u00a7c {0} \u00a76banned IP address {1} \u00a76.
bed=\u00a7obed\u00a7r
bedMissing=\u00a74Your bed is either unset, missing or blocked.
bedNull=\u00a7mbed\u00a7r
bedSet=\u00a76Bed spawn set!
bigTreeFailure=\u00a7cFalha na gera\u00e7ao da \u00e1rvore grande. Tente de novo na terra ou grama.
bigTreeSuccess= \u00a77\u00c1rvore grande gerada.
blockList=Essentials passou o seguinte comando a outro plugin:
bookAuthorSet=\u00a76Author of the book set to {0}
bookLocked=\u00a7cThis book is now locked
bookTitleSet=\u00a76Title of the book set to {0}
broadcast=[\u00a7cBroadcast\u00a7f]\u00a7a {0}
buildAlert=\u00a7cVoc\u00ea nao tem permissao de construir.
bukkitFormatChanged=Bukkit: formato da versao alterada. Versao nao verificada.
@ -65,6 +73,9 @@ deleteHome=\u00a77Casa {0} foi removida.
deleteJail=\u00a77prisao {0} foi removida.
deleteWarp=\u00a77Warp {0} foi removido.
deniedAccessCommand={0} Acesso negado ao comando.
denyBookEdit=\u00a74You cannot unlock this book
denyChangeAuthor=\u00a74You cannot change the author of this book
denyChangeTitle=\u00a74You cannot change the title of this book
dependancyDownloaded=[Essentials] Dependencia {0} baixada com sucesso.
dependancyException=[Essentials] Ocorreu um erro ao tentar baixar uma dependencia
dependancyNotFound=[Essentials] Uma dependencia necess\u00e1ria nao foi encontrada. Baixando agora.
@ -75,10 +86,12 @@ destinationNotSet=Destino nao definido.
disableUnlimited=\u00a77Desativada itens ilimitados de {0} para {1}.
disabled=desativado
disabledToSpawnMob=Desovar este mob esta desativado nas configura\u00e7\u00f5es.
distance=\u00a76Distance: {0}
dontMoveMessage=\u00a77Teleporte vai come\u00e7ar em {0}. Nao se mova.
downloadingGeoIp=Baixando GeoIP database ... pode demorar um pouco (Pais: 0.6 MB, Cidade: 20MB)
duplicatedUserdata=Dado de usu\u00e1rio duplicado: {0} e {1}
durability=\u00a77This tool has \u00a7c{0}\u00a77 uses left
editBookContents=\u00a7eYou may now edit the contents of this book
enableUnlimited=\u00a77Colocando quantidade ilimitada de {0} para {1}.
enabled=ativado
enchantmentApplied = \u00a77O encantamento {0} foi aplicado ao item na sua mao.
@ -102,17 +115,23 @@ false=\u00a74false\u00a7f
feed=\u00a77Seu apetite foi saciado.
feedOther=\u00a77Satisfeito {0}.
fileRenameError=Falha ao renomear o arquivo {0}.
fireworkColor=\u00a74You must apply a color to the firework to add an effect
fireworkEffectsCleared=\u00a76Removed all effects from held stack.
fireworkSyntax=\u00a76Firework parameters:\u00a7c color:<color> [fade:<color>] [shape:<shape>] [effect:<effect>]\n\u00a76To use multiple colors/effects, seperate values with commas: \u00a7cred,blue,pink\n\u00a76Shapes:\u00a7c star, ball, large, creeper, burst \u00a76Effects:\u00a7c trail, twinkle
flyMode=\u00a77Definir o modo de voar {0} para {1}.
flying=flying
foreverAlone=\u00a7cVoc\u00ea nao tem ninguem a quem responder.
freedMemory=Livre {0} MB.
fullStack=\u00a74You already have a full stack
gameMode=\u00a77Gamemode {0} definido para {1}.
gcWorld=\u00a76{0} "\u00a7c{1}\u00a76": \u00a7c{2}\u00a76 chunks, \u00a7c{3}\u00a76 entities
gcfree=Memoria livre: {0} MB
gcmax=Mem\u00f3ria Maxima: {0} MB
gctotal=Mem\u00f3ria alocada: {0} MB
geoIpUrlEmpty=GeoIP url de download esta vazia.
geoIpUrlInvalid=GeoIP url de download e invalida.
geoipJoinFormat=\u00a76Jogador \u00a7c{0} \u00a76veio do \u00a7c{1}\u00a76.
giveSpawn=\u00a76Giving\u00a7c {0} \u00a76of\u00a7c {1} to\u00a7c {2}\u00a76.
godDisabledFor=desativado para {0}
godEnabledFor=ativado para {0}
godMode=\u00a77Modo Deus {0}.
@ -132,6 +151,9 @@ helpMatching=\u00a77Comandos correspondentes "{0}":
helpOp=\u00a7c[HelpOp]\u00a7f \u00a77{0}:\u00a7f {1}
helpPages=P\u00e1gina \u00a7c{0}\u00a7f of \u00a7c{1}\u00a7f:
helpPlugin=\u00a74{0}\u00a7f: Ajuda Plugin: /help {1}
holdBook=\u00a74You are not holding a writable book
holdFirework=\u00a74You must be holding a firework to add effects
holdPotion=\u00a74You must be holding a potion to apply effects to it
holeInFloor=Buraco no chao
homeSet=\u00a77Casa definida.
homeSetToBed=\u00a77Sua casa agora esta definida a esta cama.
@ -150,14 +172,20 @@ invRestored=Seu invent\u00e1rio foi restaurado.
invSee=Voc\u00ea v\u00ea o invent\u00e1rio de {0}.
invSeeHelp=Use /invsee para voltar ao seu invent\u00e1rio.
invalidCharge=\u00a7cCarga invalida.
invalidFireworkFormat=\u00a76The option \u00a74{0} \u00a76is not a valid value for \u00a74{1}
invalidHome=Home {0} nao existe
invalidHomeName=\u00a74Invalid home name
invalidMob=Tipo de mob inv\u00e1lido.
invalidNumber=Invalid Number
invalidPotion=\u00a74Invalid Potion
invalidPotionEffect=\u00a74You do not have permissions to apply potion effect \u00a7c{0} \u00a74to this potion
invalidServer=Servidor inv\u00e1lido!
invalidSignLine=Linha {0} da placa e inv\u00e1lida.
invalidWarpName=\u00a74Invalid warp name
invalidWorld=\u00a7cMundo inv\u00e1lido.
inventoryCleared=\u00a77Invent\u00e1rio limpo.
inventoryClearedOthers=\u00a77Invent\u00e1rio de \u00a7c{0}\u00a77 limpo.
inventoryClearedAll=\u00a76Cleared everyone's inventory.
inventoryClearedOthers=\u00a77Invent\u00e1rio de \u00a7c{0}\u00a77 limpo.
is=\u00e9
itemCannotBeSold=Este item nao pode ser vendido para o servidor.
itemMustBeStacked=O item deve ser negociado em pacotes. A qantidade de 2s seria dois pacotes, etc.
@ -187,7 +215,10 @@ kitError2=\u00a7cEsse kit nao existe ou foi definido impropiamente.
kitError=\u00a7cNao existe kits v\u00e1lidos.
kitErrorHelp=\u00a7cTalvez um item esta faltando a quantidade nas configura\u00e7\u00f5es?
kitGive=\u00a77Dando kit {0}.
kitGiveTo=\u00a76Giving kit\u00a7c {0}\u00a76 to {1}\u00a7.
kitInvFull=\u00a7cSeu invent\u00e1rio esta cheio, colocando kit no chao
kitOnce=\u00a74You can't use that kit again.
kitReceive=\u00a76Received kit\u00a7c {0}\u00a76.
kitTimed=\u00a7cVoc\u00ea nao pode usar este kit denovo por {0}.
kits=\u00a77Kits: {0}
lightningSmited=\u00a77YVoc\u00ea acaba de ser castigado
@ -205,9 +236,11 @@ mailSent=\u00a77eMail enviado!
markMailAsRead=\u00a7cPara marcar seu email como lido, use /mail clear
markedAsAway=\u00a77[AFK] Agora voc\u00ea esta marcado como aus\u00eante.
markedAsNotAway=\u00a77[AFK] Voc\u00ea nao esta mais marcado como aus\u00eante.
matchingIPAddress=\u00a76The following players previously logged in from that IP address:
maxHomes=Voc\u00ea nao pode definir mais de {0} casas.
mayNotJail=\u00a7cVoc\u00ea nao pode prender esta pessoa
me=eu
messageTruncated=\u00a74Message truncated, to see the full output type:\u00a7c /{0} {1}
minute=minuto
minutes=minutos
missingItems=Voc\u00ea nao tem {0}x {1}.
@ -225,6 +258,7 @@ moreThanZero=Quantidade deve ser maior que 0.
moveSpeed=\u00a77Set {0} speed to {1} for {2}.
msgFormat=\u00a77[{0}\u00a77 -> {1}\u00a77] \u00a7f{2}
muteExempt=\u00a7cVoc\u00ea nao pode mutar este jogador.
muteNotify=\u00a74{0} \u00a76has muted \u00a74{1}
mutedPlayer=Player {0} mutado.
mutedPlayerFor=Player {0} mutado por {1}.
mutedUserSpeaks={0} tentou falar, mas esta mutado.
@ -249,6 +283,7 @@ noHomeSetPlayer=Jogador nao definiu nenhuma casa.
noKitPermission=\u00a7cVoc\u00ea precisa da permissao \u00a7c{0}\u00a7c para usar este kit.
noKits=\u00a77Ainda nao tem nenhum item disponivel
noMail=Voc\u00ea nao tem nenhum email
noMatchingPlayers=\u00a76No matching players found.
noMotd=\u00a7cNao h\u00e1 nenhuma mensagem do dia.
noNewMail=\u00a77Voc\u00ea nao tem nenhum novo email.
noPendingRequest=Voc\u00ea nao tem um pedido pendente.
@ -274,6 +309,7 @@ onlyDayNight=/time apenas suporta day/night.
onlyPlayers=Apenas jogadores no jogo pode usar {0}.
onlySunStorm=/weather apenas suporta sun/storm.
orderBalances=Ordenando saldos de {0} usuarios, aguarde ...
oversizedTempban=\u00a74You may not ban a player for this period of time.
pTimeCurrent=\u00a7e{0}''s\u00a7f horario e {1}.
pTimeCurrentFixed=\u00a7e{0}''s\u00a7f hor\u00e1rio foi fixado para {1}.
pTimeNormal=\u00a7e{0}''s\u00a7f o tempo esta normal e sincronisado com o servidor.
@ -285,6 +321,7 @@ pTimeSetFixed=Hor\u00e1rio do jogador foi fixado para \u00a73{0}\u00a7f por: \u0
parseError=Analise de erro {0} na linha {1}
pendingTeleportCancelled=\u00a7cPedido de teleporte pendente cancelado.
permissionsError=Faltando Permissions/GroupManager; chat prefixos/sufixos serao desativados.
playerBanIpAddress=\u00a76Player\u00a7c {0} \u00a76banned IP address {1} \u00a76.
playerBanned=\u00a7cJogador {0} banido {1} por {2}
playerInJail=\u00a7cJogador j\u00e1 esta na cadeia {0}.
playerJailed=\u00a77Jogador {0} preso.
@ -296,7 +333,13 @@ playerNeverOnServer=\u00a7cJogador {0} nunca esteve no servidor.
playerNotFound=\u00a7cJogador nao encontrado.
playerUnmuted=\u00a77Foi desmutado
pong=Pong!
posPitch=\u00a76Pitch: {0} (Head angle)
posX=\u00a76X: {0} (+East <-> -West)
posY=\u00a76Y: {0} (+Up <-> -Down)
posYaw=\u00a76Yaw: {0} (Rotation)
posZ=\u00a76Z: {0} (+South <-> -North)
possibleWorlds=\u00a77Mundos poss\u00edveis sao 0 at\u00e9 {0}.
potions=\u00a76Potions:\u00a7r {0}
powerToolAir=Comando nao pode ser definido para o ar.
powerToolAlreadySet=Comando \u00a7c{0}\u00a7f j\u00e1 esta definido para {1}.
powerToolAttach=\u00a7c{0}\u00a7f comando definido para {1}.
@ -311,6 +354,16 @@ powerToolsEnabled=Todas suas super ferramentas foram desabilitadas.
protectionOwner=\u00a76[EssentialsProtect] Dono da prote\u00e7ao: {0}
questionFormat=\u00a77[Pergunta]\u00a7f {0}
readNextPage=Digite /{0} {1} para ler a pr\u00f3xima p\u00e1gina
recipe=\u00a76Recipe for \u00a7c{0}\u00a76 ({1} of {2})
recipeBadIndex=There is no recipe by that number
recipeFurnace=\u00a76Smelt \u00a7c{0}
recipeGrid=\u00a7{0}X \u00a76| \u00a7{1}X \u00a76| \u00a7{2}X
recipeGridItem=\ \u00a7{0}X \u00a76is \u00a7c{1}
recipeMore=\u00a76Type /{0} \u00a7c{1}\u00a76 <number> to see other recipes for \u00a7c{2}
recipeNone=No recipes exist for {0}
recipeNothing=nothing
recipeShapeless=\u00a76Combine \u00a7c{0}
recipeWhere=\u00a76Where: {0}
reloadAllPlugins=\u00a77Todos plugins recarregados.
removed=\u00a77Removido {0} entidades.
repair=Voc\u00ea reparou com sucesso sua: \u00a7e{0}.
@ -325,7 +378,10 @@ requestDeniedFrom=\u00a77{0} recusou seu pedido de teleporte
requestSent=\u00a77Pedindo enviado para {0}\u00a77.
requestTimedOut=\u00a7cPedido de teleporte passou o limite de tempo
requiredBukkit=* ! * Voc\u00ea precisa da ultima build {0} do CraftBukkit, baixa ela em http://dl.bukkit.org/downloads/craftbukkit/
resetBal=\u00a76Balance has been reset to \u00a7a{0} \u00a76 for all online players
resetBalAll=\u00a76Balance has been reset to \u00a7a{0} \u00a76 for all players
returnPlayerToJailError=Erro ocorreu ao tentar retornar jogador {0} para a cadeia: {1}
runningPlayerMatch=\u00a76Running search for players matching ''\u00a7c{0}\u00a76'' (this could take a little while)
second=segundo
seconds=segundos
seenOffline=Jogador {0} esta offline desde {1}
@ -362,7 +418,9 @@ teleportRequestTimeoutInfo=\u00a77Este pedido vai acabar em {0} segundos.
teleportTop=\u00a77Teleportando para o alto.
teleportationCommencing=\u00a77Iniciando teleporte...
teleportationDisabled=\u00a77Teleporte desativado.
teleportationDisabledFor=\u00a76Teleportation disabled for {0}
teleportationEnabled=\u00a77Teleporte ativado.
teleportationEnabledFor=\u00a76Teleportation enabled for {0}
teleporting=\u00a77Teleportando...
teleportingPortal=\u00a77Teleportando via portal.
tempBanned=Banido temporariamente do servidor por {0}
@ -402,10 +460,13 @@ unmutedPlayer=Jogador {0} desmutado.
unvanished=\u00a7aEsta mais uma vez visivel.
unvanishedReload=\u00a7cA recarga foi forcado a se tornar visivel.
upgradingFilesError=Erro ao aprimorar os arquivos
uptime=\u00a76Uptime:\u00a7c {0}
userAFK=\u00a75{0} \u00a75is currently AFK and may not respond
userDoesNotExist=O usu\u00e1rio {0} nao existe.
userIsAway=[AFK]: {0} esta aus\u00eante.
userIsNotAway=[AFK]: {0} nao esta mais aus\u00eante.
userJailed=\u00a77Voc\u00ea foi preso, muaha!
userUnknown=\u00a74Warning: The user ''\u00a7c{0}\u00a74'' has never joined this server.
userUsedPortal={0} usou um portal de saida existente.
userdataMoveBackError=Falha ao mover userdata/{0}.tmp para userdata/{1}
userdataMoveError=Falha ao mover userdata/{0} para userdata/{1}.tmp
@ -416,6 +477,7 @@ versionMismatchAll=Versao imcompativel! Atualise todos os essentials jars para m
voiceSilenced=\u00a77Sua voz foi silenciada
walking=walking
warpDeleteError=Problema ao deletar o arquivo warp.
warpList={0}
warpListPermission=\u00a7cVoc\u00ea nao tem permissao para listar os warps.
warpNotExist=Este warp nao existe.
warpOverwrite=\u00a7cVoce nao pode substituir essa warp.
@ -451,61 +513,3 @@ year=ano
years=anos
youAreHealed=\u00a77Voc\u00ea foi curado.
youHaveNewMail=\u00a7cVoc\u00ea tem {0} mensagens!\u00a7f Digite \u00a77/mail read\u00a7f para ver seu email.
posX=\u00a76X: {0} (+East <-> -West)
posY=\u00a76Y: {0} (+Up <-> -Down)
posZ=\u00a76Z: {0} (+South <-> -North)
posYaw=\u00a76Yaw: {0} (Rotation)
posPitch=\u00a76Pitch: {0} (Head angle)
distance=\u00a76Distance: {0}
giveSpawn=\u00a76Giving\u00a7c {0} \u00a76of\u00a7c {1} to\u00a7c {2}\u00a76.
warpList={0}
uptime=\u00a76Uptime:\u00a7c {0}
antiBuildCraft=\u00a74You are not permitted to create\u00a7c {0}\u00a74.
antiBuildDrop=\u00a74You are not permitted to drop\u00a7c {0}\u00a74.
gcWorld=\u00a76{0} "\u00a7c{1}\u00a76": \u00a7c{2}\u00a76 chunks, \u00a7c{3}\u00a76 entities
invalidHomeName=\u00a74Invalid home name
invalidWarpName=\u00a74Invalid warp name
userUnknown=\u00a74Warning: The user ''\u00a7c{0}\u00a74'' has never joined this server.
teleportationEnabledFor=\u00a76Teleportation enabled for {0}
teleportationDisabledFor=\u00a76Teleportation disabled for {0}
kitOnce=\u00a74You can't use that kit again.
fullStack=\u00a74You already have a full stack
oversizedTempban=\u00a74You may not ban a player for this period of time.
recipeNone=No recipes exist for {0}
invalidNumber=Invalid Number
recipeBadIndex=There is no recipe by that number
recipeNothing=nothing
recipe=\u00a76Recipe for \u00a7c{0}\u00a76 ({1} of {2})
recipeFurnace=\u00a76Smelt \u00a7c{0}
recipeGrid=\u00a7{0}X \u00a76| \u00a7{1}X \u00a76| \u00a7{2}X
recipeGridItem=\ \u00a7{0}X \u00a76is \u00a7c{1}
recipeMore=\u00a76Type /{0} \u00a7c{1}\u00a76 <number> to see other recipes for \u00a7c{2}
recipeWhere=\u00a76Where: {0}
recipeShapeless=\u00a76Combine \u00a7c{0}
editBookContents=\u00a7eYou may now edit the contents of this book
bookAuthorSet=\u00a76Author of the book set to {0}
bookTitleSet=\u00a76Title of the book set to {0}
denyChangeAuthor=\u00a74You cannot change the author of this book
denyChangeTitle=\u00a74You cannot change the title of this book
denyBookEdit=\u00a74You cannot unlock this book
bookLocked=\u00a7cThis book is now locked
holdBook=\u00a74You are not holding a writable book
fireworkColor=\u00a74You must apply a color to the firework to add an effect
holdFirework=\u00a74You must be holding a firework to add effects
invalidFireworkFormat=\u00a76The option \u00a74{0} \u00a76is not a valid value for \u00a74{1}
muteNotify=\u00a74{0} \u00a76has muted \u00a74{1}
resetBal=\u00a76Balance has been reset to \u00a7a{0} \u00a76 for all online players
resetBalAll=\u00a76Balance has been reset to \u00a7a{0} \u00a76 for all players
messageTruncated=\u00a74Message truncated, to see the full output type:\u00a7c /{0} {1}
userAFK=\u00a75{0} \u00a75is currently AFK and may not respond
fireworkEffectsCleared=\u00a76Removed all effects from held stack.
fireworkSyntax=\u00a76Firework parameters:\u00a7c color:<color> [fade:<color>] [shape:<shape>] [effect:<effect>]\n\u00a76To use multiple colors/effects, seperate values with commas: \u00a7cred,blue,pink\n\u00a76Shapes:\u00a7c star, ball, large, creeper, burst \u00a76Effects:\u00a7c trail, twinkle
bed=\u00a7obed\u00a7r
bedNull=\u00a7mbed\u00a7r
bedMissing=\u00a74Your bed is either unset, missing or blocked.
bedSet=\u00a76Bed spawn set!
kitGiveTo=\u00a76Giving kit\u00a7c {0}\u00a76 to {1}\u00a7.
kitReceive=\u00a76Received kit\u00a7c {0}\u00a76.
noMatchingPlayers=\u00a76No matching players found.
matchingIPAddress=\u00a76The following players previously logged in from that IP address:
runningPlayerMatch=\u00a76Running search for players matching ''\u00a7c{0}\u00a76'' (this could take a little while)

View File

@ -11,6 +11,8 @@ alertFormat=\u00a73[{0}] \u00a7f {1} \u00a76 {2} at: {3}
alertPlaced=placerade:
alertUsed=anv\u00e4nde:
antiBuildBreak=\u00a74Du har inte till\u00e5telse att ta s\u00f6nder {0} blocks h\u00e4r.
antiBuildCraft=\u00a74Du har inte till\u00e5telse att skapa\u00a7c {0}\u00a74.
antiBuildDrop=\u00a74Du har inte till\u00e5telse att kasta ut\u00a7c {0}\u00a74.
antiBuildInteract=\u00a74Du har inte till\u00e5telse att p\u00e5verka {0}.
antiBuildPlace=\u00a74Du har inte till\u00e5telse att placera {0} h\u00e4r.
antiBuildUse=\u00a74Du har inte till\u00e5telse att anv\u00e4nda {0}.
@ -24,10 +26,16 @@ balance=\u00a77Balans: {0}
balanceTop=\u00a77Topp balans ({0})
banExempt=\u00a7cDu kan inte banna den spelaren.
banFormat=Banned: {0}
playerBanIpAddress=\u00a76Player\u00a7c {0} \u00a76banned IP address {1} \u00a76.
bed=\u00a7obed\u00a7r
bedMissing=\u00a74Your bed is either unset, missing or blocked.
bedNull=\u00a7mbed\u00a7r
bedSet=\u00a76Bed spawn set!
bigTreeFailure=\u00a7cEtt stort tr\u00e4d kunde inte genereras misslyckades. F\u00f6s\u00f6k igen p\u00e5 gr\u00e4s eller jord.
bigTreeSuccess= \u00a77Stort tr\u00e4d genererat.
blockList=Essentials vidarebefordrade f\u00f6ljande kommandon till ett annat insticksprogram:
bookAuthorSet=\u00a76F\u00c3\u00b6rfattaren av boken \u00c3\u00a4r nu{0}
bookLocked=\u00a7cDenna bok \u00c3\u00a4r nu l\u00c3\u00a5st
bookTitleSet=\u00a76Titeln av boken har blivit \u00c3\u00a4ndrad till {0}
broadcast=[\u00a7cUts\u00e4ndning\u00a7f]\u00a7a {0}
buildAlert=\u00a7cDu har inte till\u00e5telse att bygga
bukkitFormatChanged=Bukkit versionsformat bytt. Version \u00e4r inte kollad.
@ -65,6 +73,9 @@ deleteHome=\u00a77Hemmet {0} har tagits bort.
deleteJail=\u00a77F\u00e4ngelset {0} har tagits bort.
deleteWarp=\u00a77Warpen {0} har tagits bort.
deniedAccessCommand={0} nekades \u00e5tkomst till kommandot.
denyBookEdit=\u00a74Du kan inte l\u00c3\u00a5sa upp denna boken
denyChangeAuthor=\u00a74Du kan inte byta f\u00c3\u00b6rfattare p\u00c3\u00a5 denna bok
denyChangeTitle=\u00a74Du kan inte byta titel p\u00c3\u00a5 denna bok
dependancyDownloaded=[Essentials] Beroende {0} laddades ner framg\u00e5ngsrikt.
dependancyException=[Essentials] Ett fel uppstod n\u00e4r ett beroende laddades ner.
dependancyNotFound=[Essentials] Ett n\u00f6dv\u00e4ndigt beroende hittades inte, laddar ner nu.
@ -75,10 +86,12 @@ destinationNotSet=Ingen destination \u00e4r inst\u00e4lld.
disableUnlimited=\u00a77Inaktiverade o\u00e4ndligt placerande av {0} f\u00f6r {1}.
disabled=inaktiverad
disabledToSpawnMob=Att spawna fram den h\u00e4r moben \u00e4r inaktiverat i configurationsfilen.
distance=\u00a76Avst\u00e5nd: {0}
dontMoveMessage=\u00a77Teleporteringen p\u00e5b\u00f6rjas om {0}. R\u00f6r dig inte.
downloadingGeoIp=Laddar ner GeoIP-databasen... det h\u00e4r kan ta en stund (land: 0.6 MB, stad: 20MB)
duplicatedUserdata=Dublicerad anv\u00e4ndardata: {0} och {1}
durability=\u00a77Det h\u00e4r verktyget har \u00a7c{0}\u00a77 anv\u00e4ndningar kvar
editBookContents=\u00a7eDu kan nu \u00c3\u00a4ndra inneh\u00c3\u00a5llet i denna bok
enableUnlimited=\u00a77Ger o\u00e4ndligt av {0} till {1}.
enabled=aktiverad
enchantmentApplied = \u00a77F\u00f6rtrollningen {0} har blivit till\u00e4mpad p\u00e5 saken du har i handen.
@ -102,17 +115,23 @@ false=falskt
feed=\u00a77Din hunger \u00e4r m\u00e4ttad.
feedOther=\u00a77Matade {0}.
fileRenameError=Namnbytet av filen {0} misslyckades
fireworkColor=\u00a74Du m\u00c3\u00a5ste l\u00c3\u00a4gga till en f\u00c3\u00a4rg till fyrverkeripj\u00c3\u00a4sen f\u00c3\u00b6r att l\u00c3\u00a4gga till en effekt
fireworkEffectsCleared=\u00a76Removed all effects from held stack.
fireworkSyntax=\u00a76Firework parameters:\u00a7c color:<color> [fade:<color>] [shape:<shape>] [effect:<effect>]\n\u00a76To use multiple colors/effects, seperate values with commas: \u00a7cred,blue,pink\n\u00a76Shapes:\u00a7c star, ball, large, creeper, burst \u00a76Effects:\u00a7c trail, twinkle
flyMode=\u00a77Aktiverade flygl\u00e4ge {0} f\u00f6r {1}.
flying=flying
foreverAlone=\u00a7cDu har ingen att svara.
freedMemory=Befriade {0} MB.
fullStack=\u00a74Du har redan en full stapel
gameMode=\u00a77Satte {0}s spell\u00e4ge till {1}.
gcWorld=\u00a76{0} "\u00a7c{1}\u00a76": \u00a7c{2}\u00a76 bitar, \u00a7c{3}\u00a76 enheter
gcfree=Ledigt minne: {0} MB
gcmax=Maximalt minne: {0} MB
gctotal=Tilldelat minne: {0} MB
geoIpUrlEmpty=Nerladdningsadressen f\u00f6r GeoIP \u00e4r tom.
geoIpUrlInvalid=Nerladdningsadressen f\u00f6r GeoIP \u00e4r ogiltig.
geoipJoinFormat=\u00a76Spelaren \u00a7c{0} \u00a76kommer fr\u00e5n \u00a7c{1}\u00a76.
giveSpawn=\u00a76Ger\u00a7c {0} \u00a76av\u00a7c {1} till\u00a7c {2}\u00a76.
godDisabledFor=inaktiverat f\u00f6r {0}
godEnabledFor=aktiverat f\u00f6r {0}
godMode=\u00a77Od\u00f6dlighet {0}.
@ -132,6 +151,9 @@ helpMatching=\u00a77Kommandon matchar "{0}":
helpOp=\u00a7c[OpHj\u00e4lp]\u00a7f \u00a77{0}:\u00a7f {1}
helpPages=Sida \u00a7c{0}\u00a7f av \u00a7c{1}\u00a7f:
helpPlugin=\u00a74{0}\u00a7f: Hj\u00e4lp f\u00f6r insticksprogram: /help {1}
holdBook=\u00a74Boken du h\u00c3\u00a5ller i \u00c3\u00a4r inte skrivbar
holdFirework=\u00a74Du m\u00c3\u00a5ste h\u00c3\u00a5lla i en fyrverkeripj\u00c3\u00a4s f\u00c3\u00b6r att l\u00c3\u00a4gga till effekter
holdPotion=\u00a74You must be holding a potion to apply effects to it
holeInFloor=H\u00e5l i golvet
homeSet=\u00a77Hem inst\u00e4llt.
homeSetToBed=\u00a77Ditt hem \u00e4r nu inst\u00e4llt till den h\u00e4r s\u00e4ngen.
@ -150,14 +172,20 @@ invRestored=Ditt f\u00f6rr\u00e5d har blivit \u00e5terst\u00e4llt.
invSee=Du ser nu {0}s f\u00f6rr\u00e5d.
invSeeHelp=Anv\u00e4nd /invsee f\u00f6r att \u00e5terst\u00e4lla ditt f\u00f6rr\u00e5d.
invalidCharge=\u00a7cOgiltig laddning.
invalidFireworkFormat=\u00a76Alternativet \u00a74{0} \u00a76is \u00c3\u00a4r inte ett korrekt alternativ f\u00c3\u00b6r \u00a74{1}
invalidHome=Hemmet {0} finns inte
invalidHomeName=\u00a74Ogiltigt hemnamn
invalidMob=Ogiltig monstertyp.
invalidNumber=Felaktigt nummer
invalidPotion=\u00a74Invalid Potion
invalidPotionEffect=\u00a74You do not have permissions to apply potion effect \u00a7c{0} \u00a74to this potion
invalidServer=Ogiltig server!
invalidSignLine=Rad {0} p\u00e5 skylten \u00e4r ogiltig.
invalidWarpName=\u00a74Ogiltigt warpnamn
invalidWorld=\u00a7cOgiltig v\u00e4rld.
inventoryCleared=\u00a77F\u00f6rr\u00e5d rensat.
inventoryClearedOthers=\u00a77F\u00f6rr\u00e5det av \u00a7c{0}\u00a77 \u00e4r rensat.
inventoryClearedAll=\u00a76Cleared everyone's inventory.
inventoryClearedOthers=\u00a77F\u00f6rr\u00e5det av \u00a7c{0}\u00a77 \u00e4r rensat.
is=\u00e4r
itemCannotBeSold=Det objektet kan inte s\u00e4ljas till servern.
itemMustBeStacked=Objektet m\u00e5ste k\u00f6pas i staplar. En m\u00e4ngd av 2s kommer bli 2 staplar, etc.
@ -187,7 +215,10 @@ kitError2=\u00a7cDet kit:et finns inte eller har blivit felaktigt definierat.
kitError=\u00a7cDet finns inga giltiga kit.
kitErrorHelp=\u00a7cKanske en sak fattar m\u00e4ngd i konfigurationen?
kitGive=\u00a77Ger kit {0}.
kitGiveTo=\u00a76Giving kit\u00a7c {0}\u00a76 to {1}\u00a7.
kitInvFull=\u00a7cDitt F\u00f6rr\u00e5d var fullt, placerar kit p\u00e5 golvet
kitOnce=\u00a74Du kan inte av\u00e4nda det kitet igen.
kitReceive=\u00a76Received kit\u00a7c {0}\u00a76.
kitTimed=\u00a7cDu kan inte anv\u00e4nda det kit:et igen p\u00e5 {0}.
kits=\u00a77Kit: {0}
lightningSmited=\u00a77Blixten har slagit ner p\u00e5 dig
@ -205,9 +236,11 @@ mailSent=\u00a77Meddelandet skickad!
markMailAsRead=\u00a7cF\u00f6r att markera dina meddelanden som l\u00e4sta, skriv /mail clear
markedAsAway=\u00a77Du \u00e4r nu markerad som borta.
markedAsNotAway=\u00a77Du \u00e4r inte l\u00e4ngre markerad som borta.
matchingIPAddress=\u00a76The following players previously logged in from that IP address:
maxHomes=Du kan inte ha fler \u00e4n {0} hem.
mayNotJail=\u00a7cDu f\u00e5r inte s\u00e4tta den personen i f\u00e4ngelse
me=jag
messageTruncated=\u00a74Meddelandet har blivit f\u00c3\u00b6rkortat, f\u00c3\u00b6r att se allt, skriv:\u00a7c /{0} {1}
minute=minut
minutes=minuter
missingItems=Du har inte {0}x {1}.
@ -225,6 +258,7 @@ moreThanZero=M\u00e5ngden m\u00e5ste vara st\u00f6rre \u00e4n 0.
moveSpeed=\u00a77Satte {0}fart till {1} f\u00f6r {2}.
msgFormat=\u00a77[{0}\u00a77 -> {1}\u00a77] \u00a7f{2}
muteExempt=\u00a7cDu kan inte tysta den spelaren.
muteNotify=\u00a74{0} \u00a76har tystat \u00a74{1}
mutedPlayer=Spelaren {0} \u00e4r tystad.
mutedPlayerFor=Spelaren {0} \u00e4r tystad i {1}.
mutedUserSpeaks={0} f\u00f6rs\u00f6kte att prata, men blev tystad.
@ -249,6 +283,7 @@ noHomeSetPlayer=Den h\u00e4r spelaren har inte ett hem.
noKitPermission=\u00a7cDu beh\u00f6ver \u00a7c{0}\u00a7c tillst\u00e5nd f\u00f6r att anv\u00e4nda det kitet.
noKits=\u00a77Det finns inga kits tillg\u00e4ngliga \u00e4n
noMail=Du har inget meddelande
noMatchingPlayers=\u00a76No matching players found.
noMotd=\u00a7cDet finns inget meddelande f\u00f6r dagen.
noNewMail=\u00a77Du har inget nytt meddelande.
noPendingRequest=Du har inga v\u00e4ntande f\u00f6rfr\u00e5gan.
@ -274,6 +309,7 @@ onlyDayNight=/time st\u00f6der bara day(dag) eller night(natt).
onlyPlayers=Bara spelare som \u00e4r online kan anv\u00e4nda {0}.
onlySunStorm=/weather st\u00f6der bara sun(sol) eller storm(storm).
orderBalances=Best\u00e4ller balanser av {0} anv\u00e4ndare, v\u00e4nligen v\u00e4nta...
oversizedTempban=\u00a74Du kan inte banna en spelare just vid denna tidpunkt.
pTimeCurrent=\u00a7e{0}'*s\u00a7f klockan \u00e4r {1}.
pTimeCurrentFixed=\u00a7e{0}''s\u00a7f tiden \u00e4r fixerad till {1}.
pTimeNormal=\u00a7e{0}''s\u00a7f tiden \u00e4r normal och matchar servern.
@ -285,6 +321,7 @@ pTimeSetFixed=Spelarens tid \u00e4r fixerad till \u00a73{0}\u00a7f f\u00f6r: \u0
parseError=Fel vid tolkning av {0} p\u00e5 rad {1}
pendingTeleportCancelled=\u00a7cAvvaktande teleporteringsbeg\u00e4ran \u00e4r avbruten.
permissionsError=Saknar Permissions/GroupManager; chattens prefixer/suffixer kommer vara inaktiverade.
playerBanIpAddress=\u00a76Player\u00a7c {0} \u00a76banned IP address {1} \u00a76.
playerBanned=\u00a7cSpelaren {0} bannad {1} f\u00f6r {2}
playerInJail=\u00a7cSpelaren \u00e4r redan i f\u00e4ngelse {0}.
playerJailed=\u00a77Spelaren {0} f\u00e4ngslad.
@ -296,7 +333,13 @@ playerNeverOnServer=\u00a7cSpelaren {0} har aldrig varit p\u00e5 den h\u00e4r se
playerNotFound=\u00a7cSpelaren hittades inte.
playerUnmuted=\u00a77Du kan nu prata
pong=Pong!
posPitch=\u00a76Pitch: {0} (Huvudvinkel)
posX=\u00a76X: {0} (+\u00d6ster <-> -V\u00e4st)
posY=\u00a76Y: {0} (+Upp <-> -Ner)
posYaw=\u00a76Girning: {0} (Rotation)
posZ=\u00a76Z: {0} (+Syd <-> -Nort)
possibleWorlds=\u00a77M\u00f6jliga v\u00e4rdar \u00e4r nummer mellan 0 och {0}.
potions=\u00a76Potions:\u00a7r {0}
powerToolAir=Kommandot kan inte tilldelas luft.
powerToolAlreadySet=Kommandot \u00a7c{0}\u00a7f \u00e4r redan tilldelat {1}.
powerToolAttach=\u00a7c{0}\u00a7f kommandot tilldelat {1}.
@ -311,6 +354,16 @@ powerToolsEnabled=Alla dina powertools har blivit aktiverade.
protectionOwner=\u00a76[EssentialsProtect] Skydds\u00e4gare: {0}
questionFormat=\u00a77[Fr\u00e5ga]\u00a7f {0}
readNextPage=Skriv /{0} {1} f\u00f6r att l\u00e4sa n\u00e4sta sida
recipe=\u00a76Recept f\u00c3\u00b6r \u00a7c{0}\u00a76 ({1} av {2})
recipeBadIndex=Det finns inget recept med det numret
recipeFurnace=\u00a76Sm\u00c3\u00a4lt \u00a7c{0}
recipeGrid=\u00a7{0}X \u00a76| \u00a7{1}X \u00a76| \u00a7{2}X
recipeGridItem=\ \u00a7{0}X \u00a76\u00c3\u00a4r \u00a7c{1}
recipeMore=\u00a76Skriv /{0} \u00a7c{1}\u00a76 <nummer> f\u00c3\u00b6r att se andra recept f\u00c3\u00b6r \u00a7c{2}
recipeNone=Inga recept existerar f\u00c3\u00b6r {0}
recipeNothing=ingenting
recipeShapeless=\u00a76Kombinera \u00a7c{0}
recipeWhere=\u00a76Var: {0}
reloadAllPlugins=\u00a77Laddade om alla insticksprogram.
removed=\u00a77Tog bort {0} enheter.
repair=Du har reparerat din: \u00a7e{0}.
@ -325,7 +378,10 @@ requestDeniedFrom=\u00a77{0} nekade din teleportations-f\u00f6rfr\u00e5gan.
requestSent=\u00a77F\u00f6rfr\u00e5gan skickad till {0}\u00a77.
requestTimedOut=\u00a7cTeleportations-f\u00f6rfr\u00e5gan har g\u00e5tt ut
requiredBukkit= * ! * Du beh\u00f6ver minst bygge {0} av CraftBukkit, ladda ner den fr\u00e5n http://dl.bukkit.org/downloads/craftbukkit/
resetBal=\u00a76Balansen har blivit \u00c3\u00a5terst\u00c3\u00a4lld till \u00a7a{0} \u00a76 f\u00c3\u00b6r alla spelare som \u00c3\u00a4r online
resetBalAll=\u00a76Balansen har blivit \u00c3\u00a5terst\u00c3\u00a4lld till \u00a7a{0} \u00a76 f\u00c3\u00b6r alla spelare
returnPlayerToJailError=Ett fel uppstod n\u00e4r spelaren {0} skulle \u00e5terv\u00e4nda till f\u00e4ngelset: {1}
runningPlayerMatch=\u00a76Running search for players matching ''\u00a7c{0}\u00a76'' (this could take a little while)
second=sekund
seconds=sekunder
seenOffline=Spelaren {0} \u00e4r offline sedan {1}
@ -362,7 +418,9 @@ teleportRequestTimeoutInfo=\u00a77Den h\u00e4r beg\u00e4ran kommer att g\u00e5 u
teleportTop=\u00a77Teleporterar till toppen.
teleportationCommencing=\u00a77Teleporteringen p\u00e5b\u00f6rjas...
teleportationDisabled=\u00a77Teleportering inaktiverat.
teleportationDisabledFor=\u00a76Teleportering inaktiverat f\u00f6r {0}
teleportationEnabled=\u00a77Teleportering aktiverat.
teleportationEnabledFor=\u00a76TTeleportering aktiverat f\u00f6r {0}
teleporting=\u00a77Teleporterar...
teleportingPortal=\u00a77Teleporterar via portal.
tempBanned=Tempor\u00e4rt bannad fr\u00e5n servern f\u00f6r {0}
@ -402,10 +460,13 @@ unmutedPlayer=Spelaren {0} \u00e4r inte bannlyst l\u00e4ngre.
unvanished=\u00a7aDu \u00e4r synlig igen.
unvanishedReload=\u00a7cEn omladdning har tvingat dig att bli synlig.
upgradingFilesError=Fel vid uppgradering av filerna
uptime=\u00a76Upptid:\u00a7c {0}
userAFK=\u00a75{0} \u00a75\u00c3\u00a4r f\u00c3\u00b6r n\u00c3\u00a4rvarande borta och svarar kanske inte
userDoesNotExist=Anv\u00e4ndaren {0} existerar inte.
userIsAway={0} \u00e4r nu AFK
userIsNotAway={0} \u00e4r inte l\u00e4ngre AFK
userJailed=\u00a77Du har blivit f\u00e4ngslad
userUnknown=\u00a74Varning: Anv\u00e4ndaren ''\u00a7c{0}\u00a74'' har aldrig varit inne p\u00e5 denna server tidigare.
userUsedPortal={0} anv\u00e4nde en existerande utg\u00e5ngsportal.
userdataMoveBackError=Kunde inte flytta userdata/{0}.tmp till userdata/{1}
userdataMoveError=Kunde inte flytta userdata/{0} till userdata/{1}.tmp
@ -416,6 +477,7 @@ versionMismatchAll=Versionerna matchar inte! V\u00e4nligen uppgradera alla Essen
voiceSilenced=\u00a77Din r\u00f6st har tystats
walking=g\u00e5r
warpDeleteError=Problem med att ta bort warp-filen.
warpList={0}
warpListPermission=\u00a7cDu har inte tillst\u00e5nd att lista warparna.
warpNotExist=Den warpen finns inte.
warpOverwrite=\u00a7cDu kan inte skriva \u00f6ver den warpen.
@ -451,61 +513,3 @@ year=\u00e5r
years=\u00e5r
youAreHealed=\u00a77Du har blivit l\u00e4kt.
youHaveNewMail=\u00a7cDu har {0} meddelanden!\u00a7f Skriv \u00a77/mail read\u00a7f f\u00f6r att l\u00e4sa dina meddelanden.
posX=\u00a76X: {0} (+\u00d6ster <-> -V\u00e4st)
posY=\u00a76Y: {0} (+Upp <-> -Ner)
posZ=\u00a76Z: {0} (+Syd <-> -Nort)
posYaw=\u00a76Girning: {0} (Rotation)
posPitch=\u00a76Pitch: {0} (Huvudvinkel)
distance=\u00a76Avst\u00e5nd: {0}
giveSpawn=\u00a76Ger\u00a7c {0} \u00a76av\u00a7c {1} till\u00a7c {2}\u00a76.
warpList={0}
uptime=\u00a76Upptid:\u00a7c {0}
antiBuildCraft=\u00a74Du har inte till\u00e5telse att skapa\u00a7c {0}\u00a74.
antiBuildDrop=\u00a74Du har inte till\u00e5telse att kasta ut\u00a7c {0}\u00a74.
gcWorld=\u00a76{0} "\u00a7c{1}\u00a76": \u00a7c{2}\u00a76 bitar, \u00a7c{3}\u00a76 enheter
invalidHomeName=\u00a74Ogiltigt hemnamn
invalidWarpName=\u00a74Ogiltigt warpnamn
userUnknown=\u00a74Varning: Anv\u00e4ndaren ''\u00a7c{0}\u00a74'' har aldrig varit inne p\u00e5 denna server tidigare.
teleportationEnabledFor=\u00a76TTeleportering aktiverat f\u00f6r {0}
teleportationDisabledFor=\u00a76Teleportering inaktiverat f\u00f6r {0}
kitOnce=\u00a74Du kan inte av\u00e4nda det kitet igen.
fullStack=\u00a74Du har redan en full stapel
oversizedTempban=\u00a74Du kan inte banna en spelare just vid denna tidpunkt.
recipeNone=Inga recept existerar f\u00c3\u00b6r {0}
invalidNumber=Felaktigt nummer
recipeBadIndex=Det finns inget recept med det numret
recipeNothing=ingenting
recipe=\u00a76Recept f\u00c3\u00b6r \u00a7c{0}\u00a76 ({1} av {2})
recipeFurnace=\u00a76Sm\u00c3\u00a4lt \u00a7c{0}
recipeGrid=\u00a7{0}X \u00a76| \u00a7{1}X \u00a76| \u00a7{2}X
recipeGridItem=\ \u00a7{0}X \u00a76\u00c3\u00a4r \u00a7c{1}
recipeMore=\u00a76Skriv /{0} \u00a7c{1}\u00a76 <nummer> f\u00c3\u00b6r att se andra recept f\u00c3\u00b6r \u00a7c{2}
recipeWhere=\u00a76Var: {0}
recipeShapeless=\u00a76Kombinera \u00a7c{0}
editBookContents=\u00a7eDu kan nu \u00c3\u00a4ndra inneh\u00c3\u00a5llet i denna bok
bookAuthorSet=\u00a76F\u00c3\u00b6rfattaren av boken \u00c3\u00a4r nu{0}
bookTitleSet=\u00a76Titeln av boken har blivit \u00c3\u00a4ndrad till {0}
denyChangeAuthor=\u00a74Du kan inte byta f\u00c3\u00b6rfattare p\u00c3\u00a5 denna bok
denyChangeTitle=\u00a74Du kan inte byta titel p\u00c3\u00a5 denna bok
denyBookEdit=\u00a74Du kan inte l\u00c3\u00a5sa upp denna boken
bookLocked=\u00a7cDenna bok \u00c3\u00a4r nu l\u00c3\u00a5st
holdBook=\u00a74Boken du h\u00c3\u00a5ller i \u00c3\u00a4r inte skrivbar
fireworkColor=\u00a74Du m\u00c3\u00a5ste l\u00c3\u00a4gga till en f\u00c3\u00a4rg till fyrverkeripj\u00c3\u00a4sen f\u00c3\u00b6r att l\u00c3\u00a4gga till en effekt
holdFirework=\u00a74Du m\u00c3\u00a5ste h\u00c3\u00a5lla i en fyrverkeripj\u00c3\u00a4s f\u00c3\u00b6r att l\u00c3\u00a4gga till effekter
invalidFireworkFormat=\u00a76Alternativet \u00a74{0} \u00a76is \u00c3\u00a4r inte ett korrekt alternativ f\u00c3\u00b6r \u00a74{1}
muteNotify=\u00a74{0} \u00a76har tystat \u00a74{1}
resetBal=\u00a76Balansen har blivit \u00c3\u00a5terst\u00c3\u00a4lld till \u00a7a{0} \u00a76 f\u00c3\u00b6r alla spelare som \u00c3\u00a4r online
resetBalAll=\u00a76Balansen har blivit \u00c3\u00a5terst\u00c3\u00a4lld till \u00a7a{0} \u00a76 f\u00c3\u00b6r alla spelare
messageTruncated=\u00a74Meddelandet har blivit f\u00c3\u00b6rkortat, f\u00c3\u00b6r att se allt, skriv:\u00a7c /{0} {1}
userAFK=\u00a75{0} \u00a75\u00c3\u00a4r f\u00c3\u00b6r n\u00c3\u00a4rvarande borta och svarar kanske inte
fireworkEffectsCleared=\u00a76Removed all effects from held stack.
fireworkSyntax=\u00a76Firework parameters:\u00a7c color:<color> [fade:<color>] [shape:<shape>] [effect:<effect>]\n\u00a76To use multiple colors/effects, seperate values with commas: \u00a7cred,blue,pink\n\u00a76Shapes:\u00a7c star, ball, large, creeper, burst \u00a76Effects:\u00a7c trail, twinkle
bed=\u00a7obed\u00a7r
bedNull=\u00a7mbed\u00a7r
bedMissing=\u00a74Your bed is either unset, missing or blocked.
bedSet=\u00a76Bed spawn set!
kitGiveTo=\u00a76Giving kit\u00a7c {0}\u00a76 to {1}\u00a7.
kitReceive=\u00a76Received kit\u00a7c {0}\u00a76.
noMatchingPlayers=\u00a76No matching players found.
matchingIPAddress=\u00a76The following players previously logged in from that IP address:
runningPlayerMatch=\u00a76Running search for players matching ''\u00a7c{0}\u00a76'' (this could take a little while)

View File

@ -266,6 +266,10 @@ commands:
description: Pong!
usage: /<command>
aliases: [echo,eecho,eping,pong,epong]
potion:
description: Adds custom potion effects to a potion.
usage: /<command> <clear|apply|effect:<effect> power:<power> duration:<duration>>
aliases: [epotion,elixer,eelixer]
powertool:
description: Assigns a command to the item in hand.
usage: /<command> [l:|a:|r:|c:|d:][command] [arguments] - {player} can be replaced by name of a clicked player.