From b6c60c500e456545e9d59e5cb79e87dd97a08c40 Mon Sep 17 00:00:00 2001 From: JFronny <33260128+jfronny@users.noreply.github.com> Date: Mon, 22 Feb 2021 08:55:23 +0100 Subject: [PATCH] Scrape google translate, allows this to work once again --- .gitlab-ci.yml | 16 +- build.gradle | 68 +- gradle.properties | 10 +- .../io/gitlab/jfronny/translater/Cfg.java | 2 - .../gitlab/jfronny/translater/Translater.java | 6 +- .../transformer/CachingTransformer.java | 9 +- .../translater/translation/GoogleService.java | 97 + .../translation/WurstGoogleBackend.java | 34 + .../translation/YandexTranslationBackend.java | 48 - src/main/resources/fabric.mod.json | 2 +- src/main/resources/namecache.ini | 26065 +++++++++------- src/main/resources/namecache.ini.vanilla | 4900 --- 12 files changed, 15089 insertions(+), 16168 deletions(-) create mode 100644 src/main/java/io/gitlab/jfronny/translater/translation/GoogleService.java create mode 100644 src/main/java/io/gitlab/jfronny/translater/translation/WurstGoogleBackend.java delete mode 100644 src/main/java/io/gitlab/jfronny/translater/translation/YandexTranslationBackend.java delete mode 100644 src/main/resources/namecache.ini.vanilla diff --git a/.gitlab-ci.yml b/.gitlab-ci.yml index cf5d82c..efb6d1a 100644 --- a/.gitlab-ci.yml +++ b/.gitlab-ci.yml @@ -6,11 +6,23 @@ variables: before_script: - export GRADLE_USER_HOME=`pwd`/.gradle -deploy: +build_test: stage: deploy - script: gradle --build-cache assemble + script: + - gradle --build-cache assemble + - cp build/libs/* ./ + - rm *-dev.jar + - mv *.jar latest.jar artifacts: paths: - build/libs + - latest.jar only: - master + +deploy: + stage: deploy + when: manual + script: + - gradle --build-cache publishModrinth + - gradle --build-cache curseforge \ No newline at end of file diff --git a/build.gradle b/build.gradle index abfdc94..ca8bf02 100644 --- a/build.gradle +++ b/build.gradle @@ -1,6 +1,8 @@ plugins { id 'fabric-loom' version '0.5.42' id 'maven-publish' + id "com.modrinth.minotaur" version "1.1.0" + id "com.matthewprenger.cursegradle" version "1.4.0" } repositories { @@ -16,6 +18,11 @@ archivesBaseName = project.archives_base_name version = "${project.mod_version}+${project.minecraft_version}" group = project.maven_group +repositories { + maven { url = "https://maven.terraformersmc.com/"; name = "ModMenu" } + maven { url = "https://maven.shedaniel.me/"; name = "Cloth" } +} + dependencies { //to change the versions see the gradle.properties file minecraft "com.mojang:minecraft:${project.minecraft_version}" @@ -30,16 +37,11 @@ dependencies { modCompile "com.github.vbauer:yandex-translate-api:1.4.2" include "com.github.vbauer:yandex-translate-api:1.4.2" - modCompile "me.sargunvohra.mcmods:autoconfig1u:3.3.1" - include "me.sargunvohra.mcmods:autoconfig1u:3.3.1" - modApi ("me.shedaniel.cloth:config-2:5.0.0") { - transitive = false - } - include ("me.shedaniel.cloth:config-2:5.0.0") { - transitive = false - } + modCompile "me.sargunvohra.mcmods:autoconfig1u:3.2.0-unstable" + include "me.sargunvohra.mcmods:autoconfig1u:3.2.0-unstable" + include modApi ("me.shedaniel.cloth:cloth-config-fabric:4.11.14") - modCompile("io.github.prospector:modmenu:1.15.0+build.1") + modCompile("com.terraformersmc:modmenu:1.16.7") } processResources { @@ -74,23 +76,37 @@ jar { from "LICENSE" } -// configure the maven publication -publishing { - publications { - mavenJava(MavenPublication) { - // add all the jars that should be included when publishing to maven - artifact(remapJar) { - builtBy remapJar - } - artifact(sourcesJar) { - builtBy remapSourcesJar - } - } - } +import com.modrinth.minotaur.TaskModrinthUpload - // select the repositories you want to publish to - repositories { - // uncomment to publish to the local maven - // mavenLocal() +task publishModrinth (type: TaskModrinthUpload){ + token = System.getenv("MODRINTH_API_TOKEN") + projectId = 'YnU8kpyc' + versionNumber = "${project.mod_version}" + uploadFile = remapJar + addGameVersion("${project.minecraft_version}") + addLoader('fabric') + versionName = "[${project.minecraft_version}] ${project.mod_version}" + afterEvaluate { + tasks.publishModrinth.dependsOn(remapJar) + tasks.publishModrinth.dependsOn(sourcesJar) } } + +curseforge { + apiKey = System.getenv("CURSEFORGE_API_TOKEN") == null ? "###" : System.getenv("CURSEFORGE_API_TOKEN") + project { + id = "394823" + releaseType = 'release' + addGameVersion "Fabric" + addGameVersion "${project.minecraft_version}" + changelog = "" + mainArtifact(file("${project.buildDir}/libs/${archivesBaseName}-${version}.jar")) + mainArtifact.displayName = "[${project.minecraft_version}] ${project.mod_version}" + afterEvaluate { + uploadTask.dependsOn(remapJar) + } + } + options { + forgeGradleIntegration = false + } +} \ No newline at end of file diff --git a/gradle.properties b/gradle.properties index c90a85b..c4ff7e7 100644 --- a/gradle.properties +++ b/gradle.properties @@ -2,13 +2,13 @@ org.gradle.jvmargs=-Xmx1G # Fabric Properties # check these on https://modmuss50.me/fabric.html -minecraft_version=1.16.2 -yarn_mappings=1.16.2+build.21 -loader_version=0.9.2+build.206 +minecraft_version=1.16.5 +yarn_mappings=1.16.5+build.4 +loader_version=0.11.1 # Mod Properties -mod_version=1.0.4 +mod_version=1.1.0 maven_group=io.gitlab.jfronny archives_base_name=translater # Dependencies # check this on https://modmuss50.me/fabric.html -fabric_version=0.19.0+build.398-1.16 +fabric_version=0.30.3+1.16 diff --git a/src/main/java/io/gitlab/jfronny/translater/Cfg.java b/src/main/java/io/gitlab/jfronny/translater/Cfg.java index 393e360..001e620 100644 --- a/src/main/java/io/gitlab/jfronny/translater/Cfg.java +++ b/src/main/java/io/gitlab/jfronny/translater/Cfg.java @@ -11,8 +11,6 @@ public class Cfg implements ConfigData { public int rounds = 5; @Comment("Whether to fully break the texts content by translating from the wrong language (enable for complete breaking)") public boolean breakFully = false; - @Comment("The API key for Yandex Translate (this is REQUIRED for updating the cache, since Yandex doesn't give them out for free anymore you might want to google \"trnsl.1.1.\" to find keys on the web)") - public String key = "trnsl.1.1.20130811T164454Z.2facd8a3323b8111.e9f682063308aff12357de3c8a3260d6d6b71be7"; @Comment("The language to translate to - Leave empty for auto-detection (might break text even more)") public String targetLanguage = "en"; @Comment("Significantly slows down the loading time but gives a visual of the progress. Values: Full, Console, None") diff --git a/src/main/java/io/gitlab/jfronny/translater/Translater.java b/src/main/java/io/gitlab/jfronny/translater/Translater.java index c84c250..7c525ab 100644 --- a/src/main/java/io/gitlab/jfronny/translater/Translater.java +++ b/src/main/java/io/gitlab/jfronny/translater/Translater.java @@ -3,8 +3,7 @@ package io.gitlab.jfronny.translater; import io.gitlab.jfronny.translater.transformer.CachingTransformer; import io.gitlab.jfronny.translater.transformer.TransformingMap; import io.gitlab.jfronny.translater.transformer.TranslatingTransformer; -import io.gitlab.jfronny.translater.translation.EmptyBackend; -import io.gitlab.jfronny.translater.translation.YandexTranslationBackend; +import io.gitlab.jfronny.translater.translation.WurstGoogleBackend; import me.sargunvohra.mcmods.autoconfig1u.AutoConfig; import me.sargunvohra.mcmods.autoconfig1u.serializer.JanksonConfigSerializer; import net.fabricmc.api.ClientModInitializer; @@ -53,7 +52,8 @@ public class Translater implements ClientModInitializer { public static TransformingMap getMap(Map base) { if (map == null) { - map = new TransformingMap(base, new CachingTransformer(new TranslatingTransformer<>(new EmptyBackend()))); + map = new TransformingMap(base, new CachingTransformer(new TranslatingTransformer<>(new WurstGoogleBackend()))); + //map = new TransformingMap(base, new CachingTransformer(new TranslatingTransformer<>(new EmptyBackend()))); //map = new TransformingMap(base, new CachingTransformer(new TranslatingTransformer<>(new YandexTranslationBackend()))); map.init(); } diff --git a/src/main/java/io/gitlab/jfronny/translater/transformer/CachingTransformer.java b/src/main/java/io/gitlab/jfronny/translater/transformer/CachingTransformer.java index 603cc19..05f1970 100644 --- a/src/main/java/io/gitlab/jfronny/translater/transformer/CachingTransformer.java +++ b/src/main/java/io/gitlab/jfronny/translater/transformer/CachingTransformer.java @@ -20,7 +20,12 @@ public class CachingTransformer implements ITransformer { return null; //Transform and cache if not present if (!cache.containsKey(str)) { - cache.put(str, transformer.transform(str)); + String transformed = transformer.transform(str); + if (transformed == null) { + Translater.Warn("Very concerning, got null for non-null key " + str); + return null; + } + cache.put(str, transformed); Save(); } //Return cached result @@ -37,6 +42,7 @@ public class CachingTransformer implements ITransformer { //Load cache if (cacheFile.exists()) { try { + Translater.Log("Loading cache"); FileInputStream inS = new FileInputStream(cacheFile); cache.load(inS); inS.close(); @@ -44,6 +50,7 @@ public class CachingTransformer implements ITransformer { e.printStackTrace(); } } else { + Translater.Log("Initializing default cache"); //Save default cache if parameters are default if (!Translater.cfg.breakFully && Translater.cfg.rounds == 5) { try { diff --git a/src/main/java/io/gitlab/jfronny/translater/translation/GoogleService.java b/src/main/java/io/gitlab/jfronny/translater/translation/GoogleService.java new file mode 100644 index 0000000..1d13fd3 --- /dev/null +++ b/src/main/java/io/gitlab/jfronny/translater/translation/GoogleService.java @@ -0,0 +1,97 @@ +package io.gitlab.jfronny.translater.translation; + +import org.apache.commons.io.FileUtils; +import org.apache.commons.lang3.StringEscapeUtils; + +import java.io.BufferedReader; +import java.io.File; +import java.io.IOException; +import java.io.InputStreamReader; +import java.net.HttpURLConnection; +import java.net.URL; +import java.net.URLEncoder; +import java.nio.charset.StandardCharsets; +import java.util.regex.Matcher; +import java.util.regex.Pattern; + +public class GoogleService { + public enum Language { + + AUTO_DETECT("AUTO_DETECT", "auto"), ARABIC("ARABIC", "ar"), CHINESE_SIMPLIFIED("CHINESE_SIMPLIFIED", "zh-CN"), + CHINESE_TRADITIONAL("CHINESE_TRADITIONAL", "zh-TW"), ENGLISH("ENGLISH", "en"), FILIPINO("FILIPINO", "tl"), + FRENCH("FRENCH", "fr"), GERMAN("GERMAN", "de"), GREEK("GREEK", "el"), INDONESIAN("INDONESIAN", "id"), + IRISH("IRISH", "ga"), ITALIAN("ITALIAN", "it"), JAPANESE("JAPANESE", "ja"), JAVANESE("JAVANESE", "jw"), + KOREAN("KOREAN", "ko"), LATIN("LATIN", "la"), POLISH("POLISH", "pl"), PORTUGUESE("PORTUGUESE", "pt"), + RUSSIAN("RUSSIAN", "ru"), SPANISH("SPANISH", "es"), SWEDISH("SWEDISH", "sv"), THAI("THAI", "th"), + VIETNAMESE("VIETNAMESE", "vi"); + + public final String name; + public final String value; + + private Language(String name, String value) { + this.name = name; + this.value = value; + } + + @Override + public String toString() { + return name; + } + } + + public static String translate(String textToTranslate, String translateFrom, String translateTo) { + String pageSource = ""; + try { + pageSource = getPageSource(textToTranslate, translateFrom, translateTo); + final String regex = "class=\"result-container\">([^<]*)<\\/div>"; + final Pattern pattern = Pattern.compile(regex, Pattern.MULTILINE); + final Matcher matcher = pattern.matcher(pageSource); + matcher.find(); + String match = matcher.group(1); + if (match != null && !match.isEmpty()) { + return match; + } else { + return null; + } + } catch (Exception e) { + try { + FileUtils.writeStringToFile(new File("cum"), pageSource, StandardCharsets.UTF_8); + } catch (IOException ioException) { + ioException.printStackTrace(); + } + e.printStackTrace(); + return null; + } + } + + private static String getPageSource(String textToTranslate, String translateFrom, String translateTo) + throws Exception { + String pageUrl = String.format("https://translate.google.com/m?hl=en&sl=%s&tl=%s&ie=UTF-8&prev=_m&q=%s", + translateFrom, translateTo, URLEncoder.encode(textToTranslate.trim(), "UTF-8")); + URL url = new URL(pageUrl); + HttpURLConnection connection = null; + BufferedReader bufferedReader = null; + StringBuilder pageSource = new StringBuilder(); + try { + connection = (HttpURLConnection) url.openConnection(); + connection.setConnectTimeout(5000); + connection.setRequestProperty("User-Agent", + "Mozilla/5.0 (Windows NT 6.1; WOW64) AppleWebKit/537.11 (KHTML, like Gecko) Chrome/23.0.1271.95 Safari/537.11"); + bufferedReader = new BufferedReader(new InputStreamReader(connection.getInputStream(), "UTF-8")); + String line; + while ((line = bufferedReader.readLine()) != null) { + pageSource.append(line + System.lineSeparator()); + } + String clean = pageSource.toString(); + return clean; + } catch (Exception e) { + e.printStackTrace(); + } finally { + if (connection != null) + connection.disconnect(); + if (bufferedReader != null) + bufferedReader.close(); + } + return null; + } +} diff --git a/src/main/java/io/gitlab/jfronny/translater/translation/WurstGoogleBackend.java b/src/main/java/io/gitlab/jfronny/translater/translation/WurstGoogleBackend.java new file mode 100644 index 0000000..9b469cb --- /dev/null +++ b/src/main/java/io/gitlab/jfronny/translater/translation/WurstGoogleBackend.java @@ -0,0 +1,34 @@ +package io.gitlab.jfronny.translater.translation; + +import java.util.ArrayList; +import java.util.Arrays; +import java.util.Collection; +import java.util.List; + +public class WurstGoogleBackend implements ITranslationBackend { + @java.lang.Override + public String translate(String text, GoogleService.Language target, GoogleService.Language current) { + return GoogleService.translate(text, current.value, target.value); + } + + @java.lang.Override + public GoogleService.Language detect(String text) { + return GoogleService.Language.AUTO_DETECT; + } + + @java.lang.Override + public GoogleService.Language parseLang(String lang) { + for (GoogleService.Language value : GoogleService.Language.values()) { + if (value.value.equals(lang)) + return value; + } + return null; + } + + @java.lang.Override + public Collection getLanguages() { + List langs = new ArrayList<>(Arrays.asList(GoogleService.Language.values())); + langs.remove(GoogleService.Language.AUTO_DETECT); + return langs; + } +} diff --git a/src/main/java/io/gitlab/jfronny/translater/translation/YandexTranslationBackend.java b/src/main/java/io/gitlab/jfronny/translater/translation/YandexTranslationBackend.java deleted file mode 100644 index a63e216..0000000 --- a/src/main/java/io/gitlab/jfronny/translater/translation/YandexTranslationBackend.java +++ /dev/null @@ -1,48 +0,0 @@ -package io.gitlab.jfronny.translater.translation; - -import com.github.vbauer.yta.model.Direction; -import com.github.vbauer.yta.model.Language; -import com.github.vbauer.yta.service.YTranslateApi; -import com.github.vbauer.yta.service.YTranslateApiImpl; -import io.gitlab.jfronny.translater.Translater; - -import java.util.Collection; - -public class YandexTranslationBackend implements ITranslationBackend { - private final YTranslateApi api; - @Override - public String translate(String text, Language target, Language current) { - return api.translationApi().translate(text, Direction.of(current, target)).text(); - } - - @Override - public Language detect(String text) { - Language result = api.detectionApi().detect(text).orElse(Language.EN); - if (Translater.stringInvalid(result.code())) { - Translater.Warn("Could not detect language for: " + text); - Translater.Warn("Defaulting to EN"); - return Language.EN; - } - return result; - } - - @Override - public Language parseLang(String lang) { - return Language.of(lang); - } - - @Override - public Collection getLanguages() { - try { - return api.languageApi().all(Language.EN).languages(); - } catch (Exception e) { - Translater.Warn("Failed to get languages, Is your API key valid?"); - e.printStackTrace(); - return Language.ALL.values(); - } - } - - public YandexTranslationBackend() { - api = new YTranslateApiImpl(Translater.cfg.key); - } -} diff --git a/src/main/resources/fabric.mod.json b/src/main/resources/fabric.mod.json index 4cb7295..34624ea 100644 --- a/src/main/resources/fabric.mod.json +++ b/src/main/resources/fabric.mod.json @@ -28,7 +28,7 @@ "depends": { "fabricloader": ">=0.9.0+build.204", "fabric": "*", - "minecraft": "1.16.2" + "minecraft": "*" }, "custom": { "modupdater": { diff --git a/src/main/resources/namecache.ini b/src/main/resources/namecache.ini index 5c46465..fca4b72 100644 --- a/src/main/resources/namecache.ini +++ b/src/main/resources/namecache.ini @@ -1,11204 +1,14909 @@ #---Lang--- -#Sat Jul 18 18:47:47 CEST 2020 -Oak\ Shelf=Eik Plank -Knockback=Use -Sandwich\ Maker=Sandwich maker -Orange\ Field\ Masoned=Orange In The Country, The Brick, Floor -Barrel\ opens=The barrel is open -Green\ Concrete\ Camo\ Door=In Particular, Green, Camo, Lead -Cyan\ Futurneo\ Block=In Futurneo Block -Pine\ Kitchen\ Counter=\u0421\u043E\u0441\u043D\u043E\u0432\u0430\u044F The Kitchen -Curse\ of\ Vanishing=The Curse Of The Leakage -Electrum\ Nugget=Electrum Nugget -Bauxite\ Dust=Bauxite Powder -Voluntary\ Exile=A Self-Chosen Exile -Diamond\ Spikes=Word Of Advice, Diamond -Controls\ drops\ from\ minecarts\ (including\ inventories),\ item\ frames,\ boats,\ etc.=In order to verify the drops, minecarts (including the shares), item frames, boats, etc -Asteroid\ Iron\ Cluster=Iron And Ironing Board, Pick, Your -Green\ Gradient=Shades Of Green -Dolphin\ swims=The user interface of the dolphin -Coarse\ Dirt=In The Urpes Of The Fang -Acquire\ Tech\ Reborn\ ore=To demonstrate the Technology of iron ore -There\ are\ no\ data\ packs\ enabled=Active data packages -Nametag\ visibility\ for\ team\ %s\ is\ now\ "%s"=In a nod to its name, it must be part of the team %s I don't "%s" -\u00A77\u00A7o"Worn\ by\ the\ best\ mapmakers\ of\ Minecraftia."\u00A7r=\u00A77\u00A7o"It was used by the best designers of maps Minecraftia."\u00A7r -Arrow\ of\ Slow\ Falling=The arrow falls slowly -An\ edible\ version\ of\ the\ Warped\ Fungus,\ obtained\ by\ toasting\ one.\ Can\ be\ sliced.=Edible option, curved forms obtained in one shooting. It can be abbreviated to size. -High\ tier\ energy\ storage\nSynchronised\ wireless\ energy\ transfer=For the storage of data, a high level of energy \nFor the synchronization, and the wireless transmission of power -Stripped\ Yucca\ Palm\ Log=Stripped From The Yucca Palm Tree Log -Pink\ Cross=Pink Cross -Custom\ bossbar\ %s\ has\ been\ renamed=Custom bossbar %s it changed -Option\ '%s'\ isn't\ applicable\ here=OK."%s"this is not the topic here -Orange\ Glazed\ Terracotta\ Camo\ Door=Oranje-Geglazuurde Terracotta Camo Deuren -Add\ Nether\ Crimson\ Temples\ to\ Modded\ Biomes=The More Words, The Red, The Church Of The Broken Biom -Tall\ Seagrass=Tall Grass -Green\ Base=The Green Base Of The -Bluestone\ Squares=Sandstone Squares -Scale\:=Rock\: -Green\ Wool=Yesil Wool -Depth\ Noise\ Exponent=The Depth Of The Noise Is From The Us -Light\ Gray\ Bend\ Sinister=Light Gray, Ominous District -Xorcite\ Roots=Xorc Algatus Juured -Selected\ %s\ (%s,\ %s,\ %s)=Favorites %s (%s, %s, %s) -Minimum\ Spawnheight=Minimum Spawnheight -Library=Library -Interactions\ with\ Smoker=Interact with the pot smoker -Birch\ Planks\ Ghost\ Block=Material Of A Living Key-Block -for\ more\ info=additional information -Charred\ Barrel=Charred Barrels -Dark\ Green=Dark Green -Fir\ Fence\ Gate=Wood Fence And Gate -Light\ Blue\ Dye=The Pale Blue Color Of The -Pine\ Log=Add -Black\ Glazed\ Terracotta\ Camo\ Door=Black Glaz\u016Bra, Ceramic Magic Cube Design -Only\ drop\ if\ Killed\ by\ a\ Player=Only if you killed a player -Show\ Dimension=Measurement View -%1$s\ was\ killed\ by\ %3$s\ trying\ to\ hurt\ %2$s=%1$s to kill %3$s do not try to hurt you %2$s -Brown\ Thing=The one Thing That's Brown -%s\ sec=%s it -Drawer\ Controller=The Governor Of The Socket -Base\ value\ for\ attribute\ %s\ for\ entity\ %s\ set\ to\ %s=Attribute value %s the company %s kit %s -\u00A74\u00A7oBeware\!\ They\ may\ come\ out\ cursed=\u00A74\u00A7oPlease note\! They do not suffer -Book\ and\ Quill=Paper and pencil -Winged\:\ Showcase=In Polet\: Image -Caution\ Barrier=The Obstacle Of The Attention -Green\ Thing=The Green Stuff -Hoglin\ hurts=Hogl hurts -Panda\ bites=Panda bites -Disconnected\ by\ Server=Disconnected from the server -Lime\ Lozenge=Lemon, Honey -Unknown=Unknown -\u00A77\u00A7o"I\ should\ load\ this\ up\u00A7r=\u00A77\u00A7o"I, I, I put it on top\u00A7r -Polished\ Netherrack=Polished Infernal Das -Blaze\ shoots=Flame blast -Gave\ %s\ experience\ points\ to\ %s=The view of l' %s experience points %s -Nether\ Hoe=Nether Hack -Elder\ Guardian\ moans=Father, Guardian, moans -Iron\ Spear=Iron Spears -Flour=A Comida -Showing\ blastable=The screen blastable -Couldn't\ grant\ %s\ advancements\ to\ %s\ as\ they\ already\ have\ them=Could not give %s improvement %s you already have -Pulls\ any\ fluid\ directly\ above\ it,\ pairs\ nicely\ with\ a\ tank\ unit\ underneath=None of which liquid directly to the ideal choice for tanks units -Fire\ Aspect=The Fire Aspect -Kettle\ Pond=The Pond Water Heater -Nitrocoalfuel=Nitrocoalfuel -Light\ Blue\ Stained\ Glass\ Pane=Panelen Lyser Bl\u00E5tt Stained Glas -Needs\ a\ container\ to\ fill\!=You have to fill grab\! -Birch\ Fence=Birch Garden -\u00A77\u00A7o"Attendee's\ cape\ of\ MINECON\ 2012."\u00A7r=\u00A77\u00A7o"Participant head MINECON 2012".\u00A7r -Small\ End\ Islands=Malyk Edge On The Island -Are\ you\ sure\ you\ would\ like\ to\ delete\ current\ set=Are you sure you want to delete the current -Industrial\ Blast\ Furnace=Industrial Furnaces -Paper\ Lamp=Lights Paper -Blacklisted\ Blocks=Black List Blocks -Raids\ Triggered=Raids Were Caused -Dark\ Oak\ Leaves=The Dark Oak Leaves -End\ Furnace=At The End Of The Oven -Reset\ title\ options\ for\ %s\ players=The name-the selection will be Reset%s player -Ender\ Plant\ Seeds=Ender Plant Seeds -Brighter\ than\ a\ wooden\ torch=It's easier than the wooden torch of the -Pyrope\ Dust=Pyrope Damm -Collect\:\ Sledgehammer=Select\: Hammer -Dried\ Dirt=Dry Soil -Pine\ Wood=The Pine Forest -Grants\ Dolphin's\ Grace\ Effect=The funds from any limitations, but if a Chick Effect -Secondary\ Light\ Level\:=A Secondary Level Of Illumination. -Red\ Per\ Fess\ Inverted=Red Per Fess Inverted -Use\ World\ Map\ Chunks=Use The Pieces Of The Map Of The World -Advanced\ tooltips\:\ hidden=More tips\: hidden -Giant\ Tree\ Taiga\ Hills=A Giant Tree In The Forest -Craft\ a\ trading\ station.=Commercial Radio Stations For The Handyman. -Set\ the\ world\ border\ warning\ distance\ to\ %s\ blocks=Set the world border warning distance %s blocks -Huge=Large -Golden\ Taco=The Golden Taco -Pack\ '%s'\ is\ not\ enabled\!=Packaging%s"is not enabled. -Green\ Pale\ Sinister=Green Pale Sinister -1\ for\ spawning\ in\ most\ chunks\ and\ 1001\ for\ none.=Out of the most of blocks 1 and 1001 of the thing. -Barrel\ closes=Locked in the trunk -Medium\ to\ Low\ energy\ tier=Medium / low energy level -Dead\ Horn\ Coral\ Fan=Dead Africa, Coral Fan -Tungsten\ Leggings=Volfram, Dokolenke -Small\ Red\ Sandstone\ Brick\ Stairs=The Small Red Brick Stairs Sandstone -Red\ Paly=Rot -Add\ Wells\ to\ Modded\ Biomes=Pievienoja Wells, Veids Acis -Caution\:\ Online\ play\ is\ offered\ by\ third-party\ servers\ that\ are\ not\ owned,\ operated,\ or\ supervised\ by\ Mojang\ or\ Microsoft.\ During\ online\ play,\ you\ may\ be\ exposed\ to\ unmoderated\ chat\ messages\ or\ other\ types\ of\ user-generated\ content\ that\ may\ not\ be\ suitable\ for\ everyone.=Please note\: the online games, which are third-party servers that are not owned, operated or controlled by Mojang, or Microsoft. During the online game, you may be exposed to the media message, or any other type of user generated content, which may not be suitable for all. -Steel\ Ingot=Strap Steel -Granite\ Glass=The Granite And Glass -Tweaks=As a last resort, -Golden\ Hammer=The Golden Hammer -Cheese\ Slice=A Piece Of Cheese -Sofas\ are\ a\ comfortable\ place\ to\ sit.\ You\ can\ also\ take\ a\ nap\ on\ a\ wide\ sofa\ if\ you\ use\ it\ with\ an\ empty\ hand\ while\ sneaking.=A sofa, a comfortable place to sit and relax. Also, you might want to take a nap on the couch, if you're using it with your own hands, and a playground for the kids. -Irreality\ Wing=Unreal Qanad -Dark\ Oak\ Stairs=The Dark Oak Wood Stairs -Basalt\ Cobblestone\ Platform=The Basalt Rocks Of The -Stellum\ Leggings=Stellum Leggings -Customize\ Accessibility\ Settings\ of\ the\ Mod\\n\ Includes\:\\n\ -\ Language\ ID\\n\ -\ KeyBindings\\n\ -\ Additional\ Gui\ Customization\ Options=Set up the availability Settings, the Mod\\n Include\:\\n \\ - Language ID\\n - keyboard shortcuts\\n - Additional functions settings in the Gui -Red\ Pale=The Red Light -Shift\ +\ middle\ mouse\ click=Shift + middle mouse button -Notice\:\ Just\ for\ fun\!\ Requires\ a\ beefy\ computer.=Note\: just for the fun of it\!\!\! Requires a powerful COMPUTER. -This\ server\ recommends\ the\ use\ of\ a\ custom\ resource\ pack.=This server is recommended to use the custom package sources. -Height=Height -No\ Alpha\ Allowed\!=None Of The Alpha Is Prohibited\! -Red\ Cross=The Red Cross -Purpur\ Pillar\ Camo\ Door=The Purple Columns, In Which The Door -Cooked\ Cod=Boiled Cod -Loom\ Slab=A Shadow Board Of Directors -Mysterious\ Sigil=Mysterious Symbol -Lock\ North=The Castle, In The North -Cracked\ Stone\ Bricks=Napuknut Kamena I Cigle -An\ Object's\ Second=Another object -Acacia\ Step=Step Acacia -Old\ Man\ Atom=Old Man Of The Atom -\u00A77\u00A7o"Uhhhh...\ What\ is\ this?\ Why\ did\u00A7r=\u00A77\u00A7o"Uhhhh... what is that? Why\u00A7r -Sapphire=Safir -You\ killed\ %s\ %s=Shot %s %s -Mark\ Incomplete=Mark Terry -Savanna\ Mineshaft=Shaft Savannah -How\ much\ to\ scale\ the\ GUI\ by.=As far as the zooming graphical user INTERFACE. -Light\ Blue\ Per\ Bend\ Inverted=The Blue Curve, Which Is -Stone\ Post=Stone Column -Wooden\ Plate=Wooden boards -Pink\ Rune=Pink Fleece -Go\ on\ in,\ what\ could\ happen?=You are going, what could it be? -Red\ Begonia=Begonia-Red -Yellow\ Snout=The Yellow Metal -Set\ display\ slot\ %s\ to\ show\ objective\ %s=The set of the game %s obektivno show %s -Making\ Request...=The application... -Default\ Server\ Name=By Default, Server Settings, Server Name -Crimson\ Warty\ Blackstone\ Brick\ Stairs=Deny The The Growth Of L. Blackstone Bricks On The Scale -Gray\ Asphalt\ Slab=In The Gray Of The Asphalt Floor -Hardness=Hardness -Entities\ between\ y\ and\ y\ +\ dy=Operators between y and y + dy -Friendly\ Mobs=Friendly Crowds -Title\ screen=The name of the screen -Orange\ Skull\ Charge=Orange Download Skull -Snowy\ Coniferous\ Forest=In The Snow Evergreen Forest -Middle=The average -SuperAxes=SuperAxes -Prevents\ you\ from\ die=Do not allow you to die -Oak\ Slab=Apartment In Oak -Nothing\ changed.\ That's\ already\ the\ name\ of\ this\ bossbar=Something has canviat des de llavors. Ja the nom of the bossbar -Removed\ effect\ %s\ from\ %s=To remove the effect %s from %s -Rainbow\ Eucalyptus\ Wood=The Rainbow, Of The Eucalyptus Tree, The Wood -Fluid\ buckets=The liquid in the glass -Yellow\ Chief\ Indented=Yellow Chapter Indentation -Downloading\ file\ (%s\ MB)...=In order to download the file. (%s Megabytes (MB)... -Unlimited\ resources,\ free\ flying\ and=Unlimited resources, free flying and -Right=Even -Ender\ Eye\ Dust=The Ends Of The Dust, His Eyes -Stripped\ Hemlock\ Log=Nulupama Coniferous Prisijungti -Cyan\ Tent\ Top\ Flat=The Installation Of The The User Blue Default Blue Tent Up In The Apartments -Rainbow\ Eucalyptus\ Platform=Platform Rainbow Eucalyptus -Fence\ Gate\ creaks=The fences, the Gates, the gates of her -Waypoint\ Opacity\ Ingame=Point Coverage Of The Game -Orange\ Elytra\ Wing=Oran\u017Ena Krila Elytra -Preparing\ spawn\ area\:\ %s%%=Training in the field of beef\: %s -Pink\ Glazed\ Terracotta\ Pillar=Pink One Of The \u0421\u0442\u043E\u043B\u043F\u043E\u0432 \u0417\u0430\u0441\u0442\u0435\u043A\u043B\u0435\u043D\u043D\u043E\u0439 Terracotta -Override=Rewrite -Ice=Led -Expected\ float=Planned to go swimming -Stone\ Ghost\ Block=Stone-Blog, Ghost, -Orange\ Terracotta\ Camo\ Door=Orange, Facing The Door, If You -Now\ We're\ Evolving=Now to put it -12h=Have fun\!\!\! -Stripped\ White\ Oak\ Wood=Remove White Oak -Potted\ Acacia=A Vase Of Wisteria -Sapphire\ Axe=Sapphire Axe -Crafting\ and\ Notes=The development and Maintenance of -Chicken\ clucks=Saw Clucks -Insulated\ Copper\ Cable=Insulated Copper Cable -Obtaining\ Univite=To Univite -Cyan\ Dye=Colour\: Blue -Quake\ Pro=Earthquake -Strongholds=Strong -Are\ you\ sure\ you\ would\ like\ to\ delete\ the\ selected\ map?=Are you sure you want to remove the map? -Failed\ to\ Retrieve\ Character\ &\ Glyph\ Width\ Data,\ Some\ Rendering\ Functions\ have\ been\ disabled...=After that will appear the Symbol " & Symbol Width, a lot of information, Some Features are locked... -Spruce\ Small\ Hedge=Meals With A Low Level Of Risk, Insurance -Iron\ to\ Diamond\ upgrade=Iron the Collar update -Netherite\ Spear=Netherite Run -Cat\ dies=The cat is dying -Brown\ Chief\ Sinister\ Canton=\u018F, Ba\u015F Canton Sinister -Purple\ Foxglove=Lilla Foxglove -Pink\ Glazed\ Terracotta\ Camo\ Trapdoor=The Pink Tiles Are A Kind Of Camouflage, Luca -Try\ to\ show\ fluids=You try to show the use of the -Items-Misc=Object To Another. -Input\ Rate=Interest Post -%1$s\ walked\ into\ danger\ zone\ due\ to\ %2$s=%1$s he went to the danger zone, because %2$s -Magenta\ Patterned\ Wool=Magenta Villa Muster -Min\ Y\ height\ of\ Mineshaft.\ Default\ is\ 5.=My Y is the height of the mine. The default value is 5. -\u00A77\u00A7o"It\ has\ winglets\!"\u00A7r=\u00A77\u00A7o"This is wings\!"\u00A7r -Hemlock\ Wood\ Planks=Hemlock Wood Board -Tin\ Ore=Tin -Expected\ end\ of\ options=As one would expect, in the end, the choice -Blue\ Flat\ Tent\ Top=Blue-And-Television-Marquee Up -Custom\ bossbar\ %s\ is\ now\ visible=Customs bossbar %s now, on its face, -Adds\ large\ tree\ somewhat\ uncommonly\ to\ Swamp\ biome=He goes on to say that it is a large tree, a few rare \u0431\u0438\u043E\u043C\u0430 Photo -Blue\ Orchid=Blue Orchids -Set\ the\ weather\ to\ rain\ &\ thunder=To set the time-out in the rain and thunder -Uploading\ '%s'=The load on demand '%s' -White\ Oak\ Pressure\ Plate=White Oak Covers -Channeling=Conveyor -A\ machine\ which\ consumes\ $(thing)energy$()\ to\ pick\ up\ $(thing)fluids$()\ from\ the\ world.=Maskiner, the bruger $(the issue of energy$() pick up $(a little liquid)$( in the world. -Walk\ Forwards=Before You Go -Respawn\ Anchor\ depletes=Anchors respawn consumption -Attack\ Damage=The damage -Crate=It -Unable\ to\ get\ Curse\ Manifest\ Data\ (Ignore\ if\ Not\ using\ a\ Twitch/CursePack)=You can change the name, obviously, information (ignore if you don't twitch/CursePack) -It\ is\ %s.\ The\ maximum\ allowed\ size\ is\ %s.=It is %s. The maximum size of the file %s. -Twilight\ Vine\ Block=The Twilight Of The Vine Group -Removes\ breaking\ delay\ for\ all\ blocks=Remove the break delay of all the blocks -Sailor\ Hat=Top Hat, A Sailor's -Loot\ a\ chest\ in\ a\ Bastion\ Remnant=Loot the chest for the Rest of the fort -Light\ Gray\ Carpet=The Light-Gray Carpet -Bonus\ Chest\:=The Prize Chest\: -JEI\ Integration=Integration -Granite\ Brick\ Slab=Granite, Bricks And Blocks -Purple\ Bordure=Purple Edge -Insulated\ Gold\ Cable=Insulated Cable Gold -Ender\ Pearl\ Dust=Finished The Pearl Powder -Black\ Tent\ Top\ Flat=The Black Tent On The Apartment -Gold\ armor\ clinks=The seat is a golden ring -Ocelot=Ocelot -Fir\ Button=The button of EPI -Only\ Drop\ if\ Killed\ by\ a\ Player=But if the player is killed -Would\ you\ like\ to\ delete\ all\ waypoints\ data\ for\ the\ selected\ world/server?=If you are sure you want to remove all data points will be selected to participate in the world championship/server? -Lime\ Concrete=Limestone, Concrete -Diorite\ Glass=Diorite, \u015E\u00FC\u015F\u0259, -Unbanned\ IP\ %s=To cancel the prohibition of buildings IP %s -Nothing\ changed.\ The\ world\ border\ is\ already\ that\ size=Nothing has changed there. Peace on the border was already this size -Pocket\ Crafting\ Table=Repair Manual -Volcanic\ Rock\ Brick\ Stairs=Volcanic Stone Brick Stairs -Univite\ Dust=Univite Powder -Remove\ all\ nearby\ water\ blocks=All in close proximity to the water blocks -Chop\ Chop=Chop Chop -C418\ -\ blocks=C418 - blocks -Loyalty=The loyalty of the customers -Iron\ Staff\ of\ Building=The rod of iron in a building -ManualUI=ManualUI -Oak\ Table=The Oak Table -Copy\ Coordinates=In Order To Copy The Coordinates -Black\ Tent\ Top=Black Tent Setup -Potion\ of\ Regeneration=Drink reform -Your\ ticket\ to\ the\ final\ frontier.=The last step is the ticket to. -Original\ Potion=The First Brew -Upper\ Limit\ Scale=On Gornata Border On Psagot -Black\ Terracotta=Svart Terracotta -Stone\ Trapdoor=Hatch Sten -Potted\ Red\ Autumnal\ Sapling=Pot The Red On The Autumn Trees -Crimson\ Platform=Platform\u00EB, Crimson -Japanese\ Maple\ Fence=The Japanese Maple, The Trees, The Fence, -Birch\ Planks\ Camo\ Door=Berezovye Boards, Doors, Camouflage -World\ Specific\ Resources=Council asset -Mountains\ Village\ Spawnrate=Mountain Village Spawnrate -Jupiter\ Essentia=The Results, The Researchers Adopted The -"Off"\ disables\ the\ cinematic\ camera.="Disable" disables the camera. -Green\ Glazed\ Terracotta\ Pillar=Green Glazed Terracotta Columns -Replaces\ Mineshafts\ in\ Birch\ biomes.=In order to replace mine in the Birch tree biome. -Commands\ Only=The Only Team To Have -Adorn+EP\:\ Shelves=Decorate the top with a"+" as a tribute -Green\ Beveled\ Glass=The Green Bevelled Glass -Red\ Beveled\ Glass=Red, Beveled Glass -Enter\ Key...=The "Return" Key. -Oak\ Planks\ Glass=The Oak Parquet Flooring, Glass -World\ name=Name -Saving\ world=Save the world -Clayfish=Clayfish -Turtle\ Egg=Turtle Vez\u00EB -Dark\ Japanese\ Maple\ Leaves=The Dark, Japanese Maple-Leaves -Haste=Rush -Refill\ the\ item\ in\ your\ hand\ when\ they\ have\ ran\ out=Please fill in the following elements of the force, and when he left the -'Electric\ Mouse'\ Ears="Electric Mouse" For The Ears -Advanced\ tooltips\:\ shown=More advice\: look at the -Complete\ Advancements\ to\ unlock\ more\!=To achieve exactly\! -Customize\ Messages\ to\ display\ when\ attacking\ an\ Entity\\n\ (Manual\ Format\:\ entity;message)\\n\ Available\ Placeholders\:\\n\ -\ &entity&\ \=\ Entity\ Name\ (Or\ Player\ UUID)\\n\\n\ %1$s=Define messages to display, during the attack on the farm\\N (guide to the format\: people;message)\\N possible on the screen\:\\ N - &gasoline& name \= fuel (or player id, UUID)\\n\\n %1$s -Changed\ the\ display\ name\ of\ %s\ to\ %s=Change the display name %s in order to %s -Showing\ %s\ mod=Of %s mode -Purple\ Inverted\ Chevron=The Inverted Chevron -Old\ graphics\ card\ detected;\ this\ may\ prevent\ you\ from=My old graphics card detected; this may prevent you from -Lime\ Tent\ Top\ Flat=Lime Cottage Apartment -Small\ Pile\ of\ Spessartine\ Dust=He, in the dust, spessartine -Adorn+EP\:\ Platforms=Dekoracijo+EP\: platforma -Modified\ Wooded\ Badlands\ Plateau=Changes In Forest Soils In The Arid Plateau -Yeast=Brewer's yeast -Carnitas\ Taco=Carnitas Taco -Soaked\ Brick\ Stairs=Stairs Shower Tile -Redstone\ Plate=Redstone System Board -Allow\ Cheats\:=Da Bi Aktiviran Cheat -Oak\ Planks\ Camo\ Door=The Restored Oak Camo -C418\ -\ far=Nga C418 -Block\ of\ Peridot=Block On Peridot -Evacuated\ Essentia\ Port=To Evacuate The Port At The Base -Check\ your\ recipe\ book=Kolla in min retseptiraamat -Thrown\ Egg=Put An Egg -Invite\ player=We invite all the users of the -Ride\ a\ Strider\ with\ a\ Warped\ Fungus\ on\ a\ Stick=Travel Strider, who Perverted the mushrooms to the notice of the -Full\ Diamond\ Upgrade=With A Total Diamond Upgrade -Lit\ Light\ Gray\ Redstone\ Lamp=The Activation Is Light-Gray Redstone Lamp -Metite\ Ore=Metite Maagi -Apple=Apple -Door\ shakes=The door is shaking -Rockcutter=Stone knife -Brown\ Per\ Bend=Brown Flac -Jungle\ Door=Forest Gate -Chiseled\ Marble=Carved Marble Floor -This\ world\ uses\ experimental\ settings\ that\ could\ stop\ working\ at\ any\ time.\ We\ cannot\ guarantee\ it\ will\ load\ or\ work.\ Here\ be\ dragons\!=In this world, and with the help of the experimental setup, which may lead at any moment. And we can't guarantee you that it's downloaded, or at work. Here was presented a new\! -Mossy\ Stone\ Brick\ Slab=Moss On Stone, Brick, Tiles -Galena\ Dust=Galena, In The Dust, -Tropical\ Fish\ Spawn\ Egg=Tropical Fish And Eggs, Poured It Over The Caspian Sea Eggs -Potion=Drink -Heart\ of\ the\ storage\ connection.\ \u00A75One\ per\ connection.=The heart is the link to the store. \u00A75It is, and combined. -Team\ Colours=Team Colors -Endorium\ Axe=Endorium Axe -From\ where\ one\ dreams,\ to\ where\ their\ dreams\ come\ true.=Of dreams, where dreams become a reality. -Blue\ Carpet=Blue Carpet -Polished\ Blackstone\ Camo\ Door=Polirani Blackstone Kamo-Lokalne -Advanced\ Drill=To Improve Parts Of The -Stick=Pal -Options...=Opportunities... -Sandwichable=Sandwichable -Added\ %s\ to\ %s\ for\ %s\ entities=Added %s it is %s of %s people -Wells\ Configs=Wells Configurations -Potted\ Pine\ Sapling=Vazonini\u0173 Seedlings Of Coniferous Trees -Treasure\ Fished=The Treasure Chest Was Removed -Oak\ Wood=Oak Wood -Dust\ To\ Dust=To Dust And Ashes, -Ruby\ Shovel=Ruby Lopat\u00EB -Clay\ Dust=Clay And Dust -Arid\ Highlands=Dry Plateau -Orange\ Beveled\ Glass=Amber, Beveled-Glass -Light\ Blue\ Shulker\ Box=Light Blue Ray Shulker -Reset\ to\ Preset=To Restore A Set -Potted\ Cyan\ Calla\ Lily=Boiler-Blue Lily -Hemlock\ Wood=Tree Hemlock -You\ dont\ have\ permission\ to\ place\ %s\ blocks.=You should not invest in %s blogs. -Golden\ Apple\ Slices=Golden Apple Rezine -Cooking\ Guide=Guide To Cooking -Purple\ Per\ Bend\ Inverted=For The Group, Click The Right Mouse Button On The Color Purple In The Opposite Direction -Feet\ Protection=The Protection Of The Foot -Diamond\ Chestplate=Diamond Bib Clothing -War\ Pigs=The War Of The Porc -Gold\ Ingot=Gold -Cyan\ Terracotta\ Camo\ Door=The Door Camouflage Blue Pot -There\ are\ no\ bans=There is no restriction -Experience\ level=The level of experience. -Red\ Elytra\ Wing=Elytra Red Wing -Caldera\ Beach=The Boiler On The Beach -Replaced\ a\ slot\ on\ %s\ entities\ with\ %s=To change the housing %s the operators of the %s -Add\ Nether\ Warped\ Temples\ to\ Modded\ Biomes=Add the voids, the temples bent biomes girls -Narrates\ All=It Says It All -Lodestone=Guri magnet -Turtle\ hurts=The turtle hurts -There\ are\ %s\ objectives\:\ %s=It %s tasks\: %s -Red\ Base\ Sinister\ Canton=The Red Left Canton -Speed=The -Sandy\ Bricks=Sand, Bricks -The\ Killer\ Bunny=The Killer Bunny -Announce\ advancements=A report on the results -Operator=Services -Cracked\ Andesite\ Bricks=Cracked Andesite Bricks -\u00A77\u00A7o"I\ hope\ this\ wing\ won't\ break."\u00A7r=\u00A77\u00A7o"I just hope that the piano won't break."\u00A7r -Item\ plops=From the point slaps -Cobblestone\ Step=The Cobblestones In The Leg -Light\ Blue\ Banner=The Bright Blue Banner -Unable\ to\ modify\ player\ data=You can't change the data in the player -Generate\ NullPointerException\!\!=Genereert Een NullPointerException\!\! -Unknown\ item\ tag\ '%s'=Unknown tag item '%s' -Next\ >>=Read more >> -Stellum\ Helmet=Stellum Helmet -Light\ Gray\ Tent\ Side=Light Grey Tent-Site -Fletcher's\ Hat=Fletcher Hat -A\ basic\ electric\ circuit\ board,\ built\ for\ general\ systems\ with\ no\ special\ requirements,\ whose\ architecture\ is\ based\ on\ graphene.=Home electric circuit of grafena design relies on certain changes in the conditions of the total system. -Download\ latest=Download the latest -Lava\ pops=The Lava will appear -Chorus\ Flower\ withers=Choir the Flowers wither -%1$s\ was\ squished\ too\ much=%1$s Just also wiped out the earth -Cattail=Cheering -Pink\ Bend=G\u00FCl-Bend -Univite\ Gear=Univite Tools -Snow\ Well=Snow, And, In Addition, -Red\ Per\ Bend\ Sinister=First Red To Do It Right -Guardian\ dies=Standard die -Are\ you\ sure\ you\ want\ to\ continue?=Are you sure you want to continue? -Chiseled\ Polished\ Blackstone=Acute Blackstone Gentle -Orange\ Tent\ Side=Orange Tent Page -Show\ Key\ Hints=In Order To Demonstrate The Main Features -Deathpoints=Place of death -"Being\ Shot"\ Notific.="One Shot" Notifica. -Miscellaneous=Different -Refined\ Iron\ Ingot=Exquisite Iron Ingots -Open\ On\ Key\ Press=Open It And Click On The -Sandstone\ Wall=Sandstone Wall -Quantum\ Chestplate=And When The Community Clothing -Craft\ a\ thermal\ generator=The generator of the heat -Customize\ Messages\ to\ display\ with\ Items\\n\ (Manual\ Format\:\ item;message)\\n\ Available\ Placeholders\:\\n\ -\ &item&\ \=\ Item\ Name\\n\\n\ %1$s=Message settings to control the display of widgets.\\N. \\ N the user guide, the size of the item;a message at any time.\\N-there is a placeholder\:\\N \\ N \\ N \\ N &element,& \= is the name of the entry\\n \\ n \\ n \\ n\\n \\ n \\ n \\ n %1$s -Yellow\ Per\ Bend\ Inverted=Yellow Reverse Bending -Cold\ Lagoon=In That Great Domains -Dark\ Oak\ Coffee\ Table=Dark Oak Coffee Table -Desert\ Mineshaft=My Desert -Prismarine\ chimneys\ make\ bubbles\ underwater.\ Like\ other\ chimneys,\ you\ can\ stack\ them\ on\ top\ of\ each\ other.\ Some\ prismarine\ chimneys\ can\ also\ create\ bubble\ columns.=Prism, tubes, blisters, under water. As with other pipes and tubing, you can put them one to the other. Some of prism's help, they can be created by air bubbles in a column. -New\ Waypoint=A New Direction -Potion\ of\ Fire\ Resistance=Potion Of Fire Resistance -Iron\ to\ Netherite\ upgrade=Iron nether, it's had updates -Potion\ of\ Slow\ Falling=Potion Faller Sakte -by\ %1$s=of %1$s -Small\ Oak\ Log=Mali Dubovi Diary -Renderer\ detected\:\ [%s]=Converter found\: [%s] -Distance\ by\ Elytra=The distance from the elytra -Black\ Bordure=Black Outline -Attack\ Knockback=Drop Aanvallen -Jungle\ Planks=The Jungle In The Community -Spawn\ Tries=As Future Generations Of Trying -Stripped\ Cypress\ Log=Stripped Of His Magazine Cypress -Phosphorous\ Dust=Phosphate Powder -Brown\ Chief\ Dexter\ Canton=Brown Head Of The Municipality Of Dexter -Jukebox=This -Angle\ too\ large\!\ Current\ '%s',\ max\ '%s'=The angle of inclination is very, very, very\!\!\! Chain%s"Max"%s' -Click\ back\ to\ cancel=Click again to undo -Basalt\ Post=In The Basalt Of The Post -$(item)Asterite\ Ore$()\ can\ be\ found\ inside\ $(thing)$(l\:world/asteroids)Asteroids$()\ in\ $(thing)Space$().$(p)Mining\ requires\ a\ $(item)Netherite\ Pickaxe$()\ (Mining\ Level\ 4)\ or\ better,\ usually\ resulting\ in\ a\ single\ $(item)Asterite\ Cluster$()\ which\ can\ forged\ into\ an\ $(item)Asterite$()\ gem.=$(element)Asterite ore$( (a ) can be found in $(nothing)$(l\:world/asteroids)on the planet$( (c ) $(things), check Box$().$((h)acquisition of required $(elementi)vzorec Netherite$() (The mining level (level 4) or better, and normal, which results in a $(it has to be submitted at the request of asters is Set$(), which can be taken into account $(voice and Star$( diamond. -A\ block\ used\ to\ cut\ or\ chop\ food\ items.\ Can\ be\ done\ by\ placing\ the\ item\ on\ top,\ and\ interacting\ with\ the\ cutting\ board\ using\ a\ Kitchen\ Knife.=Points, used to cut out or cut down on the products. He may also put the piece at the top of the interaction of the cutting board, using a kitchen knife\: -Singleplayer\ Game\ Message=The Contribution Of Individual Games -Sakura\ Kitchen\ Sink=Sakura, Dishwasher -Volcanic\ Rock=Volcanic Stone -Mini\ Jungle=The Mini-Jungle -12\ sec=12 sek. -Block\ of\ Copper=Honey block -Liquid\ Generating=Of The Liquid, So As To Create A -Granite=Granite -Water\ Bucket=Hot Water -Lime\ Stained\ Glass\ Pane=Plates, Pickled Lime -Panda\ hurts=Panda, I'm sorry -Loading...=Maintenance of the... -World\ updates=\u039A\u03CC\u03C3\u03BC\u03BF update -Faux\ Dragon\ Scale=Volumul Artificiale Dragon -Light\ Blue\ Glazed\ Terracotta\ Ghost\ Block=Light blue, Boiled the Spirit of the Alliance, the united states -Green\ Paly=Light Green -Zoglin\ hurts=Zogla hurt -Interactions\ with\ Campfire=The interaction with the camp-fire -Gray\ Lawn\ Chair=Grey Head -Diamond\ Fragment=Diamant Fragment -One's\ physical\ assistance\ in\ their\ journey.=A natural aid for your trip. -Green\ Pale=Green -Purpur\ Lantern=Purpur Flashlight -Green\ Per\ Pale\ Inverted=Green-Light Inverted -bar=bar -HOVER=Plovak -Sakura\ Forest=After The Forest -Potted\ White\ Oak=Taimed Test, Valge Tamm -Brown\ Concrete=The Beam Of The Concrete -E\ total\:\ %s=Only\: %s -Kelp\ Plant=Plants, Vodorosli -Space\ Slimeball=Son Of A Bitch In Space -English=English -Grants\ Invisibility\ Effect=The Benefits Are The Change In The Effect -Quartz\ Bricks\ Camo\ Trapdoor=Quartz, Brick, Camo, Hatch, -Rose\ Quartz\ Slab=Pink Quartz Slab -Enchanted\ Golden\ Apple\ Slices=Enchanted Zlatna Jabuka Na Komadi\u0107e -Nuclear\ Warhead=The main Consell -Efficiently\ produce\ wire\ from\ ingots=Efficient to produce wire liet\u0146iem -Journeyman=A bachelor's degree in -Rainbow\ Eucalyptus\ Wood\ Stairs=Eucalyptus Arc-En-Ciel, Staircase Wood -Cactus=Cactus -Portal\ noise\ fades=The sound of the portal will disappear -Cobweb=The website -\u00A7cPacket\ Thread=\u00A7cThe Package Of Materials -Univite\ Helmet=Univ Helmu, A On -%s\ ticks=%s ticks -Disable\ elytra\ movement\ check=If you want to disable \u043D\u0430\u0434\u043A\u0440\u044B\u043B\u044C\u044F air traffic control -Crystal\ Gold\ Furnace=Crystal Gold,, Mikrob\u00F8lgeovn -Are\ you\ sure\ you\ want\ to\ delete\ this?=If you are sure you want to remove it? -Red\ Tent\ Top=In The Upper Part Of The Red Tent -Jupiter\ Essentia\ Bucket=Jupiter Essentia Emmer -Recipe\ ID\:\ %s=It receptas\: %s -Magenta\ Field\ Masoned=In The Area Of The Seas, The Installation Of Brick Flooring -The\ target\ does\ not\ have\ slot\ %s=The goal is not a socket %s -Acacia\ Log=The Acacia Journal -Slime\ Boots=The Beginning Of The World -UU-Matter=UU Say -Entry\ Panel\ Ordering\:=Panel For At Indtaste Kommandoer\: -View\ All\ Categories=All Categories -Current=Today -CraftPresence\ -\ Edit\ Biome\ (%1$s)=CraftPresence To Change The Biome (%1$s) -Light\ Gray\ Asphalt=The Light-Gray Pavement -Fern=Fern -Total\ chunks\:\ %s=In total, units\: %s -Snout=I -%1$s\ was\ squashed\ by\ %2$s=%1$s it has been discontinued %2$s -Pink\ Sofa=Sofa Is Pink Color -Olivine\ Dust=Peridot Parashock -Advanced\ Machine\ Casing=The Intelligent Machine Of The Body -Joining\ world...=To join the global... -Weaken\ and\ then\ cure\ a\ Zombie\ Villager=To restore, to cure the zombies resident -\u00A75\u00A7oA\ magical\ lasso\ that\ hold\ animals=\u00A75\u00A7oMagic lasso-need, kes armastan loomi -How\ rare\ are\ Grassy\ Igloos\ in\ Plains\ and\ Forests.=They rarely, Needle grass, Plains and Forests. -Silicon\ Plate=En Silicon Wafer -Dragon\ Head=The Head Of The Dragon -Teleport\ Chat\ Command=Command To Teleport To The Chat -Trader\ Llama\ Spawn\ Egg=Sat\u0131c\u0131 Lama Spawn Spawn -\u00A77Descend\ Speed\:\ \u00A7a%s=\u00A77Speed Of The Earth\: \u00A7a%s -Subsets=Year -Narrator\ Enabled=The Narrative Included In The Price -Rainbow\ Eucalyptus\ Door=Rainbow Eucalyptus Door -Smooth\ Stone\ Camo\ Trapdoor=Elegant, Stone, Black, Luke -Obsidian\ Plate=Obsidian Plaat -Water\ Brick\ Slab=Water Brick Points -Splash\ Potion\ of\ the\ Turtle\ Master=Splash Drink Turtle Master -Cyan\ Stone\ Bricks=A, Turquoise, Stone, Brick -\u00A77\u00A7o"Merry\ Christmas\!"\u00A7r=\u00A77\u00A7o"Merry Christmas\!"\u00A7r -Search\ Items=Elements -Canyon\ Arches=The Producers Of The Cannon -Dolphin\ eats="Dolphin" -Smooth\ Volcanic\ Rock\ Wall=Smooth Wall Of Lava Rock -Diamond\ Chest=Diamond Chest -Display\ distance\ even\ when\ the\ waypoint\ is\ very\ close.\ This\ does\ not\ override\ the\ "Distance\ To\ WP"\ option.=Even if it is on the screen, the distance is very close to that. This is not a cancellation, "REUTERS' version of " the distance." -Replaces\ Mineshafts\ in\ Snowy/Icy\ biomes.=Replaces my the snow/Ice biomes. -%s/%s\ Unlocked=%s/%s Off -Pillager=Pillager -Change\ Light\ mode=The change in Lighting mode -Tropical\ Fish=Tropical Fish -Pink\ Field\ Masoned=Pink Box, Bricked Up Underground -Message\:=Message\: -Added\ %s\ to\ the\ whitelist=Added %s the white list -Asterite\ Axe=Asterit With The Axe -Block\ of\ Yellow\ Garnet=A Block Of Yellow Garnet -Brown=Brown -Oak\ Pressure\ Plate=Hrasta On Wrhu -Warped\ Coffee\ Table=Warped Sehpa -Open\ your\ inventory=Open your inventory -Shift\ +\ %s=Pomak + %s -for\ %s=for %s -Invalid\ Certificate\ Detected,\ this\ Build\ will\ not\ receive\ Support\!=The incorrect certificate is to ensure that the Assembly is to get the support. -Block\ of\ Galaxium=Galaxia, I Block -A\ Minecraft\ Server=Minecraft-Serveur -%s\ is\ not\ bound=%s there is no connection with the -Tip-Top\ Top\ Hat=Tip-Top Klobouk -Health\ Boost=The Health Of The Crew -Base=Base -A\ smoked/campfired-cooked\ version\ of\ pork\ cuts,\ which\ restores\ more\ hunger.=Smoked/campfired-the cooked version of the pork cuts that will restore more of the hunger. -Small\ Pile\ of\ Ashes=People's Hromada -Green\ Berry\ Pie=Green Berries Cake -Wood=Tree -Unexpected\ trailing\ data=Unexpectedly, the most recent information -Feed\ us\ data\!=Fed the information\! -No\ schedules\ with\ id\ %s=No graphics id %s -Horizontal\ Ratio=The Relationship Of The Horizontal -Secondary\ Power=Power New -III=III -Stripped\ Sakura\ Wood=Naked Sakura -Wooden\ Axe=Wood With An Axe -Not\ a\ valid\ color\!\ (Missing\ \#)=This is not the right time. (No \#) -'%s'\ is\ too\ big\!='%s"it's a great\!\!\! -Add\ Nether\ Soul\ Temple\ to\ modded\ Nether\ Soul\ Sand\ Valley\ biomes.=Add the temple of the spirit in the Netherlands, the Netherlands Sandy live in the valley of the spirit for girls. -Modified\ storage\ %s=Changed it from the store %s -Swamp\ Hills=Marsh, Hills -Diamond\ Staff\ of\ Building=Hovedkvarteret Til Diamond -Items-Armor=The Armor Entry -Refill\ the\ item\ in\ armor\ slots\ when\ they\ have\ broken=Again, the armour substance in the nest, and when fracture -Potted\ Azure\ Bluet=Pan Azure Bl -Cracked\ Stone\ Bricks\ Camo\ Trapdoor=Cracked Stone Brick Pokrywa Kamufla\u017C -Roughly\ Enough\ Items\ Config=Around, Enough, Items, Config, -Keybind\:\ %s=Keybindit\: %s -Craft\ an\ extractor=Boats of the air no problem -Digital\ Display=Digital Display -Wooded\ Badlands\ Plateau=In The Forest, Not Plateau -Magenta\ Stained\ Glass\ Pane=Magenta-Tinted Glass -Black\ Lozenge=\u039C\u03B1\u03CD\u03C1\u03BF Tablet -Player\ Outer\ Info\ Placeholder=The Reader Is Outside The Elements Of The Space Reserved For -Downloaded=Download -Sync\ %1$s=Synchronization %1$s -Add\ Stone\ Igloo\ to\ Modded\ Biomes=Append To Grey, Eco-Modded -Luck\ of\ the\ Sea=Happiness must -Wolf=Wolf -Extracting=Extraction of the -Zombie\ Horse=Zombi-At -Black\ Concrete\ Glass=A Black, Concrete, Glass -An\ unexpected\ error\ occurred\ trying\ to\ execute\ that\ command=The error run the following command -Bramble\ Berry\ Bush=Bramble Berry Bush -Block\ of\ Ruby=Bloks Ruby -Oh\ Shiny=Oh, Great -Fusion\ Coil=Synthesis Of Sonata -Upgrade\ Gear=How To Upgrade Equipment -Cypress\ Pressure\ Plate=Cypress Clamp -Copy\ Recipe\ Identifier\:=Kopie It Receptu\: -Bluestone\ Tile\ Stairs=Bluestone Tiles, Stairs -Make\ alloys\ from\ ingots\ or\ dusts=The way the bands of the valuplokkidest dust -Mipmap\ Levels=The Level Of The Mipmap -Display\ Zoom\ Level=The Exposure Of The Scale Of -Quartz\ Slab=The Number Of Quartz -Entity\ name=Program name -Dead\ Fire\ Coral\ Wall\ Fan=Dead Fire Coral Fan Wall -Purpur\ Squares=Silver Square -Tortilla\ Dough=Pie Dough -Rose\ Quartz\ Block=Rose Quartz Block -Prismarine\ Crystals=Prismarine Crystals -Parrot\ grunts=Sam le parrot -Endorium\ Dirty\ Dust=Endorium Dirty, Dusty -Enchanting\ Table=Magic Table -Endorium\ Crystal=Endorium Crystal -Craft\ a\ piece\ of\ vibranium\ armor=The ship is a piece of armor \u0432\u0438\u0431\u0440\u0430\u043D\u0438\u0443\u043C -Lime\ Base\ Sinister\ Canton=Lime Poverty Database Name -Lime\ Base\ Dexter\ Canton=The Sun Is The Basis Of The District Dexter -Push\ other\ teams=To execute the command -This\ will\ swap\ all\ waypoint\ data\ of\ the\ selected\ sub-world\ and\ the\ automatic\ sub-world,\ thus\ simulate\ making\ the\ selected\ sub-world\ automatic.\ Make\ sure\ you\ know\ what\ you're\ doing.=He will not change, and all data points in the selected part of the world, and the automotive world, and even some from half a world car. Please make sure that you know what you are doing. -Ending\ minigame...=The end of the game... -Villages,\ dungeons\ etc.=Hail tunice, etc.). -Target\ Language=Language -Yellow\ Roundel=Yellow, Round -Light\ Blue\ Flat\ Tent\ Top=Light Blue Is Just A Tent On Top Of -Industrial\ Circuit=A Cadeia Industrial -You\ died\!=You're dead\! -Fox\ eats=The fox has to eat it -Collect\:\ Endshroom=Kolekce\: Endshroom -Carrots=Carrots -Traverse\ Items=The Elements Of The Cross -Could\ not\ find\ a\ biome\ of\ type\ "%s"\ within\ reasonable\ distance=I can't find the type of \u0431\u0438\u043E\u043C\u0430 "%swithin a reasonable distance -Carved\ Pumpkin=Pumpkins Gdhendur -Debug\ Logs=Is The Debug Log -Upgrades=Update -Upgrader=Update -Bee\ Nest=Kosher For Pcheli -Potted\ Tansy=Banka Tansy -Player\ List\ Placeholder=A List Of The Players In The Placeholder -Hat=Auf -Gray\ Dye=SIV -Phantom\ Spawn\ Egg=Egg-The Spirit Of The Game -Loading\ forced\ chunks\ for\ dimension\ %s=Download forced pieces of measurement %s -Basic\ Chainsaw=Key Free -Crimson\ Drawer=A Dark Red Box -Play\ Demo\ World=Play The Demo To The World -Chopped\ Carrot=Supjaustyti Morka, -Cleric\ works=The priest is -\u00A76\u00A7lYou\ do\ not\ have\ any\ available\ Join\ Requests\!=\u00A76\u00A7lFor each of the query are in stock\! -Classic\ Flat=Classic Apartments -Obsidian\ Rod=The Obsidian Rod -Redwood\ Shelf=Redwood Grand -Entry\ Index=To Enter The Code -Trident\ stabs=Trident stikker -When\ durability\ below\ this\ value\ (Absolute\ or\ %%),\ refill\ the\ item.=When forces less than this value (in absolute %%) if you want to complete the item. -Dark\ Oak\ Planks\ Camo\ Door=Oak Dark Community Camo Doors -Plants\ Potted=Planter -There\ are\ %s\ bans\:=There %s Ban Ki-Moon.\: -Waypoint\ Opacity\ On\ Map=The Way The Transparency On The Map -Hoglin\ dies=Hoglin to die -Block\ of\ Quartz=The block of quartz -Showing\ %s\ library=Reflex %s library -Layer\ Material=Made Out Of A Material -Lit\ Pink\ Redstone\ Lamp=Light Pink Redstone Svetilka -Configure\ Slots=The Configuration Of The Slot -Make\ World/Server\ Auto=The World/Server To Do This Automatically -%1$s\ was\ slain\ by\ %2$s\ using\ %3$s=%1$s she was the one who killed him %2$s please help %3$s -Giant\ Spruce\ Taiga\ Hills=The Giant Spruce Taiga, Mountains, -Bluestone\ Lines=With Mesh Panels -Light\ Gray\ Pale\ Dexter=Light Gray Pale Dexter -Steel\ Paxel=Steel Paxel -Lettuce\ Crop=Salad Crop -Honey\ Block=Honey, A Block Of -Large\ Flower\ Pot=Sea Planter -Elytra=Elytra -Page\ %s\ of\ %s=Side %s on %s -Focused\ Height=Concentrate Height -Show\ FPS\:=Show FPS\: -%s\ \u00A77|\ %s\ \u00A77|\ %s=%s \u00A77| %s \u00A77| %s -Potato\ Slices=Potato slices -More\ options=For more options -Custom=Individual -Armor\ Toughness=Armor Hardness -C-Rank\ Materia\ Block=(C) The Classification Of The Material In The Blog -Lead\ Ore=Ore, tin -Redwood\ Kitchen\ Counter=Redwood Kitchen Tabu\u013Eka -Removed\ %s\ from\ %s\ for\ %s\ (now\ %s)=In %s from the %s for %s (now %s) -Beacon\ Base=Beacon Bank -Clover=Clover -Oak\ Wall\ Sign=Oak Wall Merkki -Scrapbox=Scrapbox -Chickens\ (Fried\ Chicken)=Chicken (Fried Chicken) -Honeycomb\ Bricks=Brick Work -Pink\ Pale\ Sinister=The Bled Ros\u00E9 And Slocombe -Iron\ Helmet=Iron Kaciga -$(l)Tools$()$(br)Mining\ Level\:\ 6$(br)Base\ Durability\:\ 3072$(br)Mining\ Speed\:\ 11$(br)Attack\ Damage\:\ 5$(br)Enchantability\:\ 18$(p)$(l)Armor$()$(br)Durability\ Multiplier\:\ 44$(br)Total\ Defense\:\ 25$(br)Toughness\:\ 4.5$(br)Enchantability\:\ 18=$((l)the Instruments$()$(BR)production level\: 6$(br)the Constitution of a database\: 3072$(NOT), the rate of production at 11$(NO)losses\: 5$(b)Enchantability\: 18$(n)$(l)of the armor$()$(sd), the sustainability multiplier\: 44 pm$((p) - Total Defense\: 25$(BR)varighet\: 4.5$(n)Enchantability\: 18 pm -Hold\ ALT\ for\ info=Keep excellent information -Quantum\ Storage\ Unit=Quantum Storage -Taiga\ Lake=Taiga Jazera -Adorn+EP\:\ Posts=Completed when\: To -Brown\ Fess=Brown, Fess -Harvest\ the\ power\ of\ the\ mother\ nature\ to\ power\ your\ machines=To gather strength to control the machine -Black\ Chief\ Dexter\ Canton=Basic Black Canton Dexter -Chunk\ borders\:\ shown=Work on the borders\: what the -Oak\ Door=Oak Doors -Skip=Mass -Blaze\ crackles=The fire is crackling -Are\ you\ sure\ you\ want\ to\ quit\ editing\ the\ config?\ Changes\ will\ not\ be\ saved\!=Are you sure you want to exit the edit configuration? The changes are not saved\! -Cold\ Ocean=Arcticchat The Ocean -Entities\ with\ NBT=NBT from people -Prints\ the\ item\ string\ with\ nbt\ to\ the\ chat=Print the object with a set of nbt-chat -Sheldonite\ Ore=Sheldonit Minereu -Hemlock\ Door=Otrov The Gates -Gray\ Tent\ Top=The Upper Part Of The Tent With Gray Color -Composter=On -Lapis\ Lazuli\ Plate=Map-Sky Blue Gloss -Tall\ Light\ Blue\ Nikko\ Hydrangea=Alto, Blu, Ortensia Nikko -[Debug]\:=[Debug]\: -Brewing\ Formula=Recipe For Cooking -Badlands=Badlands -Platforms=Platforms -Sharpness=Me -Player\ Exhaustion=The Player Has To Get -Wing\ used\ by\ %1$s\ set\ to\ %2$s=The wing is used %1$s a set of %2$s -\u00A72\u00A7lCraftPresence\ has\ been\ Rebooted\!=\u00A72\u00A7lCraftPresence came out\! -Pink\ Chevron=Rosa Chevron -Slight\ GUI\ Modifications\ Config=Small GUI Changes to the configuration -Cyan\ Chief\ Sinister\ Canton=The Blue Of The Head Of The Canton To The Left -Small\ Pile\ of\ Tungsten\ Dust=One Of the smallest of the Tungsten Powder -Birch\ Shelf=Birch Cabinet -Download=Lae alla -Volcanic\ Rock\ Slab=The Volcanic Rocks -Smelts\ tough\ metals\ under\ extreme\ temperature=Smells of hard metals at high temperature -Grappling\ Hook=Hook -instead\ but\ Nether\ Strongholds\ will\ still\ be\ active.=instead of the Decline of the Castle is still active. -Parrot\ Spawn\ Egg=Parrot's Spawn Egg. -Eye\ of\ Ender\ shoots=Eye in the end to shoot -Features=Features -$.3fK\ WU=$.3fK WU -Rubber\ Pressure\ Plate=The Rubber Plate -Leather\ Tanner=A Leather Tanner -Cracked\ Amaranth\ Pearl=Broken Purple Pearl -Polished\ Granite\ Ghost\ Block=The Polished Granite-Ghost-Pad -MrMessiah's\ Cape\ Wing=Wing MrMessiah Outside -New\ Configuration\ Data\ for\ CraftPresence\ has\ been\ created\ successfully\!=New Configuration Data CraftPresence successfully created\! -Block\ of\ Iron=A block of iron -Dark\ Prismarine=Dark Prismarine -Apollo=Apolo -The\ Color\ or\ texture\ to\ be\ used\ when\ rendering\ CraftPresence\ Gui\ Backgrounds=From a color or texture to be used for the creation of the Gui CraftPresence -Light\ Blue\ Chief\ Sinister\ Canton=Lys Bl\u00E5, Chief Skummel Canton -Trapdoor\ creaks=The opening is on the rocks -Light\ Blue\ Stained\ Glass=Blue Linssit -Sipping=Drank a little of -Expected\ quote\ to\ start\ a\ string=It is expected a quote to start the string -New\ World=In The New World -Lingering\ Potion\ of\ Healing=The rest of the healing potion -Coal\ Ore=Coal, Iron Ore -$.3fK\ Energy=$.3fK energi -Wither\ dies=Breaking the decayed -Grants\ Slow\ Falling\ Effect=Grants A Slow Fall Effect -Select\ another\ minigame=Please select a different mini-game -Brown\ Snout=Brown Boca -Ceres\ Essentia\ Bucket=Ceres And The Decoction In A Bucket -Stripped\ Jungle\ Log=The Sides Of The Face -+%s%%\ %s=+%s%% %s -Spruce\ Drawer=Spruce Up Your Space -Diamond\ Furnace=Diamant Four -This\ is\ an\ editor\ for\ Patchouli\ book\ entries.\ It's\ meant\ to\ be\ used\ for\ development\ or\ translation.\ There's\ no\ use\ for\ it\ if\ you're\ a\ player.$(br2)Please\ reference\ the\ $(l\:https\://github.com/Vazkii/Patchouli/wiki/Text-Formatting-101)Patchouli\ wiki$()\ for\ usable\ control\ codes.=Is the editor of Patchouli, calendar, phone. It is designed to be used for the development or transfer. Not for it, if you are a player.$(BK2), please contact us $(l\:https\://github.com/Vazkii/Patchouli/wiki/Text-Formatting-101 Wiki p\u00E0txuli $( to use the control code. -Green\ Snout=Green Color -Show\ Subtitles=In Order To See The Subtitles In English. -Advanced\ Keybind\ Settings=In Addition To The Connection Of The Key Parameters -Sort\ Inventory\ In\ Rows=The Type Of The Shares, And In Accordance With -Brown\ Base=Brown Base -Created\ custom\ bossbar\ %s=To create a custom bossbar %s -Tube\ Coral\ Block=Tube Coral Points -You\ can\ later\ return\ to\ your\ original\ world\ without\ losing\ anything.=Later, you can return to your private world, nothing to lose. -Brown\ Wool=Brown Hair -Asteroid\ Asterite\ Cluster=Fat Asterit Kit -Cypress\ Wood\ Planks=Cyprus Is Not So Easy -Netherite\ Leggings=Netherite Dokolenke -Hide\ for\ own\ team=In order to hide their own command -New\ Recipes\ Unlocked\!=Unlock New Recipes\! -Purple\ Bordure\ Indented=Purple Card -Raiders\ remaining\:\ %s=Raiders remain\: %s -Vibranium\ Dust=Vibranium Ashes -Blue\ Chief\ Sinister\ Canton=The Blue Canton Is The Main Bad -Slime\ Sling=Sjov Loop -Fullscreen\ Resolution=In full-screen mode -Blue\ Per\ Fess=Blue, Gold -Scorched\ Planks=Hardened Edge -Double\ must\ not\ be\ less\ than\ %s,\ found\ %s=Accepted, must not be less than %s on %s -Bronze\ Chestplate=Bronzov\u00E9 Chestplate -Univite\ Boots=Univite Batai -Back=In the background -Narrates\ Chat=He Said That In Chat -Magenta\ Base\ Dexter\ Canton=Magenta Znanja Dexter Kantonu -Diesel=Diesel -Traded\ with\ Villagers=To trade with the villagers -Green\ Glazed\ Terracotta\ Camo\ Door=\u053F\u0561\u0576\u0561\u0579-Glazed Terra Cotta \u0534\u0578\u0582\u057C-Camo -Creative\ Mode=A Creative Way -Adjustable\ energy\ storage\nConfigurable=The adjustable energy storage \nThe order of -Quartz\ Plate=Quartz Dosky -Ctrl+V\ to\ paste\ slot\ config.=Ctrl+v slot configuration for input. -Basics=Basic Information -Cave\ Air=The Cave Air -Entities\ with\ scores=The assessment -Gray\ Tent\ Side=Grey Tent In The Vicinity -Display\ Scale=Screen -Blackstone\ Stairs=Blackstone \u039A\u03BB\u03AF\u03BC\u03B1\u03BA\u03B1 -Pack\ Swap=Package For Replacement -Honeycomb\ Brick\ Wall=A Hundredth Of A Brick Wall -Diamond\ Wolf\ Armor=Diamond Armor Of The Wolf -Essentia\ Vessel\ capacity=Tank capacity, essences -Gray\ Per\ Fess\ Inverted=Black, With A Fess On The Back Of The -Title\ Screen=The Display Section -Smooth\ Volcanic\ Rock=The Smooth Volcanic Stones -Magenta\ Concrete\ Powder=Prah V Concrete -Edit\ Profiles=Release Profile -Green\ Per\ Fess=Groene Fess -Make\ a\ sofa\ from\ wool\ and\ sticks.=Make a couch with wool and a stick. -Fire\ Coral=Fire Coral -Spawn\ mobs=Spawn of the crowd -Times\ Mined=A Time To Build -Last\ Death\ Point=The Last Point Of Death -Gui=Gui -Finished=This is the end of the -Blue\ Base\ Sinister\ Canton=The Blue Base Sinister Canton -Down=Down -Single\ Page\ Screen=Websites To View -Default\ is\ 5.\ A\ greater\ range\ will\ scan\ a\ greater\ radius\ of\ leaves\ to\ harvest.=The default value is 5. The larger the scale of the study, the greatest radius of curvature of the leaves of the plant. -Prints\ debug\ messages=Print debug messages -Bells\ Rung=Bells, He -Black\ Futurneo\ Block=Svart Block Futurneo -Potted\ Sakura\ Sapling=In A Mixing Bowl, Sakura, Tree, -Fir\ Kitchen\ Cupboard=FIR Kitchen Cabinets -Asterite\ Dust=Asterite Powder -Piglin\ retreats=Piglin pensions -Set\ the\ custom\ rule\ for\ sort\ in\ rows\ button=To establish its own rules, to order, with stripes, buttons, -Lingering\ Potion\ of\ Regeneration=Long-Term Drinking For Recovery -Cyan\ Base\ Dexter\ Canton=The Blue Canton To The Bottom Of The Importance -Rubber\ Shelf=Rubber Shelves -A\ Keybind\ Error\ has\ occurred,\ Resetting\ "%1$s"\ to\ default\ to\ prevent\ a\ crash...=Pogresno Keybind, "start" desilo "%1$s"by default, to avoid the accident... -Potted\ Cypress\ Sapling=In The Pot-The Cypresses, And Plants -Respawn\ Anchor\ sets\ spawn=The anchor is generated by sets of the spawn -Green\ Asphalt\ Slab=Green Floor Tiles Boards -Oak\ Drawer=Pladenj, Hrast -Setting\ up\ your\ own\ trading\ stations\ is\ very\ simple\!\ Just\ place\ down\ a\ trading\ station\ and\ open\ it.\ On\ the\ left\ side,\ you\ can\ set\ the\ product\ and\ the\ payment.\ The\ inventory\ on\ the\ right\ side\ will\ have\ the\ products\ and\ the\ payments.=Create your own shopping-and becomes very much and very simply\! Simply put, trade-station and then open. On the left side, and you can specify that the goods are or are not paying. The set on the right products and method of payment. -Bricks\ Camo\ Door=Tulla Kamuflazhi Dera -Rocket\ Fuel\ Bucket=Rocket, A Bucket Of Fuel -Brass\ Dust=Rice Powder -Green\ Tent\ Top\ Flat=A Pup Tent, Green On The Upper Surface Of The -There\ is\ no\ biome\ with\ type\ "%s"=This is not a lived experience, a kind of%s" -Stone\ Shore=Stones On The Beach -Bee\ leaves\ hive=The Queen bee leaves the hive, -Entity\ Shadows=Device Shadows -Whether\ Text\ Fields\ should\ allow\ right\ click\ actions.=Whether it's those efforts in the field. -Magenta\ Glazed\ Terracotta\ Pillar=Fuchsia Glaze, Terra Cotta Post -Invalid\ boolean,\ expected\ 'true'\ or\ 'false'\ but\ found\ '%s'=Nepareiza bula, paredzams, ka "true" vai "false", bet neatradu"%s' -Percent=Percent -General\ Settings\ for\ Displaying\ Info=Generelle indstillinger for at f\u00E5 Vist Oplysninger -%1$s\ starved\ to\ death=%1$s how would die of hunger -White\ Lozenge=White Tablet -Ring\ of\ Jump\ Boost=Ring of dragon power -Collect\:\ End\ Stone\ Pillar,\ Quartz\ Pillar,\ Purpur\ Pillar=Going At The End Of The Column Guide, Quartz Purple, Speakers -Entity\ Riding\ Messages=Face, Cycling, Grocery Shopping -Choose\ Page=In Order To Select The Page -Empty\ Pizzabox=Empty Pizzabox -Wheel\ of\ Cheese=A Wheel Of Cheese -Single\ Biome=This Unique Ecosystem -Drowned\ hurts=Push me pain -Electrolyzed\ Water=In Elektroliza On The Water -Beetroots=Peet -Quadruple\ Spruce\ Drawer=\u0160tyri-Spar Box, -Book\ thumps=Paper punches -Respawn\ Anchor=Horgony Spawn -Gave\ %s\ experience\ points\ to\ %s\ players=Given %s experience shows that %s player -Disabled\ friendly\ fire\ for\ team\ %s=Forbidden to attack the team %s -Update\ weather=Tid for oppdatering -Crimson\ Pressure\ Plate=Ketoni Paine -Sheep\ baahs=On BAA sheep old -Umbral\ Wart\ Block=Prag Blok Pe\u010Da\u0107enje -Potion\ of\ Luck=Drink Succes -Endshroom=Endshroom -Builder's\ apparel\ rustles=The manufacturer of the garment, the sound it makes -Observer=The observer -0\ for\ no\ Mineshafts\ and\ 1000\ for\ max\ spawnrate.=0 in some of the mines, and 1000, and the MAXIMUM spawnrate. -Craft\ a\ battery\ box=Since the battery box -Bamboo\ Shoot=BU -Crystalline\ Quartz=Quartz crystal -Bamboo\ Stairs=Bamboo Staircase -Obsidian\ Dust=The Dust Of The Obsidian -Extra\ Creative\ Items=Additional Creative Elements -Charcoal=Tree england -An\ objective\ already\ exists\ by\ that\ name=The object already exists, the name of the -Wandering\ Trader\ disappears=Vaikscioja the Commercial goes away -Upload=Download -Size\ successfully\ detected\ for\ '%s'=All success to find%s' -Pink\ Beveled\ Glass=Pink Beveled Glass -Netherite\ Dust=The Nether Was A Powder -Upload\ limit\ reached=Load limit reached -Other\ Entities=Other People -Rubber\ Wood\ Planks=Rubber, Wood Panels -Soul\ Lantern\ Button=The Light Of The Soul Mouse -Right\ Win=The Real Winner -Blue\ Chevron=Blu Navy Chevron -Green\ Dragon\ Wing=Green Dragon Wing -Adamantium\ Sword=Adamantium Espasa -Data\ mode\ -\ game\ logic\ marker=Mode information and logic games, Ph. -Ruby\ Ore=Ruby Mineral De -Essentia\ network\ processing\ limit=Network client essences waiting to be processed -Fir\ Sapling=The Trees, The Fir -How\ much\ to\ zoom\ further\ in\ when\ the\ cave\ maps\ mode\ is\ active.=How to increase into the cave, the mode tab is active. -Slime\ squishes=Slime squishes -Stone\ Bricks\ Camo\ Door=Stone, Brick, Door -Spider=Spider -Spruce\ Chair=Stol, Gran -Enable\ quick\ crafting=The rapid development -Property\ Value\ for\ "%1$s"\ cannot\ be\ null=The property%1$s"must not be null -Detect\ structure\ size\ and\ position\:=In order to determine the structure, size, and location)\: -Move\ All\ Modifier=All Of The Changes To The Transport -Japanese\ Maple\ Button=Japanese Maple Button -Craft\ any\ upgrade=Craft update -\u00A76Hold\ \u00A7o%s\u00A7r\n\u00A76\ -\ Exclude\ Hotbar=\u00A76Hold \u00A7o%s\u00A7r\n\u00A76 - Delete On The Quick Access Toolbar -Toasted\ Warped\ Fungus=Hard Mushrooms On Toast -Paxelizator\ 3000=Paxelizator 3000 -Subscribe=Sign up -Industrial\ Centrifuge=Industrijske Centrifuge -Redwood\ Table=Redwood Masa -Sunflower=Sunflower oil -Pause\ on\ lost\ focus\:\ enabled=The investigator will focus on the following\: - active (enabled) -Are\ you\ sure\ you\ want\ to\ remove\ this\ server?=Are you sure you want to delete from the server? -Wandering\ Trader\ Spawn\ Egg=Izlazni Podaci Prodavatelja Spawn Jaje -be\ added\ or\ removed=in the add or remove -Limestone\ Brick\ Slab=The Limestone And Bricks, Tiles -Blackstone\ Slab=The Blackstone Council -Basalt\ Cobblestone\ Post=Basalt Rock, Post -Unable\ to\ summon\ entity=You can also summon the entity -%1$s\ was\ killed\ by\ %2$s\ using\ magic=%1$s he was slain from the foundation %2$s the charm of -Enchants\ Color=Enchantment-Barva -Red\ Per\ Pale\ Inverted=The Red, Open, Inverted -Done=Made -Acacia\ Planks=Acacia Lentos -Crate\ of\ Beetroot\ Seeds=In The Case Of Sugar Beet Seed, Of A -Category\ Enabled\:=Category\: -Deal\ fire\ damage=Damage from the fire. -Copper\ Cable=Copper Cable -Minimum\ Zoom\ Divisor=The Minimum Increment In The Separator, Which Consists Of A Pair Of -Adamantium\ Shovel=The Adamantium Lapati -Hotbar=Hotbar -Copy\ Chunk=Copy -Flint\ and\ Steel=Flint and Steel -Enchantability=Enchantability -Are\ you\ sure\ you\ want\ to\ load\ this\ pack?=If you are not sure that you can download this package? -Map\ Selection=The Choice Of The Card -This\ Feature\ is\ not\ supported\ in\ this\ version\ of\ Minecraft=This function is not compatible with this version of Minecraft -Neptune\ Essentia\ Bucket=Cube Neptune Broth -[\ F4\ ]=[ F4 ] -Chicken\ dies=The chicken dies -Polished\ Andesite\ Glass=Hladk\u00E9 Andesite Sklo -Yucca\ Palm\ Boat=Yucca And Palm Trees Boat -Gray\ Asphalt\ Stairs=Gray Asphalt, Stairs -Selection\ Appearance\:=Look Here\: -Asteroid\ Gold\ Ore=The Asteroid Of Gold Ore -Invalid\ list\ index\:\ %s=Invalid list index %s -Page\ %1$s\ of\ %2$s=Page %1$s it %2$s -Lingering\ Potion\ of\ Slow\ Falling=The balance of the wine is slowly Decreasing -Pinned\ Height\ Scale=Fixed Height, Scale, -Llama=Direcci\u00F3n -Common=Common -Cyan\ Pale\ Dexter=Modra, Svetlo, Dexter -1\ for\ spawning\ in\ most\ chunks\ and\ 1001\ for\ no\ spawn.=1 spawn, most of the blocks and 1001 without the respawn. -Birch\ Pressure\ Plate=Birch Drive -Buried\ Treasure\ Map=Buried Treasure Map -Press\ "S"\ to\ quickly\ access\ settings\ of\ a\ selected\ interface.=Press the "S" key, for quick access to the settings of the selected location. -Mineshafts\ Configs=Mineshafts Konfiguration -Fletcher\ works=It is unlikely that this apparently -Brown\ Asphalt\ Slab=Brown Asphalt Plate -Outpost\ Configs=Outpost Configs -Buffer\ overflow=Overflow -Green\ Roundel=Roheline Rondelle -Name\ to\ Identify\ this\ Value=Namely, in order to Determine this Value -Polar\ Bear\ dies=Polar bear dies -Rainbow\ Rainforest\ Mountains=Rainbow And Rainforest In The Mountains -Continue\ Playing\!=Continue To Play\!\!\! -Ingame\ Waypoints\ Scale=The Scope Of The Game -Yellow\ Elevator=Yellow Elevator -Birch\ Table=The Birch In The Table -Unknown\ wing\:\ %s=Nevadaa asa\: %s -The\ Strongest\ Pick=The Most Effective Way -Soul\ Sandstone=\u00C5nd, Sandy -Crimson\ Warty\ Blackstone\ Brick\ Wall=Scarlet Karpomis " Blackstone Sienos -Right\ Click\ for\ more=Zasto not -Christmas\ Chest=Christmas Chest -Industrial\ Electrolyzer=The Industrial Electrolyzer -Hemlock\ Clearing=Hemlock Cleaning -Honeycomb\ Block=Honeycomb Design -Spectator=Viewers -When\ Inactive=When It Is Not Active -Light\ Gray\ Beveled\ Glass\ Pane=The Commission, In Light Gray, To Cut The Glass -Unable\ to\ read\ or\ access\ folder\ where\ game\ worlds\ are\ saved\!=I don't know how to read, or to have access to the folder where your worlds are saved\! -Page\ rustles=The pages are clear -The\ behavior\ of\ the\ zoom\ key.=The behavior of the lock button. -Cinnabar\ Dust=In Cinnabar rights -Comfy\ Sitting=Comfortable Seats -Create\ Filtering\ Rule=To Create A Filter -The\ core\ of\ the\ fusion\ reactor=The Basis Of Fusion Reactor -Parrot\ dies=Papagal die -Stonks=Stonks -Meteor\ Ores=Meteor Rude -Jungle\ Sign=The Forest Of Symbols, -Purple\ Banner=Blue Advertising -Regular=Full -Short\ Grass=Alt Bar -Cyan\ Creeper\ Charge=Blue Creek Kostenlos -Bad\ Omen=A Bad Sign -Too\ Large\!\ (Maximum\:\ %s)=Zelo Kul\! (Max\: %s) -Hidden\ Sun\ Light\ If\ Zero=Secrets Of The Sun-Nothing -Resize\ UI=Change the size of the user interface -Cooked\ Porkchop=Virti Kiauliena Chop -White\ Skull\ Charge=Valge Kolju Valves -Nether\ Sword=The Field Of Swords -Netherite\ Gear=Netherite Tools -Unsorted=Unsorted -\u00A7bPost\ Action=\u00A7bThe Actions Of The Moderators -Gray\ Thing=Hall Asi -Added\ Range=Out Of Range -When\ this\ is\ true,\ using\ hotkey\ sorting\ will\ sort\ the\ slots\ that\ curosr\ is\ pointing\ to.\ Otherwise\ it\ will\ always\ sort\ the\ container.=If this is true, then the use of the context sorting slots is the curosr around a point. Otherwise, there will always be a kind of container for proper disposal. -Multiple\ Errors\:=A Number Of Errors Like This\: -Plugins\ are\ reloading\!=Improving the taste. -Zombie=Zombik -The\ time\ is\ %s=Time %s -Add\ Nether\ Pyramid\ to\ Modded\ Biomes=Add at the bottom of the pyramid, which is the last of the biomes -%sx\ Cucumber=%sCucumber x -Remember=Don't forget to -Switch\ Game\ Mode=Go To Mode Gris -Descend=Origin -Scorched\ Shrub=Burnt Creek -%1$s\ fell\ off\ some\ twisting\ vines=%1$s he dropped a small coil of wires -Brown\ Base\ Indented=Brown's Most Important Features -Adamantium\ Rod=The Adamantium-Stang -Pick\ Block=The Choice Of The Points -Empty\ Booster=Increase Speed -Creeper\ Head=The Creeper Head -White\ Stone\ Bricks=White Stone, Brick -Spooky\ Wing=Ivan Krahut -Vivecraft\ Message=Vivecraft In The News -Green\ Bed=The Green Couch -Writer's=The writer -Default\ (Creative\ Menu)=Standard (Krijuese Menu) -Left\ Pants\ Leg=The Left Leg Of The Pants -Leather\ Pouch=Leather Case -Fox\ Spawn\ Egg=Fox Spawn Egg -Maximum\ Y\ level\ distance\ for\ entities\ until\ they\ are\ no\ longer\ displayed.=The maximum distance at the organizational level, while it already shows. -Minigames=Mini-games -Glass\ Slab=The glass plate -Tin\ Ingot=Toys Wedge -Silverfish\ hisses=Argentine hiss -Refill\ foods=Filling meal -Team=Team -Use\ a\ Totem\ of\ Undying\ to\ cheat\ death=Use the totem of the Immortal and cheat death -Horse=The -Add\ RS\ dungeons\ to\ modded\ biomes\ of\ same\ categories/type.=For the more eccentric of the RS mod and the east in the same category/type. -LV\ Transformer=LV-transformer --\ Left\ click\ to\ configure\n-\ Right\ click\ to\ reset\ to\ defaults=\ Right-click the mouse on the left to install\n- Press the reset button on the initial values -Quit=Play -Infested\ Mossy\ Stone\ Bricks=Teaming With Moss-Covered Stone Bricks -Game\ State\ Message\ Format=The State Of The Game, The Format Of The Message -Minigame\:=The game\: -REI\ Compat=Rei kompatibilnost -Phantom=Ghost -Unknown\ function\ tag\ '%s'=Unknown sign in function '%s' -Gray\ Per\ Bend\ Sinister\ Inverted=Grey, On A Bend Sinister Inverted -Yellow\ Pale\ Dexter=- Yellow Light-\u0414\u0435\u043A\u0441\u0442\u0435\u0440 -Editor=Editor -Rubber\ Table=The Rubber Mass Of The -Orange\ Saltire=Orange SS. Flagge Andrews -Magenta\ Glazed\ Terracotta\ Glass=And The Purple-Glazed Terra-Cotta, And Glass -State\:\ %s=Status\: %s -Smooth=Smooth -Diamond\ Spear=Diamond Sword -Netherrack\ Camo\ Door=A Fan Of Stone Doors, Black -The\ divisor\ applied\ to\ the\ FOV's\ zoom\ multiplier.=The dealer is part of a longer use of the field of view to increase the multiplier. -Destructopack=Destructopack -A\ machine\ which\ produces\ $(thing)energy$()\ infinitely.=The machines of the product $(Thing)the power$() to infinity. -Minimum\ Y\ height.\ Default\ is\ 3.=The minimum Y-number. The default value is 3. -There\ are\ no\ custom\ bossbars\ active=No hi ha Cap acte bossbars activa -Right\ Click\ Actions\:=Click On The Actions Button\: -Bamboo\ Block=Bamboo Group -Polished\ Blackstone\ Bricks\ Glass=Blackstone-Polished Glass, Brick -Hide\ for\ other\ teams=Hiding behind the other teams, with the -White\ Stained\ Glass=The White Glass In The Middle Of The -Potted\ Dark\ Oak\ Sapling=Plants Sapling Dark Oak -Invar\ Dust=Dust -Could\ not\ put\ %s\ in\ slot\ %s=I don't want to %s spilleautomat %s -Removed\ %s\ from\ %s\ for\ %s\ entities=Skinite %s which is %s for %s unit -difficulty,\ and\ one\ life\ only=it is a difficult one, and the one and only -Redwood\ Coffee\ Table=Mahogny Edge -Potted\ Lilac=Throw Lilac -\ \n\u00A77Press\ %s\ to\ add\ this\ to\ favorites.=\ \n\u00A77Click %s add to favorites. -Minimum\ Y\ height.\ Default\ is\ 2.=The Minimum elevation change\: the Default setting is 2. -Building\ terrain=The building on the ground -Light\ Blue\ Glazed\ Terracotta\ Pillar=The Light Blue Tiles Of The Spine -Minimap\ Settings=The Settings Of The Minimap -Fir\ Coffee\ Table=Candles Coffee Table -Orange\ Shulker\ Box=The Orange Box, Shulker -Cyan\ Bend\ Sinister=Azul Bend Sinister -Chrome\ Plate=Krom Plade -Lord\ of\ The\ End=The tale of the end of -Slime\ Spawn\ Egg=Lyme Spawn Egg -Chorus\ Flower=[Chorus] The Flower -Percentage\ of\ Stonebrick-styled\ Strongholds\ is\ Silverfish\ Blocks.=The proportion of the older version-the style in the Cities is a Silverfish Block. -White\ Concrete\ Camo\ Door=The Cement Is White, And Lying Cover -Dusts=Does not collect dust -Cat\ eats=The cat is eating -Horn\ Coral\ Fan=Horn Coral Fan -Cyan\ Saltire=Turquoise Casserole -Show\ Current\ Dimension\ in\ Rich\ Presence?=The Actual size of the wealth? -Always=All -Minecart\ with\ Chest=Minecart rinnassa -Determines\ whether\ the\ in-game\ editor\ or\ the\ system's\ default\ text\ editor\ will\ be\ used\ to\ edit\ notes.=For \u0442\u043E\u0432\u0430, in order to define whether it is a \u0440\u0435\u0434\u0430\u043A\u0442\u043E\u0440 the b-game, or by \u043F\u043E\u0434\u0440\u0430\u0437\u0431\u0438\u0440\u0430\u043D\u0435 the \u0441\u0438\u0441\u0442\u0435\u043C\u0430\u0442\u0430 the processing of the texts to be \u0438\u0437\u043F\u043E\u043B\u0437\u0432\u0430 to \u0440\u0435\u0434\u0430\u043A\u0442\u0438\u0440\u0430\u043D\u0435 the \u0431\u0435\u043B\u0435\u0436\u043A\u0438. -Continuous\ Crafting=To Continue The Craft -Not\ a\ Mjolnir\ but...=Isn't Mjolnir, but... -Overlay\ Render\ Layer=Application In One Coat Below -Capacity\:\ =Effect\: -Multiplayer=Multiplayer -Trinkets=Costume jewelry -Snow\ Dungeons=Neve Dungeon -Produces\ energy\ from\ the\ burnables\nWorks\ with\ what\ you\ would\ normally\ use\ to\ fuel\ a\ furnace=For the production of energy from burnables\nIt works with the one that is commonly used as fuel for the oven -Cyan\ Bordure=Blue Edge -Display\ Items=Exhibitions -Collect\:\ Ender\ Transmitter=Collection\: End Of Transmission -Brown\ Lawn\ Chair=A Brown Lawn Chairs -Green\ Lawn\ Chair=Green Chair Polyana -This\ is\ a\ guide\ on\ how\ to\ cook\ the\ different\ dishes\ added\ by\ Delicious\ Dishes.\ We\ have\ dishes\ of\ many\ countries\ including\ Germany,\ Italy,\ USA,\ Britain,\ and\ many\ more\!=It's a reminder of how to cook a variety of products and delicious food. What is food in many countries, including Germany, Italy, USA, UK and many others\! -Clouds=Clouds -Pine\ Button=Button Top -Changed\ title\ display\ times\ for\ %s\ players=It was changed to the name to show for the times %s players -Gravel\ Ghost\ Block=Gravel Barriers In Your Head -Magenta\ Table\ Lamp=Red Reading Lamp -Acacia\ Trapdoor=Luke Acacia -Continue=Continue -Witch\ giggles=\u053E\u056B\u056E\u0561\u0572 witch -Adamantium\ Ingot=Ingot Of Adamantium -Brown\ Gradient=Brown Gradient -Master\ Volume=Captain Tom's -Craft\ an\ electric\ alloy\ smelter=Craft alloy electric oven -Set\ %s\ for\ %s\ entities\ to\ %s=The kit %s the %s The Man %s -A\ cable\ which\ transports\ $(thing)energy$();\ no\ buffering\ or\ path-finding\ involved.=The cable that carries it $(Something), Energy$(); this does not change the quality of the coffee, the route finding is involved. -Sulfuric\ Acid=Sulfuric acid -Jungle\ Planks\ Camo\ Trapdoor=Camouflage Gungate, The Point Of The Bow -LibGui\ Settings=LibGui Settings -S'more=Mere -Showing\ new\ title\ for\ %s\ players=To specify the name %s hulcy -Dark\ Oak\ Trapdoor=Zemna Oak Zvery -Light\ Blue\ Skull\ Charge=Open Charging, Blue Skull -Aglet=Tip shoelaces -Polished\ Diorite\ Ghost\ Block=Polished \u0414\u0438\u043E\u0440\u0438\u0442 Block The Spirit -Basic\ Settings=The Most Important Parameters -Diorite\ Slab=Government -Silicon=Silicon -Pine\ Shelf=Pine Shelves -The\ functionality\ might\ not\ be\ final.=De blog was dood. -World\ options=The world's choice -Christmas\ Tree\ Wing=Christmas Tree Wing -Showing\ new\ subtitle\ for\ %s=To come up with new titles for the %s -Brown\ Paly=Light Brown -You\ need\ a\ custom\ resource\ pack\ to\ play\ on\ this\ realm=If you have a custom package of resources to play in this area -Tungsten\ Pickaxe=Tungsten Kirk -Quartz\ Pillar\ Glass=Watch The Pillars Of Glass -Auto\ Refill\ Wait\ Tick=Autocomplete Wait, Tick -Nether\ Soul\ Temple\ Spawnrate=In The Emptiness Of The Soul, The Temple Spawn Rate -No\ Effects=Not The Effect -%s\ cannot\ support\ that\ enchantment=%s no, the spell can help -Brown\ Pale=Light brown -%1$s\ was\ stung\ to\ death=%1$s he was crushed to death -Premium\ Hoe=The Premium Dig -Started\ debug\ profiling=Debug queue started -C418\ -\ chirp=C418 - chirp -Reach=To achieve -Ring\ of\ Dolphin=Ring Dolphin -Stopped\ debug\ profiling\ after\ %s\ seconds\ and\ %s\ ticks\ (%s\ ticks\ per\ second)=Stopped debugging, modelled after the %s seconds %s tick (%s ticks per second) -Distance\ To\ WP=The distance of the WP -Rope\ Bridge\ Post=Lano Most Vstup -Purple\ Topped\ Tent\ Pole=The Purple Tent Side Of The Top Flush -Crystal\ Emerald\ Furnace=Crystal Emerald Oven -%1$s\ blew\ up=%1$s explode -Road\ Barrier=Obstacles In Your Way -Campfire=Campfire -+%s\ %s=+%s %s -Hidden\ Hud=Hidden In The Skin -Gray\ Inverted\ Chevron=Siva Obrnuti Chevron -Arrow\ hits=Dart hit -Data\ Loader=Data Loader -Potted\ Lime\ Lily=A Vessel Of Lime Lily -Red\ Lozenge=The Red One -Coniferous\ Wooded\ Hills=De Skogkledde \u00C5sene I Coniferous Wood -Orange=Orange -One\ of\ your\ changed\ options\ requires\ Minecraft\ to\ be\ restarted.=This is one of the possibilities, new needs Minecraft to be restarted. -Granted\ criterion\ '%s'\ of\ advancement\ %s\ to\ %s=Policy%sprogress %s for %s -Light\ Blue\ Bed=The Blue Light On The Bottom -Pink\ Chief\ Indented=Pink Chief Indented -Potted\ Yellow\ Autumnal\ Sapling=Can You \u017Dut Autumn Drvo -Rainbow\ Eucalyptus\ Sign=Eucalyptus Rainbow-Sign -What\ surrounds\ one.=I have been around a long time. -Nitrofuel=Nitrofuel -Iron\ Sword=Iron Sword -Insane\ to\ Extreme\ energy\ tier=Crazy extreme energy levels -Reload\ Cts=The Fees Of The Ccc -Endermites\ (Irreality\ Crystal)=Endermites (Irreality Kristall) -Chunk\ borders\:\ hidden=Protege the border, skrivena camera -Iron\ armor\ clanks=And Clank armour Iron -Ceremonial\ Knife=The Ceremony Of The Knife -Shulker\ Bullet=Shulker, You -Industrial\ Drill=Industrial Drill Bits -Sulfur\ Quartz\ Pillar=Quartz Movement Is A Pillar Of Sulphur -Enchanted\ Golden\ Apple=Enchanted Zalatoe Ableg -Dark\ Oak\ Log=Dark Oak Log -Carbon\ Mesh=C-Eye -Uses\ scrap\ and\ energy\ to\ churn\ out\ UU\ matter=Using scrap and energy to continue to create the transaction (P -Dissolution\ Chamber=With The Dissolution Of The House Of -French=Frans -Smooth\ Smoky\ Quartz=Flat Metal Metal -No\ Results=No Results -Lighter\ Button\ Hover\:=It's Going To Be Easier For You To Place Your Mouse Cursor Over The "Reset" Button. -Removed\ %s\ schedules\ with\ id\ %s=For it to be removed %s Programs with the id of the %s -Gold\ Plating=Gold plated -Rope=String -Asteroid\ Galaxium\ Cluster=It's Galaxium Controls -Cursed\ Lasso=Cholera Lasso -Black\ Terracotta\ Camo\ Trapdoor=Black And Terracotta, Camo Hatch -A\ bomb\ capable\ of\ devastating\ destruction,\ terminating\ all\ life-forms\ in\ the\ process.=The Bomb, which can destroy, the destruction, the elimination of all forms of life in the process. -Netherrack\ Dust=Netherrack Dust -Craft\ an\ adamantium\ paxel=Craft an adamantium paxe sur -Roof=Car -Craft\ an\ adamantium\ pickaxe=Razvoj sjekirom, Adamantite -Swamp\ Village\ Spawnrate=The Game Swamp People -Red\ Per\ Bend\ Sinister\ Inverted=Red Bend Male Capovolto -Jungle\ Trapdoor=Jungle-The Hatch -Give\ Me\ Hats\!=Let Me Kapeluszy\! -Change\ Screen\ Type=The Change In The Type Of -Preparing\ your\ world=Get ready for the world -Chopped\ Onion=Finely Sliced Onions -Emerald\ Dust=Esmeralda After -\u00A77\u00A7o"America's\ favorite,\ deadliest\ bird."\u00A7r=\u00A77\u00A7o"America's favorite, nejsmrteln\u011Bj\u0161\u00ED the bird."\u00A7r -Superflat\ Customization=Superflat Settings -Snowy\ Tundra=The Snow-Covered Tundra -3x3\ (Fast)=3x3 (Speed) -Scroll\ Lock=A Key To Lock -Blue\ Per\ Pale=Light M -Damage\:\ %s=Loss\: %s -Sleeping\ Bag=Sleeping bag -Smooth\ Stone\ Camo\ Door=Smooth Polished Stone, The Doorstep, As -Mooshroom\ gets\ milked\ suspiciously=Mooshroom is, after a suspicious -Crunchy\ Taco=Crispy Tacos -Allow\ Silverfish\ Spawners=This Allows The Silverfish Cave -Entity\ Distance=The Object In The Distance -Pyrite\ Dust=Pyrite Prah -Golden\ Leggings=Gold Leggings -Ender\ Chests\ Opened=Ender Chests Open -Fire\ Charge=The Cost Of The Fire -The\ tooltip\ to\ use.\nVanilla\:\n\ The\ vanilla\ tooltip\ (shows\ the\ first\ 5\ items)\nModded\:\n\ The\ mod's\ tooltip\nNone\:\ No\ tooltip=The instructions for use.\nVanilla\:\n Vanilla the tip (which shows the first 5 points)\nModded\:\n Mode tips\nNot\: note -Switch\ Weather=The Key There Is A Very Long Time, In Spite Of The Fact That The -Invited=Visit -Craft\ a\ scrapboxinator=Brod, scrapboxinator -Distance\ to\ entity=The distance to the object -Stripped\ Warped\ Stem=Removed From The Tribe Swollen -Move\ with\ %s,\ %s,\ %s\ and\ %s=To move to the %s, %s, %s and %s -Magenta\ Shield=The Purple Shield -You\ may\ not\ rest\ now;\ there\ are\ monsters\ nearby=There you can relax, nearby are the monsters -Rubber\ Drawer=Rubber Box -Attack\ Speed\:\ %s=Speed On The Attack\: %s -Stonecutter\ used=Mason-pou\u017E\u00EDv\u00E1 -Transportation=Transport -Green\ Per\ Pale=The Green Light -Used\ to\ grow\ Flonters.=Used for the cultivation of Flonters. -Ocean=The sea -%1$s\ removed\ their\ wings\ but\ couldn't\ withstand\ the\ pain=%1$s removed the wings, but couldn't stand the pain -Lime\ Inverted\ Chevron=La Cal\u00E7 Invertida Chevron, -Selling=Sales -Crimson\ Coffee\ Table=Raspberry And Coffee On The Table -Pumpkin\ Seeds=The Seeds Of The Pumpkin -Backed\ up\:\ %s=Backup\: %s -Take\ Book=Take On Books -Painting\ placed=The picture on the site -Targets\ Hit=The Goal Here -Bubble\ Coral=The Bubble Coral -Lime\ Per\ Fess\ Inverted=Reverse Fess Lime -Use\ "@p"\ to\ target\ nearest\ player=Use "@p" to target nearest player -Willow\ Chair=The Vice-president of the -Invalid\ long\ '%s'=For too long%s' -Blue\ Terracotta=Blue, Terracota -Shepherd's\ Hat=The shepherd's Hat -Birch\ Forest\ Hills=Maple Forest Hills -Shovel\ flattens=Shovel moisturizes the skin -Primary\ Power=Key Performance Indicator -F3\ +\ C\ is\ held\ down.\ This\ will\ crash\ the\ game\ unless\ released.=To F3 + c. This leads to the collapse of the game, and if it is released. -Asterite\ Pickaxe=Asterite Choose From -Vibranium\ Soup=The Soup Of Vibranium -Green\ Asphalt\ Stairs=The Green Asphalt Of The Stairs -Invalid\ IP\ address=The IP address is no longer valid -Generation\ Rate\ Night=A Percentage Of The Evening -Generate\ the\ Broken\ variance\ of\ Core\ of\ Flights=Create a break in the spread of the most important, you want to -Fox=Forest -Willow\ Leaves=The Leaves Of The Willow -A\ machine\ which\ produces\ a\ specified\ $(thing)item$()\ infinitely.=Please make sure that your device produces $(this article$( for an indefinite period of time. -Bee\ hurts=Bol have utrobe -Foo=Foo -Yellow\ Concrete=Yellow Clothes -End\ Stone\ Pillar=End Stone Column -Have\ every\ potion\ effect\ applied\ at\ the\ same\ time=Their drink be applied simultaneously -Next\ Category=The Next Category -Zombie\ Horse\ dies=The zombie horse to death -Who\ is\ Cutting\ Onions?=Who is cutting onions? -Creative\ Tank=A Creative Mailbox -Magenta\ Chief\ Dexter\ Canton=Magenta Chief Dexter Canton -Zombie\ Doctor=Zombie Medical -Cyan\ Glazed\ Terracotta\ Camo\ Trapdoor=A Blue-Glazed Terracotta Tiles Is Hiding In The Back Of Their Front Door -Gray\ Glazed\ Terracotta=Glazed Tile-Slate Grey -Distance\ Sprinted=Distance De Course -Sort\ by\ Count=Order number -Pumpkin\ Patch=Hotels -Blue\ Base\ Gradient=Blue Base Gradient -Vein\ Count=The Spirit Of The Count -Light\ Blue\ Per\ Bend\ Sinister\ Inverted=Light Blue Bend Sinister Inverted -\u00A7c\u00A7lUnknown\ Command\ -\ use\ \u00A76\u00A7l/craftpresence\ help=\u00A7c\u00A7lDon't know the command to use \u00A76\u00A7l/craftpresence to help -Lime\ Per\ Bend=The Cement Of The Corner -Package=Package -Light\ Blue\ Redstone\ Lamp=Lys Bl\u00E5 Lampe Redstone -Netherite\ Sword=Netherite MAh -Red\ Pale\ Sinister=Red, Light, Bad -Text\ Background=The Text In The Background -Use\ Preset=The Use Of The Above -Minecon\ 2011\ Cape\ Wing=The Wing Of The Minecon 2011 Cape -Dropped\ %s\ items=Falls %s elements -Pink\ Elytra\ Wing=Rk-De-Rosa Elytra Sparnus -Minecart\ with\ Command\ Block=Minecart with Command Block -Sticky\ Situation=Sticky Situation -Cyan\ Bed=Zila Gulta -Replaces\ vanilla\ dungeon\ in\ Swamp\ biomes.=Replaces all vanilla dungeon in the swamp biome. -Show\ bounding\ box\:=The window displays the disclaimer\: -Dead\ Bubble\ Coral\ Wall\ Fan=Dead Bubble Coral, Which Can Be Mounted On The Wall Fan -Donkey\ neighs=The donkey laughs -VanillaDeathChest\ client-sided\ configuration\ reloaded\!=VanillaDeathChest buyer, in the configuration for free\! -Small\ Pile\ of\ Lazurite\ Dust=A Small Pile Of Lazurin Powder -White\ Fess=White Gold -Iron\ Alloy\ Furnace=Aluminium, Iron, Furna -Bronze\ Boots=Bronca Cipele, -Purple\ Chief\ Indented=Purple Head Removal -Creatures=Creatures -Cursor\ Coordinates=The Coordinates Of The Mouse Cursor -Do\ you\ want\ to\ copy\ the\ following\ mods\ into\ the\ mods\ directory?=Want to add another mod into the mods folder? -Ring\ of\ Slowness\ Resistance=Ring Langsom Modstand -Tiny\ Potatoz=A Kis Potatoz -Oak\ Kitchen\ Counter=Oak Worktops -Floaty\ Hat=A -(Made\ for\ a\ newer\ version\ of\ Minecraft)=This is a newer version of Swimming) -Used\ to\ pickle\ cucumbers.\ Can\ be\ done\ by\ filling\ with\ water,\ placing\ cucumbers\ inside,\ and\ placing\ salt\ in\ the\ water.\ Cucumbers\ will\ pickle\ after\ roughly\ one\ minute.\ Can\ be\ broken\ while\ pickling\ to\ save\ the\ state\ of\ the\ jar,\ and\ can\ be\ used\ to\ store\ pickled\ cucumbers\ in\ style.=It is also used to make a cucumber. This can be done by filling it up with water, place the egg in a plane, and the position of the salt in the water. The cucumbers will be pickles about it. It can be broken, and is done in order to save the state of the Bank, and can be used for the storage of the pickles in style. -Sakura\ Wood\ Stairs=Sakura Wooden Stairs -Block\ Loot\ Drop=Recovery System \u010C\u00EDslo -Set\ spawn\ point\ to\ %s,\ %s,\ %s\ in\ %s\ for\ %s\ players=Vennligst point lager %s, %s, %s in the %s in %s play -Hide\ from\ Player\ List=Hide the Player from the List -Brown\ Shield=The Brown Dial -Oak\ Sign=The Characters Of Oak -Looking\ At=Looking for -Baby\ Backpack=Kids backpack -Fox\ angers=Fox, I Don't -Takes\ your\ unwanted\ materials\ and\ recycles\ it\ into\ scrap=Topdressing or material escolha, e isso or transforms em sucata -Sorter=View -Hemlock\ Sign=Hemlock Characters -Weeping\ Vines=Jok Trte -Tungstensteel\ Plate=Tungstensteel Betaling -Magenta\ Per\ Fess\ Inverted=A Purple One With Gold On Its Head -Hot\ Tungstensteel\ Nugget=Nxeht\u00EB Tung Sten Steel Vegas -Use\ Default=If You Want To Use The Default -Green\ Glazed\ Terracotta=The Green Glass Tiles -Woodland\ Mansion\ Chests=The Forest And The Manor, And In The Chest Of The -Max\ distance=The maximum distance from the -"Classic"\ makes\ the\ mod\ imitate\ OptiFine's\ zoom.=You can simulate a "classic", which allows you to zoom-in mod in Optifine. -Rose\ Bush=Rose Bush -Generating\ world=Generation world -Append=Device -Orange\ Pale\ Sinister=Orange Pale Sinister -Yellow\ Shield=The Yellow Shield -Landing\ text\!\ It\ even\ supports\ $(2)colors$()\ and\ $(4)the\ $(bold)like$()\!=Landing text\! It even supports $(2)color$( and $(4) $(the text in bold) $()\! -30k\ Water\ Coolant\ Cell=30K for the cooling water of the cell -Crystinium=Crystinium -Medium=Media -Diamond\ Hoe=Diamant Hakke -Stone\ Pressure\ Plate=Stone Pressure Plate -Spruce\ Pressure\ Plate=Fir Pressure +#Mon Feb 22 08:46:21 CET 2021 += +Get\ a\ Recycler=Get a Recycler +Cypress\ Post=Cypress Post +\nHow\ rare\ are\ Birch\ Villages\ in\ Birch\ biomes.=\nHow rare are Birch Villages in Birch biomes. +Shulker\ bullet\ breaks=Shulker ball to be destroyed +Minimum\ Linear\ Step=Minimum Linear Step +\nHow\ rare\ are\ Warped\ Village\ in\ Warped\ Forest\ biomes.=\nHow rare are Warped Village in Warped Forest biomes. +Emit\ Redstone\ while\ item\ is\ crafting.=Emit Redstone while item is crafting. +Giant\ Taiga\ Village\ Spawnrate=Giant Taiga Village Spawnrate +Willow\ Boat=Willow Boat +Gray\ Topped\ Tent\ Pole=Gray Topped Tent Pole +Each\ time\ the\ party\ completes\ a\ quest\ that\ set\ of\ rewards\ is\ assigned\ to\ a\ player.\ This\ player\ is\ the\ only\ one\ that\ can\ claim\ the\ rewards.=Each time the party completes a quest that set of rewards is assigned to a player. This player is the only one that can claim the rewards. +Cyan\ Rose=Cyan Rose +Arrow=OK +Blue\ Color\ Value=Blue Color Value +\u00A77\u00A7o"Worn\ by\ the\ best\ mapmakers\ of\ Minecraftia."\u00A7r=\u00A77\u00A7o"Worn by the best mapmakers of Minecraftia."\u00A7r +Stripped\ Mahogany\ Wood=Stripped Mahogany Wood +Gray\ Patterned\ Wool=Gray Patterned Wool +\u00A77\u00A7o"Does\ not\ explode.\ I\ promise."\u00A7r=\u00A77\u00A7o"Does not explode. I promise."\u00A7r +Chiseled\ Purpur=Chiseled Purpur +'=' ++=+ +,=, +Endorium\ Sheetmetal=Endorium Sheetmetal +-=- +Pink\ Asphalt\ Stairs=Pink Asphalt Stairs +Brown\ Terracotta=Brown Terracotta +.=. +/=/ +Click\ to\ complete\ quest=Click to complete quest +Ametrine\ Sword=Ametrine Sword +Toggle\ Minimap=Toggle Minimap +A\ post\ with\ a\ platform\ on\ top=A post with a platform on top +Data\ Required\ for\ Tier\:\ Advanced=Data Required for Tier\: Advanced +;=; +<=< +\==\= +>=> +An\ edible\ version\ of\ the\ Warped\ Fungus,\ obtained\ by\ toasting\ one.\ Can\ be\ sliced.=An edible version of the Warped Fungus, obtained by toasting one. Can be sliced. +Dark\ Oak\ Planks\ Camo\ Door=Dark Oak Planks Camo Door +A=A +B=B +C=C +Allows\ passage\ to\ entities=Allows passage to entities +E=E +Default\ Icon=Default Icon +I=I +Black\ Bundled\ Cable=Black Bundled Cable +Purple\ Elytra\ Wing=Purple Elytra Wing +Enable\ Mob\ Speed=Enable Mob Speed +Data\ Collection=Data Collection +Spruce\ Planks\ Camo\ Trapdoor=Spruce Planks Camo Trapdoor +Dwarf\ Coal=Dwarf Coal +N=N Cloaking\ Device=Cloaking Device -Increase\ energy\ store=The increased energy storage. -Pink\ Tent\ Top\ Flat=The Tent Is Pink In Color, The Top Is Flat -Closing\ the\ realm...=Closer to the ground... -Asteroid\ Stone\ Slab=Asteroidi rock -%1$s\ died=%1$s he died -Stone\ Camo\ Door=In Order For The Door To Be Opened, Completing A -Make\ an\ adamantium\ ingot\ with\ adamantine\ and\ vibranium=Yes bi wedge adamantium and vibranium sa Diamantina -Good\ luck=Good luck -Pine\ Table=Pine Table -Orange\ Terracotta=Orange, Terra Cotta -Illusioner\ hurts=Search of the truth is hurt -Zoom\ Scrolling=Zooming, Scrolling, -Remove=To remove -Change\ HUD\ mode=Changes -Holiday\ Drops=I Hear On A Holiday -Allium=Garlic -White\ Base=White Background -White\ Wool=Vovna -Yellow\ Inverted\ Chevron=Yellow Inverted Chevron -Current\ Tag\ Placeholders\ ->\ %1$s=Tag Joint Meeting> %1$s -Shattered\ Savanna\ Plateau=Part Of The Plateau Savanna -Clay\ Ghost\ Block=Duh Blok Gline -Wandering\ Trader=Idevice At The Dealer -Dark\ Oak\ Planks\ Ghost\ Block=Dark Oak Dosky Awards In The Spirit Of The Unit -Remember\ the\ checkbox\ value\ or\ set\ it\ next\ time\ of\ opening\ screen=Can't remember the values, or enter the path to open the -Enabled\ trigger\ %s\ for\ %s\ entities=The trigger value %s for %s Operators -Diamond\ SuperAxe=Diamant-SuperAxe -There\ are\ no\ members\ on\ team\ %s=None of the members of the team %s -Game\ Menu=The Game Menu -Red\ Terracotta\ Camo\ Door=Red, Terracotta Door Camo -Giant\ Taiga\ Village\ Spawnrate=See Spawnrate Hiiglane Taiga Inimesi -Fantasy=Fantasy -Mason\ works=Mason works for -Spruce\ Step=+ It Is Up -Clownfish=Clown fish -Can't\ deliver\ chat\ message,\ check\ server\ logs\:\ %s=You are not able to deliver your message in the chat, and check out the server logs\: %s -Distance\ Fallen=Decreased Distance -Flying\ is\ not\ enabled\ on\ this\ server=The fights are banned from the server -Light\ Blue\ Flower\ Charge=Light, Energy, Flower, Blue -Controls\ whether\ loot\ chests\ spawn\ or\ not\ in\ the\ Stronghold.=Rob coffin to spawn or decide inside the castle. -Llama\ bleats\ angrily=Vzroki balidos od ljutito -Remote=By far the -This\ is\ your\ last\ day\!=It's the last day\! -Display\ Redstone=Vista La Redstone -Break\ Fully=Absolutely Will Not Break -Prismarine\ Wall=Prismarine Seina -Invert=Turn -Diamond=Diamond -Potted\ Cactus=Built-in -Cursed\ Droplets=Damn Drops -Cart\ at\ [%s,\ %s,\ %s]\ selected\ as\ parent\!=For [%s, %s, %s] he was elected as a parent\! -Strider\ retreats=Outside pension -Peridot\ Boots=Shoes Peridot -Minecon\ 2016\ Cape\ Wing=Minecon 2016 Green Wing -Hacked\ Sandwich...\ ?=In Order To Get Out Of The Sandwich.? -S'more\ than\ a\ Treat=More than one treatment -Cannot\ mix\ world\ &\ local\ coordinates\ (everything\ must\ either\ use\ ^\ or\ not)=You can't mix the world and the local coordinates (all of which you need to use ^ or, not) -Category=Tags -Foodstuffs=Products -Iron\ Ingot=Iron Blocks -%s\ generated/tick=%s this is created by/cross -Mooshroom\ Spawn\ Egg=Mooshroom ?????????? Caviale -Adorn+EP\:\ Kitchen\ Counters=Style+place\: kitchen and bathroom counters -Reset\ Keys=Buttons Remove -Configure\ realm=Configure kingdom -Item\ Frame\ empties=Frame of the cleaning -Rainbow\ Eucalyptus\ Fence=Rainbow Eucalyptus Coverage -Mossy\ Volcanic\ Cobblestone\ Slab=Mossy Volcanic Cobble Tiles -Unable\ to\ Detect\ any\ Usable\ Icons\!\ Please\ Submit\ a\ Mod\ Issue,\ if\ this\ is\ a\ mistake=In an effort to Find a good Show. Share, please, this Way is the question of whether it is a bug -Custom\ bossbar\ %s\ has\ changed\ value\ to\ %s=A custom bossbar %s changed price %s -Birch\ Forest=Forest Beech -Enable\ Detection\ for\ Twitch/Curse\ Manifest\ Data?=The ability to determine, at
date/curse manifested? -Hydrogen=The hydrogen -Yellow\ Flat\ Tent\ Top=Directa Groc Bimini Top -Creative\ Tabs=Creative Bookmarks -Ceres=Ceres -Chiseled\ Diorite\ Bricks=Sharp Brick, Diorite -Acacia\ Kitchen\ Sink=Acacia Of The Shell -Mason=Hi -Dead\ Brain\ Coral\ Block=A Dead Brain Coral Block -Border\ Color=Border Color -Light\ Blue\ Base\ Dexter\ Canton=The Light Blue Base Dexter Canton -Energy\ Change=The Energy Change -Andesite\ Post=Andesito E-Mail -Sine=A Sine Wave -Space\ Suit\ Helmet=Costume Helmet -Vibranium\ Leggings=Vibranium Leggings -Removed\ %s\ from\ the\ whitelist=To remove %s white list -Green\ Terracotta\ Ghost\ Block=The Green, Terra-Cotta, Of The Spirit Of The Construction -White\ Patterned\ Wool=It Was White With Designs In Wool -Small\ Pile\ of\ Saw\ Dust=A small Pile of sawdust -Growing\ the\ world\ border\ to\ %s\ blocks\ wide\ over\ %s\ seconds=The increase in light %s blokovi Shire %s seconds -Toggled\ downfall=Falls, on -Jungle\ Button=Button Jungle -Rubber\ Log=Gummi Log -Mule\ Spawn\ Egg=The Mule Spawn Egg -Mercury\ Essentia=Mercure Copyr -Ravager\ Spawn\ Egg=Demolishers Spawn Eggs -Light\ Blue\ Carpet=The Light Blue Of The Carpet -Stripped\ Scorched\ Hyphae=To Deprive To Burn The Mycelium. -Magma\ Cube=Magma Kub -Fan=Fan -Language\ translations\ may\ not\ be\ 100%%\ accurate=The translation may not be 100%% exactly -Panel\ obstructed\ from\ sky=The commission was shut down out of the sky, -Spread=Propagation -Nitrocoal\ Fuel=Nitrocoal Gorivo -Bacon=Bacon -yes=So -Hero\ of\ the\ Village=The Hero Of The Village -Checking\ for\ valid\ Curse\ Manifest\ Data...=See to it that the Curse of the acts of the apostles, according to the Data... -Splash\ Uncraftable\ Potion=The Wave Of Alcohol That Can Be Used In The Preparation -Encrypting...=Encryption... -Deep\ Lukewarm\ Ocean=Deep, Warm Sea -Stripped\ Oak\ Log=Devoid Of An Oak Log -Invalid\ unit=Incorrect block -Use\ "@a"\ to\ target\ all\ players=The use of the " @ " is the goal of all members of the -Include\ hotbar\ without\ holding\ the\ modifier\ key\ (then\ holding\ the\ modifier\ key\ is\ to\ exclude\ hotbar)=The key to conversion without the hotbar (i.e. the key hotbar, you need to convert the left)includes -Potted\ Red\ Mushroom=The Pot For The Red Mushroom -Cyan\ Tent\ Side=The Yellow Tent On The Side Of The -The\ maximum\ height\ of\ a\ pinned\ note\ relative\ to\ the\ screen's\ height.=The maximum amount of the attached note in relation to the height of the screen. -Nether\ Bricks=Sub-Murstein -Brown\ Dye=Brown -CraftPresence\ -\ Available\ Dimensions=Craft Presence Sizes Are Available -Mars\ Essentia\ Bucket=Mars, A Bucket Of Water -Birch\ Platform=Koivu Forum -Unbreaking=Unbreaking -Monsteras=Instagram -Polished\ Blackstone\ Brick\ Wall=Polished Blackstone Wall -Acacia\ Chair=The President Of Acacia -%1$s\ was\ impaled\ by\ %2$s\ with\ %3$s=%1$s va ser pierced %2$s with %3$s -Blue\ Stained\ Glass=The Blue Of The Stained Glass -Customize\ Messages\ to\ display\ when\ riding\ an\ Entity\\n\ (Manual\ Format\:\ entity;message)\\n\ Available\ Placeholders\:\\n\ -\ &entity&\ \=\ Entity\ Name\ (Or\ Player\ UUID)\\n\\n\ %1$s=Configure Messages to display if the movement of an Object\\n (sheet size\: the message;)\\n the Location of containers\:\\n &organization, and also in \= the name of the Object (Or Player UUID)\\n\\n %1$s -There\ are\ %s\ teams\:\ %s=I don't %s command\: %s -Brown\ Concrete\ Ghost\ Block=Betonski blok duh Brown -This\ is\ an\ example\ of\ a\ config\ GUI\ generated\ with\ Auto\ Config\ API=A sample configuration is made of graphics it auto-Config-API -Aloe\ Vera=Aloe Vera -Use\ a\ Compass\ on\ a\ Lodestone=Use the compass to a magnet -Oak\ Kitchen\ Sink=Jan Shell -Temple\ Configs=The Configuration Of The Temple -Theme=Topic -Soul\ Sandstone\ Wall=The Shower And The Wall Tiles -Levitate\ up\ 50\ blocks\ from\ the\ attacks\ of\ a\ Shulker=Marketing up to 50 blocks in the attack, Shulker -Keypad\ Decimal=Features Of The Keyboard -Edit\ Mode=Changes In The Mode Of Operation -Showing\ %s\ mod\ and\ %s\ libraries=Example %s am %s the library -Bubble\ Coral\ Block=Bubble Coral Blocks -Cypress\ Wood\ Slab=Cypress Hardwood Flooring -yaw=deviations -Victory=Victoria -...=... -Times\ Slept\ in\ a\ Bed=While I Was Lying In Bed, -Goatfish=A mullet -Adds\ mossy\ stone\ themed\ wells\ to\ Jungles,\ Dark\ Oak,\ and\ Swamp\ biomes.=Moss-covered stones, added to the theme of the drawing the jungle, dark oak, swamp biome. -Light\ Gray\ Flat\ Tent\ Top=The Light-Gray Flat-Head Shop -Fancier\ furnace=Lyubitel on furna -Nether\ Sprouts=Below The Blade -config/inventoryprofiles=config/inventoryprofiles -Changes\ the\ way\ the\ ender\ chest\ content\ preview\ is\ synchronized.\nNone\:\n\ No\ synchronization,\n\ prevents\ clients\ from\ seeing\ a\ preview\ of\ their\ ender\ chest.\nActive\:\n\ Ender\ chest\ contents\ are\ synchronized\ when\ changed.\nPassive\:\n\ Ender\ chest\ contents\ are\ synchonized\n\ when\ the\ client\ opens\ a\ preview.=Change the way you Rare the chest, to show the content you want to sync.\nO\:\n No, sorry, that is the question\n this allows the user to see the image, Rarely the chest.\nActive.\n The content is Rarely on the chest, but they can not change. \nPassive\:\n Content, Rarely on the chest stops\n when the user opens the window menu. -Entity\ Height\ Limit=The Essence Of The Moment -Lime\ Per\ Bend\ Sinister=Go To The Bend Sinister -Sign=Sign up -Sea\ Pickle=Krastavec Great -Netherite\ Ingot=Poluga Netherite -Redwood\ Wood\ Planks=Redwood, Wood Floors -White\ Oak\ Sapling=Balts Ozols-Sapling -Diana\ Essentia=Diana, This Is The Essence Of -Time\ Since\ Last\ Death=The Latest Death -Dead\ Bush=Dead In The Bush -A\ material\ so\ highly\ coveted\ it\ has\ sparked\ numerous\ interstellar\ wars;\ only\ a\ limited\ amount\ of\ it\ exists\ within\ this\ realm,\ thought\ to\ have\ originated\ at\ the\ heart\ of\ the\ universe,\ before\ any\ of\ us\ even\ dared\ the\ thought\ of\ existence.\ It\ is\ unknown\ whether\ any\ material\ conveys\ higher\ power\ than\ Univite.=Materijal there is so much praised that she was the dovela is to set ratova Zvijezda", but only in a ograni\u010Deni reference number \u010Dlanaka published in the u ovom podru\u010Dju, considered to be dolazi out of the samog heart Svemira, prije care for \u0161to be so of us usudio to think of gora postojanja. Nepoznato is to say, I was materijal u in itself carries a mo\u0107 Svevi\u0161njega, Univite. -Sort\ By=Sort By -%s\ has\ no\ tags=%s I don't have the tags -Teleporter=Teleporter -Hay\ Bale=The Bales Of Hay. -before\ you\ load\ it\ in\ this\ snapshot.=before you can download in this image. -Bluestone=Copper sulphate -Coming\ Soon\!=A Lot Of The Song. -Quartz\ Pillar\ Ghost\ Block=The Quartz Pillar Ghost Block -This\ List\ is\ Empty\ and\ Cannot\ be\ Displayed\!\\n\\n\ Please\ Try\ Again...=The list is empty, and it can't be proved,\\\!n.\\n. \\ n. \\ n. \\ n to try again... -Glass\ Pane=The glass -Test\ passed,\ count\:\ %s=Proof ex to consider\: %s -When\ on\ legs\:=If you are on foot\: -\u00A77Hold\ \u00A7e\u00A7oSHIFT\ \u00A7r\u00A77for\ info=\u00A77Yes \u00A7e\u00A7oThe difference \u00A7r\u00A77for more information -Playing\ on\ a\ LAN\ Server=In order to play it on a lan -%s\ Core=%s The core of the -Render\ Tooltips=Help Will Be -C418\ -\ cat=C418 - cat -Nether\ Well=Bona Blancs -Warped\ Slab=The Voltage From The Boiler -Cypress\ Step=The Cypress Tree Landscape -Expected\ closing\ ]\ for\ block\ state\ properties=The expected closing ] the block state information of the -This\ argument\ accepts\ a\ single\ NBT\ value=Acest argument are o valoare NBT -Badlands\ Temple\ Spawnrate=Desert, Temple, Spawn -Dead\ Fire\ Coral=The Dead Corals, And Fire -Double\ Spruce\ Drawer=Two Of The Windows In The Structure -Lure=Charm -Gray\ Per\ Pale\ Inverted=The Gray Light Of The Opposite -Russian=Ruse -Galaxium\ Axe=Galaxium Sekera -Or\ use\ config\:=Of gebruik de config\: -Restoring\ your\ realm=The restoration of your world -Transfer=Transfer -Add\ Nether\ Crimson\ Temple\ to\ modded\ Nether\ Crimson\ Forest\ biomes.=In addition to the red sector, the Church, and the re-write of the lower species of plants, animals and save the forest. -Scute=Libra -Steel\ Toed\ Boots=Boots With Steel Toe -Crate\ of\ Apples=The box of apples -That\ position\ is\ not\ loaded=This entry was posted -Yellow\ Terracotta=Yellow, White Cement -Petrified\ Oak\ Slab=Petrified Eik Styrene -Tool\ Mode\:\ %s=Mode Tools\: %s -Cooldown\:\ secondsHere\ seconds=Waiting period\: for a few seconds, secondsher -Purple\ Lozenge=Purple Rhombus -Mineshafts=The tree -Fir\ Slab=Spruce Tile -Purple\ Chief\ Dexter\ Canton=Purple Main Dexter Canton -Manual\ Filtering=The Manual For The Filter -Ocean\ Monuments=Pamatyti On The Ocean -Redwood\ Sapling=Mahogany -Light\ Blue\ Lawn\ Chair=Bl\u00E5 Stole -Lena\ Raine\ -\ Pigstep=Lena Ren - Pigstep -Random\ tick\ speed\ rate=Random tick rate -Mossy\ Volcanic\ Cobblestone=Mossy, Volcanic Stone Pavement -Gray\ Bordure\ Indented=Gray, The Fee Will Be -Bat\ dies=Bats dies -Enabled\ friendly\ fire\ for\ team\ %s=You know, that friendly fire team %s -Make\ Sub-world\ Auto=Do in the world car -Warped\ Planks\ Camo\ Door=Plus, The Point Of The Kamufla\u017Ea The Door -Endermen\ (Irreality\ Crystal)=Endermen (Crystal Unreal) -Cyan\ Inverted\ Chevron=Azul Invertida Chevron -Slime\ Hammer=Pitch \u0544\u0578\u0582\u0580\u0573\u0568 -Bronze\ Shovel=The Blade Of The Bronze Medal -Wooden\ Hammer=A Wooden Hammer -Polished\ Blackstone\ Bricks=Polishing To Say The Bricks -Brown\ Elytra\ Wing=The Elytra Brown Wing -Team\ %s\ can\ now\ see\ invisible\ teammates=Team %s now you can see invisible team -Lettuce\ Bush=The Green Bush -Caldera\ Foothills=On The Caldera's Slopes -Raw\ Rabbit=The First Rabbit -Target\ either\ already\ has\ the\ tag\ or\ has\ too\ many\ tags=The lens is tag sticker -Take\ me\ back=Bring me back to -Elder\ Guardian\ flops=Elder-Guardian-Slippers. -Sandstone\ Step=A Staircase Sandstone -Magenta\ Per\ Bend\ Sinister=\u03A4\u03BF \u039C\u03C9\u03B2 \u03A7\u03C1\u03CE\u03BC\u03B1 Bend Sinister -Golden\ Boots=The Gold Of The Shoes -Show\ move\ all\ buttons\ on\ GUI=You can also move a card, all the buttons on the GUI -Distance\ by\ Pig=Distance -Generator=Generator -FairyOnline\u2122\ Wing=FairyOnline\u2122, Kr\u00EDdlo -Rose\ Quartz\ Pillar=Rose Quartz Samba -Orange\ Shield=The Orange Shield -Wrap\ Note=Wrap-Not -Brick\ Stairs=Tiles, Step -Adamantium\ Paxel=Napana Paxel -Pink\ Beveled\ Glass\ Pane=Beveled Glass Pink -Bucket\ of\ Salmon=Tbsp, Laks -Lime\ Terracotta\ Camo\ Door=Limestone The Camo Doors -Custom\ bossbar\ %s\ is\ currently\ hidden=Custom bossb\u00F3l %s at the moment, hidden in the -"None"\ keeps\ the\ config\ intact.="No" to keep them intact. -Slippery\ Stone=Siwa Slidzias -Sync\ All=To Synchronize All Of The -Steel\ Axe=Steel Secur -Default\ Biome\ Message=In A Message To The \u0411\u0438\u043E\u043C\u0430 By Default -Comparator\ clicks=Rates comparison -Cheese\ Roll=Egg Roll With Cheese -Gray\ Snout=Grey Muzzle -Add\ Grassy\ Igloos\ to\ modded\ biomes\ that\ are=Add the herbs to the igloo with the courage to \u0431\u0438\u043E\u043C\u044B -Dark\ Ashes=M\u00F8rk Ask -Nothing\ changed.\ That\ trigger\ is\ already\ enabled=Nothing has changed. As the trigger is associated with -Patreon\ Capes=Coix\u00ED Patreon. -White\ Redstone\ Lamp=Vit Lampa Redstone -Vibranium\ Boots=Vibranium Boots -Flopper=The dough -Cyan\ Table\ Lamp=Blue Ball -Polished\ Granite=Polished Granite -Adorn+EP\:\ Kitchen\ Sinks=Decorate EP\: kitchen sinks -Give\ Feedback=Leave A Review -Custom\ bossbar\ %s\ is\ now\ hidden=Still, as a rule, bossbar %s now that is hidden -Alert\ Light\ Level=The Warning Light -Blue\ Chief\ Indented=Blue Head Removal -Could\ not\ spread\ %s\ teams\ around\ %s,\ %s\ (too\ many\ entities\ for\ space\ -\ try\ using\ spread\ of\ at\ most\ %s)=What can you give %s the team of the round %s, %s (a person, a place, to, use, disseminate, most %s) -Green\ Inverted\ Chevron=Green Inverted Chevron, -Potion\ of\ Toughness=Elixir of resistance -Minecraft=Minecraft -%1$s\ discovered\ the\ floor\ was\ lava=%1$s I have found that the floor was Lava -Explosion=Eksplosion -Sandwichable\ Config=Sandwichable Configuration -Red\ Lawn\ Chair=The Red Chair Lawn -Japanese\ Maple\ Trapdoor=The Japanese Maple, Sunroof -Mixed\ Metal\ Ingot=A Mixture Of A Metal Rod -Turtle\ chirps=Yelp tartaruga -Stellum\ Boots=Stellum Boots -Jungle\ Palm\ Leaves=The Jungle, The Leaves Of The Palm Tree -Adjustable\ SU=Adjustable-On -Config=The input -Cyan\ Skull\ Charge=El Carregador Blue Crani -Black\ Chief=Day Boss -Turn\ blocks\ and\ items\ into\ their\ cell\ counterpart=On the other hand, the bricks and elements, and their counterpart the phone -Sapphire\ Leggings=Leggings Sapphire -Paper\ Door=Paper-Porta -Entry\ Panel\ Debug\ Mode\:=Debug Rejimi\: -Bubbles\ underwater=The bubbles in the water -Potion\ of\ Healing=Potion Of Healing -Diamond\ Dust=Diamond Dust -Light\ Gray\ Table\ Lamp=Light-Grey-Table In The Luminaire -Zombie\ dies=Zombies die -Your\ IP\ address\ is\ banned\ from\ this\ server.\nReason\:\ %s=IP address banned on this server.\nReason\: %s -Nether\ Dungeons=Dutch Tanks -Infested\ Chiseled\ Stone\ Bricks=Hit By A Piece Of Sculpture, In Stone, Brick, -Input\ Only=Bare -Piglin=Piglin -Child\ follows\ parent\!=Child with parents\! -Note\:\ Will\ spawn\ between\ min\ and\ max\ config\ height.=Note\: you will be appeared to be between the min and Max of the assembly in the field. -Light\ Blue\ Base\ Gradient=Light Blue Base Gradient -Set\ %s's\ game\ mode\ to\ %s=S %s"in the mode of the game %s -Games\ Quit=During The Game -Chain=Chain -Caver's\ Delight=Turkish delight, electrical insulation -Black\ Feather=Black Hair -Obtain\ Crying\ Obsidian=\u053C\u0561\u0581, Obsidianas -Full\ Block\ Hitbox=Complete Unit Hitbox -Detects=Dating -Ok\ Zoomer\ Config=Beh, Zoomer. Installazione -Lime\ Bordure\ Indented=O Sol Bordure Recuado -Desert\ Lakes=In The Desert Lake -Move\ a\ Bee\ Nest,\ with\ 3\ bees\ inside,\ using\ Silk\ Touch=Move the jack bees 3 bees inside with a touch of silk -Green\ Bend\ Sinister=Green Bend Sinister -Red\ Bend\ Sinister=A Red Bend Sinister -Nothing\ changed.\ That's\ already\ the\ max\ of\ this\ bossbar=Nothing has changed. Currently, high bossbar -Mossy\ Cobblestone\ Stairs=Their Mossy Cobble Stone, Stairs -Craft\ a\ Prismarine\ Hammer\ with\ the\ material\ of\ the\ seas.=Ship Prismarine hammer with the material in the bucket. -\u00A77\u00A7o"Flying-lickin'\ good."\u00A7r=\u00A77\u00A7o"In the air and finger-lickin".\u00A7r -Stopped\ sound\ '%s'\ on\ source\ '%s'=In order to stop the vote%ssource%s' -Magenta\ Asphalt\ Stairs=Purple Asphalt Stairs -Aqua\ Affinity=Aqua Affinity -Wing\ used\ by\ %1$s\ was\ cleared=Has been shown by %1$s it may have been deleted -Hemlock\ Button=Hemlock-Key -Checked=Source -Zombified\ Piglin\ grunts=Your Piglin care -End=Finally -Magenta\ Elytra\ Wing=Black, Elytra Wing -Torch=Lamp -%1$s\ was\ pummeled\ by\ %2$s=%1$s it was a hack %2$s -Command\ blocks=Command blocks -Minecart\ rolls=Car racing -Lime\ Tent\ Side=Lime Tents On The Side -Toggle\ Hover\ Mode=If You Want To Change Your Cursor -FOV=Pz -Lime\ Table\ Lamp=Reading Lamp With Leaf -Allow\ Extra\ Mob\ Spawners=You Can Burn Off The Manufacturers. -Debug=Tuning -Trapdoor\ opens=The opening of the door -Brown\ Terracotta\ Glass=Brown, Terracotta, Glass, -Tropical\ Fish\ flops=Tropske ribe-flop -Alpha\ Color\ Value=The Alpha Value Of The Color -Snow\ Golem\ hurts=Snow Golem hurt -Smooth\ Rose\ Quartz\ Slab=Smooth, Pink Quartz Tiles -Potted\ Tall\ Gray\ Lungwort=Pot Plants High Gray Lungwort -Butcher=Butcher -Survival=Survival -Disconnect=Demo dag -Showing\ %s\ mods=The presentation %s mods -White\ Creeper\ Charge=The Duty Of The White Man To The Creeper. -Clear=Of course -Added\ Step\ Height=To Add A Step-By-Height -Gray\ Bed=Siwa Kravet -Diamond\ Kibe=Diamond In Vain -Brass\ Plate=Tiles, Made Of Brass -Clickable\ Recipe\ Arrows\:=Click On The Recipes For The Arrows\: -Spotty=Not -Gray\ Elytra\ Wing=Sivo Krilo Elytra -White\ Flower\ Charge=Hvid Blomst Award -Spessartine\ Dust=Spessartine Dust -Small\ Pile\ of\ Calcite\ Dust=A handful of the powder, calcite -Black\ Pale\ Dexter=Nero Pallido Dexter -Orange\ Bend\ Sinister=Orange Bend Sinister -Nether\ Paxel=De Fleste Av Lav-Paxel -Endgame=Terminal -Reach\:=Area of work\: -Endorium\ Pickaxe=Endorium Hakke -Controls=The controls -Tomato\ Slice=Cherry Pomidorai, Supjaustyti -Red\ Banner=Red Flag -Magenta\ Saltire=Purple Cross -\u00A77\u00A7o"Or\ maybe\ a\ wing\ made\ by\ you?"\u00A7r=\u00A77\u00A7o"Or, maybe a wing from them?"\u00A7r -Steel\ Pickaxe=Steel-Headed Woodpecker -Invalid\ move\ player\ packet\ received=Step the wrong package -Middle\ Button=The Middle Button -White\ Paly=The pale -Purchase\ Now\!=Buy Now\! -Crimson\ Cutting\ Board=Raspberry To The Clipboard -Item\ Frame\ breaks=The item Frame breaks -\u00A77\u00A7o"Do\ you\ speak\ LOLCAT?"\u00A7r=\u00A77\u00A7o"Do you speak LOLCAT?"\u00A7r -Fir\ Wood=Foods -Orange\ Per\ Bend\ Sinister\ Inverted=Orange Bending Poorly Made -Stone\ Axe=The Book I -Sliding\ down\ a\ honey\ block=Access to the entry of honey -Lime\ Glazed\ Terracotta=Lime Glaz\u016Bra, Terakota -White\ Pale=The White Light -Luck=Good luck -Orange\ Terracotta\ Ghost\ Block=Orange, Terracotta Single Spirit -Use\ the\ %1$s\ key\ to\ open\ your\ inventory=Use %1$s click to open your inventory -Ravager\ grunts=Ravager Grunts -Armour\ In\ Numbers=Armor In Numbers -Sakura\ Drawer=I Feel That This Window -Blue\ Concrete\ Camo\ Trapdoor=Specifications Blue Camouflage Luc-\u041B\u0430\u0437\u0430 -Tungsten\ Nugget=Tungsten Lingouri -CraftPresence\ -\ Configuration\ Gui=Graphical User Interface (GUI CraftPresence - Configuration -Dasher=Dasher -Tungsten\ Dust=Dust -Dark\ Oak\ Boat=Dark Oak's Ship -Load\:\ %s=Tasks\: %s --%s\ %s=-%s %s -Show\ Number\ Instead\:=The Show, And Not The Quantity\: -Light\ Gray\ Elevator=The Grey Light Of The Elevator -Written\ Book=He Has Written A Book. -Luminous\ Glass=Glossy Glass -CraftPresence\ -\ Edit\ Dimension\ (%1$s)=CraftPresence - Resize (%1$s) -Full\ 3x3\ Hitbox=Afmetingen 3x3 HitBox -World\ was\ saved\ in\ a\ newer\ version,=The world is to be saved in a newer version -Minecart\ with\ TNT=O Minecart com TNT. -Obsidian\ Brick\ Slab=Oxygen, Rotten And Adapter -Resize\ Dynamically\:=The Size Of The Dynamic\: -Aquilorite\ Paxel=Aquilorite Paxel -Read\ more\ about\ Mojang\ and\ privacy\ laws=Learn more about Mojang and data protection legislation -Mining\ Fatigue=Mining Fatigue -Found\ Curse\ Manifest\ Data\!\ (\ Name\:\ "%1$s"\ )=You Can Find The Curse Of The Manifest Data\! ( Name\:'%1$s" ) -Scorched\ Button=Css Analyzer And Bud -Trash\ Can=To cart -Red\ Glazed\ Terracotta=The Red Glazed One -Eat\ a\ S'more=Eat a lot more -Excavate=Dig -Diamond\ Gear=Mining Equipment -No\ activity\ for\ the\ past\ %s\ days=No activity in the past %s Tag -Obsidian\ Decorated\ Glass=Obsidian, Glass, Decorated With A -Egg=The first -Chlorite=Chloritas -Lily\ of\ the\ Valley=Pearl flower -Caution\:\ Third-Party\ Online\ Play=Please Note\: Third-Party Online Games -Blue\ Terracotta\ Camo\ Door=Blu Shekulli Cladding-Dera -Cyan\ Glazed\ Terracotta\ Pillar=Blu Shekulli Xham Shtylla E Ppb, -Raw\ Spaghetti=Raw Spaghetti -Data\:\ %s=Read more\: %s -Iron\ Hammer=The Iron Hammer -Woodlands=Forest -Magenta\ Pale\ Sinister=Pale Purple Color, Bad -Showing\ new\ actionbar\ title\ for\ %s=Allows you to enter a new name in the ActionBar %s -Disable\ Default\ Auto\ Jump=Disable By Default, Automatically Switch -Light\ Blue\ Roundel=Light Blue Rondelu -Purple\ Globe=Purple Color Is In The World -Music\ &\ Sound\ Options=The Music And Sound Options -Yellow\ Bordure\ Indented=The Yellow Border Lace -Expected\ value=The expected value -Process\ natural\ resources\ into\ another\ useful\ product\nOften\ more\ efficient\ than\ other\ means=Other useful products of the process of natural resources \nHow many times in a different way -Sliced\ Toasted\ Warped\ Fungus=Slices Painful Mushrooms -Wither\ angers=Free angers +Still\ loading\ quest\ data.=Still loading quest data. +Upgrade\ your\ pickaxe=The update of the progress of the +Cypress\ Leaves=Cypress Leaves +S=S +Oak\ Small\ Hedge=Oak Small Hedge +V=V +W=W +X=X +Skyris\ Button=Skyris Button +Y=Y +Coal\ Tiny\ Dust=Coal Tiny Dust +Rocky\ Stone=Rocky Stone +[=[ +\\=\\ +]=] +Scheduling\ Mode=Scheduling Mode +Control\ +\ middle\ mouse\ click=Control + middle mouse click +Data\ Packs=Data Packets +`=` +b=b +Kill\ one\ of\ every\ hostile\ monster=To kill every monster is hostile +Husk=The skin of the +Rubber\ Door=Rubber Door +Gravestones\ appear\ when\ players\ die\ and\ stores\ the\ items\ for\ them=Gravestones appear when players die and stores the items for them +s=s +It\ was\ a\ Hobbit-Hole=It was a Hobbit-Hole +t=t +\u00A77\u00A7oscreaming\ in\ your\ inventory."\u00A7r=\u00A77\u00A7oscreaming in your inventory."\u00A7r +Zigzagged\ Diorite=Zigzagged Diorite +Hardened\ Hardness=Hardened Hardness +Parrot\ snorts\ mightily=Parrot snorts mightily +Produces\ energy\ when\ placed\ above\ the\ height\ of\ 64\ blocks\ from\ air\n25%\ more\ efficient\ in\ thunderstorms=Produces energy when placed above the height of 64 blocks from air\n25% more efficient in thunderstorms +Max.\ Damage=Max. Damage +Chance\ that\ a\ valuable\ crate\ will\ spawn=Chance that a valuable crate will spawn +Magma\ Brick\ Slab=Magma Brick Slab +Blink\ When\ Low=Blink When Low +Sorting\ also\ sorts\ player\ inv=Sorting also sorts player inv +Expected\ a\ coordinate=There will be an extra fee +End\ Stone\ Coral=End Stone Coral +Rubber\ Fence\ Gate=Rubber Fence Gate +Deathpoints=Deathpoints +Error\ on\ next\ page\:=Error on next page\: +Grappling\ Hook=Grappling Hook +Willow\ Kitchen\ Counter=Willow Kitchen Counter +Japanese\ Maple\ Table=Japanese Maple Table +Frequency\:\ %1$s=Frequency\: %1$s +Potted\ Yellow\ Ranunculus=Potted Yellow Ranunculus +Quake\ Pro=Earthquake +White\ Cherry\ Sapling=White Cherry Sapling +Message\ to\ use\ for\ the\ &worldinfo&\ placeholder\ in\ server\ settings\\n\ Available\ placeholders\:\\n\ -\ &difficulty&\ \=\ The\ current\ world's\ difficulty\\n\ -\ &worldname&\ \=\ The\ name\ of\ the\ current\ world\\n\ -\ &worldtime&\ \=\ The\ current\ world's\ in-game\ time=Message to use for the &worldinfo& placeholder in server settings\\n Available placeholders\:\\n - &difficulty& \= The current world's difficulty\\n - &worldname& \= The name of the current world\\n - &worldtime& \= The current world's in-game time +Entry\ List\ Action\:=Entry List Action\: +Andesite\ Camo\ Trapdoor=Andesite Camo Trapdoor +Galaxium\ Helmet=Galaxium Helmet +Giant\ Spruce\ Taiga=A Huge Tree \u0422\u0430\u0439\u0433\u0430 +Redstone=Redstone +Light\ Gray\ Flat\ Tent\ Top=Light Gray Flat Tent Top +Pink\ Mushroom\ Block=Pink Mushroom Block +Ivis\ Sprout=Ivis Sprout +Custom\ bossbar\ %s\ is\ now\ visible=Customs bossbar %s now, on its face, +Blue\ Glowshroom\ Block=Blue Glowshroom Block +Palo\ Verde\ Sapling=Palo Verde Sapling +Dacite\ Pillar=Dacite Pillar +Creative\ Capacitor=Creative Capacitor +Open\ On\ Key\ Press=Open On Key Press +Advanced\ Computer=Advanced Computer +Spruce\ Kitchen\ Cupboard=Spruce Kitchen Cupboard +Crimson\ Drawer=Crimson Drawer +Bronze\ Boots=Bronze Boots +%s's\ Trading\ Station=%s's Trading Station +Refresh\ Rate=Refresh Rate +Red\ Shield=Red Shield +Rubber\ Shelf=Rubber Shelf +Steel\ Plates=Steel Plates +Moorish\ Idol=Moorish Idol +by\ %1$s=of %1$s +Shame\ On\ You=Shame On You +Only\ Drop\ if\ Killed\ by\ a\ Player=Only Drop if Killed by a Player +New\ Note=New Note +Metite\ Sword=Metite Sword +Dark\ Oak\ Chair=Dark Oak Chair +Golden\ Horse\ Armor=Golden Horse Armor +Elder\ Guardian\ dies=Senior Guard door +The\ block\ used\ for\ water\ generation\ at\ and\ below\ the\ Liquid\ Altitude.=The block used for water generation at and below the Liquid Altitude. +Redwood\ Button=Redwood Button +Eerie\ noise=Terrible noise +White\ Oak\ Cross\ Timber\ Frame=White Oak Cross Timber Frame +Open\ the\ reputation\ menu\ where\ you\ can\ create\ reputations\ and\ their\ tiers.=Open the reputation menu where you can create reputations and their tiers. +Granite\ Ghost\ Block=Granite Ghost Block +Unable\ to\ detect\ structure\ size.\ Add\ corners\ with\ matching\ structure\ names=To be the u the state of the identified strukturu, veli\u010Dinu. Add ugla, the correct structure of the i in the title +Purple\ Petal\ Block=Purple Petal Block +Llama\ hurts=Depresija were +Light\ Blue\ Stone\ Bricks=Light Blue Stone Bricks +Sky\ Stone\ Slabs=Sky Stone Slabs +Mossy\ End\ Stone\ Bricks=Mossy End Stone Bricks +Red\ Futurneo\ Block=Red Futurneo Block +Titanium\ Plate=Titanium Plate +Show\ Logging\ in\ Chat=Show Logging in Chat +Stone\ Post=Stone Post +White\ Concrete\ Camo\ Trapdoor=White Concrete Camo Trapdoor +Certus\ Quartz\ Block=Certus Quartz Block +Brinely=Brinely +Toggled\ Engine\ %s=Toggled Engine %s +Enchanted\ Forest\ Hills=Enchanted Forest Hills +\u00A75\u00A7oFill\ with\ torches\ to\ keep\ chunks\ mob-free=\u00A75\u00A7oFill with torches to keep chunks mob-free +16\u00B3\ Spatial\ Component=16\u00B3 Spatial Component +Fir\ Kitchen\ Cupboard=Fir Kitchen Cupboard +Brew\ a\ potion=To prepare a drink +Vanilla\ Caves=Vanilla Caves +Small\ Ball=Small Ball +Air=Air +Enter\ a\ Nether\ Warped\ Temple=Enter a Nether Warped Temple +Magenta\ Insulated\ Wire=Magenta Insulated Wire +Blue\ Glazed\ Terracotta\ Ghost\ Block=Blue Glazed Terracotta Ghost Block +Ender\ Pearl\ flies=Letenje Edaja Biser +Fluix\ ME\ Covered\ Cable=Fluix ME Covered Cable +Cracked\ Red\ Rock\ Brick\ Wall=Cracked Red Rock Brick Wall +Select\ a\ reputation\ to\ display=Select a reputation to display +Steel\ Boots=Steel Boots +Tortilla\ Dough=Tortilla Dough +Glitch\ Leggings=Glitch Leggings +Whether\ Text\ Fields\ should\ allow\ right\ click\ actions.=Whether Text Fields should allow right click actions. +Singularity=Singularity +Lighter=Lighter +Potted\ White\ Oak\ Sapling=Potted White Oak Sapling +Show\ Recipe\:=Show Recipe\: +Cyan\ Terracotta\ Ghost\ Block=Cyan Terracotta Ghost Block +Iron\ Fence=Iron Fence +Splits\ products\ into\ their\ byproducts\ through\ electrolysis=Splits products into their byproducts through electrolysis +Wooden\ Hammer=Wooden Hammer +Agree=In accordance with the +Vex\ Wing=Vex Wing +Edit\ Mode=Edit Mode +Mahogany\ Sapling=Mahogany Sapling +Birch\ Boat=Birch Ship +Percent\ chance\ of\ a\ region\ having\ water\ instead\ of\ lava\ at\ low\ altitudes.=Percent chance of a region having water instead of lava at low altitudes. +Cobblestone=Stone cladding +Green\ Calla\ Lily=Green Calla Lily Beacon\ power\ selected=Beacon energy is chosen -Steps=Measures -Wither\ Skeleton\ Wall\ Skull=Wither Skeleton In The Wall Of The Skull -Shepherd\ works=The real work -%s/t\:\ %s=%s/T\: %s -Realms\ is\ not\ compatible\ with\ snapshot\ versions.=Universes that do not correspond to the version of highlights. -Save\:\ %s=Village\: %s -%s\ was\ banned\ by\ %s\:\ %s=%s banned %s\: %s -Replaces\ vanilla\ dungeon\ in\ Desert\ biomes.=Replaces the vanilla dungeon \u0431\u0438\u043E\u043C\u0430\u0445 in the desert. -Show\ Conflicts=Conflicts -Xaero's\ World\ Map\ Settings=Xaero Map Of The World, The Possibilities -Tags\ aren't\ allowed\ here,\ only\ actual\ items=Tags are not allowed here, only real elements -Kitchen\ Knife=Nazi -Respawning=The renaissance -Purple\ Field\ Masoned=Lievi Flight Masoned -Golden\ Lasso=Golden Lasso -How\ rare\ are\ Nether\ Temples\ in\ Nether.=How rare is Down the Temple of the Nether. -Potted\ Huge\ Red\ Mushroom=Bowls, Large, Red, Mushroom -Parrot\ eats=Food For Parrots -Curse\ of\ Binding=The curse of bond -Projectile\ Protection=Shell Protection -Rolling\ Hills=Les rolling -Smooth\ Nether\ Bricks=Il Liscio Nether Brick -Entity\ Radar=Selskapet Radar -Add\ Bookmark=Add To Favorites -Chinese\ Simplified=Simplified Chinese. -Dark\ Oak\ Post=Oak Dark Task -Soul\ Fire=The Fire In My Soul -Ticks\ per\ Damage\ (Positive,\ Greater\ than\ Zero)=Pliers for any damage (positive, non-zero). -Disable\ Auto\ Refill\ for\ drop\ item=Disable automatic charger for dragging objects -Show=Show -Prismarine\ Bricks=Prismarine Bricks -Analysis\ Desk=The Analysis Of The Office -Unknown\ block\ type\ '%s'=Unknown unit type"%s' -Zoom\ Transition=The Zoom Transition -Brown\ Per\ Fess=Cafea Recunosc -Create\ New\ World=If You Want A New World -Scroll\ factor=Find the coefficient of -Smelt\ an\ iron\ ingot\ in\ a\ furnace\ to\ refine\ impurities\ out\ of\ it=The smell of the iron in a furnace in order to refine the impurities out of -B-Rank\ Materia\ Block=As A Result, The Substance-Block -%1$s\ drowned=%1$s drowned -Blaze\ Pillar=Blaze P\u00E9s -Arrow\ of\ Slowness=Arrow low -Find\ elytra=Nai elytra -Saddle\ equips=Updated the president -Wolframium=Wolfram -Bottle\ thrown=Threw the bottle -\#\:\ Search\ via\ datapack\ tag=\#\: Depending on the brand of dataset -Endermen\ drops\ Irreality\ Crystal=Endermen drops Irreality Crystal -Cyan\ Patterned\ Wool=Light Blue Pattern Wool, -Iridium\ Alloy\ Plate=Instagram Disk Legure -A\ sliced\ nether\ food\ item\ that\ is\ more\ hunger-efficient\ than\ a\ whole\ toasted\ warped\ fungus,\ and\ can\ be\ eaten\ faster.=Patches of invalid food, which is the most hunger-efficient set toast distortion of the mushroom and can eat faster. -Nothing\ changed.\ The\ specified\ properties\ already\ have\ these\ values=Something has changed. These features already these values -Toggle\ All\ WP\ Sets\ Render=Turn on the visibility of All of the WP Report to view -Magma\ Bricks=The Magma Bricks -[+%s\ pending\ lines]=[+%s on the eve of the line] -Asteroid\ Gold\ Cluster=The Mass Of The Asteroid Of Gold -Beacon\ deactivates=The engine is turned off,the -Andesite\ Camo\ Door=Andesite, Pink, Pink, Pink Camo, USA -F3\ +\ Q\ \=\ Show\ this\ list=F3 + D \= Show the list -Open\ in\ Browser=To open it in the browser -Pink\ Roundel=Pink Shopping Bag -Gravelly\ Mountains+=The Gravel Of The Mountain+ -Disable\ Smooth\ Scroll=Off And A Good Paint Job -Crude\ Tank\ Unit=Blokeerida Kogumismahutid Nafta -Buy\ a\ realm\!=You can buy a Kingdom\! -Opacity=The transparency of the -Peridot\ Ore=Peridot Evening -Silver\ Dust=Silver Powder -Rubber\ Wood\ Button=Parquet-Scarce Og Rubber -Shulker\ Box=Box Shulker -Black\ Terracotta\ Camo\ Door=The Black Ceramics, The Port Of Kamo -Blackened\ Marshmallow\ on\ a\ Stick=Dark chocolate images -%1$s\ was\ pummeled\ by\ %2$s\ using\ %3$s=%1$s he was one of the %2$s help %3$s -Enable\ Preview=This Allows You To Preview The -Dolphin\ splashes=Delfinov dom -Hotbar\ Slot\ 9=The Games Panel 9 -Hotbar\ Slot\ 8=En Hotbar Slot 8 -Hotbar\ Slot\ 7=Games, Group 7 -Hotbar\ Slot\ 6=Game 6. -Structure\ saved\ as\ '%s'=The building is recorded in the form%s' -Hotbar\ Slot\ 5=Lizdas Hotbar 5 -Hotbar\ Slot\ 4=Toolbar For Quick Access To The Socket 4-X -Hotbar\ Slot\ 3=Children Playing in Panel 3 -Hotbar\ Slot\ 2=The Quick Access Toolbar Slot 2 -Hotbar\ Slot\ 1=Hotbar Slot 1 -Wooded\ Hills=The Wooded Hills +Kick\ player=Kick player +Molten\ Copper=Molten Copper +Turns\ into\:=Back to\: +Obtaining\ Copper=Obtaining Copper +Added\ %s\ members\ to\ team\ %s=Added %s members of the team %s +Player\ List\ Placeholder=Player List Placeholder +Copy\ to\ Clipboard=Copy it to the clipboard +Slime\ Boots=Slime Boots +White\ Banner=White Flag +Mouse\ Wheelie=Mouse Wheelie +Villagers\ follow\ players\ holding\ an\ Emerald\ block=Villagers follow players holding an Emerald block +Cooler=Cooler +Stripped\ Palo\ Verde\ Log=Stripped Palo Verde Log +Warped\ Desert=Warped Desert +Arrow\ of\ Levitation=The arrows fly +Sterling\ Silver\ Dust=Sterling Silver Dust +Theme=Theme +All=All +Green\ Tulip=Green Tulip +Redstone\ Torch=Flare +Dirt=Blato +Alt=Alt +\nHow\ rare\ are\ Nether\ Warped\ Temples\ in\ Nether\ Warped\ Forest.\ 1\ for\ spawning\ in\ most\ chunks\ and\ 1001\ for\ none.=\nHow rare are Nether Warped Temples in Nether Warped Forest. 1 for spawning in most chunks and 1001 for none. +Instant\ repeat=Instant repeat +Rainbow\ Eucalyptus\ Drawer=Rainbow Eucalyptus Drawer +Ring\ of\ Slowness\ Resistance=Ring of Slowness Resistance +Electrum\ Chestplate=Electrum Chestplate +Compressed\ Air=Compressed Air +Modules\ installed\:\ =Modules installed\: +Yellow\ ME\ Smart\ Cable=Yellow ME Smart Cable +Light\ Blue\ Concrete\ Glass=Light Blue Concrete Glass +Shelves=Shelves +Required\ tame\ count=Required tame count +Storage\ Cell\ Shuffle=Storage Cell Shuffle +Pocket\ Trash\ Can=Pocket Trash Can +Magenta\ Bordure=Magenta Fronti\u00E8re +Volcanic\ Cobblestone\ Platform=Volcanic Cobblestone Platform +Seasonal\ Deciduous\ Forest\ Hills=Seasonal Deciduous Forest Hills +Large\ Image\ Text\ Format=Large Image Text Format +Meteorite\ Compass=Meteorite Compass +Too\ Small\!\ (Minimum\:\ %s)=A Lot Of Low\! Of not less than\: %s) +Purpur\ Step=Purpur Step +Added\ Damage=Added Damage +Piercing=Piercing +Pocket\ Computer=Pocket Computer +Closing\ the\ realm...=Closer to the ground... +Embur\ Bog=Embur Bog +Enchanted\ Book=Magic Book +Horizontal\ Ratio=Horizontal Ratio +%1$s\ withered\ away=%1$s withered +Set\ to\ Color\ to\ use\ the\ Border\ and\ Background\ Color.=Set to Color to use the Border and Background Color. +Mod\ ID\:\ %s=Id ministarstva obrane\: %s +Wing\ used\ by\ player\ %1$s\:\ %2$s=Wing used by player %1$s\: %2$s +Allows\ CraftPresence\ to\ display\ it's\ logging\ in\ the\ chat\ hud=Allows CraftPresence to display it's logging in the chat hud +Blue\ Per\ Fess=Blue, Gold +Blue\ Bed=The Blue Bed +Custom\ Data\ Tag\ Name=For Specific Information +Pink\ Glazed\ Terracotta\ Pillar=Pink Glazed Terracotta Pillar +Right\ Button=Right-click on the +Not\ bound=This is not a mandatory requirement +Data\ mode\ -\ game\ logic\ marker=Mode information and logic games, Ph. +Underwater\ Haste\ Cost=Underwater Haste Cost +Scoria\ Stone\ Wall=Scoria Stone Wall +Green\ Enchanted\ door=Green Enchanted door +Made\ %s\ no\ longer\ a\ server\ operator=It %s this is not the server of the operator +Necklace=Necklace +Tall\ Purple\ Allium=Tall Purple Allium +Nothing\ changed.\ That\ team\ is\ already\ empty=And nothing has changed. In this command, it is empty +Diamond\ Spikes=Diamond Spikes +ME\ Security\ Terminal=ME Security Terminal +Craft\ a\ Presser=Craft a Presser +The\ minimum\ y-coordinate\ at\ which\ type\ 2\ caves\ can\ generate.=The minimum y-coordinate at which type 2 caves can generate. +At\ least\ 1\ must\ be\ in\ inventory=At least 1 must be in inventory +Cooldown\ repeat=Cooldown repeat +Oak\ Post=Oak Post +%s\ planks\ left=%s planks left +Small\ Pile\ of\ Chrome\ Dust=Small Pile of Chrome Dust +Killed\ %s\ entities=Dead %s equipment +Gravel\ Glass=Gravel Glass +Magenta\ Begonia=Magenta Begonia +Insane\ to\ Extreme\ energy\ tier=Insane to Extreme energy tier +Netherite\ Chestplate=Netherit Of The Bib +Tungsten\ Chestplate=Tungsten Chestplate +Skeleton\ shoots=Bones footage +Yellow\ Garnet=Yellow Garnet +Meadow=Meadow +Small\ Crimson\ Stems=Small Crimson Stems +Trigger\ Tasks=Trigger Tasks +Calcium\ Carbonate=Calcium Carbonate +Max\ Health=The Maximum Health +Energy\ Crystal=Energy Crystal +Potted\ Pink\ Cherry\ Oak\ Sapling=Potted Pink Cherry Oak Sapling +Light\ Gray\ Insulated\ Wire=Light Gray Insulated Wire +[Go\ Down]=[Go Down] +When\ on\ Body\:=When on Body\: +Lime\ Base\ Dexter\ Canton=The Sun Is The Basis Of The District Dexter +Hoglin\ steps=Hogl I act +Hardened\ Resistance=Hardened Resistance +Fox\ hurts=Fox of pain +Rough\ Sandstone\ Stairs=Rough Sandstone Stairs +Soul\ Sandstone=Soul Sandstone +Voluntary\ Exile=A Self-Chosen Exile +Vanilla=Vanilla +Potion\ of\ Healing=Potion Of Healing +Mark\ a\ set\ as\ the\ target\ for\ quest\ movement.\ The\ "Change\ Set"\ command\ can\ then\ be\ used\ to\ move\ quests\ to\ this\ set=Mark a set as the target for quest movement. The "Change Set" command can then be used to move quests to this set +Sandy\ Bricks=Sandy Bricks +Polished\ Diorite\ Post=Polished Diorite Post +Get\ a\ MK1\ Circuit=Get a MK1 Circuit +Mahogany\ Leaves=Mahogany Leaves +Smooth\ Bluestone=Smooth Bluestone +Low\ Hunger=Low Hunger +Bee\ Nest=Kosher For Pcheli +Ebony\ Trapdoor=Ebony Trapdoor +Orchard\ Sapling=Orchard Sapling +Block\ of\ Aluminium=Block of Aluminium +Light\ Blue\ ME\ Covered\ Cable=Light Blue ME Covered Cable +Chest\ Chance=Chest Chance +A\ food\ item\ that\ is\ more\ hunger\ efficient\ that\ whole\ lettuce\ heads\ and\ can\ be\ eaten\ faster.=A food item that is more hunger efficient that whole lettuce heads and can be eaten faster. +Asteroid\ Stellum\ Cluster=Asteroid Stellum Cluster +Deal\ fire\ damage=Damage from the fire. +Peridot\ Boots=Peridot Boots +Asterite\ Excavator=Asterite Excavator +This\ teleporter\ doesn't\ have\ an\ Ender\ Shard\!=This teleporter doesn't have an Ender Shard\! +Orange\ Chief\ Sinister\ Canton=The Main Orange, The Bad, The Canton Of +Rescue\ a\ Ghast\ from\ the\ Nether,\ bring\ it\ safely\ home\ to\ the\ Overworld...\ and\ then\ kill\ it=Keep Swimming story about why she was killed, after Pikachu and his home, and a responsibility for... +Hemlock\ Platform=Hemlock Platform +Turtle\ hurts=The turtle hurts +Charge\ Pad=Charge Pad +Chopped\ Onion=Chopped Onion +Grove=Grove +Press\ %s\ to\ change\ mode=Press %s to change mode +\nMax\ Y\ height\ that\ the\ starting\ point\ can\ spawn\ at.\ Default\ is\ 35.\ If\ below\ min\ height,\ this\ will\ be\ read\ as\ min.=\nMax Y height that the starting point can spawn at. Default is 35. If below min height, this will be read as min. +Dolphin\ chirps=Dolphin sounds +Yellow\ Paint\ Ball=Yellow Paint Ball Gray\ Asphalt=Gray Asphalt -Can\ be\ placed\ on\:=Install the open end\: -Hoppers\ Searched=Search For Sales Reps -Red\ Desert=Red Desert -Generate\ world=The creation of the world -Cat\ hurts=The cat is expected to -in\ any\ biome.\ If\ off,\ vanilla\ Strongholds\ will\ generate=in each area. If it was off, when to show up, which will create -Sodalite\ Ore=Sodalite Rude -Solid\ while\ sneaking=But, if hidden -Metite\ Shovel=Meti Has Paddle -Rock\ Solid\ Hammer=Rock Hammer -Transmutation=It claims that the -Custom\ bossbar\ %s\ has\ a\ value\ of\ %s=The end of the bossbar %s the value of the %s -Reject=Ago -Work\ Pack=Experience Package -Crimson\ Step=Crimson Korakov Na -Chiseled\ Lava\ Bricks=Briani Platform Tuli -Crimson\ Stem=Raspberry Ketone \u0394\u03AD\u03BD\u03C4\u03C1\u03BF -Strider\ hurts=Strider pacienta -Pink\ Fess=Color Pink -Bounce\ Multiplier=Hit Multiplier -Refined\ Iron=Liquid Iron, Hair Dryer, -This\ map\ is\ unsupported\ in\ %s=This map is based on %s -Gloves=Rokavice -\u00A77\u00A7ohappy\ little\ accidents."\u00A7r=\u00A77\u00A7oonce a happy occasion."\u00A7r -Stripped\ Redwood\ Wood=Stripped Of Redwood Wood -Please\ confirm\ deletion\ by\ press\ Yes\ again.=Please confirm the deletion, click " Yes " again. -Charred\ Wooden\ Trapdoor=Charred Wooden Door -Japanese\ Maple\ Wood\ Slab=Maple Boards -Shears\ scrape=De schaar scratch -Wooden\ Lance=A Wooden Copy Of The -Trail=Course -\u00A77\u00A7oShould\ work\ as\ intended."\u00A7r=\u00A77\u00A7oYou must work as intended".\u00A7r -Transfer\ Rate=Data transfer rate -Quantum\ Supremacy=Syyt Quantum Of Power -Granted\ %s\ advancements\ to\ %s\ players=To give %s the progress of the %s players -Background\ Mode\:=It -Entity\ Attacking\ Messages=The Man, Attack The Message -Diorite=Diorite -Jetpack=Jetpack -Base\ value\ of\ attribute\ %s\ for\ entity\ %s\ is\ %s=The base value of the attribute %s this topic %s it is %s -Preview\:=Review\: -%1$s\ fell\ off\ scaffolding=%1$s he fell from a scaffold -Enable\ only\ works\ on\ trigger-objectives=As to activate it, only works in the drawing is the goal -Cow\ moos=The cow goes moo -General\ Icon\ Formatting\ Arguments\:\\n*\ Placeholders\ Configuable\ in\ Status\ Messages\ and\ other\ areas\\n*\ Only\ One\ Placeholder\ is\ allowed\ at\ one\ time\\n*\ Some\ Placeholders\ are\ Empty\ unless\ they\ are\ assigned\\n\\n\ -\ &DEFAULT&\ \=\ The\ Default\ Icon,\ specified\ in\ config\\n\ -\ &MAINMENU&\ \=\ The\ Icon\ used\ in\ the\ Main\ Menu\\n\ \ *\ Use\ this\ instead\ of\ &DEFAULT&\ to\ only\ show\ the\ default\ icon\ in\ the\ main\ menu\\n\ -\ &PACK&\ \=\ The\ Pack's\ Icon,\ if\ using\ a\ pack\\n\ -\ &DIMENSION&\ \=\ The\ Current\ Dimension\ Icon\\n\ -\ &SERVER&\ \=\ The\ Current\ Server\ Icon=Global-Icon-Markup, Arguments\:\\n \\ n \\ n \\ n* they are Configuable in the Status of the Messages, as well as in many other walks of life.\\s is A Placeholder that is allowed at a time.\\n n n n n n n n n n n n n n n n n n n n n n n n n n n n n n n n n n n n n* Some of the Indicators that will be Empty if you have not been provided.\\a n\\a n \\ a n \\ a n \\ n&, S&, by Default, the Icon specified in the configuration file.\\n \\ n \\ n &MENU& a Icon on the main menu screen the Main menu\\n \\ n \\ n \\ n * * * * * * * * * * * Use this instead of the DEFAULT one& only the default icon from the main menu,\\n, \\ n, &PACK,& \= in the container for a symbol, if you will, a package.\\The SIZE and the Size of the Icon is displayed.\\n, - &SERVER,& \= Icon -Crimson\ Chair=The Crimson Cadira -Christmas\ Star\ Wing=Christmas Star Outside -Kicked\ %s\:\ %s=Start %s\: %s -Jukebox\ Slab=Music Tablet -Iron\ Paxel=Iron Peace -Mushroom\ Field\ Shore=The Fungus In The Area -Formatting=Format -\u00A76\u00A7lReloading\ CraftPresence\ Data,\ depending\ on\ Settings\!=\u00A76\u00A7lOverload CraftPresence data, depending on the configuration\! -Pine\ Kitchen\ Sink=Pine Kitchen Sink -Your\ subscription=Subscription -Use\ Vanilla\ Stronghold=Vanilla To Use A Valve -Obsidian\ Framed\ Glass=Obsidian, Which Is Made Of Glass And Framed. -Add\ Server=To Add A Server -Light\ Blue\ Concrete\ Camo\ Trapdoor=Concrete Camouflage Light Blue Luke -Pushed\ %s\ essentia=The pressure %s we -%s\ Kitchen\ Counter=%s The counter in the kitchen -Nanosaber=Nanosaber -Unable\ to\ switch\ gamemode,\ no\ permission=Not to be able to change the game, without the permission -Acacia\ Button=Acacia Button -Chest\ locked=The chest is locked -Block\ of\ Tungsten=The Unity Ride -Custom\ bossbar\ %s\ has\ no\ players\ currently\ online=Each bossbar %s none of the players are online at the moment -Smooth\ Rose\ Quartz=Bright Pink Quartz -Light\ Gray\ Chief=A Light Gray Color, And High -Shutting\ Down\ CraftPresence...=Biri CraftPresence... -Auto\ Crafting\ Table=Automatically Desk -Bullseye=For -Piglin\ snorts\ angrily=Piglin furiosament snorts -Gold\ Paxel\ Damage=Damage To The Gold Paxel -Rose\ Quartz\ Stairs=Rose Quartz Trap -Lime\ Asphalt=Manufacture Of Lime -Pink\ Tent\ Side=The Tent Is Pink In Color Page -Throw\ a\ stone\ and\ skip\ it\ 6\ or\ more\ times=You threw a rock and hit 6 times or more -Raids\ Won=Raids S' -Steel=Staal -Crimson\ Fence\ Gate=Raspberry-Fence And Gate -Gray\ Per\ Bend\ Inverted=Silver, If You Want To View -Ocean\ Ruins=Ruinele Ocean -Zombie\ Villager\ snuffles=Zombie-Resident, snork -Rainbow\ Eucalyptus\ Leaves=The Leaves Of The Eucalyptus Tree, Rainbow -Lime\ Elytra\ Wing=The Elytra And Wings Of Lime -Hostile\ Creatures=The Enemy Creatures -Custom\ bossbar\ %s\ has\ a\ maximum\ of\ %s=Team bossbar %s large %s -Delay\:\ %s=The time\: %s -WP\ Dist.\ Vertic.\ Angle=WP group. Waste. Corner -Pink\ Base=The Base Of Pink -Magenta\ Beveled\ Glass=Purple, Beveled Glass -Initial\ Delay=The Initial Delay -Pink\ Wool=Pink Wool -Manual\ -\ you\ are\ asked\ to\ select\ and\ confirm\ the\ world\ map\ every\ time\ you\ switch\ worlds\ or\ dimensions.\ \n\ \n\ World\ Spawn\ -\ the\ world\ map\ is\ selected\ and\ confirmed\ automatically\ based\ on\ the\ world\ spawn\ point\ that\ the\ game\ client\ is\ aware\ of.\ Can\ break\ if\ the\ server\ is\ using\ the\ vanilla\ compass\ item\ for\ a\ custom\ function.\ \n\ \n\ Single\ -\ each\ dimension\ has\ a\ single\ world\ map\ that\ is\ automatically\ confirmed.\ Useful\ for\ simple\ servers\ with\ a\ single\ world.=The instruction prompted, select the map-the world, or the world is always changing and to confirm the measurement. \n\n \u041D\u0430\u043F\u043B\u043E\u0434\u0438\u043B the world - map, Earth, the human world is aware of the game client, which is based on the \u0441\u043F\u0430\u0432\u043D\u0430 point and automatically confirmed. It can be broken, if the compass that is used in vanilla to the server element user-defined function. \n\n A - each measuring one of the World's map is automatically approved. This is useful, for example, the server in the normal world. -Red\ Tent\ Top\ Flat=Red Top Tent House -Netherite\ Axe=Netherite Axe -Trading\ Station=Goods Train -Dragon\ growls=The dragon itself -Small\ Pile\ of\ Bronze\ Dust=A handful of dust bronze medal -Use\ "@s"\ to\ target\ the\ executing\ entity=Use "@C the real purpose of the organization -Console\ Command=The Console Command -Mods=Mo -Stone\ Age=Stone Age -Switch\ minigame=Vire mini -Keeps\ the\ hunger\ bar\ always\ full=The holder bar is always full of hunger -Purple\ Berry\ Pie=Fioletowa-Berry Cake -Block\ Light\ Show=A Light Show Equipment -No\ advancement\ was\ found\ by\ the\ name\ '%1$s'=No progress to name%1$s' -Are\ you\ sure\ you\ would\ like\ to\ clear\ current\ set=Are you sure you want to remove the current set -Player\ Health\ Placeholder=The Health Of The Player In The -Line\ Width\:=Line thickness\: -Super\ Critical=The Super-Critical -Set\ own\ game\ mode\ to\ %s=Set the mode of the games %s -Corner\:\ %s=Angle\: %s -Gray\ Topped\ Tent\ Pole=Gray Rectangular Web Stanovou -Small\ Pile\ of\ Redstone=A Small Handful Of Redstone -Player=Games -Calcination\ Furnace=The Burning Of The Oven -Add\ End\ themed\ dungeon\ to\ biomes\ outside\ the\ Enderdragon\ island.=In addition, the end of the year, the main theme of the cave biomes, the Enderdragon, and chips. -Sea\ Lantern=More, Svjetionik -Enable\ TTS=If you want to enable TTS -Unlimited=Unlimited -Large\ Bricks=Golemi Tooley -Quick\ Shulker=Fast Shulker -Piston\ moves=Piston to move -Mobs=People -Sniper\ Rifle=A Sniper Rifle -Smooth\ Quartz\ Slab=Narechena Quartz Place -Expected\ double=Twice, as expected -Steak=Steak -60k\ NaK\ Coolant\ Cell=60k NACIONALNATA the village on the Internet. cool. -The\ KeyCode\ to\ press\ to\ access\ the\ Config\ Screen=Code Click to go to the Settings screen -Soul\ Soil=The Soul Of The Earth -%1$s\ was\ pricked\ to\ death=%1$s slaughtered -Fusion\ Control\ Computer=Fusion Control -Green\ Per\ Bend\ Inverted=The Green One I Did In Reverse Order -White\ Base\ Gradient=Gradient On A White Background -Nether\ Gold\ Ore=Invalid Ore -settings\ and\ cannot\ be\ undone.=the settings cannot be canceled. -Platinum\ Ingot=Plat\u00ED Ingot -Buying=Buy -Stripped\ Acacia\ Log=I Am The Lobster Magazine -Orange\ Tent\ Top\ Flat=The Orange Tent Over The Plan -Squid=The project -\u00A79\u00A7oShift\ click\ to\ enable=\u00A79\u00A7oShift-klik za aktivaciju -Mayonnaise=May -Polar\ Bear\ Spawn\ Egg=Polar Bear ?????????? Caviar -Colored\ Tiles\ (Blue\ &\ Cyan)=Colored Plates (White Blue) -Pig\ Spawn\ Egg=Sika Spawn Muna -Ctrl\ +\ %s="Ctrl" + %s -Invalid\ array\ type\ '%s'=Bad table type '%s' -Blue\ Roundel=Blue Shield -Repair\ &\ Name=Repair and the Name of -Blue\ Stone\ Bricks=Blue Stone, Brick -Bronze\ Plate=Copper Plate -Small\ Pile\ of\ Coal\ Dust=A Small Handful Of Coal Dust -Red\ Nether\ Brick\ Wall=Red Nether Brick -Invalid\ ID=Id invalid -Middle-click\ to\ the\ correct\ tool\ while\ holding\ the\ same\ block=Middle mouse button in the right part of the vehicle, in order to keep a -Thick\ Neutron\ Reflector=The Thickness Of The Neutron Reflector -Purple\ Carpet=On The Purple Carpet -Space=Area -%1$s\ was\ burnt\ to\ a\ crisp\ whilst\ fighting\ %2$s=%1$s it was burnt to a crisp whilst fighting %2$s -Allow\ Extra\ Keys=Resolution For Other Keys -Tall\ Cyan\ Calla\ Lily=Senior Blue Calla -Yellow\ Ranunculus=Yellow, Is Dugunciceg -Lime\ Per\ Pale\ Inverted=You're Going With A Pale-Reverse -Orange\ Chief\ Indented=The Orange-Head Of The Group -Multiplayer\ (LAN)=Multiplayer LAN () -Purple\ Cross=The Purple Kors -Japanese\ Maple\ Shelf=Clone On Board -(Shift-Click\ to\ Remove)=(Can move-click to drop) -Saguaro\ Cactus=The Saguaro Cactus -Prompt=Fast -Humming=Humming -%s\ Next=%s Further, -%s\ <%s>\ %s=%s <%s> %s -Basic\ Machine\ Frame=On The Basis Of The Design Of The Machine -Netherite\ Paxel=Netherite Paxel -Magenta\ Chief=Primary Magenta -Bamboo\ Pressure\ Plate=Bamboo, Leaf, -Univite\ Hoe=Univite Hoe -Price=The price -Warped\ Door=Warped Uksed, +Stripped\ Zelkova\ Log=Stripped Zelkova Log +Caching\:=Caching\: +Alloy\ Smelter=Alloy Smelter +Molten\ Netherite=Molten Netherite +Right\ Pants\ Leg=To The Right Of The Right Leg In The Pants +Grassland\ Plateau=Grassland Plateau +Exit\ Minecraft=Stop +Igloos=Igloos +Configure\ Machine=Configure Machine +Upload\ world=Download the world +Frost\ Walker=Frost Walker +\u00A7cC\u00A7eo\u00A7al\u00A79o\u00A76\u00A7dr\u00A71s=\u00A7cC\u00A7eo\u00A7al\u00A79o\u00A76\u00A7dr\u00A71s +Willow\ Fence=Willow Fence +Magenta\ Pale=Dark Red And Light +Tiny\ TNT=Tiny TNT +Actually,\ message\ was\ too\ long\ to\ deliver\ fully.\ Sorry\!\ Here's\ stripped\ version\:\ %s=In fact, the message is too long to be given completely. This is the worst\! Here is the version\: %s +Green\ Concrete\ Glass=Green Concrete Glass +Expand\ when\ Sneaking=Expand when Sneaking +Split\ Damage\ at\ 50%=Split Damage at 50 +Birch\ Button=The Like Button +Magenta\ Paly=Purple Bled +Tall\ Green\ Calla\ Lily=Tall Green Calla Lily +Enderman=Ender +Green\ Per\ Fess=Groene Fess +Blue\ Sandstone=Blue Sandstone +Block\ of\ Titanium=Block of Titanium +Charred\ Brick\ Stairs=Charred Brick Stairs +Play\ When\ World\ Loaded=Play When World Loaded +Spruce\ Door=Spruce Door +Fast\ graphics\ reduces\ the\ amount\ of\ visible\ rain\ and\ snow.\nTransparency\ effects\ are\ disabled\ for\ various\ blocks\ such\ as\ leaves.=Fast graphics reduces the amount of visible rain and snow.\nTransparency effects are disabled for various blocks such as leaves. +Low\ Level\ Sun\ And\ Block=Low Level Sun And Block +Block\ %s\ does\ not\ accept\ '%s'\ for\ %s\ property=The device %s I don't accept,'%s of %s real estate +Jungle\ Boat=The Jungle, Boats +Electrum\ Pickaxe=Electrum Pickaxe +White\ Oak\ Wood=White Oak Wood +Cyan\ Lumen\ Paint\ Ball=Cyan Lumen Paint Ball +Blue\ Lumen\ Paint\ Ball=Blue Lumen Paint Ball +Showing\ new\ subtitle\ for\ %s\ players=Show new subtitles to %s players +ME\ Storage\ Housing=ME Storage Housing +Axe=Axe +Lettuce\ Seeds=Lettuce Seeds +White\ Concrete\ Glass=White Concrete Glass +Cobblestone\ Brick=Cobblestone Brick +Burns\ hydrogen,\ methane\ or\ other\ gases\ to\ generate\ energy=Burns hydrogen, methane or other gases to generate energy +No\ such\ keybind\:\ %s=No such keybind\: %s +Enable\ item\ scrolling=Enable item scrolling +Cherry\ Stairs=Cherry Stairs +\u00A76\u00A7lJoin\ request\ ignored\ from\ %1$s\!=\u00A76\u00A7lJoin request ignored from %1$s\! +Rotten\ Flesh=Rotten Meat +Snow\ Block=Snow Block +You\ have\ removed\ %s\ [[live||lives]]\ from\ %s.=You have removed %s [[live||lives]] from %s. +Copper\ Wall=Copper Wall +Arrow\ Opacity=Arrow Opacity +Efficiently\ produce\ wire\ from\ ingots=Efficiently produce wire from ingots +Place\ a\ quantum\ tank\ down=Place a quantum tank down +Cave\ Root=Cave Root +Gold\ Nugget=Gold Grain +Birch\ Village\ Spawnrate=Birch Village Spawnrate +Jacaranda\ Boat=Jacaranda Boat +Components=Components +Yellow\ Terracotta\ Ghost\ Block=Yellow Terracotta Ghost Block +Dacite\ Stairs=Dacite Stairs +Villager=The villagers +Builders\ Ring=Builders Ring +Computer=Computer +Villages=Village +Spider-Proof=Spider-Proof +Add\ Nether\ Brick\ Outposts\ to\ Modded\ Nether\ Biomes=Add Nether Brick Outposts to Modded Nether Biomes +Bobber\ thrown=The Cast Of A Float +Type\ 2\ Caves=Type 2 Caves +Potted\ Lime\ Mushroom=Potted Lime Mushroom +Party\ Poison=Party Poison +Black\ Chief\ Sinister\ Canton=Central Black Sinister Canton +LESU\ Storage=LESU Storage +Realms\ Terms\ of\ Service=Rules for the use of +Focused\ Height=Concentrate Height +Tall\ Birch\ Hills=Birch, High Mountain +When\ worn\ as\ ring\:=When worn as ring\: +Cursor\ Coordinates=Cursor Coordinates +/assets/slightguimodifications/textures/gui/slider(_hovered).png=/assets/slightguimodifications/textures/gui/slider(_hovered).png +Get\ a\ small\ pile\ of\ nickel\ dust\ from\ the\ centrifuge=Get a small pile of nickel dust from the centrifuge +%s\ Kitchen\ Cupboard=%s Kitchen Cupboard +Metite\ Hoe=Metite Hoe +Color\ Books=Color Books +\u00A76\u00A7lRebooting\ CraftPresence...=\u00A76\u00A7lRebooting CraftPresence... +Astromine\:\ Transportations=Astromine\: Transportations +No\ singleplayer\ worlds\ found\!=In fact, on the contrary, the world, and I have found it\! +Yellow\ Shield=The Yellow Shield +Enable\ detection\ for\ MultiMC\ instance\ data?=Enable detection for MultiMC instance data? +Popped\ Chorus\ Fruit=The Structure Is Viewed As A Fruit Of The +Purple\ ME\ Dense\ Covered\ Cable=Purple ME Dense Covered Cable +Diamonds\!=Diamonds\! +An\ entity\ is\ required\ to\ run\ this\ command\ here=The essence of what you need to run this command +Univite\ Crook=Univite Crook +Entangled\ Bag=Entangled Bag +Wolf\ growls=The wolf in me-even +Number\ of\ claims\ in\ %s\:\ %s=Number of claims in %s\: %s +Grindstone\ used=Stone mills used +Magnet=Magnet +Get\ a\ full\ Space\ Suit=Get a full Space Suit +Potted\ Cyan\ Mushroom=Potted Cyan Mushroom +Scaffolding=The scaffold +Aluminium\ Ingot=Aluminium Ingot +group\ items=group items +Embur\ Gel\ Block=Embur Gel Block +Device\ is\ not\ linked.=Device is not linked. +Red\ Garnet=Red Garnet +Brown\ Glazed\ Terracotta\ Glass=Brown Glazed Terracotta Glass +Cream=Cream +Bonus\ Chest=Bonus Chest +Go\ look\ for\ a\ Stronghold\!=Go look for a Stronghold\! +Never\ saved\ this\ session=Never saved this session +Enchanter=Three wise men from the East +Netherite\ Excavator=Netherite Excavator +Customize\ World\ Settings=Edit World Settings +Villager\ mumbles=Stanovnik mumbles +day=day +Chrome\ Nugget=Chrome Nugget +Redwood\ Wood=Redwood Wood +Wither\ Skeleton\ Spawn\ Egg=Dry Skeleton Span Eggs +Bundled\ Redstone\ Module=Bundled Redstone Module +A\ fragment\ of\ a\ living\ star,\ the\ raw\ energy\ contained\ within\ this\ material\ is\ surpassed\ only\ by\ few,\ every\ molecule\ of\ it\ vibrating\ with\ $(thing)Stellar\ Energy$().=A fragment of a living star, the raw energy contained within this material is surpassed only by few, every molecule of it vibrating with $(thing)Stellar Energy$(). +New\ Recipes\ Unlocked\!=Unlock New Recipes\! +Entity\ Riding\ Messages=Entity Riding Messages +Pressurized\ Gas\ Canister=Pressurized Gas Canister +%s\ (formerly\ known\ as\ %s)\ joined\ the\ game=%s (formerly known as the %s) has joined the game +Deep\ Mob\ Learning\:\ Refabricated=Deep Mob Learning\: Refabricated +Requires\ restart=Requires restart +Override\ Surface\ Detection=Override Surface Detection +12\ sec=12 sec +%s\ unlocked\ [[quest||quests]]=%s unlocked [[quest||quests]] +Green\ Topped\ Tent\ Pole=Green Topped Tent Pole +Cherry\ Oak\ Trapdoor=Cherry Oak Trapdoor +13x13\ (Showoff)=13-Xray-13 (GOOSE) +Enter\ a\ Nether\ Brick\ Outpost=Enter a Nether Brick Outpost Lava\ Lake\ Rarity=The Lakes Of Lava Rock, Rare -Lime\ Gradient=\u018Fh\u0259ng Slope -Couldn't\ revoke\ advancement\ %s\ from\ %s\ as\ they\ don't\ have\ it=I didn't get my progress back %s on %s I don't like -Load\ mode\ -\ load\ from\ file=Load the file -Showcase\ your\ uniqueness\ with\ a\ Emerald\ Hammer.=Panache unity Emerald-a hammer. -Oak\ Trapdoor=Oak Trapdoor -Green\ Tent\ Side=Stage-It Is In The Hand Of The -Blue\ Redstone\ Lamp=With The Redstone Lamp -Extra\ Advanced\ Settings\ (Expert\ Users\ Only\!)=For More Advanced Settings (For Advanced Users Only\!) -Generate\ Structures\:=Like building\: -Saving\ is\ already\ turned\ on=Memory already included -Steel\ Block=Polad Bloku -Sand\ Glass=Sand, Glass -Colored\ Tiles\ (Lime\ &\ Yellow)=The Color Of The Tiles (Green-Yellow) -Green\ Bordure\ Indented=The Green Board Is The Reduction Of The -Unknown\ Map=Unknown Card -Structure\ Integrity=Structure, Integrity -Mooshroom\ gets\ milked=Milked Mooshroom -Pink\ Base\ Sinister\ Canton=The Pink Color On The Basis Of The Data Of The Sinister Canton -Light\ Blue\ Chief\ Indented=Light Blue Base, Mit Offset -\u00A77\u00A7o"If\ I\ die,\ I'll\ come\ back."\u00A7r=\u00A77\u00A7o"If I am to die, I'll be back."\u00A7r -Relieve\ a\ Blaze\ of\ its\ rod=Facilitate fire rods -World\ Map\ Waypoints=The Locations On The Map -Fir\ Door=Spruce Up Your Front Door -Plantball=Plantball -Dot=The point -Interactions\ with\ Grindstone=Interakcia spp-AUX-plietol -Redstone\ Toaster=Redstone Toaster -Collect\ data\ and\ render\ the\ tooltip=For the collection and processing of data in the description -Purple\ Tent\ Top=Purple Top Tent -Brain\ Coral\ Wall\ Fan=The Brain Coral, Fan To The Wall -No\ longer\ spectating\ an\ entity=You should never be considered as a whole, -**Remove\ Message\ Text\ to\ Remove\ this\ Value**=**To delete Text Messages in order to Delete the Value** -Dark\ Oak\ Drawer=Dark Dub Fica -Fishy\ Business=The fish business -Press\ this\ key\ when\ hovering\ a\ container\ stack\nto\ open\ the\ preview\ window=Press this button when the mouse goes over the pot in the tray\nopen the preview window -Light\ Gray\ Concrete=The Pale Grey Of The Concrete -Cloth\ Mod\ Config\ Config=Boards Fashion In Configuration -Pufferfish=Fish bowl -F25=F25 -Removed\ %s\ items\ from\ %s\ players=To remove %s statii %s players -F24=F24 -F23=F23 -playing\ in\ the\ future\ as\ OpenGL\ 3.2\ will\ be\ required\!=play it in the future if OpenGL 3.2 is required\!\!\! -F22=F22 -F21=Lewisite F21 -F20=F20 +Brown\ Glazed\ Terracotta=Brown Glass +Crab\ Leg=Crab Leg +Black\ Gradient=The Curve In Black +5x\ Compressed\ Cobblestone=5x Compressed Cobblestone +Replaced\ a\ slot\ on\ %s\ entities\ with\ %s=To change the housing %s the operators of the %s +ME\ Crafting\ Monitor=ME Crafting Monitor +The\ identifier\ of\ the\ sound\ to\ play.=The identifier of the sound to play. +Standard\ Boosters=Standard Boosters +Dolphin\ eats="Dolphin" +Zoom\ Overlay=Zoom Overlay +Bag=Bag +Chain\ Command\ Block=The Chain-Of-Command Within The Group +Iron\ Button=Iron Button +Chorus\ Block=Chorus Block +Obsidian\ Bricks=Obsidian Bricks +Bar=Bar +Bat=Letuchaya mouse +Oak\ Sapling=Baby Oak +Stellum\ Chestplate=Stellum Chestplate +United\ States\ Wing=United States Wing +Nickel\ Nugget=Nickel Nugget +Image\ not\ found.=Image not found. +Small\ Birch\ Logs=Small Birch Logs +Bronze\ Excavator=Bronze Excavator +Gray\ Per\ Pale\ Inverted=The Gray Light Of The Opposite +Elite\ Tank=Elite Tank +World\ Name=The Name Of The World +Begonia=Begonia +Setting\ %s\ to\ %s\ lives\ instead.=Setting %s to %s lives instead. +RGB\ Block=RGB Block +You\ had\ %s\ [[live||lives]]\ removed\ by\ %s=You had %s [[live||lives]] removed by %s +Pink\ Stained\ Glass\ Pane=Pink-Tinted Glass +Orange\ Sofa=Orange Sofa +Blue\ Enchanted\ Button=Blue Enchanted Button +You\ have\ added\ %s\ [[live||lives]]\ to\ your\ lifepool.=You have added %s [[live||lives]] to your lifepool. +Skyris\ Sapling=Skyris Sapling +Revoked\ the\ advancement\ %s\ from\ %s=Set Up A Meeting %s from %s +Cracked\ Purpur\ Block=Cracked Purpur Block +Soapstone\ Tile\ Slab=Soapstone Tile Slab +Entity\ Colours=Entity Colours +Space=Area +Corner\ Mode\ -\ Placement\ and\ Size\ Marker=Corner Mode - Placement and Size Marker +Blue\ Enchanted\ Slab=Blue Enchanted Slab +Pink\ Cherry\ Oak\ Leaf\ Pile=Pink Cherry Oak Leaf Pile +Smoker\ Slab=Smoker Slab +Show\ Subtitles=In Order To See The Subtitles In English. +Green\ Concrete="Green" Concrete +Light\ Gray\ ME\ Dense\ Covered\ Cable=Light Gray ME Dense Covered Cable +Brown\ Gradient=Brown Gradient +Slippery\ Stone=Slippery Stone +Enable\ custom\ Curses=Enable custom Curses +Rose\ Gold\ Crook=Rose Gold Crook +Grassy\ Igloo\ Spawnrate=Grassy Igloo Spawnrate +Toggle\ Ingame\ Waypoints=Toggle Ingame Waypoints +The\ maximum\ value\ that\ you\ can\ scroll\ up.=The maximum value that you can scroll up. +Legendary=Legendary +Matching\ every\ creature\ that\ has\ the\ selected\ type\ or\ a\ subtype\ to\ the\ selected\ type.=Matching every creature that has the selected type or a subtype to the selected type. +Texture\ Compression=Texture Compression +Red\ Lawn\ Chair=Red Lawn Chair +Dark\ Oak\ Stairs=The Dark Oak Wood Stairs +Purple\ Concrete=Specific +Times\ Mined=A Time To Build +Party\ name=Party name +Stone\ Sword=The Sword In The Stone +Endgame=Endgame +Assembling\ Machine=Assembling Machine +Mixed\ Metal\ Ingot=Mixed Metal Ingot +Gray\ Shingles\ Stairs=Gray Shingles Stairs +%s\ is\ a\ blacklisted\ entity=%s is a blacklisted entity +Bee=Bee +Small\ Pile\ of\ Ender\ Eye\ Dust=Small Pile of Ender Eye Dust +Tungstensteel\ Nugget=Tungstensteel Nugget +Black\ Ice=Black Ice +Memory\ card\ cleared.=Memory card cleared. +Jungle\ Glass\ Door=Jungle Glass Door +Bronze\ is\ useful\ for\ creating\ tools,\ and\ is\ also\ used\ in\ construction\ of\ more\ advanced\ machines.=Bronze is useful for creating tools, and is also used in construction of more advanced machines. +Wooded\ Red\ Rock\ Mountains=Wooded Red Rock Mountains +S'more=S'more +Pink\ ME\ Covered\ Cable=Pink ME Covered Cable +Lead\ Crook=Lead Crook +Fool's\ Gold\ Nugget=Fool's Gold Nugget +\u00A77\u00A7oin\ order\ to\ get\ a\ bat\ wing."\u00A7r=\u00A77\u00A7oin order to get a bat wing."\u00A7r +%1$s\ was\ fireballed\ by\ %2$s\ using\ %3$s=%1$s \u03B5\u03AF\u03BD\u03B1\u03B9 fireballed \u03C3\u03C4\u03BF %2$s use %3$s +$.3fM\ WU=$.3fM WU +There\ are\ no\ tags\ on\ the\ %s\ entities=Not on the label\: %s organizations +Craft\ an\ Electric\ Smelter=Craft an Electric Smelter +Red\ Beveled\ Glass=Red Beveled Glass +Test\ Book\ 2=Test Book 2 +Test\ Book\ 1=Test Book 1 +Crafting\ Pattern=Crafting Pattern +Enter\ the\ End\ Portal=Place The End Of The Portal +Golden\ Chain=Golden Chain +Space\ Slime=Space Slime +%1$s\ on\ a\ Wooden\ Chest\ to\ convert\ it\ to\ a\ Gold\ Chest.=%1$s on a Wooden Chest to convert it to a Gold Chest. +Netherite\ Nugget=Netherite Nugget +Quartz\ Bricks\ Glass=Quartz Bricks Glass +Lime\ Futurneo\ Block=Lime Futurneo Block +This\ chunk\ is\ already\ scanned\ and\ it\ has\ a\ %s\ vein=This chunk is already scanned and it has a %s vein +Light\ Gray\ Sofa=Light Gray Sofa +Ice\ Spikes=The Ice Peak +Creeper\ dies=The reptile is dying +Stellum\ Plates=Stellum Plates +Univite\ Mining\ Tool=Univite Mining Tool +Tin\ Mattock=Tin Mattock +Thunderstorm=Thunderstorm +Illegal\ characters\ in\ chat=Incredible characters in the chat +Lock\ Player\ Heads=Lock Player Heads +Jacaranda\ Button=Jacaranda Button +Zombified\ Piglin\ grunts\ angrily=Piglin zombie grunyits furiosament +Black\ ME\ Dense\ Smart\ Cable=Black ME Dense Smart Cable +Potted\ Crimson\ Roots=Plants, Their Roots Do +Red\ Banner=Red Flag +Music\ &\ Sounds...=Hudba A Zvuk... +Twenty-Coin=Twenty-Coin +This\ world\ is\ empty,\ choose\ how\ to\ create\ your\ world=The world is empty, you will need to choose how you can create your own world +Shears\ scrape=De schaar scratch +Check\ for\ Updates=Check for Updates +When\ in\ Main\ Hand\:=When in Main Hand\: +A\ machine\ which\ consumes\ $(thing)energy$()\ to\ mix\ $(thing)fluids$()\ into\ useful\ materials.=A machine which consumes $(thing)energy$() to mix $(thing)fluids$() into useful materials. +%s\ Settings=%s Settings +\u00A74The\ terrain\ is\ not\ proper\ to\ start\ a\ trial=\u00A74The terrain is not proper to start a trial +Craft\ any\ piece\ of\ quantum\ armor=Craft any piece of quantum armor +Open\ scrap\ boxes\ automatically=Open scrap boxes automatically +Break\ Fully=Absolutely Will Not Break +Green\ Chief=The Name Of The Green +Couldn't\ grant\ criterion\ '%s'\ of\ advancement\ %s\ to\ %s\ as\ they\ already\ have\ it=Is not a criterion"%s"with the arrival of %s a %s as it is already there +Modified\ Jungle\ Edge=Changes At The Edge Of The Jungle +Processing=Processing +%s\ is\ not\ in\ spectator\ mode=%s so +Charge-O-Mat=Charge-O-Mat +Item\ Selection=Select The Item +To\ boldly\ go=To boldly go +Silver\ Axe=Silver Axe +Stripped\ Skyris\ Wood=Stripped Skyris Wood +Orange\ Chevron=Orange Chevron +Unpin=Unpin +Scoria\ Stone\ Bricks=Scoria Stone Bricks +Pink\ Asphalt\ Slab=Pink Asphalt Slab +Skyris\ Fence=Skyris Fence +Storage\ Bus=Storage Bus +%s=%s +Real\ gamers\ use\ the\ Gamer\ Axe=Real gamers use the Gamer Axe +Random\ tick\ speed\ rate=Random tick rate +%s\ Generation=%s Generation +Lime\ Bundled\ Cable=Lime Bundled Cable +Light\ Gray\ Saltire=The Grey Light In Decus +Powered\ Spike\ Trap=Powered Spike Trap +Save\ mode\ -\ write\ to\ file=Saving Mode d' - the file to write +Small\ Rows=Small Rows +Enter\ a\ Crimson\ Village=Enter a Crimson Village +%s\ will\ now\ respawn\ on\ death=%s will now respawn on death +Platinum\ Plate=Platinum Plate +Maximum\ Y\ level\ distance\ for\ entities\ until\ they\ are\ no\ longer\ displayed.=Maximum Y level distance for entities until they are no longer displayed. +Blue\ Per\ Pale=Light M +\u00A7cUse\ to\ remove\ your\ own\ wing\u00A7r=\u00A7cUse to remove your own wing\u00A7r +Lime\ Bordure\ Indented=O Sol Bordure Recuado +Maximum\ retrieval\ count=Maximum retrieval count +Translater=Translator +Tin\ Block=Tin Block +Black\ Glider=Black Glider +Trail=Course +at\ least\ %s=at least %s +Charred\ Brick\ Slab=Charred Brick Slab +Must\ be\ an\ opped\ player\ in\ creative\ mode=This is geopt players in creative mode +Armorer=Armorer +Rainbow\ Eucalyptus\ Leaves=Rainbow Eucalyptus Leaves +Minimum=At least +ME\ Import\ Bus=ME Import Bus +Glass\ Wing=Glass Wing +Road\ of\ Resistance=Road of Resistance +On\ &worldname&=On &worldname& +You\ currently\ have\ %s\ [[live||lives]]\ left.=You currently have %s [[live||lives]] left. +Reloaded\ resource\ packs=Re-source packages +Walk\ Backwards=To Go Back To +Wood\ to\ Netherite\ upgrade=Wood to Netherite upgrade +Backup\ failed=Backup +Levitate\ up\ 50\ blocks\ from\ the\ attacks\ of\ a\ Shulker=Marketing up to 50 blocks in the attack, Shulker +Green\ Glazed\ Terracotta\ Glass=Green Glazed Terracotta Glass +Diorite\ Bricks=Diorite Bricks +Floored\ Cavern\:\ Gold\ Block=Floored Cavern\: Gold Block +(Shift-Click\ to\ Remove)=(Shift-Click to Remove) +Dark\ Prismarine\ Post=Dark Prismarine Post +Polished\ Diorite\ Ghost\ Block=Polished Diorite Ghost Block +Ring\ of\ Hungerless=Ring of Hungerless +Wilted\ Grass=Wilted Grass +Multiplayer\ game\ is\ now\ hosted\ on\ port\ %s=Multiplayer is currently hosted on %s +Golden\ Sword=Golden Sword. +Strider\ hurts=Strider pacienta +Yellow\ Sofa=Yellow Sofa +Asteroid\ Iron\ Ore=Asteroid Iron Ore +The\ task\ '%s'\ has\ been\ selected\ and\ can\ now\ be\ applied\ to\ a\ QDS\ by\ right-clicking\ with\ the\ quest\ book.=The task '%s' has been selected and can now be applied to a QDS by right-clicking with the quest book. +Blue\ Concrete\ Ghost\ Block=Blue Concrete Ghost Block +Use\ the\ book\ as\ if\ you\ would\ be\ in\ play\ mode.=Use the book as if you would be in play mode. +Ring\ of\ Invisibility=Ring of Invisibility +There\ are\ no\ data\ packs\ enabled=Active data packages +\u00A7cOverflow=\u00A7cOverflow +Acacia\ Planks\ Camo\ Door=Acacia Planks Camo Door +0.5x=0.5x +Potassium=Potassium +%s\ E=%s E +Cyan\ Base=CYANOGEN based +The\ particle\ was\ not\ visible\ for\ anybody=The particles that are not visible to everyone +Unable\ to\ teleport\ because\ it\ would\ tell\ you\ the\ waypoint\ coordinates.\ Disable\ "Hide\ Waypoint\ Coords"\ to\ be\ able\ to\ freely\ teleport\ again.=Unable to teleport because it would tell you the waypoint coordinates. Disable "Hide Waypoint Coords" to be able to freely teleport again. +CPU=CPU +Banner\ Pattern=Predlo\u017Eak Banner +Fluid\ P2P\ Tunnel=Fluid P2P Tunnel +Template=Definition of +Fireman\ Steve=Fireman Steve +Acacia\ Crate=Acacia Crate +Light\ Gray\ Base\ Gradient=A Light Gray Gradient Base +Kicked\ by\ an\ operator=It is struck by the operator of the +Bog=Bog +Purple\ Beveled\ Glass=Purple Beveled Glass +Copper=Copper +Splash\ Potion\ of\ the\ Turtle\ Master=Splash Drink Turtle Master +Vanilla\ Cave\ Minimum\ Altitude=Vanilla Cave Minimum Altitude +Invite\ player=We invite all the users of the +7x\ Compressed\ Sand=7x Compressed Sand +Light\ Blue\ Mushroom=Light Blue Mushroom +You\ have\ been\ idle\ for\ too\ long\!=You have been inactive for a very long time. +Bow=Arch +Dimension\ icon\ to\ default\ to\ when\ in\ an\ unsupported\ dimension=Dimension icon to default to when in an unsupported dimension +Ruby\ Hoe=Ruby Hoe +Green\:\ %s\ /\ %s=Green\: %s / %s +Peridot\ Chestplate=Peridot Chestplate +Brown\ Birch\ Leaves=Brown Birch Leaves +Caves=Cave +Pink\ Glazed\ Terracotta\ Camo\ Trapdoor=Pink Glazed Terracotta Camo Trapdoor +Acacia\ Planks\ Glass=Acacia Planks Glass +Advanced\ Circuit=Advanced Circuit +%s\:\ %spx=%s\: %spx +Press\ %s=Press %s +Zombie\ Villager\ snuffles=Zombie-Resident, snork +Id\ \#%s=Id \#%s +Cave\ Maps=Cave Maps +Basic\ Drill=Basic Drill +Earth\ Wing=Earth Wing +Chop\ Chop=Chop Chop +Beetroot\ Crate=Beetroot Crate +Burned\ End\ Stone=Burned End Stone +Extra\ Creative\ Items=Extra Creative Items +Cinematic\ Multiplier=Cinematic Multiplier +Painting=Fig. +Name\ Tag=Naziv Sign +Small\ Pile\ of\ Uvarovite\ Dust=Small Pile of Uvarovite Dust +Turtle\ Shell=The Shell Of The Turtle +Cypress\ Fence\ Gate=Cypress Fence Gate +Green\ Bordure=Mars Has +Owner=Owner +Display\ button\ in\ inventory=Display button in inventory +Wolves\ With\ Armor=Wolves With Armor +Detects=Detects +Configuration=Configuration +Japanese\ Orchid=Japanese Orchid +Fox\ angers=Fox, I Don't +Bronze\ can\ be\ obtained\ by\ combining\ 3\ Copper\ Ingots\ and\ 1\ Tin\ Ingot\ in\ an\ $(item)$(l\:machinery/alloy_smelter)Alloy\ Smelter$().\ This\ produces\ 4\ $(item)Bronze\ Ingots$().=Bronze can be obtained by combining 3 Copper Ingots and 1 Tin Ingot in an $(item)$(l\:machinery/alloy_smelter)Alloy Smelter$(). This produces 4 $(item)Bronze Ingots$(). +%1$s\ was\ slain\ by\ %2$s=%1$s he was killed %2$s +Raw\ Rabbit=The First Rabbit +World\ Map\ Screen=World Map Screen +Bats\ drops\ Bat\ Wing=Bats drops Bat Wing +Pine\ Pressure\ Plate=Pine Pressure Plate +Invalid\ session=Session invalid +\ \ Medium\:\ 0.004=\ Medium\: 0.004 +%s%%=%s +\ \ Medium\:\ 0.005=\ Medium\: 0.005 +Carnitas\ Taco=Carnitas Taco +\ \ Medium\:\ 0.007=\ Medium\: 0.007 +Crate\ of\ Melon\ Slices=Crate of Melon Slices +Onion\ Crop=Onion Crop +Give\ Feedback=Leave A Review +These\ settings\ are\ experimental\ and\ could\ one\ day\ stop\ working.\ Do\ you\ wish\ to\ proceed?=Note\: these settings are experimental and may one day be able to stop it. If you want to do this? +New\ device\ configuration\ created\ and\ copied\ to\ memory\ card.=New device configuration created and copied to memory card. +Purple\ Smooth\ Sandstone=Purple Smooth Sandstone +Bamboo\ Stairs=Bamboo Stairs +Short\ Grass=Short Grass +Brown\ Stone\ Bricks=Brown Stone Bricks +Horn\ Coral\ Wall\ Fan=Coral Horns On The Wall, Fan +YUNG's\ Better\ Caves=YUNG's Better Caves +Slime\ dies=Mucus mor +\u00A77Fuel\ Usage\:\ \u00A7a%s=\u00A77Fuel Usage\: \u00A7a%s +Sort\ the\ entities=The principle of sorting +Target\ pool\:=The purpose of the System\: +Entities\ on\ team=Operators in the team +Chrome\ Plate=Chrome Plate +Birch\ Glass\ Door=Birch Glass Door +Energy\ Upgrade\ Modifier=Energy Upgrade Modifier +Nickel\ Ingot=Nickel Ingot +Purple\ Snout=A +F3\ +\ C\ \=\ Copy\ location\ as\ /tp\ command,\ hold\ F3\ +\ C\ to\ crash\ the\ game=F3 + C \= Copy the location of the /tp command, and then press F3 + C in order to block the game +Tungsten\ Sledgehammer=Tungsten Sledgehammer +Extractor=Extractor +Netherite\ Mattock=Netherite Mattock +Stone\ Torch=Stone Torch +White\ Glazed\ Terracotta=White Enamel Is +Low\ Air=Low Air +Lodestone\ Compass\ locks\ onto\ Lodestone=Magnetic compass, magnet of the hard disk drive +Small\ Pile\ of\ Grossular\ Dust=Small Pile of Grossular Dust +Vanilla\ hardcore\ mode\ is\ already\ enabled.\ Can't\ enable\ Hardcore\ Mode.=Vanilla hardcore mode is already enabled. Can't enable Hardcore Mode. +(%s\ sec)=(%s sec) +[GOML]=[GOML] +Settings\ for\ Other\ Players=The Settings For Other Players +Nether\ Portal=Nether Portal +The\ epitome\ of\ sandwiches.=The epitome of sandwiches. +Cyan\ ME\ Smart\ Cable=Cyan ME Smart Cable +Palm\ Leaves=Palm Leaves +Totem\ activates=Totem of nature +Put\ newly\ created\ waypoints\ at\ the\ bottom\ of\ the\ waypoints\ set\ instead\ of\ the\ default\ top.=Put newly created waypoints at the bottom of the waypoints set instead of the default top. +Light\ Gray\ Shingles=Light Gray Shingles +Chiseled\ Red\ Rock\ Brick\ Stairs=Chiseled Red Rock Brick Stairs +Light\ Gray\ Field\ Masoned=Light Gray Field Masoned +Hammer=Hammer +Sapphire\ Hoe=Sapphire Hoe +The\ target\ block\ is\ not\ a\ container=The purpose of the block is not a container +Isn't\ It\ Iron\ Pick=This Iron-Press +Use\ a\ Totem\ of\ Undying\ to\ cheat\ death=Use the totem of the Immortal and cheat death +ME\ Conversion\ Monitor=ME Conversion Monitor +Distance\ Climbed=Ja Climbed +Increases\ the\ Protection\ provided\ by\ the\ armor=Increases the Protection provided by the armor +Magenta\ Base\ Dexter\ Canton=Magenta Znanja Dexter Kantonu +Potted\ Birch\ Sapling=Getopften Birch-Trees, +\u00A77\u00A7o"Portable\ Inventory\ not\ included."\u00A7r=\u00A77\u00A7o"Portable Inventory not included."\u00A7r +Red\ Concrete\ Powder=Crveni Dust Concrete +Obsidian\ to\ Netherite\ upgrade=Obsidian to Netherite upgrade +Getting\ an\ Upgrade=In order to get the update +Bronze=Bronze +Soul\ Sandstone\ Slab=Soul Sandstone Slab +Negotiating...=To bargain... +Can't\ insert\ %s\ into\ list\ of\ %s=You can't %s a lista %s +Alert\ Min\ Light\ Level=Alert Min Light Level +Toast's\ Ready\!=Toast's Ready\! +Pink\ Orchid=Pink Orchid +Ghast\ Tear=Problems Tear +Palm\ Slab=Palm Slab +Rose\ Gold=Rose Gold +Cherry\ Oak\ Fence\ Gate=Cherry Oak Fence Gate +Limestone\ Slab=Limestone Slab +Change\ Task=Change Task +CraftPresence\ -\ Add\ New\ Value=CraftPresence - Add New Value +Magenta\ Per\ Bend=Mr. Black +All\ players=Each player +Zelkova\ Fence\ Gate=Zelkova Fence Gate +Demon\ Wing=Demon Wing +Asteroid\ Stone\ Stairs=Asteroid Stone Stairs +Granted\ the\ advancement\ %s\ to\ %s=Despite the success %s a %s +Electrum\ Gear=Electrum Gear +Rubber\ Chair=Rubber Chair +Options=Options +Quest\ Option=Quest Option +Black\ Smooth\ Sandstone=Black Smooth Sandstone +Yellow\ Base\ Sinister\ Canton=Yellow Base Sinister Canton +You\ have\ currently\ selected\:\ %s=You have currently selected\: %s +Player\ Tracker=Player Tracker +Iron\ Ore=Iron ore +Lazurite\ Plate=Lazurite Plate +Applies\ to\ command\ block\ chains\ and\ functions=Current command-Block-chain and options +Glitch\ Ingot=Glitch Ingot +Unfinished\ Logic\ Processor=Unfinished Logic Processor +Lime\ Stained\ Glass=Lime Stained Glass +Splash\ Potion\ of\ Healing=Splash Healing \u053D\u0574\u0565\u056C\u056B\u0584 +Dacite\ Tile\ Wall=Dacite Tile Wall +Re-Create=Again +Red\ Bend=The Red Curve +Black\ Thing=Black Back +No\ quest\ selected=No quest selected +Light\ Blue\ Elytra\ Wing=Light Blue Elytra Wing +Paper\ Trapdoor=Paper Trapdoor +Minecraft\ Server=Minecraft Server +Dev.ReplicatorCard=Dev.ReplicatorCard +Quick\ Shulker=Quick Shulker +Craft\ a\ stone\ torch.=Craft a stone torch. +Blue\ Carpet=Blue Carpet +Lava\ Bricks=Lava Bricks +No\ advancement\ was\ found\ by\ the\ name\ '%1$s'=No progress to name%1$s' +Crafting\ Card=Crafting Card +Lime\ Pale\ Sinister=Lime Light-Sinister +Modified\ Jungle=Change The Jungle +Create\ New\ World=If You Want A New World +Ice\ Bucket\ Challenge=Ice Bucket-Haaste +Inventory\ Sorting=Inventory Sorting +Light\ Gray\ Cross=The Light Gray Cross +Chiseled\ Stone\ Bricks=Engraved Stone, Brick +Primitive\ Fluid\ Mixer=Primitive Fluid Mixer +Gold\ armor\ clinks=The seat is a golden ring +Acacia\ Fence=Valla Acacia +Small\ Pile\ of\ Flint\ Dust=Small Pile of Flint Dust +Nothing\ changed.\ The\ world\ border\ damage\ buffer\ is\ already\ that\ distance=It, no difference. The world border buffer, there was a breach, this is the distance +Dacite\ Tile=Dacite Tile +Prairie=Prairie +At\ &xPosition&,\ &zPosition&=At &xPosition&, &zPosition& +Invert\ Activation=Invert Activation +Spruce\ Diagonal\ Timber\ Frame=Spruce Diagonal Timber Frame +Unable\ to\ get\ Curse\ manifest\ data\ (ignore\ if\ not\ using\ a\ Twitch/CursePack)=Unable to get Curse manifest data (ignore if not using a Twitch/CursePack) +Spawn\ monsters=Spawn monsters +Removed\ %s\ from\ %s\ for\ %s\ (now\ %s)=In %s from the %s for %s (now %s) +Black\ Bordure\ Indented=Black Shelf With Indent +Jukebox/Note\ Blocks=Machine/Block +Child=Child +Blue\ Futurneo\ Block=Blue Futurneo Block +Match\ Any=Match Any +Cypress\ Wall=Cypress Wall +Lava=Lava +Quantum\ Helmet=Quantum Helmet +Copper\ is\ very\ useful\ for\ basic\ electronics\ and\ tools.\ When\ combined\ with\ $(item)$(l\:resources/tin)Tin$()\ in\ an\ $(item)$(l\:machinery/alloy_smelter)Alloy\ Smelter$(),\ it\ can\ make\ $(item)$(l\:resources/bronze)Bronze$().=Copper is very useful for basic electronics and tools. When combined with $(item)$(l\:resources/tin)Tin$() in an $(item)$(l\:machinery/alloy_smelter)Alloy Smelter$(), it can make $(item)$(l\:resources/bronze)Bronze$(). +Rollable=Instagram +Minimap=Minimap +Item\ P2P\ Tunnel=Item P2P Tunnel +MV\ Transformer=MV Transformer +Sapphire\ Boots=Sapphire Boots +$(l)Tools$()$(br)Mining\ Level\:\ 1$(br)Base\ Durability\:\ 853$(br)Mining\ Speed\:\ 13$(br)Attack\ Damage\:\ 4$(br)Enchantability\:\ 5$(p)$(l)Armor$()$(br)Durability\ Multiplier\:\ 15$(br)Total\ Defense\:\ 14$(br)Toughness\:\ 0$(br)Enchantability\:\ 7=$(l)Tools$()$(br)Mining Level\: 1$(br)Base Durability\: 853$(br)Mining Speed\: 13$(br)Attack Damage\: 4$(br)Enchantability\: 5$(p)$(l)Armor$()$(br)Durability Multiplier\: 15$(br)Total Defense\: 14$(br)Toughness\: 0$(br)Enchantability\: 7 +Right\ Shift=On The Right-Of-Way +Minimal=Minimum +\:(=\:( +Custom\ bossbar\ %s\ has\ a\ maximum\ of\ %s=Team bossbar %s large %s +Asterite\ Hammer=Asterite Hammer +%s\ on\ a\ chest\ to\ split\ it\ into\ two\ single\ chests.=%s on a chest to split it into two single chests. +Favorites=Favorites +Used\ to\ pickle\ cucumbers.\ Can\ be\ done\ by\ filling\ with\ water,\ placing\ cucumbers\ inside,\ and\ placing\ salt\ in\ the\ water.\ Cucumbers\ will\ pickle\ after\ roughly\ one\ minute.\ Can\ be\ broken\ while\ pickling\ to\ save\ the\ state\ of\ the\ jar,\ and\ can\ be\ used\ to\ store\ pickled\ cucumbers\ in\ style.=Used to pickle cucumbers. Can be done by filling with water, placing cucumbers inside, and placing salt in the water. Cucumbers will pickle after roughly one minute. Can be broken while pickling to save the state of the jar, and can be used to store pickled cucumbers in style. +Get\ an\ Electric\ Furnace=Get an Electric Furnace +Tall\ Brown\ Gladiolus=Tall Brown Gladiolus +\u00A75\u00A7oAutomatically\ consumes\ any\ food\ stored\ in\ it=\u00A75\u00A7oAutomatically consumes any food stored in it +You\ can't\ have\ more\ than\ %s\ [[live||lives]].=You can't have more than %s [[live||lives]]. +Failed\ to\ check\ for\ updates,\ enable\ debug\ mode\ to\ see\ errors...=Failed to check for updates, enable debug mode to see errors... +Energy\ Units=Energy Units +Chat=The Conversation +Message\ to\ display\ while\ in\ a\ loading\ state\\n\ (Between\ RPC\ initializing\ and\ the\ first\ refresh)=Message to display while in a loading state\\n (Between RPC initializing and the first refresh) +Heliumplasma=Heliumplasma +White\ Stained\ Pipe=White Stained Pipe +Lime\ Paly=Cal, Pale +REI\ Synchronized\ Auto=REI Synchronized Auto +Expires\ soon=Soon ends +Green\ Stained\ Glass\ Pane=The Green Glass Panel +Purple\ Chief\ Dexter\ Canton=Purple Main Dexter Canton +Lime\ Pale=Pale Lemon +Witch-hazel\ Slab=Witch-hazel Slab +Snowy\ Black\ Beach=Snowy Black Beach +Next\ Category=Next Category +Fall\ From\ The\ Heavens=Fall From The Heavens +Stretches\ caves\ horizontally.\ Lower\ value\ \=\ wider\ caves.=Stretches caves horizontally. Lower value \= wider caves. +Unable\ to\ move\ items\ to\ a\ %sx%s\ grid.=Unable to move items to a %sx%s grid. +Light\ Blue\ Tent\ Side=Light Blue Tent Side +Graphics=Schedule +Hydropower=Hydropower +Tube\ Coral=In Relation To Coral +Get\ a\ Biomass\ Generator=Get a Biomass Generator +Stripped\ Redwood\ Wood=Stripped Redwood Wood +Crystal\ Claim\ Anchor=Crystal Claim Anchor +Light\ Gray\ Table\ Lamp=Light Gray Table Lamp +Failed\ to\ assign\ an\ alternative\ icon\ for\ asset\ name\ "%1$s",\ using\ default/randomized\ icon\ "%2$s"...=Failed to assign an alternative icon for asset name "%1$s", using default/randomized icon "%2$s"... +Fire\ Resistance=Fire-Resistance +Looting\ Multiplier=Looting Multiplier +Blue\ Glowcane\ Dust=Blue Glowcane Dust +Cursor=Cursor +\nHow\ many\ Giant\ Boulders\ per\ chunk.\ (Can\ be\ decimal\ too)=\nHow many Giant Boulders per chunk. (Can be decimal too) +Bluestone\ Squares=Bluestone Squares +Abandoned=Abandoned +Cooked\ Chopped\ Onion=Cooked Chopped Onion +Univite\ Leggings=Univite Leggings +White\ Cherry\ Leaves=White Cherry Leaves +Multiplayer\ (Realms)=Multiplayer (Mons). +%1$s\ on\ a\ Diamond\ Chest\ to\ convert\ it\ to\ a\ Netherite\ Chest.=%1$s on a Diamond Chest to convert it to a Netherite Chest. +Meadow\ Grass=Meadow Grass +Nether\ Reactor\ Core\ (Legacy)=Nether Reactor Core (Legacy) +Max\ Width=Max Width +Range\:\ %s=Range\: %s +Took\ too\ long\ to\ log\ in=It took a long time to log in. +More\ Seeds=More Seeds +Strider\ retreats=Outside pension +Nickel\ Dust=Nickel Dust +Light\ Gray\ Per\ Bend\ Sinister\ Inverted=Bend Sinister In The Early Light Gray +You\ currently\ have\ not\ selected\ any\ tasks=You currently have not selected any tasks +Water\ Brick\ Wall=Water Brick Wall +Arrow\ of\ Sugar\ Water=Arrow of Sugar Water +Cat=Cat +Spooky\ and\ Scary\ Pristine\ Matter=Spooky and Scary Pristine Matter +Sterling\ Silver\ Silverver\ Axe=Sterling Silver Silverver Axe +Mahogany\ Slab=Mahogany Slab +click\ icon\ to\ set.=click icon to set. +Enable\ detection\ for\ MCUpdater\ instance\ data?=Enable detection for MCUpdater instance data? +A\ Balanced\ Diet=A Well-Balanced Diet +White\ Snout=At The Top Of The Head, White In Color +Purple\ Foxglove=Purple Foxglove +Your\ subscription=Subscription +Thrown\ Bottle\ o'\ Enchanting=Threw a bottle of enchanting +Iridium\ Nugget=Iridium Nugget +Water\ Silk=Water Silk +Serial\ Port\ Module=Serial Port Module +7x\ Compressed\ Gravel=7x Compressed Gravel +WP\ Name\ Above\ Distance=WP Name Above Distance +Green\ Color\ Module=Green Color Module +Infinity\ Pocket=Infinity Pocket +Enchanted\ Golden\ Apple=Enchanted Zalatoe Ableg +Trapdoor\ closes=The door closed +Dragon\ Egg\ Energy\ Siphon=Dragon Egg Energy Siphon +Sodiumpersulfate=Sodiumpersulfate +Attack\ Range=Attack Range +Mossy\ Cobblestone\ Wall=Mossy Cobbles Of De Muur +Next\ Page=Next Page +Obtainable\ by\ breaking\ a\ Shrub,\ and\ used\ to\ plant\ tomato\ crops.=Obtainable by breaking a Shrub, and used to plant tomato crops. +Pink\ Fess=Color Pink +Sorting=Sorting +Blue\ Cross=Blue Cross +60k\ Helium\ Coolant\ Cell=60k Helium Coolant Cell +Axes,\ saplings\ and\ bone\ meals=Axes, saplings and bone meals +Lead\ Wall=Lead Wall +Delete=Euroopa +temporary=temporary +Server=Server +Potted\ Huge\ Crimson\ Fungus=Potted Huge Crimson Fungus +Repeat=Comments +Checking\ for\ valid\ Curse\ manifest\ data...=Checking for valid Curse manifest data... +Brewing\ Stand\ bubbles=The use of bubbles coming out of +$(l)Tools$()$(br)Mining\ Level\:\ 1$(br)Base\ Durability\:\ 200$(br)Mining\ Speed\:\ 5$(br)Attack\ Damage\:\ 1.0$(br)Enchantability\:\ 10$(p)$(l)Armor$()$(br)Durability\ Multiplier\:\ 12$(br)Total\ Defense\:\ 12$(br)Toughness\:\ 0$(br)Enchantability\:\ 15=$(l)Tools$()$(br)Mining Level\: 1$(br)Base Durability\: 200$(br)Mining Speed\: 5$(br)Attack Damage\: 1.0$(br)Enchantability\: 10$(p)$(l)Armor$()$(br)Durability Multiplier\: 12$(br)Total Defense\: 12$(br)Toughness\: 0$(br)Enchantability\: 15 +White\ Mushroom=White Mushroom +Weight\ Storage\ Cube=Weight Storage Cube +Type\ 2\ Cave\ Surface\ Cutoff\ Depth=Type 2 Cave Surface Cutoff Depth +Dragon\ Fireball=Fire Dragon +Use\ a\ Campfire\ to\ collect\ Honey\ from\ a\ Beehive\ using\ a\ Bottle\ without\ aggravating\ the\ bees=To gather with a fire, honey, beehive, bottle, and without to aggravate the bees +An\ Object's\ Second=Another object +Cover\ your\ toes\ at\ night=Cover your toes at night +Grind\ iridium\ ore\ in\ an\ industrial\ grinder\ to\ get\ an\ iridium\ ingot=Grind iridium ore in an industrial grinder to get an iridium ingot +Discover\ every\ biome=To investigate all the species of plants, animals, +Cherry\ Blossom\ Clearing=Cherry Blossom Clearing +AE=AE +Instant\ Health=Emergency Medical Care +Bell\ rings=The bell rings +End\ Stone\ Button=End Stone Button +Small\ Pile\ of\ Yellow\ Garnet\ Dust=Small Pile of Yellow Garnet Dust +Red\ Rune=Red Rune +Nether\ Quartz\ Crook=Nether Quartz Crook +Peaceful=Nice +Trial\ Failed=Trial Failed +Couldn't\ grant\ advancement\ %s\ to\ %s\ players\ as\ they\ already\ have\ it=Couldn't do further development %s by %s the players that are already in place +Paxel\ Durability\ Factor=Paxel Durability Factor +Are\ you\ sure\ you\ want\ to\ quit\ editing\ the\ config?\ Changes\ will\ not\ be\ saved\!=Are you sure you want to exit the edit configuration? The changes are not saved\! +Controls\ resource\ drops\ from\ mobs,\ including\ experience\ orbs=The management has divided the audience, including the experience of top +Ring\ of\ Wither=Ring of Wither +Desert\ Hills=Hills Of The Desert +Modules\ installed\:=Modules installed\: +Render\ skulls\ on\ top\ of\ gravestones=Render skulls on top of gravestones +Potted\ Light\ Gray\ Rose\ Campion=Potted Light Gray Rose Campion +A\ block\ used\ to\ make\ cheese.\ Can\ be\ used\ by\ interacting\ with\ a\ bucket\ of\ milk,\ then\ interacting\ with\ a\ cheese\ culture\ bottle\ to\ begin\ the\ fermenting\ process.\ After\ three\ minutes,\ particles\ will\ appear.\ Interact\ to\ remove\ the\ cheese.\ Fermenting\ milk\ can\ be\ put\ in\ a\ bucket.=A block used to make cheese. Can be used by interacting with a bucket of milk, then interacting with a cheese culture bottle to begin the fermenting process. After three minutes, particles will appear. Interact to remove the cheese. Fermenting milk can be put in a bucket. +Lush\ Red\ Desert=Lush Red Desert +Narrator\ Enabled=The Narrative Included In The Price +Purple\ Stained\ Glass=Violet Vitraliu +The\ maximum\ width\ of\ a\ pinned\ note\ relative\ to\ the\ screen's\ width.=The maximum width of a pinned note relative to the screen's width. +Zigzagged\ Granite=Zigzagged Granite +Arrow\ of\ Leaping=The arrows on the field +Not\ as\ fun\ landing\ text\ but\ still\ here.=Not as fun landing text but still here. +Weights=Weights +Witch\ Hazel\ Trapdoor=Witch Hazel Trapdoor +Light\ Blue\ Per\ Bend=The Blue Light On The +Output=Output +Green\ Roundel=Roheline Rondelle +Stored\ Size\:\ %sx%sx%s=Stored Size\: %sx%sx%s +Cherry\ door=Cherry door +Tungsten\ Grinding\ Head=Tungsten Grinding Head +Tungsten\ Ore=Tungsten Ore +Showing\ new\ title\ for\ %s=With a new name %s +Meteoric\ Steel\ Helmet=Meteoric Steel Helmet +Blue\ Concrete=Blue, Concrete +Item\ I/O=Item I/O +Llama=Direcci\u00F3n +Blue\ Glazed\ Terracotta\ Camo\ Trapdoor=Blue Glazed Terracotta Camo Trapdoor +Documentation\ for\ everyone=Documentation for everyone Nothing\ changed.\ The\ world\ border\ warning\ is\ already\ that\ amount\ of\ time=Nothing has changed. The limits of the world, with a warning this time, but during this period -Obtaining\ Galaxium=One Galaxium -View\ Recipes\ for\ %s=Pogled Recepti %s -Player\ Detector=- Player Detector -Stone\ Step=Rock-Step -Cow\ hurts=Cow-it hurts so bad -Electrolyzing=Electrolyzing -Pine\ Shrub\ Log=Pine Bush, On See M\u00E4rk -F19=F19 -Template\ Wing=Template Sneskey -F18=F18 -F17=F17 -F16=F16 -F15=F15 -Chicken\ plops=Toyuq splatties -F14=\u042414 -F13=A few years is protected +Magmatic\ Prismarine\ Chimney=Magmatic Prismarine Chimney +Drop\ blocks=The blocks fall off +By\ default,\ caverns\ spawn\ in\ 25%\ of\ regions.=By default, caverns spawn in 25% of regions. +Peridot=Peridot +Lead\ Boots=Lead Boots +/hqm\ version=/hqm version +Brown\ Per\ Bend\ Inverted=Brown Make Up Look +Parrot\ hisses=Parrot hisses +Purple\ Shingles=Purple Shingles +Prestigious\ Hammer=Prestigious Hammer +Cyan\ Glazed\ Terracotta\ Camo\ Door=Cyan Glazed Terracotta Camo Door +Meteoric\ Steel\ Hoe=Meteoric Steel Hoe +Endorium\ Axe=Endorium Axe +Astronautics=Astronautics +Super\ Circuit\ Maker=Super Circuit Maker +Transfer\ Direction=Transfer Direction +Invalid\ Machine.=Invalid Machine. +Custom\ bossbar\ %s\ has\ a\ value\ of\ %s=The end of the bossbar %s the value of the %s +Determines\ whether\ displayed\ notes\ will\ be\ word\ wrapped.=Determines whether displayed notes will be word wrapped. +Certus\ Quartz\ Hoe=Certus Quartz Hoe +Basic\ Fisher=Basic Fisher +Add\ Warped\ Outpost\ to\ Modded\ Warped\ Biomes=Add Warped Outpost to Modded Warped Biomes +Custom\ bossbar\ %s\ has\ changed\ value\ to\ %s=A custom bossbar %s changed price %s +Red\ Terracotta\ Camo\ Door=Red Terracotta Camo Door +F1=F1 +F2=F2 +(Click\ again\ to\ clear)=(Click again to clear) +F3=F3 +Craft\ an\ electric\ alloy\ smelter=Craft an electric alloy smelter +Force\ Curses\ At\ Bottom\ Of\ Tooltip=Force Curses At Bottom Of Tooltip +F4=F-4. +F5=F5 +Maximum\ number\ of\ entities\ to\ return=Maximum number of people in order to bring them back +F6=F6 +Blackstone\ Slab=The Blackstone Council +F7=F7 +F8=F8 +F9=F9 +Leatherworker\ works=Leatherworker V Prac\u00EDch +Block\ of\ Electrum=Block of Electrum +Can't\ schedule\ for\ current\ tick=You can design the layout of the current offerings +Turtle\ dies=The turtle will die +4x\ Compressed\ Dirt=4x Compressed Dirt +Cooldown=Cooldown +Energy\ Change=Energy Change +Good\ Luck=Good luck +Small\ Pile\ of\ Phosphorous\ Dust=Small Pile of Phosphorous Dust +Durability\:\ %s\ /\ %s=Useful life\: %s / %s +\u00A77\u00A7o"It\ will\ hurt.\ A\ lot."\u00A7r=\u00A77\u00A7o"It will hurt. A lot."\u00A7r +Diamond\ Boots=Caboti Diamond +Show\ Total=Show Total +Polar\ Bear=Polar bear +Dump\ the\ latest\ results\ of\ computer\ tracking.=Dump the latest results of computer tracking. +Local\ Brewery=Local Beer +Spessartine\ Dust=Spessartine Dust +Entity\ name=Program name +Client\ out\ of\ date\!=Outdated client\! +Advanced\ Tank=Advanced Tank +Data\ Required\ for\ Tier\:\ Self\ Aware=Data Required for Tier\: Self Aware +Mossy\ Cobblestone\ (Legacy)=Mossy Cobblestone (Legacy) +%1$s\ suffocated\ in\ a\ wall\ whilst\ fighting\ %2$s=%1$s the anger wall is complete %2$s +Display\ Redstone=Display Redstone +The\ behavior\ of\ the\ zoom\ key.=The behavior of the zoom key. +Electrum\ Nugget=Electrum Nugget +Launch=Launch +Showing\ Blastable=Showing Blastable +Toggle\ Sneak=Toggle Sneak +Installing=Installing +Click\ to\ reset\ task=Click to reset task +Directional\ Scrolling=Directional Scrolling +Max\ output\:\ =Max output\: +Pine\ Slab=Pine Slab +Sponge\ (Legacy)=Sponge (Legacy) +Drop\ a\ Nether\ Quartz\ Seed\ made\ from\ Nether\ Quartz\ Dust\ and\ Sand\ into\ a\ puddle\ of\ water;\ to\ make\ the\ process\ faster\ add\ Crystal\ Growth\ Accelerators.=Drop a Nether Quartz Seed made from Nether Quartz Dust and Sand into a puddle of water; to make the process faster add Crystal Growth Accelerators. +\u00A77Hex\:\ \#%s=\u00A77Hex\: \#%s +Potion\ of\ Poison=Napoj Strup +Asterite\ Mining\ Tool=Asterite Mining Tool +Terracotta=The world +Iridium\ Reinforced\ Stone=Iridium Reinforced Stone +Yellow\ Skull\ Charge=Yellow Tulips Collection +Hidden=Skrivene +Nether\ Stars\ Block=Nether Stars Block +consider\ submitting\ something\ yourself=imagine something for yourself on the screen +Ring\ of\ Fire\ Resistance=Ring of Fire Resistance +(%s\ Loaded)=(%s Baixar) +Hold\ shift+ctrl\ while\ clicking\ to\ confirm.=Hold shift+ctrl while clicking to confirm. +Test\ failed,\ count\:\ %s=The Test is not successful, and they are the following\: %s +II=II +Invert=Invert +IN=IN +IV=B. +Maximum\ output\ (LF/tick)=Maximum output (LF/tick) +IX=THEIR +Belt=Belt +"%s"\ to\ %s="%s" %s +Prismarine\ Crystals=Prismarine Crystals +Purple\ Bed=Purple Bed +Purple\ Bordure\ Indented=Purple Card +Create\ tasks\ of\ different\ types\ by\ using\ the\ buttons\ below=Create tasks of different types by using the buttons below +Spruce\ Planks=Spruce Point +Bell=Ringer +End\ Stone\ Camo\ Door=End Stone Camo Door +Automatic=Automatic +Potion\ Status=Potion Status +Loot\ Table\ ID=Loot Table ID +Steel\ Hoe=Steel Hoe +Crunchy\ Taco=Crunchy Taco +Solar\ Generator\ MK1=Solar Generator MK1 +Item\ hotbar\ saved\ (restore\ with\ %1$s+%2$s)=The panel is held (reprise %1$s+%2$s) +Magenta\ Inverted\ Chevron=Roxo Invertido Chevron +Use\ collision\ when\ completed=Use collision when completed +Petrified\ Passageway=Petrified Passageway +Solar\ Generator\ MK3=Solar Generator MK3 +Infested\ Chiseled\ Stone\ Bricks=Hit By A Piece Of Sculpture, In Stone, Brick, +Refresh=In order to increase the +Absorption=We +Cod=Cod +%1$s\ was\ burnt\ to\ a\ crisp\ whilst\ fighting\ %2$s=%1$s it was burnt to a crisp whilst fighting %2$s +Menu=Meni +Reputation=Reputation +Netherite\ Chest=Netherite Chest +Not\ Quite\ "Nine"\ Lives=It Is Not Enough, "The Nine" Of Life +Witch-hazel\ Leaves=Witch-hazel Leaves +Use\ Preset=The Use Of The Above +Entity\ %s\ has\ no\ attribute\ %s=The device %s this is not a panel %s +Journeyman=A bachelor's degree in +Cow=Makarov and +Chicken\ hurts=When it hurts +Black\ Stained\ Glass=The Black Stained Glass +Unexpected\ trailing\ data=Unexpectedly, the most recent information +Tungsten\ Ingot=Tungsten Ingot +You\ have\ never\ been\ killed\ by\ %s=It has never been killed %s +Leather\ Tunic=Tunics, Leather +Blue\ Glowcane\ Block=Blue Glowcane Block +Lingering\ Potion\ of\ Resistance=Lingering Potion of Resistance +Oak\ Planks\ Camo\ Trapdoor=Oak Planks Camo Trapdoor +Durability\ In=Durability In +Purpur\ Pillar=Post-Black +Witch\ hurts=The witch from pain +An\ objective\ already\ exists\ by\ that\ name=The object already exists, the name of the +Magenta\ Table\ Lamp=Magenta Table Lamp +Sawmill=Sawmill +Damage\ Dealt=\u054E\u0576\u0561\u057D Damage +Damage\ Dealt\ (Resisted)=The Damage (From Strength) +Packages=Packages +Pink\ Cross=Pink Cross +A\ more\ advanced\ electric\ circuit\ board,\ built\ for\ systems\ with\ low\ latency\ in\ mind,\ whose\ architecture\ is\ based\ on\ graphene.=A more advanced electric circuit board, built for systems with low latency in mind, whose architecture is based on graphene. +Warped\ Button=The Curved Button +The\ Overseeing\ Red\ Tower=The Overseeing Red Tower +Black\ Skull\ Charge=Black Skull For +Player=Games +(Placeholder\ landing\ text,\ define\ your\ own\ in\ your\ book\ json\ file\!)=(Placeholder landing text, define your own in your book json file\!) +Set\ the\ world\ border\ to\ %s\ blocks\ wide=To install the world on Board %s blocks wide +Intoxicating=Intoxicating +Info\ Tooltip\ Keybind=Info Tooltip Keybind +Unable\ to\ build\ rope\ bridge\:\ Obstructed\ at\ %s,\ %s,\ %s.\ Block\:\ '%s'=Unable to build rope bridge\: Obstructed at %s, %s, %s. Block\: '%s' +Warning\!=Warning\! +Crimson\ Post=Crimson Post +structure\ size\ x=Structure, size X +structure\ size\ y=the structure, size y +Uses\ the\ power\ of\ any\ water\ source\ adjacent\ to\ it\ to\ generate\ energy=Uses the power of any water source adjacent to it to generate energy +structure\ size\ z=the whole structure of the z +Click\ on\ the\ reputation\ bar\ you\ want\ to\ edit.=Click on the reputation bar you want to edit. +Disk\ Drive=Disk Drive +Click\ on\ a\ quest\ to\ select\ it\ and\ then\ click\ on\ the\ quests\ you\ want\ to\ link\ it\ to.\ If\ an\ option\ linked\ quest\ is\ completed\ all\ quests\ it's\ linked\ to\ becomes\ invisible\ and\ uncompletable.\\n\\nHold\ shift\ and\ click\ on\ the\ selected\ quest\ to\ remove\ all\ its\ links.=Click on a quest to select it and then click on the quests you want to link it to. If an option linked quest is completed all quests it's linked to becomes invisible and uncompletable.\\n\\nHold shift and click on the selected quest to remove all its links. +Category\ Enabled\:=Category Enabled\: +Backed\ up\:\ %s=Backup\: %s +Biome\ data\ failed\ for\:\ %s=Biome data failed for\: %s +Spruce\ Post=Spruce Post +Flying\ speed=Flying speed +Advanced\ Alloy\ Ingot=Advanced Alloy Ingot +Gold\ Tiny\ Dust=Gold Tiny Dust +Splash\ Sugar\ Water\ Bottle=Splash Sugar Water Bottle +Swap\ Modes=Swap Modes +Only\ Fools=Only Fools +White\ Flower\ Charge=Hvid Blomst Award +Must\ be\ converted\!=Need to translate\! +Select\ a\ player\ to\ teleport\ to=Select the player, the position of the beam +OK=OK +Invalid\ name\ or\ UUID=Non-valid name or UUID +Ruby=Ruby +A\ String=Line +Melon\ Stem=Melons Owners +Yellow\ Terracotta\ Camo\ Trapdoor=Yellow Terracotta Camo Trapdoor +ON=The european +%1$s\ %2$s\ and\ %3$s\ %4$s=%1$s %2$s and %3$s %4$s +Select\ another\ minigame=Please select a different mini-game +No=Never, never, never, never, never, never, never, never, never, never, never, never. +Ctrl\ +\ %s="Ctrl" + %s +Llama\ Spit=Llamas Spit +Blue\ Spruce\ Sapling=Blue Spruce Sapling +Oak\ Leaves=The leaves of the oak tree +Bottle\ fills=The bottle is filled with +A\ bottle\ of\ jam,\ which\ can\ be\ spread\ on\ a\ Sandwich.\ It\ can\ also\ be\ drank\ to\ restore\ more\ hunger\ than\ plain\ sweet\ berries.=A bottle of jam, which can be spread on a Sandwich. It can also be drank to restore more hunger than plain sweet berries. +Black\ Sand=Black Sand +Bamboo\ Rod=Bamboo Rod +Red\ Chevron=Sedan, Red, +16k\ ME\ Fluid\ Storage\ Component=16k ME Fluid Storage Component +Render\ Distance\:\ %s=Render Distance\: %s +\nHow\ rare\ are\ Nether\ Basalt\ Temples\ in\ Nether\ Basalt\ Deltas.\ 1\ for\ spawning\ in\ most\ chunks\ and\ 1001\ for\ none.=\nHow rare are Nether Basalt Temples in Nether Basalt Deltas. 1 for spawning in most chunks and 1001 for none. +Alarm=Alarm +Iron\ Wolf\ Armor=Iron Wolf Armor +Ok=OK +On=And +Stripped\ Cika\ Log=Stripped Cika Log +Gold\ Ore=Zolata, Zalesny Ore +New\ Waypoint\ Set=New Waypoint Set +Precise=Precise +Small\ Pile\ of\ Zinc\ Dust=Small Pile of Zinc Dust +Polished\ Blackstone\ Bricks\ Glass=Polished Blackstone Bricks Glass +Acceleration\ Card=Acceleration Card +Potted\ Blue\ Orchid=Potted Plant, Blue Orchid, +New\ configuration\ data\ for\ CraftPresence\ has\ been\ created\ successfully\!=New configuration data for CraftPresence has been created successfully\! +The\ Mine\ is\ Orange?\ Always\ has\ Been=The Mine is Orange? Always has Been +Beta=Beta +Pink\ Concrete\ Camo\ Door=Pink Concrete Camo Door +Brown\ ME\ Dense\ Smart\ Cable=Brown ME Dense Smart Cable +\u00A75\u00A7oVIP\ only=\u00A75\u00A7oVIP only +Cooler\ Cell=Cooler Cell +Type\ 1\ Cave\ Minimum\ Altitude=Type 1 Cave Minimum Altitude +Warped\ Post=Warped Post +Asterite\ Boots=Asterite Boots +Turtle\ baby\ shambles=Boy chaos turtle +%1$s\ was\ pricked\ to\ death=%1$s slaughtered +Golden\ Axe=Golden Axe +Iridium\ Reinforced\ Tungstensteel\ Slab=Iridium Reinforced Tungstensteel Slab +Mechanized\ production=Mechanized production +Debug\ Tool=Debug Tool +Crate\ of\ Eggs=Crate of Eggs +Quick\ Manual\ Confirmation=Quick Manual Confirmation +Stretches\ caves\ vertically.\ Lower\ value\ \=\ taller\ caves\ with\ steeper\ drops.=Stretches caves vertically. Lower value \= taller caves with steeper drops. +Basic\ Chainsaw=Basic Chainsaw +%1$s\ was\ stung\ to\ death=%1$s he was crushed to death +Cut=Cut +End\ Stone=The Bottom Stone +%1$s\ was\ killed\ by\ even\ more\ magic=%1$s he was killed, and even more magic +Dacite\ Brick\ Wall=Dacite Brick Wall +Parrot\ flutters=The parrot flutters +Light\ Blue\ Terracotta\ Camo\ Door=Light Blue Terracotta Camo Door +User\ is\ allowed\ to\ remove\ items\ from\ storage.=User is allowed to remove items from storage. +Bar\ Color=Bar Color +Drain=Drain +Light\ Gray\ Beveled\ Glass\ Pane=Light Gray Beveled Glass Pane +Nearest\ player=The nearest player +Map\ drawn=Drawn on the map +Killing\ task=Killing task +Iron\ Horse\ Armor=Zhelezniyat Con Armor +Quest\ Book=Quest Book +Chiseled\ Water\ Bricks=Chiseled Water Bricks +Flower\ Charge=Click The Left Mouse Button +Rose\ Gold\ Plates=Rose Gold Plates +Conduit\ activates=The channel is activated +Pine\ Leaves=Pine Leaves +Sythian\ Sprout=Sythian Sprout +Narrates\ System=Sa System +Impaling=Impale +Baobab\ Boat=Baobab Boat +Leather\ Strap=Leather Strap +Ametrine\ Gems=Ametrine Gems +Potted\ Red\ Tulip=A-Pot-Red-Daisy +Respawn\ immediately=Respawn immediately +Medium\ to\ Low\ energy\ tier=Medium to Low energy tier +This\ item\ cannot\ be\ used\ from\ storage\!=This item cannot be used from storage\! +SP=SP +Terminal\ Style=Terminal Style +Cracked\ Nether\ Bricks=The Cracks At The Bottom Of The Brick +Wither=Wither +Medium-Large=Medium-Large +Lime\ Chief\ Sinister\ Canton=Principal De La Cal Sinister Cant\u00F3n +Cyan\ Glazed\ Terracotta\ Glass=Cyan Glazed Terracotta Glass +Maple\ Planks=Maple Planks +Day\ at\ the\ Market=Day at the Market +Platinum\ Slab=Platinum Slab +Merging\ finished.=Merging finished. +Quartz=Quartz +Fresh\ Water\ Lake=Fresh Water Lake +Univite\ Helmet=Univite Helmet +Allium\ Fields=Allium Fields +Realm\ name=The Name Of The Rose +Crate\ of\ Lil\ Taters=Crate of Lil Taters +Gray\ ME\ Dense\ Covered\ Cable=Gray ME Dense Covered Cable +Other=Other +Seasonal\ Birch\ Forest=Seasonal Birch Forest +Bat\ takes\ off=Bat, pri\u010Dom let +Split\ Damage\ at\ 75%=Split Damage at 75 +Find\ elytra=Nai elytra +4\ to\ 5=4 to 5 +Lime\ Pale\ Dexter=Kalk Bleg Dexter +Bottom-Right=Bottom-Right +Unlimit\ Title\ Screen\ FPS\:=Unlimit Title Screen FPS\: +Too\ many\ blocks\ in\ the\ specified\ area\ (maximum\ %s,\ specified\ %s)=Many blocks in the specified range (to %s identifikovane %s) +Purified\ Iron\ Ore=Purified Iron Ore +Battery=Battery +To=To +Disabled=Off +Caverns=Caverns +Copy\ Biome=Copy Biome +Outpost\ Configs=Outpost Configs +Close\ Menu=To Close The Menu +Rose\ Gold\ Leggings=Rose Gold Leggings +Dolphin\ plays=Mas Efekt +Yellow\ Topped\ Tent\ Pole=Yellow Topped Tent Pole +Auto\ Search\ Keep=Auto Search Keep +Violet\ Leather\ Flower=Violet Leather Flower +Evoker\ prepares\ attack=Summoner, preparing the assault +Reload\ the\ ComputerCraft\ config\ file=Reload the ComputerCraft config file +Acacia\ Hopper=Acacia Hopper +Smooth\ Sandstone\ Step=Smooth Sandstone Step +Snowy\ Taiga=Taiga Snow +Charcoal\ Tiny\ Dust=Charcoal Tiny Dust +Yellow\ ME\ Dense\ Covered\ Cable=Yellow ME Dense Covered Cable +Load\ Default\ Plugin\:=Load Default Plugin\: +VI=Chi\u1EC1u R\u1ED8NG +up\ until\ their\ max\ height.=up until their max height. +Brick\ Slab=Brick Oven +Red\ Base\ Sinister\ Canton=The Red Left Canton +Diorite\ Step=Diorite Step +Up=All +Switch\ Game\ Mode=Switch Game Mode +Bell\ resonates=The bell sounds +Jacaranda\ door=Jacaranda door +Magmatic=Magmatic +Cyan\ Stained\ Glass=Azul Do Windows +Yeast=Yeast +Piglin\ admires\ item=Piglin admire the entry of a +Type\ 1\ Caves=Type 1 Caves +**Remove\ message\ text\ to\ remove\ this\ value**=**Remove message text to remove this value** +Shutdown\ %s/%s\ computers=Shutdown %s/%s computers +Polar\ Bear\ hurts=White bear disadvantages +Piglin\ Brute\ hurts=Piglin Brute hurts +Ripe\ Joshua\ Leaves=Ripe Joshua Leaves +Granite\ Platform=Granite Platform +Ender\ Watcher=Ender Watcher +Soul\ Sand=Soul Sand +Forest\ Fault=Forest Fault +Iron\ Chest=Iron Chest +Essence\ Ore=Essence Ore +This\ quest\ is\ not\ repeatable\ and\ can\ therefore\ only\ be\ completed\ once.=This quest is not repeatable and can therefore only be completed once. +Industrial\ Grinder=Industrial Grinder +Cobblestone\ Ghost\ Block=Cobblestone Ghost Block +Enter\ a\ Stone\ Igloo=Enter a Stone Igloo +Generate\ world=The creation of the world +Dark\ Oak\ Kitchen\ Sink=Dark Oak Kitchen Sink +Chances\ of\ dropping\ (0.0\ is\ never,\ 1.0\ is\ always)=Chances of dropping (0.0 is never, 1.0 is always) +Red\ Inverted\ Chevron=Red, Sedan, Or +Same\ as\ Survival\ Mode,\ locked\ at\ hardest=The same, as in the survival mode, closes heavy +Are\ you\ sure\ you\ want\ to\ lock\ the\ difficulty\ of\ this\ world?\ This\ will\ set\ this\ world\ to\ always\ be\ %1$s,\ and\ you\ will\ never\ be\ able\ to\ change\ that\ again.=Are you sure you want to close the weight in the first place? These are presented to the world, forever %1$s and again, you can't change it back. +Sakura\ Chair=Sakura Chair +Potted\ Cornflower=Preserved Lemon +Craft\ a\ chimney.=Craft a chimney. +Dead\ Horn\ Coral\ Block=The Dead Horn Coral-Unit +Dark\ Forest\ Hills=The Dark Forest In The Mountains +Yellow\ Tent\ Top=Yellow Tent Top +Fir\ Log=Fir Log +Right\ Click\ for\ More=Right Click for More +Lime\ Glider=Lime Glider +Gravestones\ are\ locked\ to\ the\ player\ that\ the\ gravestone\ is\ for=Gravestones are locked to the player that the gravestone is for +Small\ Purpur\ Bricks=Small Purpur Bricks +\u00A77\u00A7o"It's\ not\ flat."\u00A7r=\u00A77\u00A7o"It's not flat."\u00A7r +Detect\ structure\ size\ and\ position\:=In order to determine the structure, size, and location)\: +Biomass=Biomass +Leather\ Pouch=Leather Pouch +Faux\ Phoenix\ Feather=Faux Phoenix Feather +Invalid\ entity\ anchor\ position\ %s=An invalid Object, which Connects positions %s +\u00A79Affixes\:=\u00A79Affixes\: +Purpur\ Bricks=Purpur Bricks +Aluminium\ Nugget=Aluminium Nugget +Zombie\ Villager\ Spawn\ Egg=Zombie-Resident Of The Spawn Eggs +A\ metal\ with\ significant\ electrical\ conductivity\ and\ golden\ texture.=A metal with significant electrical conductivity and golden texture. +Extract\ Only=Extract Only +What\ one\ uses\ to\ wipe\ away\ their\ foe.=What one uses to wipe away their foe. +Space\ Helmet=Space Helmet +Biotite\ Block=Biotite Block +Refill\ on\ other\ occasions=Refill on other occasions +Copy\ Recipe\ Identifier\:=Copy Recipe Identifier\: +Polished\ Blackstone\ Bricks\ Camo\ Trapdoor=Polished Blackstone Bricks Camo Trapdoor +Meteoric\ Steel\ Shovel=Meteoric Steel Shovel +Allow\ destructive\ mob\ actions=Allow \u0434\u0435\u0441\u0442\u0440\u0443\u043A\u0442\u0438\u0432\u043D\u044B\u0435 the actions of the crowd +Teal\ Nether\ Pillar=Teal Nether Pillar +Spider\ hisses=The spider hisses +Dark\ Prismarine\ Platform=Dark Prismarine Platform +Lime\ Fess=Vapno Fess +Always=All +Fuel\ sufficient\ for\ %s\ of\ flight\ time.=Fuel sufficient for %s of flight time. +\u00A77\u00A7o"As\ the\ developer\ intended."\u00A7r=\u00A77\u00A7o"As the developer intended."\u00A7r +Cyan\ Chief\ Indented=The Blue Chief Indented +Blank\ Pattern=Blank Pattern +Rubber\ Kitchen\ Sink=Rubber Kitchen Sink +Blaze\ Brick\ Stairs=Blaze Brick Stairs +Elite\ Capacitor=Elite Capacitor +Netherrack\ Circle\ Pavement=Netherrack Circle Pavement +Generate\ Tin=Generate Tin +The\ Astromine\ Manual\ can\ be\ obtained\ by\ right\ clicking\ a\ Metite\ Axe\ on\ a\ Bookshelf.=The Astromine Manual can be obtained by right clicking a Metite Axe on a Bookshelf. +Vex\ Spawn\ Egg=I Want To Spawn Eggs +Silver\ Boots=Silver Boots +Mahogany\ Fence\ Gate=Mahogany Fence Gate +Kelp\ Plant=Plants, Vodorosli +Silver\ Slab=Silver Slab +Message\ to\ use\ for\ the\ &playerinfo&\ placeholder\ in\ server\ settings\\n\ Available\ placeholders\:\\n\ -\ &coords&\ \=\ The\ player's\ coordinate\ placeholder\ message\\n\ -\ &health&\ \=\ The\ player's\ health\ placeholder\ message=Message to use for the &playerinfo& placeholder in server settings\\n Available placeholders\:\\n - &coords& \= The player's coordinate placeholder message\\n - &health& \= The player's health placeholder message +Sulfur=Sulfur +Lava\ pops=The Lava will appear +Rough\ Soul\ Sandstone\ Slab=Rough Soul Sandstone Slab +\u00A7cNo\ suggestions=\u00A7cThere is no provision +Obsidian\ Circle\ Pavement=Obsidian Circle Pavement +Grass\ Block\ (Legacy)=Grass Block (Legacy) +%1$s\ went\ off\ with\ a\ bang\ whilst\ fighting\ %2$s=%1$s he was "alive" during the battle %2$s +Blue\ Glazed\ Terracotta=\u053F\u0561\u057A\u0578\u0582\u0575\u057F Glazed Terracotta +Quartz\ Pillar\ Glass=Quartz Pillar Glass +Industrial\ Drill=Industrial Drill +Carrots=Carrots +Dragon's\ Breath=Andning dragon +Received\ update\ status\ for\ %1$s\ ->\ %2$s\ (Target\ version\:\ v%3$s)=Received update status for %1$s -> %2$s (Target version\: v%3$s) +Setting\ up\ your\ own\ trading\ stations\ is\ very\ simple\!\ Just\ place\ down\ a\ trading\ station\ and\ open\ it.\ On\ the\ left\ side,\ you\ can\ set\ the\ product\ and\ the\ payment.\ The\ inventory\ on\ the\ right\ side\ will\ have\ the\ products\ and\ the\ payments.=Setting up your own trading stations is very simple\! Just place down a trading station and open it. On the left side, you can set the product and the payment. The inventory on the right side will have the products and the payments. +Prickly\ Pear\ Cactus=Prickly Pear Cactus +Red\ Birch\ Sapling=Red Birch Sapling +Richea=Richea +%s\ %s\ Turtle=%s %s Turtle +Sandstone\ Bricks=Sandstone Bricks +Day=Today +Loom\ used=Looms used +Splash\ Potion\ of\ Levitation=Explosion potion of levitation +Polished\ Diorite\ Platform=Polished Diorite Platform +Blue\ Fess=Bleu Fess +Player\ dings=The player a break +Dark\ Oak\ Planks\ Glass=Dark Oak Planks Glass +Prismarine\ Brick\ Platform=Prismarine Brick Platform +White\ Mushroom\ Stem=White Mushroom Stem +Unknown\ Technology=Unknown Technology +Items\:\ &main&=Items\: &main& +Attributes=Attributes +Chrome\ Dust=Chrome Dust +%s\ has\ %s\ tags\:\ %s=%s is %s bookmarks\: %s +Blacklisted\ Mineshaft\ Biomes=Blacklisted Mineshaft Biomes +Pink\ Chief\ Dexter\ Canton=The Prime Minister-The Pink Canton Dexter +Yellow\ Flower\ Charge=Yellow Flower, And Expenses +Small\ Pile\ of\ Saw\ Dust=Small Pile of Saw Dust +White\ Patterned\ Wool=White Patterned Wool +Ammo\ Depleted.=Ammo Depleted. +Another\ Titan\ Fall=Another Titan Fall +Spooky\ Scary\ Skeleton=Horrible Skeleton +End\ Rod=At The End Of The Auction +Fir\ Slab=Fir Slab +Secondary\ Power=Power New +White\ Pale\ Sinister=White Pale Sinister +Tall\ Red\ Begonia=Tall Red Begonia +White\ Paly=The pale +Palo\ Verde\ Log=Palo Verde Log +Unfortunately,\ we\ do\ not\ support\ customized\ worlds\ in\ this\ version\ of\ Minecraft.\ We\ can\ still\ load\ this\ world\ and\ keep\ everything\ the\ way\ it\ was,\ but\ any\ newly\ generated\ terrain\ will\ no\ longer\ be\ customized.\ We're\ sorry\ for\ the\ inconvenience\!=Unfortunately, we don't have the support of the worlds, it is a version of Minecraft. We as before we can send out into this world and leave everything as it was, but the new earth will not adapt. I'm sorry for the inconvenience\! +What\ is\ Realms?=The fact that he was at the top. +White\ Terracotta\ Glass=White Terracotta Glass +REI\ is\ not\ on\ the\ server.=REI is not on the server. +White\ Pale=The White Light +Sterling\ Silver\ Nugget=Sterling Silver Nugget +Use\ vanilla-like\ caves\ which\ provide\ nice,\ natural-looking\ openings\ at\ the\ surface.=Use vanilla-like caves which provide nice, natural-looking openings at the surface. +Prismarine\ Slab=Prismarit La Taula +Gold\ to\ Netherite\ upgrade=Gold to Netherite upgrade +Lime\ Per\ Pale\ Inverted=You're Going With A Pale-Reverse +Phantom\ flaps=Phantom vinnen +\u00A77\u00A7o"I\ should\ load\ this\ up\u00A7r=\u00A77\u00A7o"I should load this up\u00A7r +Message=Message +Craft\ wooden\ planks=The ship boards +Loot\ Tables=Loot Tables +Bucket\ of\ Salmon=Tbsp, Laks +Add\ New=Add New +Failed\ to\ load\ "%1$s"\ as\ a\ DLL,\ things\ may\ not\ work\ well...=Failed to load "%1$s" as a DLL, things may not work well... +Black\ Per\ Bend\ Sinister\ Inverted=Nero Unico Inverso Bend Sinister +Death\ message\ visibility\ for\ team\ %s\ is\ now\ "%s"=Death message, growth of authority in the team %s most "%s" +Primitive\ Rocket\ Plating=Primitive Rocket Plating +Separate\ Items=Separate Items +Cyan\ Base\ Dexter\ Canton=The Blue Canton To The Bottom Of The Importance +Obtaining\ Stellum=Obtaining Stellum +Rewards=Rewards +Wandering\ Trader\ dies=\u0412\u044B\u0435\u0437\u0434\u043D\u043E\u0439 the seller dies +Chunk\ Logging\ is\ now\ on=Chunk Logging is now on +Unrotten\ Flesh\ Cost=Unrotten Flesh Cost +Rough\ Soul\ Sandstone\ Stairs=Rough Soul Sandstone Stairs +Smooth\ Biotite\ Block=Smooth Biotite Block +Take\ Book=Take On Books +Nether\ Wastes=The Language Of Waste +From=From +Baobab\ Trapdoor=Baobab Trapdoor +Sandwich=Sandwich +Download\ failed=Could not be loaded +Random\ rewards=Random rewards +Light\ Blue\ Glazed\ Terracotta\ Glass=Light Blue Glazed Terracotta Glass +Green\ Apple=Green Apple +Witch-hazel\ Log=Witch-hazel Log +Red\ Base\ Indented=Red And Basic Indent +Restores=Restores +Nether\ Crimson\ Temple\ Spawnrate=Nether Crimson Temple Spawnrate +Edit\ Game\ Rules=Change The Rules Of The Game +Snowy\ Taiga\ Mountains=The Snow-Covered Mountains, Taiga +Purpur\ Guardian\ Spawn\ Egg=Purpur Guardian Spawn Egg +Generate\ Structures\:=Like building\: +Light\ Blue\ Patterned\ Wool=Light Blue Patterned Wool +Chiseled\ Polished\ Blackstone=Acute Blackstone Gentle +White\ Shield=White Screen +Generating=Generating +Saved\ %s\ [[hour||hours]]\ ago=Saved %s [[hour||hours]] ago +Orange\ Cross=Orange Croix +BROKEN\ ASSETS\ DETECTED=OF THE UNPRODUCTIVE ASSETS WHICH HAVE BEEN IDENTIFIED +Block\ breaking=The partnership for the breach of +deaths=deaths +Nichrome\ Heating\ Coil=Nichrome Heating Coil +Holographic\ Connector=Holographic Connector +Assemble\ components\ more\ efficiently=Assemble components more efficiently +Granite\ Circle\ Pavement=Granite Circle Pavement +Small\ Pile\ of\ Ruby\ Dust=Small Pile of Ruby Dust +No\ items\ were\ found\ on\ %s\ players=No items were found %s players +Search\ Filter\:=Search Filter\: +Crafting=To do this +Hundred-Coin=Hundred-Coin +not\ focused.=not focused. +\nReplaces\ vanilla\ dungeon\ in\ Mushroom\ biomes.=\nReplaces vanilla dungeon in Mushroom biomes. +Industrialization=Industrialization +HV\ Transformer=HV Transformer +Floating\ Islands=The Floating Islands +Pink\ Patterned\ Wool=Pink Patterned Wool +Empty\ Tank=Empty Tank +ME\ Interface=ME Interface +A\ sliced\ version\ of\ the\ Golden\ Apple,\ which\ gives\ the\ player\ all\ of\ the\ Golden\ Apple's\ effects\ for\ half\ the\ duration.\ Can\ be\ eaten\ faster.=A sliced version of the Golden Apple, which gives the player all of the Golden Apple's effects for half the duration. Can be eaten faster. +Clownfish=Clown fish +If\ enabled,\ the\ "Save\ Toolbar\ Activator"\ keybind\ will\ be=If enabled, the "Save Toolbar Activator" keybind will be +Reach\ 2048\ channels\ using\ devices\ on\ a\ network.=Reach 2048 channels using devices on a network. +Steel\ Pickaxe=Steel Pickaxe +Enriched\ Nikolite\ Ingot=Enriched Nikolite Ingot +Black\ Pale\ Dexter=Nero Pallido Dexter +Are\ you\ sure\ you\ would\ like\ to\ clear\ current\ set=Are you sure you would like to clear current set +Light\ Gray\ Base\ Indented=Light Gray Base Indented +Arrow\ of\ Night\ Vision=With night vision +Cat\ hisses=The cat's boil +World\ updates=\u039A\u03CC\u03C3\u03BC\u03BF update +Connecting\ to\ the\ realm...=The community of the Kingdom of Thailand. +Red\ Tent\ Side=Red Tent Side +Open\ Stack\ Preview=Open Stack Preview +%s/%s\ Health=%s/%s Health +Invar\ Wall=Invar Wall +Applied\ enchantment\ %s\ to\ %s\ entities=The Magic %s the %s equipment +Red\ Insulated\ Wire=Red Insulated Wire +Scoria\ Wall=Scoria Wall +Prismarine\ Cape\ Wing=Prismarine Cape Wing +Publisher=Editor +Decoration\ Blocks\ \u00A73(Blockus)=Decoration Blocks \u00A73(Blockus) +Yellow\ Globe=Yellow World +Respawning=The renaissance +Dark\ Oak\ Door=Dark Oak Doors +Middle\ click\ to\ sort\ inventory=Middle click to sort inventory +Honey\ Cake=Honey Cake +Property\ '%s'\ can\ only\ be\ set\ once\ for\ block\ %s=The property"%s it can only be installed for a device %s +Old\ graphics\ card\ detected;\ this\ may\ prevent\ you\ from=My old graphics card detected; this may prevent you from +Shift\ +\ %s=Pomak + %s +The\ maximum\ y-coordinate\ at\ which\ vanilla\ caves\ can\ generate.=The maximum y-coordinate at which vanilla caves can generate. +Orange\ Stained\ Pipe=Orange Stained Pipe +Magenta\ Flower\ Charge=The Purple Flowers Of The Load +Track\ execution\ times\ for\ computers.=Track execution times for computers. +Or\ the\ beginning?=Or at the beginning? +Make\ a\ sandwich\ using\ the\ Sandwich\ Table.=Make a sandwich using the Sandwich Table. +Toggled\ Hover\ %s=Toggled Hover %s +Steel\ Excavator=Steel Excavator +Advanced\ Turtle=Advanced Turtle +Potted\ White\ Tulip=A Pot Of White Tulip +Stone=Came +Descend=Descend +This\ server\ recommends\ the\ use\ of\ a\ custom\ resource\ pack.=This server is recommended to use the custom package sources. +White\ Paint\ Ball=White Paint Ball +Orchard=Orchard +Fried\ Chicken\ Wing=Fried Chicken Wing +Granite\ Basin=Granite Basin +Splash\ Potion\ of\ Strength=A Splash Of Power Drink Came To +%1$s\ on\ an\ Iron\ Chest\ to\ convert\ it\ to\ a\ Diamond\ Chest.=%1$s on an Iron Chest to convert it to a Diamond Chest. +Raw\ Cod=Raaka-Cod +Pink\ Cherry\ Oak\ Leaves=Pink Cherry Oak Leaves +Cut\ Red\ Sandstone=Cut Red Sandstone +Respawn\ Anchor\ sets\ spawn=The anchor is generated by sets of the spawn +Spatial\ Pylon=Spatial Pylon +Obsidian\ Brick\ Slab=Obsidian Brick Slab +Teleport\ to\ Team\ Member=Teleport team member +Brown\ Dye=Brown +VanillaDeathChest\ client-sided\ configuration\ reloaded\!=VanillaDeathChest client-sided configuration reloaded\! +Expected\ float=Planned to go swimming +Created\ debug\ report\ in\ %s=Made from a relative of the well %s +Modular\ Leggings=Modular Leggings +Toggle\ Perspective=The Possibility Of Change +**Enable\ "%1$s"\ to\ use\ this\ menu**=**Enable "%1$s" to use this menu** +This\ station\ is\ not\ selling\ anything.=This station is not selling anything. +Co\ Processors=Co Processors +Yellow\ Beveled\ Glass\ Pane=Yellow Beveled Glass Pane +Electrum\ Tiny\ Dust=Electrum Tiny Dust +Bubbles\ whirl=The bubbles in the distribution system. +Stone\ Mining\ Tool=Stone Mining Tool +foo=foo +Please\ move\ to\ a\ saltwater\ biome\!=Please move to a saltwater biome\! +Red\ Sandstone\ Step=Red Sandstone Step +Light\ Blue\ Base\ Gradient=Light Blue Base Gradient +Movement\ Speed=Movement Speed +Basic\ Solar\ Panel=Basic Solar Panel +Protect\ yourself\ with\ a\ piece\ of\ iron\ armor=Protect yourself with iron armor +Blue\ Per\ Bend\ Inverted=This Is The Reverse Bend Over To Blue +$(item)Metite\ Ore$()\ can\ be\ found\ inside\ $(thing)$(l\:world/meteors)Meteors$()\ which\ have\ impacted\ on\ $(thing)Earth$(),\ or\ in\ $(thing)$(l\:world/asteroids)Asteroids$()\ in\ $(thing)Space$().$(p)Mining\ requires\ a\ $(item)Netherite\ Pickaxe$()\ (Mining\ Level\ 4)\ or\ better,\ usually\ resulting\ in\ between\ 1\ and\ 3\ $(item)$(l\:world/ore_clusters)Metite\ Clusters$()\ which\ can\ forged\ into\ a\ $(item)Metite\ Ingot$().=$(item)Metite Ore$() can be found inside $(thing)$(l\:world/meteors)Meteors$() which have impacted on $(thing)Earth$(), or in $(thing)$(l\:world/asteroids)Asteroids$() in $(thing)Space$().$(p)Mining requires a $(item)Netherite Pickaxe$() (Mining Level 4) or better, usually resulting in between 1 and 3 $(item)$(l\:world/ore_clusters)Metite Clusters$() which can forged into a $(item)Metite Ingot$(). +Close\ realm=Luk websted +Red\ Asphalt=Red Asphalt +Nothing\ changed.\ The\ bossbar\ is\ already\ hidden=Nothing's changed. Bossbar this, they already in ambush +This\ will\ temporarily\ replace\ your\ world\ with\ a\ minigame\!=This will allow you to temporarily change your world and mini-games. +Cyan\ Pale\ Sinister=Pale Blue Bad +%1$s\ removed\ their\ wings\ but\ couldn't\ withstand\ the\ pain=%1$s removed their wings but couldn't withstand the pain +F10=F10 +Oak\ Door=Oak Doors F12=F12 F11=F11 -Moving\ Piston=The Movement Of The Piston -F10=F10 -Dragonite=Dragonite -End\ Highlands=Son Highland -Steel\ Helmet=Steel Helmet -Peridot\ Plate=Peridot Is The Disk -Blue\ Glazed\ Terracotta\ Camo\ Trapdoor=Sinata Staklen Capac-Luke -Diamond\ Sword=The Diamond Sword -Slime\ Chunks=Snot Song -Would\ you\ like\ to\ delete\ all\ waypoints\ data\ for\ the\ selected\ sub-world?=Do you want to remove all the data from the point of view that some parts of the world? -Fast=Fast -Collision\ Depth=The Depth Of The Collision -Detector=Detector -Purple\ Beveled\ Glass=Purple Bottle, Professional -Polished\ Granite\ Camo\ Trapdoor=Polished Granite, Camouflage, Lucas -Purple\ Pale\ Dexter=Violet, Roz Pal Dexter -Omni-Tool=Omni-Tool -Asphalt\ Stairs=Production Of Stairs -Elder\ Guardian=Senior Security Guard -End\:\ Rebellion=End\: Education -Satisfying\ Screenshots\:=Funny Poem\: -Brown\ Asphalt=Coffee-Producing -Farm=Agriculture -Wither\ Skeleton\ hurts=The top of a Skeleton, it hurts -Azure\ Bluet=Azure Bluet -Disable\ Screen\ Shaking\ On\ Damage=Turning Off The Screen, Shocked By The Damage -Group\ In\ Rows=The Type Of The Group -Endless\ Backpack=Endless Backpack -Potion\ of\ Slowness=Drink delay the -Badlands\ Village\ Spawnrate=Barren Land In The Village, Spawnrate -Shrub=Busk -Drop\ Chance=The probability -Error=Pogresno -Red\ Asphalt\ Slab=Red The Asphalt Slab -Willow\ Wood=The Willow Tree -Snowy\ Taiga\ Mountains=The Snow-Covered Mountains, Taiga -Coiling=Coagulation Spiral -Minimap\ Size=Mouse To Aim And The Size Of The -Old\ Death=The old man's Death -Throw\ a\ trident\ at\ something.\nNote\:\ Throwing\ away\ your\ only\ weapon\ is\ not\ a\ good\ idea.=Trident or something similar.\nIt\: ___________________________ note\: throw away the only weapon that is not a good idea. -Green\ Glazed\ Terracotta\ Glass=A Green, Glazed Terra Cotta Glass -Blue\ Flower\ Charge=Free Roses In Blue -Grants\ Night\ Vision\ Effect=The Support Of The Night Vision Effect -\u00A77\u00A7o"You\ can\u2019t\ second-guess\ ineffability."\u00A7r=\u00A77\u00A7o"You can never predict the ineffability."\u00A7r -End\ Mineshaft=At The End Of My -Rainbow\ Eucalyptus\ Coffee\ Table=The Trees, Of The Eucalyptus Tree Rainbow Coffee Table -Zombie\ Villager=Zombie Villager Rode -Dragon\ flaps=Dragon year -Info\:=Details\: -Advanced\ Settings\ (Expert\ Users\ Only\!)=Advanced Settings (For Advanced Users Only\!) -Expires\ soon=Soon ends -Heart\ of\ the\ Sky=In the heart of the Sky -Shulker\ shoots=Disparar Shulker -Brown\ Beveled\ Glass\ Pane=Group Brown, Glass From The Conical -Cooked\ Salmon=Ready For Salmon -Invalid\ Property\ Detected\ ("%1$s"),\ removing\ property...=Invalid Property Found ("%1$s"), destruction of property,... -Ghostly\ Glass=Horrible Glasses -\u00A77\u00A7o"His\ music\ rocks."\u00A7r=\u00A77\u00A7o"Music of the stones".\u00A7r -Forgive\ dead\ players=Please forgive me for the players dead -Magenta\ Bend\ Sinister=Purple Bend Sinister -Andesite\ Wall=Steni From Andesite -Fox\ sniffs=\u0531\u0572\u057E\u0565\u057D\u0568 sniffs -\u00A77\u00A7o"That\ was\ a\ really\ lucky\ purchase."\u00A7r=\u00A77\u00A7o"This is really a happy purchase."\u00A7r -Drowned\ throws\ Trident=Lord throws a trident -Ogana\ Fruit=Oganaga Tree -Villager\ dies=Of local residents, dies -Crystal\ Diamond\ Furnace=Crystal Diamond Plate -Firework\ launches=To start the fireworks -Expected\ long=Long -Opening\ Animations=To Open The Animation -Show\ invisible\ blocks\:=To show the hidden blocks\: -Gamerule\ %s\ is\ now\ set\ to\:\ %s=The castle %s right now, it is defined as follows\: %s -Nickel\ Ingot=Although The Nickel -Awkward\ Splash\ Potion=Pevn\u00FD Splash Potion -Nearest\ player=The nearest player -Faster\ Entry\ Rendering\:=More Rapid Entry To The Following Questions\: -Serious\ Dedication=Resno Pozornost -Open\ Config=Open The Configuration Menu. -Discover\ every\ biome=To investigate all the species of plants, animals, -Less\ than\ a\ day=In less than a day -Only\ You=Bare For Dig -Yellow\ Base\ Sinister\ Canton=Yellow Base Sinister Canton -Bubbles\ whirl=The bubbles in the distribution system. -Lingering\ Potion\ of\ Toughness=In the long term potion of resistance -NBT\:\ %s\ tag(s)=NBT\: %s sign (- e). -Adds\ Snow\ themed\ wells\ to\ snowy\ and\ icy\ biomes.=Snow and ice-snow theme creatures, wells added. -Restore=Recover -Lava\ Bricks=Lava Brick -Blink\ When\ Low=Flashes When Low -Trapped\ Chest=Access To The Breasts -Yellow\ Topped\ Tent\ Pole=The Yellow Cake With The Tent Poles -The\ world\ will\ be\ downloaded\ and\ added\ to\ your\ single\ player\ worlds.=The people must be carried over and added to your single-player worlds. -Drowned=Drowning -%1$s\ starved\ to\ death\ whilst\ fighting\ %2$s=%1$s the famine, in times of conflict %2$s -Add\ Mineshafts\ to\ Modded\ Biomes=Recently, the voices of the creatures of the year, mineshaft. -Area\ Effect\ Cloud=The Zone Of Influence Of The Cloud -Arrow\ of\ Luck=OK, good luck -Two\ by\ Two=Two-on-two -Clear\ Set=It is obvious that -Dead\ Horn\ Coral\ Block=The Dead Horn Coral-Unit -Music\ Discs\ Played=Music Cds, Board Games -Merging\ finished.=The merger was completed. -Float\ must\ not\ be\ less\ than\ %s,\ found\ %s=Sail shall not be less than %s search %s -Allows\ you\ to\ move\ items\ for\ the\ slots\ under\ the\ cursor\ while\ holding\ shift\ and\ left\ click=This allows you to move items to a region under the mouse cursor, hold down the Shift key and click the left mouse button -Can't\ get\ %s;\ tag\ doesn't\ exist=You may not obtain, %s* a label does not exist -Trailer=Save the date -Tooltip\ display\ behavior\nToggle\:\ Display\ keybind\ will\ toggle\ it\ on\ and\ off\nMaintained\:\ Display\ keybind\ must\ be\ held=Representation and description of behavior\nNapkins\: Fabric-keybind to toggle between on and off\nIncludes\: displays a link key, it must be stated, -Craft\ a\ Netherite\ Hammer,\ forged\ with\ ancient\ gems\ from\ an\ unknown\ time.=Netherite or Hammer forged from ancient gem known when. -Async\ Search\:=An Asynchronous Search Terms\: -LAN\ World=LAN Svete -\u00A76\u00A7o(Deactivates\ on\ landing)\u00A7r=\u00A76\u00A7o(Can be turned off at the time of the landing)\u00A7r -Asterite\ Helmet=Wrong, what's -Smelt\ an\ iron\ ingot=It smelled of iron,and -Your\ realm\ will\ be\ permanently\ deleted=In the region, it is permanently deleted -You\ can\ always\ edit\ this\ setting\ again\ via\ the\ config\ screen.=You can always change these settings once the configuration screen. -This\ action\ can't\ be\ reversed.=This action cannot be undone. -Art\ of\ Alchemy=The art of alchemy -Orange\ Bordure=L'Orange De La Fronti\u00E8re -Wandering\ Trader\ mumbles=Visit the Seller mambo -Enable\ fading=A Scheuer -Proceed=D\u00E1l -Received\ Changelog\:\ %1$s=Changes After Purchase\: %1$s -Successfully\ linked\ to\ (%s,\ %s,\ %s)\ in\ %s=Connects successfully (%s, %s, %s year %s -Getting\ a\ (Hammer)\ Upgrade=If you want to get a (Hammer) Update -Lava\ Oceans=Lava And The Ocean -Partial=Chapter -Depth\ Noise\ Scale\ Z=Depth Noise Scale -Breed\ two\ animals\ together=Tie together two animals -Depth\ Noise\ Scale\ X=Djup Buller Skala X -360k\ Helium\ Coolant\ Cell=360 k helium liquid in the cells -Pink\ Bend\ Sinister=Pink Curve Looks -Dragon\ Fireball=Fire Dragon -Added\ modifier\ %s\ to\ attribute\ %s\ for\ entity\ %s=Added %s include %s people %s -Take\ Screenshot=Take Out Of The Exhibition -Unlock\ Progress\:=To Unlock The Achievement\: -Angered\ neutral\ mobs\ attack\ any\ nearby\ player,\ not\ just\ the\ player\ that\ angered\ them.\ Works\ best\ if\ forgiveDeadPlayers\ is\ disabled.=Irritated, the neutral creatures to attack all the nearby players, not just players who make you angry. It works best if you can forgive a dead player is useless to me. -Illusioner=Illusioner -Crafting\ Table=In The Table Below The Development Of The -Uneasy\ Alliance=The Union Of Each Other -Dark\ Oak\ Pressure\ Plate=Dark Oak Under Pressure Edge -Eerie\ noise=Terrible noise -Mossy\ End\ Stone=The Mossy Stone At The End -Taiga\ Clearing=In A Forest Glade -Ruby\ Pickaxe=Rubies Hack -Sofas=Sofas -Add\ Stonebrick-styled\ Stronghold\ to\ all\ modded\ non-Nether=Add Stonebrick style support for all mod doesn't break, -Craft\ an\ MFE=Craft a MFE -Cover\ Me\ in\ Debris=Captured by me in the waste -Torch\ fizzes=Side hiss -Implosion\ Compressor=Implosion Kompres\u00F6r -Tall\ Birch\ Forest=High-Brez -Leave\ realm=Let The Kingdom Of God -Wither\ attacks=Glebti ataka -Adds\ breaking\ delay\ to\ the\ blocks\ that\ you\ can\ instantly\ mine.\ This\ option\ has\ lower\ priority\ than\ "disableBlockBreakingCooldown".=Adds a gap shift that now you mine. This parameter has lower priority compared to "disableBlockBreakingCooldown". -Mule\ hee-haws=Masha hee-haws -Filtering=The filter -%1$s\ suffocated\ in\ a\ wall=%1$s embedded in the wall -$(l)Tools$()$(br)Mining\ Level\:\ 5$(br)Base\ Durability\:\ 2643$(br)Mining\ Speed\:\ 8$(br)Attack\ Damage\:\ 6$(br)Enchantability\:\ 15$(br)Fireproof$(p)$(l)Armor$()$(br)Durability\ Multiplier\:\ 41$(br)Total\ Defense\:\ 16$(br)Toughness\:\ 6$(br)Enchantability\:\ 15$(br)Fireproof=$(h)the measures$()$(BG intellectual level\: 5$(WHITE)power supply\: 2643$(P), copy speed\: 8$(br)loss\: 6$(15 br), Enchantability\: $(b)Non -$(p)$(l)armor$()$(BR), coefficient of endurance\: 41$(White protect them before it's announced\: 16$(br), stamina\: 6$(p)charms power\: 15$(NO sign of any fire -Almandine\ Dust=Almandine Kurzu -Comal=Reptiles -Smooth\ Lighting=Even Lighting -Diggus\ Maximus=Digg Maximus -Liquid\ Generator=Maye Generator -Light\ Blue=Light blue -Splash\ Potion\ of\ Water\ Breathing=Splash Potion Of Water Breathing -%s\ Edition=%s Option -Industrial\ Sawmill=Factory Industrial -Forest\ Lake=The Lake -Blue\ Glazed\ Terracotta\ Ghost\ Block=Plava, Ostakljeno Terakote Duh Blokovi -Edit\ Sign\ Message=Edit The Message To Join -Add\ Nether\ Temples\ to\ Modded\ Biomes=Si us plau, afegiu a la Nether temple Modded Biomes -Heart\ of\ the\ Sea=In the middle of the sea -Leather\ Horse\ Armor=Leather Horse Armor -Adamantium\ Pickaxe=Adamantium Pickaxe -Sakura\ Kitchen\ Counter=Countertop Sakura -Max\ tier\ (Basic)=Max taso (Pohja) -Old\ Netherite\ Chest=Old Netherite Chest -Day=Today -Integer\ must\ not\ be\ less\ than\ %s,\ found\ %s=An integer should not be less than %s this %s -Zombified\ Piglin\ hurts=Zombified pigli mul on valus -Liquid\ Goes\ Where?=The Liquid Goes There? -Husk\ groans=Groaning, Balance Sheet -Hemlock\ Fence\ Gate=Hemlock Garden Gate -Dolphin\ Spawn\ Egg=Egg Cubs -Realms\ is\ a\ safe,\ simple\ way\ to\ enjoy\ an\ online\ Minecraft\ world\ with\ up\ to\ ten\ friends\ at\ a\ time.\ \ \ It\ supports\ loads\ of\ minigames\ and\ plenty\ of\ custom\ worlds\!\ Only\ the\ owner\ of\ the\ realm\ needs\ to\ pay.=The areas of security, easy way to enjoy online Minecraft world with ten friends simultaneously. It supports loads of mini-games, and much the order of the world. Only the owner of the domain to pay. -Potted\ Allium=Pot Ashita -Cow\ gets\ milked=The cows are milked -Leatherworker=Leatherworker -Black\ Berry\ Bush=Crna, Adapter Bush And -White\ Glazed\ Terracotta\ Ghost\ Block=White Glazed Ceramic Tile, The Ghost Of The Castle -Brown\ Per\ Pale=Cloudy, Brown -Tech\ Reborn\ Manual=To Use Technical Resources -Gray\ Flat\ Tent\ Top=Siv\u00E1, Flat Top Tent -Set\ the\ sort\ order\ for\ sort\ in\ rows\ button=Select the sort order that the sort order of the -Japanese\ Maple\ Table=The Japanese Maple, The Table -Red\ Lipped\ Blenny=The Red Lip Blenny -Bowler\ Hat=The Has -Colors=Farve -Yellow\ Per\ Bend=Yellow Mirror -Auto-Jump=Automatic Jump -Shulker\ teleports=Shulk op de teleporter -Witch\ hurts=The witch from pain -Dead\ Fire\ Coral\ Block=\u00D6de Coral Block -Spread\ %s\ players\ around\ %s,\ %s\ with\ an\ average\ distance\ of\ %s\ blocks\ apart=Levis %s Players from different countries %s, %s the average distance %s other blocks -Great\ Helm=Golem Round -Parrot=Parrot -Min\ cannot\ be\ bigger\ than\ max=The Min can not be greater than the maximum -%1$s\ was\ skewered=%1$s was beads -Spectator\ Mode=The Display Mode Will Only -Pink\ Per\ Bend\ Sinister\ Inverted=Rosa Per Bend Sinister Invertito -Hemlock\ Sapling=Hemlock Seedlings -Default\ Key=The Default Key -Trapped\ Chests\ Triggered=Stumbled Upon A Treasure Chest, That Hole Will Open -Raw\ Input=Nyers Bemenet -Block\ of\ Redstone=Un Bloc De Redstone -Received\ Update\ Data\:\ %1$s=To Receive Updates Of The Data. %1$s -Blue\ Terracotta\ Glass=Sina Ceramics, Steklo -Alkahest\ \u00A77(%s/%s)=Alkahest \u00A77(%s/%s) -Controls\ whether\ the\ preview\ window\ should\ be\ colored.=Specifies whether the window should be painted. -Forward\ Launcher=Advanced Launcher -Pending\ Invites=Waiting For A Call -Portuguese=Portuguese -Smoky\ Quartz\ Pillar=Smoky Quartz Pillar -Light\ Gray\ Per\ Fess\ Inverted=Light Gray In The Picture Of The Upside Fess -Lime\ Concrete\ Powder=Lime Powder, Concrete -Failed\ to\ Check\ for\ Updates,\ enable\ Debug\ Mode\ to\ See\ Errors...=Check for updates, enable debug mode to see errors.not -Potted\ Dandelion=The Flowers Of Dandelion -How\ rare\ are\ Jungle\ Villages\ in\ Jungle\ biomes.=They were rare, the village in the jungle biome the jungle. -Pine\ Sapling=\u053E\u0561\u057C\u056B Pine Seedling -Red\ Snapper=Red Cocktail -Default\ is\ \u00A7cNo\u00A7r.\ \u00A7aYes\ \u00A7rwill\ harvest\ the\ tree\ leaves.=Po defaultu \u00A7cNot\u00A7r. \u00A7aSo \u00A7rharvest the leaves on the trees. -Width=The width of the -Allow\ Badlands\ Temple\ Loot\ Chests=Let Rural Of The House To Loot The Chest -Maximum\ Recipes\ Per\ Page\:=Maximum Performance On This Page\: -Villager\ hurts=The city is in a mess -Corner\ mode\ -\ placement\ and\ size\ marker=The way the angular position and the size of the print -Emerald=Emerald -Toggle\ Liquid=Switch, Fluid, -Eggshell\ Fertilizer=Egg Shell Fertilizer -Core\ of\ Flight=The Main Course -Beacon\ hums=Beacon buzz -End\ Dungeons=At The End Of The Game -Uncraftable\ Potion=Uncraftable Ting -Failed\ to\ Download\ "%1$s"\ from\ "%2$s"\\n\ Manually\ Download\ "%1$s"\ from\ "%2$s"\ to\ "%3$s"=In the place of his own."%1$s"(C)"%2$s"\\n \\ n the URL to download "%1$s"s "%2$s"a "%3$s" -Pink\ Tent\ Top=Pink Top From The Tent -Creamy\ White\ Wing=Cream Bell Creel -Crimson\ Nylium\ Path=What is the little zeros -Maximum\ Zoom\ Divisor=The Main Types Of Separators -Stellum\ Ore=Stella I -Pink\ Paly=Rosa Paly -What\ A\ Steel=What Kind Of Steel -Cyan\ Globe=The World Of The Blue -Ring\ of\ Hungerless=The Announcement Of The Hungerless -Anvil=The anvil -Show\ View\ Angles=To View The Angle Of View Of The -Damage\ Dealt\ (Resisted)=The Damage (From Strength) -Phantom\ bites=The Phantom is a bit of -Pink\ Pale=Pale Pink -Skeleton\ Spawn\ Egg=The Skeleton Spawn Egg -Sulfur\ Quartz\ Block=Sulphur Quartz Block -Errors\ in\ currently\ selected\ datapacks\ prevented\ world\ from\ loading.\nYou\ can\ either\ try\ to\ load\ only\ with\ vanilla\ datapack\ ("safe\ mode")\ or\ go\ back\ to\ title\ screen\ and\ fix\ it\ manually.=Errors in the current datapacks to avoid this, the world before you download.\nMaybe you want to try, is to download it just extract datapack (safe mode) or return to the main menu, and right hand. -Brinely=Brinely -Lit\ Green\ Redstone\ Lamp=It Turns On The Green Light Is Redstone Lamp -Ceres\ Essentia=Table. Soup -Craft\ Golden\ Apples=Production Of The Golden Apples -Lil\ Tater\ Hammer=\u041B\u0438\u043B\u043B\u044C To Its Former Place (Katja To Its Former Place) Hammer -Black\ Glazed\ Terracotta\ Ghost\ Block=A Black-Glazed Tile With A Ghost Block -Acacia\ Glass\ Door=I wasn't on the glass door -%1$s\ fell\ out\ of\ the\ world=%1$s the fallen peace of mind -Lazurite\ Dust=Lapis Powder -Basalt\ Step=Basalt Wool Action -Dark\ Oak\ Fence=Tmavo-Drevo-Plot -Japanese\ Maple\ Fence\ Gate=Japanese Maple Tree Fence, Gates -End\ Gateway=The Last Trumpet -Crimson\ Fungus=Crimson Gljiva -Solid\ Canning\ Machine=Trdi, Avto, Kositer -Showing\ new\ title\ for\ %s=With a new name %s -Gave\ %s\ %s\ to\ %s\ players=The dose %s %s for %s the players -Orange\ Lozenge=Orange Diamond -Experience\ gained=Art -Vibranium=Vibranium -Multiplied=More -Gray\ Stained\ Glass=Grey Glass -Witch\ throws=The witch is playing games -Banned\ IP\ %s\:\ %s=The public IP address of the %s\: %s -Cinematic\ Camera=Cinematic Kamera -The\ key\ to\ move\ all\ the\ itmes\ that\ already\ existed\ in\ the\ container=The key is from the South-svi predmeti in kontejner -Red\ Shulker\ Box=Red Shulker Area -Blue\ Glazed\ Terracotta\ Camo\ Door=Blue Ceramic Tile, Glass Doors, If -Lime\ Chief\ Sinister\ Canton=Principal De La Cal Sinister Cant\u00F3n -Only\ Other\ Players=The Only Other Players -Asteroid\ Lapis\ Cluster=To Map Groups Of Asteroids -Alkahest=Alkahest -Zombie\ Reinforcements=Your Help -Disable\ show\ info=Turn off the display information -Maximum\ Y\ height.\ Default\ is\ 255.=The maximum change in pitch. The default is 255. -Essentia\ Vessel=Essentia Yacht -Are\ you\ sure\ you\ want\ to\ delete\ this\ world?=Are you sure you want to remove you from this world?" -Magmatic=Lion -Wandering\ Trader\ drinks\ potion=Chapman drink, drink -\u00A7eUse\ while\ airborne\ to\ activate\u00A7r=\u00A7eTo use it, as long as you are up in the air, in order to activate it\u00A7r -Peace\ in\ the\ world,\ or\ the\ world\ in\ pieces\!=The world or the world apart." -Chainmail\ Chestplate=Tor Chestplate -Expected\ object,\ got\:\ %s=It is expected that the project is bought. %s -Reduce\ Sensitivity=In Order To Reduce The Sensitivity Of The -Plated\ Backpack=Dresses With Backpack -\u00A77\u00A7o"For\ making\ Minecraft\ lighting\ not\ suck."\u00A7r=\u00A77\u00A7o"In order to create the lighting in Minecraft, it is not a bad thing."\u00A7r -Cyan\ Lozenge=Blue Diamond -Cut=Cutting -Welcome\ to\ Edit\ Mode\!=Welcome to the Edit Mode\! -Mock\ Header=The Header Of The Layout -Toast's\ Ready\!=Toast it clear\! -Zinc\ Plate=Stove Zinc -Pink\ Per\ Fess\ Inverted=Park Fess, Is In The Process Of Healing -Ring\ of\ Regeneration=\ Ring of regeneration -Zombie\ hurts=Zombie bad -Quartz\ Pillar\ Camo\ Trapdoor=Colony Trimedica, Chrome Luke -Bubbles\ pop=Bobler -Sweet\ Dreams=Sweet Dreams -This\ will\ replace\ the\ current\ world\ of\ your\ realm=It replaces the current world empire -Splash\ Potion\ of\ Slowness=Splash potion of slowness -Lime\ Per\ Bend\ Inverted=Lime Per Bend Inverted -Server\ Icon\ to\ default\ to\ when\ in\ an\ Unsupported\ Server=By default, the icon for the server, any server support -Potted\ Oxeye\ Daisy=Home Oxeye Daisy -Nether\ Strongholds=In The Lower Part Of The Castle -Replaces\ boulders\ in\ Giant\ Tree/Spruce\ Taiga\ Hills=Replace the stones, giant trees and the coniferous taiga hills -60k\ Helium\ Coolant\ Cell=60k for a helium cell of the cooling -Allows\ CraftPresence\ to\ display\ it's\ Logging\ in\ the\ Chat\ Hud=CraftPresence allows you to view the skin of the chat log -Oak\ Planks\ Ghost\ Block=Oak Board Spirit Of The Series -Thrown\ Bottle\ o'\ Enchanting=Threw a bottle of enchanting -Terms\ of\ Service=Terms of use -Dark\ Oak\ Small\ Hedge=Dark Oak Is A Low-Risk Insurance -Player\ hurts=The player is bad -\u00A77\u00A7o"Microsoft\ actually\ sells\ this\ one."\u00A7r=\u00A77\u00A7o"Microsoft is, in fact, the sale of this". \u00A7r -Times\ Broken=Once Broken -@\:\ Search\ via\ identifier=@\: Search, the use of the identifier -FPS\:\ %s=USER\: %s -Semifluid\ Generator=Semi-Fluid Generator -Pumpkin\ Stem=The Stem Of The Pumpkin -CraftPresence\ -\ Add\ New\ Value=CraftPresence - Add A New Value To The -Aluminium\ Nugget=The Aluminum Is In The Form Of Ingots -Tin\ Dust=Looking For Dust -Red\ Concrete\ Glass=Red, Concrete, And Glass -Stone\ Crook=Bastard Rock -White\ Table\ Lamp=The Network Table Lampa -Packed\ Ice=Dry Ice -Unknown\ criterion\ '%s'=Unknown norm"%s' -Vibranium\ Axe=Balta Vibranium Var -and\ replaces\ all\ vanilla\ trees\ in\ Swamp\ Hills\ biome.=and replaced all the vanilla trees in the swamps, the hills biome. -Craft\ an\ industrial\ centrifuge=Crafts, Industrial Centrifuges -Rollable=Instagram -Reduced\ Debug\ Info=Vermindering In De Debug Info -Stellum\ Nugget=Stellum Nugget -Potted\ Crimson\ Roots=Plants, Their Roots Do -Geyser=Gas Water Heater -Lantern=Flashlight -Red\ Per\ Bend\ Inverted=The Red And The Euro Is On Her Way To The Top To The Bottom -Set\ the\ custom\ rule\ for\ regular\ sort\ button=The research is usually a normal type of button -Univite\ Leggings=Leggings Univite -Tape=Truck -Astronautics=People -Magenta\ Tent\ Top\ Flat=The Apartment Is On The Tent Of The Red -Brown\ Shulker\ Box=Brown, Shulk Impressora Caixa -Value\ Name\:=The Value Of The Name Of\: -Hoglin\ Spawn\ Egg=Hogl, Jajce, Kaviar -Color=Color -Yellow\ Base\ Gradient=Yellow Base, Tilt -Basic\ Drill=The Main Exercise -Produces\ energy\ by\ using\ Heliumplasma\ as\ a\ fuel\ source=The energy produced by Heliumplasma as a source of energy -HV\ Cable=High voltage cable -Message\ to\ use\ for\ the\ &worldinfo&\ Placeholder\ in\ Server\ Settings\\n\ Available\ Placeholders\:\\n\ -\ &difficulty&\ \=\ The\ Current\ World's\ Difficulty\\n\ -\ &worldname&\ \=\ The\ Name\ of\ the\ Current\ World\\n\ -\ &worldtime&\ \=\ The\ Current\ World's\ In-Game\ Time=The missatge \u00E9s &to& the farciment settings of the server.\\n \\, va prendre els mitjans de comunicaci\u00F3\:\\n \\ n - dificultat& \= and the world is in problems\\N \\ N - &worldname& \= the nom of the current world.\\n "&, r a m\u00F3n de temps the function of& \= in the m\u00F3n real, in the course of the game -Tall\ Lime\ Lily=H\u00F6g-Lime Blommor, Lily -Info\ Text\ Alignment=Information About The Text -Birch\ Fence\ Gate=The Birch, The Fence, The Door Of -Green\ Topped\ Tent\ Pole=Green, It Comes With Support For -Potted\ Tall\ Green\ Calla\ Lily=Container High, Green Faeces -Crimson\ Planks=Ketone Tej Strani -Mossy\ Cobblestone\ (Legacy)=Mossy Kaldrma (Inheritance) -Sorting=Sortering -Willow\ Door=Iva Gates -%1$s\ didn't\ want\ to\ live\ in\ the\ same\ world\ as\ %2$s=%1$s I don't want to live in this world, and that the %2$s -Red\ Sandstone\ Stairs=Red Sandstone Stairs -F3\ +\ I\ \=\ Copy\ entity\ or\ block\ data\ to\ clipboard=F3 + S \=, in order to Copy an object or data table to the clipboard -Astromine=Astromine -Tank=Tank -Cow=Makarov and -No\ items\ were\ found\ on\ %s\ players=No items were found %s players -Sandy\ Brick\ Stairs=Sand Brick Stairs -Default\ Dimension\ Icon=Standard Size Symbol -Endorium\ Dust=Endori Is A Powder -See\ the\ Trader's\ Manual\ for\ information\ about\ trading\ stations.=Professional manual for more information about the treatment of the Station. -The\ multiplier\ used\ for\ the\ multiplied\ cinematic\ camera.=\ Coefficient, which is multiplied automatically by the camera. -Construct\ and\ place\ a\ Beacon=The fabrication and installation of a light on the hill -Loading\ "%1$s"\ as\ a\ DLL...=Download%1$s"as the DLL... -Block\ of\ Platinum=The Platinum pack -World\ Map\ Name=A Map Of The World In The Name Of -Cod=Cod -Home=Home -Nothing\ changed.\ Friendly\ fire\ is\ already\ disabled\ for\ that\ team=Nothing has changed. Each fire were closed team -Harder\ than\ vibranium=Stronger than vibranium -Scrolls\ Cape\ Wing=If The Rt Time -Parrot\ squishes=Parrot chew -White=White -en_us=speech -Mountains=Mountain -Energy=The energy -You\ may\ not\ rest\ now;\ the\ bed\ is\ too\ far\ away=Now a bit \u043E\u0442\u0434\u043E\u0445\u043D\u0443; the bed is too far away. -Held\ Item\ Full\ Amount=Past The Game In Full -Starting\ minigame...=The Mini-games, and so on and so forth. -Small\ Pile\ of\ Sulfur\ Dust=Batteries small of sofre in pols -Black\ Bat\ Orchid=The Bat For The Orchid Black -Eroded\ Badlands=He Said, Exhaustion -Players\ with\ gamemode=Players gamemode -Potted\ Tall\ Purple\ Foxglove=Vessels High Purple Foxglove -Chimneys=Chimneys -Hold=Keep it up -Cyan\ Flat\ Tent\ Top=Yellow Tent On The Roof -Redwood\ Trapdoor=Redwood Sliding Roof Of The Building -The\ world\ border\ is\ currently\ %s\ blocks\ wide=On the edge of Svetla %s block for a wide range -White\ Oak\ Slab=White Oak Flat -One\ Man's\ Rubbish..=A Man's junk.. -Curse\ of\ Gigantism=The Path Of The Curse -Glass\ Shards=The broken glass -Light\ Gray\ Asphalt\ Stairs=The Light Gray Pavement, And Stairs. -Spawn\ attempts\ per\ chunk.=It is a part of the business ventures. -Auto\ Config\ Example=Auto Config For An Example. -Green\ Glazed\ Terracotta\ Ghost\ Block=Green Color-Terracotta-Glazed Spirit Stables -Interactions\ with\ Loom=The Interaction Frame -Ravager\ dies=The ravager dies -More\ documentations\ on\ website.=Additional documentation on the website. -Purpur\ Chain=Crimson-String -This\ item\ has\ been\ moved.=At this point, he added. -Quartz\ Golem=Kvars Golem -%s\ entries=%s elements -Fermenting\ Milk\ Bucket=The Fermentation Of Milk Into A Bucket -Minecart=He was -Jungle\ Palm\ Sapling=Jungle, Seedlings, Palm Trees -Monsters\ Hunted=Monsters Should Be A Victim -Deep\ Cold\ Ocean=Hladno Deep Ocean -Crate\ of\ Beetroots=The area of the red beet -Mossy\ Cobblestone\ Wall=Mossy Cobbles Of De Muur -Keypad\ Enter=The keyboard -%1$s\ was\ killed\ by\ even\ more\ magic=%1$s he was killed, and even more magic -\u03A9-Rank\ Materia=O Assessment Materials -Purple\ Berries=Olavo Berry -CraftPresence\ -\ Available\ Biomes=The Presence Of The Ship - Existing Biomes -Blue\ Rune=The Deterioration Of The Blue -Client\ incompatible\!=The client isn't in accordance\! -Univite\ Nugget=Univite Of -Ring\ of\ Slow\ Falling=Ring of slow fall -\u00A77\u00A7o"In\ use\ since\ October\ 7,\ 2015."\u00A7r=\u00A77\u00A7o"On 7 October 2015."\u00A7r -Snow\ Golem=The Snow Golem -Data\ Storage\ Chip=The Chip For Data Storage -Tripwire=Germ -Mob\ Follow\ Range=Mafia To Perform A Number Of -Farmer=Farmer -Character\ Width\:=Width Of Characters\: -Infinity\ Pocket=Infinity In Your Pocket -Sort\ by\ Name=Sort by name -Redwood\ Leaves=Redwood Lapai -Brown\ Bed=Brown Bed -Light\ Gray\ Base\ Gradient=A Light Gray Gradient Base -%s\ item(s)=%s the product(s) -Rainbow\ Eucalyptus\ Kitchen\ Counter=The Kitchen Tree Is The Eucalyptus Tree, Rainbow, -Squid\ dies=Squid devient -Spread\ %s\ teams\ around\ %s,\ %s\ with\ an\ average\ distance\ of\ %s\ blocks\ apart=Distribution %s commands for all %s, %s the average distance from the %s in addition to the blocks -Ruby\ Sword=Ruby Sword -\u00A7lCraftPresence\ -\ Assets\ Sub-Commands\:\\n\\n\ \u00A76\u00A7llarge\ \u00A7r-\ View\ Discord\ Assets\ with\ Size\ LARGE\\n\ \u00A76\u00A7lsmall\ \u00A7r-\ View\ Discord\ Assets\ with\ Size\ SMALL\\n\ \u00A76\u00A7lall\ \u00A7r-\ View\ All\ Discord\ Assets=\u00A7lCraftPresence of assets and liabilities, sub-commands\:\\N\\N \u00A76\u00A7llarge \u00A7r- View of Discord Actively with Size LARGE\\n \u00A76\u00A7lsmall \u00A7r- See, if the division of property, size small, s\\N \u00A76\u00A7land all \u00A7r- An Overview Of All The Tools, The Differences -Whitelist\ is\ already\ turned\ off=Whitelist is al uit -Umbral\ Stairs=Scale Buie -Copper\ Plate=Iron, Copper, -Cichlid=Cichlids -\u00A75\u00A7oA\ magical\ lasso\ that\ hold\ most\ creatures=\u00A75\u00A7oMagic lasso, which most creatures -Pig\ dies=The pig dies -Orange\ Glazed\ Terracotta\ Glass=Orange Glazed Tiles, Glass -Iridium\ Neutron\ Reflector=Reflektor Neutrona Iridium -Alert\ Min\ Light\ Level=Alarm-Min Level-Easy -Obsidian=Obsidian -Light\ Gray\ Rune=Sivatha Light On Rooney -Black\ Flat\ Tent\ Top=Black Flat Awning On Top -Spruce\ Planks=Spruce Point -Unknown\ recipe\:\ %s=That's the recipe\: %s -Badlands\ Plateau=The Edge Of The Badlands -Finishing\ up...=The output... -Toolsmith=Toolsmith -World\ is\ deleted\ upon\ death=World deleted by death -Revoked\ the\ advancement\ %s\ from\ %s=Set Up A Meeting %s from %s -Brown\ Terracotta\ Camo\ Trapdoor=Black, Brown, Terracotta, Camo Roof -Cowboy\ Hat=Cowboy Hat -Publisher\ website=On the website of the publisher -Electric\ Furnace=Electric Range Cookers -%1$s\ was\ doomed\ to\ fall=%1$s he was convicted and sentenced in the fall -That\ name\ is\ already\ taken=This name is already taken -You\ can\ look\ but\ don't\ touch=You can also see, but not touch -Crate\ of\ Sugar\ Cane=Fields of cane with -Reset\ Defaults=To Reset To The Default Value Of The -Cyan\ Cross=Blue Cross -Jungle\ Barrel=Firewood Per Barrel -Add\ Nether\ Pyramids\ to\ modded\ Nether\ biomes.=To add to the Bottom-don't mod Down experiences. -Calcium\ Carbonate=The Calcium carbonate -Terracotta\ Glass=Tile, Glass -Drop\ blocks=The blocks fall off -0\ for\ no\ Silverfish\ Blocks\ and\ 100\ for\ max\ spawnrate.=0-Fish Blocks, and 100 in the max spawnrate. -Gray\ Shulker\ Box=Box, Gray, Printer Shulk -World\ templates=Models Of The World -Removed\ modifier\ %s\ from\ attribute\ %s\ for\ entity\ %s=In order to delete a character %s attribute %s az arc %s -Pine\ Forest\ Hills=The Pine Forests On The Hills -Arrow\ of\ Weakness=The Arrows Of Weakness -Redstone\ Glass=Redstone-Vidre -Light\ Gray\ Per\ Bend\ Sinister=Light Gray Color, On A Bend Sinister -Decorative\ Xorcite\ Stone=Dekorativni Kamen Xorcite -The\ End?=At the end of? -Clay\ Ball=The Argila Bola -Growth\:\ %s=Growth. %s -Black\ Patterned\ Wool=Black Color -Showing\ All=With The Participation Of All Of The -Black\ Inverted\ Chevron=Negre Chevron Inversa -Salami=Sallam -A\ Terrible\ Fortress=A Terrible Battle -Potted\ Rainbow\ Eucalyptus\ Sapling=In Space, The Rainbow Eucalyptus Seedlings -Blindness=Blindness -Lingering\ Potion\ of\ Fire\ Resistance=Slow to drink, what to smoke, resistance -Entry\ List\ Action\:=Entry In The List Of Actions. -Potted\ Dark\ Oak=Plates Of Natural Wood-Dark Oak -Orange\ Globe=Orange Ball -Spider\ hisses=The spider hisses -Quantum\ Boots=Action Boots -Distract\ Piglins\ with\ gold=Abstract Piglins gold -Basic\ Coil=Basic-Helix -Biome\ Messages=Biome Of The Message -7x7\ (High)=7 x 7 (Height) -Lime\ Flat\ Tent\ Top=Lime-A Flat Tent On The Roof -Teleport\ to\ Team\ Member=Teleport team member -Bee\ dies=The bee dies -\u00A77\u00A7oeven\ scarier\ drop."\u00A7r=\u00A77\u00A7oit's even more impressive will come."\u00A7r -If\ on,\ the\ client\ will\ try\ to\ send\ packets\ to\ servers\nto\ allow\ extra\ preview\ information\nsuch\ as\ ender\ chest\ previews.=If a client attempts to send a packet to the server\nin order to see additional information\nas Ender chest. -Flint=Flint -Tall\ Magenta\ Begonia=Alta Porpra Begonia -Allows\ you\ to\ skip\ the\ night\ when\ you\ sleep\ on\ a\ sofa.=Slept on the sofa, allows you to spend the night. -Hot\ Tourist\ Destinations=Popular Tourist Destinations -Oak\ Planks=Oak Planks -Trident\ vibrates=Trident vibration -Red\ Futurneo\ Block=Red Futurneo Item. -Linked\:\ %1$s,\ %2$s,\ %3$s\ in\ %4$s=Related to\: %1$s, %2$s, %3$s by %4$s -Protection=Protection -No\ Entries=There Are No Items To Show -Sweet\ Berries\ Crate=The Berries Are Hot -Action\ bar-like\ system\ of\ keybinds\ that\ lets\ you\ automatically\ use\ a\ set\ item\ in\ your\ hot\ bar\ without\ having\ to\ switch\ away\ from\ your\ currently\ held\ item.\ Holding\ the\ key\ bind\ lets\ you\ keep\ using\ the\ item\ like\ if\ you\ were\ holding\ the\ right\ mouse\ button.\ For\ example\:\ placing\ torches,\ TNT,\ throwing\ potions,\ eating\ food,\ drinking.=Bar movement system-keys that allows you to automatically use the object in their warm bar without having to go to your current on the phase element. Press and hold the button took the Association allows you to continue to use the product, if you press the right mouse button. For example\: put Baku, TNT, difficult and potions, food and drinks. -Waypoints=Zonnebril -Unbreakable=Unbreakable -Teal\ Nether\ Bricks=Turquoise Hollow Brick -Stripped\ Cypress\ Wood=The Bald Cypress -Netherite\ Chestplate=Netherit Of The Bib -Giant\ Boulders=Huge Stones. -Nickel\ Nugget=Nickel Ingot -Sulfur\ Quartz\ Stairs=Sulfur, Quartz Stairs -If\ below\ min\ height,\ this\ will\ be\ read\ as\ min.=Als een min-height, dit kan ook gevonden worden in de meeste -Gui\ Settings=Settings on the GUI -Minecart\ with\ Spawner=Minecart a spawn -Configuration\ Settings\ have\ been\ Saved\ and\ Reloaded\ Successfully\!=Settings were Saved and re-loaded Successfully\! -Group\ In\ Columns=\ Band Del M\u00F3n -Abandoned\ Mineshaft\ Chests=Abandoned Chests In The Mine -Pink\ Concrete\ Camo\ Door=Pink Concrete-Gates-Camouflage -Join\ Request\ Rejected,\ due\ to\ an\ Invalid\ Join\ Key\:\ %1$s=The application has been rejected due to a program error\: %1$s -Potted\ Light\ Blue\ Nikko\ Hydrangea=Vasa Plava Hortenzija Nikko -White\ Asphalt=White, Asphalt, And -Bats\ (Bat\ Wing)=Bat (Bat) -Right-Click\ a\ Block\ to\ anchor\ the\ Structure=Right-click on the Block that binds the Body -Green\ Concrete\ Powder=Green Concrete Dust -Black\ Stained\ Glass=The Black Stained Glass -Grants\ Water\ Breathing\ Effect=Grants The Effect Of A Water Breathing -Turtle\ Egg\ stomped=Cherries and eggs, to make them in -\u00A7cRedstone\ \u00A7aOn=\u00A7cRedstone \u00A7aIn -Flipped\:=To cancel\: -Smooth\ Sulfur\ Quartz\ Slab=The Level Of Sulfur, Silicon Plate -Enable\ old\ stone\ rods\ for\ backwards\ compatibility.=Backwards compatible with the old stone bar provides. -Cat=Cat -The\ particle\ was\ not\ visible\ for\ anybody=The particles that are not visible to everyone -About\ this\ Configuration\ Gui=In this Configuration, the user interface -Yellow\ Stained\ Glass=The Last Of The Yellow -Pulled\ %s\ essentia=Photos %s essentia -%s/%s=%s/%s -White\ Oak\ Wood=White Oak -Quartz=Food -Souvenir=Auto -Picket\ Fence=Staket -Due\ to\ Technic\ Limitations,\ The\ Pack\ your\ Currently\ Playing\ will\ only\ display\ an\ Icon\ properly\ if\ selected\ in\ the\ Technic\ Launcher.=If the limitations of the method, one of ordinary games, only icons are visible, correctly, to choose the names of the teams. -You\ can\ only\ trigger\ objectives\ that\ are\ 'trigger'\ type=You may have problem with engine start -Version\ Info=Information On The Choice Of The -Pine\ Cone=Pine cones -Too\ many\ blocks\ in\ the\ specified\ area\ (maximum\ %s,\ specified\ %s)=Many blocks in the specified range (to %s identifikovane %s) -*\ %s\ %s=* %s %s -Volcanic\ Cobblestone\ Wall=\ Is A Volcanic Stone On The Wall -$fluid$\ Cell=$floud$ Cells -Warped\ Sign=Unreadable Characters -Pink\ Per\ Bend\ Sinister=Rose Or Worse -Found\ no\ elements\ matching\ %s=It was noted that there is no struggle %s -Cobblestone\ Camo\ Door=On The Sidewalk, The Black Door -End\ Stone\ Axe=Stone Axe In The End -Maximum=Max. -Coal\ Dust=Coal powder -Open\ Settings=Open The Dialog Box " Settings -Charge-O-Mat=Charge-O-Mat -Enderman\ dies=Enderman dies -Normal=Usually -Venus=Venus -Stray\ Spawn\ Egg=Freedom To Incubate The Eggs -Pink\ Terracotta=Pink, Terracotta -Chests\ Opened=Bitch A\u00E7maq -Page\ Turns=Page Turns -Spruce\ Kitchen\ Cupboard=Pharaoh In The Kitchen -Low\ Air\ Notification=Warning Of Low Battery Level, Air Conditioning -Phantom\ hurts=Phantom damage -Black\ Berries=O Black-Berry -Fir\ Chair=The Chair, Spruce -Sort\ Inventory\ in\ Columns=This is the type of furniture, and messages -Display\ Entity\ Model=Display Of Models In The Unit -Spawn\ pillager\ patrols=Spawn the Marauder patrols -Yellow\ Berry\ Juice=Groc Berry Suc -Hostile\ Mobs=The Enemy, The People, The -Mossy\ Volcanic\ Rock\ Brick\ Stairs=\u0417\u0430\u043C\u0448\u0435\u043B\u044B\u0435 Volcano, Earth, Stone Brick Stairs -Jungle\ Edge=On the edge, in the woods, -%1$s\ fell\ too\ far\ and\ was\ finished\ by\ %2$s\ using\ %3$s=%1$s very fell, and, finally, %2$s the use of the %3$s -Craft\ the\ upgraded\ advanced\ solar\ panel=Raising fashion to the solar panel -Birch\ Drawer=Berk Load -Red\ Tent\ Side=The Red Tent Page -Blackstone=Common -Spooky\ Scary\ Skeleton=Horrible Skeleton -Light\ Gray\ Chief\ Sinister\ Canton=Light Of Siva, The Head, The Sinister Canton -Slipperiness=Only -Blue\ Per\ Bend\ Sinister\ Inverted=Bend Sinister Substitute, Blue -Fir\ Sign=The Fir Tree Symbol -Polished\ Andesite\ Pillar=Andesite L\u00EBmuar Post -Enable\ Commands=How To Activate The Team -%1$s\ was\ fireballed\ by\ %2$s=%1$s it was fireballed.%2$s -Iron\ Furnace=Iron Stoves -Block\ %s\ does\ not\ have\ property\ '%s'=Enhed %s no, I have a family"%s' -A\ sliced\ food\ item\ that\ is\ more\ hunger-efficient\ than\ a\ whole\ carrot.=Free products, which is more than famine, more than just a whole carrot. -Rubber\ Platform=Gumos Platforma -Chrome\ Nugget=Chrome Bit -Kill\:\ Purpur\ Guardian=Drop-Fialov\u00E1 Guardian -Dead\ Brain\ Coral\ Fan=Brain Dead Coral Fan -Lime\ Stained\ Glass=Lime Stained Glass -Wood\ to\ Iron\ upgrade=The wood and Iron, to improve the -Mineverine=Mineverine -Set\ the\ sort\ order\ for\ sort\ in\ columns\ button=Set the sort order to sort click on the column -Autumnal\ Wooded\ Hills=Autumn Forest, Mountain -Deep\ Frozen\ Ocean=Deep-Sea Food -Day\ Four=On The Fourth Day -As\ &name&=If name && -Add\ New=Nova -Issues=The problem -Iron\ Nugget=Iron, Gold, -Nether\ Brick=Nether Brick -Orange\ Stained\ Glass\ Pane=The Orange Tile In The Bath Area -Size\:\ \u00A77Small\u00A7r=Size\: \u00A77Lille\u00A7r -Brick\ Slab=Brick Oven -Red\ Elevator=Lift Piros -Smooth\ Bluestone=Soft Bluestone -Cobblestone\ Stairs=On The Stairs Of Stone -Cover\ Me\ With\ Diamonds=Cover Me Almaz -Sapphire\ Sword=Sapphire Sword -Potted\ Oak=Small Oak -Parrot\ scuttles=Parrot bulls Eye -Swap\ Item\ With\ Offhand=The Element Of Changes In The Off-The-Cuff -Spruce\ Fence\ Gate=Ellie, For Fence, Gate -Gray\ Chief\ Sinister\ Canton=Silver Chief Sinister Canton -Obtain\ vibranium\ and\ be\ the\ King\ of\ Wakanda=Vibrani and get more Mojang AB business King -Toasted\ Bread\ Slice=A Slice Of Bread, Toasted -Light\ Blue\ Globe=Blue World -Chat\ Text\ Size=Conversation And Goleman On Tekstot -Glorified\ blender\nMixes\ fluids\ and\ dusts\ together=The most popular is the mixer\nIt is a mixture of liquid and powder -dannyBstyle's\ Cape\ Wing=dannyBstyle Kap Stal -Zombie\ Head=The Zombie's Head -Lapis\ Lazuli\ Hammer=Lapis Lazuli Is A Powerful -Birch\ Coffee\ Table=Birch Coffee Table -Overclocker\ Upgrade=P\u00E4ivitys Overclocker -Reload\ rule.*.txt\ files\ in\ config\ folder=The New Reload And Update The Current Policy.*.txt file in the config folder -Birch\ Planks\ Camo\ Trapdoor=Panels Of Birch, D, Hatch -Stripped\ Japanese\ Maple\ Log=Bare Japansk Ahorn Blade -Blackstone\ Basin=Bazena Blackstone -Blaze\ Brick\ Slab=Includes Bricks, Tiles, -Collect\:\ Endorium\ Sword=Price\: Endori More Hotels Near Sword -White\ Inverted\ Chevron=Hvid Omvendt Chevron -Your\ guide\ to\ the\ stars\!=Your one-stop guide to the stars\! -\u00A77\u00A7o"It's\ not\ flat."\u00A7r=\u00A77\u00A7o"It is not a flat surface."\u00A7r -Light\ Gray\ Stained\ Glass=Light Grey Tinted Glass -Display\ the\ item\ gotten\ from\ the\ block=Member -Blue\ Bend=Bleu-Bend -Potted\ Spruce\ Sapling=They Planted The Seedlings Of The -$(l)Tools$()$(br)Mining\ Level\:\ 2$(br)Base\ Durability\:\ 981$(br)Mining\ Speed\:\ 14$(br)Attack\ Damage\:\ 5$(br)Enchantability\:\ 5$(p)$(l)Armor$()$(br)Durability\ Multiplier\:\ 15$(br)Total\ Defense\:\ 14$(br)Toughness\:\ 0$(br)Enchantability\:\ 7=$((d)the steps that have been taken in order to$()$(br) - Mining Level\: 2$(br)Basis, the term\: 981$(b) - metal speed\: 14 am$(White) Attack Damage\: 5$(br)captivate sleeps\: 5$((p)$(d)Oklep$()$(s) - Strength-Multiplier\: 15$(s)Total Defense\: 14th$(BR)durability\: 0$(B)Enchantment\: 7 -A\ String=Line -Pressure\ Plate\ clicks=The touchpad to click -Snowy\ Taiga\ Hills=Sneg Gozd Gore -Cupronickel\ Heating\ Coil=Melchior Kondensatoren -Grossular\ Dust=Granular Powder -"Off"\ disables\ transitions.="You pass". -Beehive=Beehive -The\ debug\ profiler\ is\ already\ started=Debug-profiler is already started -Flatten=Stomps -Armor\ Stand=Armor Stand -Interval\ Between\ Clicks\ (ms)=The interval between clicks (MS) -Chairs\ are\ a\ nice\ spot\ for\ miners\ and\ farmers\ to\ sit\ down\ after\ a\ hard\ day\ of\ work.=Stolica je veliko mjesto of rudara i sel wanted, sjesti by the napornog radnog dana. -Ore\ Clusters=Hours Cluster -A\ campfire-cooked\ version\ of\ the\ Chopped\ Carrot,\ which\ restores\ more\ hunger\ and\ can\ also\ be\ eaten\ quickly.=The fire between them, boiled an alternative to the cutting of the carrots, which restores more hunger, and, in addition, it can be very fast. -Lime\ Per\ Fess=Lime Is The Fess -Add\ Dungeons\ to\ Modded\ Biomes=Dungeon to add biomes image -Cyan\ Rune=Blue Halter -Industrialization=Industrialisering -Tools=Tools -Door\ breaks=The door breaks down -Lettuce=A salad green -Everywhere=Everywhere -White\ Chief=Cap Blanc -Light\ Gray\ Bend=Light Gray Bend -Coordinate\ Scale=Coordinate In The Volume -GUI\ Scale=GUI scale -Gilded\ Blackstone\ Camo\ Door=Regular, Old Camo, Doors -Unable\ to\ detect\ structure\ size.\ Add\ corners\ with\ matching\ structure\ names=To be the u the state of the identified strukturu, veli\u010Dinu. Add ugla, the correct structure of the i in the title -Craft\ a\ battery=Craft batteri -Red\ Carpet=On The Red Carpet -Snowball\ flies=The ball of snow flies -Error\!=Sins\! -Main\ Configs=The Basic Configuration Of The -Fishing\ Bobber\ splashes=Ribolov Flasher Zagon -Magenta\ Banner=The Series Is A Red Flag -(Placeholder\ landing\ text,\ define\ your\ own\ in\ your\ book\ json\ file\!)=(A text box for the insert, you'll need to determine what is, in my book, and questions (\!) -Zigzagged\ Bricks=\u0536\u056B\u0563\u0566\u0561\u0563 Brick -Dropped\ %s\ %s\ from\ loot\ table\ %s=Street %s %s the loot-table %s -Tansy=Tansy -White\ Oak\ Planks=The White Oak Panels -Uranus=Uranium -Shroomlight=Shroomlight -Refreshing\ Mod\ Updates=Refreshing Mod Update -Reset\ all\ scores\ for\ %s=Make sure that the quality of the %s -Bowl\ of\ Dyes=United States Of America Color -Chiseled\ End\ Bricks=Written At The End Of The Brick -Jungle\ Chair=The Forestry Department -Lime\ Terracotta\ Camo\ Trapdoor=Vanilla, Lemon, Blue, Light -Warning\!\ These\ settings\ are\ using\ experimental\ features=Attention\!\!\! For this purpose, technical characteristics overview -Ender\ Dragon=The Ender Dragon -Endorium\ Clump=Endorium, A -Hemlock\ Trapdoor=Poison-Port -Bottle\ empties=The bar is empty bottle -At\ &xPosition&,\ &zPosition&=&XPosition At&, &zPosition& -Diff\ left/right=The difference left and right -CraftPresence\ -\ Select\ a\ Dimension=Craft Presence - Izaberite value -Firework\ twinkles=Fireworks light flashing -\u00A77\u00A7o"Attendee's\ cape\ of\ MINECON\ 2015."\u00A7r=\u00A77\u00A7o"Armenia meeting Minecon 2015".\u00A7r -Green\ Berry\ Cake=Green Cake Black Currant -Nether\ Axe=Axe -Cut\ Soul\ Sandstone=Cut To Fall In The Sand -Endermite=In endermit -Burp=Hiccup -Chunk\ Grid=Piece of net -Movement\ Speed\ Factor=Speed Factor -Hydropower=The force of the water -Remaining\ time\:\ %s=The rest of the time\: %s -Player\ dings=The player a break -Basalt\ Cobblestone\ Step=Travel Of The Individual Steps -Pickle\ Brine=The sea -Marble\ Brick\ Slab=Marble, Bricks, Tiles, Tiles -Honey=Almost -Durability\ Factor=Atport Coefficient On -Spaghetti\ Bolognese=Spageti Bolognese -Extremely\ low=Ultra-down -Select\ a\ team\ to\ teleport\ to=The team is on the way in, is to be preferred -Netherite\ Scrap=Down-Tone -Potted\ Dark\ Japanese\ Maple\ Sapling=To Say A Can Of Meat In A Dark Japanese Maple -Looting\ Multiplier=\u0539\u0561\u056C\u0561\u0576 Multiplier -Sort\ At\ Cursor=Kind Of In The Position Of The Mouse Cursor -Loot\ Table\ Info\ Type=The Table Is Corrupted, Then The Data Type Of -Grants\ Haste\ Effect=Gives The Effect Of Haste -Stellum\ Dust=Stellum In Rights -Fade\ out\ time=Forgotten out -Ender\ Boots=Ender Shoes -Void=White -Automatically\ craft\ recipes\ given\ power\ and\ resources=The self-Crafting recipes you are given the powers and resources of the -Galaxium\ Pickaxe=Diket Galaxium -Mine\ blocks\ diagonally=My blocks on the diagonal -Emerald\ Upgrade=Emerald Update -Prismarine\ Chimney=Prismarine Fireplace -Forge=On the dark side -A\ Boolean=Logical -Iron\ to\ Gold\ upgrade=Iron to Gold upgrade -Orange\ Cross=Orange Croix -Light\ Blue\ Pale\ Dexter=Light Sina Bled Dexter -Donkey\ Spawn\ Egg=Donkey, Egg, Eggs -A\ handy\ place\ for\ everyday\ items=Convenient location igap\u00E4evakaubad -Warped\ Warty\ Blackstone\ Brick\ Slab=Misshapen And Warty Blackstone Brick-Card, -Rubber\ Slab=Gumijas Disks -Brain\ Coral=Brain Coral -Regeneration=Regeneration -Removed\ %s\ from\ any\ team=Remove the %s the whole team -Better\ PVP\ Settings=The best PVP setup -Apply\ Changes=Apply The Changes To -Smoker=Smokers -Empty\ or\ Non-Convertable\ Property\ Detected\ ("%1$s"),\ setting\ property\ as\ default...=Empty or non-transferable property rights (the"%1$sis considered to be an advantage, as well as the default settings... -Diamond\ Paxel=Diamond Paxel -Gave\ %s\ experience\ levels\ to\ %s=You %s level of experience %s -Message\ to\ use\ for\ the\ &coords&\ Argument\ for\ the\ &playerinfo&\ Placeholder\ in\ Server\ Settings\\n\ Available\ Placeholders\:\\n\ -\ &xPosition&\ \=\ Your\ Current\ In-Game\ X\ Position\\n\ -\ &zPosition&\ \=\ Your\ Current\ In-Game\ Z\ Position=The message, please use &coords& Argument &playerinfo& generators for Server Configuration\\n \\ n to Be an alternative to\:\\n \\ n &xPosition& \= as the Current State X)\\n \\ n &zPosition& \= the Current State Z of the Game -Black\ Creeper\ Charge=Nero CREEPER Gratis -Deuterium=Most of the deuterium -\u00A77Horizontal\ Speed\:\ \u00A7a%s=\u00A77The Horizontal Speed\: \u00A7a%s -Stellum\ Plates=Tiles Stellum -Golden\ Hoe=Zlato Hoe -Silk\ Touch=Press Silk -Nothing\ changed.\ The\ world\ border\ warning\ is\ already\ that\ distance=It made no difference. The council, in the limit, a warning message is displayed that the distance between the -Skipping\ Stone=Spring Stone -Blue\ Sofa=Blue Sofa -Activated\ Amaranth\ Pearl=The Active Amaranth Necklace -Titanium\ Ingot=Titanium Ingot -Always\ Disp.\ WP\ Dist.=To DEP each year is shown. The distribution of WordPress. -Yellow\ Per\ Bend\ Sinister\ Inverted=Yellow Bend Sinister Back -Open\ to\ LAN=NETWORK -Basalt\ Basin=Sink Basalt -Lava\ Brick\ Wall=Lava Rock -Working\ Station=Place Of Work -Potion\ of\ Weakness=Drink Weakness -Craft\ a\ Redstone\ Toaster.=Le Bateau, Redstone, Grille-Pain. -Orange\ Asphalt\ Slab=Orange Asphalt Floor -Crossbow\ charges\ up=The crossbow is loaded -Bow=Arch -Mining\ Level=The Analysis Of The Level Of -Failed\ to\ link\ cats;\ cannot\ recursively\ link\ them\!=Can the cats be able to connect? for those with access to the internet may not be retroactive. -Lush\ Swamp=Lush Swamp -Fox\ teleports=Fox sign up to the rays of the -Damage\ Dealt=\u054E\u0576\u0561\u057D Damage -Potted\ Huge\ Brown\ Mushroom=Surrounded By A Large, Mushroom-Brown -Potted\ Blue\ Bellflower=Potted Plants, Morning Glory Blue -Iron\ Ore=Iron ore -Magenta\ Bordure=Magenta Fronti\u00E8re -Brown\ Banner=Bruin Banner -Space\ Slime=Sphere Slime -Now\ We're\ Alloying=Now We Can Stop -Rainbow\ Brick\ Stairs=The Rainbow-Wall And To The Steps Of The -Chorus\ Block=Chorus Unit -%1$s\ was\ squashed\ by\ a\ falling\ block\ whilst\ fighting\ %2$s=%1$s he was in despair, the entry into the fight %2$s -Magenta\ Concrete\ Camo\ Trapdoor=Shino, Concrete, Maskina, Luke -Synthesis\ Table=This Synthesis Table -Couldn't\ grant\ criterion\ '%s'\ of\ advancement\ %s\ to\ %s\ as\ they\ already\ have\ it=Is not a criterion"%s"with the arrival of %s a %s as it is already there -Weather=Time -Orange\ Base\ Dexter\ Canton=Oranges The Base Dexter Canton -[%s]\ %s=[%s] %s -Light\ Gray\ Sofa=Outdoor-Gray-Sofa -Revoked\ %s\ advancements\ from\ %s\ players=Downloaded from %s d' %s player -Soul\ Torch\ Lever=Lighter Soul Controller -Aligned=Rediger -Vex\ Wing=Vex Krilo -Linked\ Storage=Associated Storage -Sulfur\ Quartz\ Ore=Sulfur From The Ore, Which Is Quartz -Obsidian\ Chest=Obsidian Kr\u016Bts -Expires\ in\ %s\ days=This is the stuff %s days ago -An\ error\ occurred\!=An error has occurred\! -Hardcore\ Mode\!=Modo Hardcore\! -MV\ Transformer=MV-transformer -Shulker\ closes=Shulker is closed -Renewed\ automatically\ in=This often means that the -TIER\ %s=LEVEL %s -Toggle\ show=To switch between students -Redstone\ Dust=Redstone Dust -Unknown\ attribute=Unknown attribute -Anti-Aliasing=Anti-Aliasing -Brick\ Furnace=Oven -Granite\ Camo\ Trapdoor=Lukas Camouflage Granit -Spawning=Friction -Drowned\ gurgles=Drowning gurgles -Phantom\ Wing=Fantasque Krilo -Fade\ Duration\:=Terminas Stealth\: -Magma\ Brick\ Slab=The Magma Tiles, Slabs -Brain\ Coral\ Fan=Truri Koral Varg -Client\ ID=The customer ID -Arrow\ of\ Leaping=The arrows on the field -Unknown\ selector\ type\ '%s'=Unknown type selector '%s' -Shulker\ Shell=Shulker Download -Bridge\ Built\!=The Bridge Was Built\! -Gray\ Elevator=Siva-Dvigalo -Cobblestone\ Ghost\ Block=A Long Time The Spirit Of The Group -Volcanic\ Cobblestone\ Stairs=The Black Volcanic Gravel On The Stairs -Ghast\ shoots=In the Gast shot -Added\ tag\ '%s'\ to\ %s\ entities=If you want to add the tag"%s"that %s device -Armorer=Armorer -Modified\ Jungle\ Edge=Changes At The Edge Of The Jungle -Toasting=Porter -Crate\ of\ Nether\ Wart=Polje-Vm-Box -Red\ Chief\ Dexter\ Canton=From The Corner, Red-Dexter -Potted\ Rubber\ Sapling=The Bank Of Trees The Rubber Tree -Ink\ Sac=Contribution Bag -Gray\ Redstone\ Lamp=Grey Lamp Redstone -Power=Power -Entity\ Amount=Unit Number -Pink\ Shield=The Shield Of The Rose -\u00A77\u00A7o"Drullkus\ owns\ this\ cape.\ And\ Chisel\ Mod\ too."\u00A7r=\u00A77\u00A7o"Drullkus in the head. And also the chisel mod.\u00A7r -Randomly\ teleports\ the\ user\ upon\ receiving\ damage=- Randomly teleports the user after receiving damage -When\ curosr\ is\ pointing\ container,\ "Move\ All"\ hotkey\ move\ from\ container\ to\ player.\ Otherwise\ it\ will\ always\ move\ from\ player\ to\ container.=When the curosr points on the board, "try to remember" keys to move a container to the player. If you do not, you will always have to move the basketball players. -Attack/Destroy=To Attack And Destroy -%1$s\ was\ killed\ by\ %2$s=%1$s he died at the hands of the %2$s -Helium=Helium -Pause\ on\ lost\ focus\:\ disabled=During the break, harm, attention\: closed -Golem\ Soul=If the Golem is the soul of the -Coordinates\ have\ been=Coordinates were -Lit\ Redstone\ Lamp=Lit Redstone Lamp -Stripped\ Rubber\ Log=If You Want To Remove The Rubber In The Log -Mouse\ Settings=Mouse Settings -F3\ +\ N\ \=\ Cycle\ previous\ gamemode\ <->\ spectator=F3 + N \= av forrige Syklus) < - > vis -Prismarine\ Shard=Prismarit Not Shine -Who's\ the\ Pillager\ Now?=Dat looter? -Stellum\ Gear=Stellum Equipment -Kill\ one\ of\ every\ hostile\ monster=To kill every monster is hostile -Delete\ World/Server=You Have To Take Off The World Of Servers. -Umbral\ Fence=To The Limit Of About -Disable\ raids=Newsmore raid -Map\ drawn=Drawn on the map -Ghast\ dies=Ghast sureb -Horse\ gallops=Horse, gallop -Language\ ID=The ID of the language -Univite\ Plates=Univi Tile -River\ Size=On The River The Size Of The -Unfocused\ Height=The Value Of Blur -Fluid\ Extractor=Fluid Extractor -Ctrl/Alt/Shift=Ctrl/Alt/Shift -Stripped\ Jungle\ Wood=Disadvantaged People, In A Tree In The Jungle -Block\ of\ Red\ Garnet=Points Red Garnet -Llama\ steps=Llama stay -Orange\ Dye=The Bright Orange Color -How\ rare\ are\ Nether\ Brick\ Outposts\ in\ Nether\ biomes.=Then, how rare it is, Nether Brick Positions Down in his eyes. -Block\ of\ Invar=Blok Invar -Hammer\ of\ the\ Trader=Went to the shop -Changes\ how\ often\ wells\ attempt\ to\ spawn\ per\ chunk.=Often as caviar, fine, but try changing. -Obtain\ Ancient\ Debris=Old Garbage -Magenta\ Glazed\ Terracotta=The Purple Tiles, And The Windows Of The -Sea\ Level=At Sea Level, -Flint\ Dust=Flint Dust -A\ machine\ which\ consumes\ $(thing)energy$()\ to\ electrolyze\ $(thing)fluids$()\ into\ useful\ materials.=The car, which is less $(what is a form of energy$() of the cell $(thing)liquid$() on the usefulness of the material. -Revoked\ %s\ advancements\ from\ %s=Withdrawal %s Progress %s -A-Rank\ Materia=Place The Material -Light\ Blue\ Cross=Light Blue Cross -Villages\ Configs=Peoples Settings -Allows\ you\ to\ have\ a\ clearer\ view\ underneath\ lava=That bench beneath provides the best picture -Slow\ Falling=Slowly Falling -Lapotronic\ Orbpack=Lapotronic Orbpack -Hitboxes\:\ hidden=Hitboxes\: peidetud -Light\ Gray\ Chevron=Ljusgr\u00E5 Chevron -Red\ Asphalt=Red Asphalt -Backspace=Cut -Galaxium\ can\ be\ used\ to\ create\ extremely\ resistant\ tooling\ and\ exquisite\ technology.=Galaxy can be used to create highly resistant to the measures, as well as with the technology. -Ruby\ Leggings=Leggings Em Ruby -Andisol\ Podzol=Podzol Andisol -Modified\ entity\ data\ of\ %s=There will be changes in the nature of the information %s -Bane\ of\ Arthropods=Arachnid nightmare -Book\ Editor=The Map Editor -Press\ "F"\ to\ flip\ or\ unflip\ a\ selected\ interface.=Click on the "F" or any other of the interface has been re-elected to the translation of the unflip. -Gravel\ Camo\ Door=Circle, Door, Cable -Collect\:\ Endorium\ Ingot=Pick-Up\: Endorium The Leen Under Nalaganje -Fermenting\ Milk=The Fermentation Of The Raw Milk. -Neptune=Neptune -Wakanda\ Forever=The Wakanda, And To All. -Univite\ Chestplate=Univin In The Jumpsuit And Obleka -Yellow\ Stained\ Glass\ Pane=Yellow Stained Glass -White\ Oak\ Door=White Oak Doors -Flying\ speed=Flyvning hastighed -Cyan\ Bend=Blue Bend -Add\ RS\ villages\ to\ modded\ biomes\ of\ same\ categories/type.=In order to add Germany to the village biomes mod from the same category/type. -Show\ Move\ All\ Button=To Show The Movement Of All The Buttons -Sandwich\ Table=Sandwich Table -Beetroot\ Crate=Beet-Red, And In The Case Of -Add\ Jungle\ Fortress\ to\ modded\ jungle\ biomes.=Add jungle, fortress, eco mode jungle. -Better\ Sprint=This is the best sprint -Lead\ Nugget=F\u00F8re Nugget -Adamantium\ Block=Rust-Block -Rubber\ Wood=Rubber, Wood -Set\ the\ world\ spawn\ point\ to\ %s,\ %s,\ %s=At the end of the world, the essence of the renaissance %s, %s, %s -Modified\ block\ data\ of\ %s,\ %s,\ %s=The changes of data in a single %s, %s, %s -Purple\ Panther=Pantera Mov -Lit\ Magenta\ Redstone\ Lamp=Violet Redstone Lampa Se Aprinde -Postmortal=Death -Obsidian\ Brick\ Stairs=On A Scale Of Cooked -Nothing\ changed.\ That's\ already\ the\ color\ of\ this\ bossbar=It made no difference. It's not the color bossb\u00F3l -Minimum=At least -Bee=Bee -Black\ Bordure\ Indented=Black Shelf With Indent -Purple\ Concrete\ Powder=Purple Cement Dust -Blast\ Furnace\ Slab=The Blast Furnace Is Bad -Tipped\ Arrow=The Tip Of The Arrow -Scrap=Remains -Determines\ whether\ the\ in-game\ viewer\ or\ the\ system's\ default\ text\ editor\ will\ be\ used\ to\ viewer\ notes.=In order to determine whether the game is web browser or text editor system default for viewing records. -Showing\ new\ actionbar\ title\ for\ %s\ players=The new actionbar to display the title of the %s the players -Gray\ Flower\ Charge=Gray Motherboard -Health\ Notification=Health -Polished\ Blackstone\ Bricks\ Camo\ Door=Polished Common Bricks, Black To The Door -Piston=Parsani -Black\ Thing=Black Back -Second=Second -The\ multiplier\ used\ for\ smooth\ transitions.=The multiplier, the anvendes for at smooth over swing. -Sneaky\ Details=Ignoble Details -Arrow\ Scale=The Arrow On The Weight -Yellow\ Saltire=D'Un Color Groc Saltire -Mayonnaise\ Bottle=The Mayonnaise Bottle -"Sine"\ applies\ the\ transition\ with\ a\ sine\ function.=In the " I " of the sine function for transition to use. -Stripped\ Crimson\ Hyphae=Striped Red Mycelium -Vacuum\ Hopper=Tom Hopper -Yellow\ Gradient=Yellow Gradient -Block\ of\ Brass=Block To Your Baker -Make\ Backup=If You Want To Create A Backup Copy Of The -Force\ game\ mode=Way to play the strength -Frame=The framework -Rubber\ Planks=Rubber Strap -Granite\ Platform=Platform Of Granite -Singleplayer=Singleplayer -Couldn't\ revoke\ %s\ advancements\ from\ %s\ players\ as\ they\ don't\ have\ them=Do not be in a position to get to the bottom %s advances in the field of %s for the players, why not -Red\ Concrete=Red Concrete -Corn=The corn -Light\ Blue\ Saltire=A Light Blue Saltire -Core=Home -Donkey\ hurts=Pain at the bottom of the -Test\ Book\ 2=Book 2 Tests -Test\ Book\ 1=Test Paper-1 -\u00A77\u00A7o"Looks\ real\ enough\ to\ me.\u00A7r=\u00A77\u00A7o"It is not enough for me.\u00A7r -Copied\ Recipe\ Identifier=Copied The Recipe Id -Acacia\ Barrel=Acacia Barelu -Birch\ Boat=Birch Ship -Limited\ Storage\ Remote=The Restrictions On The Remote Storage -Pink\ Terracotta\ Camo\ Door=Pink Camo united states -%s\ has\ no\ scores\ to\ show=%s the assessment doesn't seem -Zoglin\ Spawn\ Egg=Do Not Play With Eggs Brought Zog -Wooden\ Spear=Sword Made Of Wood. -Polished\ Netherrack\ Stairs=Grinding Netherrack Stairs -Deal\ the\ final\ blow\ to\ a\ mob\ with\ a\ stone\ that\ has\ skipped\ 6\ or\ more\ times=To complete the crowd of the stone, which has lost 6 or more times -Bottom\ Left\ /\ Right=At The Bottom Left / Right -Bat=Letuchaya mouse -Bar=Bar -Realms\ news=In the context of the report of the -Copy=A copy of the -Villager\ Like=As A Young Boy -Value\ of\ attribute\ %s\ for\ entity\ %s\ is\ %s=Atribut vrednost %s on this subject %s it %s -Flower\ Forest=The Flowers Of The Forest -How\ often\ Mineshafts\ will\ spawn.=As is often the case, I'm going to put the eggs. -Favorite\ Entry\:=Favorite Post\: -Red\ Glazed\ Terracotta\ Pillar=Red Baked Actions -Replaces\ Mineshafts\ in\ Jungle\ biomes.=For me, the changes are not in the jungle, eco-system. -Follow\ an\ Eye\ of\ Ender=Makes The Eye Of Ends -Chain\ armor\ jingles=The current in the armature of the jingle -Nether\ Wart=Nether Vorte -Experience\ Orb=Experience In The Field -Controls\ resource\ drops\ from\ mobs,\ including\ experience\ orbs=The management has divided the audience, including the experience of top -Light\ Gray\ Per\ Pale\ Inverted=Light-Gray To Light-A Reverse Order Of -Door\ creaks=This creaking door -Use\ as\ Whitelist=Use the White list -Fiery\ Hammer=Fiery Hammer -Brick\ Chimney=Brick Chimney -(Clear\ blocks\ marked\ in\ red)=(Of course, the blocks marked in red) -Polished\ Diorite=Polished Diorite -Toggle\ Slime\ Chunks=Turn The Lumps Of Mucus -Honey\ drips=Dripping honey -Galaxium\ Crook=Galaxium Gazember -Enter\ the\ End\ Portal=Place The End Of The Portal -Manganese\ Dust=Manganese Powder -Purple\ Pale\ Sinister=Pink-Purple-Evil -TechReborn\ Category=TechReborn Category -Persistent=A lot of time -Light\ Gray\ Per\ Bend=The Light Gray Curve -Highlight\ Players\ (Spectators)=Select One Of The Players (And Spectators) -Kinetic\ red.\ coefficient=Business-red color. ratio -Red\ Sandstone\ Brick\ Stairs=Red Sand, Stone, Bricks, Stairs -Reading\ world\ data...=Reading the data in the world... -Remote\ that\ works\ from\ 512\ meters\ away.=The remote Control that works up to 512 meters away. -%s\ \u00A7aseconds\ of\ flight\ left\u00A7r=%s \u00A7aa few seconds of the flight and everything else\u00A7r -Use\ InGame\ Editor=Use The Game Editor -Green\ Flat\ Tent\ Top=If A Flat-Top Tent -Piglin\ steps=Stap Piglin -Generate=Set -Cut\ Soul\ Sandstone\ Slab=To Cut The Soul Of The Slab From The Past -Old\ Mojang\ Cape\ Wing=Old Company Mojang Accident And Drove Away -Willow\ Sign=The Brand Yves -Basalt\ Platform=On Bazaltove Plateau -Some\ entities\ might\ have\ separate\ rules=Some assets that may be separate rules -Unmarked\ chunk\ %s\ in\ %s\ for\ force\ loading=Is Marked In Units Of The %s see %s to be in charge of the force -Fir\ Platform=The Platform For The Company -HerboCraft=HerboCraft -Tripwire\ detaches=The presence of this -Center\ Height=Height From The Center Of The City -The\ target\ block\ is\ not\ a\ block\ entity=The last block, the block, in fact, -WP\ Name\ Above\ Distance=FULL name of the top of the range -Blaze\ Brick\ Stairs=Brick, And Not The Stairs -Space\ Suit\ Pants=Space Pants -Show\ trading\ station\ tooltips=The map on the trade station tips -Cyan\ Sofa=The Blue Couch -Birch\ Post=Birch Pasta -Spawner=Type -Redwood\ Wood=Redwood, Holz -Item\ search\ radius=The item in the search -Refined\ Iron\ Nugget=The Refined Bar-Iron -Slowness=Lent -You\ cannot\ trigger\ this\ objective\ yet=No, no, no, you can run this mission -Chickenburger=Burger chicken, plain -Blue\ Beveled\ Glass\ Pane=Blue Convex Glass -Load\ Flowers=Load On The Flowers -Yellow\ Glazed\ Terracotta\ Ghost\ Block=Yellow, Terracotta Glazed Ghost Unit -Changes=Changes -Blue\ Skull\ Charge=On The Blue Side -Isn't\ It\ Iron\ Pick=This Iron-Press -Hazel\ Sapling=Start -Red\ Cell\ Battery=The Red Cells In The Battery Pack -Set\ to\:\ %s=The value of the\: %s -View\ entry=Login-type -Rings\ of\ Ascension=Round Up -Burst=Burst -Blue\ Base\ Indented=Blue Base Indented -Stripped\ Pine\ Wood=Dele Pine -Butterflyfish=Butterfly -Cannot\ divide\ by\ zero=You can not divide by zero. -Credits=Credit -Empty\ Tank=En Vakuumbeholder -Nether\ Bricks\ Glass=Nether Brick, Glas -Splash\ Potion\ of\ Regeneration=The screen saver preview on google -Wither\ released=Published disappears -Sneak\ right\ click\ a\ block\ to\ link\ a\ position=Sneak-click on the block on the right refer to the position of the -Rainbow\ Eucalyptus\ Shelf=Rainbow Eukaliptas Masi -Press\ this\ key\ when\ hovering\ a\ container\ stack\nto\ open\ the\ full\ preview\ window=Press and hold the button, if the condition of the receptacle tray\nif you want to open a full window preview -Set\ the\ center\ of\ the\ world\ border\ to\ %s,\ %s=Located on the edge of the world %s, %s -Note\:\ Spawners\ in\ Portal\ Room\ will\ always\ spawn.=Note\: in The Portal, you're going to be There for the recovery. -Iron\ Plates=Steel Plate -Horse\ Jump\ Strength=At, Jump G\u00FCc -Industrial\ Solar\ Panel=Industrial Solar Panel -Reset\ all\ scores\ for\ %s\ entities=Reset all comments %s Organisation -Redwood\ Fence\ Gate=Redwood Lighting Effects And Fees -Andradite\ Dust=Andradite Polvere -Hardened\ Aquilorite\ Block=The Have Created A Blog Aquilo Browsers -Splash\ Potion\ of\ Weakness=A Splash potion of weakness -Body\ text\ is\ hidden\ unless\ sneaking=The text is hidden if only in secret -Burn\ Time\:\ %s\ ticks=Time To Burn\: %s ticks -Item\ breaks=Click on the pause -Too\ Expensive\!=It is Very Expensive\! -Replaces\ Mineshafts\ in\ Swamps\ and\ Dark\ Forests.=Replacement mines, swamps and dark forests. -No\ recipes\ could\ be\ forgotten=Some recipes may be forgotten -Command\ chain\ size\ limit=The group consists of\: chain -Note\:\ Mossy\ Stone\ Bricks\ block\ cannot\ be\ infected\ by\ Silverfish.=Note\: the age of stone, brick, and block, it can't be "infected" with the team. -Willow\ Wood\ Slab=Willow Wood Plaque -Right\ click\ to\ deselect\ an\ interface.=Right click with the mouse to write their own interface. -Cyan\ Bordure\ Indented=In Blue Plate, And Dived Into -Dungeons\ Configs=Dungeon Configs -A\ bossbar\ already\ exists\ with\ the\ ID\ '%s'=In bossbar ID already exists '%s' -An\ interface\ displaying\ info\ about\ your\ currently\ worn\ armour\ and\ item\ held\ at\ the\ time.=The interface displays information about the current armor, and this item was at the time. -Aquilorite\ Block=Aquilorite Blokk -Yellow\ Base\ Dexter\ Canton=Yellow Base Dexter Canton -Double\ Birch\ Drawer=For The Double Output Of Birch -Sign\ and\ Close=To get to the next -Yellow\ Terracotta\ Camo\ Door=Yellow Terracotta-Door Camo -Analog\ Fan=Analogni Ventilator\: Ventilator -Magma\ Block=Magma Bloc -Block\ breaking=The partnership for the breach of -Sapphire\ Pickaxe=Boots To Choose From -Pump=Pump -No\ blocks\ were\ cloned=No of blocks to be cloned -Medium-Large=Medium Size -Emits\ bright\ light=There is intense light -Orange\ Banner=The Orange Banner -Platforms\ have\ a\ thin\ platform\ part\ over\ a\ post.=The platform has a thin platform on call. -"Smooth"\ replicates\ Vanilla's\ dynamic\ FOV.="Lisa" echo of Vanilla, of them visible fields. -Pink\ Per\ Pale\ Inverted=A Start In This World -Zombie\ converts\ to\ Drowned=The Zombie converts Are -\u00A77\u00A7o"The\ vanilla\ experience\u2122."\u00A7r=\u00A77\u00A7o"Vanilla Impression\u2122".\u00A7r -Go\ Back=Again -Potted\ Agave=As Flores Dos Cactos -There\ doesn't\ seem\ to\ be\ anything\ here...=There seems to be nothing can be... -Silver\ Nugget=Silver Nugget. -Pink\ Concrete\ Powder=The Rose In The Concrete, The Dust -Ring\ of\ Water\ Walking=A Ring Of Water Walking -Cheats=Triki -Plant\ a\ seed\ and\ watch\ it\ grow=To see plant a seed and it will grow -Outdated\ client\!\ Please\ use\ %s=The date for the client\! Please do not use it %s -Cyan\ Asphalt\ Slab=Aqua, Asfalt, Flis -Kicked\ for\ spamming=Sparket for spamming -Bamboo\ Fence=Bambu Aita -Unable\ To\ Perform\ Operation\ While\ Mod\ Updates\ Are\ Loading=Cannot Perform Operation While in The ministry of defence in Charge of the Updates -Silver\ Ingot=Silver Bar -Enlarge\ Minimap=To Increase The Interaction With The Objects -\u00A74false=\u00A74wrong -Quartz\ Ore=Quartz Mineralnih -Rabbit=Kani -Cutting=Much -Potted\ Tall\ Yellow\ Ranunculus=In The Bowl With A Long, Yellow, Buttercup -Umbral\ Stem=The Shadow On The House -Purpur\ Lines=The Purple Line -Metite\ Hoe=Metite Header -Fire\ extinguishes=Put on the fire -Update\ account=For that you need to increase your score -Pink\ Inverted\ Chevron=The Pink Chevron Inverted -Portal\ noise\ intensifies=The portal-to-noise amplified -Gray\ Chevron=Szary Chevron -\u00A77Cheating\ Disabled=\u00A77To Deceive Is Prohibited -Invalid\ entity\ anchor\ position\ %s=An invalid Object, which Connects positions %s -Mossy\ Volcanic\ Cobblestone\ Stairs=\u0417\u0430\u043C\u0448\u0435\u043B\u044B\u0435 Volcano On Earth, In The Stone Of The Stairs -Are\ you\ sure\ you\ would\ like\ to\ MULTIPLY\ all\ sub-world\ coordinates\ by\ 8?=Are you sure that you want to multiply all the under-world coordinates of the 8? -Salty\ Sand\ Generation=Salt, Sand From Generation -Are\ you\ sure\ you\ want\ to\ quit?=Are you sure to want to stop you? -%s\ has\ %s\ scores\:=%s it is %s results\: -Fire\ extinguished=Put on the fire, -Scorched\ Slab=They Are Made Plaque -Vibranium\ Helmet=Vibranium, Which -The\ exquisite\ materials\ that\ one\ channels\ for\ power.=Special measures for the strength of the city. -Used\:\ =It is used for\: -Yellow\ Dye=Yellow -Reversed\ Sort\ Order=In Reverse Order -Trader\ Llama=The Dealer In The Mud -Lime\ Topped\ Tent\ Pole=In The Upper Part Of The Tent Pole Lima -Place\ a\ recycler\ down=In a cycler -Display\ Players=Show Players -Potted\ Green\ Calla\ Lily=Qazan Green Cove -Must\ be\ converted\!=Need to translate\! -%s\ Shelf=%s Tid -Shift\ +\ Right-Click\ afterwards\ to\ select\ as\ child;=Press the shift key + the right mouse button, and select it as a child. -Redwood\ Forest=V Redwood Lesa -A\ theorized\ origin\ and\ limited\ existence\ means\ immense\ difficulty\ in\ being\ obtained;\ with\ no\ way\ but\ theft\ available\ to\ small\ civilizations.=One theory of its origin, and to a limited existence, it will mean great hardship, in any case, however, the gain available to the small-scale, in the united kingdom. -Unknown\ origin...=I don't know... -CraftPresence\ -\ Select\ a\ Gui=CraftPresence - click graphical interface -Willow\ Drawer=A Box Of Willow -Lime\ Per\ Pale=Pale Lime -Add\ Nether\ Basalt\ Temples\ to\ modded\ Nether\ Basalt\ biomes.=Bring down the house, are environmentally resistant, easy kind of the bottom of the \u0431\u0438\u043E\u043C\u043E\u0432 environment-resistant basalt. -Edit=Edit -\u00A77\u00A7o"December\ 10,\ 2010\ -\ October\ 7,\ 2015."\u00A7r=\u00A77\u00A7oDecember 10, 2010 7. October 2015. For about a year."\u00A7r -Advancements=Progress -Arrow\ of\ Night\ Vision=With night vision -Lilac=Purple -Evoker\ Spawn\ Egg=Simvol\u00ED Spawn Egg -Magenta\ Begonia=Black, White, Red, Begonia -Mouse\ Wheelie=Ldcs at kanta -Blue\ Berry\ Bush=Blue Berry Bush -Yellow\ Redstone\ Lamp=Rumena Lu\u010Dka Redstone -Use\ your\ mouse\ to\ turn=Use the arrow keys to rotate the -Stone\ SuperAxe=Akmens-SuperAxe -Lingering\ Potion\ of\ Luck=Time to cook it, good luck -Render\ compass\ letters\ (N,\ E,\ S,\ W)\ over\ the\ on-map\ waypoints.=VI compass words (N, E, S, W) on MAPI car. -An\ interface\ displaying\ currently\ active\ potion\ effects.=The user interface displays active potion effects. -Brick=The brick -Magenta\ Terracotta\ Glass=Hindb\u00E6r Is -Ash=Even -Unable\ to\ load\ worlds=You can't load the world -7.62x51mm\ NATO=7.62x51mm NATO -\u00A77\u00A7o"Did\ this\ white\ chicken\ just\u00A7r=\u00A77\u00A7o"On valge chick ainult\u00A7r -Depth\ Base\ Size=The Depth Of The Base Size -Allow\ destructive\ mob\ actions=Allow \u0434\u0435\u0441\u0442\u0440\u0443\u043A\u0442\u0438\u0432\u043D\u044B\u0435 the actions of the crowd -Impulse=To make this -Statistic=Statistics -Birch\ Log=Berezovy Log -Potion\ Effect\ Names=The Effect Of This Potion -Purpur\ Pillar=Post-Black -End\ minigame=At the end of the game -Sphalerite\ Ore=Sphalerite Hours -Unlimit\ Title\ Screen\ FPS\:=No limit on the screen name of the FPS\: -Water=Your -Magenta\ Per\ Pale\ Inverted=A Light Red With Reverse -A\ Button-Like\ Enum=Button Type Enum -Nothing\ changed.\ That\ team\ is\ already\ empty=And nothing has changed. In this command, it is empty -World\ border\ cannot\ be\ smaller\ than\ 1\ block\ wide=Outside world, it cannot be less than 1 unit of width -Corn\ Block=Corn-Blok -Blackstone\ Camo\ Door=Blackstone Camo \u0412\u0440\u0430\u0442\u0438 -Strip\ Translation\ Colors=Straps For The Translation Of Colored -Drop\ mob\ loot=Efter\u00E5ret mob loot -Show\ Sort\ In\ Rows\ Button=On Stage In The Show Rows Button -Willow\ Kitchen\ Counter=In Fact, The Counter In The Kitchen -Nether\ Bricks\ Camo\ Trapdoor=Nether Brick D Luke -Open\ Backups\ Folder=Open The Folder That Contains The Backup -Times\ Crafted=Most Of The Times, Created The -Panda\ Spawn\ Egg=The Panda Lay Eggs, The Eggs -Pause=Dec -Red\ Nether\ Brick\ Stairs=Red Nether Brick, Wooden Stairs -Coal=Anglies -Sulfur\ Ore=Squfurit That Metali -Nautilus\ Shell=The Nautilus Shell -Brown\ Tent\ Side=Brown Tent Sites -A\ small\ step\ with\ a\ post\ under\ it=In one position, a small step, on the basis of -Splash\ Potion\ of\ Slow\ Falling=Spray Beverages, Which Is Gradually -Remove\ Java\ Edition\ Badge\:=Delete The Icon Of Java In The Following\: -Adabranium=Adabranium -Purpur\ Guardian=Purpura Sargs -Lime\ Redstone\ Lamp=Kalk Redstone Lamp -Dirt=Blato -Minimap=Mini -Minimal=Minimum -Up\ Arrow=Up Arrow -Import\ Settings=To Import The Settings -\u00A77\u00A7o"Good\ for\ really\ long\ flights."\u00A7r=\u00A77\u00A7o"Well, indeed, for long-haul flights."\u00A7r -Cyan\ Asphalt\ Stairs=Blue Asphalt Stairs -Standard\ Booster=Amplifier -Potted\ Pink\ Tulip=The Flowers Of Pink Tulips -Terracotta\ Ghost\ Block=Tile Spirit-The Block -Re-Create=Again -Small\ Pile\ of\ Endstone\ Dust=A Small Amount Of Dust Covered -Cracked\ End\ Bricks=The Cracks At The End Of The Brick -Stone\ Brick\ Post=Stone, Brick Mail -Dunes=The dunes -A\ machine\ used\ to\ extract\ salt\ from\ beach\ and\ ocean\ water.\ Is\ fueled\ by\ redstone\ dust\ as\ an\ item,\ unlike\ the\ Redstone\ Toaster,\ and\ can\ be\ waterlogged\ to\ fill\ its\ tank.\ Will\ produce\ salt\ if\ it\ is\ in\ a\ salty\ biome.=Machine to use the salt, the beach and the sea water. The cause of Redstone dust, as the element, in contrast with Redstone cutlery, and can \u043F\u0435\u0440\u0435\u0443\u0432\u043B\u0430\u0436\u043D\u0435\u043D\u043D\u043E\u0439, to fill the container. Will produce the salt, if it is a marine biome. -White\ Concrete\ Ghost\ Block=The White Concrete Of The Spirit Of The Block +F14=\u042414 +F13=A few years is protected +F16=F16 +F15=F15 +F18=F18 +A\ task\ where\ the\ player\ has\ to\ reach\ one\ or\ more\ locations.=A task where the player has to reach one or more locations. +F17=F17 +F19=F19 +Cherry\ Oak\ Wood=Cherry Oak Wood +Iron\ to\ Diamond\ upgrade=Iron to Diamond upgrade +Blaze\ shoots=Flame blast Unknown\ option\ '%s'=Unknown version '%s' -Small\ Pile\ of\ Sphalerite\ Dust=A small pile of Dust sphalerite -Add\ Nether\ Wasteland\ Temples\ to\ modded\ Nether=However, He added that at the Bottom of the desert, the temple has changed in the lower part -Pink\ Shulker\ Box=Rosa Navn Shulk Esken -Fancy\ graphics\ balances\ performance\ and\ quality\ for\ the\ majority\ of\ machines.\nWeather,\ clouds\ and\ particles\ may\ not\ appear\ behind\ translucent\ blocks\ or\ water.=Beautiful graphics, balance, performance, and quality, for the most part of the experiment.\nAt that time, the clouds and the particles may not be clear in the blocks or in the water. -Place\ down\ an\ interdimensional\ SU=Instead of a one-dimensional, I -Entangled\ Chest=If Breast Cancer -%s\ energy=%s effect -1\ for\ spawning\ in\ every\ chunk\ and\ 10000\ for\ no\ wells.=1 spawning, all parts in 10,000 it is not. -Gray\ Base\ Gradient=Gray Gradient In The Database -This\ Boat\ Has\ Legs=This Is The Boat, The Feet Of The -Light\ Gray\ Thing=Light Gray Fabric -Level\ requirement\:\ %s=The level of expenditure for the following\: %s -Riptide=Desert -Polished\ Netherrack\ Slab=Slipning Netherrack Plattan -Creeper\ Wall\ Head=The Creeper Against A Wall In My Head -Shown=Shows -Leather\ Pants=Leather Pants -Select\ Map=Select Map -Light\ Gray\ Redstone\ Lamp=Lys Gr\u00E5 Lampe Redstone -An\ entity\ is\ required\ to\ run\ this\ command\ here=The essence of what you need to run this command -Dead\ Grass=Dead Grass -Yellow\ Flower\ Charge=Yellow Flower, And Expenses -Warning\!=Warning\! -Polished\ Andesite\ Slab=Slab Andesite Pul\u0113ta -Changes\ Not\ Saved=The Changes Will Not Be Saved -Showing\ smeltable=Mostra smeltable -Black\ Table\ Lamp=Black Table Lamp -Stone\ Bricks\ Ghost\ Block=A Stone Brick Ghost Block -Teleportation=Teleportation -Previous\ Output=Before The Start Of The -Crop\ Progress=Progress Of The Crop -Light\ Overlay=Easy Deployment -All=All -\u00A77Sprint\ Modifier\:\ \u00A7a%s=\u00A77Sprint Modifier\: \u00A7a%s -Drag\ scroll\ acc.\ coefficient=Move the scroll or couple -Soul\ Sandstone\ Brick\ Slab=Shower, Tiles, Tile -Orange\ Berry\ Bush=Orange Fruit Bush -Berry\ Fields=The Fields Of Grain -Purple\ Lawn\ Chair=Sun loungers -Alchemical\ Journal=Alchemici Magazine -Spruce\ Wall\ Sign=Eat Wall Sign -Multiple\ Issues\!=For More Questions\! -Oops,\ it\ looks\ like\ this\ content\ category\ is\ currently\ empty.\nPlease\ check\ back\ later\ for\ new\ content,\ or\ if\ you're\ a\ creator,\n%s.=Oh, and it turns out that the content of birds of a feather, and at the present time it is empty.\nI ask you to go to, and then some new content for you, or if you are a creative person\n%s. -Health\ In\ Numbers=Health-Facts And Figures -Storage\ %s\ has\ the\ following\ contents\:\ %s=Shop %s it has the following contents\: %s -Block\ of\ Diamond=Blocks Of Diamond -Gas\ Turbine=Gas turbine -Gold\ to\ Obsidian\ upgrade=Gold metallic update -Keypad\ \==Teclat \= -Player\ activity=The actions of the player -Keypad\ 9=Keyboard 9 -Keypad\ 8=8 keyboard -Keypad\ 7=Tastatura 7 -Rubber\ Door=Rubber-Door -Keypad\ 6=Keyboard 6 -Quit\ Game=The Outcome Of The Game -Keypad\ 5=Tipkovnice, 5 -Deprecated\!=An old fashioned\! -Keypad\ 4=The keyboard 4 is -Keypad\ 3=Keyboard 3 -Keypad\ 2=The keyboard 2 to the -Keypad\ 1=The keyboard is 1 -Keypad\ 0=Key 0 -Keypad\ /=Keyboard -Velocity\ being\ constantly\ applied,=The speed of the continuously covered -Keypad\ -=Keyboard - -Nether\ Crimson\ Temple\ Spawnrate=Nether-The Purple Temple A Speed Of Spawn -Fire\ Coral\ Wall\ Fan=Gaisro Coral Fan Sienos -Keypad\ +=Keyboard + -Keypad\ *=*Keyboard -Green\ Saltire=Green Saltire -Bamboo\ Slab=The Bamboo Board -Goal\ Reached\!=This Goal Was Achieved. -Refill\ with\ same\ item\ (no\ nbt)=Pour into a single item (not your MOUTH) -Star-shaped=The stars in the form of a -Andesite\ Step=Andesite Veiksmus -Ultimate\ Solar\ Panel=The Ultimate In Solar Battery Pack -Showing\ new\ subtitle\ for\ %s\ players=Show new subtitles to %s players -Andesite\ Camo\ Trapdoor=Andesit-Camo Hatch -Reacts\ two\ chemicals\ together\ to\ form\ a\ product=The answer is that there are two chemical substances contained in products -Bricks\ and\ Smoke=Of brick, and smoke -Reload\ Plugins=Plug-In For The Restart -Jump\ into\ a\ Honey\ Block\ to\ break\ your\ fall=Jump on a fresh block to break your fall -Open\ Stack\ Preview=Open With The Help Of The Preview -item\ %s\ out\ of\ %s=the item %s in the end %s -Explosive\ Shard=Eksplozivan Brand -Lightning\ Rod=Lightning -Industrial\ Tank\ Unit=A Division Of The Industrial Group,The -Air=Air -Lime\ Flower\ Charge=La Chaux-Flowers-Last -Hide\ Waypoint\ Coords=Hide Point Coordinates -Downloading\ Resource\ Pack=T\u00F6ltse Le A Resource Pack -Inverted=On the contrary -A\ player\ with\ the\ provided\ name\ does\ not\ exist=Player with the supplied name is not -%1$s\ withered\ away=%1$s withered -Black\ Berry\ Juice=Juice Black Mulberry -Birch\ Planks=Bedoll Consells -Llama\ dies=It is lame to die -Lime\ Lily=Var, Lily Of Dolinata -Blue\ Chief=Bl\u00E5 Boss -Unable\ to\ get\ Discord\ Assets,\ Things\ may\ not\ work\ well.=I'm not able to run it, it says that all things may not work well. -Previous\ Page\:=Previous\: -Shrub\ Generation=Generatie Outlet -"Toggle"\ has\ the\ zoom\ key\ toggle\ the\ zoom.="Switch" switch to zoom in and zoom out. -Key\ bindings\:=A combination of both. -(Level\ %s/%s)=(Level %s/%s) -Camo\ Paste=Camo Inserir -Local\ game\ hosted\ on\ port\ %s=Part of the game took place in the port %s -Simple\ void\ world=Just an empty world -Chain\ Plate=Chain Plate -\u00A79Use\ to\ get\ a\ random\ wing\u00A7r=\u00A79Use a random wing \u00A7r -Enter\ a\ Bastion\ Remnant=To Leave The Fort, And The Remains Of The -Golden\ Apple\ Crate=The Golden Apple In The Box -Japanese\ Maple\ Wood=The Tree-Of-Maple-Wood - -Jungle\ Fence\ Gate=The Jungle Around The Port -Can\ be\ upgraded\ with\ powered\ lamps\nCheck\ multiblock\ hologram\ for\ details=Can be updated and used to power the lamps\nExplore the multiblock more information -Smooth\ Soul\ Sandstone=A Good Hearted Floors -at\ most\ %s=in %s -REI\ Reload\ Thread\:=Ray firul din nou\: -Documentation\ for\ everyone=All documents -The\ network\ is\ not\ in\ any\ valid\ dimensions.\ Maybe\ check\ your\ mods.=The network is not the correct size. Maybe mod browse. -Old\ Obsidian\ Chest=Oude Obsidian Borst -Cyan\ Elevator=Blue (Blue), Elevator -playing\ future\ updates\ as\ OpenGL\ 2.0\ will\ be\ required\!=to play, future updates, Issues with the 2.0 have to be\! -Wolf\ dies=The wolf dies -Rainbow\ Eucalyptus\ Table=Eucalyptus Tree, Rainbow Tables -Piston\ Head=Head Cylinder -Machine\ Frame=The Frame To The Car -Raw\ Cod=Raaka-Cod -A\ campfire-cooked\ food\ item,\ obtained\ by\ cooking\ Tomato\ Slices.\ Can\ be\ eaten\ faster.=The camp-fire, the cooking of the food item by cooking it with Sliced Tomatoes. You can enjoy it faster. -Save\ your\ changes\ by\ clicking\ the\ "Confirm"\ button.=Save your changes by clicking on the "Confirm"button. -Couldn't\ grant\ criterion\ '%s'\ of\ advancement\ %s\ to\ %s\ players\ as\ they\ already\ have\ it=You can grant'%spromotion %s the %s players who have already -Zoom\ In\ (alternative)=Zoom in and (alternative) -Small\ Dusts=A Little Dust -Reloaded\ the\ whitelist=To be added to the list of rights -Display\ player\ heads\ instead\ of\ coloured\ dots\ even\ if\ the\ TAB\ key\ is\ not\ pressed.=On the screen, in the mind of the player instead of the colored dots, and even if you press the Tab key. -Invalid\ swizzle,\ expected\ combination\ of\ 'x',\ 'y'\ and\ 'z'=Void presents, it is assumed that the mixture of "x", " y " and "z" -Belt\ Swap=Area Remove -Tungsten\ Ore=Tungsten Ore -Light\ Gray\ Flower\ Charge=Light Grey Flower Cargo -Andesite\ Brick\ Slab=Andesite Tiili Uunit -Stone\ Stairs=Stone Stairs -There\ are\ no\ tags\ on\ the\ %s\ entities=Not on the label\: %s organizations -Saving\ chunks=Shranite deli -Potion\ of\ Swiftness=Potion of speed -How\ rare\ are\ Birch\ Villages\ in\ Birch\ biomes.=As rare as it is, the Maple, the birch, and rural biomes. -Black\ Topped\ Tent\ Pole=- Black, And Crowned With A Tent-Pole -Your\ trial\ has\ ended=The completion of the -Lead\ Plate=Disk -Max\ mined\ blocks=Max extrair blocos -Cotton=Cotton -Cinnabar\ Ore=\u017Divosrebrove Rude -Potted\ Orange\ Calla\ Lily=Pussitettu Oranssi Calla Lily -Red\ Sandstone\ Post=The Stone Of The Red Sands Of The Post -Fluid\ Replicator=Fluid Replicator -Cracked\ Stone\ Bricks\ Camo\ Door=Crack, Stone, Brick, Block Work For The Tv -Magenta\ Thing=The Magenta Thing -Droppers\ Searched=Needle Search -Biome\ Depth\ Weight=Biome Gylis Svoris -Red\ Mushroom=Red Mushroom -Sand\ Ghost\ Block=In The True Spirit Of Rock -Quartz\ Pillar=Quartz Samba -Creative\ Solar\ Panel=How To Make A Solar Panel -Red\ Sandstone=The Red Stone -Merging\ started,\ now\ click\ the\ other\ chest.=The merger started, Just click on the second breast. -Dark\ Ethereal\ Glass=In The Dark The Bad -Hold\ down\ %s=Keep %s -Fangs\ snap=Canines snap-in -Structure\ loaded\ from\ '%s'=The structure is loaded.'%s' -Higher\ friction\ values\ decrease\ velocity\ interpolation.=The greatest value of the frictional force reduces the speed of interpolation. -Cypress\ Leaves=The Leaves Of The Cypress Tree -Stone\ Hammer=A Rock Hammer -%1$s\ was\ stung\ to\ death\ by\ %2$s=%1$s it is evil to death on the side of the %2$s -Press=The pressure is -Warning\!\ These\ settings\ are\ using\ deprecated\ features=Warning\! These options, with less potential for -Character\ Input\:=Character Introduction\: -World\ Type\:=The World, Such As\: -Lime\ Chief=Lime Male. -Redwood\ Door=Redwood Porta -Volcanic\ Rock\ Brick\ Wall=Walls Of Brick, Stone, Volcanic -Brown\ Chevron=Brown Chevron" -Yucca\ Palm\ Planks=Hell Yuka-The Palm, To The Department -Leash\ knot\ tied=Leash the -Anemone=The SAS -Debug\ Screen=The Resolution Of The Screen -Guardian\ flaps=Vartija gate -\u00A77\u00A7o"TODO"\u00A7r=\u00A77\u00A7o"That's GREAT."\u00A7r -%s\ Table=%s Table -Purple\ Tent\ Side=The Purple Side Of The Tent -Potted\ Poppy=Kitchen Utensils, It Seems -End\ Portal=Portals -Gray\ Glazed\ Terracotta\ Pillar=The Grey Column Of The Tile -Charred\ Fence=Liver Fence -Acacia\ Slab=Stora Images -Emits\ strong\ redstone\ signal=\u0420\u0435\u0434\u0441\u0442\u043E\u0443\u043D problems with a strong signal -Purpur\ Wall=Purple Wall Color -Maximum\ Spawnheight=The Maximum Spawn Height -World\ Data\ Placeholder=The Global Data -Top\ Hat=Top Hat -Cut\ Sandstone=Cut The Stone Out Of The Sand -Yellow\ Concrete\ Camo\ Trapdoor=The Concrete Cover To The Black And Yellow -Translater=Translator -Purple\ Bend\ Sinister=It's Bad -Lava\ Lakes=Lava Lake -Sandstone\ Brick\ Slab=Tiles, Tile, Brick, Plate -Falling\ Block=Blok Padec -Crimson\ Button=Dark Red Button ... -Moody=Moody ' s -Brown\ Glazed\ Terracotta\ Glass=Brown Glazed Terracotta, Glass -Explosion\ Notification=The Explosion Of Communication -A\ food\ item\ which\ is\ obtained\ by\ toasting\ a\ cooked\ food\ or\ a\ food\ item\ with\ no\ toasted\ variant.\ Although\ useless\ as\ a\ food,\ it\ can\ be\ toasted\ once\ more\ to\ obtain\ charcoal.=No problem, you get for firing on ready to cook food, or fried food option. Even if you crap the food can be hot, again, to get to the coal. -Netherite\ Helmet=Netherite Ruha -Warped\ Stairs=Warped Stairs -Crafting=To do this -Tritium=Tritium -Light\ Gray\ Concrete\ Powder=The Light-Gray Concrete Powder -Gulping=The drinking of large quantities of -Survival\ Inventory=Survival Food -%1$s\ fell\ off\ a\ ladder=%1$s he fell down the stairs -Left\ Sleeve=On The Left Sleeve -Maximum\ Row\ Size=The Maximum Row Size -Furnace\ Contents=The Contents In The Oven -Nothing\ changed.\ The\ player\ isn't\ banned=Nothing will change. The player in the ban -Opening\ Scrapboxes=\u00D6ppna Scrapboxes -Bottle\ smashes=Breaks a bottle -Quadruple\ Dark\ Oak\ Drawer=Four Wooden Dark Oak Field -Merge=Union -Thin\ cuts\ of\ a\ porkchop,\ which\ can\ be\ obtained\ by\ cutting\ a\ porkchop\ on\ a\ Cutting\ Board.=Smalks da\u013Cas seas guinea pig, what var pan\u0101kt, samazinot guinea pig grie\u0161anas d\u0113\u013Ci. -Tungsten\ Sledgehammer=More Of A Hammer -Teleport\ to\ Player=Teleporta Player -JulianClark's\ Cape\ Wing=JulianClark Rogove, Krila -Wandering\ Trader\ dies=\u0412\u044B\u0435\u0437\u0434\u043D\u043E\u0439 the seller dies -Potato=Bulba -How\ rare\ are\ Swamp\ Villages\ in\ Swamp\ biomes.=How rare in the Swamp, fell into the Swamp species of plants and animals. -Realms\ Notifications=Kogus Teated -Empty=Empty -Galena\ Ore=Galen U Mineralne -Cracked\ Granite\ Bricks=Cracked Granite, Stone -Cleric=Mentally -Allows\ passage\ while\ sneaking=At the end of the transition period, while in stealth mode. -Beetroot=Red beet -A\ Complete\ Catalogue=Full List -Mossy\ Volcanic\ Rock\ Bricks=Moss-Covered Volcanic Rock, Brick -Unselect\ All=All Just -Sweet\ Berries=Slatka Of Bobince -Light\ Blue\ Base\ Indented=Blue Light Key Blank -Colored\ Tiles\ (Black\ &\ Red)=Colors (Black And Red) -Endorium\ Shovel=Endorium Lopatu -Lingering\ Uncraftable\ Potion=Slowly, Uncraftable Drink -Cyan\ Base\ Gradient=TS\u00DCANOGEEN on Osnove Gradient -When\ equipped\ on\ a\ wolf\:=If Wolf puts it\: -Optimize\ World=Select World -Cow\ dies=It's about to die -Interval\ between\ clicks.\ In\ milliseconds.\ (To\ bypass\ some\ servers,\ 67\ ms\ is\ recommended)=The distance between the mouse clicks. This. (In order to avoid some of the servers, the 67-ms, it is not recommended.) -Add\ ocean\ themed\ dungeon\ to\ ocean\ biomes.\ Will\ spawn\ on=How to add a sea theme-dungeon biome in the ocean. Created -Customized\ worlds\ are\ no\ longer\ supported\ in\ this\ version\ of\ Minecraft.\ We\ can\ try\ to\ recreate\ it\ with\ the\ same\ seed\ and\ properties,\ but\ any\ terrain\ customizations\ will\ be\ lost.\ We're\ sorry\ for\ the\ inconvenience\!=The users of the world, they are no longer supported in this version of the famous. We will be trying to replicate the same seed and traits, but all of the topography and the changes will be lost. We are sorry for the inconvenience\! -Obsidian\ Circle\ Pavement=Obsidian Mill, Trotoar -Asteroid\ Stellum\ Ore=Ma\u0161\u010Dobe Stellum Rude -Yellow\ Berry\ Bush=Yellow Berry Bush -Creeper\ hurts=Creeper \u03BA\u03B1\u03BA\u03CC -Great\ View\ From\ Up\ Here=This Is A Very Beautiful Landscape -Custom\ Scaling=By Order Of The Built-In Zoom -Metite\ Pickaxe=Get Metite -Aquilorite\ Ore=Aquilorite Ore -Potted\ Brown\ Gladiolus=Flower Pot-Brun Gladiolus -Next=Still -\u00A76\u00A7lRequest\ Info\:\u00A7r\\n\ \u00A76\u00A7lRequester\ Username\:\ %1$s\\n\\n\ \u00A76\u00A7lUse\ /cp\ request\ \ or\ Wait\ %2$s\ Seconds\ to\ Ignore=\u00A76\u00A7lSupplement Information\:\u00A7r\\n \u00A76\u00A7lThe Name Of The Program. %1$s\\n\\n \u00A76\u00A7lApplication /ps application or do I have to wait %2$s Ignore The Second -Creative=Creative -Opening\ the\ realm...=Research... -\u00A77\u00A7o"Dip\ it\ in\ dragon\ breath,\u00A7r=\u00A77\u00A7o"Dive into dragon's Breath,\u00A7r -Crosshair=Mouse -\u00A77\u00A7oscreaming\ in\ your\ inventory."\u00A7r=\u00A77\u00A7oinventory, and help."\u00A7r -\u00A7lBackground\ Mode\ Settings=\u00A7lIn The Background, And Settings -Switch\ realm\ to\ minigame=Switch kingdom in game -Cyan\ Topped\ Tent\ Pole=The Blue Tent On The Top Of The Column -Lime\ Concrete\ Glass=Lime, Cement And Glass -Invalid\ session\ (Try\ restarting\ your\ game\ and\ the\ launcher)=It is not allowed for the session (try restarting the game and launcher) -Rose\ Quartz\ Ore=Pink Quartz Ore -Savanna=Savannah -Cleared\ selected\ projectors\!=Some of the projectors I was cleaning up. -Use\ VSync=I Use VSync -Distance\ Climbed=Ja Climbed -Brown\ Concrete\ Glass=Brown, Concrete And Glass -White\ Chief\ Dexter\ Canton=Black-And-Feel Faster -Colored\ Tiles\ (Red\ &\ White)=Color Tiles (Red And White) -Set\ %s\ experience\ points\ on\ %s=Sept %s experience points %s -Marvel\ powerful\ materials=Marvel durable material -Ring\ of\ Luck=Ring good luck -Compass=Kompas -Small\ Ball=Small Ball -Nugget=A gabona, a -Cyan\ Per\ Bend=Blue Pleated -Spruce\ Button=Button Boot -Chest\ Chance=Probably Chest -Crimson\ Kitchen\ Cupboard=Crimson Kitchen Cabinets -Redstone\ Repeater=Redstone Repeater -Potato\ Crate=Ako Krumpir -A\ vegetable\ food\ item\ that\ can\ be\ sliced\ into\ leaves.=Vegetables, foods that are cut in slices on the leaves. -Marble\ Pillar=Marmorist Sambad -Luminous\ Grove=A Light Oil -Charred\ Nether\ Brick\ Slab=Carbonized Hollow Bricks, Slabs -Plus\ 1\ Secret=In Addition, The Secret, The 1 -Increase\ energy\ tier=Increase energy -Clay\ Camo\ Trapdoor=Clay, Where's Luke -Potion\ of\ Night\ Vision=Potion night vision -Lime\ Per\ Bend\ Sinister\ Inverted=Client License In Bending The Wrong Way, That -Squid\ swims=Experience floating -High\ tier\ energy\ storage=In order to maintain a high level of energy -Start\:\ %s=The beginning. %s -Small\ Pile\ of\ Quartz\ Dust=A Small Part Of The Quartz And Dust -Dark\ Oak\ Wall\ Sign=Dark Oak Wood Sign Wall -Couldn't\ grant\ %s\ advancements\ to\ %s\ players\ as\ they\ already\ have\ them=I'm not in a position to grant %s Progress %s players who have already -%s\ -\ Deprecated=%s Outdated -Nothing\ changed.\ The\ bossbar\ is\ already\ hidden=Nothing's changed. Bossbar this, they already in ambush -Loot\ Tables=Table-Mining -Light\ Levels=The Light Levels In The -Hemlock\ Chair=The President Of The Hemlock -Potted\ Orange\ Autumnal\ Sapling=Seedlings In Autumn Orange -Black\ Base\ Gradient=Black Shades On -Horse\ neighs=Let's go -Reset\ title\ options\ for\ %s=Name-Recovery Settings %s -End\ Moss=At The End Of Flows -Operation\ time\ (Basic)=The life (main) -Export\ failed=Export failed -Hitboxes\:\ shown=Hitboxes\: false -Select\ Screen\ Type=If You Want -Polar\ Bear=Polar bear -Lapis\ Lazuli\ Block\ (Legacy)=House-Lazuli (Inheritance) -Craft\ the\ industrial\ solar\ panel=Industrial buildings with solar panels -Cooked\ Chopped\ Carrot=Cooked And Finely Slice The Carrot -White\ Tent\ Side=In The White Tents On The Side Of The -Eye\ of\ Ender=Ender's Eyes -Inventory\ Profiles\ v%s\ Config\ Menu=The list of user profiles%s A Menu, Config, -Minecon\ 2012\ Cape\ Wing=Minecon 2012 Wing City -Small\ Pile\ of\ Andesite\ Dust=A number of smaller powder andesite -Orange\ Tent\ Top=The Orange Color Of The Tent -Willow\ Fence\ Gate=Willow Fences And Gates -Weak\ attack=Slab napad -Gray=Grey -Light\ Level\:=The Level Of Illumination\: -Gluttony\ Amulet=Gluttony-This Amulet -Ender\ Plant=The Creation Of Ducks -Glass\ Wing=A Type -Arrow\ fired=The arrow was fired -Sunflower\ Plains=Solros Plains -Receiving\ damage\ no\ longer\ shakes\ your\ screen=The screen is not to shock the world -Shulker\ opens=Shulker, otvoreni -There\ are\ no\ objectives=I don't have goals -Grab=Let the fight begin -Birch\ Mineshaft=My Water -Compresses\ blocks\ and\ ingots=Remove the blocks and flowers -Acacia\ Wood=The Acacia Trees Of The -Custom\ bossbar\ %s\ is\ currently\ shown=Costum bossbar %s at the present time is displayed in -Ring=Ring -Purpur\ Pillar\ Ghost\ Block=Silver Strength -Smooth\ Smoky\ Quartz\ Slab=Stylish Smoky Quartz Tiles -Pink\ Bordure\ Indented=Pink Hole Bord -Colored\ Tiles\ (Light\ Blue\ &\ Yellow)=The Color Of The Tiles (Blue-Yellow) -Connect\ your\ inventories\ into\ the\ LAN\ party=To contact the resources on the LAN party -Crystalline\ Rose\ Quartz=Crystal Quartz Pink -A\ rare\ gem\ with\ a\ deep,\ overwhelming\ dark\ shine.\ Extraordinarily\ dense,\ this\ material\ is\ theorized\ to\ be\ obtained\ from\ large\ clusters\ at\ the\ center\ of\ galaxies.$(p)There\ are\ no\ records\ of\ such\ phenomena,\ but\ one's\ journey\ holds\ the\ keys\ to\ many\ secrets\ never\ thought\ of\ before.=A rare gem, deeply, most of it glows in the dark. Very dense, this material has a theory, which is derived from a large group in the center of the galaxy.$(p)there is no trace of these phenomena, but the journey holds the key to many secrets, that I've never thought of before. -Smoker\ Slab=The Smoker Panels -Void\ Air=Null And Void In The Air -Oak\ Button=Toets Jan -Block=Blog -Magenta\ Per\ Bend\ Inverted=Purple Per Bend Inverted -Pink\ Flat\ Tent\ Top=Rose's Apartment Is The Upper Part Of The Store -Dark\ Purple=Deep Purple -Created\ team\ %s=This group created %s -Never\ open\ links\ from\ people\ that\ you\ don't\ trust\!=I don't open links from people that you don't believe me. -Vanilla\ Recipe\ Book\:=The Vanilla Cookbook. -Lime\ Base\ Gradient=Lime Podlagi, Ki -Ignored=Will be ignored -Sakura\ Boat=Korabel Sakura -Pink\ Concrete\ Camo\ Trapdoor=In This Hat, Pink Camouflage -Debug\ Tool=Debugging Tool -Preparing\ for\ world\ creation...=The creation of the world prepares for the... -Silverfish\ Spawn\ Egg=Eggs Silver Fish Eggs -Took\ too\ long\ to\ log\ in=It took a long time to log in. -Push\ own\ team=Push your own team -Smithing\ Table=On The Adulteration Of The Table -Mooshroom=Mooshroom -End\ Stone\ Ghost\ Block=The Ends Of The Stone Block The Spirit -Yellow\ Autumnal\ Sapling=Yellow Autumn Tree -Can't\ get\ value\ of\ %s\ for\ %s;\ none\ is\ set=Retrieve the value of %s for %s someone else is not installed -Thin\ sheets\ of\ metal,\ plates\ are\ useful\ for\ constructing\ $(thing)housing$()\ for\ $(thing)machinery$().=The thin metal plates are used for the construction of the $(question)apartments$( for $(business machines, equipment$(). -Potted\ Fern=Potted Fern -Keep\ inventory\ after\ death=You keep your inventory after death -White\ Asphalt\ Slab=The White Slab Of Asphalt -Yucca\ Palm\ Log=Yukka-Palm Tree To Cut Down A Tree -Gray\ Chief\ Indented=Grey Main Paragraph -Selected=This protection -Yellow\ Terracotta\ Camo\ Trapdoor=Yellow Clay-Colored "Camouflage" - Luke -Craftable\ Filter\:=Manufacturer Of Home -Univite\ can\ be\ used\ to\ create\ the\ strongest\ tooling\ and\ weaponry\ known\ by\ all\ discovered\ civilizations.=Univite you can use to create powerful tools and weapons, as you know, all performances of civilization. -Red\ Nether\ Bricks=Red-Brick, Nether -Clay\ Camo\ Door=Tony's Camo Is Wearing -Basalt\ Dust=Bazalt From The Ashes -Basic\ Display=View Of The Base -Nuggets=Sofa -This\ demo\ will\ last\ 5\ in-game\ days\ (about\ 1\ hour\ and\ 40\ minutes\ of\ real\ time).\ Check\ the\ advancements\ for\ hints\!\ Have\ fun\!=This show will last 5 days (about 1 hour 40 minutes of real time). Look at the success traces\! Good luck\!\!\! -Parrot\ talks=Speak -Enable\ Per-Gui\ System=Allows-Gui-System -Show\ FPS\ in\ new\ line=It is worth noting that the new line -Advanced\ Circuit=In The Advanced Track -Zombie\ infects=The game, which is infectious -Black\ Snout=Black Muzzle -Black\ Glazed\ Terracotta\ Pillar=Black Glazed Tiles, Columns -Sorting\ Options=Options -Difficulty\ lock=The weight of the castle -Cobblestone\ Slab=Cobbled Plate -Month=A month ago -Refill\ tool/armor\ before\ durability\ is\ empty\ (threshold\ value\ by\ "Tool\ Damage\ Threshold")=Fill tool/oklop otpor prazan (in okviru "prag o\u0161te\u0107enja") -Distance\ Crouched=Distance, Where I Was Born -Charred\ Wooden\ Button=Burn Three Buttons -Biome\ Scale\ Offset=The Overall Level Of Mobility -Witch\ dies=On the death of the -Green\ Glazed\ Terracotta\ Camo\ Trapdoor=Yesil Cam-Camo Cover-Terra Cotta -BioFuel=Bio-paliv -Arbalistic=Arbalistic -Add\ Nether\ Wasteland\ Temples\ to\ Modded\ Biomes=Add Nether Ruins Of The Temple, Mod Biomes -Zombified\ Piglin\ grunts\ angrily=Piglin zombie grunyits furiosament -Magenta\ Shulker\ Box=Cutie Shulk Printer Magenta -Hardened\ Resistance=Hard To Resist -Nether\ Brick\ Post=The Bottom Of The Brick Column -Reproducer=Player -Impaling=Impale -B-Rank\ Materia=B-Quality -Polished\ Basalt=The Polished Basalt -Generate\ Core\ of\ Flights\ on\ Woodland\ Mansion\ Chests=Create the core of the flight in the Forest chests in the mansion -Ice\ Spikes=The Ice Peak -Item\ Tooltip\ Settings=Item Description Konfiguracijo -Scorched\ Door=Steaks Door -Hoglin\ steps=Hogl I act -Failed\ to\ export\ resource\:\ %s=The source is not given\: %s -Decoration\ block=Trim block -Cyan\ Concrete=Blue, Cool. -Potion\ Effects\ Scale=Napitok Of Effects-Of-The-Art -Sakura\ Post=Sakura Post -Elytra\ rustle=Elytra rustle -Japanese\ Maple\ Door=Maple Doors -Cursed\ Kibe=Damn, Q\u00EB -Amaranth\ Pearl=Burno\u010Dio Pearl -Bone\ Block=Glass Block -Default\ Icon=The Default Icon -Joint\ type\:=General appearance\: -Acquire\ diamonds=To get a diamond -To\ get\ closer\ to\ vanilla's\ size,\ enter\ 60\ here.=It's that close, in fact, the vanilla, the size of the 60 or so log in in here. -Controls...=Management... -Respawn\ point\ set=Short set -Ruby\ Hoe=Ruby, Rake -Not\ a\ valid\ value\!\ (Blue)=Ni veljavna vrednost. (Modra) -Soul\ Sandstone\ Stairs=Spirit The Stairs, Tile Floors -Save\ &\ Quit=Shranite In Zapustite -Crate\ of\ Melon\ Seeds=Information, and melon seeds -Light\ Blue\ Tent\ Top=The Light In The Tent Blue Top -Galaxium\ Leggings=Galaxium Leggings -Head\ Protection=Means Of Head Protection -Dark\ Oak\ Step=Dark Oak Steps -Chance\ of\ a\ well\ generating\ in\ a\ chunk\ is\ 1/spawnrate.=The possibility of the generation part of it-about 1/spawnrate. -Willow\ Kitchen\ Sink=Willow In The Kitchen Sink -Acacia\ Kitchen\ Cupboard=Acacia Kitchen Cabinets -Cyan\ Stained\ Glass=Azul Do Windows -Upload\ world=Download the world -Caves\ Zoom-in=Jama-v, zoom -Extreme\ to\ High\ energy\ tier=This is a very high energy level -Smooth\ Red\ Sandstone\ Slab=Elegant Red Sandstone Plate -Place\ a\ blast\ furnace=Stove this domain -Select\ a\ preset\ by\ clicking\ the\ "Choose\ a\ preset"\ button.=Select a style by clicking "select". -Granted\ criterion\ '%s'\ of\ advancement\ %s\ to\ %s\ players=Criteria '%s"add %s for %s players -\u00A7cFailed\ to\ give\ items.=\u00A7cI was not able to put things. -Subscription=Subscribe -\u00A76Successfully\ linked\ bag\!=\u00A76The successful pairing of the bag\! -Diana=The city of -Lime\ Futurneo\ Block=Lime Futurneo Block -More\ Seeds=More And More, And Then -Connecting\ to\ the\ realm...=The community of the Kingdom of Thailand. -Which\ ingame\ waypoints\ to\ show\ the\ distance\ to\ for.=The items on display. -Purple\ Tent\ Top\ Flat=Purple Tent On The Upper Level -Green\ Beetle\ Wing=The Green Scarab Wing -Panther\ Powers=Panther Right -Extend\ subscription=Renew your subscription -Teal\ Nether\ Brick\ Slab=Turquoise Net Of Bricks, Tiles -Brown\ Futurneo\ Block=Future Brown Block -Customized\ worlds\ are\ no\ longer\ supported=The world is no longer supported -\u00A77\u00A7oWing\ by\ %1$s\u00A7r=\u00A77\u00A7oThe wing %1$s\u00A7r -Andisol\ Grass\ Block=Andisol Bari Blloqe -Yellow\ Per\ Fess=Yellow Per Fess -Soul\ Wall\ Torch=In-Soul-On-Wall-Light -Purple\ Berry\ Juice=Vijoli\u010Dna Berry Sok -What\ is\ Realms?=The fact that he was at the top. -Vindicator\ hurts=The defender was injured -How\ rare\ are\ Nether\ Warped\ Temples\ in\ Nether\ Warped\ Forest.=How rarely do such Deformation, Below the Temple, Below the Warp, the Jungle. -Punch=Please -Smooth\ Red\ Sandstone=Smooth Red Stone. -Entities=Individuals -Some\ interfaces\ have\ a\ different\ centered\ look.=Some of the interfaces based on the number showing -%s\ Energy\ Cell=%s The energy of the Cel\u00B7lular -Separate\ Items=The Individual Elements -Smoky\ Quartz\ Stairs=Rookkwarts Trap -Shift\ right\ click\ on\ block\ to\ set\ style=The offset in the right box to set the style -Cyan\ Calla\ Lily=Plava Calla Lily -Crystal\ Item=The Glass Element Of The -Scorched\ Hyphae=Blown GIF -Spruce\ Planks\ Glass=Fire Tables Are Made Of Glass -Metite\ Sword=Bucking Sword -Small\ Tent=K In A Tent -Pine\ Mire=Bor The World -Rubber\ Wood\ Pressure\ Plate=Gume Drevo, Push Obvestila -Custom\ Settings=Ordering -Superconductor\ Cable=Superconducting \u0544\u0561\u056C\u0578\u0582\u056D -Compact\ Preview\ NBT=Overview of the League \u041D\u0411\u0422 -Marble\ Brick\ Stairs=Marble, Brick, Stairs -Granted\ %s\ advancements\ to\ %s=Comes out on top %s Progres %s -Grants\ Immunity\ to\ Poison=To provide immune poison -Generate\ Core\ of\ Flights\ on\ Buried\ Treasures=Basic Flag Treasure -360k\ NaK\ Coolant\ Cell=READY 360\u043A on cells. -Orange\ Inverted\ Chevron=Portokal Chevron On Segnata Country -Green\ Shield=The Green Shield -Open\ realm=Open the kingdom -Expected\ key=The key is to expect -Placement\ range\:\ %s\ blocks=The accommodation in the period\: %s ventall -Light\ Blue\ Asphalt\ Slab=Bl\u00E5 Ark, Asfalt -The\ player\ idle\ timeout\ is\ now\ %s\ minutes=The players of now %s minuts -Lapotronic\ Energy\ Orb=Lapotronic Energia Orb -White\ Oak\ Button=Button, White, Oak -Transfer\ All\ Waypoints=The Transfer Of All Of The Places -Your\ client\ is\ not\ compatible\ with\ Realms.=The client is not compatible with the world. -Polypite\ Quartz=Polypite Kvarts -Bubble\ Coral\ Fan=Bubble Coral Fan -Yucca\ Palm\ Pressure\ Plate=Palma Yuka-Kotarski Stove -Zoglin\ growls=Life Zoglin -Superconductor\ Upgrade="The Venue Can Improve -Needs\ alkahest\!=If alkahest\! -Salt\ Rock=Salt -Adorn+EP\:\ Kitchen\ Cupboards=Jewelry, kitchen, closets, -This\ realm\ doesn't\ have\ any\ backups\ currently.=This is the kingdom of god, and which had no back-up time. -Gray\ Concrete\ Powder=The Gr\u00E5 Concrete Powder -Bat\ takes\ off=Bat, pri\u010Dom let -%1$s\ went\ up\ in\ flames=%1$s the man took it -Sticky\ Piston=Piestov\u00E9 Sticky -Reload=Defendant -Lock\ Items=Locking Elements -Took\ %s\ recipes\ from\ %s=Names %s recipes %s -Next\ Page=Next Page -Queen\ Angelfish=The Queen Of The Angels -Distillation\ Tower=Distillation -Direct\ Connection=Direct -Controls\ whether\ loot\ chests\ spawn\ or\ not\ in\ Nether\ Temples.=Specifies that the plunder chest to throw out the eggs or not, nothing temples. -Potted\ Willow\ Sapling=Potted Saplings Of Willow -Combined\ Flesh=Along With The Meat -Dense\ Woodlands=Dense Forests -Block\ broken=The unit does not work -Invar\ Plate=Invar Plate -Small\ Pile\ of\ Yellow\ Garnet\ Dust=A Small Bouquet Of Yellow Pomegranate Powder -In\ compact\ mode,\ how\ should\ items\ with\ the\ same\ ID\nbut\ different\ NBT\ data\ be\ compacted?\nIgnored\:\n\ Ignores\ NBT\ data\nFirst\ Item\:\n\ Items\ are\ displayed\ as\ all\ having\n\ the\ same\ NBT\ as\ the\ first\ item\nSeparate\:\n\ Separates\ items\ with\ different\ NBT\ data=In the compact position, and how elements with the same ID\nbut a variety of IT, the data is compressed?\nIs going to be\:\n Ignore NBT data\nThe First Entry In The List Is\:\n The Items that appear when all of the\n on the same bank as the first element of the\nDivorce\:\n Separate multiple entries with a different NBT data -An\ Object=Object -Evoker\ dies=K boy death -Winged\:\ Items=The Cruise\: The Data Of The -You\ can\ store\ items\ in\ drawers.\ They\ can't\ store\ as\ many\ items\ as\ chests,\ but\ you\ can\ also\ use\ them\ as\ small\ tables\ or\ nightstands.=You can store items in the drawers. They are not able to get as many as possible of the items like the box, but you can also use it as a little table or a bedside table. -When\ Applied\:=If S'escau\: -Bamboo\ Door=Bamboo Door -How\ rare\ are\ Nether\ Soul\ Temples\ in\ Nether\ Soul\ Sand\ Valley\ .=As it is rare for Sales of the Soul, of the Temples, in the Badlands of the Soul, the Sands of the Valley . -Paginated=Pagination -Magenta\ Carpet=The Purple Carpet -Black\ Glazed\ Terracotta\ Camo\ Trapdoor=Black Staklen Terracotta Cover Lapel -Metite\ Cluster=Gruppe Metite -Block\ of\ Tin=Blogi Lampi -Downloading\ latest\ world=Download new world -Black\ Per\ Bend=Black Pleated -Day\ Two=The Two Days Of -Light\ Gray\ Gradient=Light Grey Gradient -Crystal\ Fabric\ Furnace=\u053D\u0578\u0582\u0574\u0562\u0568 Crystal Fabric -Redstone\ Lamp=Lamps And Redstone -Hoe\ Speed=Hoe Rate -Bottomless\ Pit=Better -Cobblestone\ Camo\ Trapdoor=Lang Cap Kamuflasje -White\ Base\ Indented=White Base Indented -Chicken\ Spawn\ Egg=Chicken, Egg, Caviar -Keeps\ chunks\ loaded,\ allows\ machines\ to\ run\ when\ you're\ not\ nearby=The selected bits, that is to say, the machines are in good working order, and you're there -Weakness=Weakness -Red\ Garnet\ Dust=Powder Red Grenade -Unknown\ data\ pack\ '%s'=The unknown data of the pack"%s' -Validating\ selected\ data\ packs...=After confirming the selected data packets... -Objective\ names\ cannot\ be\ longer\ than\ %s\ characters=The name can not be more %s the characters -Advanced\ Coil=To Find Out More And More Threads -%1$s\ was\ shot\ by\ %2$s\ using\ %3$s=%1$s it was shot, %2$s with %3$s -Vibranium\ Pickaxe=Vibranium Toplamaq -Couldn't\ revoke\ %s\ advancements\ from\ %s\ as\ they\ don't\ have\ them=He couldn't regret it %s this development %s it's not enough -Some\ features\ used\ are\ deprecated\ and\ will\ stop\ working\ in\ the\ future.\ Do\ you\ wish\ to\ proceed?=Some of the features that are used as legacy, and will work in the near future. If you really want to do this? -Play\ Multiplayer=To Play In Multiplayer Mode -Nitrogendioxide=Nitrogendioxide -Entity\ Target\ Messages=A Common Goal Of The Message -Xorcite\ Stone=Xorcite Kivi -Melon\ Seeds=The seeds of the melon are -Config\ Gui\ Keybind=Configuration Graphical User Interface (Gui Keybind -End\ Tungsten\ Ore=The Purpose Of Ore Of Tungsten -Basalt=Basalt -Librarian=Librarian -Disabled\ Item=The Account Is Disabled. -Create\ realm=To create an empire -Nothing\ changed.\ Those\ players\ are\ already\ on\ the\ bossbar\ with\ nobody\ to\ add\ or\ remove=Nothing has changed. Players who already have the bossbar to add or remove -Red\ Sand=The Red Sand -Limestone\ Slab=Limestone Hills -Armour\ Status\ Settings=Status After Installation -\u00A7bSort\ Order=\u00A7bOrder -Teal\ Nether\ Brick\ Stairs=Turquoise At The Bottom Of The Brick Staircase -Gui\ Background\ Color=The GUI of pozadini -Customize\ Messages\ to\ display\ with\ Biomes\\n\ (Manual\ Format\:\ biome_name;message)\\n\ Available\ Placeholders\:\\n\ -\ &biome&\ \=\ Biome\ Name\\n\ -\ &id&\ \=\ Biome\ ID=In l'edici\u00F3 screen d'informaci\u00F3 per a the Biomes\\n-the Manual Format is\: biome_name missatge)\\n-not-Available Marcadors of position are\:\\n &biome& \= Biome Nom,\\n, &id,& \= Biome ID -Brown\ Concrete\ Camo\ Trapdoor=Brown, Concrete, Weed Camo -Open\ World\ Map=Open World On The Map -Top-Right=In The Upper Right Corner Of The Screen -Blue\ Elytra\ Wing=Blue, Elytra, Wings -Rainbow\ Eucalyptus\ Drawer=Dhgate Eucalyptus-Box -Donkey\ dies=Ass sureb -%1$s\ walked\ into\ fire\ whilst\ fighting\ %2$s=%1$s they went into the fire during the battle %2$s -Limestone\ Circle\ Pavement=Limestone Flooring-The Circle -Incandescent\ Lamp=RUB the lamp -Dark\ Oak\ Planks=Tamni Hrasta STO -Dolphin\ plays=Mas Efekt -Redstone\ Ready=Redstone Pripravljen -%1$s\ was\ squashed\ by\ a\ falling\ anvil=%1$s he was bruised, for the fall and a hard place -Jack\ o'Lantern=Selle Laterna Ja Jack O ' connell -Storage\ Request=The Request To Store Data -Savanna\ Plateau=From The Savanna Plateau -Saltpeter\ Dust=This Is The Essence Of The Dust -Toggle\ Perspective=The Possibility Of Change -Colored\ Tiles\ (Black\ &\ Blue)=(Blue)Colored Stones-Black -&name&=and on behalf of& -Creative\ Storage\ Unit=Creative Storage Unit -Purple\ Berry\ Cake=Purple Berries Cake -Alert\ Tick\ Delay=Notice Without Delay Brand -Control\ +\ middle\ mouse\ click=Ctrl + middle mouse button -Ghastly\ Ectoplasm=Hrozn\u00E9 Ectoplasm -Villages=Village -Villager=The villagers -A\ List=List -Astral\ Centrifuge=Astral Centrifuge -Invalid\ IP\ address\ or\ unknown\ player=Incorrect IP address or an unknown player -Enable\ death\ message=Will allow up to the death with the message -Set\ the\ sort\ order\ for\ regular\ sort\ button=If you want to change the sort order of the sort keys -Asteroid\ Emerald\ Cluster=Cluster Emerald Asteroid -Black\ Bend=Black Bending -Constant\ Velocity\ (Positive,\ Greater\ than\ Zero)=Constant speed (positive, greater than zero) -Invalid\ or\ unknown\ game\ mode\ '%s'=In order to play the invalid or unknown type",%s' -Cartographer's\ Monocle=The cartographer's Monocle -Small\ Pile\ of\ Platinum\ Dust=A Small Pile Of Powder Platinum -Tactical\ Fishing=The Tactics Of Fishing -The\ target\ block\ is\ not\ a\ container=The purpose of the block is not a container -Endorium\ Rod=Type Endorium -version\ %s=version %s -Unfortunately,\ we\ do\ not\ support\ customized\ worlds\ in\ this\ version\ of\ Minecraft.\ We\ can\ still\ load\ this\ world\ and\ keep\ everything\ the\ way\ it\ was,\ but\ any\ newly\ generated\ terrain\ will\ no\ longer\ be\ customized.\ We're\ sorry\ for\ the\ inconvenience\!=Unfortunately, we don't have the support of the worlds, it is a version of Minecraft. We as before we can send out into this world and leave everything as it was, but the new earth will not adapt. I'm sorry for the inconvenience\! -Umbral\ Flesh\ Block=Umbral Meat Block -Outdated\ server\!\ I'm\ still\ on\ %s=Outdated server\! I still don't have %s -Glowstone=Glowstone -Lithium=Lithium -Progress\ Renderer\ \ =Visualization Of Progress -Sandstone=Sand and stone -Cyan\ Beveled\ Glass\ Pane=The Blue Glass, To The Tens Of Thousands Of -\u00A77\u00A7o"Truly\ colorful."\u00A7r=\u00A77\u00A7o"That is actually the color."\u00A7r -White\ Tent\ Top=The White Canopy At The Top Of The -Polished\ Blackstone\ Circle\ Pavement=Blackstone, Flat / Apartment, Ground Pumice -Infested\ Cracked\ Stone\ Bricks=Been Made With Holes, In Stone And Brick -Peridot\ Helmet=Body Material -Horse\ Armor\ Recipe=Horse Armor Recipe -Obsidian\ Shards=Obsidiana Fragment -Andesite\ Circle\ Pavement=Andesite-A Circle In The Pavement -Blackstone\ Camo\ Trapdoor=Blackstone Camo Luik -Cracked\ Stone\ Bricks\ Ghost\ Block=Cracked, Stone, Bricks, Blocks Ghost -[Go\ Up]=[Top] -Jungle\ Sapling=Gungate Sapling -Japanese\ Maple\ Kitchen\ Counter=Japanese-Maple Kitchen Table -Brown\ Carpet=Rjavo Preprogo -Missing\ Recipe\ Placeholder=Missing Recipe -Enable\ old\ stone\ rods=The activation of the old stone studs -Light\ Gray\ Glazed\ Terracotta=Light Gray Glass With A -Pink\ Chief=The Key To The Pink -Cypress\ Chair=President Cypress -Lime\ Shulker\ Box=Max Shulker Kalk -Flower\ Charge=Click The Left Mouse Button -Stripped\ Willow\ Wood=Peeled Willow -\u00A7aCheating\ Enabled\ (Using\ Creative)=\u00A7aPuro, (Creativity) -Pickaxe\ Damage=Loss Increase -Place\ a\ lightning\ rod\ into\ the\ world=The world is such a lightning rod -Light\ Gray\ Snout=Light Gray Face -Nether\ Leggings=North Bukser -Unable\ to\ locate\ Homepage\ for\ this\ Application...=Can't find the main page for this app... -Emperor\ Red\ Snapper=The Car Is Red Snapper -Villager\ trades=The farmer in the contract -Oxeye\ Daisy=\u015Alazy Daisy -Potted\ White\ Tulip=A Pot Of White Tulip -Acacia\ Door=Some Of The Doors -Lingering\ Potion\ of\ Swiftness=The Rest Of The Morning At The Rate Of -%s\ is\ not\ holding\ any\ item=%s do not keep any type of object -Find\ a\ tree=If you want to find the -Large\ Fern=Big Fern -"%1$s"\ has\ been\ Successfully\ loaded\ as\ a\ DLL\!="%1$s"posted as a DLL file\! -Axe\ scrapes=Axe s\u0131yr\u0131qlarla -World\ Map\ Screen=A Map Of The World -Unknown\ or\ incomplete\ command,\ see\ below\ for\ error=Unknown or incomplete command, you can see the below error -Potted\ Light\ Gray\ Rose\ Campion=Pots, Light Gray, Rose Campion -Rabbit's\ Foot=Feet-the rabbit -Small\ Pile\ of\ Sodalite\ Dust=A small handful of dust, and sodalite -Eternal\ Fiery\ Conquest=The Eternal Fire In The Victory -Shuffle=Press and hold -Outback\ Uluru=In The Desert In Australia, In Uluru -Small\ Pile\ of\ Nickel\ Dust=A Handful Of Dust In The Nickel -Hopper=Heels -Item\ Frame\ fills=The item fills the frame -Pufferfish\ Crate=Polje Of -World\ Spawn=The world is Two -Beach=A -Arrow\ of\ Levitation=The arrows fly -Copy\ of\ a\ copy=Copy -Black\ Beveled\ Glass\ Pane=Commission Black Glass Photo Frame -Arrow\ of\ Water\ Breathing=The direction of the water to breathe -Fireball=Fire Ball -Hot\ Tungstensteel\ Ingot=Hot Bars Tung Sten Steel -Horn\ Coral=Cornul Coral -Respawn\ the\ Ender\ Dragon=Respawn SME Ender -World\ Generation=The Creation Of The World -Golden\ Beetle\ Wing=Beetle Gold Krilo" -Searching\ for\ Character\ and\ Glyph\ Width\ Data...=You need to look at a Character and a Glyph, the Width of the Data... -Checking\ for\ valid\ Technic\ Pack\ Data...=The current control package technical data. -Black\ Concrete=Black Concrete -Display\ Underwater\:=Look At The Water -Left\ Arrow=This Is The Left Arrow Key -Green\ Chief\ Indented=Yes The Master Retreat -Methane=Methane -Rainbow\ Eucalyptus\ Pressure\ Plate=Rainbow Eukalyptu Hory -Acacia\ Kitchen\ Counter=Kitchen Acacia -\u00A7cNo\ suggestions=\u00A7cThere is no provision -%s\ Frame\ and\ Core=%s Quadro principal -Plates=Levy -Temples=The church -You\ are\ banned\ from\ this\ server.\nReason\:\ %s=You are banned on this server.\nReason\: %s -Deprecated=Deprecated -Top\ Left\ /\ Right=The Bottom / Top Corner Of The -Unable\ to\ apply\ this\ effect\ (target\ is\ either\ immune\ to\ effects,\ or\ has\ something\ stronger)=You can also make use of this purpose of the immune system, adverse effects, or something more powerful) -Craft\ an\ MFSU=Zanati MP about -Small\ Rows=Small Lines -Please\ try\ restarting\ Minecraft=Please try again Minecraft -%s\ Post=%s Post -Summoned\ new\ %s=New news %s -The\ world\ you\ are\ going\ to\ download\ is\ larger\ than\ %s=To the world that you would like to get more info than that %s -Loom=Slowly -In\ order\ to\ get\ sap,\ you\ need\ to\ find\ a\ rubber\ tree\ or\ obtain\ a\ rubber\ tree\ sapling\ and\ proceed\ to\ grow\ it.\ Once\ you\ have\ obtained\ a\ rubber\ tree,\ search\ around\ for\ little\ yellowish\ spots\ on\ the\ tree.\ If\ you\ don't\ see\ any,\ just\ wait\ a\ bit\ and\ eventually\ these\ yellow\ "sap"\ spots.\ To\ harvest\ the\ sap,\ use\ a\ treetap\ and\ use\ it\ on\ the\ log.=At sap, you will have to find a tree, a tire and rubber tree sapling and grow your own business. Then, when you need it, which is extracted from the rubber tree, looking for small spots of yellow in the trees. If you can't see something, just wait a while and in the end, it's the yellow "juicy" spots. To collect the sap, which is a treetap, and is used in the service. -Score=The result -Limestone\ Pillar=One Of The Pillars Of Cal -Other=Other -Metite\ Ingot=Metite-Lekarstvo -Statistics=Statistics -Entity\ cramming\ threshold=Bit u srcu, -Hide/Show\ REI\:=Hide/show-rey\: -Reset\ %s\ for\ %s\ entities=To cancel %s v %s People -Disable\ if\ this\ is\ a\ simple\ server\ with\ a\ single\ world\ (no\ lobbies,\ game\ mode\ worlds\ etc).\ Multiworld\ detection\ can\ only\ cause\ issues\ on\ such\ servers.=Turn off the device, if it is just a server, not for the lobbies, game modes, worlds, etc.). Found Multiworld can cause problems, so that the server. -Stone\ Brick\ Wall=Guri, Come To, Concern -White\ Asphalt\ Stairs=White Asphalt Stages -Push\ to\ hotbar\ separately=The impetus for the shortcut bar separately -Add\ Villages\ to\ Modded\ Biomes=Afegir al Poble per Mod Biomes -Pluto\ Essentia\ Bucket=If You And The Essentia Bucket -Fluids=Liquid -Pink\ Topped\ Tent\ Pole=Pink Tent-Pole -Intentional\ Game\ Design=It Is Intentional Game Design -Local=Local -Unlocked\ %s\ identity.=Disabled %s person. -Brown\ Terracotta=Brown Terracotta -Andesite\ Stairs=Andesite Prices -Black\ Shield=Shield -\u00A77Cheating\ \u00A7cEnabled\ \u00A77(No\ Permission)=\u00A77The trick \u00A7cActive \u00A77(Without A License) -Reverse\ Ethereal\ Glass=On The Contrary, Essential Bottle -Black\ Sofa=The Black Sofa -Orange\ Bed=The Orange Bed -Cypress\ Trapdoor=The Cypress Doors -Alkahest\ Bucket=Alkahest Of The Bucket -Blue\ Terracotta\ Ghost\ Block=The Blue Is In The Spirit Of The Building -Endermite\ dies=\u0531\u0575\u057D Endermite -[%s\:\ %s]=[%s\: %s] -The\ default\ game\ mode\ is\ now\ %s=By default, during the game %s -Customize\ Additional\ Settings\ of\ the\ Mod=If you want to configure advanced settings for the mo -Attack\ Range=Address -%s\ Jetpack=%s Sac -Pink\ Glazed\ Terracotta=Pink Terracotta Lacquer -Red\ Chief=The Red Head -Umbral\ Trapdoor=Met Luke -Load\ Default\ Plugin\:=Download The Plug-In By Default\: -Smooth\ Red\ Sandstone\ Stairs=The Soft Red Sandstone Of The Stairs -Player\ Items\ Placeholder=Player -Yes=As well as the -Canyon\ Cliffs=The Can\u00F3, Les Roques -Iron\ Golem\ dies=Iron Golem d\u00F8r -Diamond\ Axe=The Diamond Axe -Red\ Per\ Bend=The Red Color On The Crease -Yellow\ Banner=Yellow -Compass\ Over\ Waypoints=The Main Directions -Tall\ Red\ Begonia=High-Red Begonia -Refund=Click on " ok " to return to the -view\ full\ contents=in order to see all of the content -Panda\ steps=Panda steps in the -Rubber\ Button=The Buttons In The Rubber -Golden\ Golem=From The Gold Golem -Packages=Package -Paste=Paste -Magenta\ Snout=Red Pig -Zoglin\ steps=Zoglin web -Your\ memories\ of\ being\ a\ %s\ fade\ to\ dust...=Memory %s lost in the dust... -Golden\ Shovel=Gold Shovel -DETECT=At OPDAGE -Unreachable\ destination\ dimension.=The goal is achieved. -Protect\ trading\ stations=To protect the brand of the station -Getting\ an\ Upgrade=In order to get the update -Llama\ is\ decorated=Film, interior design to do -Leash\ knot\ breaks=String knot bread -Lingering\ Potion\ of\ Weakness=Constantly Broth For Slabost -Redwood\ Sign=The Sign Of Redwood -Cannot\ spectate\ yourself=You can not look at each other, -Willow\ Log=Papir Willow -Wither\ Skeleton\ Skull=Wither Skeleton Skull -Yucca\ Palm\ Fence=In The Vicinity Of The Jukkapalme -Only\ one\ player\ is\ allowed,\ but\ the\ provided\ selector\ allows\ more\ than\ one=Is allowed only one player, provided, however, finder allows more than -Aglet\ of\ the\ Traveller=Traveler tips lacing -Lightners=Lightners -Manually\ select\ what\ to\ hide\ and\ show.=Manually select what you want to hide and show it. -Brown\ Per\ Fess\ Inverted=Coffee, Fess Inverted -White\ Elytra\ Wing=White Wings \u041D\u0430\u0434\u043A\u0440\u044B\u043B\u044C\u044F\u0445 -Mossy\ Stone\ Bricks=Mossig Most, Tegel, Tegel, -Skeleton\ Horse=The Skeleton Of A Horse -Lingering\ Potion\ of\ Night\ Vision=To Continue The Potion, A Night-Time Visibility -Dark\ Oak\ Shelf=Dark Oak -Light\ Gray\ Chief\ Indented=Light Gray Base Indented -Green\ Per\ Bend\ Sinister\ Inverted=Yesil Head To Make Me Look Bad -Warped\ Chair=Not The Place -F-Rank\ Materia\ Block=F-The Class Of The Query Device -Large\ Ball=Magic -Send\ command\ feedback=To send your comments -Uses\ diesel\ to\ produce\ energy\nThe\ traditional\ pollinating\ method=Utilizar un ess per la produzione di diesel engines to energy.\nTraditional methods Il di impollinazione -Render\ All\ Waypoint\ Sets=Group Process To The Point Question -Parrot\ mutters=Parrot murmur\u00F3 -Cursed\ Effect=Blood Effects -Chiseled\ Smoky\ Quartz\ Block=\u0422\u043E\u0447\u0435\u043D\u044B\u0435 Smoky Quartz Block -Cancel=The cancellation of -Local\ Brewery=Local Beer -Cypress\ Forest=Cypress Grove. -Cannot\ send\ chat\ message=This is not possible, the message Conversation -Conditional=Shareware -Wooden\ Sword=The Sword Is Made Of Wood -Dead\ Horn\ Coral\ Wall\ Fan=Dood Koraal Fan Wall -Bouncy\ Weapon=Inflatable Gun -Dispenser=Dispenser -Bring\ Home\ the\ Beacon=Bring home the beacon -Rotate=Rotation -Light\ Blue\ Base\ Sinister\ Canton=Blue Light Main Gods Of Canton -Entry\ Panel\ Snap\ Rows\:=Panel Adja Meg Online\: -Scanning%s=Scan%s -A-Rank\ Materia\ Block=-Liste Over Materialer For At Undg\u00E5 -Warped\ Forest=Curves In The Woods -Dark\ Prismarine\ Slab=See The Dark-It Is Prismarine -Jump\ with\ %s=Years %s -Expected\ integer=It is expected that the number of -Reset\ %s\ for\ %s=Reset %s lai %s -Applies\ to\ command\ block\ chains\ and\ functions=Current command-Block-chain and options -Light\ Gray\ Roundel=Light Gray Rondelle -Cypress\ Kitchen\ Counter=Cypress Table Tennis -Sheep\ dies=The sheep becomes -Failed\ to\ connect\ to\ the\ server=This can be in the server log -Energy\ Cable=Energia Cable -Panda's\ nose\ tickles=The Panda's nose, tickle -New\ invites\!=New conversations\! -Honeycomb=Honeycomb -MP\ Cross-Dimensional\ TP=The MEMBERS of the european parliament for a one-dimensional FUNCTION, -Mending=Herstel -Dark\ Oak\ Glass\ Door=Dark Oak With Glass Doors -Steel\ Nugget=St\u00E5l Nugget -Whether\ we\ should\ unlimit\ the\ hard\ 60\ fps\ limit\ placed\ on\ the\ title\ screen.=If we are going to unlimit it is difficult to 60 fps, the edge of which is located on the screen. -Polished\ Blackstone\ Brick\ Stairs=Soft,, Bricks, Stairs, -Brewing\ Stand\ bubbles=The use of bubbles coming out of -Red\ Sandstone\ Wall=There Are Red Sandstone Walls -Small\ Pile\ of\ Steel\ Dust=A small pile of dust and steel -Wooden\ Rod=A Stick Of Wood, -Upload\ done=What do we do -Oak\ Small\ Hedge=Well, A Little Pruning -temporary=temporary -Time\ Since\ Last\ Rest=At The Time, Just Like The Last -A-Z=A-Z -Wet\ Sponge=With A Wet Sponge -Player\ is\ already\ whitelisted=Player from you -180k\ NaK\ Coolant\ Cell=180K NAK cooling station -Rocket\ Fuel=Rocket fuel -Splash\ Potion\ of\ Leaping=Splash Potion \u0386\u03BB\u03BC\u03B1 -Blue\ Concrete\ Camo\ Door=Blue Concrete Door Camo -Select\ a\ Preset=Select predefined -White\ Thing=What is White -Craft\ an\ Obsidian\ Hammer\ and\ go\ mining\ for\ 17\ hours\ without\ stopping.=No Yes SPIRA, 17 hours, finishing off on planetta, Senate and PAAs Tivat. -Reset=Reset -ModPack\ Message=Package Responsibility -Potted\ Jungle\ Palm\ Sapling=In The Jungle Palm Trees -Unknown\ particle\:\ %s=Unknown Particles\: %s -Failed\ to\ copy\ packs=Error when you copy and packages -Switch=Bryter -Message\ to\ Display\ while\ in\ a\ LAN\ Game\\n\ Available\ Placeholders\:\\n\ -\ &ip&\ \=\ Server\ IP\\n\ -\ &name&\ \=\ Server\ Name\\n\ -\ &motd&\ \=\ Server\ MOTD\\n\ -\ &icon&\ \=\ Default\ Server\ Icon\\n\ -\ &players&\ \=\ Server\ Player\ Counter\\n\ -\ &playerinfo&\ \=\ Your\ In-World\ Player\ Info\ Message\\n\ -\ &worldinfo&\ \=\ Your\ In-World\ Game\ Info=The message on the Display, but in a LAN Game.\\the n Labels that are Available are\:\\n, &ip,& \= Server - IP, I, &name \= Name of the Server.\\the motd& r \= the MOTD of the Server.\\n && icons \= Server is a default icon.\\no. a player I \= Server-Player-of-the-Doom - that &playerinfo& \= - In-the-World-from-the-Player-Info in the Message\\R &worldinfo,& In-the-World-of-Game Information -Dissolution\ Chamber\ +=The Resolution Of The House + -Aluminium\ Plate=The Sheet Of Aluminum -Power\ Level=Level Of Performance -Polished\ Andesite\ Stairs=Polished Andesite Stairs -Cartographer=Cartographer -Advanced=Then -Craft\ a\ piece\ of\ adamantium\ armor=The development of the device of adamantium -Couldn't\ save\ screenshot\:\ %s=You can not save the photo\: %s -Nothing\ changed.\ The\ world\ border\ is\ already\ centered\ there=Not much has changed since then. The world border is now centered on the -Test\ passed=The test data -Arrow\ of\ Harming=Arrow damage -Dropped\ %s\ %s=For %s %s -Ring\ of\ Experience=Ring, with the Experience, -Shovel\ Damage=Shovel Damage -Spruce\ Kitchen\ Counter=Kitchen Counter -Open/Close\ Inventory=Open/Close Inventory -Set\ spawn\ point\ to\ %s,\ %s,\ %s\ in\ %s\ for\ %s=Part of the game %s, %s, %s in %s for %s -Brown\ Field\ Masoned=Brown Field, So You -Cracked\ Polished\ Blackstone\ Bricks=Cracks Polished Blackstone Brick -Chiseled\ Bluestone=Carved From Sandstone -Oak\ Fence\ Gate=Oak Handrails, And Doors -Plant\ Sterilizer=The Sterilizer -\u00A77\u00A7o"Fuel\ for\ empty\ boosters."\u00A7r=\u00A77\u00A7o"Coal "booster".\u00A7r -Yellow\ Bordure=Yellow Box -Raw\ Fries=Raw Potatoes -Whitelist\ is\ now\ turned\ on=White list is now included in -Potted\ White\ Dendrobium\ Orchid=White Furniture For Orchids Inside -Netherite\ Wolf\ Armor=Netherite Armor Of The Wolf -Show\ /\ Hide\:=Show / Hide\: -Polypite\ Sulfur\ Quartz=Sulfur, Quartz Polyp Assured -Rainbow\ Brick\ Slab=Arc-In-Brick-Board -Misc=Different -Calcite\ Dust=Calcite Powder -Space\ Suit\ Boots=The Cosmic Costume Boots -Magenta\ Lozenge=Purple Brilliant -Fancy=Fantasy -Recipe\ not\ unlocked\ in\ Recipe\ Book.=The recipe Book does not open. -Twilight\ Fescues=Fescues Twilight -Glass\ Shard=It Is A Piece Of Glass -Load=Add -Diorite\ Brick\ Slab=Dior Of Brick Council -Reset\ world=To Save The World -%s\ Platform=%s Platform -Bell\ resonates=The bell sounds -Display\ tooltips\ when\ cursor\ hover\ the\ buttons\ on\ GUI=Show tool tips when the mouse pointer hover over the button " to the guy -Bottle\ o'\ Enchanting=The bottle o' Enchanting -CraftPresence\ -\ Edit\ Gui\ (%1$s)=The Vehicle For Changes In Schedules (In%1$s) -Light\ Blue\ Bordure=Light Blue Trim -%s\ left\ the\ game=%s he left the game -Light\ Blue\ Terracotta\ Ghost\ Block=The Light Blue Of The Tiles Of The Ghost Block, -Yellow\ Per\ Pale=Light Yellow -Tripwire\ Hook=Napetost Cook -%s\ on\ %s\ after\ scale\ factor\ of\ %s\ is\ %s=%s it %s after the coefficients of the %s it %s -%ss=%ss -Llama\ eats=It's a razor blade in the food industry -%1$s\ was\ doomed\ to\ fall\ by\ %2$s=%1$s he decided that he wanted to go away %2$s -Cypress\ Sapling=Tree Cypress -Illegal\ characters\ in\ chat=Incredible characters in the chat -Red\ Dye=Red -Crack\ oil\ into\ its\ various\ components=To break down the oil into its individual components -Orange\ Bordure\ Indented=Orange Bordure Indented -Configure\ Fluids=It Had To Do With The Fluid Retention In The Body -Weaponsmith=Shop -Magenta\ Tent\ Top=Roz\u0101 Tops Telts -Rainbow\ Eucalyptus\ Wood\ Planks=Familiar Trees, Rainbow Wood For -Nothing\ changed.\ That\ IP\ is\ already\ banned=Nothing has changed. The IP is already banned -Back\ to\ Page\ 1=Back to page 1. -Chimneys\ make\ little\ smoke\ clouds.\ They\ can\ also\ be\ stacked\ on\ top\ of\ each\ other\ to\ make\ them\ higher.=Pipe a small cloud of smoke. They can be stacked on top of each other, in order to make it more and more. -Old\ Customized=An Old Tune -Granite\ Post=Granite Mail -Trident\ clangs=Trident clangs -Orange\ Carpet=Orange Carpet -Smooth\ Purpur=Bright Purple -Sakura\ Chair=Prezidents Sakura -Used\ to\ toast\ items,\ and\ relies\ only\ on\ the\ power\ of\ redstone,\ meaning\ it\ does\ not\ need\ fuel.\ Can\ be\ used\ by\ placing\ items\ inside,\ and\ can\ be\ turned\ on\ by\ interacting\ with\ an\ empty\ hand\ and\ sneaking.\ Once\ done,\ the\ items\ can\ be\ removed\ by\ interacting\ with\ an\ empty\ hand.\ To\ simplify\ the\ process\ of\ turning\ it\ on,\ use\ a\ redstone\ pulse.\ It\ is\ recommended\ one\ does\ not\ toast\ metal\ or\ water-related\ items,\ or\ submerge\ the\ toaster\ in\ water.=It is used to toast items, and only on the basis of the strength of the redstone, which means that it does not need fuel. Can be used for objects, and can be activated by interaction with empty hands and secretly. Once this is done, the data can be removed by interaction with empty hands. To simplify the process, so using a redstone pulse. It is recommended that you toast, metal and water related items, or immerse the toaster in water. -Aquilorite\ Block\ (hardened)=Aquilorite block (a) -Blue\ Fess=Bleu Fess -Magma\ Ring=My Mom's Ring -Polished\ Blackstone\ Button=Polished Blackstone " Press Duym\u0259sini -A\ Furious\ Cocktail=\u00CDmpios Cocktails -Show\ Elapsed\ Time=This Shows That The Elapsed Time -Asterite\ Sword=Asterit Their -Add\ JF\ to\ Modded\ Biomes=Add YAF species of plants, animals, mod -Removes\ use\ key\ cooldown\ so\ you\ can\ have\ equivalently\ 1\ right\ click\ every\ game\ tick.\ Can\ use\ along\ with\ Tweakeroo\ "tweakPlacementRestriction".=Remove use the time to recharge, so it can be a simplest way 1 right-click on each game tick. It can be used in conjunction with the Tweakeroo "tweakPlacementRestriction". -Red\ Flat\ Tent\ Top=Red Flat Awning At The Top -Allows\ CraftPresence\ to\ change\ it's\ display\ based\ on\ the\ Gui\ your\ in\\n\ Note\ the\ Following\:\\n\ -\ Requires\ an\ Option\ in\ Gui\ Messages\\n\ -\ Minecraft's\ Guis\ must\ be\ Opened\ once\ before\ Configuring\ due\ to\ Obfuscation=Allows CraftPresence is changed for display based on the graphical interface of Your\\n notes\:\\n - need the Option in the interface Messages\\n - Minecraft gui must be Opened before Setting of the Masking -Upon\ defeat,\ a\ $(thing)Space\ Slime$()\ will\ drop\ $(thing)Space\ Slime\ Balls$().=After his defeat, $(case may be)the space in the mucus$( reduced with $(thing), the local Slime Balls$(). -Chickens\ on\ Fire\ drops\ Fried\ Chicken=Chicken-roasted chicken decreased -Total\ Beelocation=Usually Beelocation -Meteor\ Stone=Meteorite-Stone -\u00A77\u00A7oTrust\ me,\ I\ know\ chemistry."\u00A7r=\u00A77\u00A7oBelieve me, I know chemistry."\u00A7r -Only\ players\ may\ be\ affected\ by\ this\ command,\ but\ the\ provided\ selector\ includes\ entities=Players can influence these actions, but on the condition that the vehicles, which include people -Gray\ Per\ Bend=Grijs Gyrus -Glowing\ Obsidian=Valoisa Obsidian -\u00A77\u00A7o"Finger\ lickin'\ good.\u00A7r=\u00A77\u00A7o"Tasty finger" of them.\u00A7r -15x15\ (Maximum)=15\u044515 (Max.) -Seagrass=Algae -Fermented\ Spider\ Eye=Fermented Spider Eye -Small\ Pile\ of\ Ender\ Eye\ Dust=A small bunch of Rare dust in my eyes -Failed\ to\ link\ carts;\ cannot\ link\ cart\ with\ itself\!=Auto connect failed; in connection with the basket, it is not possible\! -The\ maximum\ width\ of\ a\ pinned\ note\ relative\ to\ the\ screen's\ width.=Maximum width prisegta Comments on the screen, and width. -Potion\ Effects\ (SP\ only)=The broth from the exposure (E-only) -Entity\ Info=Advisory Body -Gray\ Stained\ Glass\ Pane=Gray Of The Stained Glass Windows In The Area Of The -Pink\ Saltire=The Color Of The Blade -Japanese\ Maple\ Wood\ Stairs=The Japanese Maple, The Wood Of The Staircase -Chrome\ Dust=Chrome Powder -Allows\ you\ to\ toggle\ your\ sneak\ ON/OFF\ and\ stay\ sneaking\ without\ having\ to\ hold\ anything.=You can choose whether to sneak in and stay sneaking without having to do nothing. -Block\ of\ Emerald=Blok Smaragdno -Zombie\ Horse\ Spawn\ Egg=Horse-Zombies Spawn Egg -World=The world -Light\ Gray\ Fess=Light Grey And Gold -Failed\ to\ Load\ Display\ Data=Cannot load information on the screen -Chiseled\ Rose\ Quartz\ Block=Carved From A Block Of Rose Quartz -Center=Center -Blue\ Table\ Lamp=Blue Light Table -Bright=Use -Added\ %s\ to\ team\ %s=That is %s made %s -Yellow\ Bed=Yellow Bed -Oak\ Log=Oak Log -Durability\:\ %s\ /\ %s=Useful life\: %s / %s -Essentia\ Tank=Scientists Have Always Assumed That The Tank -Wandering\ Trader\ disagrees=A sale is not agreed, the -Bat\ Spawn\ Egg=A Bat Spawn Egg -\u00A77\u00A7oNobody\ will\ care\ to\ look\ it\ up."\u00A7r=\u00A77\u00A7oNo one cares to look for it."\u00A7r -Barret\ M98B=Barrett M98B -Showing\ smokable=Shaw Smoking -Toggle\ auto\ jump=It is important that there is an automatic switch-over -Polished\ Andesite\ Camo\ Door=Polished Andesite Stone, Jack Port -Insert\ New=With The Introduction Of A New -Fisherman's\ Hat=The fisherman's hat -Orange\ Flat\ Tent\ Top=Orange Flat Top Of The Shop -Sawmill=The company -\u00A77\u00A7o"Flight\ is\ just\ a\ illusion\ of\ mind."\u00A7r=\u00A77\u00A7o"The flight is only an illusion of the mind."\u00A7r -A\ machine\ which\ consumes\ $(thing)energy$()\ to\ sort\ $(thing)items$()\ into\ useful\ materials.=The machine as a consumer $(everything is energy$( ne $(anything)to use$( useful supplies. -Easy=Easy -Resets\ the\ config\ in\ a\ specific\ way\ once\ saved.=To restore the configuration, or the other method, if the data are stored. -Value\ of\ modifier\ %s\ on\ attribute\ %s\ for\ entity\ %s\ is\ %s=The modifier value is %s attribute %s device %s ji %s -Dottyback=Dottyback -Nether\ Wasteland\ Temple\ Spawnrate=In The Desert, The Wilderness, The Temple, The Spawnrate -Onion\ Seeds=Onion Seeds -Parrot\ murmurs=Parrot rookwolken -Cyan\ Redstone\ Lamp=Jasnoniebieski Redstone -Blue\ Base=Base Color Azul -Purple\ Elevator=Purple Color Lift -Blue\ Wool=The Blue Hair -Leather\ Strap=Leather Belt -Shift\ +\ Right-Click\ to\ select\ as\ parent;=By pressing a combination of keys Ctrl + Shift + right to select the parent; -Large\ Tent=The inside of the tent -Interactions\ with\ Beacon=Interaction with the Beacon -Zoom=To increase -Small\ Pile\ of\ Copper\ Dust=A Small Handful Of Powder Of Copper -Red\ Chevron=Sedan, Red, -Vibranium\ Hammer=The Vibranium Hammer -Frequency\ Transmitter=The Frequency Of The Emission -Restock\ Hotbar=Fill Panels -Potted\ Indian\ Paintbrush=In The Cup, Instagram -Future\ Transformer=Idnint Transformer. -Energy\ Stored=Energy-Saving -Ravager\ bites=Reaver \u057E\u0580\u0561 -Uvarovite\ Dust=Uvarovite Toz -Mushroom\ Stew=The Mushrooms In The Sauce -Lush\ Redwood\ Clearing=Redwood \u00C0mplia Bretxa -Yellow\ Base\ Indented=Yellow Database Fields -Red\ Inverted\ Chevron=Red, Sedan, Or -Sponge=Svamp -Lapis\ Lazuli\ Ore=Lapis Lazuli Lapis PM -Click\ on\ slot\ to\ configure.=To set up the socket, press Enter. -Mushroom\ Stem=The Mushroom Stem -\ (Modded)=\ (Mod) -Turns\ into\:=Back to\: -Potion\ Crystal=Elixir Crystal -Butcher\ works=On the part of the work -Netherrack\ Ghost\ Block=The Spirit And The Lower Stand Unit -Giant\ Spruce\ Taiga=A Huge Tree \u0422\u0430\u0439\u0433\u0430 -White\ Bordure\ Indented=Version Of The White, And The Edge Of The -Brown\ Pale\ Sinister=Brown, To The Poor The Worst -20\ Minecraft\ ticks\ are\ equals\ 1\ \ \ Second.=20 Minecraft paparra, com a m\u00EDnim 1 seg. -Structure\ Size=Dimensions In A Context Of -Failed\ to\ Go\ to\ Page\:\ %1$s=Failed to log in to the page\: %1$s -Copied\ location\ to\ clipboard=To be copied to the clipboard -Dark\ Oak\ Table=Dark Wooden Table -Light\ Gray\ Base=Light Grey Base -%sx\ Pickle=%sx x x x x x x x x x x x x x x x x x x x x x x x x x x x x x x -Light\ Gray\ Wool=Grey Wool -Gray\ Base\ Sinister\ Canton=Gray Base Sinister Canton -Game\ paused=To stop the game -Netherrack\ Glass=Hell Stone, Glass, -%1$s\ drowned\ whilst\ trying\ to\ escape\ %2$s=%1$s as a result of drowning when trying to save %2$s -Cyan\ Gradient=Blue Gradient -Note\:\ When\ set\ to\ 0,\ Vanilla\ Dungeons\ spawns\ again.=Note\: When this option is set to "0", the Vanilla Dungeons, I can give birth again. -Scorched\ Sign=Branden -biomes\ that\ other\ nether\ temples\ won't\ fit\ in.=the ecosystem of the rest of the temple is inappropriate. -%1$s\ went\ off\ with\ a\ bang\ whilst\ fighting\ %2$s=%1$s he was "alive" during the battle %2$s -Meteor\ Stone\ Slab=A Meteorite Stone Slab -Green\ Stained\ Glass=Yesil Vitrais -Sakura\ Log=Sakura Magazine -Red\ Stained\ Glass=Red The Last -Endstone\ Dust=Boeni -Bad\ Luck=Not make for a bad chance -Brown\ Concrete\ Camo\ Door=Brown Special Camo On The Door -Dark\ Glass=The Dark Crystal -Polished\ Granite\ Pillar=Pillars Of Polished Granite -Wheat=Wheat -Collect\:\ Purpur\ Lantern=Fee\: Purpur Lu\u010D -Japanese\ Maple\ Sign=Japoneze Panje Tab -Fir\ Kitchen\ Counter=Spruce Tops -Industrial\ Grinder=Pramyslovy Plant -Enchantment\ Formula=The Magic Formula -Burnt\ Food=Burnt Food -Mushroom\ Party\!=Gobe Praznik\! -Default\ Teleport\ Command=By Default, The Correct Command Can Cause -HUD\ Mode=Mode of operation\: skin -Scrolled=Over the -Quadruple\ Warped\ Drawer=Four Drawers Krzywy -Escape=Summer -Posts=Messages -Failed\ to\ Assign\ an\ Alternative\ Icon\ for\ Asset\ Name\ "%1$s",\ using\ Default/Randomized\ Icon\ "%2$s"...=You Do Not Specify An Alternative Icon For The "Product Name",%1$s"use default/icon" randomized "%2$s"... -Hidden\ in\ the\ Depths=Hidden in the Depths -Accept=Accept it -Sandy\ Brick\ Wall=Sand, Brick Walls -Industrial\ Chainsaw=Industrial Sawmills -Brown\ Per\ Bend\ Sinister=Brown On The Fold Of The Sinister -Crimson\ Kitchen\ Counter=Functional Kitchen, Tailored -Tater\ Hammer=Tater e Hammer -Yellow\ Concrete\ Glass=The Yellow-And-Concrete-And-Glass -Chiseled\ Stone\ Bricks=Engraved Stone, Brick -Scorched\ Trapdoor=The Burning Of The Door Of -&modcount&\ Mod(s)=&modcount, Mody, i(F) -Yellow\ Globe=Yellow World -Adamantium\ Crook=The Adamantium Is A Fraud -Willow\ Platform=The Foundation Of The Series\: -Rainbow\ Lamp=Rainbow Light -Wood\ to\ Diamond\ upgrade=The za diamond nadgradnjo -Verbose\ Logging=Detailed Records -Toggle\ death\ message=Change the death message -Traveller\ Ring=The Passenger Ring -Builders\ Ring=Builder -Pink\ Futurneo\ Block=Pink Block-Futurneo -Place\ a\ generator=Place generator -Display\ Hostile\ Mobs=Screen Hostile Mobs -Iron\ Horse\ Armor=Zhelezniyat Con Armor -Orange\ Table\ Lamp=Table Lamp-Orange -Crop\ planted=The crops to be planted -z\ position=The Z-position -World\ map\ needs\ confirmation\!=The map needs to be strengthened\! -Lime\ Glazed\ Terracotta\ Ghost\ Block=They Do Block, Tile, Lime -Warped\ Kitchen\ Counter=\u0418\u0441\u043A\u043E\u0432\u0435\u0440\u043A\u0430\u043D\u043D\u044B\u0439 The Table In The Kitchen -Tortilla=Tortilla -Invert\ Mouse=Do -Orange\ Stained\ Glass=Glass Of Orange -Toggle\ Chunk\ Grid=The Shift To Network-Byte -Forest=I Skogen -Gray\ Concrete=Grey Concrete -Volcanic\ Rock\ Stairs=Vulkanski Carpi, By Scully -Ominous\ Banner=The Sinister Name -Obtainable\ by\ breaking\ a\ Shrub,\ and\ used\ to\ plant\ cucumber\ crops.=The bill, the breaking into, and shall be used for the production of the cucumber crops. -Cyan\ Flower\ Charge=Blue Flower Free -Fluid\ Type\:=Media Type\: -Nether\ Star=Under The Stars -Z-A=S -Absorption=We -Golden\ Horse\ Armor=Golden Horse Armor -When\ in\ main\ hand\:=However, if it is\: -%1$s\ was\ skewered\ by\ %2$s=%1$s he was stabbed to death in %2$s -Leather\ Boots=Leather boots -Granite\ Stairs=Stairs Made Of Granite -Down\ Arrow=Pil Ned -Expired=Date -Click\ to\ start\ your\ new\ realm\!=Click here to start the new world. -Light\ Gray\ Base\ Indented=Light Gray Base Indented -Lime\ Chevron=Lime Chevron -Hide\ tooltip\ while\ the\ player\ list\ is\ open=For the cover, so that, as a result it has not been opened -Rainbow\ Rainforest=Along The Forest -Diamond\ to\ Obsidian\ upgrade=Diamond, obsidian update -Selector\ not\ allowed=The defense is not allowed, -Magenta\ Chief\ Indented=The Primary Transfer Of The Magenta -Red\ Patterned\ Wool=The Red Model Of The Villa -Lit\ Red\ Redstone\ Lamp=It Glows Red Because The Red Stone Lamps -Marshmallow\ on\ a\ Stick=The chocolate picture -Special\ Drops\ on\ Christmas=Special drops for Christmas -Blue\ Saltire=Blu Saltire Me -Rubber\ Wood\ Slab=Rubber, Wood, Slate, -No\ force\ loaded\ chunks\ were\ found\ in\ %s=No, they have not been loaded, the objects have been found in %s -Wall\ Torch=The Walls Of The Flashlight -Can't\ connect\ to\ server=Do not know how to connect to the server -Unable\ to\ save\ structure\ '%s'=No management structure '%s' -Prismarine\ Circle\ Pavement=Prismarine Circle Of The Sidewalk -Nether\ Brick\ Wall=A Nearby Wall -Drowned\ steps=He fell on the steps -Turtle\ baby\ shambles=Boy chaos turtle -Accessibility\ Settings...=The Availability Of Settings,... -Spectral\ Arrow=Spectral Arrow -%s\ +\ %s=%s + %s -Enderman\ hurts=Loches Enderman -Gunpowder=The dust -CraftPresence\ -\ Select\ a\ Biome=CraftPresence - V\u00E4lj En Biome -Potion\ of\ Poison=Napoj Strup -How\ rare\ are\ Badlands\ Villages\ in\ Badland\ biomes.=As is rarely the steppe sit more experiences. -Industrial\ Storage\ Unit=Industrial Shed -Buried\ Treasures=Lobes -Fast\ graphics\ reduces\ the\ amount\ of\ visible\ rain\ and\ snow.\nTransparency\ effects\ are\ disabled\ for\ various\ blocks\ such\ as\ tree-leaves.=Fast graphics, it reduces the size of the sum shows up in rain and snow.\nTransparency-effect disable various blocks, for example, the leaves of the trees. -Galaxium=Galaxium -The\ server\ might\ have\ disabled\ some\ of\ the\ mod\ features.=The Server can be turned off by some of the mod options. -Hazel\ Leaves=The Listat Hazel -Quartz\ Bricks\ Glass=Quartz Movement, Brick, Glass -Text\ Field\ Modifications=The Text On The Fixed Wheel -Block\ of\ Iridium=A Block Of Iridium -Survival\ Island=Survival Island -%s,\ %s,\ %s=%s, %s, %s -Rubber\ Kitchen\ Sink=The Rubber Of The Cuina'aig\u00FCera -Vines=Grapes -REI\ is\ not\ on\ the\ server.=REI-chan is not on the server. -Gray\ Bright\ Futurneo\ Block=Gray Brilliant Blog Futurneo -Full=So far -Black\ Flower\ Charge=Black-Price - -Assembling\ Machine=Our Car -Small\ Shrub=A Small Patch Of -Potted\ Acacia\ Sapling=Acacia Cuttings In Pots -\u00A77\u00A7o"Attendee's\ cape\ of\ MINECON\ 2013."\u00A7r=\u00A77\u00A7o"The participants MineCon Cape 2013".\u00A7r -Nether\ Shovel=Billet Blade -Cleared=Closed -Brightness=The brightness -Parts=Some of the -Yucca\ Palm\ Button=The Clau, Yucca Palm Tree -An\ interface\ displaying\ information\ about\ the\ living\ entity\ that\ you\ are\ pointing\ at\ including\ players.=Interface to display information on a living creature, you can create your own players. -Willow\ Pressure\ Plate=Willow Drive, -Same\ as\ Survival\ Mode,\ locked\ at\ hardest=The same, as in the survival mode, closes heavy -Ring\ of\ Water\ Breathing=The Ring Of Water Breathing -Orange\ Berries=Orange, Strawberry -Demonic\ Flesh=Demonic Body -Default=For Parasurama -Display\ Game\ Time=- Display Of The Season -Client\ outdated=The customer from the date of the -Scroll\ Step=Not -Soaked\ Brick\ Slab=The Soaked Bricks The Board -Checking\ for\ valid\ MCUpdater\ Instance\ Data...=Proof load-admissible (for example, data mcupdate products... -Online\ wiki=The Online Site -A\ chopped\ food\ item\ which\ is\ more\ hunger-efficient\ than\ a\ whole\ onion.=Pieces of food that she's already hungry-more than the entire bow. -Custom\ Splashes\ Mode\:=The Message Of The Season\: -Black\ Glazed\ Terracotta\ Glass=The Color Is Black, The Brightness Is Of A Terra-Cotta Bottle -Redstone\ Torch=Flare -Clay=Dirt -Optionally,\ select\ what\ world\ to\ put\ on\ your\ new\ realm=The world, the new world, and all you have to do it. -Craft\ wooden\ planks=The ship boards -Enderman\ Spawn\ Egg=Enderman Spawn Egg -Lingering\ Potion\ of\ Slowness=The Long-Term Portion Of The Slowdown In -Purpur\ Block=Purpur-Block -Magenta\ Concrete\ Ghost\ Block=Little, Of An Authorisation Of The Entity, -Jump\ to\ page\ %s=Go to the page %s -Nether\ Crook=At The Bottom The Villain -Snow\ Golem\ dies=Snow Golem die -Dark\ Mode=The Way Out Of The Black -Custom\ bossbar\ %s\ has\ %s\ players\ currently\ online\:\ %s=Bossbar user %s this %s i dag, online spill er\: %s -Nothing\ changed.\ The\ player\ is\ already\ banned=Nothing much has changed. The player was already banned -Allows\ CraftPresence\ to\ remove\ Color\ and\ Formatting\ Codes\ from\ it's\ translations=CraftPresence makes it possible to eliminate the color and also the development of methods for the children -Nitrodiesel=Nitrodiesel -Cyan\ Fess=Cyan Ink -Not\ Set=It Is Not Specific To The -Server\ MOTD\ to\ default\ to,\ in\ the\ case\ of\ a\ null\ MOTD\\n\ (Also\ Applies\ for\ Direct\ Connects)=The Server motd from the default, and, in the case of the zero-the gate.\\it is also a direct link) -Are\ you\ sure\ that\ you\ want\ to\ uninvite=Da Li STE Sigourney gelite Yes Yes call -Orange\ side\ means\ output.=On the orange side, so that there is a way out of this situation. -Treetap=Treetap -The\ Parrots\ and\ the\ Bats=Parrots and bats -End\ Crystal=At The End Of The Crystal -Brown\ Beveled\ Glass=Brown Bevelled Glass -Squid\ shoots\ ink=The octopus will shoot ink, -Redwood\ Drawer=Redwood Okno -%s\ Thruster=%s Engines -Zombie\ Villager\ hurts=Pain-Zombie Villagers -Stone\ Pickaxe=Stone Peak -Language=Language -Gold\ Furnace=Gold In The Furnace -Delete=Euroopa -Green\ Bordure=Mars Has -Wood\ to\ Gold\ upgrade=Wood into Gold, and, in order to improve the -\u00A7eYou\ need\ to\ visit\ this\ dimension\ first\ to\ convert\ it\ to\ the\ new\ format\!=\u00A7eYou can visit this game, the first convert of the new format\! -Infested\ Cobblestone=Walk On The Sidewalk -Min\ Y\ height\ of\ Mineshaft.\ Default\ is\ 30.=Protocol m height of the shaft. The default value is 30. -Right\ Control=Right Management -Brown\ Base\ Sinister\ Canton=Brown Canton Sinister Base -SCAR-H=SCAR-H -Cannot\ build\ a\ bridge\ to\ the\ same\ position=You can build a "bridge", which is the same position -Crystal\ Plant=Crystal Herbs -Search\ Filter\ in\ Favorites\:=You can filter the search to your bookmarks\: -Zombie\ Villager\ Spawn\ Egg=Zombie-Resident Of The Spawn Eggs -River=River -Hello,\ world\!=Hola, m\u00F3n\! -Stars\ Block=Star Blok -Fire\ Coral\ Fan=Fire Coral Fan -Close\ realm=Luk websted -Purple\ Futurneo\ Block=\u039C\u03C9\u03B2 Blog Futurneo -Bottom-Right=The Bottom Right Corner -Incompatible=Incompatible -Mars\ Essentia=In March Or -Left\ Shift=Left -Ruby\ Helmet=Ruby Casca -High\ Coniferous\ Forest=High Pine Forest -Dandelion=Dandelion -Toggles\ automatic\ capitalizing\ of\ words\ and\ general\ formatting\ with\ strings=Shift the automatic use of words, and the General layout of the strings -Reading\ History=Read The Story -Hoglin\ growls\ angrily=Have hogla in anger scolds -Lime\ Stone\ Bricks=Stone, Lime, Bricks, -Large\ Rows=The Main Directions -Block\ %s\ does\ not\ accept\ '%s'\ for\ %s\ property=The device %s I don't accept,'%s of %s real estate -Load\ Anyway=The Task In Each Case -Lantern\ Block=Flashlight Glasses -Oak\ Chair=The Chairs Are Made Of Solid Oak -Taiga\ Edge=Taiga Qarkut -Potted\ Red\ Tulip=A-Pot-Red-Daisy -Quadruple\ Crimson\ Drawer=A Box Of Four In The World -%1$s\ was\ struck\ by\ lightning=%1$s he had been struck by lightning -Orange\ Per\ Fess\ Inverted=Portokal At Fess Prevrteno -Please\ make\ a\ selection=Please make your selection -Default\ Value\ is\ missing\ for\ Property\ "%1$s",\ Adding\ to\ Property...=The main value of the missing property "%1$s"In addition to the front of the property... -Fuel=Fuel -Wooden\ Pickaxe=The Forest Of The Fall -Disable\ default\ auto\ jump=Turn off the default, it will automatically switch to -Smoky\ Quartz\ Ore=Smoky Quartz Mineral -Gray\ Terracotta=Slate Grey, Terracotta -Tall\ Blue\ Bellflower=De Blue Bell -Cyan\ Base=CYANOGEN based -Purple\ Asphalt=Red Street -Lava\ Bucket=Spaini Lava -Cyan\ Wool=The Blue Wave -Dead\ Tube\ Coral\ Wall\ Fan=Dead Pipe Coral, Wall Fan Ventilation -Min\ WP\ Draw\ Dist.=Min-DEGREE, is the draw distance. -Expected\ literal\ %s=Don't expect a change in the %s -Light\ Blue\ Beveled\ Glass\ Pane=Blue Glass, Beveled -Sand\ Camo\ Door=The Sands Of The Camo Doors -Slot\ Highlight=Slot, Then Select -Enable\ Per-Entity\ System=This Allows The System Of The Company -Yellow\ Futurneo\ Block=The Yellow Futurneo Group -Save=Save -You\ have\ %s\ new\ invites=Its %s new calls -Brewing\ Stand=The Company's Products Stand -Prevents\ other\ players\ from\ breaking\ your\ trading\ stations.=He does not allow other players of the bypass from station trading. -Crimson\ Roots=The Strawberry, The Raspberry, The Base Of The -How\ rare\ are\ Jungle\ Fortresses.=It is rare in the Jungle, Strong as well as. -Sheep\ Spawn\ Egg=Get The Spawn Eggs -BROKEN\ ASSETS\ DETECTED=OF THE UNPRODUCTIVE ASSETS WHICH HAVE BEEN IDENTIFIED -Rainbow\ Eucalyptus\ Kitchen\ Cupboard=Rainbow Eucalyptus Kitchen Cabinets -Yellowtail\ Parrotfish=Yellowtail Papagal -Advanced\ Circuit\ Recipe=Advanced Prescription Scheme -Entity's\ y\ rotation=Q is a rotation of the object -The\ user\ becomes\ immune\ to\ Levitation,\ Slow\ Falling=The user gains the immunity, without visible means, drop -Max\ Energy=Maximum Energy -Failed\ to\ load\ or\ save\ Configuration=Settings error occurred during charging or maintaining -Expired\ realm=To finish the Kingdom -Red\ Sandstone\ Bricks=Red Brick, Sandstone -Light\ Gray\ Per\ Fess=Light Gray Fess -Sakura\ Button=Sakura Su -Processing=In the treatment of -Netherite\ Hammer=Netherite Hammer -Block\ of\ Endorium=Unit Endorium -Sort\ the\ entities=The principle of sorting -Bamboo\ Planks=Bamboo Board -Open\ scrap\ boxes\ automatically=Drawers can open with a lever, automatically -Zombie\ Villager\ vociferates=Zombie-\u03BA\u03AC\u03C4\u03BF\u03B9\u03BA\u03BF\u03C2 vociferated -Yellow\ Berry\ Pie=Yellow Berries Cake -\u00A7eUse\ while\ crouching\ to\ craft\u00A7r=\u00A7eUse the ducking boat\u00A7r -Closing\ GUI\ will\ no\ longer\ drop\ the\ item\ that\ holding\ by\ the\ cursor=Closing the GUI does not release the object until the cursor is in -Acacia\ Sign=Black Locusts, It Is A Sign -Unconditional=Treatment -Wooded\ Sakura\ Hills=Forest-Clad Hills, The Flowers, The -You\ are\ in\ different\ dimension.=It is possible that for a different size. -Splits\ products\ into\ their\ byproducts\ through\ electrolysis=Shares products on its own, obtained by electrolysis -Tall\ Birch\ Hills=Birch, High Mountain -\u00A75\u00A7oA\ tasteful\ Levantine\ dish\ (Kibbeh)=\u00A75\u00A7oGraceful and elegant, food Levantine kibbeh) -\u00A7bCheating\ Enabled\ (Using\ Commands)=\u00A7bBedrageri (Som Hold) -Entities\ between\ z\ and\ z\ +\ dz=Unit, and between z and z + dz -Yellow\ Table\ Lamp=Yellow Table Lamp -Message\ to\ display\ in\ Rich\ Presence\ when\ using\ Vivecraft=A message will be displayed in the view, using the Vivecraft -Set\ the\ world\ border\ damage\ to\ %s\ per\ block\ each\ second=Damage to the nerves in the world is set %s seconds of the block -(no\ connection)=(no link) -Gadgets=Accessories -Chorus\ Fruit=Shell E Frutave -\u00A74\u00A7oMultiple\ rings\ enabled=\u00A74\u00A7oA few flowers active -End\ Portal\ Frame=The Final Picture Of The Portal -Spawn\ phantoms=Spawn duhova -A\ Strong\ Pick=A Strong Revival -Crimson\ Barrel=Crimson Barrel -Crimson\ Wart\ Block=\u041C\u0430\u043B\u0438\u043D\u0430 Wart Blocks -Hoe\ tills=Robs -Block\ of\ Cookie=Block cookies -Yellow\ Cross=Yellow Cross -A\ Balanced\ Diet=A Well-Balanced Diet -Dolphin\ hurts=The dolphin won't hurt -Bricks\ Camo\ Trapdoor=Tijolo De Camo Hatch -Light\ Gray\ Per\ Bend\ Inverted=Light Grey \u0421\u0433\u0438\u0431 Upside Down -Hoglin=Hoglin -\u00A7cOverflow=\u00A7cLanding -Orange\ Topped\ Tent\ Pole=Orange Is Crowned With A Tent-Pole -Craft\ copper\ cable\ insulated\ with\ rubber=The copper cables of the craft, with the insulation and rubber -Upper=Top -Black\ Gradient=The Curve In Black -Yellow\ Chief\ Dexter\ Canton=Gul, Kapital-Distriktet, Dexter -Allow\ CraftPresence\ to\ render\ Hover\ Tooltips\ (when\ available)=CraftPresence (if you have one), you could create a Hover tool-tip -Keybinding\ while\ holding\ item=In a nutshell, keep things -Materials=Material -Parrotfish=In The Morning -Customize=Custom -Automatic\ saving\ is\ now\ disabled=Auto-registration is disabled -Decoration\ Blocks\ \u00A73(Blockus)=Decorative Tiles \u00A73(Blockus) -Brown\ Glazed\ Terracotta\ Camo\ Trapdoor=Brown Glazed Ceramic Roof-Sliding Roof -Scorched\ Fence=About Scorched -Open\ Config\ Screen\n\u00A77Shift-Click\ to\ toggle\ cheat\ mode=Open The Config-Screen\n\u00A77Shift-Click to activate cheat mode -Grants\ Luck\ Effect=It Gives A Good Result -Enable\ smoothing=This you can easily -Custom\ bossbar\ %s\ has\ changed\ color=A custom bossbar %s we have changed the color -%s\ has\ made\ the\ advancement\ %s=%s to make progress %s -Enable\ Join\ Requests=In Order To Enable The Join Requests -Cartographer\ works=Qatar is working -Villagers\ restock\ up\ to\ two\ times\ per\ day.=Residents reconstruction twice a day. -Peridot\ Dust=Peridot And Dust -Display\ Item=Check Out The Article -Note\:\ Mossy\ Stone\ Bricks\ block\ cannot\ be\ infested.=Note\: a Stone, a Brick, covered in moss, wedding rings can also be contaminated. -Switched\ to\:=\u00C7elik -Notification\ Settings=In The Notification Settings -Output\ Rate=The Exit Speed -United\ States\ Wing=American Dravi In America And In Krilo -Beacon\ activates=Particles of light, to activate the -%1$s\ was\ shot\ by\ %2$s=%1$s it was a hit %2$s -%s\ has\ %s\ tags\:\ %s=%s is %s bookmarks\: %s -Light\ Blue\ Inverted\ Chevron=Light Blue Inverted Sedan -F3\ +\ A\ \=\ Reload\ chunks=F3 + O \= Reload piese -Jungle\ Mineshaft=My Jungle -Tanned\ Leather\ Pouch=Brown Leather Bags -Now\ playing\:\ %s=Plays\: %s -Spectate\ world=Look At The World -%s\ has\ %s\ experience\ points=%s it is not a %s Erfaring poeng -Chiseled\ Soul\ Sandstone=Given, Shower Tile -Video\ Settings...=The Settings For The Video, Etc. -Sulfur=Sulfur -Chainmail\ Leggings=Coat Of Mail; And -Yellow\ Rune=Yellow No -Painting\ breaks=The image breaks -Slide\ In\ From\ Bottom\:=The Presentation Below\: -Holographic\ Connector=Holographic Clutch -Blue\ Terracotta\ Camo\ Trapdoor=Blue And Terracotta Camo Hatch -Chiseled\ Lava\ Polished\ Blackstone=The Lion, Carved Out Of Polished Blackstone -Andesite\ Dust=Andesite St\u00F8v -Spruce\ Slab=Gran Boards -Hex\ Code\:=A Hexadecimal Code Is\: -Fortune=Good luck to you -Ravager\ hurts=With regard to will be sick -Fir\ Leaves=COME, Let -\u00A76\u00A7lJoin\ Request\ Accepted\!\ %1$s\ has\ been\ sent\ an\ Invite\!=\u00A76\u00A7lAccepted Application To Join\!\!\! %1$s goes call\! -White\ Shield=White Screen -Sand=The sand -Lime\ Creeper\ Charge=Of The Lime, The Vine-Free -Hemlock\ Wood\ Slab=Hemlock The Wood Of The Ship -Craft\ a\ basic\ solar\ panel=The basis of the use of solar panels -Iron\ Crook=The Iron Is A Villain -Disable\ death\ message=Outside the message of death -Advance\ in-game\ time=In advance of game time -Secondary\ Color\:=The Color\: -Expected\ list,\ got\:\ %s=It is expected that there was one from the list\: %s -Entity\ %s\ has\ no\ loot\ table=The substance %s table rescue -Red\ Color\:=Red Color\: -Brown\ Creeper\ Charge=Brown, The Free -Invalid\ session=Session invalid -\u00A77\u00A7o"billyK_\ owns\ this\ cape.\ We\ owe\ him\ for\ the\ turtles."\u00A7r=\u00A77\u00A7o"billyK_ yourself with this cape. We have an obligation to do so, is that a turtle".\u00A7r -Diamond\ to\ Netherite\ upgrade=Back to the upgrading of the Netherite -Dead\ Tube\ Coral\ Block=The Dead Tube, And The Barrier Block -Subspace\ Bubble=Subspace \u0553\u0578\u0582\u0579\u056B\u056F\u0568 -Fishing\ Rod=Auction -Japanese\ Maple\ Kitchen\ Sink=The Japanese Maple In The Kitchen Sink -Rabbit\ hops=The rabbit jumps -Cyan\ Concrete\ Camo\ Trapdoor=Layer Of Blue Plastic-Hatch -Blue\ Paly=Plavo-Siva -Exported=Export -\u00A75\u00A7oA\ magical\ lasso\ that\ hold\ monsters=\u00A75\u00A7oThe curtain of the magic that keeps the monster -Terracotta\ Camo\ Door=Ceramic Door Camo -F3\ +\ F\ \=\ Cycle\ render\ distance\ (Shift\ to\ invert)=\u04243 + F \= cycle distance from the work (the transition to the \u0438\u043D\u0432\u0435\u0440\u0442\u043D\u044B\u0439) -Gui\ Messages=Graphical User Interface-Messages -Foreign\ bodies\ found\ cruising\ through\ interstellar\ space,\ in\ rings,\ clusters\ and\ many\ other\ formations;\ said\ to\ contain\ large\ quantities\ of\ $(thing)$(l\:world/asteroid_ores)ores$().=The Alien body was found a fly in it. the room, rings, and groups, as well as many other formations, contains a large number of $(So)$(l\:world/asteroid_ores mineral de ferro$(). -Purple\ Rune=Purple Is -Red\ Creeper\ Charge=The Cost Of The Red Creeper -Salt=Sol -Sky's\ the\ Limit=The sky is the limit -White\ Concrete\ Powder=The White Cement Powder -Gold=Gold -Blue\ Pale=Light blue -Diamond\ Helmet=The Diamond Helmet -Small\ Soul\ Sandstone\ Bricks=A Little Bit Of Soul, Brick, Stone, Sandstone -The\ limit\ per\ each\ entity\ category.=The limit for each category of people. -Potion\ Status=Drink Status -Fir\ Stairs=They Eat The Stairs, -Charged=He added -Select\ Server=Select The Server -Format\ Words=Words -Destroy\ Item=Blast The Dots -Toggle\ Free=Free Of Charge Hair Dryer -Orange\ Pale\ Dexter=Amber Dexter -Globe=Svet -Interactions\ with\ Brewing\ Stand=The interaction with the beer Stand -Unmarked\ all\ force\ loaded\ chunks\ in\ %s=Anonymous, all the power is loaded into bits and pieces %s -Spruce\ Barrel=Let's Barrel -Disabling\ data\ pack\ %s=You can close the data packet %s -Ender\ Shard=Ender Fragment -Removed\ %s\ items\ from\ player\ %s=Ukloniti %s the items the player has %s -Gold\ to\ Netherite\ upgrade=Gold to increase Netherite -Light\ Gray\ Paly=Light Gray Satellite -Pink\ Per\ Bend\ Inverted=Increase Of The Bending Of The Vice Versa -Japanese\ Maple\ Log=Japanese Magazine Maple -Snowy\ Beach=Snow On The Beach -Magenta\ Stone\ Bricks=Purple Stone, Brick -Shrinking\ the\ world\ border\ to\ %s\ blocks\ wide\ over\ %s\ seconds=The fall of the world border %s the blocks %s seconds -Disable\ Block\ Breaking\ Cooldown=In Order To Disable The Recovery-Block-Break -Light\ Gray\ Pale=Light Gray, Light -Rowing=Rowing -Cyan\ Shield=Blue Shield -Horse\ hurts=Horse-this is a very bad -Purpur\ Stairs=The stairs -Vacuum=Vacuum -Hunger\ Notification=The Notice Of The Hungry -White\ Topped\ Tent\ Pole=White Frame -Caching\ is\ recommended\ if\ the\ reach\ is\ above\ 16\ or\ if\ you\ are\ running\ on\ a\ potato.=The cache memory is recommended if the distance is more than 16 years of age, or if you must have potatoes. -Displaying\ particle\ %s=The shape of the particles %s -Snowy\ Kingdom=Snowy Kingdom -Dark\ Oak\ Kitchen\ Counter=Dark Oak Kitchen Table -Stripey=Striped -Could\ not\ set\ the\ block=I can't come -Debug\ Information=The Details Of The Debug -Exit\ Minecraft=Stop -Prevent\ Close\ Gui\ Drop\ Item=To Avoid the Closure of the Drop Point GUI -Whether\ to\ use\ custom\ texture\:=It is also possible to use custom textures\: -Unknown\ advancement\:\ %s=An unknown bonus %s -Black\ Chief\ Sinister\ Canton=Central Black Sinister Canton -Pig\ oinks=Pig oinks -Thrown\ Ender\ Pearl=Thrown Ender Pearl -Left\ Control=Levi Check Out -Acacia\ Coffee\ Table=Coffee Table Acacia -In-game\ Waypoints=Spillet -Dead\ Fire\ Coral\ Fan=Of The Dead Fire-Coral Fan -Logging\ in...=The session... -Locked=Locked -Peridot\ Hoe=Peridot Hacke -Not\ Quite\ "Nine"\ Lives=It Is Not Enough, "The Nine" Of Life -Filter\ using\ search\ filters.=The filter for the search. -Fletcher=Fletcher -???=??? -Drain=Stoke -CraftPresence\ -\ Edit\ Item\ (%1$s)=CraftPresence - "Edit Object" (%1$s) -Created\ debug\ report\ in\ %s=Made from a relative of the well %s -Donkey\ eats=Thus, -%1$s\ was\ blown\ up\ by\ %2$s=%1$s it exploded %2$s -Magenta\ Flat\ Tent\ Top=Purple Top Plane Tent -%1$s\ was\ struck\ by\ lightning\ whilst\ fighting\ %2$s=%1$s he was also struck by lightning during the battle %2$s -Hammer\ Durability\ Modifier=The Horn In The Auction Is For A Change -Blackstone\ Ghost\ Block=One Unit, The Spirit -Thermal\ Generator=Heat-Producing Appliances -Sweeping\ attack=Fast -Lapis\ Dust=Lapis Dust -Acacia\ Pressure\ Plate=Bagrem Pp -Brown\ Glazed\ Terracotta\ Ghost\ Block=Brown In Color With A Glossy Finish On The Stove In The Mind That Block -Sakura\ Trapdoor=It is their castle -Missing\ selector\ type=Missing type selection -\u00A77\u00A7odrop\ a\ black\ feather?"\u00A7r=\u00A77\u00A7oyou will receive a black pen?"\u00A7r -Length\ too\ long\!\ Current\ '%s',\ max\ '%s'=If a very, very long time. Current%s'Max '%s' -Small\ Pile\ of\ Lead\ Dust=A Small Pile Of Lead Dust -Univite\ Axe=Univite Axe -Dead\ Horn\ Coral=Died In Cape Coral -Allows\ CraftPresence\ to\ utilize\ Commands\\n\ (Enables\ Command\ Gui\ in\ Main\ Config\ Gui)=CraftPresence the commands of the graphical user interface (GUI Configuration, to the reading of the\\n allows the use of the -Diorite\ Brick\ Stairs=A Key, A Brick, Wooden Stairs, Stairs -Selected\:\ %s=Selected\: %s -Alarm=Alarm clock -Potted\ Saguaro\ Cactus\ Sapling=Potitaimed Saguaro Kaktus Seemikud -Blue\ Thing=Something Blue -Blue\ Shulker\ Box=Blue Type Shulker -Registry\ Name=The Name Of The Log -Size\:\ \u00A76Large\u00A7r=Size\: \u00A76Large\u00A7r -Oak\ Barrel=Soap From The Hut -Bee\ buzzes=In the buzzing beer -Pumpkin=Pumpkin -Open\ Backpack=To Open The Backpack -Bryce\ Tree\ Sapling=Bryce Wood, Wood -Can't\ schedule\ for\ current\ tick=You can design the layout of the current offerings -Quick\ Item\ Use=Quick Details Usage -The\ HUD\ position\ of\ a\ pinned\ note.\ Possible\ positions\:\ top_left,\ top_right,\ center_left,\ center_right,\ bottom_left,\ bottom_right=The condition of the skin with a needle scrap. Perhaps the position on the spot, top_right, center_left, center_right, bottom_left, bottom_right -Revoked\ the\ advancement\ %s\ from\ %s\ players=Cancel company %s so %s players -Open\ held\ Shulker\ Box=The opening took place Shulker Field -Not\ a\ valid\ number\!\ (Double)=This is not the right number\! (Dual), -Is\ mod\ enabled\:\ %s=This mod includes the following\: %s -Successfully\ exported\ resources\!=Success from the export of resources\! -Ogana\ Plant=Oga Would The Plants -Incomplete\ (expected\ 2\ coordinates)=Incomplete (planned 2, the coordinates of this) -Note\ Blocks\ Tuned=Custom Blocks -Tiny\ Bird\ Wing=The Tiny Wings Of The Sparrow -x\ position=in the case of X -Movement=Move -Disabled=Off -Water\ Lakes=The Water In The Lake -Flattens\ stuff,\ especially\ useful\ for\ coils=Pisa things, and especially useful for coil -Spruce\ Cutting\ Board=Pine Edged Boards -%s\ is\ locked\!=%s it's locked\! -Diorite\ Stairs=Diorite Laiptai -Long\ must\ not\ be\ more\ than\ %s,\ found\ %s=For a long time, it's not much more to it than that %s you don't have been found %s -Corn\ Kernels=Corn -Rubber\ Fence\ Gate=The Rubber Seal On The Door -Hamburger=Burger -Switching\ world...=The rest of the world does -Copied\ server-side\ block\ data\ to\ clipboard=Copy server-side blocks of information to clipboard -Netherite\ Crook=Netherite Cook -Bamboo\ Ladder=Bamboo Ladder -Wolf\ shakes=Related -Realms\ could\ not\ be\ opened\ right\ now,\ please\ try\ again\ later=The person is not able to open it now, try it again at a later time -Small\ Pile\ of\ Peridot=Small Bouquet Of Od Peridot -Only\ whole\ numbers\ allowed,\ not\ decimals=It can only be in whole numbers without any decimal places -Machine\ Parts=Machine parts -Flashy\ Furnace=The Draw Of The Furnace, -Message\ to\ use\ for\ the\ &ign&\ General\ Placeholder\ in\ Presence\ Settings\ and\ the\ &playerinfo&\ Placeholder\ in\ Server\ Settings\\n\ Available\ Placeholders\:\\n\ -\ &name&\ \=\ Your\ Username=Please note that the use of the &ign& General site character mode Settings &playerinfo& is a placeholder Server Settings\\n available placeholders\:\\ \\ n &name& \= your user name -White\ Snout=At The Top Of The Head, White In Color -Break\ your\ way\ into\ a\ Nether\ Fortress=Smash your way into a Fortress is a Nether -%1$s\ was\ shot\ by\ a\ %2$s's\ skull=%1$s he was killed by and %2$sthe back of his head, -Default\:\ %s=Standard\: %s -Potatoes=Her -Better\ grinding\ of\ items\ than\ conventional\ means=Best of hard items than traditional methods -Players=Player -Red\ Garnet=Color Red Garnet -Potted\ Brown\ Mushroom=The Container Put The Mushrooms In -Sneak=Sneak -Crystal\ Nether\ Furnace=The Glass To The Bottom Of The Oven -Red\ Concrete\ Camo\ Trapdoor=Red From The Concrete, Camouflage Bows -Orange\ Per\ Bend\ Sinister=Orange Bend Sinister Biridir -Blaze\ Rod=Blaze Rod -Red\ Gradient=Red Gradient -Magenta\ Rune=Plan A -%1$s\ was\ killed\ by\ magic=%1$s he was killed by magic -Rainbow\ Rainforest\ Lake=Rainbow, Forest, Lake -Cooked\ Mutton=Lamb Cooked With -Bluestone\ Pillar=Bar Sulfat Of Runs -Eat\ everything\ that\ is\ edible,\ even\ if\ it's\ not\ good\ for\ you=Eat everything that is edible, even if it's not good for you -Entities\ of\ type=Organizations that -Candescent=Shining -Search\:=Search for\: -Spruce\ Wood=Gran -Lime\ Thing=Lime, Then -Dimension\ Messages=The Size Of The Font. -Gears=Movement -Show\ death\ messages=View death sheet -Storing\ Power=The Energy Storage -Press\ a\ key\ to\ select\ a\ command,\ and\ again\ to\ use\ it.=Press the button if you want to choose a team and use it again. -Single\ Break\ When\ Sneaking=Just Break Up, When In Secret, -"%s"\ to\ %s="%s" %s -Burned\ Paper\ Block=The Paper Burned -Magenta\ Stained\ Glass=Purple Stained Glass -Fox\ snores=Fox Russisk -Netherite\ SuperAxe=Nether Napravo, SuperAxe -Zoglin\ attacks=Zoglin ataques -Dragon\ hurts=Dragon damage -Lil\ Tater=Lil Tater Tota -Can't\ play\ this\ minigame\ in\ %s=Do not play this game for years %s -End\ Stone\ Bricks=At The End Of The Stone-Brick -The\ set\ will\ be\ removed\ from\ current\ world.=The complex is located far from the modern world. -Cyan\ Lawn\ Chair=The Blue Chair -Entry\ Size\:=Shopmania Size\: -Single\ Hitbox\ When\ Sneaking=Single HitBox, When The Dishonorable -Internal\ saved\ value\ of\ checkbox=The interior, for the imposition of the values of the selected -Neptune\ Essentia=And Neptune And Scientists Have Found -Insulated\ HV\ Cable=Insulated Cable to the HP -Cyan\ Glazed\ Terracotta\ Glass=Cyan Glazed Terra Cotta Glass -Construct\ a\ better\ pickaxe=Make the world a better pick -Block\ of\ Asterite=Unit Asterite -Circuits=The car -Nether\ Warped\ Temple\ Spawnrate=The Latter Is A Violation Of The Temple, With The Spawnrate -Meteors=On Meteori -Red\ Pale\ Dexter=Red Lights-Dexter -Large\ Chest=Big Tits -Nether\ Reactor\ Core=Nether Reactor Nucli -Spear\ thrown=All leather -Red\ Stained\ Glass\ Pane=Red, Tinted Glass -Applied\ enchantment\ %s\ to\ %s's\ item=Use the spell %s have %s"in the article -Wooden\ Paxel=Drevo Paxel -\u00A77\u00A7oa\ slimeball\ and\ a\ diamond?"\u00A7r=\u00A77\u00A7omucous and brilyantlar?"\u00A7r -Damage\ Taken=The damage -view\ contents=to see the contents -Locks\ the\ preview\ window\ above\ the\ tooltip.\nWhen\ locked,\ the\ window\ will\ not\ adapt\ when\ out\ of\ screen.=Os castelos no fundo de um monte de dicas here.\nSe ele \u00E9 locked, em followed, to janela will adjust-it, e quando ele estava na fabric. -Ore\ Processing=Ore Processing -Sakura\ Sapling=Sakura Planting -Speed\ factor\ (Basic)=The frequency index (help) -Expected\ value\ or\ range\ of\ values=The expected value or range of values -Customize\ Status\ Messages=Edit The Message -Cracked\ Volcanic\ Rock\ Bricks=Cut Vulkan, Kamna, Opeke -Diesel\ Generator=Diesel Generator -Light\ Gray\ Lawn\ Chair=Light Green, Garden Chairs -Librarian\ works=The librarian works -There\ are\ %s\ data\ packs\ enabled\:\ %s=It %s the data of the packet will be allowed\: %s -Machine\ upgrades=The car in order to get the update -Bread=The bread -Pink\ Stained\ Glass=Pink Stained Glass -Yellow\ Bend=Curve Yellow -Chiseled\ Nether\ Bricks=The Bricks Hack -Smooth\ Multiplier=Two Factors -Gold\ Cable=Zolata Cable -Stop\ sorting\ (when\ "Add\ Interval\ Between\ Clicks"\ enabled)\ if\ inventory\ screen\ is\ closed=If you want to stop processing (if you add a lag between the mouse, you will be withdrawn), or if the inventory screen is closed -Blue\ Ice=The Blue-Ice -Sandstone\ Slab=Displays Faianta -Crafting\ Station=Styrkelse Station -Crown=Kronos -Sakura\ Coffee\ Table=Coffee Table -Beetroot\ Soup=Beetroot Soup -ocean\ floor\ and\ in\ water\ filled\ caves\ and\ ravines.=On the bottom and in the water-filled caves, and gorges. -Showing\ Craftable=Fashion Show -Lime\ Beveled\ Glass\ Pane=Lime Beveled Glass Panel -Right\ Sleeve=The Right Sleeve -Black\ Chevron=Black Chevron -Turtle\ Egg\ cracks=The eggs of the turtle crack -Can't\ find\ any\ space\ for\ item\ in\ the\ inventory=You can't find a place for inventory items -Subsets\ Enabled\:=For A Subset Of Accounts\: -Purple\ Stained\ Glass\ Pane=The Stained Glass -Collect\:\ Endorium\ Block=Samling\: Endorium Block -Frozen\ Ocean=Zamrznut\u00E9 More -Quartz\ Stairs=Quars Escales -Glowstone\ Dust=Glowstone Dust -\u00A7cDisabled=\u00A7cWith disabilities -Birch\ Village\ Spawnrate=Birch, The Village, The Spawnrate -Green\ Stained\ Glass\ Pane=The Green Glass Panel -Jungle\ Boat=The Jungle, Boats -Basic\ Storage\ Unit=The Basic Unit Of Storage -Replaced\ a\ slot\ on\ %s\ with\ %s=The substitution of a castle %s with %s -Green\ Redstone\ Lamp=Green Lantern Redstone -Red\ Redstone\ Lamp=The Red Light Is A Red Stone With A -Sapphire\ Shovel=Sapphire Shovel -Downloading=Download -Ender\ Hammer=Rare Hammer -Purple\ Bend=Purple Curve -\ Dupe\ chance\:\ %s=\ Let the opportunity to\: %s -Dark\ Oak\ Button=Dark Oak, Keys -Potion\ of\ Levitation=Potion af levitation -Item\ Hopper=The Output Hopper -Selected\ suggestion\ %s\ out\ of\ %s\:\ %s\ (%s)=The success of the proposals are %s it is %s\: %s (%s) -Bulgarian=Bulgaria -Rubber\ Wood\ Door=Doors Made Of Wood, Rubber, -Arrow\ of\ the\ Turtle\ Master=Arrow Is A Master Of The Turtle -Stores\ near-infinite\ of\ a\ single\ item=Grocery shops in the vicinity to rescue the member -Search\ for\ mods=Search mods -Yield\ (Basic)=Yield (Base) -Rope\ Ladder=Rope Style -The\ advancement\ %1$s\ does\ not\ contain\ the\ criterion\ '%2$s'=Rast %1$s do not include the criteria"%2$s' -Paginated\ Screen=Go To The Screen -Dungeons=Die Landschaft -\u00A7lCurrent\ RPC\ Data\ (Logged\ in\ as\ %1$s)\:\u00A7r\\n\ \u00A76\u00A7lDetails\:\u00A7r\ %2$s\\n\ \u00A76\u00A7lGame\ State\:\u00A7r\ %3$s\\n\ \u00A76\u00A7lStart\ Timestamp\:\u00A7r\ %4$s\\n\ \u00A76\u00A7lClient\ ID\:\u00A7r\ %5$s\\n\ \u00A76\u00A7lLarge\ Icon\ Key\:\u00A7r\ %6$s\\n\ \u00A76\u00A7lLarge\ Icon\ Text\:\u00A7r\ %7$s\\n\ \u00A76\u00A7lSmall\ Icon\ Key\:\u00A7r\ %8$s\\n\ \u00A76\u00A7lSmall\ Icon\ Text\:\u00A7r\ %9$s\\n\ \u00A76\u00A7lParty\ ID\:\u00A7r\ %10$s\\n\ \u00A76\u00A7lParty\ Size\:\u00A7r\ %11$s\\n\ \u00A76\u00A7lParty\ Max\:\u00A7r\ %12$s\\n\ \u00A76\u00A7lJoin\ Secret\:\u00A7r\ %13$s\\n\ \u00A76\u00A7lEnd\ Timestamp\:\u00A7r\ %14$s\\n\ \u00A76\u00A7lMatch\ Secret\:\u00A7r\ %15$s\\n\ \u00A76\u00A7lSpectate\ Secret\:\u00A7r\ %16$s\\n\ \u00A76\u00A7lInstance\:\u00A7r\ %17$s=\u00A7lThe stream (rpcs) associated with the %1$s)\:\u00A7r\\n \u00A76\u00A7lDetails\:\u00A7r %2$sit \u00A76\u00A7lThe Rules Of The Game\:\u00A7r %3$s\\n \u00A76\u00A7lThe Original Sign Of The Times\:\u00A7r %4$s\\n \\ n \u00A76\u00A7lThe identity of the client\:\u00A7r %5$s\\n \u00A76\u00A7lA Large Icon That Represents The Product Key\:\u00A7r %6$s\\n \u00A76\u00A7lHigh Sign Sa Text\:\u00A7r %7$s\\n \u00A76\u00A7lSmall Icon On Cluc\:\u00A7r %8$s\\n \u00A76\u00A7lSmall Icons, Text\:\u00A7r %9$s\\n \\ n \u00A76\u00A7lPartita-ID\:\u00A7r %10$s\\n \\ n \u00A76\u00A7lThe Size Of The Lot\:\u00A7r %11$s\\n \u00A76\u00A7lParty Max.\:\u00A7r %12$sit \u00A76\u00A7lIn Order To Participate In This Mystery\u00A7r %13$sn \\n \u00A76\u00A7lIn The End, The Review\:\u00A7r %14$s\\n \u00A76\u00A7lThe Match Of Mystery\u00A7r %15$s\\n \\ n \\ n \\ n \u00A76\u00A7lLook At The Secret.\u00A7r %16$s\\n \u00A76\u00A7lFor example\:\u00A7r %17$s -Brown\ Globe=Brown, The World -Pluto\ Essentia=Water-Essentia -Cyan\ Paly=The Son Bled Slovenia -Brewing=Cook -Select\ Data\ Packs=Select The Data In The Packet -Green\ Globe=Green World. -Warped\ Platform=Valget Platform -Collect\:\ End\ Stone=Price\: End Stone -Release\ %s\ to\ export=The %s pre export -Small\ Fireball=A Small Ball Of Fire -Yellow\ Tent\ Side=The Yellow Tent Of The Page -Slot\:=Slot\: -Player\ feed\ temporarily\ disabled=The player is temporarily closed -Armorer\ works=Zahirtsi work -Cyan\ Pale=Light Blue -Mojang\ Cape\ Wing=Mojang Wings Of The Soviets -White\ Oak\ Barrel=White Oak Barrels -Set\ %s\ experience\ levels\ on\ %s\ players=Set %s level of experience %s players -Rename=Name -Debug\ Stick=Some Of These Pictures -Descending=Below -Asteroid\ Diamond\ Cluster=Natural Disasters, Diamond, Most -Internal\ Error\:\ %s=Internal Error. %s -Quitting=How to quit Smoking -Block\ of\ Coal=A piece of coal -Z\ Range=Z-Series -Multi-block\ structure\ for\ crafting\ at\ extreme\ frigid\ temperatures=Multi-structure, training, extreme cold temperature -White\ Shulker\ Box=Box Vit Shulker -Book\ Opens=In This Paper, In Order To Open It -White\ Oak\ Fence\ Gate=White Oak Fence Gate) -Zigzagged\ Red\ Nether\ Bricks=Zig-Zag Red Teh\u00E1l -General\ Settings=In The General Settings -Orange\ Redstone\ Lamp=The Orange Light Is \u0420\u0435\u0434\u0441\u0442\u043E\u0443\u043D -Auto\ Refill=Top Mechanical -Invalid\ position\ for\ teleport=Invalid in the status of the gate -Build,\ light\ and\ enter\ a\ Nether\ Portal=For construction, light, and entered into the Hole of the Portal -Low\ Level\ Sun\ And\ Block=Small Solar Units -Shoot\ a\ crossbow=Shoot it with a bow -Crimson\ Warty\ Blackstone\ Bricks=Scarlet Blackstone Ceg\u0142a -Spruce\ Kitchen\ Sink=Spruce The Kitchen Sink -Jungle\ Post=In Gorath's Post -Enter\ Book\ Title\:=Enter The Name Of The Book. -This\ command\ only\ works\ in\ singleplayer.=This group not only works in single player mode. -Granite\ Wall=Wall Of Granite -You\ need\ to\ connect\ it\ to\ a\ master\ block=You have to connect with the knowledge in the block -Orange\ Glazed\ Terracotta\ Camo\ Trapdoor=Luke, The Orange-Glazed Terra-Cotta Hide -Crate\ of\ Honeycombs=En boks med honeycomb -Item\ hotbar\ saved\ (restore\ with\ %1$s+%2$s)=The panel is held (reprise %1$s+%2$s) -Obsidian\ to\ Netherite\ upgrade=Obsidian on Netherit update -Controls\ whether\ the\ key\ hints\ in\ the\ container's\ tooltip\ should\ be\ displayed.=Sets the default advice, a description of the united states, will be presented. -Flowing\ Power=Call Force -Pufferfish\ stings=Food, fish -Salmon\ Spawn\ Egg=Salmon Spawn Egg -Old\ graphics\ card\ detected;\ this\ WILL\ prevent\ you\ from=The old graphics card detected; this prevents the -Sapphire\ Ore=Sapphire Sprout -Llama\ bleats=Lama, the buzzing of a bee, -Ring\ of\ Sponge=Pull the sponge -CraftPresence\ -\ Message=CraftPresence - Report -Platinum\ Dust=Pinch Of Platinum -Block\ outline\ colour\ \u00A7cR=You can block the stroke color \u00A7cR -Spruce\ Fence=Spruce Fence -Clay\ Glass=Sound-Glass -Iron\ to\ Obsidian\ upgrade=Iron and Obsidian upgrade -Splash\ Potion\ of\ Luck=Good Luck, The Splash Potions -Note\:\ RS\ Stonghold\ is\ much\ larger\ by\ default.=Merk\: Stonghold PC-en ganske standard. -Potatoes\ with\ Curd\ Cheese=The potato with cottage cheese -Taiga=In the forest -\u00A77\u00A7o"There\ are\ no\ mistakes,\ only\u00A7r=\u00A77\u00A7o"There are no mistakes, only\u00A7r -Small\ Pile\ of\ Granite\ Dust=A Small Handful Of The Dust Of Granite -Auto=Auto -Maximum\ item\ possible\:\ %s=This is the part you will be able to\: %s -High=High -Removed\ objective\ %s=Nie %s -%s\ to\ %s=%s for %s -Phantom\ screeches=The spirit cries out -Check\ for\ Updates=Look for updates -Fast\ Conveyor\ Belt=Express Conveyor -Intermediate\ tier\ energy\ storage=The center level of the energy storage -Play\ New\ Demo\ World=Play A New Hairstyle In The World -Fire\ Extinguisher\ opens=The opening of fire extinguisher -Removed\ %s\ members\ from\ any\ team=Deleted %s the members of each team -Brown\ Tent\ Top\ Flat=Brown, Tent The Top Apartment -Crowdin\ Cape\ Wing=Crowdin, A Head, A Skirt -Main\ Menu\ Message=A Message From The Main Menu -Yellow\ Sofa=Couch-Yellow -Potted\ Warped\ Fungus=The Plants Have Curled Into A Mold -Purpur\ Pillar\ Camo\ Trapdoor=Royal Purple Column Cover Black -Green\ Flower\ Charge=Green Flowers Free -Red\ Flower\ Charge=Free Red Flower -Block\ outline\ colour\ \u00A7bB=Package outline, color \u00A7bB -Quadruple\ Birch\ Drawer=Four Out Of The Ash Tray -Shulker\ Boxes\ Cleaned=Shulk Printer, The Clipboard, Cleaning Products, -Place\ an\ electric\ furnace\ down=Place the electronic down -Arrow\ of\ Strength=Arrow power -Smithing\ Table\ used=The Forge on the Table, which is used for -Cypress\ Wood=Cypress -Bee\ enters\ hive=The structure, in order to get -Diamond\ Upgrade=Diamond Service -Replaces\ Mineshafts\ in\ Desert\ biomes.=Promeni in pastinaca biomes mi. -Block\ outline\ colour\ \u00A7aG=Zakljucivanje in color on a contour \u00A7aG -Smooth\ Volcanic\ Rock\ Slab=On The Smooth Slabs Of Volcanic Rock -Visualize=See -A\ bottle\ of\ jam,\ which\ can\ be\ spread\ on\ a\ Sandwich.\ It\ can\ also\ be\ drank\ to\ restore\ more\ hunger\ than\ plain\ sweet\ berries.=Bottle of jam in a sandwich. Can also be drink twice as much as a role to pick berries, and, as usual, is sweet. -Invalid\ or\ unknown\ sort\ type\ '%s'=Sequencing error, or an unknown type"%s' -Limestone=Limestone -Gray\ Gradient=Grey Gradient -Steps\ are\ a\ smaller\ version\ of\ platforms.\ They\ can\ be\ used\ to\ build\ staircases\ with\ posts\ and\ platforms.=A smaller version of our step platforms. The reports can be used to create stairs and landings. -Red\ Glazed\ Terracotta\ Camo\ Trapdoor=Red Glazed Tiles, Ceramics, Co-Continued -Black\ Concrete\ Camo\ Door=Black Concrete, The Cover For The Door -Simple\ Drawers=A Simple Tray Of -Detect\ MultiMC\ Instance=Otkrivaet For Instance On MultiMC -Purple\ Sofa=On The Purple Couch -Player\ Wall\ Head=Player The Wall-Manager -Hide=Hide -Sodalite\ Dust=Powder Sodaliitti -Water\ Ring=The Ring In The Water -Use\ a\ Netherite\ ingot\ to\ upgrade\ a\ hoe,\ and\ then\ reevaluate\ your\ life\ choices=The use of rods in Netherite to update hoe, and then to reflect on their choices in life -Light\ Gray\ Per\ Pale=The Gray Light From The Light -Andisol\ Farmland=Andisol L'Agriculture Naudmen\u0173 -Green\ Elytra\ Wing=Ellie Green Wings, -Birch\ Step=Rod Legs -Shulker\ Wing=Wing Shulker -A\ force\ loaded\ chunk\ was\ found\ in\ %s\ at\:\ %s=Part of the power load, which is %s when\: %s -Add\ Nether\ Soul\ Temples\ to\ Modded\ Biomes=Add down the temples of the spirit of species of plants, animals modded -Play\ Selected\ World=The Play Selected World -Character\ and\ Glyph\ Width\ Data\ successfully\ Loaded\!=The characters and the Glyph Width, the Data is Loaded successfully\! -Turtle\ dies=The turtle will die -Adamantium\ Hoe=The Adamantio Zappa -\u00A72true=\u00A72the truth -Dolphin\ jumps=Dolphin jumping -Magenta\ Beveled\ Glass\ Pane=Fibre De Carbone, De Verre Magenta -Click\ to\ Copy\ to\ Clipboard=Click " copy to Clipboard -Another\ Titan\ Fall=The Other Titan To Fall -Red\ Base\ Dexter\ Canton=Red Base Dexter Guangzhou -Finalize\ your\ descent\ with\ a\ Fiery\ Hammer.=In order to complete the eni\u0219i by the fire, very attractive. -Fire\ crackles=O fogo crackles -Turtle\ Shell=The Shell Of The Turtle -Magenta\ Bend=Arc -Orange\ Flower\ Charge=Orange Blossom, Fresh -CraftPresence\ -\ Discord\ Large\ Assets=CraftPresence The Cacophony Of The Assets Of The -Please\ reset\ or\ select\ another\ world.=Please reset or change the world. -Tellus\ Essentia\ Bucket=The Question Of Essentia Bucket -Orange\ Rune=Orange Runy -Marble\ Stairs=Stairs Made Of Marble -Marked\ chunk\ %s\ in\ %s\ to\ be\ force\ loaded=He did a bit of %s in %s this is the strength of the charge -Cracked\ Diorite\ Bricks=Spricka Diorite Tegel -Detected\ OS\:\ %1$s\ (Architecture\:\ %2$s,\ Is\ 64-Bit\:\ %3$s)=The system is running is\: %1$s (Architecture\: %2$s 64-Bit\: %3$s) -Pink\ Stone\ Bricks=The Bricks Of Rose-Colored Stone -Calciumcarbonate=Calcium carbonate -Durability=Durability -Cod\ Crate=Rush Krat -Toggle\ Light\ Overlay=To Turn On The Light, Overlapping Each Other, -A\ sliced\ bread\ food\ item\ that\ has\ been\ toasted\ in\ a\ Redstone\ Toaster.\ Restores\ more\ hunger\ than\ a\ Bread\ Slice,\ and\ can\ also\ be\ eaten\ quickly.=Sliced bread food which was fried Redstone toaster. Restore more hunger than the bread and eat it. -Parrot\ screeches=Parrot, beautiful -Long-duration\ Boosters=Long-Term Bonuses -Gray\ Pale\ Dexter=Bled Siba Dexter -Crimson\ Planks\ Ghost\ Block=Crimson Boards The Ghost Blocks -Sakura\ Wood\ Planks=Other Wooden Boards -World\ border\ cannot\ be\ bigger\ than\ 60,000,000\ blocks\ wide=Svijet granice are not the men to be higher than that of the ukupno 60 000 000 blokova the \u0161iroku -Bubbles\ woosh=Ilmapallo, hop, -Added\ tag\ '%s'\ to\ %s=Add a bookmark%s"a %s -Cyan\ Per\ Fess=Blue Fess -Saving\ is\ already\ turned\ off=The saving is already turned off -Potted\ Wither\ Rose=A Wilted Potted Plants Rose -Multiplayer\ Settings...=Settings For Multiplayer Games... -Cyan\ Per\ Fess\ Inverted=The \u0424\u0435\u0441\u0441\u0430 Blue, Should Be The Opposite -Purple\ Base\ Dexter\ Canton=Purple Base Dexter Canton -Container\ Swipe\ Moving\ Items=Tank System, Moving Objects -You\ must\ be\ on\ a\ team\ to\ message\ your\ team=You must be a team team message -Multiplayer\ game\ is\ already\ hosted\ on\ port\ %s=In this game, is on the house %s -Green\ Base\ Dexter\ Canton=Green Base, Dexter In The Interests Of The Country And Its People -Double\ Warped\ Drawer=\u00C7ift Warped Kutusu -Lime\ Concrete\ Camo\ Trapdoor=Scale Can Also Be Used On The Top Of The Stairs -Dark\ Loading\ Screen\ Config=Dark-Load The Configuration Screen -Light\ Blue\ Bordure\ Indented=Light Blue Bordure Indented -\u00A7cNo\ (Dangerous)=\u00A7cNot The (Very Dangerous) -Repair\ &\ Disenchant=Remonts, Disenchant -Left\ Alt=Left Alt Key -Rainbow\ Block=Rainbow Blocks -Adamantium\ Helmet=The Adamantium Suit -Leatherworker\ works=Leatherworker V Prac\u00EDch -Crimson\ Nylium=Frambuesa Nylium -Bottom\ -\ %s=Below %s -Small\ Pile\ of\ Pyrope\ Dust=A small handful of the dust \u043F\u0438\u0440\u043E\u043F -Steel\ Chestplate=Steel Chestplate -Withering\ Heights=Withering Heights -Cyan\ Glazed\ Terracotta\ Camo\ Door=Light Terracotta Glazed Camo Used -Pine\ Post=Bore Posta -Purple\ Stone\ Bricks=Purple, Stone, Brick -Zigzagged\ Stone\ Bricks=Curve Stone, Brick -Laser\ Golem=Le Laser Golem -Charge\ a\ Respawn\ Anchor\ to\ the\ maximum=Download respawn at anchors up -Publisher=Editor -Rainbow\ Eucalyptus\ Boat=Kenmerken\: Rainbow Cruise -Block\ Name=Block Name -Saving\ the\ game\ (this\ may\ take\ a\ moment\!)=To save the game (this can take some time\!) -Stellum=Stellum -\u00A77\u00A7o"I\ wonder\ if\ I\ can\ fix\ it\ with\u00A7r=\u00A77\u00A7o"I wonder if I can fix\u00A7r -Transmutation\ Formula=Change -No\ player\ was\ found=No one has been found -Dispensed\ item=Document element -Golden\ Apple=Apples Of Gold -Golden\ Carrot\ Crate=However, The Carrot Box -%s\ chunks=%s Pc ' s -Blacklisted=In the black list -Bring\ a\ beacon\ to\ full\ power=In order to get a signal, complete in place -%s\ Lapis\ Lazuli=%s Stone Stone -Show\ Specific\ Game\ Data\ in\ Rich\ Presence?=The appearance of specific objects in the game in the realm of existence? -Light\ Blue\ Terracotta\ Camo\ Door=Light Blue Terracotta Camo Doors -Andesite\ Basin=Andesite, On The -%1$s\ isn't\ using\ a\ Wing=%1$s this wing, -Prestigious\ Hammer=The Prestigious Hammer -Badlands\ Dungeons=Find Dungeons -Yellow\ Carpet=Yellow Carpet -Sub-World\ Coordinates\ /\ 8=Aciq World Coordinates / 8 -Return\ to\ Sender=Back To The Sender. -\u00A77Sprint\ Fuel\ Modifier\:\ \u00A7a%s=\u00A77"Sprint" Fuel Controller\: \u00A7a%s -Dark\ Oak\ Planks\ Glass=White Oak Wood, Pine -Iridium\ Nugget=Iridium Gold -Rabbit\ Hide=Rabbit Hide -Veins\ of\ ores\ found\ in\ $(thing)$(l\:world/meteors)meteors$(),\ which\ may\ be\ harvested\ for\ resources.$(p)When\ mined,\ will\ drop\ their\ respective\ $(thing)$(l\:world/ore_clusters)ore\ clusters$().=There are veins of ore $(a)$(l\:world/meteors)meteorites$(), which can be collected the latest resources. $((p), and the mining that they leave behind $(what you need to do$(l\:world/ore_clusters)mineralna grozdov$(). -This\ Configuration\ Gui\ was\ made\ from\ scratch\ by\\n\ Jonathing,\ and\ will\ continue\ to\ be\ maintained\ by\\n\ CDAGaming.\ A\ lot\ of\ effort\ went\ into\ making\ this\\n\ custom\ Gui,\ so\ show\ him\ some\ support\!\ Thanks.\\n\\n\ Feel\ free\ to\ learn\ from\ this\ Gui's\ code\ on\\n\ the\ CraftPresence\ GitLab\ repository.=In this Configuration, the graphical Interface that was made on the basis of a lower portion of an n-Jonathing, and will be maintained by the\\n CDAGaming. A great deal of effort went into making this\\n-the graphical user Interface, which is customizable to show him some support\!\!\!\!\!\!\! Thank you.\\n\\n-you are very welcome to do so, in order to know how to Interface the code\\n in the CraftPresence GitLab repository. -Allow\ Loot\ Chests=Allows Crack Treasure Chests, Which -Bone\ Meal=Bone milt\u0173 -Jungle\ Kitchen\ Cupboard=Jungle Kitchen Cabinets -Smooth\ Sandstone=Ljusa Sand -Willow\ Wood\ Stairs=The Willow Tree Of The Wooden Stairs -White\ Chevron=White, Sedan, -Walk\ Backwards=To Go Back To -Cart\ at\ [%s,\ %s,\ %s]\ unlinked\ as\ child\ of\ [%s,\ %s,\ %s]\!=Cart [%s, %s, %s] separately, as a child, [%s, %s, %s]\! -Recipe=Recipe -\u00A77\u00A7o"As\ the\ developer\ intended."\u00A7r=\u00A77\u00A7o"Developer".\u00A7r -Chipped\ Anvil=Perskelta S -\u00A7ea\ \u00A7r%s\u00A7e\ in\ the\ inventory\u00A7r=\u00A7es \u00A7r%s\u00A7e in stock\u00A7r -Crate\ of\ Pumpkin\ Seeds=Sure pumpkin seeds -Ravager\ stunned=The spoiler is stunned, -hi\ %\ \ s=to % s -Find\ Nearby\ Items=To Find The Next Point -EV\ Transformer=EV transformer -Redwood\ Chair=Stolica Redwood -Horse\ jumps=Horse jumps -Black\ Per\ Fess\ Inverted=Black And Kanim VI VI Da Teach -Target\ does\ not\ have\ this\ tag=The purpose of tags -Selected\ %s,\ last\ played\:\ %s,\ %s,\ %s,\ version\:\ %s=Selected %s the latest\: %s, %s, %s version\: %s -Smite=Prodavnica -Allow\ Nether-styled\ Stronghold\ to=It can be used to Lower the City's style -Potted\ Peony=Peony In A Pot -Show\ Unbound=Mostra Unattached -Rainbow\ Eucalyptus\ Post=The Rainbow Eucalyptus-A Post -"Multiplied"\ is\ a\ multiplied\ variant\ of\ "Vanilla".="Multiplication" is multiplied by the option "Vanilla". -Hemlock\ Pressure\ Plate=Hemlock Steen -Magenta\ Sofa=On The Couch Purple -Comparator\ Mode=For Comparison, -Smooth\ Smoky\ Quartz\ Stairs=Smooth Smoky Quartz Stairs -Tropical\ Fish\ dies=Tropical fish will die -Spruce\ Door=Spruce Door -Set\ the\ world\ border\ damage\ buffer\ to\ %s\ blocks=The world is on the brink of a damage to the buffer %s the individual -Cat\ Spawn\ Egg=Kotka Spawn EIC -Nausea=Hadena -Ignore=Ignore -Cut\ Red\ Sandstone\ Slab=The Reduction Of The Slab Of The Red Sandstone -Leave\ Sleeping\ Bag=Out Of The Bag -%s\ has\ no\ properties=%s not specifications -Weeping\ Vines\ Plant=Crying Planting Grapes -Brown\ Cross=Brown, A -Time\ left=The time of the -Budget\ Diamonds=Budget Diamonds -Gray\ Base\ Indented=The Gray Base Indented -Strafe\ Right=Strafe To The Right -LOLCAT=LOLCAT -Brew\ a\ potion=To prepare a drink -Illusioner\ casts\ spell=There is illusia magic -Server\ Name=The Nom Server -Green\ Cross=La creu -\u00A77\u00A7o"Does\ not\ explode.\ I\ promise."\u00A7r=\u00A77\u00A7o"Will not explode. I promise."\u00A7r -Bowl=Glass -Set\ the\ post\ action\ for\ sort\ in\ columns\ button=Set the sort column -Green\ Terracotta=Green -You\ can\ buy\ items\ from\ trading\ stations\ by\ using\ the\ station\ with\ the\ payment\ item.=You can buy products from the sale of the station using the station from the point charge. -Stray\ hurts=On the street it hurts -Crate\ of\ Wheat\ Seeds=Wheat Seeds -\u00A7cRedstone\ \u00A74Off=\u00A7cRedstone \u00A74The -Crimson\ Slab=Dark Red Plate, -Tungsten\ Boots=Wolfram Boty -Zombie\ groans=Zombies gemir -Magenta\ Terracotta\ Ghost\ Block=Terracotta Crimson \u00C5nd Blokker -Yellow\ Glazed\ Terracotta\ Glass=Yellow Glass New, -%s\ Hammer=%s Hammer -Search\ Field\ Position\:=The Search Box Position\: -Rose\ Quartz\ Bricks=Rose Quartz Bricks -Rainbow\ Eucalyptus\ Trapdoor=Eukalyptus-Rainbow-Ansa Ovi -Move\ all\ without\ holding\ the\ modifier\ key\ (then\ holding\ the\ modifier\ key\ is\ to\ move\ matching\ items\ only)=Keep moving, don't hold it, and press the scroll key to move if you do not believe me) -Metite\ Leggings=Metite, I -No\ singleplayer\ worlds\ found\!=In fact, on the contrary, the world, and I have found it\! -Summon\ an\ Iron\ Golem\ to\ help\ defend\ a\ village=For help, call the Iron Golem to defend the village -Apprentice=Student -Invalid\ or\ unknown\ entity\ type\ '%s'=Invalid or unknown item type '%s' -Hide\ Address=In Order To Hide The Title -Activation\ Methods=Method Of Activation -Saturation=The saturation -Stellum\ Hoe=Stellum Hard Work -%s\ fps=%s fps -relative\ position\ z=den relative position p\u00E5 Z-aksen -relative\ position\ y=the position of the relative and -Golden\ Spear=Golden Spear -Fire\ Resistance=Fire-Resistance -Enables\ the\ module.\ Disabling\ disables\ all\ others\ all\ other\ values=Add-on. How to disable trending for all and all other values -%1$s\ was\ killed\ by\ magic\ whilst\ trying\ to\ escape\ %2$s=%1$s was killed with the help of magic, if you try to save %2$s -CraftPresence\ -\ Discord\ Small\ Assets=CraftPresence - European Hatred Of Small Assets -TNT\ fizzes=TNT sist -Mule\ neighs=The donkey laughs -Entities\ on\ team=Operators in the team -Wrench=The key -%1$s\ was\ squashed\ by\ a\ falling\ block=%1$s it was crushed by the falling blocks -Failed\ to\ connect\ projector\ at\ %s\ with\ projector\ at\ %s.=Cannot connect to the projector %s with the projector %s. -Emerald\ Hammer=Emerald Hammer -Yellow\ Patterned\ Wool=Color In Painting Engraving -Focus\ Search\ Field\:=The Main Focus In The Search Field\: -Stone\ Brick\ Step=Stone, Brick Steps -Milk\ Bucket=A Bucket Of Milk -A\ block\ used\ to\ make\ cheese.\ Can\ be\ used\ by\ interacting\ with\ a\ bucket\ of\ milk,\ then\ interacting\ with\ a\ cheese\ culture\ bottle\ to\ begin\ the\ fermenting\ process.\ After\ three\ minutes,\ particles\ will\ appear.\ Interact\ to\ remove\ the\ cheese.\ Fermenting\ milk\ can\ be\ put\ in\ a\ bucket.=This unit, which is used to make cheese. Can be used through the interaction with the cube to the milk, then contact cheese culture bottles to the fermentation process. More than two hours, the particles will appear. In order to communicate, to remove the yellow. Pasteurized milk, which can be placed in the container. -(Locked)=(Disabled) -Knowledge\ Book=The Book Of Knowledge -Tall\ Brown\ Gladiolus=High, Brown Gladiolus -\ Speed\ increase\:\ %sx=\ Elevated levels\: %sx -Bluestone\ Tiles=Bluestone Floor Tile -Wooded\ Island=Island Trees -Trident\ zooms=Trident, zoom in -Both=So, -Structure\ Block=The Design Of The Building -Small\ Pile\ of\ Netherrack\ Dust=A Small Pile Of Dust, Netherrack -Pine\ Coffee\ Table=Solid Pine Dining Room Table -Peridot\ Chestplate=Materials Bib -Unable\ to\ host\ local\ game=A space for local games -Stonecutter=Mason -Narrates\ System=Sa System -Flower\ Pot=A Pot Of Flowers -Message\ to\ Display\ while\ on\ the\ Main\ Menu=On the display screen is displayed in the main menu -Red\ Nether\ Brick\ Chimney=Red Brick Chimney -Lighter=Lako -Test\ failed=Error when test -Chainmail\ Boots=From Crochet Batusi -Twilight\ Tendrils=The Origin Of The Vineyard -All\ players=Each player -Collect\ some\ heart\ shaped\ herbs\ in\ a\ jungle\ to\ craft\ a\ vibranium\ soup=To get a heart shape in the woods of herbs, a soup, or make it vibranium -Hiking\ Pack=Hiking Pack -Burns\ hydrogen,\ methane\ or\ other\ gases\ to\ generate\ energy=Them hydrogen, methane, and other gases for energy production -Dirt\ Camo\ Trapdoor=In The Land Of The Woodwork On The Roof -Small\ Pile\ of\ Charcoal\ Dust=A ovuc dust, coal, -Are\ you\ sure\ you\ would\ like\ to\ DIVIDE\ all\ sub-world\ coordinates\ by\ 8?=Are you sure you want to destroy everything, the world coordinates of the 8 sub? -Selected\ projector\ at\ %s\!=Selected the projector to %s\! -Blast\ Protection=Explosion proof -Death\ Messages=Death Message -Moorish\ Idol=Moorish Idol -Turtle\ shell\ thunks=Furniture, turtle shell -Orange\ Futurneo\ Block=The Orange Blocks Are The Futurneo -Update\ fire=Update On The Fire -Gas\ Generator=Gas Generator -No\ handlers\ are\ applicable.=It does not work any longer on the force. -Upgraded\ chunks\:\ %s=Updated components\: %s -Changes\ in\ %1$s\:\\n\\n%2$s=To change %1$s\:\\n\\n \\ n%2$s -Pine\ Pressure\ Plate=Fork Plate -Honeycomb\ Brick\ Slab=Cell Brick Pavers -Chrome\ Ingot=Enhed-Chrome -Mine\ stone\ with\ your\ new\ pickaxe=My stone with a new hoe -Add\ Badlands\ Pyramid\ to\ Modded\ Biomes=Add in some of the Badlands (control point) of the pyramid of biomes location of -when\ on\ fire=if you burn -Oak\ Boat=Oak Ship -Friendly\ Creatures=The Friendly Beasts -Galaxium\ Boots=Galaxia Z\u0101baki -Long-duration\ Fuel\ Pellet=Long-Term Fuel-Pellets -Size\ of\ average\ Stronghold\ as\ a\ percentage.=The average Strength in percent. -Bubbles\ zoom=Bobler film -Vex=Vex -Endorium\ Plate=Endori Of The Board Of Directors -Hemlock\ Boat=The Outside Of The Ship -Nothing\ changed.\ Targets\ either\ have\ no\ item\ in\ their\ hands\ or\ the\ enchantment\ could\ not\ be\ applied=Nothing has changed. The goal should be on hand, or charm, which could not be applied to -Invalid\ double\ '%s'=Illegal double"%s' -Produces\ energy\ from\ various\ basic\ fluids,\ like\ Oil\ and\ others=The energy production from a variety of activities which are necessary, as for example, oil, other -Upload\ cancelled=Download, cancel, -Carbon\ Plate=The Carbon Fibers Of The Plate -Entity\ Colours=The Color Of The Device -Sodium=Sodium -Peridot\ Leggings=Leggings Peridot -Cotton\ Candy\ Betta=Cotton Candy Betta -Search...=Look... -Orange\ Bend=Orange Bend -Magnesium\ Dust=Magnesium Powder -Light\ Blue\ Glazed\ Terracotta\ Camo\ Door=Blue Light In Black And Glass Front Door -Test\ Advancement-Driven\ Book=Test Success-Driven Book -Once\ disabled,\ can\ only\ be\ enabled\ through\ the\ config\ file\!=If this option is enabled, you can include only the configuration file\! -Estonian=This method -%%s\ %%%s\ %%%%s\ %%%%%s=%%s %%%s %%%%s %%%%%s -Do\ you\ want\ to\ add\ following\ packs\ to\ Minecraft?=Tem certainty that deseja add as the following pacotes Minecraft? -Jungle\ Planks\ Glass=Blackboard Jungle Glas -Crimson\ Trapdoor=Raspberry Luc -World\ template=In the world pattern -Green\ Base\ Gradient=Um Yesil Baseado No Gradiente -Red\ Base\ Gradient=D\u00E9grad\u00E9 Rouge Foundation -Ender\ Transmitter=Ender Station -Book=Book -Hardcore\:=Hardcore\: -Hoglin\ growls=Hoglin of the show -Round\ And\ Round\ It\ Goes=Around And Around It Goes -Use\ Java\ (CPU)\ based\ equivalent\ of\ the\ mod\ instead\ of\ OpenGL\ (GPU).\ Safe\ mode\ is\ a\ plan\ B,\ incase\ the\ mod\ fails\ normally.\ Not\ all\ features\ work\ in\ safe\ mode.=The use of the Java (CPU), as a result of the equivalent of the morning, and not in OpenGL (the GPU). Fail-safe-mode "plan B", because it is not a good thing. Not all the functions work in safe mode. -This\ world\ was\ last\ played\ in\ version\ %s;\ you\ are\ on\ version\ %s.\ Please\ make\ a\ backup\ in\ case\ you\ experience\ world\ corruptions\!=In this world, it was the last one ever played at launch %s; version have %s. You can also do a full backup, in this case, if you have corruption all over the world\!\!\! -Red\ Bed=Red Bed -Mule\ hurts=The mule-it hurts me -Cleared\ any\ objectives\ in\ display\ slot\ %s=The aim of the network on the lock screen %s -...One\ Giant\ Leap\ For\ Mankind=...One Giant Leap For Mankind. -Silverfish\ dies=This is a fish, silver -Ring\ of\ Undying=However, on the Whole -Nothing\ changed.\ The\ world\ border\ damage\ buffer\ is\ already\ that\ distance=It, no difference. The world border buffer, there was a breach, this is the distance -Anvil\ destroyed=Anvil m\u0259hv -Changed\ the\ render\ type\ of\ objective\ %s=The target type will be changed %s -Barrier=The barrier -Create=To create -Small\ Pile\ of\ Galena\ Dust=A Lot Of Dust, \u0413\u0430\u043B\u0435\u043D\u0438\u0442 -Rubber\ Chair=The Tool Rubber -Bone=Bones -Message\ to\ use\ for\ the\ &health&\ Argument\ for\ the\ &playerinfo&\ Placeholder\ in\ Server\ Settings\\n\ Available\ Placeholders\:\\n\ -\ ¤t&\ \=\ Your\ Current\ In-Game\ Health\\n\ -\ &max&\ \=\ Your\ Current\ In-Game\ Maximum\ Health=The message to use the &health & argument &playerinfo& placeholder server settings\\n available placeholders\:\\N ¤t& \= current games, health \\N &number& \= in the current game, the maximum stock of your health -Hide\ Infested\ Blocks=He's Hiding In For The Block -Enable\ Chain=Switching Circuit -Not\ a\ valid\ number\!\ (Float)=The right number\! (Float) -Lit\ Yellow\ Redstone\ Lamp=Light Yellow Redstone Lamp -Double\ Oak\ Drawer=Dobbelt Box Oak -Lime\ Glazed\ Terracotta\ Pillar=V Stolpcu Apna Glaze, Terakota -Disable\ For\ Drop\ Item=Switch Off, Remove The Part Of The -Asterite\ Ore=Asterite Hours Ago -Day\ Three=Three Days -Lingering\ Potion=Yes, Behold Preodoleem, Boil -%1$s\ was\ roasted\ in\ dragon\ breath=%1$s it wasn't a roast, breath of the dragon -Acacia\ Platform=Acacia Plataforma -Size\:\ \u00A75Medium\u00A7r=Size\: \u00A75On average\u00A7r -Parrot\ lurks=Parrot wait -Include\ entities\:=Topics include the following\: -Projectile\:=Brand\: -Interdimensional\ SU=Dark red -Place\ a\ watermill\ surrounded\ by\ 4\ water\ sources=Place a small terrace, which is surrounded by the waters of the 4 sources -Lighting=Lighting -Asteroid\ Stone\ Stairs=Stone, Natural Disaster, Up To The Stairs -Bedrock=Gunnar -Jacket=The jacket -Purpur\ Navigator=Purple Browser -Name=The name -Dark\ Oak\ Platform=The Dark Platform Of The Dam -Oak\ Post=Eik-Post -Drowned\ Spawn\ Egg=Spawn Eggs -The\ station's\ storage\ is\ full.=At the "memory card full". -Nether\ Wart\ Block=The Bottom Of The Wart Block -Triggered\ %s\ (added\ %s\ to\ value)=Active %s (add %s the price of every single one of them) -Pine\ Platform=Pine, Platform -Pickle\ Jar=The Pickle Jar -Lava\ Polished\ Blackstone\ Brick\ Wall=Lion Wall Polished Common -Hemlock\ Post=Office bucines post -Stone\ Rod=Stone Wand -Eye\ of\ Ender\ falls=Ochite on Ender PAA -Orange\ Base\ Gradient=Orange Base Of The Slope -Pink\ Concrete\ Glass=Raise A Glass, Concrete -%1$s\ went\ off\ with\ a\ bang\ due\ to\ a\ firework\ fired\ from\ %3$s\ by\ %2$s=%1$s or the next day because the fireworks go up %3$s pro %2$s -Whether\ the\ Linker\ item\ should\ be\ enabled\ or\ not.=If you have an item that should be included or not. -$(l)Tools$()$(br)Mining\ Level\:\ 7$(br)Base\ Durability\:\ 3918$(br)Mining\ Speed\:\ 12$(br)Attack\ Damage\:\ 6$(br)Enchantability\:\ 22$(br)Fireproof$(p)$(l)Armor$()$(br)Durability\ Multiplier\:\ 50$(br)Total\ Defense\:\ 27$(br)Toughness\:\ 5$(br)Enchantability\:\ 22$(br)Fireproof=$(L) Means$()$(br) - Berg-skill-Level\: 7$(BR)Prime power\: 3918$(br) - mining speed\: 12$(pt) - gubici\: 6$(BR)Enchantability\: 22$(BR), fire$((AZ)$(l)oklop$()$(p), the sustainability multiplier\: 50 pm$(full protection White\: 27.$((b) - Strength\: 5$(BR)Enchantability\: 22$(NON-refractory -Wheat\ Seeds=Wheat Seeds -Pink\ Thing=The Pink Thing -Add/Edit=Add/Edit -Block\ Breaker=Block Breaker -Toggled\ Hover\ %s=Exchange \u0425\u043E\u0432\u0435\u0440 %s -Cypress\ Door=Cypress Doors -\u00A75\u00A7oUsed\ to\ change\ the\ entangled\ chest\ code=\u00A75\u00A7oThe chest code is also used to change everything, what you have to do -Red\ Sandstone\ Step=Step In The Red Sand -Terrain\ Depth=Depth Of The Relief -Craft\ a\ canning\ machine=The development of the canning machine -Agave=He gave me -Expanded\ Storage=To Expand The Capacity Of The -¤t&\ /\ &max&\ Players=&power,& / &, Max& os jogadores -Stone\ Cutting=For The Cutting Of Stone -Lightning\ strikes=The lightning -Enchanting\ Table\ used=A magical Table used -Orange\ Asphalt=Orange Asphalt -Cyan\ Per\ Bend\ Sinister=Plava-Off, Sinister -Black\ Per\ Fess=Crna Fess -Connection\ closed=End connection -Narrator=On -Create\ New\ Map=Create A New -Loading\ error\!=Error on page\! -Not\ Available=Not -Fox\ screeches=Fox Creek -Willow\ Fence=Willow Staket -Lush\ Redwood\ Forest\ Edge=Green Redwood-trees, the Edge of the -Suit\ Up=Make Sure That The -No\ pending\ invites\!=Does not require a long time to wait for the invitation\! -Hardened\ Hardness=Cured Hardness -Sparse\ Forest=The Forest Was A Rare And -Loot\ chests\ spawning\ or\ not\ in\ RS\ Mineshafts.=Byte i kistor kaviar eller PP, min \u0161ahtis. -Builder's\ Belt=Belt Builder -Or\ the\ beginning?=Or at the beginning? -\u00A76Hold\ \u00A7o%s\u00A7r\n\u00A76\ -\ Include\ Hotbar=\u00A76Keep \u00A7o%s\u00A7r\n\u00A76 - Toolbar -Wing\ used\ by\ player\ %1$s\:\ %2$s=The wing used for the player %1$s\: %2$s -Player\ drowning=The Player will drown -Add\ Nether\ Brick\ Outposts\ to\ Modded\ Nether\ Biomes=Add dnu dnu cigle Baza prepisati biomes -Smooth\ Sulfur\ Quartz\ Stairs=Bright Grey Quartz Stairs -Green\ Banner=Selenate Banner -Industrial\ Machine\ Casing=Industrial Equipment Chassis -Entity\ Info\ Settings=Unity-Settings-Info -Switch\ Waypoint\ Set=Place The Switch On The Link To Install -Collect\:\ Ogana\ Fruit=For Installation\: Contains Fruits -Display\ Other=This is another -White\ Terracotta\ Camo\ Trapdoor=And White, The Camo Hatch -Cyan\ Asphalt=Blue Asphalt -Load\ World\ First\!=Download For The First Time In Russia\!\!\! -New\ world=One Of The New World -Gummy\ fruit\!=Jelly From The Fruit. -Items\ Dropped=All Items Have Been Removed -Creamy=Cream -Crimson\ Planks\ Camo\ Trapdoor=Red Points To Get To The Bunker -Tellus=Earth -Volcanic\ Island\ Shore=A Volcanic Island Off The Coast Of -Stellum\ Chestplate=Stella no s\u00E9, chestplate -In-game\ /\ Gui=In-game / Gui -Loom\ used=Looms used -Aquilorite\ Helmet=Aquilorite Kacigu -Orange\ Sofa=Orange Sofa -Magnalium\ Plate=Magnalium Plattan -Cave\ Spider=Cave Of The Spider, -Mouse\ Settings...=The Configuration Of The Mouse... -Stone\ Slab=Stone Tile -Cut\ Red\ Sandstone=Cut Red Sandstone -The\ %s\ entities\ have\ %s\ total\ tags\:\ %s=I %s the technology is %s the total number of from\: http\: / / %s -A\ small\ wheel\ with\ teeth,\ gears\ interlocked\ with\ one\ another\ can\ turn\ to\ achieve\ any\ number\ of\ things.$(p)As\ such,\ they\ will\ have\ great\ use\ in\ constructing\ useful\ $(thing)machines$().=A small wheel with teeth, tool, connected to each other, we are able to rotate, to reach more and more things to do.$(p), so that it will be a very useful tool for the construction of a useful $(thing)machine$(). -An\ ore-like\ block\ found\ in\ beaches\ and\ oceans,\ which\ can\ be\ broken\ to\ obtain\ a\ Salt\ Rock\ and\ some\ sand.=Bought similar blocks from the beach and the sea can be divided, how to get salt from rocks, and some sand and gravel. -Carrot\ Crate=Carrot Box -Tall\ Green\ Calla\ Lily=Yesil Calla Lily K\u00F5rge -Cyan\ Base\ Indented=Blue Base Indented -Planks\ (Legacy)=Board Of Directors (Receive The Inheritance) -Cypress\ Drawer=Cypress Cutie -Ocean\ Dungeons=Ocean Dungeons -Blue\ Snout=The Blue On The Front -Enable\ show\ info=You can also view the information of the -Advanced\ Alloy\ Plate=Advanced Alloy Plate -Sandstone\ Stairs=The Tiles, Stairs And -Iron\ Leggings=Iron Leggings -Creeper\ hisses=The Creeper Hiss +Whether\ each\ block\ in\ an\ extended\ hitbox\ should\ show\ its\ outline\ separately.=Whether each block in an extended hitbox should show its outline separately. +Pig\ hurts=Pigs sorry TacoCraft=TacoCraft -Config\ Tooltips=Config-Tips -Configure\ Redstone=This Is A Trap, Redstone, -Donkey\ Chest\ equips=Out of the Box and mounted -Blaze\ Bricks=Blaze Brick -Black\ Fess=Black Paint -Warped\ Drawer=No Log -Shulker\ lurks=Shulker show -When\ worn\ as\ ring\:=When worn as a ring\: -Eye\ Spy=Eye Spy -Marble\ Dust=Powder Of Marble -Univite\ Sword=Univite Fins -Fish\ captured=The catch -Iron\ Trapdoor=Iron Door -Invalid\ name\ or\ UUID=Non-valid name or UUID -Please\ select\ a\ singleplayer\ world\ to\ upload=Please choose one, alone in the world, and the position -Sodium\ Sulfide=Sulfate Natrio -Lead\ Dust=Lead Dust -Water\ Lake\ Rarity=The Water In The Lake, A Rarity -Chiseled\ Quartz\ Block\ Ghost\ Block=Carved Block-Quartz-Soul-Blog -Black\ Per\ Bend\ Sinister=Black \u0421\u0433\u0438\u0431 Disturbing -Pink\ Bordure=Pink Border -Splash\ Potion\ of\ Harming=Splash potion of damage -Failed\ to\ Load\ "%1$s"\ as\ a\ DLL,\ Things\ may\ not\ work\ well...=Download failed "%1$s"for \u0414\u041B\u041B, things can't work well... -Crimson\ Warty\ Blackstone\ Brick\ Slab=Red Warty Trade-Ceramic Doska -Export\ Cable=The Export Cable -Iron\ Golem\ breaks=The iron Golem breaks the -Notifications=Reports -Red\ Thing=Red Things -Villager\ mumbles=Stanovnik mumbles -Arrow=OK -Staff\ of\ Building=The training of the employees -Blue\ Berry\ Pie=Blue Berry Cake -Universal\ anger=The universal rage -\u00A7aEnabled=\u00A7aIncluded in the -Zigzagged\ Charred\ Nether\ Bricks=Zigzag Brick Burnt Child -Evoker\ prepares\ summoning=The numbers to call -Express\ Conveyor\ Belt=Express Conveyor Belts -Stripped\ Acacia\ Wood=Section Of Acacia -Restores=Recovers -Narrator\ Disabled=Personer med handicap -Realms\ Terms\ of\ Service=Rules for the use of -Cooked\ Chicken=Cooked Chicken -Allow\ Rare\ Bells=The Possibility Of Rare Hours Ago -Withered\ Backpack=Collection Backpack -Chiseled\ Sulfur\ Quartz\ Block=(Wood Screws), Shot, Sulphur, Clusters Of Quartz -Iron\ Fence=Iron Fence -Pink\ Redstone\ Lamp=Roza Redstone Lu\u010Dka -Quartz\ Bricks\ Camo\ Door=Silica Brick, From The Black Of The Door -Force\ Reduced\ FPS=The braking force -Open\ World\ Folder=Open The World Folder -Spider\ dies=The spider died -Load\ New\ Chunks=A Lot Of New Bits And Pieces. -Taiga\ Mineshaft=Taiga Da Mina -How\ Did\ We\ Get\ Here?=How Did We Get Here? -You\ can\ also\ choose\ to\ download\ the\ world\ to\ singleplayer.=You can also download it from the game. -Parrot\ angers=Tutuqu\u015Fu Angers -No\ such\ keybind\:\ %s=There is no such keybind\: %s -Soul\ Sand\ Valley=Spirit Of The Sand, -Black\ Base\ Indented=Black Base \u012Etrauk\u0173 -Elder\ Guardian\ dies=Senior Guard door -Affect\ Game\ Menus\:=This Has An Impact On The Game Menu\: -Plains\ Plateau=Plains, Plateaus -Edit\ Server\ Info=Change The Server Information -Potted\ Cornflower=Preserved Lemon -Boat=The ship -Magenta\ Lawn\ Chair=The Black Chair -PVP\ Sprint=PVP only -Reloaded\ resource\ packs=Re-source packages -Paper=Paper -Hotkeys=Shortcut keys -Lettuce\ Head=Head Of Lettuce -Weather\ Command\:=Again, You Must Enter\: -Block\ of\ Sapphire=Block Sapphire -Select\ World=Vyberite Light -Basic\ Circuit=The concept -Black\ Base=Black Bottom -Lime\ Snout=The Sun Estuary -Black\ Wool=Wool Black -Item\ Name=Item Name -Essentia\ Tank\ capacity=Essentia Reservoir -Lime\ Glazed\ Terracotta\ Camo\ Trapdoor=Lima-Ceramic Camo Bows -Yellow\ Creeper\ Charge=The Yellow Creeper Charges -Wolf\ pants=The wolf in shorts -Tall\ Grass=Tall Grass -Instructions/Help=Tips/Help -Polished\ Granite\ Slab=The Slab Of Polished Granite -Essentia\ Conduit=Essentia Per Voi -Panda\ huffs=Posar huff amb l' -There\ are\ no\ whitelisted\ players=No players in the White list). -Crimson\ Hyphae=Worldwide Still -Feather=The spring -Trader's\ next\ level=Next level trader -Wind\ Mill=The old windmill. -Limestone\ Stairs=Limestone Stair -Potted\ Tall\ Magenta\ Begonia=Pot High Purple Begonias -Pine\ Leaves=Pisha, Gjeth -White\ Glazed\ Terracotta\ Glass=Bijela Glaz\u016Bra, Terakote, Stakla, -Vex\ dies=Vex d\u00F8 -First=Before that -Emerald\ Fragment=Great Code -Quartz\ Bricks\ Ghost\ Block=Quartz Stone-Memory Module -White\ Tulip=White Tulip -Yellow\ Lozenge=Gula Batteries -Brown\ Terracotta\ Camo\ Door=Coffee, Door, Which -Smooth\ Lines\:=Smooth Lines\: -Enchant=Enchant -End\ Stone\ Brick\ Wall=Brick, Wall, Stone -Electrum\ Plate=Elektricna Plate -Invalid\ move\ vehicle\ packet\ received=A step in the wrong box, the car received a -Tungstensteel\ Ingot=Wolfram-Stahl Rod -Solid\ Air=Air Solid -Gray\ Roundel=Grey Washers -Incomplete\ (expected\ 3\ coordinates)=Incomplete expect, 3, contact information) -Stone\ Bricks\ Glass=Tula, Stone, Staklo, -Warped\ Cutting\ Board=Warped Cutting Board -Cyan\ Per\ Pale=Light Blue, In -Lime\ Base\ Indented=Var Base Odsadenie -Sweeping\ Edge=The Beautiful Border -Netherite\ Pickaxe=Netherit Photos -Phantom\ dies=The spirit of the -Light\ Blue\ Lozenge=Blue Diamond -Stone\ Bricks=Stone, Brick -Horse\ armor\ equips=Armor for horse equipment -Charred\ Nether\ Brick\ Stairs=To Burn The Bottom Of The Brick Stairs -Diamonds\!=Diamonds\! -Pine\ Stairs=Pine staircase -Comprehensive\ Test\ Book=Extensive Testing Books -Void\ Essentia=Praznina Essentia -Skeleton\ Horse\ swims=The skeleton of the Horse, and every thing -Polar\ Bear\ hurts=White bear disadvantages -Unlocked=And -\u00A77\u00A7o"Don't\ tell\ PETA\ about\ it."\u00A7r=\u00A77\u00A7o"As it turns out, it's been Made."\u00A7r -Pine\ Kitchen\ Cupboard=Pine Kitchen Cabinets -Netherite\ Nugget=Netherite Za Odrasle -Acacia\ Wall\ Sign=The Acacia Of The Wall Of The Session -Cocoa\ Beans=Paso Cocoa -Shift-Click\ to\ return\ to\ Home=Shift-click to go home -Vex\ hurts=The leash will not hurt -Refill\ blocks\ with\ similar\ functionality=Filling of blocks with similar functionality -Smooth\ Soul\ Sandstone\ Stairs=Apartment Soul Of The Sandstone Stairs -Birch\ Button=The Like Button -Vanilla\ Hammers=Vanilla, Hammer, -Pink\ Flower\ Charge=Pink Flower-Free - -Used\ to\ make\ sandwiches.\ Can\ be\ done\ by\ placing\ items\ on\ top,\ with\ bread\ on\ the\ bottom\ and\ top\ of\ the\ stack.\ To\ remove\ an\ item,\ interact\ with\ an\ empty\ hand.\ To\ remove\ a\ finished\ sandwich,\ interact\ with\ an\ empty\ hand\ while\ sneaking.=It is used to make a sandwich. This can be done by placing a point at the top of the loaves of bread on the bottom and on the top of the stack. To remove an item, keep in touch with your bare hands. Remove the completed sandwich, you can communicate with your bare hands, at the same time, this is the secret. -Dimension\ Icon\ to\ Default\ to\ when\ in\ an\ Unsupported\ Dimension=The measure of the icona, the comportament per omissi\u00F3 \u00E9s that if qualsevol de les altres mesures -White\ Per\ Fess\ Inverted=The White Beam Of Wood, Which Was -Favorites=Favorite -initial=first -Loading\ Message=Message -Tin\ Cable=Cable Tin -Vertical\ Ratio=Relationships Vertically -How\ rare\ are\ Mountains\ Villages\ in\ Mountains\ biomes.=Strange place, from the village up the hill, up the hill, alive. -Stone\ Mineshaft=Stone -Cyan\ Concrete\ Ghost\ Block=Cyan, In Particular In The Spirit Of The Terms -Warfare=The war -Potted\ Huge\ Crimson\ Fungus=The Bowl Of The Big Red Mushroom -Red\ Per\ Fess=Vermelho Fess -Saturn\ Essentia\ Bucket=Saturn Essentia Of KOF -Purpur\ Pillar\ Glass=Purple Post Glass -Lime\ Patterned\ Wool=For Var Modelot On Brunot -Rubber\ Wood\ Sign=Rubber, Wooden Sign -Add\ Philosopher's\ Stone\ formula\ to\ loot\ tables=Add the Stones, the formula of loot-tables -Campfire\ crackles=Constructor -Enable\ Detection\ for\ MCUpdater\ Instance\ Data?=The inclusion of the detection, for example, data on MCUpdater? -Potassium=Potassium -Brown\ Patterned\ Wool=Light Brown Patterned Wool -Reverse=On the contrary -Enabled\ trigger\ %s\ for\ %s=A trigger that contains %s by %s -Granite\ Ghost\ Block=Granite Blocks, Spirit -Executed\ %s\ commands\ from\ function\ '%s'=Death %s the function of the control '%s' -Distance\ by\ Boat=Distance boat -Current\ Transformer=Current transformer -Item\ Tooltip=The Article's Tips -Combat=The battle -Linkart=Linkart -Run-Delay=The Period Of Execution Of The -Bubble\ Column=Bubble Column -Lime\ Roundel=Limestone Rondo -Unknown\ predicate\:\ %s=Known to be inter-related\: %s -Unchecked=From time to time -\u00A77\u00A7o"Now\ you're\ an\ Wasp\ from\ Cobalt."\u00A7r=\u00A77\u00A7o"Now, now, you're the man, and they're gone."\u00A7r -Do\ not\ show\ this\ screen\ again=Don't show this screen -%s\ Enchantment\ Levels=%s Spell Level -Block\ of\ Bronze=A block of bronze -Craft\ the\ Ender\ Hammer\ to\ end\ your\ mining\ woes.=Ship Ender hammer at the end of the period, report the problem. -Birch\ Small\ Hedge=Stick A Small Obstacle -Obsidian\ Furnace=The Obsidian Quarry -Skipped\ chunks\:\ %s=You Have Missed Part Of It. %s -C-Rank\ Materia=On The Rating, The Material -Burned\ End\ Stone=To Burn Later On In The Stone -Crate\ of\ Melon\ Slices=A Box Full Of Bits And Pieces Of The Melon -Server\ out\ of\ date\!=The server is up-to-date\! -Golden\ Axe=Golden Axe -Refresh\ Rate=Update Frequency -Splash\ Potion\ of\ Strength=A Splash Of Power Drink Came To -Blue\ Bordure=Blue Edge -Cyan\ Glazed\ Terracotta\ Ghost\ Block=Bl\u00E5 Glaserede Fliser Ghost Blok -Asteroid\ Coal\ Ore=The Power Of The Study Of Coal, Ore, -Instant\ Mining\ Cooldown=Cool Down Immediately -Gray\ Base\ Dexter\ Canton=Gray Canton In The Dexter -Blast\ Furnace=On -Stripped\ Willow\ Log=He Took The Book Out Of The Willow Tree -Chiseled\ Quartz\ Block\ Camo\ Door=The Machine (On A Lathe) Out Of The Quartz Block, The Door To The Coat -Diamond\ Nugget=Diamond And Pearl -Block\ of\ Metite=Indicates that the device -Light\ Gray\ Dye=Gray -Steel\ Boots=Steel Plate Boots -Not\ a\ valid\ color\!=Not a safe color\! -Nothing\ changed.\ That\ team\ already\ can't\ see\ invisible\ teammates=Nothing has changed. I don't see this team, a team that don't already know -Nether\ Mineshaft=Down The Mine -Failed\ to\ Close\ a\ Data\ Stream,\ Resource\ Depletion\ may\ Occur,\ Please\ Report\ this\ Issue...=He can't in the next flow of information, lack of resources, it can happen, do not hesitate to inform about this problem... -Entities\ with\ tag=The label for the contact -Acacia\ Fence=Valla Acacia -Furnace\ Slab=Cookers, Ovens And -Charred\ Nether\ Pillar=Burned To The Nether Charge Of -Character\ Editor=Character Editor -World\ backups=World copy -SuperAxes\ behaviour=SuperAxes Behavior -Posts\ are\ like\ fence\ posts.\ They\ don't\ connect\ to\ other\ posts.=Columns, and columns. Internet your other posts. -Bamboo\ Button=Buttons, Bamboo -Determines\ whether\ displayed\ notes\ will\ be\ word\ wrapped.=Decide whether you want to view your notes, we will have words. -Yellow\ Garnet\ Plate=Yellow Garnet Stove -Enable\ Detection\ for\ Technic\ Pack\ Data?=To make the data update method? -Quartz\ Pillar\ Camo\ Door=Quartz Camouflage Arc In The Door -Black\ Banner=Black Flag -Stripped\ Japanese\ Maple\ Wood=Free Of Charge For The Japanese Tree, Maple -Empty\ Map=Blank Map -White\ Chief\ Sinister\ Canton=Sustinuta On Surovina And White In The Township On -Heliumplasma=Elio plasma -Pine\ Chair=The President Of The European Commission -180k\ Helium\ Coolant\ Cell=180K helium coolant to the station -Diamond\ Grinding\ Head=The Diamond Grinding Head -Sniper\ Duel=The Dol-The Franctirador -Tall\ Yellow\ Ranunculus=Red Ranunculus -Cleared\ titles\ for\ %s\ players=The deleted titles are %s player -Conduit=The Wii -Zoom\ Mode=De Zoom-Modus -and\ %s\ more...=a %s for more details on... +New\ technology=New technology +Posts\ are\ like\ fence\ posts.\ They\ don't\ connect\ to\ other\ posts.=Posts are like fence posts. They don't connect to other posts. +Scoria\ Cobblestone\ Slab=Scoria Cobblestone Slab +Red\ Alloy\ Wire=Red Alloy Wire +Advancement=Advancement +Jungle\ Glass\ Trapdoor=Jungle Glass Trapdoor +Exported\ Recipe=Exported Recipe +Steel\ Crook=Steel Crook +Baobab\ Pressure\ Plate=Baobab Pressure Plate +F21=Lewisite F21 +F20=F20 +Purple\ Base\ Indented=The Color Purple Main Fields +F23=F23 +F22=F22 +F25=F25 +F24=F24 +Will\ use\ the\ Max\ Cave\ Altitude\ instead\ of\ surface\ height\ if\ it\ is\ lower.=Will use the Max Cave Altitude instead of surface height if it is lower. +Cyan\ Tent\ Top=Cyan Tent Top +Fletching\ Table=The Plumage At The Top Of The Table +Nether\ Bricks\ Ghost\ Block=Nether Bricks Ghost Block +Hacked\ Sandwich=Hacked Sandwich +Trader's\ current\ level=The current level of the trader +Pine\ Table=Pine Table +Small\ Pile\ of\ Titanium\ Dust=Small Pile of Titanium Dust +Brick\ Platform=Brick Platform +Careful,\ it's\ hot\!=Careful, it's hot\! +in=in +Potion\ Status\ Settings=Potion Status Settings +Dot=Dot +Safe\ Disable=Safe Disable +Cod\ Spawn\ Egg=Cod Spawn Egg +Server\ cvar\ %1$s\ changed\ to\ %3$s\ (was\ %2$s)=Server cvar %1$s changed to %3$s (was %2$s) +Couldn't\ revoke\ %s\ advancements\ from\ %s\ as\ they\ don't\ have\ them=He couldn't regret it %s this development %s it's not enough +Write\ the\ entered\ pattern\ to\ the\ current\ encoded\ pattern,\ or\ to\ available\ blank\ pattern.=Write the entered pattern to the current encoded pattern, or to available blank pattern. +Snowy\ Evergreen\ Hills=Snowy Evergreen Hills Ignore\ Restart=Ignorisati Lead -Cobblestone\ Chimney=Stones, Fireplace -Nether\ Brick\ Step=Brick Sub-Steps -Rubber\ Wood\ Trapdoor=Rubber, Wooden Doors -Poppy=Sai -Stripped\ Fir\ Log=Removed Magazine Eaten -Changed\ the\ block\ at\ %s,\ %s,\ %s=Change the block %s, %s, %s -Diamond\ Crook=Diamond Scam -Glitter=Glow in the -Threshold\ Unit=Change Device -Enable\ default\ auto\ jump=Enable default auto-jump -Lock\ World\ Difficulty=The Key Problems Of The World -Growth\ Controller=The regulator -Mob\ Kills=Mafia Killed -Free\ the\ End=In The End, Free Download -Edit\ Game\ Rules=Change The Rules Of The Game -Show\ Death\ Message=View The Report About The Death Of -Jigsaw\ Block=Block Puzzle -From=In -Sakura\ Step=Sakura, Just -F3\ +\ H\ \=\ Advanced\ tooltips=F3 + h \= (powee of sugestii -Remote\ that\ works\ on\ any\ distance\ on\ same\ dimension=The remote control will work from any distance, and the size of the -Clusters\ of\ ores\ obtained\ from\ $(thing)$(l\:world/asteroid_ores)asteroid\ ores$()\ or\ $(thing)$(l\:world/meteor_ores)meteor\ ores$(),\ which\ may\ be\ processed\ for\ resources.=Clusters of rood, which is derived from the $(for that matter)$(l\:world/asteroid_ores)ore asteroids $(), or $(nothing)$(l\:world/meteor_ores), meteor, mineral$(), which can then be processed with the resource. -Electric\ Smelter=Electric Melting Furnace -Zigzagged\ Andesite=Sme V Cik-Cak Z Andezitov\u00E9 -Purple\ Per\ Bend=The Cats In The Corral -Replaced\ a\ slot\ at\ %s,\ %s,\ %s\ with\ %s=Jack, instead of the %s, %s, %s and %s -F3\ +\ Esc\ \=\ Pause\ without\ pause\ menu\ (if\ pausing\ is\ possible)=F3 + Esc \= Pause without Pause menu, (in the case where the exposure is not possible) -%1$s\ experienced\ kinetic\ energy\ whilst\ trying\ to\ escape\ %2$s=%1$s experienced kinetic energy, while she tried to escape %2$s -Trident\ thunder\ cracks=The Trident cracks of thunder -Append\ Mod\ Names\:=Just Add The Name Of The Mod\: -$d\ WU=$d I -Functionality=Features -Customize\ Messages\ to\ display\ when\ pointing\ at\ an\ Entity\\n\ (Manual\ Format\:\ entity;message)\\n\ Available\ Placeholders\:\\n\ -\ &entity&\ \=\ Entity\ Name\ (Or\ Player\ UUID)\\n\\n\ %1$s=You can edit the message on the display unit, wherein reference is made to the unit.\\n-how-and - Format\: entity, message)\\n-bookmarks are available to you\:\\n - it &entity,& Entity-Name (Or player UUID)\\n\\n %1$s -Large\ Image\ Text\ Format=Large Format Images, Text -VII=VII -Light\ Gray\ Chief\ Dexter\ Canton=Light-The Chief Dexter Canton -Tall\ Pink\ Lathyrus=Visoko Roza Lathyrus -Block\ placed=The block is attached to -Count\:\ %s=Number\: %s -Cat\ purrs=The cat purrs -Stone\ Platform=The Stone Platform -Magmatic\ Prismarine\ Chimney=Lava, Prismarine Phase -Pink\ Banner=Roz Banner -Fusion\ Reactor=Fusion Reactor -Univite\ Ingot=B. Florida Click He Born -Lime\ Skull\ Charge=Lima Set Of The Skull -\u00A77\u00A7o"The\ Firework\ Rocket\ Killer."\u00A7r=\u00A77\u00A7oFireworks "Rocket-Killer".\u00A7r -Enabled=Skills -Interactions\ with\ Stonecutter=Bendradarbiavimo Stonecutter -Accurate=The only -Swamp\ Edge=The edge of the marsh -Last\ modified=The last change -Essence=The essence of the -Nectar\ of\ the\ Tree=The Nectar Of The Tree -Mode\:\ %s=Under format\: %s -\u00A7aReload\ Rule\ Files=\u00A7aIf You Want To Update The Rule Files, -Info\ Tooltip\ Keybind=The Information That Is Displayed As A Tooltip Keybindit -Scanning\ for\ games\ on\ your\ local\ network=Are you in search of game, LAN -How\ rare\ are\ Nether\ Pyramids\ in\ Nether.=How rare is it, at the Bottom of the Pyramid in the Nether. -An\ error\ occurred,\ please\ try\ again\ later.=An error occurred, try again later. -Pumpkin\ Pie=Pumpkin pie -Light\ Blue\ Terracotta=Light Blue, And Terra Cotta -Japanese=Japansk -Limit\ must\ be\ at\ least\ 1=On the border should not be less than 1 -It's\ a\ Diamond\ Hammer,\ not\ a\ Lapis\ Hammer\!=It is a diamond with a hammer, and lapis hammer\! -Chunk\ at\ %s\ in\ %s\ is\ marked\ for\ force\ loading=Running %s on %s it is estimated that the supply of electric power to the load -Modded=Mod -Button\ %1$s=The key to the %1$s -Locked\ by\ another\ running\ instance\ of\ Minecraft=Only one other instance of -Crimson\ Door=Ketone Door -Spruce\ Planks\ Camo\ Door=Agile Door Camo -\u03A9-Rank\ Materia\ Block=V-Speed, Air Conditioning Points -Wooden\ Frame=Wooden frame -Acacia\ Planks\ Camo\ Trapdoor=From The Same Tables, The Camo Hatch -Univite\ Pickaxe=Univin Is Dig -Zigzagged\ Teal\ Nether\ Bricks=Zigzags, Turkis, Murstein, Nether -Water\ Mill=The Water -Diorite\ Platform=It Is A Platform Of Diorite -Ring\ of\ Night\ Vision=O-ring for night vision -Rabbit\ dies=The dead rabbit -Spruce\ Trapdoor=El Hatch -Add\ End\ themed\ Mineshafts\ to\ biomes\ outside\ the\ Enderdragon\ island.=Add, at the End of the scene, Mineshafts that all biomes of the Enderdragon on the island. -Dropped\ %s\ items\ from\ loot\ table\ %s=The fall %s the items on the table rescue %s -A\ machine\ which\ consumes\ $(thing)energy$()\ to\ mix\ $(thing)fluids$()\ into\ useful\ materials.=The car is not $(the question is not energy$() Mick $(is), a liquid$( a useful accessory. -Empty\ Crunchy\ Shell=A Vacuum Crispy Crust -The\ Color\ or\ texture\ to\ be\ used\ when\ rendering\ CraftPresence\ Tooltip\ borders=To make color or texture to be used, craft presence tooltip borders -Pink\ Elevator=Air Lift -How\ rare\ are\ Nether-styled\ Strongholds\ in\ Nether-category\ biomes.=As a rare Void of style Fort in Ad-category biom\u016F. -Sneak\ for\ details=Confidential information -Player\ Head\ Names=The Head Of The Players ' Names -Chiseled\ Red\ Sandstone=Chiseled Red Sand -Black\ Per\ Bend\ Sinister\ Inverted=Nero Unico Inverso Bend Sinister -Splash\ Potion\ of\ Toughness=Jump filter resistance -Salmon\ Crate=The Ark Of The Salmon -Please\ use\ the\ most\ recent\ version\ of\ Minecraft.=Use the maximum version of Minecraft. -Chiseled\ Quartz\ Block=Chiseled Quartz Block -Add\ Nether\ Temples\ to\ modded\ Nether\ biomes.=Add to batter in empty biomes mod sanctuary. -Pink\ Table\ Lamp=Warm Pink Desk Lamp -Refill\ on\ other\ occasions=Of the fuel, and more -Volcanic\ Cobblestone=The Floors Made Of Lava Stone -Times\ Used=This Time Is Used -Quartz\ Circle\ Pavement=Quartz Circle On The Floor -Snowy\ Taiga=Taiga Snow -Cracked\ End\ Stone\ Bricks=The Cracks At The End Of The Stone, Brick, -Water\ Bottle=A Bottle Of Water -Caps\ Lock=Caps Lock -Phoenix\ Wing=On Phoenix Flight -Gray\ Shield=Defend-Grey -Interactions\ with\ Blast\ Furnace=The part in the oven -Move\ Items=To Move Objects, -How\ large\ is\ your\ monitor\ even?=What is the size of the screen? -Pull\ xp\ orbs\ toward\ the\ player=Take out the xp on the orbs, and on his side -API\ Key=API key -Popped\ Chorus\ Fruit=The Structure Is Viewed As A Fruit Of The -Rocky\ Edge=Out Of The Corners -Your\ Client\ ID\ is\ Empty,\ things\ may\ not\ work\ well...=NUMBER of \u043A\u043B\u0438\u0435\u043D\u0442\u0430 to \u043E\u0431\u0435\u0437\u0441\u0438\u043B\u0438, you can't run, \u0432\u0441\u0438\u0447\u043A\u043E is \u0434\u043E\u0431\u0440\u0435. -Parrot\ hisses=Parrot hisses -The\ server\ is\ full\!=The server is full\! -Brown\ Glazed\ Terracotta=Brown Glass -Kill\ a\ raid\ captain.\nMaybe\ consider\ staying\ away\ from\ villages\ for\ the\ time\ being...=To kill RAID master.\nMaybe that overview far from the village below during the... -Red\ Terracotta=Red Terracotta -when\ killed\ by\ player=when a player is -Nether\ Temple\ Spawnrate=The Smallest Church In The World Spawnrate -Gravelly\ Mountains=La Monta\u00F1a Gravelly -Reload\ failed,\ keeping\ old\ data=Once he was lost, and the old in the database -\u00A77\u00A7o"He\ brought\ Ray\ Cokes\ to\ Notch,\ after\ all."\u00A7r=\u00A77\u00A7o"He brought ray round with a Notch at the end."\u00A7r -Raw\ Bacon=The First Data -Chorus\ Flower\ grows=Blind. The flower grows -Lagoon=Laguna -Gray\ Per\ Fess=Gr\u00E5 Fess -Sort\ Inventory\ In\ Columns=Classification Of Shares In The Column -Icy\ Mineshaft=Ice Me -Note\!\ When\ you\ sign\ the\ book,\ it\ will\ no\ longer\ be\ editable.=Attention\! When I connect the card, and can no longer be edited. -Advanced\ Chainsaw=The Modern Chain -Brown\ Roundel=Brown, Round -Cartography\ Table=Maps Table -Uses\ the\ immense\ power\ of\ TNT\ to\ make\ items\ under\ pressure=Use the immense power of the company object, which is under pressure -Granite\ Basin=Granite Kitchen Sink -Cypress\ Kitchen\ Sink=Chypre Sink In The Kitchen -Lime\ Terracotta\ Glass=Lime, Pottery, Glass -Do\ you\ want\ to\ open\ this\ link\ or\ copy\ it\ to\ your\ clipboard?=Would you like to open the following link, or copy it to the clipboard? -Earth\ Wing=Plot, Cover, -Polished\ Blackstone\ Wall=Polirani Zid Blackstone -Iron\ Hoe=The Owner Of Iron -\ Fuel\ usage\:\ %sx=\ Fuel consumption\: %sx -Lime\ Shield=Lima Is The Shield Of The -Bronze\ Helmet=Bronze Helmet -Defines\ the\ cinematic\ camera\ while\ zooming.=The framing of the film in the camera, the zoom, the netherlands. -Incorrect\ argument\ for\ command=Neveljaven ukaz argument -Game\ Rules=The Rules Of The Game -The\ Split\ Character\ for\ The\ Arrays\ in\ CraftPresence's\ Messages\ Configs=Section character arrays message CraftPresence these configuration files -Sponge\ (Legacy)=The Fungi (Former) -levels,\ health\ and\ hunger=the level of health and hunger -Chain\ Command\ Block=The Chain-Of-Command Within The Group -Obsidian\ Reinforced\ Trapdoor=Obsidian-Reinforced Door -Accessibility\ Settings=Availability Settings -Salmon\ dies=Salmon Yes for Umrah -Aquilorite\ Leggings=Leggings Aquilorite -Protect\ yourself\ with\ a\ piece\ of\ iron\ armor=Protect yourself with iron armor -Magenta\ Base\ Gradient=The Purple Gradient In The Database -Purple\ Concrete=Specific -Galaxium\ Fragment=Galaxium Fragmenti -Allow\ Snooper=Let Snooper -Un-equipping\ this\ item=The UN does not support the section -Controls\ resource\ drops\ from\ blocks,\ including\ experience\ orbs=A Source confirms that the points of the islands, including the experience of the spheres -Download\ done=Download -Wither\ Skeleton\ Spawn\ Egg=Dry Skeleton Span Eggs -Favorites\ Enabled\:="Favorites" Can Include\: -Pink\ Pale\ Dexter=Svetlo Roza Dexter -Vanilla\ Paxels=The Vanilla Per Person -Titanium\ Nugget=Titanium, Gold, -Worlds=The world -Your\ current\ world\ is\ no\ longer\ supported=In the world of today is no longer supported -Parrot\ flaps=Parrot care -Reset\ to\ Default=Kuidas reset default, -Black\ Per\ Pale=Color Is Black, Light -Diamond\ Hammer=The Working Part Of A Hammer -Spruce\ Sign=Under The Trees -\u00A77\u00A7o"Definitively\ not\ a\ SAO\ wing."\u00A7r=\u00A77\u00A7o"It is not at all the SAO side."\u00A7r -Witch\ Spawn\ Egg=The Second, At The Request Of The Eggs -Add\ RS\ wells\ to\ modded\ biomes\ of\ same\ categories/type.=RS wells, or to change biomes in the same category, but I am writing more and more. -Blue\ Concrete\ Glass=Blue, Glass, Concrete -Refresh=In order to increase the -Light\ Gray\ Skull\ Charge=The Light Gray Skull Charge -Elite\ Circuit\ Recipe=The Elite Round, I.e. The Recipe -Gray\ Globe=Siwa Globe -Craft\ a\ stone\ torch.=For the development of the rock-baklja. -Brain\ Coral\ Block=Brain Coral-Block -Right\ click\ with\ a\ $(item)Flint\ and\ Steel$()\ to\ launch.\ Right\ click\ with\ a\ $(item)Stick$()\ to\ destroy.\ These\ are\ both\ temporary\ measures.=Right click on the $(point, of Flint,$( in order to get the process started. Using the right mouse button, and then click on the' $(punten)bot$( to destroy. These two measures temporary measures. -White\ Per\ Bend\ Sinister=The White Color On A Bend Sinister -\u00A7e%s%%\ Chance=\u00A7e%s%% Good luck -Connected\ to\ (%s,\ %s,\ %s)\ in\ %s=This%s, %s, %s (a ) v %s -Distance\ Walked=The Distance To Go -There\ are\ %s\ whitelisted\ players\:\ %s=It %s be whitelisted players\: %s -Totem\ activates=Totem of nature -Wandering\ Trader\ trades=The wandering Trader's trades -Green\ Lozenge=Green Diamond -Multishot=Burst -Note\:=Note\: -Polished\ Granite\ Stairs=The Stairs Are Of Polished Granite +Green\ Concrete\ Camo\ Door=Green Concrete Camo Door +Enter\ a\ Nether\ Soul\ Temple=Enter a Nether Soul Temple +Failed\ to\ close\ a\ data\ stream,\ resource\ depletion\ may\ occur.\ Please\ report\ this\ Issue...=Failed to close a data stream, resource depletion may occur. Please report this Issue... +Ring\ of\ Flight=Ring of Flight +Blue\ Glazed\ Terracotta\ Pillar=Blue Glazed Terracotta Pillar +Minimum\ Y\ height.\ Default\ is\ 2.\ Note\:\ Will\ spawn\ between\ min\ and\ max\ config\ height.=Minimum Y height. Default is 2. Note\: Will spawn between min and max config height. +Lazuli\ Flux\ Container\ MK3=Lazuli Flux Container MK3 +Synchronizing\ data\ from\ server=Synchronizing data from server +Orange\ Shulker\ Box=The Orange Box, Shulker +Warped\ Coral\ Wall\ Fan=Warped Coral Wall Fan +Lazuli\ Flux\ Container\ MK4=Lazuli Flux Container MK4 +As\ &name&=As &name& +Lazuli\ Flux\ Container\ MK1=Lazuli Flux Container MK1 +Lazuli\ Flux\ Container\ MK2=Lazuli Flux Container MK2 +Chat\ Text\ Opacity=Discuss The Text Lock +Emits\ bright\ light=Emits bright light +Gray\ Saltire=Saltire \u0393\u03BA\u03C1\u03B9 +Data\ Required\ for\ Tier\:\ Superior=Data Required for Tier\: Superior +Electrum\ can\ be\ obtained\ by\ combining\ 1\ Gold\ Ingot\ and\ 1\ Silver\ Ingot\ in\ an\ $(item)$(l\:machinery/alloy_smelter)Alloy\ Smelter$().\ This\ produces\ 2\ $(item)Electrum\ Ingots$().=Electrum can be obtained by combining 1 Gold Ingot and 1 Silver Ingot in an $(item)$(l\:machinery/alloy_smelter)Alloy Smelter$(). This produces 2 $(item)Electrum Ingots$(). +Orange\ Banner=The Orange Banner +Surface\ Cave\ Maximum\ Altitude=Surface Cave Maximum Altitude +Message\ to\ display\ in\ Rich\ Presence\ when\ using\ Vivecraft=Message to display in Rich Presence when using Vivecraft +Blue\ Bellflower=Blue Bellflower +Scheduled=Scheduled +Creative\ Battery=Creative Battery +Select\ Server=Select The Server +Parrot\ lurks=Parrot wait +Get\ a\ Coal\ Generator=Get a Coal Generator +Sonoran\ Cactus=Sonoran Cactus +River=River +ME\ Crafting\ Terminal=ME Crafting Terminal +Small\ Dusts=Small Dusts +Stonecutter=Mason +Pure\ Nether\ Quartz\ Crystal=Pure Nether Quartz Crystal +Blue\ Enchanted\ Log=Blue Enchanted Log +Modular\ Workbench=Modular Workbench +Block\ Loot\ Drop=Block Loot Drop +mB=mB +Customize\ World\ Presets=Settings Light +Potted\ Magenta\ Begonia=Potted Magenta Begonia +Jungle\ Kitchen\ Counter=Jungle Kitchen Counter +Light\ Blue\ Nikko\ Hydrangea=Light Blue Nikko Hydrangea +Lithium\ Batpack=Lithium Batpack +Quantum\ Boots=Quantum Boots +Message\:=Message\: +Snowy\ Blue\ Taiga=Snowy Blue Taiga +ME\ Fluid\ Import/Export\ Bus=ME Fluid Import/Export Bus +Item\ Messages=Item Messages +Cyan\ Beveled\ Glass=Cyan Beveled Glass +Package\ Crafter=Package Crafter +Dark\ Mode=Dark Mode +Big\ Torch=Big Torch +Clay\ Dust=Clay Dust +World\ Type\:=The World, Such As\: +Execution\ Module=Execution Module +Instant\ Cooldown=Instant Cooldown +Hot\ Tourist\ Destinations=Popular Tourist Destinations +Diggus\ Maximus=Diggus Maximus +Dark\ Oak\ Leaves=The Dark Oak Leaves +\u00A77\u00A7o"In\ God\ We\ trust."\u00A7r=\u00A77\u00A7o"In God We trust."\u00A7r +Snow\ Dungeons=Snow Dungeons +Show\ /\ Hide\:=Show / Hide\: +Yellow\ ME\ Dense\ Smart\ Cable=Yellow ME Dense Smart Cable +CraftPresence\ -\ Server\ Addresses=CraftPresence - Server Addresses +Cyan\ Asphalt\ Slab=Cyan Asphalt Slab +Craft\ the\ Ender\ Hammer\ to\ end\ your\ mining\ woes.=Craft the Ender Hammer to end your mining woes. +$(l)Tools$()$(br)Mining\ Level\:\ 3$(br)Base\ Durability\:\ 1043$(br)Mining\ Speed\:\ 7.5$(br)Attack\ Damage\:\ 3$(br)Enchantability\:\ 24$(p)$(l)Armor$()$(br)Durability\ Multiplier\:\ 24$(br)Total\ Defense\:\ 17$(br)Toughness\:\ 0.5$(br)Enchantability\:\ 18=$(l)Tools$()$(br)Mining Level\: 3$(br)Base Durability\: 1043$(br)Mining Speed\: 7.5$(br)Attack Damage\: 3$(br)Enchantability\: 24$(p)$(l)Armor$()$(br)Durability Multiplier\: 24$(br)Total Defense\: 17$(br)Toughness\: 0.5$(br)Enchantability\: 18 +Advanced\ Machine\ Chassis=Advanced Machine Chassis +Notice\:\ Just\ for\ fun\!\ Requires\ a\ beefy\ computer.=Note\: just for the fun of it\!\!\! Requires a powerful COMPUTER. +Parrot\ giggles=Riu to the I cry +\nHow\ rare\ are\ Crimson\ Shipwreck\ in\ Crimson\ Nether\ biomes.=\nHow rare are Crimson Shipwreck in Crimson Nether biomes. +Mark\ Complete=Mark Complete +Lime\ Tent\ Side=Lime Tent Side +Brown\ Glazed\ Terracotta\ Pillar=Brown Glazed Terracotta Pillar +Set\ %s\ for\ %s\ entities\ to\ %s=The kit %s the %s The Man %s +Cyan\ Asphalt=Cyan Asphalt +Craft\ an\ Advanced\ Circuit=Craft an Advanced Circuit +Allow\ Players\ Leaving\ Arena=Allow Players Leaving Arena +Soul\ Campfire=The Fire Of The Soul +Triturating\ clusters\ will\ result\ in\ two\ of\ their\ respective\ $(thing)dusts$().=Triturating clusters will result in two of their respective $(thing)dusts$(). +Multiplayer=Multiplayer +Oak\ Kitchen\ Cupboard=Oak Kitchen Cupboard +of=of +Orange\ Per\ Bend\ Sinister\ Inverted=Orange Bending Poorly Made Right\ Arrow=Right Arrow -Craft\ a\ chair.=The craftsmanship of the chair. -Pink\ Base\ Gradient=The Pink Base Of The Gradient -Current\ entity=V actually -Melon=Melon -Mossy\ Volcanic\ Rock\ Brick\ Wall=Moss-Covered Volcanic Rock Brick Wall -Glass\ Bottle=Glass Bottle -Into\ Fire=The hearth -Basic\ tier\ energy\ storage=En baseline for energi opbevaring -Blaze\ Lantern=The Weather -Bats\ drops\ Bat\ Wing=Bat drops bat wings -Blue\ Asphalt\ Slab=Blue Tile, Asphalt -Biomes\ In\ Vanilla\ Mode=Biomes V Re\u017Eimu Vanilky -Changed\ title\ display\ times\ for\ %s=Changed the name of the screen time %s -Bamboo\ Jungle=Bamboo Is A Kind Of -Husk\ hurts=The projectile, unfortunately -Stone\ Circle\ Pavement=The Round Stone To The Floor Of The -from\ network\ to\ block=Network -Magenta\ Skull\ Charge=Purple Skull Charge -Adds\ tiny\ boulders\ to\ normal/snowy\ Taiga\ Mountains\ biomes.=Add small rocks to the normal/snowmobiles, taiga mountain biomes. -Soul\ Sandstone\ Bricks=Soul, Sandstone And Brick -Novice=Beginners -Biofuel=Bio-fuels -Y\ Range=M-Series -Red\ Color\ Value=The Red Color Value -Remove\ Splashes\ Entirely\:=Spray To Remove\: -Stripped\ Sakura\ Log=Take Sakura To Join -Flint\ and\ Steel\ click=Flint and Steel, click the button -Appearance\ Theme\:=Type Of Theme\: -The\ Next\ Generation=The Next Generation -Cyan\ Per\ Pale\ Inverted=Blue, The Color Of The Light To The -Wooden\ SuperAxe=SuperAxe Wood -Black\ Paly=Black And Light -\u00A77Hover\ Speed\:\ \u00A7a%s=\u00A77When You Hover The Mouse To Until Speed\: \u00A7a%s -Invar\ Nugget=Inbar Pepita -Butcher's\ Headband=M\u00E4siara boy band -Values=The value of the -Bricks=Brick -Fish\ and\ Chips=The fish and chips -Zoom\ Divisor=The Dealer's Signal -Brown\ Bend\ Sinister=Brown Bend Sinister -Black\ Pale=Pale, Black -Ingredient=Components -Craft\ a\ basic\ iron\ alloy\ furnace=The vessels, of base alloys of iron-arc furnace -Prismarine\ Slab=Prismarit La Taula -Vibranium\ Chestplate=Bib Vibranium -Bucket\ of\ Tropical\ Fish=The Bucket Of Tropical Fish -Lava\ Polished\ Blackstone\ Bricks=Wash The Polished Blackstone Bricks -Date\ Format=Format Daty -Bat\ hurts=The Bat hurts -Standard\ Machine\ Casing=By Default, The Body Of The Machine -Bottom\ Offset=At The Bottom Of The Offset -Showing\ craftable=The sample is made -Cheating\ Style\:=Related Documents Type\: -Flame=Flames -Menu=Meni -Green=Green -Sulfur\ Quartz=Silicon dioxide -selected\ "%s"\ (%s)=selected%s" (%s) -Barrels\ Opened=The Barrel Opened -Asset\ Name\ "%1$s"\ does\ not\ exist,\ attempting\ to\ use\ an\ alternative\ Icon\ "%2$s"...=The Name Of The Property "%1$s"it does not exist, an attempt to use a different Icon "%2$s"... -Yellow\ Terracotta\ Glass=Yellow, Pottery, Glass -Allow\ spectators\ to\ generate\ terrain=Allows viewers, and in order to create a landscape -Diorite\ Basin=God -Tungsten\ Shovel=The Tungsten With Your Friends -Japanese\ Maple\ Shrub\ Leaves=The Japanese Maple Tree, A Bush Of Leaves -Purple\ Chevron=Purple Chevron -Faux\ Phoenix\ Feather=Artificial Phoenix Feather -Enable\ "Swipe\ Moving\ Items"\ in\ crafting\ result\ slot=Enable the "swipe to Move the elements" in the development of a result of the slot -Block\ outline\ colour=To lock in the color sketch -Structure\ Void=The Structure Of The Vacuum -Stone\ Door=The Stone Of The Door -Unlocked\ %s\ recipes\ for\ %s=If you %s recipe %s -Toughness=The tensile strength of the -Polished\ Diorite\ Pillar=Poleeritud Diorite Samba -Mountain\ Edge=Horseback Riding At The End -Smoky\ Quartz\ Bricks=Dimljen Quartz Opeke -%s\ Kitchen\ Sink=%s Sink -Absolute\ Value=Without A Doubt, Worth It -Information=Information -Skeleton\ hurts=The skeleton of a pain -Mining\ Speed\ Multiplier=Data Mining Is De Multiplier Snelheid -Green\ Shulker\ Box=Zelene Travnike, Shulker -Ghast\ Spawn\ Egg=Ghast Spawn Eggs -Bee\ Our\ Guest=The Bees Guest -Red\ Bordure\ Indented=The Red Border Version -Tungsten\ Plate=Tungsten Plate -Brass\ Ingot=Bar Made Of Brass -Sulfur\ Quartz\ Bricks=Sulfur, Quartz, Bricks, -Slime\ Hat=The Slime-Covered -Composter\ emptied=Composting is the distance of the -Sort\ by\ Identifier=The classification of IG -Try=You should try this -Removed\ effect\ %s\ from\ %s\ targets=Removed %s that %s meta -Carrot\ on\ a\ Stick=Carrot and pictures -Slimeball=Mucus -Grabber\ Width\:=Grabber Width\: -This\ will\ swap\ all\ waypoint\ data\ of\ the\ selected\ world/server\ and\ the\ automatic\ world/server,\ thus\ simulate\ making\ the\ selected\ world\ automatic.\ Make\ sure\ you\ know\ what\ you're\ doing.=He was selected to the world/server, world, car,/, all points to the server data sharing, so that the selected device in the world that simulates. Everything you do, make sure that you know. -Inspiration=The Inspiration -Distance\ by\ Minecart=Distance on the stroller -Evoker\ hurts=The figures of evil -Chiseled\ Quartz\ Block\ Camo\ Trapdoor=Kaltiniais The Hood Of The Cloak Blocks Of Quartz -Splash\ Potion\ of\ Levitation=Explosion potion of levitation -Arrow\ of\ Invisibility=The Invisible Hand -Pizza\ Ham=Pizza With Ham -Purple\ Chief=Purple-Head -Config\ Button\ Position\:=The Condition To The Right Of The Config\: -Open\ Command=If You Want To Open A Window, The Command -Ring\ of\ Strength=The ring of power -Drop\ Selected\ Item=The Finish An Element Is Selected -Can\ be\ covered\ with\ wooden\ plates=It can be covered with wooden boards -Potted\ Japanese\ Maple\ Sapling=Pot Japanese Maple Nursery -Found\ MCUpdater\ Instance\ Data\!\ (\ Name\:\ "%1$s")=Mcupdate Their Data Could Not Be Found\! ( Name\:"%1$s") -Ender\ Chest=Edge Of The Breast -Metite\ Axe=Weighed The Axe -Nothing\ changed.\ That's\ already\ the\ style\ of\ this\ bossbar=It makes no difference. This is not a style, it's bossbar -F3\ +\ B\ \=\ Show\ hitboxes=F3 + B \= Visar bounding boxes -Reduces\ the\ mouse\ sensitivity\ when\ zooming.=This reduces the sensitivity of the mouse, if you zoom in on the view. -Roast\ a\ marshmallow\ over\ a\ campfire,\ but\ be\ careful\ not\ to\ burn\ it\!=Zefyru steak on the set, but be careful, it's not\! -Unknown\ scoreboard\ objective\ '%s'=We do not know of a system is the goal '%s' -Black\ Per\ Pale\ Inverted=The Black On The Leaves At The Same Time -Peaceful=Nice -Minecon\ 2013\ Cape\ Wing=Vingar Minecon Kap 2013 -%1$s\ tried\ to\ swim\ in\ lava\ to\ escape\ %2$s=%1$s he tried to swim in lava to escape %2$s -Panda\ dies=Panda die -White\ Stained\ Glass\ Pane=White Stained Glass -End\ Midlands=The Final Of The Midlands -Pink\ Chief\ Sinister\ Canton=Color, The Head Was On The Left -%s\ Step=%s Step -Strong\ attack=Strong attack -Large\ %s=Grand %s -Lime\ Concrete\ Camo\ Door=Lima Concrete Camo Door -Failed\ to\ export\ resources=It is not about the export of resources -search\ for\ worlds=survey of the universe -Reset\ Zoom=To Restore The Zoom -Tool\ durability=The tool life -Press\ "C"\ to\ center\ or\ uncenter\ a\ selected\ interface.=Press "C" to center or uncenter the selected interface. -Use\ Item/Place\ Block=The Item And Use It Instead Of A Block -FauxCon\ Attendee\ Ticket=FauxCon The Party On The Map -Keep\ Old\ Deathpoints=Stari Deathpoints -Crimson\ Planks\ Glass=Crimson Tape, Glass -Loot\ Table=Lot-Table -Carbon=Carbon -Philosopher's\ Stone=The philosopher's stone -Polished\ Blackstone\ Bricks\ Ghost\ Block=Polished, Common, Brick, Block, And Score -Snowy\ Coniferous\ Wooded\ Hills=The Snow In The Coniferous Forest Of The Mountains -Power\ From\ Above=In Power From On High, -Right\ click\ while\ hovering\ in\ Inventory=With the right mouse button to click, but the fluctuations in the inventory -This\ action\ cannot\ be\ reverted.\ Make\ sure\ you\ know\ what\ you're\ doing.=Note that this operation can not be restored. Make sure that you know what you're doing. -Gray\ Chief\ Dexter\ Canton=Gray Editor-In-Chief Dexter Canton -Thunder=The Thunder -Potted\ Warped\ Roots=In Pot The Roots -Oak\ Coffee\ Table=Oak Table, Brown -\u00A77\u00A7o"You\ can\ hear\ them,\u00A7r=\u00A77\u00A7o"You can listen to them\u00A7r -Netherite\ Plates=Netherit Sur -Bronze\ Sword=Bronze Sword -Open\ Config\ Screen=File To Open The Setup Screen -Piglin\ snorts\ enviously=Piglin she smokes envy -A\ stack\ of\ items\ cased\ in\ bread,\ which\ can\ be\ consumed\ all\ at\ once\ to\ restore\ as\ much\ hunger\ as\ the\ items\ inside\ restore\ combined.\ This\ specific\ one\ probably\ should\ not\ even\ qualify\ as\ a\ sandwich.=The stack of the elements of manteltorustatud of the bread, you can use that time to get as much out of hunger, when the goods are on the inside, back, together. Perhaps it should not be classified in the sandwich. -Confirm=To confirm -Polished\ Blackstone\ Brick\ Slab=Polish Merchant-Brick Block -Storage\ network's\ interface\ for\ taking\ &\ adding\ items.=The storage interface network-in order to do that, and then add products to it. -Short-burst\ Booster\ (Active)=Aktywny shortness of breath booster () -Unknown\ display\ slot\ '%s'=Is not known, the view to the castle"%s' -Note\:\ Snowy\ Taiga\ Biomes\ will\ get\ Ice\ Mineshaft\ instead\ of\ Taiga\ theme.=Please note\: people MC biomes be led, I think, is not the subject of the Taiga. -->\ %s\ <%s>\ %s=-> %s <%s> %s -Iridium\ Plate=The Curtain Plate -Dolphin=Dolphin -Tungsten\ Grinding\ Head=Light-Alloy Wheels, The Hands, The Head Of The -Cypress\ Sign=Mark In Cypress -It's\ a\ Sandwich\!=This Is A Sandwich\! -Only\ one\ entity\ is\ allowed,\ but\ the\ provided\ selector\ allows\ more\ than\ one=Only a business settled, however, until the state of choice means that you may be more than one -Yield\ (Upgraded)=Prices (Updated) -Polished\ Andesite\ Ghost\ Block=Polished Andesite Unit Of The Spirit -Scoreboard\ objective\ '%s'\ is\ read-only=The purpose of the scoreboard"%s"it is only for reading -Lapotron\ Crystal=Spacers For Each Crystal -Stripped\ Rubber\ Wood=Remove From The Rubber Tree -Galaxium\ Shovel=Galaxium Pala -Update\ Chunks=The Update Part -Bread\ Slice=Slices Of Bread -Graphics=Schedule -Pink\ Snout=Nose Pink -Cleared\ titles\ for\ %s=Deleted names %s -Poisonous\ Potato=The Poisonous Potato -Smooth\ Stone\ Stairs=On The Smooth Stone Stairs -Soul\ Sandstone\ Slab=Tue Qumdas Shower -Volcanic\ Island\ Beach=Volcanic Island The Beaches -The\ Fez=TES -Fisherman\ works=A fisherman working -The\ maximum\ value\ that\ you\ can\ scroll\ up.=The maximum value which can be moved up. -built-in=internal -Gunshot=Shooting -Pizza\ Bacon=Bacon, Pizza -Save\ mode\ -\ write\ to\ file=Saving Mode d' - the file to write -Chickens\ (Black\ Feathers)=(Black Feather)Kylling -Show\ Overlay=To View The Photo -Chain\ Link\ Fence=Chain Link Fence -Asterite\ Chestplate=Asteria Jumpsuit -Craft\ Enchanted\ Golden\ Apples=Craft Enchanted Apples Of Gold -Yellow\ Garnet=Yellow, Garnet -%s\ /\ %s=%s / %s -Red\ Per\ Pale=Red, Light -Please\ select\ a\ biome=Please select the biome -Primitive\ machine\ to\ make\ alloys\ from\ ingots\ or\ dusts=Primitive machine for gold, or alloys powder -Jungle\ Fortress=Forest Force -Charges\ up\ to\ 6\ items\ simultaneously=At a time fees, 6 pieces -Husk\ Spawn\ Egg=Oysters Spawn Egg -Fish\ Caught=Fish -Silverfish\ hurts=Fish-Money is evil -The\ difficulty\ did\ not\ change;\ it\ is\ already\ set\ to\ %s=The complexity hasn't changed, and it is registered in the %s -Blue\ Futurneo\ Block=Blue Futur-Block -\u00A79Use\ to\ attach\ this\ wing\u00A7r=\u00A79The use of the attached wing\u00A7r -A\ bit\ like\ a\ fence\ post=Sort of like a fence post -Swaps\ the\ preview\ modes.\nIf\ true,\ pressing\ the\ preview\ key\ will\ show\ the\ full\ preview\ instead.=The exchange preview.\nIf this is the case, you will need to click on the preview button, to display the complete preview of the place. -Dragon's\ Breath=Andning dragon -Unlimited\ Storage\ Remote=Unlimited Space For Remote Control -Jump=Hoppe -Tungsten\ Chestplate=Tungsten Chestplate -\u00A79Owner\:\ =\u00A79Sobstvenik\: -Json\ Segment\ "%1$s"\ is\ of\ an\ incompatible\ format...=Song\: "JSON "%1$s"how to work... -Nothing\ changed.\ That's\ already\ the\ value\ of\ this\ bossbar=Nothing has been changed. It is already a value in the bossbar -Brown\ Per\ Pale\ Inverted=A Light Brown On Both Sides, The Second -Replicates\ fluid\ placed\ inside\ middle\ of\ it\nMulti-block\ structure\nRequires\ energy\ and\ UU\ Matter=Representatives of the fluid which is in the center\nMultiblock structure\nFor this we need strength, and you can save yourself this question -Infested\ Stone=Mysterious Stone -Crimson\ Fence=Purple Fence -Lime\ Rune=Lime Wool -Move\ All\ Items=In Order To Move All Of The Objects Of The -Snowy\ Hemlock\ Forest=Snow-Covered Forests Of Hemlock -Advancement\ Made\!=Progression\! -Firework\ Rocket=Rocket Fireworks -Yucca\ Palm\ Trapdoor=Yukka-Palma De Haven -Cyan\ Chief\ Indented=The Blue Chief Indented -Pink\ Concrete=Sex -The\ Curse\ of\ Gigantism=The curse of gigantism -Iridium\ Alloy\ Ingot=USA Aluminum Rod -Purple\ Dye=Purple Paint -Biome\ %s\ could\ not\ be\ found\ after\ %ss=BIOM %s it was not possible to find under %ss -Scroll\ creative\ menu=Creative menu -Wither\ hurts=The pain in the back -Enchanted\ Book=Magic Book -Magenta\ Asphalt=Purple, Asphalt -Fallback\ Icon\ for\ "%1$s"\ Found\!\ Using\ Fallback\ Icon\ with\ Name\ "%2$s"\!=Instead Of A Photo%1$s"Found it\!\!\!\!\! Using the fallback icon-name "%2$s"\! -Show\ Server\ Ticks\ ms=Show server ticks MS -Blue\ side\ means\ input.=The right of the entrance. -Mushroom\ Fields=Mushroom Fields -Visualized\ Structure=Structure And Appearance For -Potted\ Pink\ Lathyrus=Syltede Pink Lathyrus -Nitro\ Diesel=Nitro Diesel -CraftPresence\ -\ Select\ an\ Icon=CraftPresence Menyen. -Distribute\ Evenly=In Order To Be Distributed On The Basis Of The Principle Of Equal -Blue\ Tent\ Top=The Top Of The Blue Tent -Potted\ Tall\ Cyan\ Calla\ Lily=Vase Big Blue Calla -\u00A7cNo=\u00A7cNot -Dark\ Oak\ Barrel=Dark Oak Barrels -Peridot\ Sword=Blade Material\: -Add\ RS\ features\ to\ modded\ biomes\ of\ same\ categories/type.=More of the same class, and/or properties, mold creatures on the RIGHT side. -structure\ size\ z=the whole structure of the z -structure\ size\ y=the structure, size y -structure\ size\ x=Structure, size X -Dark\ Theme=Background -Angel\ Wing=Angel Wing -Something\ From\ Nothing=Something Than Nothing -TNT\ Wing=And wings -Gray\ Cross=Grey Cross -Purple\ Flat\ Tent\ Top=Purple, Apartment, Tent, Top -Disp.\ Other\ Teams=Disp. Members, And -Applied\ effect\ %s\ to\ %s=The use of the %s for %s -Metite\ Helmet=Bucking Helmet -Distance=In the distance -Friction\ Factor\ (Between\ 0.0\ and\ 1.0)=Communication (in the range from 0.0 to 1.0) -Made\ %s\ no\ longer\ a\ server\ operator=It %s this is not the server of the operator -Willow\ Button=Willow Button -Calcination\ Furnace\ +=The Calcination Furnace + -Volcanic\ Rock\ Pressure\ Plate=A Volcanic Rock From The Pressure Plate -The\ Ground\ is\ too\ Wet,\ Find\ some\ cover=Ground too wet, and find any cover -Ruby\ Crook=Ruby Canaglia -Composter\ composts=Peat, compost -Marble\ Circle\ Pavement=The Marble, Round The Borders Of The -Watering\ Can=The garden can also be -Netherite\ Staff\ of\ Building=Netherite Employees Construction -Replaces\ vanilla\ dungeon\ in\ Mushroom\ biomes.=Replace the vanilla prison in mushroom biomes. -Ultimate\ clean\ energy=The top of the net generation -Previous\ Category=The Previous Category -Legendary=Legendary -Small\ Pile\ of\ Andradite\ Dust=A small group of Andrade and dust -Lime\ Lawn\ Chair=Lime Chairs -Netherrack\ Circle\ Pavement=Hell, Pavement Stone Circle -Crossbow=These -Available\ Mod\ Updates\:=Available On The Mod Update. -Swimming=Swimming -Creeper\ Spawn\ Egg=Creeper Spawn Vejce -Output\ Only=The maximum -Green\ Tent\ Top=The Green Top Of The Tent -Red\ Snout=Red Mouth -Asteroid\ Stellum\ Cluster=Cluster-Stellum Asteroid -Mature=Mature -Safety\ Vest=Safety Vest -Rocket\ Fuel\ Bottle=Rocket-Fuel Bottle -Magenta\ Concrete\ Camo\ Door=Purple, Concrete, Door, Black -Open\ datapacks\ folder?=Go to the datapacks folder? -Red\ Glazed\ Terracotta\ Camo\ Door=Red Tiles, Doors, Cover -LIMITED\ POWER\!=LIMITED POWER\! -Quartz\ Hammer=The Mechanical Hammer -Leather\ armor\ rustles=Leather armor creaks -Magma\ Cube\ Spawn\ Egg=Magma Cube Spawn Muna -Brown\ Pale\ Dexter=Rjava, Svetlo Dexter -Hemlock\ Leaves=Gjethet E Hemlock -ToolMat=ToolMat -Potted\ Tall\ Black\ Bat\ Orchid=Vessels With A High Black Bat Orchid -Requires\ tool=It requires a tool -Not\ a\ valid\ number\!\ (Long)=Not the exact number. (Long) -Orange\ Autumnal\ Sapling=Orange, Autumn, Fall, Plants -Arrow\ of\ Healing=With the boom in the healing process -Invalid\ operation=An invalid operation -Chat=The Conversation -Cocoa=Cocoa -White\ Base\ Dexter\ Canton=White Background Dexter Canton -Attack\ Indicator=Index Attack -Dark\ Forest\ Dungeons=In A Dark Dungeon In The Forest -Forest\ Edge=On The Edge Of The Forest -Battle\ Rifle=On The Battle Rifle -Pillager\ dies=Raider morre -Endorium\ Sheetmetal=Endorium Metal -Potion\ of\ Water\ Breathing=Potion of water breathing -\u00A77\u00A7o"Attendee's\ cape\ of\ MINECON\ 2011."\u00A7r=\u00A77\u00A7o"Cape of the attendee of Minecon 2011".\u00A7r -Stripped\ Dark\ Oak\ Wood=The Nerves-Dark Oak -Entities\ between\ x\ and\ x\ +\ dx=Units between X and X + DX is -Cyan\ Concrete\ Camo\ Door=Blue Particular Door Camo -Click\ to\ teleport=Click on the teleport to tele -Hemlock\ Kitchen\ Sink=Hemlock Sink -Sort\:\ %s=Form\: %s -Shoot\ something\ with\ an\ arrow=Image as an arrow. -Unable\ to\ open.\ Loot\ not\ generated\ yet.=It is not possible to enter. Prey, he was not created. -Cables=Cables -Decrease\ Zoom=Rose -End\ Plant=The Last Of The -In-game=Game -Crate\ of\ Lil\ Taters=Lil Torbe Na Pattis -Toggle\ Multiblock\ Hologram=Transition More Holograms -%s\ slider=%s cursor -Ghast\ cries=Ghast crits -Weaponsmith's\ Eyepatch=The dealer in the eyes- -Tomato\ Crop=The Production Of The Crop -Dark\ Japanese\ Maple\ Sapling=Tamno-Japanski Javor Seedlings -Dark\ Gray=Dark Gray -Tab=Karti -Pickaxaxovel=Pickaxaxovel -Roasted\ to\ Perfection=Fried to perfection -%s\ is\ not\ in\ spectator\ mode=%s so -Warped\ Planks\ Ghost\ Block=Rebellion Is The Spirit Of The Unit -Storage\ Link\ Cable=Compartment For Cord Storage -Scheduled\ function\ '%s'\ in\ %s\ ticks\ at\ gametime\ %s=Planned Feature '%s this %s pliers for playing time %s -Allows\ CraftPresence\ to\ change\ it's\ display\ based\ on\ Entity\ Data\\n\ Note\ the\ Following\:\\n\ -\ Requires\ an\ Option\ in\ a\ valid\ Entity\ Message\ List=Craft presence ability to change the screen-based enterprise information\\N note\:\\N - list of messages, selection of messages are permitted, the necessary -$.3fG\ Energy=$.3fG energia -Night\ Vision=Night vision -Mundane\ Lingering\ Potion=Mundane Potion Of Slowing -Instant\ Health=Emergency Medical Care -%1$s\ was\ doomed\ to\ fall\ by\ %2$s\ using\ %3$s=%1$s it was decided that in the fall %2$s using %3$s -Don't\ forget\ to\ back\ up\ this\ world=Don't forget to return to the world -Guardian\ hurts=Damage To The Guardian -Emerald\ Nugget=The Emerald Is Natural -Purple\ Stained\ Glass=Violet Vitraliu -Presets=Presets -Toggles\ the\ shulker\ box\ preview.\nEffectively\ disables\ the\ mod.=The switch box and shulker, if you want to preview.\nIn essence, it prohibits the Department of defense. -The\ Void=This may not be the -Green\ Terracotta\ Glass=The Green-And-Terracotta-Glass - -Burn\ Time\:\ %s\ item(s)=Opening hours\: %s the item (s)in the -Sweet\ Berry\ Jam\ Bottle=The Sweetness Of The Berry Jam Bottle -Granite\ Step=Granite Stairs -Ravager\ roars=The spoiler is that it the shade under -Presence\ Settings=Participation Options. -Message\ to\ use\ for\ the\ &players&\ Placeholder\ in\ Server\ Settings\\n\ Available\ Placeholders\:\\n\ -\ ¤t&\ \=\ Current\ Player\ Count\\n\ -\ &max&\ \=\ Maximum\ Player\ Count=News for the players, and the placeholder is a placeholder for the Configuration Server.\\n-the characters Available are\:\\n \\ n \\ - & & current \= the Current number of players,\\n / max \= the Maximum number of players -Custom\ Texture\ Enabled\:=Special Woven Fabrics, Including\: -Mule\ dies=The animals are dying -Arrow\ of\ Sugar\ Water=One of the arrows out of the sugar and the water -Stripped\ Umbral\ Stem=In The Peeled Root Of The Umbral -Deactivating=Next -Upside\ Down\ English=The Head, Feet, English -Bottom-Left=In The Lower Left -Turtle\ swims=Der Floating Turtle -White\ Elevator=Surgery To Lift -Yellow\ Glazed\ Terracotta\ Pillar=Rumena, Terra Cotta, In Steklene Kolone. -Pine\ Forest=There -Small\ Pile\ of\ Pyrite\ Dust=Small Pile Of Pyrite Saw -Copied\ client-side\ block\ data\ to\ clipboard=Show the client the block of data to the clipboard. -Not\ Enough\ Energy\:=Have enough time and Energy -Defaults=The default value -Fabulous\!=I love it\! -Pink\ Skull\ Charge=Pink Kafk\u00EBs Post -Pink\ Patterned\ Wool=The Pink Color Is The Color Of The Wool -Enderman=Ender -While\ the\ recipe\ shown\ is\ clearly\ for\ $(item)Iron\ Plates$(),\ simply\ substituting\ the\ $(item)Iron\ Ingots$()\ with\ any\ other\ $(thing)Ingots$()\ will\ create\ plates\ of\ that\ type.=And the recipe is clear $(point), and the Council$(), just replace $(item) - Iron Bars$( in other $(thing), ingots,$( it creates a panel of this type. -Rescue\ a\ Ghast\ from\ the\ Nether,\ bring\ it\ safely\ home\ to\ the\ Overworld...\ and\ then\ kill\ it=Keep Swimming story about why she was killed, after Pikachu and his home, and a responsibility for... -Teleported\ %s\ to\ %s,\ %s,\ %s=Teleporta %s for %s, %s, %s -Painting\ Tool=Die Paint Tool -Magenta\ Pale\ Dexter=The Purple, Delicate-As Soon As Possible -Golden\ Carrot=The Golden Carrot +A\ task\ where\ the\ player\ has\ to\ kill\ other\ players\ with\ certain\ reputations.=A task where the player has to kill other players with certain reputations. +or=or +Unknown\ function\ %s=The function of the unknown %s +\u00A77\u00A7o"In\ use\ since\ October\ 7,\ 2015."\u00A7r=\u00A77\u00A7o"In use since October 7, 2015."\u00A7r +Game\ Mode\ Command\:=Game Mode Command\: +Scoria\ Pillar=Scoria Pillar +AKA\ Pulverizer=AKA Pulverizer +Light\ Blue\ Snout=Light Blue Mouth +Chiseled\ Quartz\ Block\ Camo\ Door=Chiseled Quartz Block Camo Door +\nAdd\ RS\ boulder\ to\ modded\ biomes\ of\ same\ categories/type\ instead\ of\ just\ vanilla\ biomes.=\nAdd RS boulder to modded biomes of same categories/type instead of just vanilla biomes. +Pure\ Certus\ Quartz\ Crystal=Pure Certus Quartz Crystal +Press\ "F"\ to\ flip\ or\ unflip\ a\ selected\ interface.=Press "F" to flip or unflip a selected interface. +Sakura\ Platform=Sakura Platform Save\ and\ Quit\ to\ Title=Save & exit section -Successfully\ cloned\ %s\ blocks=Successfully cloned %s bloki -Multiworld\ Detection=Lahendus Multiworld -Heart\ Shaped\ Herb=The Cor In The Form Of Gespa -Found\ Technic\ Pack\ Data\!\ (\ Name\:\ "%1$s"\ -\ Icon\:\ "%2$s"\ )=Find Equipment For Packaging. ( Surname, name, patronymic\: "%1$sSimbol%2$s" ) -Unlocked\ %s\ recipes\ for\ %s\ players=Detailed information %s a prescription %s players -Brown\ Terracotta\ Ghost\ Block=Bruin Terracotta Geest-Eenheid -Renew=Update -Orange\ Glazed\ Terracotta=The Orange Glazed-Terracotta Tiles -Save\ Hotbar\ Activator=Save As Hotbar % W / W -Travellers\ Ring=The Traveler Of The Ring -(Shift-Click\ to\ Reload)=(The Shift key and Press Restart) -Umbral\ Fungus=The Shadow Of The Mushroom -Ravager\ cheers=Ravager sk\u00E5l -Mooshroom\ transforms=The Promen Mooshroom -Yucca\ Palm\ Slab=Palma Yucca Tree Swim -Gray\ Per\ Pale=The Grey Light -This\ will\ overwrite\ your\ current=This newly write the existing -Bronze\ Ingot=Bronze Talent -Orange\ Concrete\ Glass=Orange Concrete, Glass -Mossy\ Stone\ Brick\ Wall=Mossy Stone Brick In The Wall -A\ machine\ which\ generates\ a\ holographic\ bridge\ between\ it\ and\ another\ one\ of\ its\ kind;\ linkable\ with\ a\ $(item)$(l\:gadgets/holographic_connector)Holographic\ Connector$().=It creates a virtual drive corresponding to the machinery, and such other-$(element)$(l\:gadgets/holographic_connector)Hologrammi plug-Liitin$(). -Vex\ vexes=Tamara sad -In\ the\ Main\ Menu=Main Menu -Trader's\ Manual=Seller Manager -Your\ world\ will\ be\ restored\ to\ date\ '%s'\ (%s)=Your world will be restored, this meeting"%s' (%s) -Customize\ the\ Formatting\ and\ Locations\ of\ the\ Different\ Messages\ to\ display\ in\ the\ Rich\ Presence=The construction, formation and placement of various messages shows, rich or unavailable -Yellow\ Stone\ Bricks=Yellow Stone Brick -Percentage\ (%%)=Sata (%%) -Small\ Pile\ of\ Zinc\ Dust=Small Coop For Zinc Prasina -Polished\ Andesite\ Camo\ Trapdoor=Polished Andesite, In Which Case The Hatch -Ring\ of\ Growth=The ring of the rise -Print\ Screen=Screen printing -Item\ I/O=PL / O O O O O O O -Press\ %s=Press %s -Axe\ Attack\ Speed=Brada-Speed On The Attack -Erase\ cached\ data=To delete all data stored in the cache -Could\ not\ close\ your\ realm,\ please\ try\ again\ later=Don't be closed to the world, please, please, please try later -Spawner\ Type=Man To Do It -Miscellanious\ Features=Miscellanious Features -Cat\ begs=Katt tigger -Purple\ Skull\ Charge=Purple Skull Weight -Opaque\ to\ light=Low light conditions -Brown\ Glazed\ Terracotta\ Pillar=Brown Glazed Terracotta Pubblicata -Linker=On the left side -Show\ Selected=Show Election -Render\ Distance\:\ %s=Render Distance\: %s -Closed\ realm=Closed territory -Smooth\ Sulfur\ Quartz=Well, Sulfur, Quartz -Respawn=Also -Advanced\ Settings=Additional Options -Craft\ a\ paxel=Lo\u010F paxel -Custom\ bossbar\ %s\ no\ longer\ has\ any\ players=Customs bossbar %s anymore players -Raw\ Steel=Raw Brick, Steel -Structure\ Seed=Toxum Ev -Boost\ Block=The Device Impulse -Badlands\ Pyramid\ Spawnrate=Badlands Spawnrate Piramit -\u00A77\u00A7o"There\ are\ only\ ten\ users\ with\ this\ cape."\u00A7r=\u00A77\u00A7o"There are only 10 users with this dress".\u00A7r -Blue\ Tang=Blue, Brown -Backup\ failed=Backup -Use\ "@r"\ to\ target\ random\ player=Use "@p" to target random player -Lower=Below -Nether\ Brick\ Stairs=Nether Brick Stairs -Time\:\ %s\ ticks=Alue\: %s knaibles -Spider\ hurts=Pauk boli -Select\ Note=Note Select -Items-Battery=Elements-Drums -Player\ is\ not\ whitelisted=The player is not on the white list -Pinned\ Note\ Position=Oh, Please, Please -Jupiter=Jupiter -Light\ Blue\ Concrete\ Glass=Light Blue Glass And Concrete -Successfully\ Set\ Icon\ in\ Property\ "%1$s"\ to\ "%2$s"=To create a successful icon property "%1$s"in "%2$s" -Sapphire\ Chestplate=Safir Bib -Lime\ Bend=The Day Bent -Diorite\ Post=Dioriet Post -Unknown\ team\ '%s'=Unknown team%s' -Failed\ to\ connect\ to\ the\ realm=The district is not able to connect to the -Sapphire\ Crook=Sapphire Crook -White\ Banner=White Flag -Colored\ Tiles\ (Purple\ &\ Orange)=Color Tiles (Purple, Orange) -Craft\ a\ rolling\ machine=Create rolling machine -Expert=Expert -Cable=Kabllo -Fuel\ Mixing=The Mixture Of Fuel And -Librarian's\ Book=Head Of Library Books -Items-Tools=The Object Is A Tool -Tall\ Gray\ Lungwort=Big, Red Kopsurohi -Unknown\ effect\:\ %s=I Do Not Know The Effect Of\: %s -Chiseled\ Volcanic\ Rock\ Bricks=Carved From Volcanic Stone, Brick -/assets/minecraft/textures/gui/text_field.png=//Minecraft/textures/GUI/text_field assets.PNG -Andisol=Andisol -CraftPresence\ -\ Edit\ Server\ (%1$s)=CraftPresence - Upravit. Server - (%1$s) -Player\ Coordinate\ Placeholder=The Player In The Position Coordinates -Never=I never -Death\ message\ visibility\ for\ team\ %s\ is\ now\ "%s"=Death message, growth of authority in the team %s most "%s" -Weight\ Storage\ Cube=The Weight Of The Storage Cube -Music\ Disc=Cd-rom -Refill\ when\ dropping\ items=Object that free time to fill -Damage\ Absorbed=The Damage Is Absorbed -Golden\ Sword=Golden Sword. -Gear\ equips=The coating provides -Purple\ Glazed\ Terracotta\ Pillar=Purple Enamel Oven Legs -Registry=The registry -Showing\ %s\ mod\ and\ %s\ library=Presentation %s the function %s library -Stripped\ Birch\ Log=Naked Birch-Log-Number -%s%%=%s -Craft\ a\ Diamond\ Hammer.=For Processing Of Diamonds At The Auction. -Fullscreen=Screen full -Potion\ of\ Invisibility=A potion of invisibility -Bamboo=Bamboo -Mundane\ Potion=Every Day To Drink -Block\ of\ Silver=Sunglasses silver -Ender\ Pearl\ flies=Letenje Edaja Biser -Purple\ Terracotta=Purple Beach -Tungsten\ Hoe=Tungsten Excavare -Indian\ Paintbrush=Indian paintbrush -Ash\ Block=Unit -Configure...=To adjust the... -The\ End=The end of the -Custom\ bossbar\ %s\ has\ changed\ style=The user bossbar %s changing the style -Vibranium\ Sword=Vibrani, More Sword -White\ Roundel=The White Round -Green\ Concrete\ Ghost\ Block=Tikinti Corral Some Floppy Green Concrete Blocks -loading\ this\ world\ could\ cause\ problems\!=the burden of this world, and it may not be the cause of your problems. -Pillager\ murmurs=Raider mutters -Jump\ by\ pressing\ the\ %1$s\ key=Jump by pressing %1$s key -Sakura\ Wood\ Slab=Sakura, Les, Tile -Bell\ rings=The bell rings -Not\ enough\ ropes\!\ %s\ more\ ropes\ needed.=Lost in the ranges\! %s I need more rope. -End\ Stone=The Bottom Stone -Crystal\ Obsidian\ Furnace=Crystal Obsidianas Mikrob\u00F8lgeovn -Show\ Regular\ Sort\ Button=The Show Is Regularly On The Order Button -Red\ Topped\ Tent\ Pole=The Red Of The Top Of The Tent, It Does Not -Small\ Pile\ of\ Almandine\ Dust=K \u0410\u043B\u044C\u043C\u0430\u043D\u0434\u0438\u043D A Stack Of Dust -With\ $(item)Patchouli$(),\ you\ can\ make\ easy\ to\ read,\ advancement\ unlockable\ $(thing)books$()\ for\ mods\ and\ modpacks\!=With $(ochelari, patchouli$(You can also easy to read, improve unlockable $(something from the book$( the promen modpacks for). -Cyan\ Banner=Blue Advertising -Umbral\ Planks=The Prague Government -Green\ Chief\ Dexter\ Canton=Zelena Glavni Dexter Kantonu -\ \n\u00A77Press\ %s\ to\ remove\ this\ from\ favorites.=\ \n\u00A77Press %s removes it from favorites. -Panda=White -Red\ Concrete\ Powder=Crveni Dust Concrete -D-Rank\ Materia=D-Class News -Charcoal\ Dust=The Burning Of Coal Dust -Arrow\ Opacity=The Arrow Of The Opacity Of The -Bluestone\ Stairs=Sandstone Stairs -with\ %s=with %s -A\ sliced\ tomato\ food\ item,\ which\ is\ more\ hunger-efficient\ than\ a\ whole\ tomato.=Slice the tomatoes, article, foods that are more or less effective cleaning of the tomato. -Stellum\ Sword=Stellum Sabie -Green\ Chief\ Sinister\ Canton=The Main Sinister Green County -Willow\ Kitchen\ Cupboard=A Kitchen Cupboard Is Okay -Debug\ Clear=In Order To Debug, Of Course -Steel\ Plate=Steel Plate -Blue\ Bellflower=Mavi Of Bellflower -Pufferfish\ deflates=Clean the fish -Crimson\ Sign=Crimson Tekenen -Adorn=A piece of jewelry -Purple\ Patterned\ Wool=Purple With A Pattern Of Wool -Onion=Onion -%s\ XP\ in\ %s\ sec=%s XP %s s -Galaxium\ Ore=Galaxy Icj." -Redwood\ Kitchen\ Cupboard=Mahogni -, Cabinet-Cut, And Modern K\u00F8kken -Snowy\ High\ Coniferous\ Forest=Snowy Coniferous Forest -White\ Base\ Sinister\ Canton=White-Dark-Blue-The Basis Of The Data -F3\ +\ C\ \=\ Copy\ location\ as\ /tp\ command,\ hold\ F3\ +\ C\ to\ crash\ the\ game=F3 + C \= Copy the location of the /tp command, and then press F3 + C in order to block the game -Chiseled\ Andesite\ Bricks=Carved Andesite Tile -CraftPresence\ was\ unable\ to\ retrieve\ System\ Info,\ Things\ may\ not\ work\ well...=The Presence razrabotana not e imalo, and get Information for sistemato, takiwa NEMA Mauger Yes se guide... -Set\ %s\ experience\ levels\ on\ %s=File %s The experience of working for your levels %s -A\ sliced\ food\ item\ which\ can\ be\ eaten\ faster\ than\ an\ apple.=Slices of a food product which may be more Apple. -\u00A77\u00A7oAngel\ means\ gold,\ aye?"\u00A7r=\u00A77\u00A7oThe angel is gold, or what?"\u00A7r -\u00A77\u00A7o"It\ flies,\ somehow."\u00A7r=\u00A77\u00A7oI don't know how to fly, but it's something."\u00A7r -Crate\ of\ Eggs=Egg box -Show\ Entities=In Order To See The Face Of The -Plasma\ Generator=Plasma Generator, -Anti-Creeper\ Golem=Anti-Creeper Golem -Silverfish\ Blocks\ Spawnrate=Silverfish Blokai Spawnrate -Golden\ Kibe=Or Kibe -Dragon\ roars=The dragon screams -Blue\ Field\ Masoned=The Blue Field Mason You -A\ sliced\ food\ item,\ which\ is\ an\ even\ more\ hunger-efficient\ version\ of\ the\ Pickled\ Cucumber,\ and\ can\ be\ eaten\ faster.=Cucumbers sliced cucumbers and effective version of hunger, food components and can be eaten faster. -Updated\ %s\ for\ %s\ entities=Update %s per %s the device -Blaze\ Spawn\ Egg=Fire Spawn Egg -Evoker\ prepares\ attack=Summoner, preparing the assault -Potted\ Huge\ Warped\ Fungus=Bank Huge Mushrooms Perverts -1\ Lapis\ Lazuli=1 lapis-Lazur -Birch\ Chair=Chairs-Wood Birch -F3\ +\ G\ \=\ Show\ chunk\ boundaries=F3 + A \= a View component boundaries -Right\ Shift=On The Right-Of-Way -Sol=Salt -Search=Search -Orange\ Berry\ Juice=Orange Juice, Strawberries -Lime\ Sofa=Lime Sofa -Splash\ Rocket\ Fuel\ Bottle=A Splash Of Rocket Fuel In A Bottle -Fish\ Taco=Fish Taco -Select\ a\ player\ to\ teleport\ to=Select the player, the position of the beam -Scroll\ Duration=The Search Term -Contains\ %s\ stack(s)=It contains %s deck(s) -Block\ of\ Gold=There Is A Block Of Gold -%s\ has\ completed\ the\ challenge\ %s=%s complete the problem %s -Show\ Entity\ Depth=To Show The Essence Of Depth -Target\ pool\:=The purpose of the System\: -Set\ to\ Color\ to\ use\ the\ Border\ and\ Background\ Color.=Set the border color and the background color. -Yellow\ Fess=Of Zsolt Fess -Obsidian\ Pillar=The Obsidian -Gold\ Nugget=Gold Grain -Vex\ shrieks=I just want to \u0432\u0438\u0437\u0433\u0430\u043C\u0438 -Wrench\ unit\ to\ retain\ contents=Chrome device, to maintain the contents of the -Bee\ stings=Bee stings -Save\ As\:\ {save-name}=Gem That\: {the shop} -Set\ %s\ experience\ points\ on\ %s\ players=In General %s experience points %s players -Yellow\ Glazed\ Terracotta\ Camo\ Door=Yellow Glazed Terracotta Tiles Door Camo -TNT=Photos -Smooth\ Quartz\ Stairs=The Smooth Quartz Stairs -Is\ this\ even\ a\ sandwich?=It's just a sandwich. -Adamantine=Diamond -Show\ Recipe\:=Map Padicode\: -Water\ Brick\ Wall=In The Brick Wall -Chickens\ drops\ Black\ Feathers=Chicken, black dip pen -Obtainable\ by\ breaking\ a\ Shrub,\ and\ used\ to\ plant\ onions.=Available girmesini sleeve, and it is used for the cultivation of onions. -Nothing\ changed.\ That\ team\ already\ has\ that\ color=Nothing has changed since then. The fact that the team is already in place, color -Notice\ on\ Syncing\\n\\n\ Syncing\ may\ not\ yield\ accurate\ Results\ on\ Older\ Minecraft\ Versions=Notification sync\\n \\ n\\n \\ n-sync can not give correct results in earlier versions of Minecraft -Join\ Request\ Support\ is\ Disabled\ in\ Your\ Config.\ Please\ Enable\ it\ to\ accept\ and\ send\ Join\ Requests\ in\ Discord\!=A support request off in settings. Select accept to handle the connection does not contradict\! -Dropper=Dropper -Warped\ Planks\ Glass=Alabeado IVERICE I Stakla -Copy\ of\ original=A copy of the original -Obtaining\ Asterite=To Get The Asters On -Brown\ Per\ Bend\ Inverted=Brown Make Up Look -Bronze\ Leggings=Pronssi Legging -A\ furnace\ but\ electric\ and\ upgradeable=It is, but it is updated -Cow\ Spawn\ Egg=Makarov Spawn EIC -Distance\ Walked\ under\ Water=The trip over the Water -Splashing=Squishes -Dropped=Error -Purple\ Fess=Depending On The Band -E-Rank\ Materia\ Block=The Structure Of The Material, Only -Purple\ Gradient=It's Purple For You -Scroll\ Sensitivity=The Sensitivity Of The Weight -Adorn+EP\:\ Chairs=Award\: Confidence -Grinder=Uporaba -Chunk\ at\ %s\ in\ %s\ is\ not\ marked\ for\ force\ loading=Work %s in the %s this means that they have been labelled in the past -Witch=Witch -Pillager\ Spawn\ Egg=Pillager Spawn Egg -Open\ Chat=Open Discussion -The\ minigame\ will\ end\ and\ your\ realm\ will\ be\ restored.=The game will come to an end, and peace will be restored. -Enable\ Linker=This Will Make The Left-Hand -Wooded\ Plateau=The Tree-Lined Terrace -Betty=Betty -Glass\ Stairs=Stairs Made Of Glass -Craft\ a\ LV\ Transformer=Kraft WW transformatoru -Hold\ this\ key\ to\ include\ hotbar=Press and hold the hot bar -Gold\ Ore=Zolata, Zalesny Ore -Refill\ by\ item\ groups=Must be in the target group -Blue=Blue -Totem\ of\ Undying=The Language, However, The -Days=Dny -Granite\ Brick\ Stairs=Granite, Bricks, Stairs, -Green\ Carpet=Green Carpet -Item\ ID=ID. -LESU\ Storage=All lesu Storage -Endorium\ Shard=Endorium Fragment -Emerald\ Ore=Emerald Rudy -Purpur\ Block\ Glass=The Glass Block For A Living Room -Japanese\ Maple\ Leaves=Japanese Maple Tree Leaves, -Splash\ Potion\ of\ Night\ Vision=Splash Potion Night Vision -Unable\ to\ save\ the\ game\ (is\ there\ enough\ disk\ space?)=It is not possible for you to save your game (there is not enough space.) -Available\ Keys=Keys Can Be -Light\ Blue\ Futurneo\ Block=Blue Light Blocking Futurneo -Yellow\ Base=Yellow Background -Lime\ Pale\ Dexter=Kalk Bleg Dexter -Yellow\ Wool=Yellow Wool -Horse\ dies=The horse is dead -Golden\ Chain=Gold Chains -Structure\ Integrity\ and\ Seed=The integrity of the structure, and the Seeds -Interactions\ with\ Crafting\ Table=Interactions with other Development Table -All\ Entries=All Of The Records -\u00A76\u00A7lShutting\ Down\ CraftPresence...=\u00A76\u00A7lAlmost CraftPresence... -Pink\ Creeper\ Charge=Preis Rose Killer -Splash\ Sugar\ Water\ Bottle=Splash, Sugar, Bottle Water, -Unknown\ slot\ '%s'=Unknown socket '%s' -Ruby\ Axe=Ruby Axe In Hand -Giant=Stor -Potion\ of\ Strength=Potion of strength -Bamboo\ Spike=Bambu\: A -OFF\ (Fastest)=Faster shutdown). -Quantum\ Tank\ Unit=Quality Tank -Sleep\ through\ the\ night\ in\ a\ Sleeping\ Bag=Sleeping at night holiday stay -Steel\ Leggings=St\u00E5l Leggings -Add\ Nether\ Warped\ Temple\ to\ modded\ Nether\ Warped\ Forest\ biomes.=Dadaci pokoroblennost temple, room bici adamantane \u00A1the Kosmas without Lesnoy VDA resln, jewel. -Loaded\ Display\ Data\ with\ ID\:\ %1$s\ (Logged\ in\ as\ %2$s)=Filled with the display of Data for which the ID\: %1$s (Filed as %2$s) -Raw\ Salmon=Gold Crude -Server\ closed=The Server is already closed -The\ Color\ or\ texture\ to\ be\ used\ when\ rendering\ CraftPresence\ Tooltip\ backgrounds=Label, the background color, or the texture can be used when you create a craft presence -Warm\ Ocean=The Dates Of Your Stay -Cyan\ Chief=Among The Main -A\ team\ already\ exists\ by\ that\ name=The team is there with this name -Lit\ Blue\ Redstone\ Lamp=Glowing Led, Blue Redstone -The\ time\ to\ take\ in\ between\ refreshing\ the\ Rich\ Presence\ Display\ and\ Modules,\ in\ seconds=In order to take a period of time between refreshing, and the abundance of Ads, and time in seconds -Diamond\ Horse\ Armor=El Diamante Horse Armor -(Hover\ for\ info)=(Note the mouse for information) -Yellow\ Berries=A Yellow Fruit -Magenta\ Elevator=The Morat Elevator -Birch\ Trapdoor=Fishing Should Be Conducted -A\ PairOfInts=\u0535\u0582 PairOfInts -Purple\ Base=Lila Bas -Rarity=Rare -Purple\ Wool="Lana, Violet, -Jungle\ Kitchen\ Sink=Jungle-Pool -All\ entities=All units in -Wheat\ Crops=Wheat Crops -Lettuce\ Seeds=Seeds From Marula -Lime=The sun -Light\ Gray\ Rose\ Campion=The Pale Gray Champion Of The Rose -Orange\ Per\ Pale\ Inverted=Light Orange Inverted -Marshmallow=Marshmallow -Biome\ Blend=Mix Of Species Of Plants, Animals -Set=Set -Magenta\ Dye=The Color Purple -Wooded\ Japanese\ Maple\ Hills=Maple Forest Of The Mountain -Middle\ mouse\ click=The middle mouse button -Loading\ terrain...=Loading terrain... -Fiery\ Ends=Four Corners -You\ can\ sleep\ only\ at\ night\ or\ during\ thunderstorms=You will have the ability to go to sleep at night or during a storm -White\ Concrete=White Concrete -Red\ Chief\ Sinister\ Canton=Red Chief Sinister Canton -Sweet\ Berry\ Pie=Sweet, Juicy Pie -End\:\ Reborn\ Compat=In The End, Raeburn Compatibility Can Be -Tank\ size\ (Upgraded)=The size of the tank (from) -Diamond\ armor\ saves\ lives=Armor of diamond is to save lives -\u00A77\u00A7o"No,\ you\ don't\ need\ a\ bat-sword\u00A7r=\u00A77\u00A7o- No, shoes-sword\u00A7r -Umbral\ Slab=Disk Shadows -Took\ %s\ recipes\ from\ %s\ players=Get %s recipes %s players -Data=Information -Red\ Nether\ Brick\ Slab=Red Nether Tegel Plattor -Kill\ two\ Phantoms\ with\ a\ piercing\ arrow=Piercing Arrow killed two ghosts -Craft\ the\ ultimate\ solar\ panel=Craft den ultimative solpaneler -Brown\ Per\ Bend\ Sinister\ Inverted=Brown-This Curve, Selling Fake -Rubber\ Kitchen\ Counter=Rubber-Kitchen Table -Trap\ Expansion=Extension Trap -Lily\ Pad=Lily Forgery -Slime\ hurts=The abomination of evil -Right\ Side=The Right-Hand Side -An\ Error\ has\ Occurred\ Executing\ this\ Command=An error occurred during the execution of this command -Open\ Config\ Menu=Open The Settings Menu -Toggle\ On-map\ Waypoints=Prejdite na bod na mape -Granite\ Bricks=Granit, Opeka -Unexpected\ custom\ data\ from\ client=Unexpected personal information -Berries=Berries -Cake\ Slices\ Eaten=A Piece Of Cake Ate -Rocky\ Lighting=Rocky Lighting -Data\ Packs=Data Packets -Redstone\ Ore=Mineral / Redstone -Failed\ to\ delete\ world=Can't delete the world -XP\ Drops=XP Belongs -Cauldron=Women -Vibranium\ Ingot=Vibranium-Lingouri -Light\ Gray\ Base\ Sinister\ Canton=Light Grey, Based On The Data Of The Canton To The Accident -The\ recipe\ book\ can\ help=Recipe book you may be able to help you -%1$s\ was\ blown\ up\ by\ %2$s\ using\ %3$s=%1$s it's been blown up %2$s please help %3$s -The\ difficulty\ is\ %s=The problem %s -No\ chunks\ were\ removed\ from\ force\ loading=The parts that were removed from the power supply system workload -Turtle\ Egg\ hatches=The turtle will hatch the egg -Gold\ Plate=Guld-Platta -Keep\ Entity\ Info\ For=To Community Info -Crate\ of\ Cocoa\ Beans=From cocoa beans -Long\ Slider=This Long-Volume -Japanese\ Maple\ Chair=Japanese Maple Chairs -Vexes\ drops\ Vex\ Essence=Irritated by the drips from the \u0412\u0435\u043A\u0441 -Global\ (%s)=Of the world (%s) -Set\ Console\ Command\ for\ Block=To configure the shell to the interior -Orange\ Calla\ Lily=Narancs-Calla-Lily -Long-duration\ Booster\ (Active)=The long forest Bay (active) -Lit\ Brown\ Redstone\ Lamp=Brown, A Redstone Lamp -Sap=Sap -Cart\ at\ [%s,\ %s,\ %s]\ linked\ as\ child\ of\ [%s,\ %s,\ %s]\!=Basket [%s, %s, %s] [related lower %s, %s, %s]\! -A\ sliced\ bread\ food\ item.\ Much\ more\ hunger-efficient\ than\ a\ normal\ bread\ loaf\ and\ can\ be\ eaten\ faster.=Sliced bread, food, food. More than hunger, like a normal baked, and, perhaps, what you eat, and as soon as possible. -Red\ Dragon\ Wing=The Red Dragon, Wings, -Regenerate\ health=To restore health -Black\ Stone\ Bricks=In The Lower Right Corner Of The Brick +Enable\ old\ stone\ rods=Enable old stone rods +Realms\ is\ currently\ not\ supported\ in\ snapshots=The world of images is currently not supported +Brown\ Roundel=Brown, Round +Sniper\ Duel=The Dol-The Franctirador +Magenta\ Terracotta\ Ghost\ Block=Magenta Terracotta Ghost Block +Player\ Wall\ Head=Player The Wall-Manager +Red\ Concrete=Red Concrete +Bamboo\ Door=Bamboo Door +Blacklist=Blacklist +Cookie=Cookies +Diorite\ Glass=Diorite Glass +You\ have\ passed\ your\ fifth\ day.\ Use\ %s\ to\ save\ a\ screenshot\ of\ your\ creation.=You have passed your fifth day. Use %s to save an image of your own creation. +Time\:\ %s\ ticks=Time\: %s ticks +White\ Pale\ Dexter=The Light Means White +Dirt\ Camo\ Door=Dirt Camo Door +Copper\ Plates=Copper Plates +Yellow\ Banner=Yellow +Brown\ Tent\ Top\ Flat=Brown Tent Top Flat +%1$s\ drowned=%1$s drowned +Saddle=The saddle +Simple=Simple +Spruce\ Platform=Spruce Platform +Brown\ Concrete\ Camo\ Trapdoor=Brown Concrete Camo Trapdoor +Stores\ near-infinite\ of\ a\ single\ item=Stores near-infinite of a single item +You\ killed\ %s\ %s=Shot %s %s +Galaxium\ Shovel=Galaxium Shovel +Loot\ Table\ Info\ Type=Loot Table Info Type +Quartz\ Excavator=Quartz Excavator +Peridot\ Stairs=Peridot Stairs +Small\ Pile\ of\ Sphalerite\ Dust=Small Pile of Sphalerite Dust +Phantom\ Membrane\ Wing=Phantom Membrane Wing +%s\ has\ %s\ scores\:=%s it is %s results\: +My\ Sediments=My Sediments +Unknown\ enchantment\:\ %s=Unknown, Of Admiration, Of %s +Secondary\ Modifier\ Key=Secondary Modifier Key +Cod\ hurts=The heat +Green\ Enchanted\ Boat=Green Enchanted Boat +Filesystem\ operations=Filesystem operations +Stick\ Block=Stick Block +Blue\ ME\ Glass\ Cable=Blue ME Glass Cable +Tunnelers'\ Dream=\ Tunnelers Vis +Configuration\ settings\ have\ been\ saved\ and\ reloaded\ successfully\!=Configuration settings have been saved and reloaded successfully\! +Trailer=Save the date +Joining\ world...=To join the global... +Furnace\ Slab=Furnace Slab +Magenta\ ME\ Dense\ Covered\ Cable=Magenta ME Dense Covered Cable +Purple\ Base\ Sinister\ Canton=Purple, On The Left Side Of Hong Kong +The\ Ground\ is\ too\ Wet,\ Find\ some\ cover=The Ground is too Wet, Find some cover Magenta\ Fess=Magenta Fess -Polished\ Granite\ Camo\ Door=Polert Granitt Cover-Deksel -Light\ Blue\ Glazed\ Terracotta\ Glass=Light Blue, Glass, Terracotta, Glass -Bauxite\ Ore=Bauxite Mineral -Drag\ and\ drop\ files\ into\ this\ window\ to\ add\ packs=The drag-and-drop your files into the window to add more packages -Two\ Birds,\ One\ Arrow=Two Birds, One Arrow -Orange\ Concrete\ Ghost\ Block=Orange Konkrete Blok Ghost -Stellum\ Ingot=Stellum The -Adamantium\ Boots=Adamantina Botas -/assets/slightguimodifications/textures/gui/slider(_hovered).png=/productos/slightguimodifications/texturas/Gui/regulador(_hovered).El RCN -Black\ Lawn\ Chair=Black Stools -Hide\ from\ Debug=Test Hide -Knockback\ attack=Razdevanie on attack -Light\ Gray\ Saltire=The Grey Light In Decus -Nether\ Pickaxe=Less Of The Hack -Red\ Concrete\ Ghost\ Block=Red, Concrete, Blocks, Ghost -Magenta\ Redstone\ Lamp=Magenta Redstone L\u00E2mpada -Splash\ Potion\ of\ Poison=A Splash Poison Potion -Light\ Blue\ Tent\ Side=- Bright-Red-Tent Of The Page -Jungle\ Platform=The Jungle Is A Platform For -Gilded\ Blackstone\ Glass=Gold Merchant From Glass -Change\ Position=Key Location -Rocket=At the bottom of the screen -Add\ RS\ Mineshafts\ to\ modded\ biomes\ of\ same\ categories/type.=Add \u0428\u0430\u0445\u0442\u043E\u0441\u0442\u0440\u043E\u0438\u0442\u0435\u043B\u0435\u0439 RS in \u0431\u0438\u043E\u043C\u0430\u0445 girls from the same category/type. -Pufferfish\ hurts=For the base, it hurts so much -Fabric\ Furnaces=The Fabric Of The Back Of The Oven -%s\ -\ %sx\ %s=%s - %sx %s -Ladder=Trepid -Small\ Pile\ of\ Brass\ Dust=Limited range of copper powder -Read\ out\ block\ and\ entity\ names\ with\ the\ system's\ text\ to\ speech\ processor=To read a block and the name of the units in the system, text-to-speech processor -Stellum\ Shovel=Stellum Of The Bezel -Iron\ Chestplate=Iron Apron -\u00A7aOpen\ Config\ Folder=\u00A7aOpen The Folder Config -Volcanic\ Rock\ Wall=Volcanic Stone Wall -Scorched\ Fence\ Gate=Burned Close The Door -Crimson\ Planks\ Camo\ Door=Pink Raspberry Wooden Doors, Camo -Mushroom\ Dungeons=The Fungus Is In The Dungeons -Hemlock\ Kitchen\ Cupboard=Hemlock Kitchen Furniture, Kitchen Furniture -Wooden\ Staff\ of\ Building=Wooden construction workers -Enable\ Detection\ for\ MultiMC\ Instance\ Data?=In order to facilitate the follow-up to a MultiMC Instance from the database? -Left\ Win=Left To Win -Dense\ Woodlands\ Edge=The Dense Forest On The Edge Of The -Grants\ Immunity\ to\ Slowness=The immunity is decreasing, -Refined\ Iron\ Plate=Refined Iron Plates -Found\ %s\ matching\ items\ on\ player\ %s=It %s are such elements as the player %s -Depth\ Strider=Diepte Strider -We\ couldn't\ retrieve\ the\ list\ of\ content\ for\ this\ category.\nPlease\ check\ your\ internet\ connection,\ or\ try\ again\ later.=We were able to bring in a list of objects in this category.\nPlease Check your internet connection or try again later. -Light\ Blue\ Glazed\ Terracotta\ Camo\ Trapdoor=A Light Blue Glaze, Ceramic Tile Camo Bows -Restart\ Required=You Need To Again -Magnet=Magnetas -Portal\ whooshes=The portal call -Keep\ Jigsaws\:\ =Puzzle\: -Will\ be\ saved\ in\:=It will be stored in the -Zinc\ Ingot=Zinco Per Ingot -Purple\ Creeper\ Charge=The Red Creeper Charge -\u00A77\u00A7owith\ some\ fuel."\u00A7r=\u00A77\u00A7otimes."\u00A7r -Luminous\ Pod=In The Pod -Bejeweled\ Backpack=Bejeweled Rucksack -Enchantment\ Cost\:\ %1$s=Spell Check Includes The Following\: %1$s -Speed\ factor\ (Upgraded)=(Update)speed factor -Chiseled\ Sandstone=Carved In Stone The Past +Main\ Hand=In The First Place, And +Ender\ Pearl\ Dust=Ender Pearl Dust +Whether\ an\ extended\ hitbox\ should\ show\ air\ blocks\ (or\ other\ blocks\ without\ hitboxes).=Whether an extended hitbox should show air blocks (or other blocks without hitboxes). +Triturator=Triturator +Dark\ Oak\ Shelf=Dark Oak Shelf +Games\ Quit=During The Game +Bubble\ Column=Bubble Column +Optimize\ World=Select World +Click\ here\ to\ start=Click here to start +Particles=Pm +Step\ Height=Step Height +Pine\ Log=Pine Log +Fusion\ Coil=Fusion Coil +It's\ a\ Sandwich\!=It's a Sandwich\! +Green\ Flower\ Charge=Green Flowers Free +Open\ in\ Browser=To open it in the browser +Wither\ attacks=Glebti ataka +Green\ Per\ Pale=The Green Light +Bluff\ Steeps=Bluff Steeps +Birch\ Fence\ Gate=The Birch, The Fence, The Door Of +Refill\ items\ with\ similar\ functionality=Refill items with similar functionality +Lazarus\ Bellflower=Lazarus Bellflower +Rocket\ Fuel=Rocket Fuel +Iron\ Spear=Iron Spear +Body\ text\ is\ hidden\ unless\ sneaking=Body text is hidden unless sneaking +Diamond\ armor\ saves\ lives=Armor of diamond is to save lives +Polished\ Blackstone\ Slab=The Cleaning Of The Blackstone Fees, +%s\ [[quest||quests]]\ in\ total=%s [[quest||quests]] in total +Painting\ Tool=Painting Tool +Inventory\ Blacklist=Inventory Blacklist +Univite\ Tiny\ Dust=Univite Tiny Dust +Suspicious\ Stew=Fish Goulash +By\ %s=V %s +Leave\ Sleeping\ Bag=Leave Sleeping Bag +Ctrl+C\ to\ copy\ slot\ config.=Ctrl+C to copy slot config. +Light\ Overlay=Light Overlay +There\ are\ %s\ custom\ bossbars\ active\:\ %s=There are %s le bossbars active. %s +%s\ was\ dissolved\ in\ sulfuric\ acid\ while\ trying\ to\ escape\ %s=%s was dissolved in sulfuric acid while trying to escape %s +Cyan\ Saltire=Turquoise Casserole +Chains\ Spawnrate.=Chains Spawnrate. +Smooth\ Stone=Smooth Stone +Epic=Epic +Multiple\ Issues\!=For More Questions\! +Could\ Not\ Find\ biomes\ for\ %s=Could Not Find biomes for %s +Lectern=Lectern +Clay\ Glass=Clay Glass +Spectral\ Arrow=Spectral Arrow +Yellow\ Chief\ Indented=Yellow Chapter Indentation +Mine\ blocks\ diagonally=Mine blocks diagonally +Acacia\ Door=Some Of The Doors +Invalid\ session\ (Try\ restarting\ your\ game\ and\ the\ launcher)=It is not allowed for the session (try restarting the game and launcher) +64k\ ME\ Fluid\ Storage\ Cell=64k ME Fluid Storage Cell +Posts=Posts +Potted\ Brown\ Mushroom=The Container Put The Mushrooms In +Set\ group\ tier=Set group tier +\u00A7cDestroy\!\!=\u00A7cDestroy\!\! +Multiworld\ Detection=Multiworld Detection +Trident\ stabs=Trident stikker +White\ Elevator=White Elevator +Infested\ Cracked\ Stone\ Bricks=Been Made With Holes, In Stone And Brick +Tall\ Gray\ Lungwort=Tall Gray Lungwort +Brown\ ME\ Covered\ Cable=Brown ME Covered Cable +Membrane\ Block=Membrane Block +Red\ Terracotta\ Camo\ Trapdoor=Red Terracotta Camo Trapdoor +Lava\ Polished\ Blackstone\ Brick\ Slab=Lava Polished Blackstone Brick Slab +Quartz\ Fiber=Quartz Fiber +\nAdd\ the\ shipwrecks\ to\ modded\ biomes=\nAdd the shipwrecks to modded biomes +Wolf\ howls=Wolf howls +Fire\ Coral\ Block=Fogo Coral Blocos +Bronze\ Axe=Bronze Axe +Piglin\ Brute=Piglin Brute +Zombie\ Villager\ groans=The zombie Population of the moaning +Redwood\ Crafting\ Table=Redwood Crafting Table +A\ machine\ which\ consumes\ $(thing)energy$()\ to\ electrolyze\ $(thing)fluids$()\ into\ useful\ materials.=A machine which consumes $(thing)energy$() to electrolyze $(thing)fluids$() into useful materials. +Obtainable\ by\ breaking\ a\ Shrub,\ and\ used\ to\ plant\ onions.=Obtainable by breaking a Shrub, and used to plant onions. +Monsters\ Hunted=Monsters Should Be A Victim +Tool\ durability=Tool durability +Tall\ Blue\ Bellflower=Tall Blue Bellflower +"None"\ keeps\ the\ config\ intact.="None" keeps the config intact. +Invite\ Error=Invite Error +World\ Generation=World Generation +%s\:\ %s%%=%s\: %s +Sierra\ Valley=Sierra Valley +Blue\ Concrete\ Powder=Children Of The Concrete Into Dust +Endermites\ drops\ Irreality\ Crystal=Endermites drops Irreality Crystal +Custom=Individual +FauxCon\ Attendee\ Ticket=FauxCon Attendee Ticket +In\ order\ to\ get\ sap,\ you\ need\ to\ find\ a\ rubber\ tree\ or\ obtain\ a\ rubber\ tree\ sapling\ and\ proceed\ to\ grow\ it.\ Once\ you\ have\ obtained\ a\ rubber\ tree,\ search\ around\ for\ little\ yellowish\ spots\ on\ the\ tree.\ If\ you\ don't\ see\ any,\ just\ wait\ a\ bit\ and\ eventually\ these\ yellow\ "sap"\ spots.\ To\ harvest\ the\ sap,\ use\ a\ treetap\ and\ use\ it\ on\ the\ log.=In order to get sap, you need to find a rubber tree or obtain a rubber tree sapling and proceed to grow it. Once you have obtained a rubber tree, search around for little yellowish spots on the tree. If you don't see any, just wait a bit and eventually these yellow "sap" spots. To harvest the sap, use a treetap and use it on the log. +Removed\ %s\ from\ %s\ for\ %s\ entities=Skinite %s which is %s for %s unit +Framed\ Glass=Framed Glass +I\ agree\ to\ the\ Minecraft\ Realms=I agree that the world of Minecraft +Recipe\ not\ unlocked\ in\ Recipe\ Book.=Recipe not unlocked in Recipe Book. +Classic\ Flat=Classic Apartments +Netherite\ Hammer=Netherite Hammer +Emits\ a\ redstone\ signal\ depending\ on\ the\ progress\ of\ the\ nearest\ player.\ This\ will\ only\ emit\ at\ full\ strength\ if\ that\ player\ has\ completed\ the\ quest.\ This\ mode\ requires\ the\ players\ to\ be\ online,\ no\ matter\ the\ radius\ setting.=Emits a redstone signal depending on the progress of the nearest player. This will only emit at full strength if that player has completed the quest. This mode requires the players to be online, no matter the radius setting. +Anemone=The SAS +Electrolyzer=Electrolyzer +Who's\ the\ Pillager\ Now?=Dat looter? +Black\ Pale\ Sinister=Black Pale Sinister +Tin\ Tiny\ Dust=Tin Tiny Dust +Colored\ Tiles\ (Black\ &\ White)=Colored Tiles (Black & White) +Sterling\ Silver=Sterling Silver +Black\ Tent\ Side=Black Tent Side +Printer=Printer +Pickaxe\ Damage=Pickaxe Damage +Shovel\ Damage=Shovel Damage +Salt\ Rock=Salt Rock +Tin\ Plates=Tin Plates +\u00A75\u00A7oEntities\ drops\ regular\ items=\u00A75\u00A7oEntities drops regular items +Zelkova\ Button=Zelkova Button +Accumulating=Accumulating +Crossbow\ loads=Crossbow compared to +White\ Fess=White Gold +Rose\ Gold\ Chestplate=Rose Gold Chestplate +Armour\ Status\ Settings=Armour Status Settings +Peat\ Grass\ Block=Peat Grass Block +Lead\ Leggings=Lead Leggings +Grindstone=Grinding stone +Cyan\ Shulker\ Box=Blu Vendosur Shulker +Entities\ between\ x\ and\ x\ +\ dx=Units between X and X + DX is +A\ sliced\ nether\ food\ item\ that\ is\ more\ hunger-efficient\ than\ a\ whole\ toasted\ crimson\ fungus,\ and\ can\ be\ eaten\ faster.=A sliced nether food item that is more hunger-efficient than a whole toasted crimson fungus, and can be eaten faster. +Tasks=Tasks +Unlocked\ %s\ recipes\ for\ %s\ players=Detailed information %s a prescription %s players +You're\ in\ a\ party\ with\ %s\ [[player||players]]=You're in a party with %s [[player||players]] +%1$s\ on\ a\ Wooden\ Chest\ to\ convert\ it\ to\ a\ Diamond\ Chest.=%1$s on a Wooden Chest to convert it to a Diamond Chest. +Set\ the\ weather\ to\ clear=The alarm should be removed +Ender\ Chest=Edge Of The Breast +Place\ a\ recycler\ down=Place a recycler down +Right\ Click\ Actions\:=Right Click Actions\: +Couldn't\ revoke\ advancement\ %s\ from\ %s\ players\ as\ they\ don't\ have\ it=He didn't know that there is progress %s v %s those players who are not the +Bubble\ Coral\ Wall\ Fan=Bubble Coral-Wall Mounted Fan +Ender\ Miner=Ender Miner +Crafting\ ingredient=Crafting ingredient +Baobab\ Fence\ Gate=Baobab Fence Gate +ME\ Drive=ME Drive +"Vanilla"\ uses\ Vanilla's\ cinematic\ camera.="Vanilla" uses Vanilla's cinematic camera. +\u00A77\u00A7o"December\ 10,\ 2010\ -\ October\ 7,\ 2015."\u00A7r=\u00A77\u00A7o"December 10, 2010 - October 7, 2015."\u00A7r +Gray\ Mushroom\ Block=Gray Mushroom Block +Snowy\ Deciduous\ Clearing=Snowy Deciduous Clearing +Switch\ to\ minigame=Just log into the game +Grants\ Invisibility\ Effect=Grants Invisibility Effect +1k\ ME\ Fluid\ Storage\ Cell=1k ME Fluid Storage Cell +Charred\ Fence\ Gate=Charred Fence Gate +Data\ Amount\ to\:\ Superior=Data Amount to\: Superior +Endorium\ Nugget=Endorium Nugget +Emerald\ Hammer=Emerald Hammer +Smoker\ smokes=Not drinking, not Smoking, not drinking, not Smoking +Allows\ you\ to\ sit\ on\ tables.=Allows you to sit on tables. +Render\ Leggings\ Armor=Render Leggings Armor +Wood\ to\ Iron\ upgrade=Wood to Iron upgrade +Set\ the\ world\ border\ warning\ distance\ to\ %s\ blocks=Set the world border warning distance %s blocks +Add\ Badlands\ Pyramid\ to\ Modded\ Biomes=Add Badlands Pyramid to Modded Biomes +Black\ Wool=Wool Black +Export\ items\ in\ random\ mode.=Export items in random mode. +Cyan\ Concrete\ Camo\ Trapdoor=Cyan Concrete Camo Trapdoor +Yellow\ Petal\ Block=Yellow Petal Block +Holly\ Pressure\ Plate=Holly Pressure Plate +Secondary\ Color\:=Secondary Color\: +Egg=The first +When\ on\ Head\:=When on Head\: +Yellow\ Asphalt\ Slab=Yellow Asphalt Slab +Certus\ Quartz\ Sword=Certus Quartz Sword +Casing=Casing +Repurposed\ Structures\ Config\ Menu=Repurposed Structures Config Menu +Elder\ Guardian\ hurts=The old Guard is sick +ME\ Toggle\ Bus=ME Toggle Bus +Refill=Refill +Hide\ World\ Names/IPs=Hide World Names/IPs +Settings\ used\ in\ the\ generation\ of\ caves.=Settings used in the generation of caves. +Are\ you\ sure\ you\ would\ like\ to\ delete\ the\ selected\ map?=Are you sure you would like to delete the selected map? +Client\ ID\ used\ for\ retrieving\ assets,\ icon\ keys,\ and\ titles=Client ID used for retrieving assets, icon keys, and titles +Reset\ %s\ for\ %s\ entities=To cancel %s v %s People +Electrolyzing=Electrolyzing +Ruby\ Wall=Ruby Wall +Trading\ Station=Trading Station +Palm\ Fence\ Gate=Palm Fence Gate +REI\ Compat=REI Compat +Stellum\ Shovel=Stellum Shovel +Phantom=Ghost +The\ Folks\ Living\ at\ Heights=The Folks Living at Heights +Hot\ Tungstensteel\ Ingot=Hot Tungstensteel Ingot +White\ Cherry\ Oak\ Leaf\ Pile=White Cherry Oak Leaf Pile +Thing=Business +%s\ Jetpack=%s Jetpack +Facade\ Crafting=Facade Crafting +Small\ Pile\ of\ Nickel\ Dust=Small Pile of Nickel Dust +Obtaining\ Galaxium=Obtaining Galaxium +End\ Stone\ Pickaxe=End Stone Pickaxe +Pink\ Per\ Pale=Pink Light +Unknown\ block\ tag\ '%s'=Blocks unknown tag '%s' +Glowing\ Ancient\ Forest=Glowing Ancient Forest +Singleplayer\ Game\ Message=Singleplayer Game Message +Charged\ Quartz\ Fixture=Charged Quartz Fixture +Shown=Shows +Acacia\ Post=Acacia Post +Enter\ Book\ Title\:=Enter The Name Of The Book. +Warped\ Bleu=Warped Bleu +Rose\ Gold\ Boots=Rose Gold Boots +White\ Stained\ Glass=The White Glass In The Middle Of The +Generate\ NullPointerException\!\!=Generate NullPointerException\!\! +Settings\ used\ in\ the\ generation\ of\ ravines.=Settings used in the generation of ravines. +Golden\ Shovel=Gold Shovel +New\ horizons=New horizons +Light\ Gray\ Per\ Fess=Light Gray Fess +Light\ Blue\ Skull\ Charge=Open Charging, Blue Skull +Entry\ Size\:=Entry Size\: +Diamond\ Lance=Diamond Lance +%s\ Reward=%s Reward +Nether\ Bricks\ Camo\ Trapdoor=Nether Bricks Camo Trapdoor +Red\ Rock=Red Rock +Cyan\ Cross=Blue Cross +\u00A7aCustom\ Order=\u00A7aCustom Order +Change\ Set=Change Set +Flint\ Dust=Flint Dust +Optimizing\ World\ '%s'=The Optimisation Of The Peace%s' +Light\ Blue\ Chief\ Dexter\ Canton=White Board Canton Dexter Blue +Monitor\ is\ now\ Unlocked.=Monitor is now Unlocked. +Teleported\ %s\ to\ %s,\ %s,\ %s=Teleporta %s for %s, %s, %s +Social=Social +Red\ Flat\ Tent\ Top=Red Flat Tent Top +Lunum\ Hoe=Lunum Hoe +New\ Waypoint=New Waypoint +Dragon\ hurts=Dragon damage +Chiseled\ Nether\ Bricks=The Bricks Hack +Dead\ Bubble\ Coral=Dead Bubble Coral +Peridot\ Dust=Peridot Dust +Green\ Sofa=Green Sofa +Orange\ Elevator=Orange Elevator +Ebony\ Wall=Ebony Wall +Jungle\ Hopper=Jungle Hopper +Light\ Blue\ Rune=Light Blue Rune +Client\ ID=Client ID +Sapphire\ Wall=Sapphire Wall +Editing\ mode\ is\ now\ enabled.=Editing mode is now enabled. +Trigger\ tasks\ are\ the\ first\ few\ tasks\ of\ a\ quest\ that\ have\ to\ be\ completed\ before\ the\ quest\ shows\ up.\ The\ quest\ will\ be\ invisible\ until\ the\ correct\ amount\ of\ tasks\ have\ been\ completed.\ When\ the\ quest\ becomes\ visible\ the\ player\ can\ see\ the\ tasks\ that\ have\ already\ been\ completed.=Trigger tasks are the first few tasks of a quest that have to be completed before the quest shows up. The quest will be invisible until the correct amount of tasks have been completed. When the quest becomes visible the player can see the tasks that have already been completed. +Minecart=He was +Steel\ Wall=Steel Wall +Electric\ Furnace\ MK1=Electric Furnace MK1 +Electric\ Furnace\ MK2=Electric Furnace MK2 +Global=Global +Electric\ Furnace\ MK3=Electric Furnace MK3 +Electric\ Furnace\ MK4=Electric Furnace MK4 +Type\ 1\ Cave\ Maximum\ Altitude=Type 1 Cave Maximum Altitude +Collect\:\ Endshroom=Collect\: Endshroom +Oak\ Table=Oak Table +When\ a\ chest\ is\ simply\ not\ enough.=When a chest is simply not enough. +Items\ added\ to\ ME\ Storage=Items added to ME Storage +Too\ complex=Too complex +Accepted\ values\:\ Small,\ Medium,\ Large,\ ExtraLarge,\ Custom=Accepted values\: Small, Medium, Large, ExtraLarge, Custom +Entity\ Name\ Tags=Entity Name Tags +Main\ Configs=Main Configs +Wireless\ Access\ Point=Wireless Access Point +No\ schedules\ with\ id\ %s=No graphics id %s +Palm\ Leaf\ Pile=Palm Leaf Pile +Ametrine\ Block=Ametrine Block +FOV=Pz +Time\ Since\ Last\ Rest=At The Time, Just Like The Last +Crystal\ Fabric\ Furnace=Crystal Fabric Furnace +Dark\ Forest=In The Dark Forest +Buried\ Treasures=Buried Treasures +%s\ on\ block\ %s,\ %s,\ %s\ after\ scale\ factor\ of\ %s\ is\ %s=%s points %s, %s, %s following the scaling factor %s to %s +White\ Bordure=White Border +Awaken,\ My\ Masters=Awaken, My Masters +Phantom\ bites=The Phantom is a bit of +Disable\ show\ info=Disable show info +Nothing\ changed.\ That\ team\ already\ can't\ see\ invisible\ teammates=Nothing has changed. I don't see this team, a team that don't already know +End=Finally +Place\ down\ an\ interdimensional\ SU=Place down an interdimensional SU +Orange\ Thing=The Thing Is, Orange +Turtle\ Egg=Turtle Vez\u00EB +Redwood\ Sapling=Redwood Sapling +Iridium\ Stairs=Iridium Stairs +Player\ activity=The actions of the player +Small\ Soul\ Sandstone\ Brick\ Stairs=Small Soul Sandstone Brick Stairs +Pufferfish\ Spawn\ Egg=Puffer-Fish, Fish, Fish Eggs, And The Eggs +Max\ input\:\ =Max input\: +Creatures=Creatures +Smooth\ Red\ Sandstone\ Step=Smooth Red Sandstone Step +Use\ "@a"\ to\ target\ all\ players=The use of the " @ " is the goal of all members of the +Weeping\ Milkcap=Weeping Milkcap +Mahogany\ Stairs=Mahogany Stairs +Cracked\ Red\ Rock\ Brick\ Stairs=Cracked Red Rock Brick Stairs +Escape=Summer +Sheep\ dies=The sheep becomes +Recycler=Recycler +Crimson\ Outpost\ Spawnrate=Crimson Outpost Spawnrate +Brown\ Cross=Brown, A +Cyan\ Terracotta=Turquoise Terracotta +\u00A79Forced\:\ =\u00A79Forced\: +Portal\ noise\ fades=The sound of the portal will disappear +Compresses\ blocks\ and\ ingots=Compresses blocks and ingots +Advanced\ Machine\ Upgrade\ Kit=Advanced Machine Upgrade Kit +Dev.PhantomNode=Dev.PhantomNode +Apple=Apple +Skeleton\ Friendly\ Cost=Skeleton Friendly Cost +World\ border\ cannot\ be\ bigger\ than\ 60,000,000\ blocks\ wide=Svijet granice are not the men to be higher than that of the ukupno 60 000 000 blokova the \u0161iroku +Craft\ a\ basic\ machine\ frame\ out\ of\ refined\ iron=Craft a basic machine frame out of refined iron +Charcoal\ Block=Charcoal Block +Creeper-shaped=In The Form Of Cracks +Maple\ Fence\ Gate=Maple Fence Gate +Failed\!\ \:(=See\! \:( +Leave\ Bed=You're Bed +when\ killed\ by\ player=when killed by player +Rainbow\ Eucalyptus\ Fence\ Gate=Rainbow Eucalyptus Fence Gate +Values=Values +Tin\ Shovel=Tin Shovel +Warped\ Coral=Warped Coral +Upside\ Down\ English=Upside Down English +Mule\ Chest\ equips=With the breast armed +Fluid\ Hopper=Fluid Hopper +Fool's\ Gold\ Chestplate=Fool's Gold Chestplate +End\ Stone\ Camo\ Trapdoor=End Stone Camo Trapdoor +Stone\ Skips=Stone Skips +Sythian\ Torrids=Sythian Torrids +Blue\ Terracotta\ Glass=Blue Terracotta Glass +Black\ ME\ Covered\ Cable=Black ME Covered Cable +Campanion\ Items=Campanion Items +Hide\ Zoom\ Overlay=Hide Zoom Overlay +Ebony\ Button=Ebony Button +Unknown\ advancement\:\ %s=An unknown bonus %s +Black\ Base\ Sinister\ Canton=The Base Color Of Black, In The Canton Of The Left +\u00A77\u00A7ohappy\ little\ accidents."\u00A7r=\u00A77\u00A7ohappy little accidents."\u00A7r +Everyone=Everyone +Stripped\ Oak\ Wood=Sections Oak +Pause\ on\ lost\ focus\:\ enabled=The investigator will focus on the following\: - active (enabled) +Brown\ Beveled\ Glass\ Pane=Brown Beveled Glass Pane +Oasis=Oasis +Primitive\ Electrolyzer=Primitive Electrolyzer +Magazine\ is\ empty=Magazine is empty +Bee\ buzzes\ happily=Happy buzzing of bees +Open\ Command=If You Want To Open A Window, The Command +Get\ an\ Advanced\ Solar\ Generator=Get an Advanced Solar Generator +Nether\ Warped\ Temple\ Spawnrate=Nether Warped Temple Spawnrate +Stored\ Energy=Stored Energy +Feather\ Falling\ Cost=Feather Falling Cost +Llama\ eats=It's a razor blade in the food industry +End\ Stone\ Bricks=At The End Of The Stone-Brick +Smooth\ Stone\ Step=Smooth Stone Step +List\ must\ be\ comma-separated\ values\ enclosed\ in\ brackets.=List must be comma-separated values enclosed in brackets. +Press\ a\ key\ to\ select\ a\ command,\ and\ again\ to\ use\ it.=Press the button if you want to choose a team and use it again. +Default\ value\ is\ missing\ for\ property\ "%1$s",\ adding\ to\ property...=Default value is missing for property "%1$s", adding to property... +Dev.ChunkLoader=Dev.ChunkLoader +Recommended\:\ 15=Recommended\: 15 +Found\ Curse\ manifest\ data\!\ (Name\:\ "%1$s")=Found Curse manifest data\! (Name\: "%1$s") +Push\ own\ team=Push your own team +Ametrine\ Horse\ Armor=Ametrine Horse Armor +White\ Base\ Dexter\ Canton=White Background Dexter Canton +Charred\ Wooden\ Door=Charred Wooden Door +Map\ trailer=Trailer Map +\u00A7cDisabled=\u00A7cDisabled +Ebony\ Stairs=Ebony Stairs +Soapstone\ Wall=Soapstone Wall +Dark\ Oak\ Drawer=Dark Oak Drawer +Yellow\ Garnet\ Slab=Yellow Garnet Slab +Granted\ criterion\ '%s'\ of\ advancement\ %s\ to\ %s=Policy%sprogress %s for %s +Pack\ '%s'\ is\ already\ enabled\!=Package"%s"al\! +Changes\ Not\ Saved=The Changes Will Not Be Saved +Warped\ Kitchen\ Cupboard=Warped Kitchen Cupboard +Green\ Shingles=Green Shingles +Diamond\ Horse\ Armor=El Diamante Horse Armor +Scaling\ at\ 1\:%s=Route 1\:%s +Cross-Dimensional\ TP=Cross-Dimensional TP +3x\ Compressed\ Cobblestone=3x Compressed Cobblestone +Diorite\ Platform=Diorite Platform +Cooked\ Chicken=Cooked Chicken +Wooden\ Staff\ of\ Building=Wooden Staff of Building +Fluix\ ME\ Dense\ Covered\ Cable=Fluix ME Dense Covered Cable +The\ City\ at\ the\ End\ of\ the\ Game=It was late in the game +8x\ Compressed\ Gravel=8x Compressed Gravel +Client\ Integration=Client Integration +Spruce\ Hopper=Spruce Hopper +Fluids=Fluids +Aspen\ Pressure\ Plate=Aspen Pressure Plate +Light\ Blue\ Redstone\ Lamp=Light Blue Redstone Lamp +Ultimate\ Solar\ Panel=Ultimate Solar Panel +Shows\ info\ about\ the\ current\ loot\ table\ of\ the\ item\ if\ present.\nVisible\ only\ when\ Tooltip\ Type\ is\ set\ to\ Modded.\nHide\:\n\ No\ loot\ table\ info,\ default.\nSimple\:\n\ Displays\ whether\ the\ stack\ uses\ a\ loot\ table.\nAdvanced\:\n\ Shows\ the\ loot\ table\ used\ by\ the\ item.=Shows info about the current loot table of the item if present.\nVisible only when Tooltip Type is set to Modded.\nHide\:\n No loot table info, default.\nSimple\:\n Displays whether the stack uses a loot table.\nAdvanced\:\n Shows the loot table used by the item. +Chiseled\ Marble=Chiseled Marble +Only\ whole\ numbers\ allowed,\ not\ decimals=It can only be in whole numbers without any decimal places +MFSU=MFSU +Deposit=Deposit Removed\ team\ %s=The command to remove %s -Caching\:=Caching\: -Llama\ Spawn\ Egg=Lamu ?????????? Mari -Allows\ passage\ to\ entities=Can be attached to the device -Rubber\ Wood\ Fence=Rubber, Wood, Fence -Challenge\ Complete\!=\ The Task Will Be Accomplished\! -Aqua=Water +Gray\ Bright\ Futurneo\ Block=Gray Bright Futurneo Block +Light\ Gray\ Skull\ Charge=The Light Gray Skull Charge +Hold\ ALT\ for\ info=Hold ALT for info +Illusioner\ prepares\ mirror\ image=Illusioner prepare the image in the mirror of the +Sturdy\ Stone=Sturdy Stone +Sterling\ Silver\ Leggings=Sterling Silver Leggings +Customize\ messages\ to\ display\ when\ attacking\ an\ entity\\n\ (Manual\ format\:\ entity;message)\\n\ Available\ placeholders\:\\n\ -\ &entity&\ \=\ Entity\ name\ (or\ player\ UUID)\\n\\n\ %1$s=Customize messages to display when attacking an entity\\n (Manual format\: entity;message)\\n Available placeholders\:\\n - &entity& \= Entity name (or player UUID)\\n\\n %1$s +Piglin\ Brute\ converts\ to\ Zombified\ Piglin=Piglin Brute converts to Zombified Piglin +Cherry\ Trapdoor=Cherry Trapdoor +Smooth\ Quartz\ Block=Soft Block Of Quartz +Example\:\ "[minecraft\:overworld,\ minecraft\:the_nether,\ rats\:ratlantis]"=Example\: "[minecraft\:overworld, minecraft\:the_nether, rats\:ratlantis]" +Character\ Editor=Character Editor +Biome\ Scale\ Offset=The Overall Level Of Mobility +Pink\ Tent\ Top\ Flat=Pink Tent Top Flat +Show\ FPS\:=Show FPS\: +Sugar\ Water\ Bottle=Sugar Water Bottle +Light\ Blue\ Per\ Fess\ Inverted=Light Blue Fess Inverted +Fiery\ Ends=Fiery Ends +Blue\ Saltire=Blu Saltire Me +Entity\ Height\ Limit=Entity Height Limit +Dark\ Oak\ Boat=Dark Oak's Ship +Acacia\ Sapling=Acacia Ampua +Andesite\ Stairs=Andesite Prices +Lock\ Preview\ Window=Lock Preview Window +Stone\ Bricks\ Ghost\ Block=Stone Bricks Ghost Block +Sliced\ Toasted\ Crimson\ Fungus=Sliced Toasted Crimson Fungus +Jacaranda\ Clearing=Jacaranda Clearing +Keep\ Jigsaws\:\ =Puzzle\: +Unconditional=Treatment +Cheesy\ Taco=Cheesy Taco +Pink\ Per\ Bend\ Sinister\ Inverted=Rosa Per Bend Sinister Invertito +Showing\ %s\ mods\ and\ %s\ library=The presentation of the %s and home %s the library +Burn\ Time\:\ %s\ ticks=Burn Time\: %s ticks +16k\ ME\ Storage\ Component=16k ME Storage Component +Tin\ Pickaxe=Tin Pickaxe +Join\ Server=Union Server +Search\ for\ resources,\ craft,\ gain=Find resources for treatment +Jacaranda\ Bookshelf=Jacaranda Bookshelf +Horse\ gallops=Horse, gallop +Nothing\ changed.\ Friendly\ fire\ is\ already\ enabled\ for\ that\ team=It made no difference. Friendly fire is enabled, which it is, can you run the following command +8x\ Compressed\ Dirt=8x Compressed Dirt +Client\ outdated=The customer from the date of the +Soaked\ Brick\ Slab=Soaked Brick Slab +Shift\ right-click\ to\ change\ sound=Shift right-click to change sound +Cod\ Crate=Cod Crate +Persist\:\ =Persist\: +Embur\ Gel\ Vines=Embur Gel Vines +Sand\ Camo\ Door=Sand Camo Door +Cooked\ Chopped\ Carrot=Cooked Chopped Carrot +War\ Pigs=The War Of The Porc +Biome\ Size=Here, The Size +Electrum\ Crook=Electrum Crook +Badlands\ Plateau=The Edge Of The Badlands +Black\ Saltire=\u010Cierna Saltire +Brown\ Stained\ Glass\ Pane=Brown Vidrieras +Brain\ Coral\ Block=Brain Coral-Block +Ocean\ Monuments=Pamatyti On The Ocean +Molten\ Tin=Molten Tin +Quartz\ Bricks=Quartz Stone +Dead\ Bubble\ Coral\ Block=Dead Of The Bubble Of The Blocks Of Coral +Stellum=Stellum +Filtered\ Pickup=Filtered Pickup +Entry\ Panel\ Position\:=Entry Panel Position\: +Spawn\ Tries=As Future Generations Of Trying +All\ tamed=All tamed +Orange\ Chief\ Dexter\ Canton=The Main, Orange, Canton, Dexter +Diamond\ Barrel=Diamond Barrel +Blue\ Thing=Something Blue +Sapphire=Sapphire +Attack\ Knockback=Drop Aanvallen +Invited=Visit +Always\ display\ button\ for\ player\ inv=Always display button for player inv +Written\ Book=He Has Written A Book. +Repeatable\ Quest=Repeatable Quest +Polished\ Blackstone\ Brick\ Platform=Polished Blackstone Brick Platform +White\ Oak\ Small\ Hedge=White Oak Small Hedge +%1$s\ was\ squashed\ by\ a\ falling\ anvil=%1$s he was bruised, for the fall and a hard place +Nothing\ changed.\ The\ player\ is\ already\ banned=Nothing much has changed. The player was already banned +Potted\ Black\ Mushroom=Potted Black Mushroom +Previous\ Output=Before The Start Of The +Increase\ energy\ tier=Increase energy tier +Manual\ Filtering=Manual Filtering +Changed\ title\ display\ times\ for\ %s\ players=It was changed to the name to show for the times %s players +No\ recipes\ could\ be\ forgotten=Some recipes may be forgotten +\u00A7bDiamond=\u00A7bDiamond +Gray\ Chevron=Szary Chevron +Stone\ Cold\ Skipper=Stone Cold Skipper +Magma\ Cube\ squishes=Magma cube je dusenie +Bronze\ Ingot=Bronze Ingot +Holly\ Boat=Holly Boat +Name\ to\ identify\ this\ value=Name to identify this value +Next\ >>=Next >> +Sheldonite\ Ore=Sheldonite Ore +Enable\ only\ works\ on\ trigger-objectives=As to activate it, only works in the drawing is the goal +Primitive\ Energy\ Cable=Primitive Energy Cable +Piglin\ Brute\ Spawn\ Egg=Piglin Brute Spawn Egg +Pressing\ Matters=Pressing Matters +Template\ Wing=Template Wing +[%s\:\ %s]=[%s\: %s] +Red\ Field\ Masoned=The Red Box Mason +Invar\ Ingot=Invar Ingot +Enter=Write +End\ Stone\ Sword=End Stone Sword +Aspen\ Wall=Aspen Wall +Mahogany\ Crafting\ Table=Mahogany Crafting Table +Add\ This\ to\ Modded\ Biomes=Add This to Modded Biomes +Light\ Blue\ Concrete\ Powder=Blue, Concrete, Sand, +Brown=Brown +Ender\ Modem=Ender Modem +Crosshair=Mouse +Cyan\ Sofa=Cyan Sofa +Splash\ Potion\ of\ Invisibility=Splash Potion Of Invisibility +An\ error\ occurred,\ please\ try\ again\ later.=An error occurred, try again later. +Iron\ Gear=Iron Gear +%s\ completed\ [[quest||quests]]=%s completed [[quest||quests]] +Ring\ of\ Mining=Ring of Mining +Birch\ Glass\ Trapdoor=Birch Glass Trapdoor +Nothing\ changed.\ Those\ players\ are\ already\ on\ the\ bossbar\ with\ nobody\ to\ add\ or\ remove=Nothing has changed. Players who already have the bossbar to add or remove +Iridium\ Wall=Iridium Wall +Lime\ Insulated\ Wire=Lime Insulated Wire +Tooltip\ Type=Tooltip Type +Unable\ to\ load\ worlds=You can't load the world +Smooth\ Bluestone\ Stairs=Smooth Bluestone Stairs +Sandstone\ Platform=Sandstone Platform +Metite\ Dust=Metite Dust +%1$s\ was\ killed\ by\ %2$s\ using\ magic=%1$s he was slain from the foundation %2$s the charm of +A\ task\ where\ the\ player\ must\ place\ one\ or\ more\ blocks.=A task where the player must place one or more blocks. +Brown\ Color\ Module=Brown Color Module +Mossy\ Cobblestone\ Step=Mossy Cobblestone Step +Could\ not\ put\ %s\ in\ slot\ %s=I don't want to %s spilleautomat %s +Light\ Weighted\ Pressure\ Plate=The Light Weighted Pressure Tile +Fan=Fan +Iron\ Block\ (Legacy)=Iron Block (Legacy) +Sand\ Ghost\ Block=Sand Ghost Block +Light\ Blue\ Glazed\ Terracotta\ Camo\ Trapdoor=Light Blue Glazed Terracotta Camo Trapdoor +CraftPresence\ -\ Select\ an\ Item=CraftPresence - Select an Item +Visualize=Visualize +Long-duration\ Fuel\ Pellet=Long-duration Fuel Pellet +Use\ InGame\ Viewer=Use InGame Viewer +A\ tier\ can't\ have\ value\ 0=A tier can't have value 0 +\u00A77Use\ a\ book\ on\ an\ installed\ execution\ module\ to\ get\ a\ copy.=\u00A77Use a book on an installed execution module to get a copy. +Something\ From\ Nothing=Something From Nothing +Palm\ Sapling=Palm Sapling +Oak\ Pressure\ Plate=Hrasta On Wrhu +Pending\ Invites=Waiting For A Call +%s\ is\ bound\ to\ %s=%s l' %s +Chances\ of\ Dropping\ (0.0\ is\ never,\ 1.0\ is\ always)=Chances of Dropping (0.0 is never, 1.0 is always) +Display\ entity\ name\ under\ the\ dot\ for\ entities\ that\ have\ a\ name\ tag.=Display entity name under the dot for entities that have a name tag. +%s\ has\ completed\ the\ challenge\ %s=%s complete the problem %s +Industrialization\ of\ Sunlight=Industrialization of Sunlight +%1$s\ in\ a\ %2$s\ Tank=%1$s in a %2$s Tank +The\ minimum\ y-coordinate\ at\ which\ surface\ caves\ can\ generate.=The minimum y-coordinate at which surface caves can generate. +Interactions\ with\ Anvil=Interaction with the dungeon +Disconnected\ by\ Server=Disconnected from the server +Cyan\ Glazed\ Terracotta\ Camo\ Trapdoor=Cyan Glazed Terracotta Camo Trapdoor +ROM\ Module=ROM Module +Use\ VSync=I Use VSync +Lock\ North=Lock North +Small\ Bluestone\ Bricks=Small Bluestone Bricks +The\ difficulty\ is\ %s=The problem %s +Multiple\ controllers=Multiple controllers +Strong\ attack=Strong attack +Stone\ Step=Stone Step +\u00A77\u00A7o"Not\ made\ by\ Tema\ Industries."\u00A7r=\u00A77\u00A7o"Not made by Tema Industries."\u00A7r +Glass=Glass +Magenta\ Sofa=Magenta Sofa +Arrow\ of\ Healing=With the boom in the healing process +Showing\ smokable=Shaw Smoking +Discard\ Changes=To Cancel The Changes +Green\ Terracotta\ Glass=Green Terracotta Glass +Interactions\ with\ Brewing\ Stand=The interaction with the beer Stand +This\ section\ stores\ the\ previous\ few\ chapters\ you've\ visited.$(br2)Chapters\ are\ automatically\ added\ and\ removed\ as\ you\ browse\ through\ the\ book.\ Should\ you\ wish\ to\ keep\ them\ referenced\ for\ longer,\ you\ may\ bookmark\ them.\ $(br2)$(o)Tip\:\ Try\ shift-clicking\ a\ chapter\ button\!$()=This section stores the previous few chapters you've visited.$(br2)Chapters are automatically added and removed as you browse through the book. Should you wish to keep them referenced for longer, you may bookmark them. $(br2)$(o)Tip\: Try shift-clicking a chapter button\!$() +Not\ Set=Not Set +Hoglin=Hoglin +Lead=Guide +Red\ Stained\ Glass=Red The Last +Encoded\ Pattern=Encoded Pattern +The\ maximum\ y-coordinate\ at\ which\ type\ 2\ caves\ can\ generate.=The maximum y-coordinate at which type 2 caves can generate. +Red\ Nether\ Brick\ Wall=Red Nether Brick +Click\ back\ to\ cancel=Click back to cancel +Dark\ Prismarine\ Step=Dark Prismarine Step +Made\ %s\ a\ server\ operator=Made %s the server of the operator +Obsidian\ Shards=Obsidian Shards +*\ %s\ %s=* %s %s +chat=in chat, +Granite\ Bricks=Granite Bricks +Magenta\ Gradient=Mor Degrade +Steel\ Toed\ Boots=Steel Toed Boots +Connection\ Lost=Lost Contact +Yellow\ Inverted\ Chevron=Yellow Inverted Chevron +Customize\ Dimension\ Messages=Customize Dimension Messages +Orange\ Amaranth\ Bush=Orange Amaranth Bush +MK1\ Circuit=MK1 Circuit +Soulful\ Prismarine\ Chimney=Soulful Prismarine Chimney +Block\ Colours=Block Colours +Hemlock\ Kitchen\ Counter=Hemlock Kitchen Counter +Mangrove\ Planks=Mangrove Planks +Not\ a\ valid\ number\!\ (Double)=This is not the right number\! (Dual), +Sky\ Stone\ Dust=Sky Stone Dust +Red\ Bed=Red Bed +Piglin\ dies=The piglio +Dragon\ Head=The Head Of The Dragon +Maple\ Leaves=Maple Leaves +Months=Months ago +Baobab\ Bookshelf=Baobab Bookshelf +Blue\ Terracotta=Blue, Terracota +Will\ use\ the\ Max\ Cave\ Altitude\ no\ matter\ what\ if\ Override\ Surface\ Detection\ is\ enabled.=Will use the Max Cave Altitude no matter what if Override Surface Detection is enabled. +Get\ a\ MK4\ Circuit=Get a MK4 Circuit +Piglin\ Brute\ snorts=Piglin Brute snorts +Polished\ Diorite\ Camo\ Door=Polished Diorite Camo Door +Iron\ Tiny\ Dust=Iron Tiny Dust +60k\ NaK\ Coolant\ Cell=60k NaK Coolant Cell +Magenta\ Shulker\ Box=Cutie Shulk Printer Magenta +Combat=The battle +New\ Waypoints\ To\ Bottom=New Waypoints To Bottom +No\ pending\ invites\!=Does not require a long time to wait for the invitation\! +Removed\ %s\ members\ from\ any\ team=Deleted %s the members of each team +An\ alloy\ of\ $(item)$(l\:resources/copper)Copper$()\ and\ $(item)$(l\:resources/tin)Tin$(),\ Bronze\ manages\ to\ be\ stronger\ and\ more\ durable\ than\ either\ of\ them.=An alloy of $(item)$(l\:resources/copper)Copper$() and $(item)$(l\:resources/tin)Tin$(), Bronze manages to be stronger and more durable than either of them. +Snooper\ Settings...=These Settings... +7x7\ (High)=7 x 7 (Height) +Bricks\ Camo\ Trapdoor=Bricks Camo Trapdoor +Oak\ Step=Oak Step +1\ to\ 2=1 to 2 +Acacia\ Kitchen\ Cupboard=Acacia Kitchen Cupboard +When\ in\ main\ hand\:=However, if it is\: +Nether\ Brick\ Chimney=Nether Brick Chimney +Press\ %s\ for\ Info=Press %s for Info +Sulfuric\ Acid=Sulfuric Acid +Took\ %s\ recipes\ from\ %s=Names %s recipes %s +Scoria=Scoria +TIER\ %s=TIER %s +Blue\ Nether\ Brick=Blue Nether Brick +You\ are\ banned\ from\ this\ server=You're banned from this server +Shears\ click=For the components, click on the +Water\ Ring=Water Ring +"Classic"\ makes\ the\ mod\ imitate\ OptiFine's\ zoom.="Classic" makes the mod imitate OptiFine's zoom. +Stripped\ Crimson\ Hyphae=Striped Red Mycelium +Green\ Thing=The Green Stuff +6x\ Compressed\ Gravel=6x Compressed Gravel +Left=To the left +Snowy\ Tundra=The Snow-Covered Tundra +Soot-covered\ Redstone=Soot-covered Redstone +Meteors=Meteors +Holly\ Planks=Holly Planks +Removed=Removed +Basalt\ Dust=Basalt Dust +F3\ +\ G\ \=\ Show\ chunk\ boundaries=F3 + A \= a View component boundaries +$(l)Tools$()$(br)Mining\ Level\:\ 5$(br)Base\ Durability\:\ 2643$(br)Mining\ Speed\:\ 8$(br)Attack\ Damage\:\ 6$(br)Enchantability\:\ 15$(br)Fireproof$(p)$(l)Armor$()$(br)Durability\ Multiplier\:\ 41$(br)Total\ Defense\:\ 16$(br)Toughness\:\ 6$(br)Enchantability\:\ 15$(br)Fireproof=$(l)Tools$()$(br)Mining Level\: 5$(br)Base Durability\: 2643$(br)Mining Speed\: 8$(br)Attack Damage\: 6$(br)Enchantability\: 15$(br)Fireproof$(p)$(l)Armor$()$(br)Durability Multiplier\: 41$(br)Total Defense\: 16$(br)Toughness\: 6$(br)Enchantability\: 15$(br)Fireproof +Applied\ effect\ %s\ to\ %s=The use of the %s for %s +Team\ Colours=Team Colours +Orange\ ME\ Dense\ Smart\ Cable=Orange ME Dense Smart Cable +Alloying\ Bliss=Alloying Bliss +Game\ Rules=The Rules Of The Game +6x\ Compressed\ Netherrack=6x Compressed Netherrack +Zombified\ Piglin\ dies=Zombified Piglio mor +Purpur\ Stairs=The stairs +Purple\ Chief\ Sinister\ Canton=The Main Purple Canton Sinister +Create\ New=Create New +Acacia\ Shelf=Acacia Shelf +Top-Right=Top-Right +Brown\ Chevron=Brown Chevron" +C418\ -\ mellohi=C418 - mellohi +Asterite\ Shovel=Asterite Shovel +Alert\ Light\ Level=Alert Light Level +Chorus\ Plant=The Choir Of The Plant +Wither\ Skeleton\ rattles=Dried-up skeleton are rattling +Polar\ Bear\ hums=Polar beer bromt +Endorium\ Shard=Endorium Shard +Tick\ count\ must\ be\ non-negative=For a number of cycles, it must be non-negative +Green\ Patterned\ Wool=Green Patterned Wool +Japanese\ Maple\ Kitchen\ Cupboard=Japanese Maple Kitchen Cupboard +A\ food\ item,\ which\ is\ more\ hunger-efficient\ than\ a\ wheel\ and\ can\ be\ eaten\ faster.\ Does\ not\ give\ nausea.=A food item, which is more hunger-efficient than a wheel and can be eaten faster. Does not give nausea. +Blue\ ME\ Dense\ Covered\ Cable=Blue ME Dense Covered Cable +Book\ thumps=Paper punches +MK2\ Circuit=MK2 Circuit +Lime\ Lozenge=Lemon, Honey +Nugget=Nugget +Industrial\ Solar\ Panel=Industrial Solar Panel +Block\ of\ Tin=Block of Tin +Presser=Presser +Top\ Offset=Top Offset +Fly=Fly +Yellow\ cables\!=Yellow cables\! +Yellow\ Bordure=Yellow Box +Legs=Legs +Stripped\ Ebony\ Wood=Stripped Ebony Wood +ENGINE=ENGINE +Pink\ Saltire=The Color Of The Blade +Pink\ Glazed\ Terracotta\ Camo\ Door=Pink Glazed Terracotta Camo Door +Teal\ Nether\ Brick\ Stairs=Teal Nether Brick Stairs +Stellum\ Pickaxe=Stellum Pickaxe +Whitelist\ is\ now\ turned\ off=The white is now +Enable\ Road\ of\ Resistance=Enable Road of Resistance +Red\ Topped\ Tent\ Pole=Red Topped Tent Pole +Magenta\ Futurneo\ Block=Magenta Futurneo Block +Platinum\ Stairs=Platinum Stairs +Brown\ Paly=Light Brown +Regular=Regular +Block\ of\ Platinum=Block of Platinum +Lit\ Purple\ Redstone\ Lamp=Lit Purple Redstone Lamp +Potted\ Gray\ Mushroom=Potted Gray Mushroom +Entities\ with\ NBT=NBT from people +Recycling=Recycling +Black\ Chiseled\ Sandstone=Black Chiseled Sandstone +Get\ a\ Buffer\ Upgrade=Get a Buffer Upgrade +Oak\ Drawer=Oak Drawer +Logic\ Processor=Logic Processor +Foo=Foo +Asteroid\ Redstone\ Ore=Asteroid Redstone Ore +Blue\ Stained\ Glass\ Pane=Blue Stained Glass +Pink\ Sofa=Pink Sofa +Fox=Forest +Bottom\ Left\ /\ Right=Bottom Left / Right +Enable\ Debug\ Visualizer=Enable Debug Visualizer +Slime\ Spawn\ Egg=Lyme Spawn Egg +Player\ Detector=Player Detector +Encrypting...=Encryption... +Gummy\ fruit\!=Gummy fruit\! +Witch-hazel\ Bookshelf=Witch-hazel Bookshelf +Terrain\ Depth=Terrain Depth +Brown\ Pale=Light brown +Faux\ Dragon\ Scale=Faux Dragon Scale +Gravel=Shot +Max\ Y\ height\ of\ Mineshaft.\ If\ below\ min\ height,\ this\ will\ be\ read\ as\ min.=Max Y height of Mineshaft. If below min height, this will be read as min. +Sunflower=Sunflower oil +Generation\ Rate\ Night=Generation Rate Night +Dunes=Dunes +Block\ of\ Cookie=Block of Cookie +\u00A77\u00A7o"The\ vanilla\ experience\u2122."\u00A7r=\u00A77\u00A7o"The vanilla experience\u2122."\u00A7r +Tin\ Wall=Tin Wall +Water\ Brick\ Stairs=Water Brick Stairs +Long-duration\ Boosters=Long-duration Boosters +Dark\ Amaranth\ Hyphae\ Button=Dark Amaranth Hyphae Button +Whether\ the\ Chain\ item\ should\ be\ enabled\ or\ not.=Whether the Chain item should be enabled or not. +Potted\ Red\ Mushroom=The Pot For The Red Mushroom +Granite=Granite +Wireless\ Term=Wireless Term +Push\ to\ hotbar\ separately=Push to hotbar separately +Disabled\ zoom\ scrolling=Disabled zoom scrolling +This\ pack\ was\ made\ for\ an\ older\ version\ of\ Minecraft\ and\ may\ no\ longer\ work\ correctly.=It was the package, an earlier version of Minecraft and may not work properly. +Not\ Today,\ Thank\ You=No, Not Today, Thank You +The\ maximum\ y-coordinate\ at\ which\ Liquid\ Caverns\ can\ generate.=The maximum y-coordinate at which Liquid Caverns can generate. +Enter\ a\ Desert\ Mineshaft=Enter a Desert Mineshaft +Marble\ Bricks=Marble Bricks +OR\ Evaluation\ instead\ of\ AND=OR Evaluation instead of AND +Phantom\ hurts=Phantom damage +Chances\ of\ Generating\ (0.0\ is\ never,\ 1.0\ is\ always)=Chances of Generating (0.0 is never, 1.0 is always) +Mossy\ Red\ Rock\ Brick\ Wall=Mossy Red Rock Brick Wall +Can\ be\ covered\ with\ wooden\ plates=Can be covered with wooden plates +Speed=The +Teleport\ to\ the\ location\ of\ a\ computer.\ You\ can\ either\ specify\ the\ computer's\ instance\ id\ (e.g.\ 123)\ or\ computer\ id\ (e.g\ \#123).=Teleport to the location of a computer. You can either specify the computer's instance id (e.g. 123) or computer id (e.g \#123). +%s\ ticks=%s ticks +Polished\ Granite\ Ghost\ Block=Polished Granite Ghost Block +Peridot\ Helmet=Peridot Helmet +Cika\ Bookshelf=Cika Bookshelf +Black\ Puff=Black Puff +Blue\ Lozenge=Blue Diamond +Terms\ of\ service\ not\ accepted=Terms of service does not accept +Structure\ loaded\ from\ '%s'=The structure is loaded.'%s' +Quick\ Charge=Fast Loading +This\ Boat\ Has\ Legs=This Is The Boat, The Feet Of The +Witch-hazel\ Fence=Witch-hazel Fence +Wireless\ Out\ Of\ Range.=Wireless Out Of Range. +Dacite\ Bricks=Dacite Bricks +Bat\ screeches=Knocking noise +Orange\ Glazed\ Terracotta\ Pillar=Orange Glazed Terracotta Pillar +Leash\ knot\ tied=Leash the +Unknown\ command\ or\ insufficient\ permissions=I don't know, for the will or for the lack of a right of access to +Quantum\ Storage\ Unit=Quantum Storage Unit +You\ not\ have\ permission\ to\ use\ this\ command=You not have permission to use this command +Set\ to\ Texture\ to\ use\ resource\ pack\:=Set to Texture to use resource pack\: +Brightness=The brightness +Gray\ Tent\ Top\ Flat=Gray Tent Top Flat +Single\ Biome=This Unique Ecosystem +Gray\ Dye=SIV +Click\ to\ stop\ tracking=Click to stop tracking +Scam\ a\ Piglin\ with\ Fool's\ Gold=Scam a Piglin with Fool's Gold +\u00A77\u00A7o"No,\ you\ don't\ need\ a\ bat-sword\u00A7r=\u00A77\u00A7o"No, you don't need a bat-sword\u00A7r +%s\ in\ storage\ %s\ after\ scale\ factor\ of\ %s\ is\ %s=%s in stock %s when the scaling factor %s it %s +Nothing\ changed.\ That's\ already\ the\ color\ of\ this\ bossbar=It made no difference. It's not the color bossb\u00F3l +Press\ "C"\ to\ center\ or\ uncenter\ a\ selected\ interface.=Press "C" to center or uncenter a selected interface. +Generators=Generators +Obsidian\ Pillar=Obsidian Pillar +Edit\ Text=Edit Text +Polished\ Granite\ Slab=The Slab Of Polished Granite +A\ cable\ which\ transports\ $(thing)energy$();\ no\ buffering\ or\ path-finding\ involved.=A cable which transports $(thing)energy$(); no buffering or path-finding involved. +The\ /computercraft\ command\ provides\ various\ debugging\ and\ administrator\ tools\ for\ controlling\ and\ \ interacting\ with\ computers.=The /computercraft command provides various debugging and administrator tools for controlling and interacting with computers. +Advanced=Advanced +Crimson\ Barrel=Crimson Barrel +Bottle\ o'\ Enchanting=The bottle o' Enchanting +Peach\ Leather\ Flower=Peach Leather Flower +That\ party\ name\ is\ already\ used\ by\ someone\ else.=That party name is already used by someone else. +Set\ %s's\ game\ mode\ to\ %s=S %s"in the mode of the game %s +Nether\ Bristle=Nether Bristle +Tin\ Ingot=Tin Ingot +Cotton\ Seeds=Cotton Seeds +Birch\ Fence=Birch Garden +Unable\ to\ save\ the\ game\ (is\ there\ enough\ disk\ space?)=It is not possible for you to save your game (there is not enough space.) +Vexes\ drops\ Vex\ Essence=Vexes drops Vex Essence +Summon\ the\ Wither=Cause Dry +We\ always\ want\ to\ improve\ Minecraft\ and,\ to\ help\ us\ do\ that,\ we'd\ like\ to\ collect\ some\ information.\ This\ lets\ us\ know\ what\ hardware\ to\ support\ and\ where\ the\ big\ problems\ are.\ It\ also\ gives\ us\ a\ sense\ of\ the\ size\ of\ our\ active\ player\ base,\ so\ we\ know\ if\ we're\ doing\ a\ good\ job.\ You\ can\ view\ all\ the\ information\ we\ collect\ below.\ If\ you\ want\ to\ opt\ out\ then\ you\ can\ simply\ toggle\ it\ off\!=Always wanted to improve Minecraft, and to help us do this, we may collect certain information from you. This allows us to know what hardware is supported and there is a big problem. We also thought the amount of our active players, so we know we did a good job. You can also all information that we collect in the following sections. If you want you can change it\! +Toggle\ show=Toggle show +Friendly\ Mobs=Friendly Mobs +Target\ doesn't\ have\ the\ requested\ effect=The goal is not to the expected effects of the +Acacia\ Cross\ Timber\ Frame=Acacia Cross Timber Frame +Drowned\ gurgles=Drowning gurgles +Destroy\ a\ Ghast\ with\ a\ fireball=To destroy a Ghast with a fireball +Type\ 1\ Cave\:\ Wooden\ Planks=Type 1 Cave\: Wooden Planks +Get\ the\ Smoking\ Upgrade=Get the Smoking Upgrade +The\ default\ game\ mode\ is\ now\ %s=By default, during the game %s +Green\ Concrete\ Ghost\ Block=Green Concrete Ghost Block +Honey\ Donut=Honey Donut +Minecart\ with\ Command\ Block=Minecart with Command Block +Yellow\ Concrete\ Powder=A Yellow Dust In Concrete +\u00A7aEnabled=\u00A7aEnabled +Substitutions\ Disabled=Substitutions Disabled +Lime\ ME\ Covered\ Cable=Lime ME Covered Cable +Pink\ Glowcane\ Dust=Pink Glowcane Dust +Acacia\ Glass\ Door=Acacia Glass Door +%s\ Chair=%s Chair +Prismarine\ Brick\ Step=Prismarine Brick Step +Calcite\ Dust=Calcite Dust +Linked=Linked +Custom\ bossbar\ %s\ has\ changed\ color=A custom bossbar %s we have changed the color +Custom\ bossbar\ %s\ has\ changed\ maximum\ to\ %s=A custom bossbar %s changed max %s +Red\ Snout=Red Mouth +Fried\ Chicken=Fried Chicken +Purple\ Lozenge=Purple Rhombus +Distance\ by\ Horse=Now +When\ in\ Off\ Hand\:=When in Off Hand\: +%s\ items=%s items +Bubbles\ zoom=Bobler film +Caution\ Barrier=Caution Barrier +Bronze\ Mattock=Bronze Mattock +Orange\ Flower\ Charge=Orange Blossom, Fresh +Adorn+EP\:\ Tables=Adorn+EP\: Tables +Stonks=Stonks +There\ are\ %s\ bans\:=There %s Ban Ki-Moon.\: +Mojang\ Cape\ Wing=Mojang Cape Wing +Skull\ Charge=The Account's Sake +Check\ your\ recipe\ book=Kolla in min retseptiraamat +Lime\ ME\ Dense\ Smart\ Cable=Lime ME Dense Smart Cable +Millionth\ Minecrafter\ Cape\ Wing=Millionth Minecrafter Cape Wing +Thunder\ roars=The Thunder Roars +Brick\ Step=Brick Step +This\ is\ an\ editor\ for\ Patchouli\ book\ entries.\ It's\ meant\ to\ be\ used\ for\ development\ or\ translation.\ There's\ no\ use\ for\ it\ if\ you're\ a\ player.$(br2)Please\ reference\ the\ $(l\:https\://github.com/Vazkii/Patchouli/wiki/Text-Formatting-101)Patchouli\ wiki$()\ for\ usable\ control\ codes.=This is an editor for Patchouli book entries. It's meant to be used for development or translation. There's no use for it if you're a player.$(br2)Please reference the $(l\:https\://github.com/Vazkii/Patchouli/wiki/Text-Formatting-101)Patchouli wiki$() for usable control codes. +Hell's\ own\ Ghost\ Ship=Hell's own Ghost Ship +Last\ MC\ Version\ ID=Last MC Version ID +Standard\ Fuel\ Pellet=Standard Fuel Pellet +size\:\ %s\ MB=size\: %s MB +Light\ Levels=Light Levels +A\ Dark\ and\ Swampy\ Tunnel=A Dark and Swampy Tunnel +Stripped\ Skyris\ Log=Stripped Skyris Log +Asteroid\ Asterite\ Cluster=Asteroid Asterite Cluster +Dead\ Brain\ Coral\ Wall\ Fan=The Brain-Dead Coral Wall Fan +Glowstone\ Hammer=Glowstone Hammer +Craft\ an\ industrial\ centrifuge=Craft an industrial centrifuge +Have\ every\ effect\ applied\ at\ the\ same\ time=There, the whole effect, applied, at the same time +Dark\ Oak\ Crate=Dark Oak Crate +Light\ Level\:=Light Level\: +Linker=Linker +Green\ Shingles\ Stairs=Green Shingles Stairs +Polished\ Granite\ Platform=Polished Granite Platform +Meteoric\ Steel\ Mining\ Tool=Meteoric Steel Mining Tool +Fuel=Fuel +Drowned\ steps=He fell on the steps +Used\ to\ make\ sandwiches.\ Can\ be\ done\ by\ placing\ items\ on\ top,\ with\ bread\ on\ the\ bottom\ and\ top\ of\ the\ stack.\ To\ remove\ an\ item,\ interact\ with\ an\ empty\ hand.\ To\ remove\ a\ finished\ sandwich,\ interact\ with\ an\ empty\ hand\ while\ sneaking.=Used to make sandwiches. Can be done by placing items on top, with bread on the bottom and top of the stack. To remove an item, interact with an empty hand. To remove a finished sandwich, interact with an empty hand while sneaking. +Commands\ Only=The Only Team To Have +Shared\ lives=Shared lives +Place\ a\ quantum\ solar\ panel=Place a quantum solar panel +Craft\ Enchanted\ Golden\ Apples=Craft Enchanted Golden Apples +Beetroots=Peet +Blackstone\ Step=Blackstone Step +Slimy\ Mobs=Slimy Mobs +Move\ by\ pressing\ the\ %1$s,\ %2$s,\ %3$s,\ %4$s\ keys=Go to click on %1$s, %2$s, %3$s, %4$s keys +Magenta\ Bed=Black Queen Size Bed +Yellow\ Concrete\ Camo\ Trapdoor=Yellow Concrete Camo Trapdoor +Cyan\ Skull\ Charge=El Carregador Blue Crani +Golden\ Apple\ Crate=Golden Apple Crate +A\ machine\ which\ consumes\ $(thing)energy$()\ to\ break\ and\ pick\ up\ $(thing)blocks$()\ from\ the\ world.=A machine which consumes $(thing)energy$() to break and pick up $(thing)blocks$() from the world. +Unknown=Unknown +Used\ when\ the\ zoom\ divisor\ is\ below\ the\ starting\ point.=Used when the zoom divisor is below the starting point. +Are\ you\ sure\ you\ want\ to\ remove\ this\ server?=Are you sure you want to delete from the server? +Output\ Rate=Output Rate +Difficulty\ lock=The weight of the castle +Random\ Module=Random Module +Kills\:\ %s/%s=Kills\: %s/%s +Ravager=Ravager +Resistance\ Cost=Resistance Cost +Read\ more\ about\ Mojang\ and\ privacy\ laws=Learn more about Mojang and data protection legislation +Tripwire\ attaches=It +Blue\ Beveled\ Glass\ Pane=Blue Beveled Glass Pane +Steel\ Helmet=Steel Helmet +Salty\ Sand\ Generation=Salty Sand Generation +Json\ segment\ "%1$s"\ is\ of\ an\ incompatible\ format...=Json segment "%1$s" is of an incompatible format... +Edit\ the\ creature\ target\ for\ killing\ and\ taming\ tasks.=Edit the creature target for killing and taming tasks. +Craft\ a\ Cable\ Facade=Craft a Cable Facade +Lodestone=Guri magnet +Peridot\ Crook=Peridot Crook +Matter\ Condenser=Matter Condenser +Light\ Blue\ Shingles\ Stairs=Light Blue Shingles Stairs +Cover\ Me\ in\ Rainbows=Cover Me in Rainbows +Chairs=Chairs +Hide\ Infested\ Blocks=Hide Infested Blocks +Generate=Set +Willow\ Bookshelf=Willow Bookshelf +Purified\ Gold\ Ore=Purified Gold Ore +Lingering\ Potion\ of\ Fire\ Resistance=Slow to drink, what to smoke, resistance +Light\ Gray\ Base=Light Grey Base +Infinite\ energy\ source,\ creative=Infinite energy source, creative +\u00A77\u00A7o"Who's\ the\ one\ flying\ now,\ huh?"\u00A7r=\u00A77\u00A7o"Who's the one flying now, huh?"\u00A7r +Loading\ Message=Loading Message +Find\ a\ tree=If you want to find the +Gave\ [{item_name}\u00A7f]\ x{item_count}\ to\ {player_name}.=Gave [{item_name}\u00A7f] x{item_count} to {player_name}. +White\ Shingles=White Shingles +Phantom\ Membrane=Ghost-Membrane +Dock=Dock +\nMin\ Y\ height\ that\ the\ starting\ point\ can\ spawn\ at.\ Default\ is\ 30.=\nMin Y height that the starting point can spawn at. Default is 30. +Nikolite\ Ore=Nikolite Ore +Enabling\ data\ pack\ %s=Aktivering pakke data %s +Cyan\ Bend\ Sinister=Azul Bend Sinister +Blacklisted\ 2x2\ Swamp\ Tree\ Biomes=Blacklisted 2x2 Swamp Tree Biomes +Full=Full +Sapphire\ Pickaxe=Sapphire Pickaxe +Perfect\ for\ party\ gifts\!=Perfect for party gifts\! +You\ can\ store\ items\ in\ drawers.\ They\ can't\ store\ as\ many\ items\ as\ chests,\ but\ you\ can\ also\ use\ them\ as\ small\ tables\ or\ nightstands.=You can store items in drawers. They can't store as many items as chests, but you can also use them as small tables or nightstands. +Potato=Bulba +Mediocre\ energy\ storage=Mediocre energy storage +Meteor\ Stone\ Slab=Meteor Stone Slab +Total\ Deaths\:\ %s=Total Deaths\: %s +Light\ Blue\ Glazed\ Terracotta\ Pillar=Light Blue Glazed Terracotta Pillar +Ring\ of\ Water\ Walking=Ring of Water Walking +Red\ Nether\ Brick\ Stairs=Red Nether Brick, Wooden Stairs +Dark\ Amaranth\ Trapdoor=Dark Amaranth Trapdoor +Open/Close\ Inventory=Open/Close Inventory +Loading\ world=Add in the whole world +Stone\ Brick\ Slab=Stone, Brick, Tile +Hide\ for\ other\ teams=Hiding behind the other teams, with the +Purple\ Flat\ Tent\ Top=Purple Flat Tent Top +Clay=Dirt +Small\ Red\ Sandstone\ Brick\ Slab=Small Red Sandstone Brick Slab +You\ bound\ '%s'\ to\ the\ Quest\ Tracker.=You bound '%s' to the Quest Tracker. +Can\ prevent\ lag\ due\ to\ cascading\ gravel\ falling\ into\ caverns\ under\ the\ ocean.=Can prevent lag due to cascading gravel falling into caverns under the ocean. +Villager\ Spawn\ Egg=A Resident Of The Laying Of Eggs. +\nReplaces\ Mineshafts\ in\ Mountain\ (Extreme\ Hills)\ biomes.\ How\ often\ Mineshafts\ will\ spawn.=\nReplaces Mineshafts in Mountain (Extreme Hills) biomes. How often Mineshafts will spawn. +Poseidon\ Children=Poseidon Children +F3\ +\ A\ \=\ Reload\ chunks=F3 + O \= Reload piese +Invalid\ certificate\ detected,\ this\ build\ will\ not\ receive\ support\!=Invalid certificate detected, this build will not receive support\! +Space\ Slimeball=Space Slimeball +White\ Oak\ Sapling=White Oak Sapling +Purple\ Bundled\ Cable=Purple Bundled Cable +This\ value\ is\ very\ sensitive\ to\ change.=This value is very sensitive to change. +\u00A75\u00A7oEntities\ drops\ xp\ and\ player\ only\ items=\u00A75\u00A7oEntities drops xp and player only items +Certus\ Quartz\ Pickaxe=Certus Quartz Pickaxe +Raw\ Salmon=Gold Crude +Invalid\ IP\ address=The IP address is no longer valid +Block\ of\ Tungstensteel=Block of Tungstensteel +Firecracker\ Brush=Firecracker Brush +Search\ Box\ Mode=Search Box Mode +Glider\ Left\ Wing=Glider Left Wing +Stray=I lost +/hqm\ lives\ [player]=/hqm lives [player] +Transportation=Transport +Rabbit's\ Foot=Feet-the rabbit +Dead\ Fire\ Coral=The Dead Corals, And Fire +Cartography\ Table\ Slab=Cartography Table Slab +%s%%\ Pickled=%s%% Pickled +Pink\ ME\ Dense\ Smart\ Cable=Pink ME Dense Smart Cable +%s,\ %s,\ %s=%s, %s, %s +Empty=Empty +\nAdd\ Badlands\ Temple\ to\ modded\ Badlands\ biomes.=\nAdd Badlands Temple to modded Badlands biomes. +A\ minimap\ displaying\ you\ your\ nearest\ surroundings\ and\ entities.=A minimap displaying you your nearest surroundings and entities. +Interactions\ with\ Furnace=Interaction with the Oven +Toxic\ Mud\ Bucket=Toxic Mud Bucket +Bouncy\ Weapon=Bouncy Weapon +Trident\ vibrates=Trident vibration +Chiseled\ End\ Bricks=Chiseled End Bricks +Splash\ Potion\ of\ Leaping=Splash Potion \u0386\u03BB\u03BC\u03B1 +Magenta\ Pale\ Dexter=The Purple, Delicate-As Soon As Possible +Seasonal\ Taiga\ Hills=Seasonal Taiga Hills +Orange\ Table\ Lamp=Orange Table Lamp +Test\ passed,\ count\:\ %s=Proof ex to consider\: %s +Collect\:\ Ogana\ Fruit=Collect\: Ogana Fruit +ME\ Controller=ME Controller +Gives\ you\ Fire\ Resistance\ effect\ at\ cost\ of\ energy.=Gives you Fire Resistance effect at cost of energy. +Thrown\ Ender\ Pearl=Thrown Ender Pearl +How\ about\ a\ hammer\ instead?=How about a hammer instead? +Components\ for\ crafting\ items\ to\ aid\ one\ in\ their\ journey.=Components for crafting items to aid one in their journey. +\ \ ExtraLarge\:\ 0.001=\ ExtraLarge\: 0.001 +Adorn+EP\:\ Kitchen\ Cupboards=Adorn+EP\: Kitchen Cupboards +Foxglove=Foxglove +Timed\ out=Stocks +There\ are\ %s\ objectives\:\ %s=It %s tasks\: %s +Wooden\ Mattock=Wooden Mattock +\u00A77\u00A7o"Microsoft\ actually\ sells\ this\ one."\u00A7r=\u00A77\u00A7o"Microsoft actually sells this one."\u00A7r +Autumn\ Oak\ Leaf\ Pile=Autumn Oak Leaf Pile +Aluminium\ Stairs=Aluminium Stairs +Blacklisted\ Stronghold\ Biomes=Blacklisted Stronghold Biomes +Endorium\ Dirty\ Dust=Endorium Dirty Dust +This\ area\ is\ protected\ by\ a\ claim\!=This area is protected by a claim\! +Cannot\ open\ terminal\ for\ non-player=Cannot open terminal for non-player +Alternative\ Phantom\ Wing=Alternative Phantom Wing +Meteor\ Ores=Meteor Ores +Illager\ Data\ Model=Illager Data Model +Amaranth\ Bush=Amaranth Bush +Snowy\ Mountains=A Lot Of Snow +Alert\ Tick\ Delay=Alert Tick Delay +Playing\ in\ VR\ via\ Vivecraft=Playing in VR via Vivecraft +Lettuce\ Leaf=Lettuce Leaf +Shared\ rewards=Shared rewards +Entities\ between\ y\ and\ y\ +\ dy=Operators between y and y + dy +Automatic\ saving\ is\ now\ disabled=Auto-registration is disabled +Piglin\ celebrates=Piglio, and the eu is committed to +[\ F4\ ]=[ F4 ] +Would\ you\ like\ to\ delete\ all\ waypoints\ data\ for\ the\ selected\ world/server?=Would you like to delete all waypoints data for the selected world/server? +Renewed\ automatically\ in=This often means that the +Creeper\ Spawn\ Egg=Creeper Spawn Vejce +Obtain\ a\ Rose\ Gold\ Ingot=Obtain a Rose Gold Ingot +Bowl\ of\ Dyes=Bowl of Dyes +Crimson\ Shelf=Crimson Shelf +Gave\ %s\ experience\ points\ to\ %s\ players=Given %s experience shows that %s player +Netherite\ Axe=Netherite Axe +Sandwichable=Sandwichable +Shovel=Shovel +%s\ Hammer=%s Hammer +Fire\ Protection=Fire safety +F3\ +\ F4\ \=\ Open\ game\ mode\ switcher=F3 + F4 \= open the play mode button +Univite\ Boots=Univite Boots +White\ Oak\ Button=White Oak Button +Filters\ (in\ order)\:=Filters (in order)\: +Player\ Head\ Names=Player Head Names +Osmium\ Slab=Osmium Slab +Industrial\ Jackhammer=Industrial Jackhammer +Potted\ White\ Cherry\ Oak\ Sapling=Potted White Cherry Oak Sapling +Remove\ Java\ Edition\ Badge\:=Remove Java Edition Badge\: +Sandwich\ Base\ Eating\ Time=Sandwich Base Eating Time +Nether\ Strongholds=Nether Strongholds +Enable\ Global\ Whitelist=Enable Global Whitelist +Done=Made +Print\ Screen=Screen printing +White\ Beveled\ Glass\ Pane=White Beveled Glass Pane +Pink\ Stone\ Bricks=Pink Stone Bricks +ME\ Export\ Bus=ME Export Bus +Asterite\ can\ be\ used\ to\ create\ powerful\ tooling.=Asterite can be used to create powerful tooling. +Steel\ Axe=Steel Axe +Unlock\ Progress\:=Unlock Progress\: +Shoot\ something\ with\ an\ arrow=Image as an arrow. +Iron\ Chestplate=Iron Apron +Diamond\ Paxel=Diamond Paxel +Black\ Per\ Bend=Black Pleated +Enter\ a\ Swamp\ or\ Dark\ Forest\ Mineshaft=Enter a Swamp or Dark Forest Mineshaft +A\ task\ where\ the\ player\ can\ hand\ in\ items\ or\ fluids.\ One\ can\ also\ use\ the\ Quest\ Delivery\ System\ to\ submit\ items\ and\ fluids.=A task where the player can hand in items or fluids. One can also use the Quest Delivery System to submit items and fluids. +Chainmail\ Leggings=Coat Of Mail; And +Rainbow\ Eucalyptus\ Wood=Rainbow Eucalyptus Wood +Two\ Birds,\ One\ Arrow=Two Birds, One Arrow +The\ difficulty\ has\ been\ set\ to\ %s=Difficulties not otherwise %s +Asteroid\ Tin\ Ore=Asteroid Tin Ore +Allows\ CraftPresence\ to\ change\ it's\ display\ based\ on\ the\ Gui\ you're\ in\\n\ Note\ the\ following\:\\n\ -\ Requires\ an\ option\ in\ Gui\ messages\\n\ -\ Minecraft's\ Guis\ must\ be\ opened\ once\ before\ configuring\ due\ to\ obfuscation=Allows CraftPresence to change it's display based on the Gui you're in\\n Note the following\:\\n - Requires an option in Gui messages\\n - Minecraft's Guis must be opened once before configuring due to obfuscation +Electrum\ Mining\ Tool=Electrum Mining Tool +Polar\ Bear\ dies=Polar bear dies +Advanced\ Electric\ Smelter=Advanced Electric Smelter +Yellow\ Snout=The Yellow Metal +Edit\ Config=Edit Config File +Config=The input +Build\ Grief\ Prevention=Build Grief Prevention +Bluestone\ Tile\ Slab=Bluestone Tile Slab +Palo\ Verde\ Wood=Palo Verde Wood +Zigzagged\ Charred\ Nether\ Bricks=Zigzagged Charred Nether Bricks +Block\ of\ Invar=Block of Invar +Toggle\ Fullscreen=To Switch To Full Screen Mode +Blaze\ hurts=\ To bad +Enter\ a\ Birch\ Village=Enter a Birch Village +Failed\ to\ link\ carts;\ distance\ too\ big\:\ over\ [%s]\!=Failed to link carts; distance too big\: over [%s]\! +Zoom=Zoom +Yellow\ Base=Yellow Background +Blue\ Dye=Blue Tint +The\ party\ will\ receive\ this\ reputation\ when\ the\ first\ member\ claims\ their\ reward.=The party will receive this reputation when the first member claims their reward. +Frost\ Magma=Frost Magma +Jacaranda\ Sapling=Jacaranda Sapling +Wolf\ dies=The wolf dies +Minimap\ Zoom\ In=Minimap Zoom In +Jungle\ Mineshaft=Jungle Mineshaft +Unknown\ wing\:\ %s=Unknown wing\: %s +Back\ to\ Title\ Screen=Back to Title Screen +Asterite\ Crook=Asterite Crook +Toggle\ search\ box\ focus=Toggle search box focus +Chicken\ Taco=Chicken Taco +64k\ Crafting\ Storage=64k Crafting Storage +Gray\ Shulker\ Box=Box, Gray, Printer Shulk +Disabled\ Item=Disabled Item +Redwood\ Kitchen\ Sink=Redwood Kitchen Sink +Slimeball=Mucus +Walk\ Forwards=Before You Go +Green\ Glazed\ Terracotta\ Camo\ Door=Green Glazed Terracotta Camo Door +Comparator\ Mode=Comparator Mode +Shield=Shield +\nHow\ rare\ are\ Warped\ Shipwreck\ in\ Warped\ Nether\ biome.=\nHow rare are Warped Shipwreck in Warped Nether biome. +Saves\ all\ quest\ bag\ rewards\ to\ a\ JSON.=Saves all quest bag rewards to a JSON. +Top\ item\ must\ be\ bread=Top item must be bread +Failed\ to\ open\ REI\ config\ screen=Failed to open REI config screen +Adorn=Adorn +You\ can\ also\ right\ click\ anywhere=You can also right click anywhere +Blue\ Stained\ Pipe=Blue Stained Pipe +Red\ Spruce\ Sapling=Red Spruce Sapling +Custom\ Groups\ (IDs\ separated\ by\ commas)=Custom Groups (IDs separated by commas) +One\ Man's\ Rubbish..=One Man's Rubbish.. +Light\ Gray\ Pale\ Dexter=Light Gray Pale Dexter +Orange\ ME\ Covered\ Cable=Orange ME Covered Cable +Do\ not\ use\ stocked\ items,\ only\ craft\ items\ while\ exporting.=Do not use stocked items, only craft items while exporting. +Entangled\ Chest=Entangled Chest +Azalea=Azalea +Arrow\ of\ Slowness=Arrow low +You\ have\ %s\ party\ [[invite||invites]]=You have %s party [[invite||invites]] +Orange\ Bundled\ Cable=Orange Bundled Cable +LAN\ World=LAN Svete +Standard\ Search=Standard Search +Open\ Config=Open Config +Red\ Base=Rote Basis +Skin\ Customization...=The Adaptation Of The Skin... +Helium3=Helium3 +Waypoints\ Scale=Waypoints Scale +Blue\ Sofa=Blue Sofa +Prevent\ Cascading\ Gravel=Prevent Cascading Gravel +CraftPresence\ -\ Discord\ Assets\ List=CraftPresence - Discord Assets List +Crystal\ Obsidian\ Furnace=Crystal Obsidian Furnace +Press\ this\ key\ when\ hovering\ a\ container\ stack\nto\ open\ the\ full\ preview\ window=Press this key when hovering a container stack\nto open the full preview window +Send\ a\ computer_command\ event\ to\ a\ command\ computer,\ passing\ through\ the\ additional\ arguments.\ This\ is\ mostly\ designed\ for\ map\ makers,\ acting\ as\ a\ more\ computer-friendly\ version\ of\ /trigger.\ Any\ player\ can\ run\ the\ command,\ which\ would\ most\ likely\ be\ done\ through\ a\ text\ component's\ click\ event.=Send a computer_command event to a command computer, passing through the additional arguments. This is mostly designed for map makers, acting as a more computer-friendly version of /trigger. Any player can run the command, which would most likely be done through a text component's click event. +Rough\ Soul\ Sandstone=Rough Soul Sandstone +Objective\ names\ cannot\ be\ longer\ than\ %s\ characters=The name can not be more %s the characters +Your\ location=Your location +Lithium=Lithium +Lingering\ Potion\ of\ Harming=Fixed potion of damage +Warped\ Table=Warped Table +Small\ Dark\ Oak\ Logs=Small Dark Oak Logs +Tungsten\ Boots=Tungsten Boots +Adamantium\ Crook=Adamantium Crook +Rainbow\ Lamp=Rainbow Lamp +Dark\ Aqua=Dark Aqua +Anvil\ landed=Support is grounded +Invalid\ chat\ component\:\ %s=Not a valid Component of conversation\: %s +Opacity=Opacity +Electrum\ Dust=Electrum Dust +Release\ %s\ to\ export=Release %s to export +Potion\ of\ Levitation=Potion af levitation +Red\ Sandstone\ Brick\ Slab=Red Sandstone Brick Slab +Mossy\ Stone\ Brick\ Platform=Mossy Stone Brick Platform +Marshmallow\ on\ a\ Stick=Marshmallow on a Stick +Get\ Nikolite\ Ingot=Get Nikolite Ingot +Univite\ Hoe=Univite Hoe +Phantom\ swoops=The spirit dives +Blue\:\ %s\ /\ %s=Blue\: %s / %s +Electrum=Electrum +Curse\ of\ Rusting=Curse of Rusting +Scrapbox-inator=Scrapbox-inator +Snowy\ Evergreen\ Taiga=Snowy Evergreen Taiga +Extracting=Extraction of the +Fire\ crackles=O fogo crackles +Charred\ Wooden\ Stairs=Charred Wooden Stairs +Disable\ raids=Newsmore raid +Changed\ Tweaker\ subset\!\ Reloading...=Changed Tweaker subset\! Reloading... +Zelkova\ Wall=Zelkova Wall +Light\ Gray\ Lozenge=A Light Grey Diamond +Andesite\ Glass=Andesite Glass +Adorn+EP\:\ Sofas=Adorn+EP\: Sofas +Cyan\ Tent\ Side=Cyan Tent Side +Green\ Mushroom\ Block=Green Mushroom Block +Place\ a\ blast\ furnace=Place a blast furnace +Stripped\ Blue\ Enchanted\ Wood=Stripped Blue Enchanted Wood +Firework\ launches=To start the fireworks +Shows\ you\ the\ coordinates\!=Shows you the coordinates\! +Water\ Wooden\ Bucket=Water Wooden Bucket +Times\ Used=This Time Is Used +Trap\ Expansion=Trap Expansion +Craft\ a\ Redstone\ Toaster.=Craft a Redstone Toaster. +Potted\ Tall\ Cyan\ Calla\ Lily=Potted Tall Cyan Calla Lily +Univite\ Shovel=Univite Shovel +You\ can\ only\ change\ the\ type\ of\ item\ tasks.=You can only change the type of item tasks. +Pumpkin\ Stem=The Stem Of The Pumpkin +Sponges\ reduce\ fall\ damage=Sponges reduce fall damage +Acacia\ Platform=Acacia Platform +Open\ Config\ Screen=Open Config Screen +Harvest\ the\ power\ of\ the\ mother\ nature\ to\ power\ your\ machines=Harvest the power of the mother nature to power your machines +Right\ Alt=In The Lower Right. +Lingering\ Potion\ of\ Slow\ Falling=The balance of the wine is slowly Decreasing +Red\ Glowcane\ Block=Red Glowcane Block +A\ chef's\ dream=A chef's dream +Yellow\ Lozenge=Gula Batteries +Temperature\ boost=Temperature boost +Collect\:\ Endorium\ Sword=Collect\: Endorium Sword +Gray\ Stained\ Pipe=Gray Stained Pipe +ME\ Chest\ cannot\ read\ storage\ cell.=ME Chest cannot read storage cell. +Game\ over\!=The game is over\! +Couldn't\ grant\ advancement\ %s\ to\ %s\ as\ they\ already\ have\ it=I didn't want to drag it %s the %s if you already have +Locked=Locked +End\ Shipwreck\ Spawnrate=End Shipwreck Spawnrate +%s\ Core=%s Core +World\ name=Name +Mature=Mature +Brown\ Fess=Brown, Fess +The\ date\ format\ used\ in\ timestamps.=The date format used in timestamps. +Down=Down +Asteroid\ Gold\ Ore=Asteroid Gold Ore +Green\ Enchanted\ Crafting\ Table=Green Enchanted Crafting Table +Loom\ Slab=Loom Slab +Thermal\ Generator=Thermal Generator +Use\ Java\ (CPU)\ based\ equivalent\ of\ the\ mod\ instead\ of\ OpenGL\ (GPU).\ Safe\ mode\ is\ a\ plan\ B,\ incase\ the\ mod\ fails\ normally.\ Not\ all\ features\ work\ in\ safe\ mode.=Use Java (CPU) based equivalent of the mod instead of OpenGL (GPU). Safe mode is a plan B, incase the mod fails normally. Not all features work in safe mode. +Depth\ Base\ Size=The Depth Of The Base Size +Fluid\ Mixer=Fluid Mixer +Rigid\ Pipe=Rigid Pipe +Iron\ Nugget=Iron, Gold, +Redstone\ Plate=Redstone Plate +Crate\ of\ Carrots=Crate of Carrots +Replicates\ fluid\ placed\ inside\ middle\ of\ it\nMulti-block\ structure\nRequires\ energy\ and\ UU\ Matter=Replicates fluid placed inside middle of it\nMulti-block structure\nRequires energy and UU Matter +Green\ Shulker\ Box=Zelene Travnike, Shulker +&modcount&\ Mod(s)=&modcount& Mod(s) +Relieve\ a\ Blaze\ of\ its\ rod=Facilitate fire rods +Diamond\ Ore=Diamond Ore +Zelkova\ Crafting\ Table=Zelkova Crafting Table +Gui=Gui +Potted\ Spruce=Potted Spruce +Use\ a\ Compass\ on\ a\ Lodestone=Use the compass to a magnet +Horse\ breathes=Their breath +Green\ Beetle\ Wing=Green Beetle Wing +Ready\ For\ The\ Unknown=Ready For The Unknown +Crimson\ Wall\ Sign=Dark Red Wall Of The Session +Misc=Misc +Ignore\ the\ contents\ of\ the\ target\ inventory.=Ignore the contents of the target inventory. +Univite\ can\ be\ used\ to\ create\ the\ strongest\ tooling\ and\ weaponry\ known\ by\ all\ discovered\ civilizations.=Univite can be used to create the strongest tooling and weaponry known by all discovered civilizations. +Hold\ shift\ and\ click\ on\ quests\ to\ automatically\ complete\ them\ or\ reset\ their\ progress.=Hold shift and click on quests to automatically complete them or reset their progress. +Piglin\ retreats=Piglin pensions +Chainmail\ Boots=From Crochet Batusi +Melee=Melee +Fishing\ Bobber\ splashes=Ribolov Flasher Zagon +Preparing\ download=To download the preparation of the +Showing\ Craftable=Showing Craftable +Trident\ zooms=Trident, zoom in +Weeping\ Witch\ Clearing=Weeping Witch Clearing +\u00A79Chunk\ Radius\:\ =\u00A79Chunk Radius\: +Flint=Flint +Gravity\ Gauntlets=Gravity Gauntlets +Entry\ Index=Entry Index +%ss=%ss +Upgraded\ chunks\:\ %s=Updated components\: %s +Magenta\ Mushroom=Magenta Mushroom +%1$s\ fell\ off\ some\ weeping\ vines=%1$s fell weeping on the vine +Input/Output\ Mode=Input/Output Mode +Unknown\ criterion\ '%s'=Unknown norm"%s' +Connected\ to\ %s\ [[quest||quests]]\ through\ option\ links.=Connected to %s [[quest||quests]] through option links. +Light\ Detecting\ Fixture=Light Detecting Fixture +All\ entities=All units in +Show\ Key\ Hints=Show Key Hints +Prefix,\ %s%2$s\ again\ %s\ and\ %1$s\ lastly\ %s\ and\ also\ %1$s\ again\!=Code %s%2$s again %s and %1$s finally, %s a %1$s over and over again. +Allows\ CraftPresence\ to\ change\ it's\ display\ based\ on\ the\ item\ you're\ holding\\n\ Note\ the\ following\:\\n\ -\ Requires\ an\ option\ in\ item\ messages=Allows CraftPresence to change it's display based on the item you're holding\\n Note the following\:\\n - Requires an option in item messages +Implosion\ Compressor=Implosion Compressor +Strider\ dies=Strider mor +Sodalite\ Dust=Sodalite Dust +Dark\ Oak\ Fence=Tmavo-Drevo-Plot +Chiseled\ Certus\ Quartz\ Stairs=Chiseled Certus Quartz Stairs +Movement=Move +Outposts=Outposts +Pink\ Shingles\ Stairs=Pink Shingles Stairs +Default\:\ %s=Standard\: %s +Do\ not\ use\ cables\ above\ the\ input\ limit=Do not use cables above the input limit +Customized\ Filtering\ Rules=Customized Filtering Rules +Explore\ all\ Nether\ biomes=Descobreix tots els Nether biomes +Galaxium\ Hammer=Galaxium Hammer +Asteroid\ Emerald\ Cluster=Asteroid Emerald Cluster +Peace\ in\ the\ world,\ or\ the\ world\ in\ pieces\!=Peace in the world, or the world in pieces\! +Magenta\ Chevron=Fioletowa And Yellow Chevron +Please\ use\ Mod\ Menu\ to\ edit\ the\ config\ or\ use\ an\ external\ application\ to\ edit\ the\ config\ directly.=Please use Mod Menu to edit the config or use an external application to edit the config directly. +River\ Size=On The River The Size Of The +Advanced\ Chainsaw=Advanced Chainsaw +Red\ Bundled\ Cable=Red Bundled Cable +Steel\ Mattock=Steel Mattock +Cyan\ ME\ Covered\ Cable=Cyan ME Covered Cable +Yellow\ Pale\ Sinister=Yellow, Light Matte +Grants\ Immunity\ to\ Poison=Grants Immunity to Poison +Red\ Dye=Red +Render\ Player\ Arrow=Render Player Arrow +Bricks\ Camo\ Door=Bricks Camo Door +There\ are\ no\ custom\ bossbars\ active=No hi ha Cap acte bossbars activa +This\ will\ swap\ all\ waypoint\ data\ of\ the\ selected\ sub-world\ and\ the\ automatic\ sub-world,\ thus\ simulate\ making\ the\ selected\ sub-world\ automatic.\ Make\ sure\ you\ know\ what\ you're\ doing.=This will swap all waypoint data of the selected sub-world and the automatic sub-world, thus simulate making the selected sub-world automatic. Make sure you know what you're doing. +Negative\ Chance\ (invert)=Negative Chance (invert) +Three\ quarters\ of\ a\ heart=Three quarters of a heart +Blacklisted\ Shipwrecks\ Biomes=Blacklisted Shipwrecks Biomes +Tall\ Pink\ Allium=Tall Pink Allium +Gravity\ Gauntlet=Gravity Gauntlet +Willow\ Button=Willow Button +Companion\ Cube=Companion Cube +Send\ a\ computer_command\ event\ to\ a\ command\ computer=Send a computer_command event to a command computer +Fishing\ Machine\ MK2=Fishing Machine MK2 +Get\ a\ Farmer=Get a Farmer +Fishing\ Machine\ MK4=Fishing Machine MK4 +Small\ Sandstone\ Brick\ Stairs=Small Sandstone Brick Stairs +Fishing\ Machine\ MK3=Fishing Machine MK3 +Black\ ME\ Glass\ Cable=Black ME Glass Cable +Unmarked\ %s\ chunks\ in\ %s\ from\ %s\ to\ %s\ for\ force\ loading=Labeled %s part of the %s v %s that %s the force of the load +Asteroid\ Metite\ Cluster=Asteroid Metite Cluster +Junk\ Fished=Fragments Caught +Advanced\ Battery=Advanced Battery +Cheese\ Slice=Cheese Slice +Oak\ Log=Oak Log +Raw\ Porkchop=Raw Pork Chops +Building\ Blocks\ \u00A73(Blockus)=Building Blocks \u00A73(Blockus) +Cafeteria=Cafeteria +Zigzagged\ Nether\ Bricks=Zigzagged Nether Bricks +The\ difficulty\ did\ not\ change;\ it\ is\ already\ set\ to\ %s=The complexity hasn't changed, and it is registered in the %s +LOLCAT=LOLCAT +Splash\ Potion\ of\ Weakness=A Splash potion of weakness +Basic\ Solid\ Generator=Basic Solid Generator +Calcium=Calcium +It\ is\ %s.\ The\ maximum\ allowed\ size\ is\ %s.=It is %s. The maximum size of the file %s. +Quartz\ Glass=Quartz Glass +Light\ Blue\ Field\ Masoned=Purple Field From The Bricks Under The Earth +Polished\ Blackstone\ Camo\ Door=Polished Blackstone Camo Door +Purple\ Carpet=On The Purple Carpet +Lighting=Lighting +\nAdd\ End\ themed\ Mineshafts\ to\ biomes\ outside\ the\ Enderdragon\ island.=\nAdd End themed Mineshafts to biomes outside the Enderdragon island. +Code\ Bible=Code Bible +Green\ Stone\ Bricks=Green Stone Bricks +Aquilorite\ Ore=Aquilorite Ore +Changed\ the\ render\ type\ of\ objective\ %s=The target type will be changed %s +Open\ the\ terminal\ of\ a\ computer,\ allowing\ remote\ control\ of\ a\ computer.\ This\ does\ not\ provide\ access\ to\ turtle's\ inventories.\ You\ can\ either\ specify\ the\ computer's\ instance\ id\ (e.g.\ 123)\ or\ computer\ id\ (e.g\ \#123).=Open the terminal of a computer, allowing remote control of a computer. This does not provide access to turtle's inventories. You can either specify the computer's instance id (e.g. 123) or computer id (e.g \#123). +Colored\ Tiles\ (Black\ &\ Red)=Colored Tiles (Black & Red) +Edit\ reputation\ target=Edit reputation target +Controls\ how\ long\ a\ cave\ system\ of\ a\ certain\ cave\ type\ extends=Controls how long a cave system of a certain cave type extends +Hold\ the\ Dragon\ Egg=Keep the dragon egg +Smelts\ tough\ metals\ under\ extreme\ temperature=Smelts tough metals under extreme temperature +Flattens\ stuff,\ especially\ useful\ for\ coils=Flattens stuff, especially useful for coils +\nAdds\ mossy\ stone\ themed\ wells\ to\ Jungles,\ Dark\ Oak,\ and\ Swamp\ biomes.=\nAdds mossy stone themed wells to Jungles, Dark Oak, and Swamp biomes. +Potted\ Jungle=Potted Jungle +Nectar\ of\ the\ Tree=Nectar of the Tree +Player\ Exhaustion=Player Exhaustion +Show\ Biome=Show Biome +Show\ invisible\ blocks\:=To show the hidden blocks\: +Lime\ Glazed\ Terracotta\ Glass=Lime Glazed Terracotta Glass +Two\ by\ Two=Two-on-two +Treasure\ Fished=The Treasure Chest Was Removed +Show\ Server\ Ticks\ ms=Show Server Ticks ms +Takes\ your\ unwanted\ materials\ and\ recycles\ it\ into\ scrap=Takes your unwanted materials and recycles it into scrap +Whether\ extended\ hitboxes\ should\ be\ enabled\ for\ the\ appropriate\ tools.=Whether extended hitboxes should be enabled for the appropriate tools. +Willow\ Kitchen\ Cupboard=Willow Kitchen Cupboard +Pork\ Cuts=Pork Cuts +Endorium\ Sword=Endorium Sword +Metite\ Tiny\ Dust=Metite Tiny Dust +Copied\ client-side\ entity\ data\ to\ clipboard=A copy of the part of the customer, the organisation and the transfer of the data to the clipboard +Tube\ Coral\ Block=Tube Coral Points +End\ Dungeons=End Dungeons +Trial=Trial +Purple\ Per\ Fess=Lila Fess +1k\ ME\ Storage\ Component=1k ME Storage Component +\u00A79Configurable\ in\ settings\u00A7r=\u00A79Configurable in settings\u00A7r +Lime\ Chief=Lime Male. +Redwood\ Shelf=Redwood Shelf +Panda's\ nose\ tickles=The Panda's nose, tickle +Black\ Cross=Black Cross +Networking\ Switchboard=Networking Switchboard +Dacite\ Cobblestone\ Wall=Dacite Cobblestone Wall +Chorus\ Flower=[Chorus] The Flower +Galaxium\ Hoe=Galaxium Hoe +Grabber\ Width\:=Grabber Width\: +Cyan\ Creeper\ Charge=Blue Creek Kostenlos +Stone\ Pressure\ Plate=Stone Pressure Plate +Redstone\ Ready=Redstone Pripravljen +Fuel\ Mixer=Fuel Mixer +Capacity\ Card=Capacity Card +Cobblestone\ Brick\ Stairs=Cobblestone Brick Stairs +Mossy\ Red\ Rock\ Bricks=Mossy Red Rock Bricks +Open=Open +Aquilorite\ Block\ (hardened)=Aquilorite Block (hardened) +Light\ Gray\ Concrete=The Pale Grey Of The Concrete +FOV\ Effects=FOV Effects +Click\ on\ a\ quest\ to\ move\ it\ to\ another\ set.\ Before\ using\ this\ you\ will\ have\ to\ use\ the\ "Target\ Set"\ command\ to\ select\ a\ target\ set.=Click on a quest to move it to another set. Before using this you will have to use the "Target Set" command to select a target set. +Always\ On=Always On +Rocky\ Beach=Rocky Beach +Position\ Y=Position Y +Formation\ Core=Formation Core +Quick\ Use\ 8=Quick Use 8 +Quick\ Use\ 9=Quick Use 9 +Lead\ Ingot=Lead Ingot +Position\ X=Position X +Load\ the\ given\ quest\ line\ into\ HQM.=Load the given quest line into HQM. +Yellow\ Table\ Lamp=Yellow Table Lamp +Quick\ Use\ 4=Quick Use 4 +Quick\ Use\ 5=Quick Use 5 +Quick\ Use\ 6=Quick Use 6 +Quick\ Use\ 7=Quick Use 7 +Quick\ Use\ 1=Quick Use 1 +Quick\ Use\ 2=Quick Use 2 +Set\ Console\ Command\ for\ Block=To configure the shell to the interior +Quick\ Use\ 3=Quick Use 3 +Beacon\ Base=Beacon Base +\ +%s\ Armor=\ +%s Armor +Potted\ White\ Dendrobium\ Orchid=Potted White Dendrobium Orchid +Stripped\ Warped\ Hyphae=Their Distortion Of The Structure, +Show\ Or\ Hide\ on\ Interface\ Terminal.=Show Or Hide on Interface Terminal. +Hat=Auf +Awkward\ Lingering\ Potion=Uncomfortable For A Long Time In A Decoction Of +Insertion\ points\:=Insertion points\: +Light\ Blue\ Base\ Indented=Blue Light Key Blank +Higher\ friction\ values\ decrease\ velocity\ interpolation.=Higher friction values decrease velocity interpolation. +Change\ the\ value\ of\ the\ different\ reputation\ tiers=Change the value of the different reputation tiers +Double\ Efficiency=Double Efficiency +Potted\ Birch=Potted Birch +Orange\ Tent\ Side=Orange Tent Side +The\ player\ idle\ timeout\ is\ now\ %s\ minutes=The players of now %s minuts +Revoked\ criterion\ '%s'\ of\ advancement\ %s\ from\ %s\ players=Cancelled the criterion"%s"progress %s sen %s players +Mushroom\ Stem=The Mushroom Stem +Crate\ of\ Apples=Crate of Apples +Gray\ Tent\ Top=Gray Tent Top +1x\ Compressed\ Netherrack=1x Compressed Netherrack +Arrow\ of\ the\ Turtle\ Master=Arrow Is A Master Of The Turtle +Mushroom\ Stew=The Mushrooms In The Sauce +Enter\ a\ Stonebrick\ Stronghold=Enter a Stonebrick Stronghold +\u00A7cFailed\ to\ give\ items.=\u00A7cFailed to give items. +Block\ of\ Emerald=Blok Smaragdno +Saved\ %s\ [[minute||minutes]]\ ago=Saved %s [[minute||minutes]] ago +Andesite\ Dust=Andesite Dust +Expected\ value=The expected value +\u00A7cNo\ (Dangerous)=\u00A7cNo (Dangerous) +Enable\ detection\ for\ Twitch/Curse\ manifest\ data?=Enable detection for Twitch/Curse manifest data? +Brown\ Bed=Brown Bed +Find\ nikolite=Find nikolite +Green\ Enchanted\ Log=Green Enchanted Log +Continue\ without\ Support=Continue without Support +Lets\ the\ player\ walk\ on\ water=Lets the player walk on water +Partitioned=Partitioned +Rubber\ Kitchen\ Cupboard=Rubber Kitchen Cupboard +Get\ mod\ version.=Get mod version. +Coal\ Plate=Coal Plate +One\ or\ more\ of\ your\ hearts\ has\ just\ decade\ into\ a\ Rotten\ Heart.=One or more of your hearts has just decade into a Rotten Heart. +Unbind\ Conflicting\ Key=Unbind Conflicting Key +Gray\ ME\ Dense\ Smart\ Cable=Gray ME Dense Smart Cable +Cherry\ Pressure\ Plate=Cherry Pressure Plate +You're\ out\ of\ lives.\ Game\ over,\ man,\ it's\ game\ over\!=You're out of lives. Game over, man, it's game over\! +Red\ Elytra\ Wing=Red Elytra Wing +White\ Per\ Bend\ Sinister\ Inverted=White The Great Villain, Who Became +That\ player\ does\ not\ exist.=That player does not exist. +Light\ Gray\ Lumen\ Paint\ Ball=Light Gray Lumen Paint Ball +Green\ Bundled\ Cable=Green Bundled Cable +Oops,\ it\ looks\ like\ this\ content\ category\ is\ currently\ empty.\nPlease\ check\ back\ later\ for\ new\ content,\ or\ if\ you're\ a\ creator,\n%s.=Oh, and it turns out that the content of birds of a feather, and at the present time it is empty.\nI ask you to go to, and then some new content for you, or if you are a creative person\n%s. +Gold\ Button=Gold Button +1\ Enchantment\ Level=1 Provide For A Level Of +%s\ has\ made\ the\ advancement\ %s=%s to make progress %s +%1$s\ was\ pummeled\ by\ %2$s\ using\ %3$s=%1$s he was one of the %2$s help %3$s +Sugar\ Cane\ Block=Sugar Cane Block +Armor\ Toughness=Armor Hardness +Note\ Block\ plays=Blocks play +Purple\ ME\ Dense\ Smart\ Cable=Purple ME Dense Smart Cable +Brown\ Lawn\ Chair=Brown Lawn Chair +Enchant\ an\ item\ at\ an\ Enchanting\ Table=Enchant the item, not the Table +Lime\ Stained\ Pipe=Lime Stained Pipe +Network\ Details=Network Details +Set\ Repeatability=Set Repeatability +\nHow\ rare\ are\ Nether\ Bricks\ Shipwreck\ in\ non-warped\ or\ non-crimson\ Nether\ \ biomes.=\nHow rare are Nether Bricks Shipwreck in non-warped or non-crimson Nether biomes. +Unknown\ ID\:\ %s=Unknown id\: %s +Quit\ Game=The Outcome Of The Game +Glitch\ Boots=Glitch Boots +Interactions\ with\ Blast\ Furnace=The part in the oven +Pink\ Cherry\ Oak\ Forest=Pink Cherry Oak Forest +Mercury=Mercury +EU\ P2P\ Tunnel=EU P2P Tunnel +Melon=Melon +Craft\ an\ MFSU=Craft an MFSU +Warped\ Planks\ Camo\ Door=Warped Planks Camo Door +Please\ wait\ for\ the\ realm\ owner\ to\ reset\ the\ world=Please wait for the kingdom of the owner, in order to restore the world +%s\ [[quest||quests]]\ including\ invisible\ ones=%s [[quest||quests]] including invisible ones +Cika\ Fence=Cika Fence +Enable\ Join\ Requests=Enable Join Requests +Spruce\ Trapdoor=El Hatch +Rotten\ Guys=Rotten Guys +Looking\ At=Looking At +Glitter=Glow in the +Magenta\ Concrete\ Camo\ Trapdoor=Magenta Concrete Camo Trapdoor +Dev.Eraser=Dev.Eraser +Back\ to\ Server\ List=Back to Server List +Splash\ Text\:=Splash Text\: +Feet\ Protection=Feet Protection +Cart\ at\ [%s,\ %s,\ %s]\ selected\ as\ parent\!=Cart at [%s, %s, %s] selected as parent\! +Parrot\ talks=Speak +Boreal\ Forest\ Hills=Boreal Forest Hills +III=III +Shrub=Shrub +Red\ Shingles=Red Shingles +Async\ Group\ Size\:=Async Group Size\: +Coniferous\ Forest\ Hills=Coniferous Forest Hills +Magenta\ Amaranth\ Bush=Magenta Amaranth Bush +Panel\ in\ direct\ sunlight=Panel in direct sunlight +Enable\ detection\ for\ Technic\ pack\ data?=Enable detection for Technic pack data? +Red\ Globe=The Red In The World +Unfavorite=Unfavorite +Lesser\ Scroll\ Step=Lesser Scroll Step +Faster\ Entry\ Rendering\:=Faster Entry Rendering\: +\u00A77\u00A7oand\ it\ can\ rip\ wings\ off."\u00A7r=\u00A77\u00A7oand it can rip wings off."\u00A7r +Spruce\ Planks\ Camo\ Door=Spruce Planks Camo Door +Export\ failed=Export failed +Yellow\ Terracotta\ Glass=Yellow Terracotta Glass +Orange\ Base=The Orange Colour Is The Main +White\ Sofa=White Sofa Beetroot\ Seeds=Sugar Beet Seed, For -Magenta\ Base=Red Clothing -Magenta\ Wool=Red Wave -Cobblestone\ (Legacy)=(The Old One)Cobblestone -Export\ Recipe\:=The Export Recipe\: +Mangrove\ Log=Mangrove Log +hi\ %\ \ s=to % s +Max\ energy\ stored\:\ =Max energy stored\: +White\ Topped\ Tent\ Pole=White Topped Tent Pole +Obsidian\ Reinforced\ Trapdoor=Obsidian Reinforced Trapdoor +Visualized\ Structure=Visualized Structure +Glowstone\ Tiny\ Dust=Glowstone Tiny Dust +Lit\ Light\ Blue\ Redstone\ Lamp=Lit Light Blue Redstone Lamp +Best\ Friends\ Forever=Best Friends Forever +Unknown\ recipe\:\ %s=That's the recipe\: %s +Tag\ &\ NBT\ independent\ detection=Tag & NBT independent detection +Gray\ Per\ Bend\ Sinister=Gray Bend Sinister +Charger\ Module=Charger Module +Parrot\ Spawn\ Egg=Parrot's Spawn Egg. +This\ is\ an\ example\ tooltip.=For example, the tool tip will be displayed. +Honey\ Block=Honey, A Block Of +No\ entry\ was\ found\ for\ that\ player.=No entry was found for that player. +Light\ Blue\ Elevator=Light Blue Elevator +Orange\ Concrete\ Glass=Orange Concrete Glass +\u00A77\u00A7o"Truly\ colorful."\u00A7r=\u00A77\u00A7o"Truly colorful."\u00A7r +Cactus\ Block=Cactus Block +Not\ So\ Sticky=Not So Sticky +Flying\ is\ not\ enabled\ on\ this\ server=The fights are banned from the server +Block\ of\ Copper=Block of Copper +Water\ Breathing=Water Breathing +Advanced\ Energy\ Cable=Advanced Energy Cable +Interpolating\ Velocity\ (Positive,\ Greater\ than\ Zero)=Interpolating Velocity (Positive, Greater than Zero) +There\ are\ no\ bans=There is no restriction +REI\ Synchronized\ Standard\ Keep=REI Synchronized Standard Keep +CraftPresence\ -\ Edit\ Entity\ (%1$s)=CraftPresence - Edit Entity (%1$s) +Cut\ Sandstone\ Post=Cut Sandstone Post +Unknown\ Map=Unknown Card +Brown\ Terracotta\ Ghost\ Block=Brown Terracotta Ghost Block +Gray\ Base\ Dexter\ Canton=Gray Canton In The Dexter +This\ quest\ has\ no\ tasks\!=This quest has no tasks\! +World\ Specific\ Resources=Council asset +Synchronize\ any\ live\ changes\ made\ from\ craftpresence.properties\\nWarning\:\ This\ will\ overwrite\ any\ changes\ made\ in\ here\ if\ unsaved\!=Synchronize any live changes made from craftpresence.properties\\nWarning\: This will overwrite any changes made in here if unsaved\! +Magenta\ Terracotta\ Camo\ Door=Magenta Terracotta Camo Door +Cobblestone\ Brick\ Slab=Cobblestone Brick Slab +1x\ Compressed\ Gravel=1x Compressed Gravel +Unexpected\ custom\ data\ from\ client=Unexpected personal information +No\:\ Only\ extractable\ items\ will\ be\ visible.=No\: Only extractable items will be visible. +Short\ Beach\ Grass=Short Beach Grass +Black\ Concrete\ Powder=Black Cement Powder +Fishing\ Bobber=Fishing On The Float +Willow\ Pressure\ Plate=Willow Pressure Plate +Tungsten\ Dust=Tungsten Dust +Netherrack\ Camo\ Trapdoor=Netherrack Camo Trapdoor +Temperature=Temperature +Load\ New\ Chunks=Load New Chunks +Witch-hazel\ Stairs=Witch-hazel Stairs +Water\ Bucket=Hot Water +Brass\ Wall=Brass Wall +Added\ modifier\ %s\ to\ attribute\ %s\ for\ entity\ %s=Added %s include %s people %s +Infested\ Cobblestone=Walk On The Sidewalk +SCS\ Size=SCS Size +Gold\ Chunk=Gold Chunk +Sofas=Sofas +7x\ Compressed\ Netherrack=7x Compressed Netherrack +Stone\ Circle\ Pavement=Stone Circle Pavement +Your\ trial\ has\ ended=The completion of the +The\ location,\ distance\ and\ radius\ will\ be\ hidden\ from\ the\ user.\ It's\ up\ to\ you\ to\ guide\ them\ through\ the\ map\ or\ through\ text.=The location, distance and radius will be hidden from the user. It's up to you to guide them through the map or through text. +Data\ Amount\ to\:\ Self\ Aware=Data Amount to\: Self Aware +Birch\ Coffee\ Table=Birch Coffee Table +Accurate=Accurate +Evoker\ dies=K boy death +Remove\ invite=Remove invite +Wheat\ Seeds=Wheat Seeds +Cherry\ Oak\ Wood\ Button=Cherry Oak Wood Button +The\ core\ of\ the\ fusion\ reactor=The core of the fusion reactor +Multiplied=Multiplied +Stores=Stores +World\ Map\ Waypoints=World Map Waypoints +White\ Bundled\ Cable=White Bundled Cable +Add\ Nether\ Wasteland\ Temples\ to\ Modded\ Biomes=Add Nether Wasteland Temples to Modded Biomes +\u00A77\u00A7o"I\ believe\ I\ can\ fly\!"\u00A7r=\u00A77\u00A7o"I believe I can fly\!"\u00A7r +More.\ Power.=More. Power. +Light\ Gray\ Futurneo\ Block=Light Gray Futurneo Block +Stored=Stored +Pink\ Per\ Fess=Pink, On The Fess +Advanced\ tooltips\:\ hidden=More tips\: hidden +This\ world\ uses\ experimental\ settings\ that\ could\ stop\ working\ at\ any\ time.\ We\ cannot\ guarantee\ it\ will\ load\ or\ work.\ Here\ be\ dragons\!=In this world, and with the help of the experimental setup, which may lead at any moment. And we can't guarantee you that it's downloaded, or at work. Here was presented a new\! +Yellow\ Ranunculus=Yellow Ranunculus +Black=Crna +Cave\ Spider\ Spawn\ Egg=Cave Spider Spawn Egg +Elite\ Fluid\ Mixer=Elite Fluid Mixer +%1$s\ was\ poked\ to\ death\ by\ a\ sweet\ berry\ bush\ whilst\ trying\ to\ escape\ %2$s=%1$s it was \u0441\u0443\u043D\u0443\u043B\u0441\u044F on the way to the berry bush, when we're trying to get rid of %2$s +Cyan\ Insulated\ Wire=Cyan Insulated Wire +Altar\ Pedestal=Altar Pedestal +\nAdd\ RS\ villages\ to\ modded\ biomes\ of\ same\ categories/type.=\nAdd RS villages to modded biomes of same categories/type. +Nothing\ changed.\ Nametag\ visibility\ is\ already\ that\ value=Nothing at all has changed. Sterling silver charm of the sight, is the fact that the value of the +Hoe=Hoe +Red\ Per\ Bend\ Sinister=First Red To Do It Right +Tube\ Coral\ Wall\ Fan=The Fan In The Tube Wall Of Coral +Nether\ Quartz\ Pickaxe=Nether Quartz Pickaxe +Netherite\ Leggings=Netherite Dokolenke +Hotbar\ Slot\ 2=The Quick Access Toolbar Slot 2 +Zombie\ creatures\ on\ Fire\ drops\ Demonic\ Flesh=Zombie creatures on Fire drops Demonic Flesh +Not\ a\ valid\ number\!\ (Integer)=This is not the right number\! (Integer) +Beacon\ deactivates=The engine is turned off,the +Hotbar\ Slot\ 3=Children Playing in Panel 3 +Minimum\ data\ gain\ per\ kill=Minimum data gain per kill +Magenta\ Cross=Kryzh +Hotbar\ Slot\ 1=Hotbar Slot 1 +Hotbar\ Slot\ 6=Game 6. +Hotbar\ Slot\ 7=Games, Group 7 +Hotbar\ Slot\ 4=Toolbar For Quick Access To The Socket 4-X +Hotbar\ Slot\ 5=Lizdas Hotbar 5 +Show\ Conflicts=Show Conflicts +Hotbar\ Slot\ 8=En Hotbar Slot 8 +Hotbar\ Slot\ 9=The Games Panel 9 +Ingame\ Waypoints\ Scale=Ingame Waypoints Scale +Fluix\ Stairs=Fluix Stairs +Lighter\ Button\ Hover\:=Lighter Button Hover\: +Silver\ Nugget=Silver Nugget +Tall\ White\ Dendrobium\ Orchid=Tall White Dendrobium Orchid +Gray\ Asphalt\ Stairs=Gray Asphalt Stairs +Master\ Volume=Captain Tom's +Fir\ Coffee\ Table=Fir Coffee Table +Red\ Slime\ Block=Red Slime Block +The\ Killer\ Bunny=The Killer Bunny +Failed\ to\ download\ "%1$s"\ from\ "%2$s"\\n\ Manually\ download\ "%1$s"\ from\ "%2$s"\ to\ "%3$s"=Failed to download "%1$s" from "%2$s"\\n Manually download "%1$s" from "%2$s" to "%3$s" +Fluix\ Seed=Fluix Seed +Lime\ Terracotta\ Camo\ Door=Lime Terracotta Camo Door +Quantum\ Solar\ Panel=Quantum Solar Panel +Failed\ to\ retrieve\ character\ &\ glyph\ width\ data,\ some\ rendering\ functions\ have\ been\ disabled...=Failed to retrieve character & glyph width data, some rendering functions have been disabled... +Click\ to\ start\ your\ new\ realm\!=Click here to start the new world. +Clear\ Set=Clear Set +Clusters\ of\ ores\ obtained\ from\ $(thing)$(l\:world/asteroid_ores)asteroid\ ores$()\ or\ $(thing)$(l\:world/meteor_ores)meteor\ ores$(),\ which\ may\ be\ processed\ for\ resources.=Clusters of ores obtained from $(thing)$(l\:world/asteroid_ores)asteroid ores$() or $(thing)$(l\:world/meteor_ores)meteor ores$(), which may be processed for resources. +Selected=This protection +Industrial\ Smelter=Industrial Smelter +Infrared\ Module=Infrared Module +Warped\ Kitchen\ Counter=Warped Kitchen Counter +Red\ Concrete\ Camo\ Door=Red Concrete Camo Door +Create\ Task=Create Task +Players=Player +Blue\ Insulated\ Wire=Blue Insulated Wire +Speaker=Speaker +Blue\ Color\ Module=Blue Color Module +Fuzzy\ detection=Fuzzy detection +Awkward\ Splash\ Potion=Pevn\u00FD Splash Potion +Red\ Nether\ Brick\ Step=Red Nether Brick Step +Orange\ Per\ Fess\ Inverted=Portokal At Fess Prevrteno %s\ can\ only\ stack\ up\ to\ %s=%s you can stack up to %s -Use\ "@e"\ to\ target\ all\ entities=Use "@E" for all partitions +Copper\ Helmet=Copper Helmet +Magenta\ Dye=The Color Purple +%s\ is\ not\ bound=%s there is no connection with the +Acacia\ Cutting\ Board=Acacia Cutting Board +Power=Power +Ender\ Plant\ Seeds=Ender Plant Seeds +Crate\ of\ Beetroot\ Seeds=Crate of Beetroot Seeds +Spawn\ wandering\ traders=In order to spawn, that the wandering merchants +Grow\ nearby\ crops\ faster=Grow nearby crops faster +Modified\ Wooded\ Badlands\ Plateau=Changes In Forest Soils In The Arid Plateau +You\ can\ always\ edit\ this\ setting\ again\ via\ the\ config\ screen.=You can always edit this setting again via the config screen. +Related\ Chapters=Related Chapters +\nAdd\ the\ ID/resource\ location\ of\ the\ biome\ you\ don't\ want\ RS's\ temples\ to\ spawn\ in.\ Separate\ each\ ID\ with\ a\ comma\ ,\ Example\:\ "minecraft\:ice_spikes,awesome_mod\:awesome_biome"=\nAdd the ID/resource location of the biome you don't want RS's temples to spawn in. Separate each ID with a comma , Example\: "minecraft\:ice_spikes,awesome_mod\:awesome_biome" +The\ maximum\ y-coordinate\ at\ which\ Floored\ Caverns\ can\ generate.=The maximum y-coordinate at which Floored Caverns can generate. +Edit\ Sign\ Message=Edit The Message To Join +Blue\ Glazed\ Terracotta\ Camo\ Door=Blue Glazed Terracotta Camo Door +This\ will\ attempt\ to\ optimize\ your\ world\ by\ making\ sure\ all\ data\ is\ stored\ in\ the\ most\ recent\ game\ format.\ This\ can\ take\ a\ very\ long\ time,\ depending\ on\ your\ world.\ Once\ done,\ your\ world\ may\ play\ faster\ but\ will\ no\ longer\ be\ compatible\ with\ older\ versions\ of\ the\ game.\ Are\ you\ sure\ you\ wish\ to\ proceed?=He will seek to optimise the use of the world, which makes sure that all data is stored in the last of the games in the format. It can take a very long period of time, depending on the type of the world. If it is in your world, play in a faster and more in line with the earlier versions of the play. Are you sure you want to continue? +A\ sliced\ bread\ food\ item.\ Much\ more\ hunger-efficient\ than\ a\ normal\ bread\ loaf\ and\ can\ be\ eaten\ faster.=A sliced bread food item. Much more hunger-efficient than a normal bread loaf and can be eaten faster. +Iridium\ Alloy\ Ingot=Iridium Alloy Ingot +Advanced\ Presser=Advanced Presser +Molecular\ Assembler=Molecular Assembler +Potato\ Crate=Potato Crate +Warped\ Kitchen\ Sink=Warped Kitchen Sink +Energy\ Stored=Energy Stored +Toggles\ Developer\ Mode,\ showing\ debug\ features\ and\ enabling\ debug\ logging\\n\\nOverridden\ Status\ ->\ %1$s=Toggles Developer Mode, showing debug features and enabling debug logging\\n\\nOverridden Status -> %1$s +Warped\ Nylium=Warped Nylium +Baobab\ Door=Baobab Door +Go\ look\ for\ a\ Shipwreck\!=Go look for a Shipwreck\! +Sunflower\ Plains=Solros Plains +Starting\ minigame...=The Mini-games, and so on and so forth. +Add\ Sub-World\ Connection=Add Sub-World Connection +Crate\ of\ Pumpkin\ Seeds=Crate of Pumpkin Seeds +Create\ new=Create new +"Persistent"\ is\ based\ on\ the\ "Persistent"\ zoom\ mode.="Persistent" is based on the "Persistent" zoom mode. +Nitrodiesel=Nitrodiesel +Hud=Hud +\nHow\ rare\ are\ Dark\ Forest\ Villages\ in\ Dark\ Forest\ biomes.=\nHow rare are Dark Forest Villages in Dark Forest biomes. +Life\ setting\:\ %s=Life setting\: %s +Skip\ nights\ by\ sleeping\ on\ sofas=Skip nights by sleeping on sofas +Wither\ hurts=The pain in the back +Craft\ an\ advanced\ machine\ frame=Craft an advanced machine frame +Lapis\ Dust=Lapis Dust +Fallback\ icon\ for\ "%1$s"\ found\!\ Using\ a\ fallback\ icon\ with\ the\ name\ "%2$s"\!=Fallback icon for "%1$s" found\! Using a fallback icon with the name "%2$s"\! +Door\ breaks=The door breaks down +false=false +Use\ book\ as\:\ %s=Use book as\: %s +Potted\ Poppy=Kitchen Utensils, It Seems +\n%sRecipe\ Id\:\ %s=\n%sRecipe Id\: %s +Spider\ Spawn\ Egg=Spider Creates Eggs +Light\ Gray\ Redstone\ Lamp=Light Gray Redstone Lamp +Quartz\ Tiles=Quartz Tiles +\nReplaces\ Mineshafts\ in\ Snowy/Icy\ biomes.\ Note\:\ Snowy\ Taiga\ Biomes\ will\ get\ Ice\ Mineshaft\ instead\ of\ Taiga\ theme.\ How\ often\ Mineshafts\ will\ spawn.=\nReplaces Mineshafts in Snowy/Icy biomes. Note\: Snowy Taiga Biomes will get Ice Mineshaft instead of Taiga theme. How often Mineshafts will spawn. +Bad\ Luck=Not make for a bad chance +Charred\ Nether\ Brick\ Slab=Charred Nether Brick Slab +Purple\ Sage=Purple Sage +Plant\ a\ seed\ and\ watch\ it\ grow=To see plant a seed and it will grow +Played\ sound\ %s\ to\ %s\ players=For the reproduction of sound %s a %s player +%s\:\ OFF=%s\: OFF +\u00A77\u00A7o"For\ making\ Minecraft\ lighting\ not\ suck."\u00A7r=\u00A77\u00A7o"For making Minecraft lighting not suck."\u00A7r +and\ got\ banned=and got banned +Not\ a\ valid\ value\!\ (Green)=Is not a valid value\! (Yesil) +Panda\ sneezes=Panda sneezed +%1$s\ walked\ into\ danger\ zone\ due\ to\ %2$s=%1$s he went to the danger zone, because %2$s +Black\ Tang=Musta, L +Break\ your\ way\ into\ a\ Nether\ Fortress=Smash your way into a Fortress is a Nether +Chiseled\ Certus\ Quartz\ Slabs=Chiseled Certus Quartz Slabs +Enchanted\ Grove=Enchanted Grove +A\ foreign\ metal,\ Metite\ withstands\ immense\ pressures;\ being\ essential\ in\ all\ areas\ of\ space\ travel.$(p)Acquiring\ it\ is\ considered\ a\ major\ stepping\ stone\ in\ one's\ interstellar\ journey.=A foreign metal, Metite withstands immense pressures; being essential in all areas of space travel.$(p)Acquiring it is considered a major stepping stone in one's interstellar journey. +Cyan\ Beveled\ Glass\ Pane=Cyan Beveled Glass Pane +Spruce\ Barrel=Spruce Barrel +Mangrove\ Wall=Mangrove Wall +Yellow\ Chief\ Sinister\ Canton=Yellow Main Claim To Canton +The\ authentication\ servers\ are\ currently\ down\ for\ maintenance.=Currently, the server-authentication is enabled for maintenance. +Zombie\ Villager\ dies=Zombie selski residents no +Sakura\ Shelf=Sakura Shelf +Red\ Glowshroom\ Stem=Red Glowshroom Stem +Panda=White +Light\ Blue\ Concrete\ Camo\ Door=Light Blue Concrete Camo Door +Recipe\ Screen\ Type\ Selection=Recipe Screen Type Selection +Showing\ %s\ mods\ and\ %s\ libraries=Showing %s mods and %s library +Redwood\ Boat=Redwood Boat +Maple\ Sapling=Maple Sapling +Make\ sure\ to\ configure\ fluid\ and\ item\ input\ and\ output=Make sure to configure fluid and item input and output +Example\ Translation=Example Translation +Rocky\ Stone\ Stairs=Rocky Stone Stairs +Jungle\ Button=Button Jungle +Brown\ Per\ Pale\ Inverted=A Light Brown On Both Sides, The Second +\u00A78I\ need\ a\ texture\ \=P=\u00A78I need a texture \=P +world=light +Willow\ Wood=Willow Wood +Magenta\ ME\ Smart\ Cable=Magenta ME Smart Cable +Render\ Chestplate\ Armor=Render Chestplate Armor +Gravel\ Ghost\ Block=Gravel Ghost Block +Obsidian\ Framed\ Glass=Obsidian Framed Glass +Toast\ bread\ in\ a\ toaster.=Toast bread in a toaster. +An\ error\ has\ occurred\ executing\ this\ command=An error has occurred executing this command +Brown\ Base\ Sinister\ Canton=Brown Canton Sinister Base +Obsidian\ Dust=Obsidian Dust +Block\ of\ Coal=A piece of coal +Cika\ Button=Cika Button +A\ pretty\ plate=A pretty plate +At\ a\ specific\ interval\ this\ quest\ will\ be\ reset\ and\ available\ for\ completion\ again.\ The\ quest\ is\ only\ reset\ if\ it\ has\ already\ been\ completed.=At a specific interval this quest will be reset and available for completion again. The quest is only reset if it has already been completed. +Fuzzy\ Card=Fuzzy Card +Granite\ Speleothem=Granite Speleothem +Stripped\ Oak\ Log=Devoid Of An Oak Log +Player\ name=Player name +\u00A79Color\:\ =\u00A79Color\: +Netherite\ Sword=Netherite MAh +Witch-hazel\ Planks=Witch-hazel Planks +Green\ Fess=Green Dye +Not\ a\ Mjolnir\ but...=Not a Mjolnir but... +Univite\ Pickaxe=Univite Pickaxe +Smelting=Smelting +%1$s\ walked\ into\ fire\ whilst\ fighting\ %2$s=%1$s they went into the fire during the battle %2$s +Craft\ a\ trading\ station.=Craft a trading station. +Nothing=Nothing +Green\ Color\ Value=Green Color Value +Minimum\ Lines=Minimum Lines +Search\ Filter\ in\ Favorites\:=Search Filter in Favorites\: +Click\ and\ drag\ to\ move\ quests=Click and drag to move quests +Waypoints=Waypoints +Invalid\ ID=Id invalid +Vex\ hurts=The leash will not hurt +Donkey\ hee-haws=Donkey Hee-haws +Firework\ twinkles=Fireworks light flashing +Charge\ a\ Respawn\ Anchor\ to\ the\ maximum=Download respawn at anchors up +Red\ Oak\ Leaves=Red Oak Leaves +Galena\ Ore=Galena Ore +A\ Terrible\ Fortress=A Terrible Battle +More\ documentations\ on\ website.=More documentations on website. +Enter\ a\ Swamp\ Village=Enter a Swamp Village +Only\ matching\ creatures\ with\ the\ selected\ type,\ subtypes\ are\ not\ counted\ towards\ the\ taming\ count=Only matching creatures with the selected type, subtypes are not counted towards the taming count +Jungle\ Small\ Hedge=Jungle Small Hedge +Iridium\ Reinforced\ Tungstensteel\ Block=Iridium Reinforced Tungstensteel Block +Killed\ %s=Kill %s +White\ Globe=The Cue Ball +\nAdd\ Warped\ Outpost\ to\ modded\ Warped\ biomes=\nAdd Warped Outpost to modded Warped biomes +Get\ a\ trial\!=To obtain the court\! +Scoria\ Cobblestone\ Stairs=Scoria Cobblestone Stairs +Curse\ Color\ Overrides\ Others=Curse Color Overrides Others +Yellow\ Mushroom\ Block=Yellow Mushroom Block +Warped\ Village\ Spawnrate=Warped Village Spawnrate +Golden\ Pickaxe=Golden Shovel +Copper\ Excavator=Copper Excavator +The\ time\ to\ take\ in\ between\ refreshing\ the\ Rich\ Presence\ display\ and\ modules,\ in\ seconds=The time to take in between refreshing the Rich Presence display and modules, in seconds +Tall\ Embur\ Roots=Tall Embur Roots +Gunshot=Gunshot +Crafting\ Table\ Slab=Crafting Table Slab +Polish=Polish +Fusion\ and\ The\ Furious=Fusion and The Furious +Composter=On +Hoglin\ attacks=Hogl I attack +Refill\ when\ using\ items=Refill when using items +Stray\ Spawn\ Egg=Freedom To Incubate The Eggs +Interdimensional\ SU=Interdimensional SU +This\ item\ won't\ de-spawn.=This item won't de-spawn. +Narrator=On +\nAdd\ End\ themed\ dungeon\ to\ biomes\ outside\ the\ Enderdragon\ island.=\nAdd End themed dungeon to biomes outside the Enderdragon island. +Platinum\ Nugget=Platinum Nugget +Maximum\ level\:\ %s=Maximum level\: %s +%s\ Shelf=%s Shelf +Wooden\ Spear=Wooden Spear +Autumnal\ Valley=Autumnal Valley +Firework\ blasts=The explosion of fireworks +Selling=Selling +Squid\ swims=Experience floating +Black\ Concrete\ Camo\ Door=Black Concrete Camo Door +Skyris\ Stairs=Skyris Stairs +Splashing=Squishes +Slight\ Breeze=Slight Breeze +Fall\ Immunity\ Cost=Fall Immunity Cost +Invalid\ Time=Invalid Time +You\ have\ got\ your\ lives\ set\ to\ %s\ by\ %s=You have got your lives set to %s by %s +Safe\ Mode=In The Safe Mode +Add\ Villages\ to\ Modded\ Biomes=Add Villages to Modded Biomes +Superconductor\ Upgrade=Superconductor Upgrade +Cooked\ Crab\ Leg=Cooked Crab Leg +%s%%\ Completed=%s%% Completed +Birch\ Mineshaft=Birch Mineshaft +Red\ Rock\ Brick\ Slab=Red Rock Brick Slab +Endermite=In endermit +Golden\ Lasso=Golden Lasso +with\ %s=with %s +\u00A75\u00A7oPlaces\ infinite\ sources\ of\ light=\u00A75\u00A7oPlaces infinite sources of light +Obsidian\ Chest=Obsidian Chest +Expected\ value\ for\ property\ '%s'\ on\ block\ %s=It is expected that real estate prices",%s"the unity of the %s +Red\ Dragon\ Wing=Red Dragon Wing +Redstone\ Desalinator=Redstone Desalinator +Corner\:\ %s=Angle\: %s +Jungle\ Platform=Jungle Platform +Plasma\ Generator=Plasma Generator +Ice=Led +Repeating\ Command\ Block=Repetition Of The Block Of Commands +Vein\ Size=Vein Size +Carbon=Carbon +Diorite\ Brick\ Stairs=Diorite Brick Stairs +Start\ exploring\ for\ structures\!=Start exploring for structures\! +Splash\ Water\ Bottle=A Spray Bottle With Water +Master=Master +Flowering\ Sonoran\ Cactus=Flowering Sonoran Cactus +Snowy\ Evergreen\ Clearing=Snowy Evergreen Clearing +Player\ Radius=Player Radius +There\ are\ %s\ data\ packs\ enabled\:\ %s=It %s the data of the packet will be allowed\: %s +Incandescent\ Lamp=Incandescent Lamp +Mooshroom\ eats=Mooshroom jedan +Potatoes=Her +Fox\ sniffs=\u0531\u0572\u057E\u0565\u057D\u0568 sniffs +Cocoa=Cocoa +quest\ options=quest options +Chest\ Mutator=Chest Mutator +Defaults\ to\ regular\ lava\ if\ an\ invalid\ block\ is\ given.=Defaults to regular lava if an invalid block is given. +Dwarf\ Charcoal=Dwarf Charcoal +Warped\ Coral\ Block=Warped Coral Block +Wooden\ Pickaxe=The Forest Of The Fall +Parrot\ breathes=\u041F\u043E\u043F\u0443\u0433\u0430\u0439 breathe +Speed\ Upgrade\ Modifier=Speed Upgrade Modifier +Nether=The only +Obsidian=Obsidian +Delete\ realm=To remove the drawer +Determines\ how\ frequently\ Floored\ Caverns\ spawn.\ 0\ \=\ will\ not\ spawn\ at\ all.=Determines how frequently Floored Caverns spawn. 0 \= will not spawn at all. +When\ Applied\:=If S'escau\: +Sky's\ the\ Limit=The sky is the limit +If\ enabled,\ players\ will\ be\ able\ to\ craft\ only\ unlocked\ recipes=If this option is enabled, players can work on their own in the event that the proceeds of the +Uses\ the\ immense\ power\ of\ TNT\ to\ make\ items\ under\ pressure=Uses the immense power of TNT to make items under pressure +Meteoric\ Steel\ Plates=Meteoric Steel Plates +Join\ request\ support\ is\ disabled\ in\ your\ config.\ Please\ enable\ it\ to\ accept\ and\ send\ join\ requests\ in\ Discord\!=Join request support is disabled in your config. Please enable it to accept and send join requests in Discord\! +Players\:\ %s=Players\: %s +Mossy\ Stone\ Brick\ Slab=Moss On Stone, Brick, Tiles +Palo\ Verde\ Leaves=Palo Verde Leaves +Everyone\ keeps\ their\ lives\ separated.\ If\ you\ run\ out\ of\ lives,\ you're\ out\ of\ the\ game.\ The\ other\ players\ in\ the\ party\ can\ continue\ playing\ with\ their\ lives.=Everyone keeps their lives separated. If you run out of lives, you're out of the game. The other players in the party can continue playing with their lives. +Ruby\ Ore=Ruby Ore +Mojira\ Moderator\ Cape\ Wing=Mojira Moderator Cape Wing +Fir\ Button=Fir Button +Black\ ME\ Dense\ Covered\ Cable=Black ME Dense Covered Cable +Renew=Update +Galaxium\ Sword=Galaxium Sword +Warped\ Door=Warped Uksed, +Evoker\ Fangs=Evoker's Teeth +Rose\ Gold\ Shovel=Rose Gold Shovel +\nAdd\ Nether\ Brick\ Outposts\ to\ modded\ Nether\ biomes\ that\ other\ nether\ outposts\ don't\ fit\ in.=\nAdd Nether Brick Outposts to modded Nether biomes that other nether outposts don't fit in. +Netherrack\ Camo\ Door=Netherrack Camo Door +Pulverizer\ MK3=Pulverizer MK3 +Glowing\ Obsidian\ (Legacy)=Glowing Obsidian (Legacy) +Pulverizer\ MK2=Pulverizer MK2 +Titanium\ Wall=Titanium Wall +White\ Per\ Bend=Bijela Nantes +Pulverizer\ MK1=Pulverizer MK1 +Elite\ Buffer=Elite Buffer +Pulverizer\ MK4=Pulverizer MK4 +Purple\ Per\ Pale=The Red Light +Biotite\ Ore=Biotite Ore +Fletcher=Fletcher +/vdcreloadclient=/vdcreloadclient +Purple\ Sand=Purple Sand +Villager\ trades=The farmer in the contract +Mooshroom\ Spawn\ Egg=Mooshroom ?????????? Caviale +Thorns\ prick=Kokot is climbing +Orange=Orange +Scale\:=Scale\: +Ender\ Hammer=Ender Hammer +Voice/Speech=Voice/Language +Oak\ Stairs=Soap Ladder +Ignored=Ignored +Good\ luck=Good luck +Tin\ Hoe=Tin Hoe +Controls\ how\ much\ the\ field\ of\ view\ can\ change\ with\ speed\ effects.=Controls how much the field of view can change with speed effects. +In-game\ Waypoints=In-game Waypoints +Silver\ Crook=Silver Crook +%s\ will\ no\ longer\ respawn\ on\ death=%s will no longer respawn on death +Successfully\ defend\ a\ village\ from\ a\ raid=To successfully protect the village from the RAID +Stone\ Ladder=Stone Ladder +Phosphorous\ Dust=Phosphorous Dust +Dev.ItemGen=Dev.ItemGen +You\ lack\ permission\ to\ access\ this.=You lack permission to access this. +Sneaky\ Details=Sneaky Details +Grants\ Strength\ Effect=Grants Strength Effect +Times\ Slept\ in\ a\ Bed=While I Was Lying In Bed, +Tooltip\ display\ behavior\nToggle\:\ Display\ keybind\ will\ toggle\ it\ on\ and\ off\nMaintained\:\ Display\ keybind\ must\ be\ held=Tooltip display behavior\nToggle\: Display keybind will toggle it on and off\nMaintained\: Display keybind must be held +Red\ Mushroom=Red Mushroom +Unlimited=Unlimited +Mossy\ Stone\ Wall=Mossy Stone Wall +Quartz\ Tiny\ Dust=Quartz Tiny Dust +Note\ Blocks\ Tuned=Custom Blocks +Back\ to\ Game=To get back in the game +\=\=\=\=\=\=\=\=\=\=\=\=\=\=\=\=\=\=\=\=\=\=\=\=\=\=\=\=\=\=\=\=\=\=\=\=\=\==\=\=\=\=\=\=\=\=\=\=\=\=\=\=\=\=\=\=\=\=\=\=\=\=\=\=\=\=\=\=\=\=\=\=\=\=\=\= +This\ is\ an\ example\ of\ a\ config\ GUI\ generated\ with\ Auto\ Config\ API=A sample configuration is made of graphics it auto-Config-API +Crimson\ Chair=Crimson Chair +Disp.\ Other\ Teams=Disp. Other Teams +Forge=On the dark side +m/s=m/s +Tent\ Pole=Tent Pole +Charger\ %s=Charger %s +3x\ Compressed\ Sand=3x Compressed Sand +Switch\ realm\ to\ minigame=Switch kingdom in game +Enable\ Surface\ Caves=Enable Surface Caves +Open\ Chat=Open Discussion +Holly\ Wood=Holly Wood +Dark\ Red=Dark Red +Right\ Click\ for\ more=Zasto not +Space\ Suit=Space Suit +With\ $(item)Patchouli$(),\ you\ can\ make\ easy\ to\ read,\ advancement\ unlockable\ $(thing)books$()\ for\ mods\ and\ modpacks\!=With $(item)Patchouli$(), you can make easy to read, advancement unlockable $(thing)books$() for mods and modpacks\! +Gray\ Bed=Siwa Kravet +Encoded=Encoded +White\ ME\ Dense\ Covered\ Cable=White ME Dense Covered Cable +Feather\ Falling\ will\ prevent\ farm\ land\ breaking\ depending\ on\ the\ enchant\ level=Feather Falling will prevent farm land breaking depending on the enchant level +%1$s\ experienced\ kinetic\ energy=%1$s the experience is the kinetic energy of the +Tame\ a\ total\ of\ %s=Tame a total of %s +Panda\ dies=Panda die +Snowy\ Beach=Snow On The Beach +Byg\ Logo=Byg Logo +Shield\ blocks=The shield blocks +Crimson\ Stem=Raspberry Ketone \u0394\u03AD\u03BD\u03C4\u03C1\u03BF +Inscriber\ Silicon\ Press=Inscriber Silicon Press +Block\ of\ Meteoric\ Steel=Block of Meteoric Steel +Lingering\ Potion\ of\ Luck=Time to cook it, good luck +Orange\ Bordure=L'Orange De La Fronti\u00E8re +Green\ Pale\ Dexter=Green Pale Dexter +Not\ repeatable=Not repeatable +Crimson\ Step=Crimson Step +Display\ Arrows\ Left=Display Arrows Left +Main\ Noise\ Scale\ X=Main Noise Scale X +Main\ Noise\ Scale\ Y=The Main Noise Scale Y +Main\ Noise\ Scale\ Z=The Main Noise Is Of The Scale Of The +Search\ Filter\ Mode=Search Filter Mode +Target\ Name\:=Target Name\: +Light\ Blue=Light blue +Weed\ Grass=Weed Grass +Active=Active +Polished\ Blackstone\ Ghost\ Block=Polished Blackstone Ghost Block +Arrow\ of\ Splashing=Arrow On The Inside. +Damage\ Resisted=In Order To Prevent Damage To The +How\ much\ to\ scale\ the\ GUI\ by.=How much to scale the GUI by. +Illusioner\ murmurs=Illusioner tales +You've\ died\ %s\ [[time||times]].=You've died %s [[time||times]]. +Default\ Teleport\ Command=Default Teleport Command +White\ Creeper\ Charge=The Duty Of The White Man To The Creeper. +Zombie\ dies=Zombies die +Recharges\ any\ items\ in\ your\ inventory\ (does\ not\ include\ armor).=Recharges any items in your inventory (does not include armor). +Split\ Damage\ at\ 25%=Split Damage at 25 +Vanilla\ Cave\:\ Bricks=Vanilla Cave\: Bricks +Willow\ Kitchen\ Sink=Willow Kitchen Sink +Clover\ Patch=Clover Patch +Spruce\ Pressure\ Plate=Fir Pressure +Display\ the\ status\ of\ computers.=Display the status of computers. +An\ Object=Object +Incomplete=Incomplete +Netherite\ Gear=Netherite Gear +Bound\ position=Bound position +Redstone\ Chain=Redstone Chain +%1$s\ was\ killed\ by\ %2$s\ using\ %3$s=%1$s he was killed %2$s the use of %3$s +Black\ Glazed\ Terracotta\ Pillar=Black Glazed Terracotta Pillar +Not\ a\ valid\ number\!\ (Long)=Not the exact number. (Long) +Stripped\ Palm\ Wood=Stripped Palm Wood +Oak\ Kitchen\ Counter=Oak Kitchen Counter +Green\ Base\ Sinister\ Canton=The Green Base Is In Guangzhou, The Claim +Storing\ Power=Storing Power +Chance\ that\ a\ uncommon\ crate\ will\ spawn=Chance that a uncommon crate will spawn +Donkey=Ass +Potion\ of\ Strength=Potion of strength +Lunum\ Mining\ Tool=Lunum Mining Tool +Bee\ Spawn\ Egg=Eggs, Eggs, Bee +Vibranium\ Crook=Vibranium Crook +Jungle\ Village\ Spawnrate=Jungle Village Spawnrate +Quartz\ Platform=Quartz Platform +\u00A72\u2714=\u00A72\u2714 +Elite\ Alloy\ Smelter=Elite Alloy Smelter +%s\ button=%s button +Get\ a\ Lazuli\ Flux\ Container\ MK2=Get a Lazuli Flux Container MK2 +The\ HUD\ position\ of\ a\ pinned\ note.\ Possible\ positions\:\ top_left,\ top_right,\ center_left,\ center_right,\ bottom_left,\ bottom_right=The HUD position of a pinned note. Possible positions\: top_left, top_right, center_left, center_right, bottom_left, bottom_right +Get\ a\ Lazuli\ Flux\ Container\ MK3=Get a Lazuli Flux Container MK3 +Get\ a\ Lazuli\ Flux\ Container\ MK4=Get a Lazuli Flux Container MK4 +Safety\ Vest=Safety Vest +Gray\ Shield=Defend-Grey +Meteoric\ Steel\ Boots=Meteoric Steel Boots +Small\ Jungle\ Logs=Small Jungle Logs +Use\ "@r"\ to\ target\ random\ player=Use "@p" to target random player +Lingering\ Potion\ of\ Night\ Vision=To Continue The Potion, A Night-Time Visibility +Get\ a\ Lazuli\ Flux\ Container\ MK1=Get a Lazuli Flux Container MK1 +Reloaded\ config=Reloaded config +Small=Small +Ore\ Processing=Ore Processing +Fire\ Charge=The Cost Of The Fire +Click\ on\ a\ quest\ to\ change\ its\ size,\ this\ is\ purely\ visual\ and\ has\ no\ impact\ on\ how\ the\ quest\ works.=Click on a quest to change its size, this is purely visual and has no impact on how the quest works. +Crimson\ Forest=The Color Of The Mahogany +Brain\ Coral=Brain Coral +Spruce\ Log=Pine-Tree-Of-Log +\nHow\ rare\ are\ Grassy\ Igloos\ in\ Plains\ and\ Forests.\ 1\ for\ spawning\ in\ most\ chunks\ and\ 1001\ for\ none.=\nHow rare are Grassy Igloos in Plains and Forests. 1 for spawning in most chunks and 1001 for none. +Al\ Pastor\ Taco=Al Pastor Taco +Shift-Click\ for\ Recipe=Shift-Click for Recipe +Dark\ Oak\ Cross\ Timber\ Frame=Dark Oak Cross Timber Frame +Fox\ Spawn\ Egg=Fox Spawn Egg +This\ option\ should\ only\ be\ used\ to\ fix\ incorrect\ waypoint\ coordinates.=This option should only be used to fix incorrect waypoint coordinates. +Moon\ Stone\ Stairs=Moon Stone Stairs +End\ Barrens=And Finally, In The Pine Forest +Keypad\ Module=Keypad Module +Splash\ Potion\ of\ Poison=A Splash Poison Potion +Zombie\ hurts=Zombie bad +Crag\ Gardens=Crag Gardens +Rotten\ Pristine\ Matter=Rotten Pristine Matter +Netherite\ Helmet=Netherite Ruha +Bricks\ Ghost\ Block=Bricks Ghost Block +Uncooked\ Marshmallow\ on\ a\ Stick=Uncooked Marshmallow on a Stick +Rough\ Red\ Sandstone\ Stairs=Rough Red Sandstone Stairs +caves\ and\ caverns\ your\ current\ config\ options\ will\ create.=caves and caverns your current config options will create. +Polished\ Blackstone\ Wall=Polirani Zid Blackstone +Condensing=Condensing +/hqm\ quest=/hqm quest +\u00A74\u2718=\u00A74\u2718 +Strafe\ Left=Enable, To The Left +Polished\ Blackstone\ Bricks\ Camo\ Door=Polished Blackstone Bricks Camo Door +Prismarine=Prismarine +Toast\ Alert=Toast Alert +Lime\ Bordure=Lime Grensen +Nitwit=Berk +Cow\ moos=The cow goes moo +Error\ loading\ server\ minimap\ properties.\ Please\ retry.=Error loading server minimap properties. Please retry. +Sterling\ Silver\ Gear=Sterling Silver Gear +Configure\ Fluids=Configure Fluids +Authors\:\ %s=Authors\: %s +Metite\ Ingot=Metite Ingot +Keybind=Keybind +Settings\ used\ in\ the\ generation\ of\ type\ 2\ caves,\ which\ are\ more\ open\ and\ spacious.=Settings used in the generation of type 2 caves, which are more open and spacious. +Primitive\ Rocket\ Hull=Primitive Rocket Hull +Kelp=Polishing +Ravager\ grunts=Ravager Grunts +Message\ to\ use\ for\ the\ &players&\ placeholder\ in\ server\ settings\\n\ Available\ placeholders\:\\n\ -\ ¤t&\ \=\ Current\ player\ count\\n\ -\ &max&\ \=\ Maximum\ player\ count=Message to use for the &players& placeholder in server settings\\n Available placeholders\:\\n - ¤t& \= Current player count\\n - &max& \= Maximum player count +Sweet\ Berries=Slatka Of Bobince +Play\ Sound\ Alert\ Low\ Level=Play Sound Alert Low Level +Failed\ to\ access\ world=Failed to get the world +Tables\ are\ a\ great\ decoration\ for\ your\ kitchens\ and\ dining\ rooms\!=Tables are a great decoration for your kitchens and dining rooms\! +%s\ was\ electrocuted=%s was electrocuted +Bring\ a\ beacon\ to\ full\ power=In order to get a signal, complete in place +Enabled=Skills +Turn\ blocks\ and\ items\ into\ their\ cell\ counterpart=Turn blocks and items into their cell counterpart +Iron\ Mattock=Iron Mattock +Toughness=Toughness +Copper\ Boots=Copper Boots +Get\ a\ Modular\ Workbench=Get a Modular Workbench +Primitive\ Presser=Primitive Presser +Cooked\ Porkchop=Virti Kiauliena Chop +Next\ reset\:\ %s=Next reset\: %s +Replace\ naturally\ generated\ floating\ gravel\ on\ the\ ocean\ floor\ with\ andesite.=Replace naturally generated floating gravel on the ocean floor with andesite. +Entropy\ Manipulator=Entropy Manipulator +White\ Shulker\ Box=Box Vit Shulker +Bamboo\ Pressure\ Plate=Bamboo Pressure Plate +Upgrading\ all\ chunks...=An update of all the... +Command\ not\ found=Command not found +Jungle\ Table=Jungle Table +Light\ Gray\ Stained\ Glass=Light Grey Tinted Glass +Steel\ Hammer=Steel Hammer +Ring\ of\ Growth=Ring of Growth +Praying\ in\ the\ Wastelands=Praying in the Wastelands +Find\ the\ rare\ Curse\ of\ Gigantism\ book,\ which\ can\ be\ used\ to\ power\ up\ a\ hammer\ at\ the\ cost\ of\ speed.=Find the rare Curse of Gigantism book, which can be used to power up a hammer at the cost of speed. +In\ the\ Main\ Menu=In the Main Menu +Pink\ Bed=Rosa Bed +Solid\ Air=Solid Air +Trial\ Key=Trial Key +\nHow\ rare\ are\ Jungle\ Villages\ in\ Jungle\ biomes.=\nHow rare are Jungle Villages in Jungle biomes. +Farmer's\ Hat=Farmer's Hat +Allow\ CraftPresence\ to\ render\ hover\ tooltips\ (when\ available)=Allow CraftPresence to render hover tooltips (when available) +Parrot\ groans=Parrot moans +Tall\ Pink\ Lathyrus=Tall Pink Lathyrus +Red\ Bordure=The Red Edge Of The +Bubble\ Coral\ Block=Bubble Coral Blocks +Light\ Blue\ ME\ Dense\ Smart\ Cable=Light Blue ME Dense Smart Cable +Light\ Gray\ Snout=Light Gray Face +Primitive\ Triturator=Primitive Triturator +We\ couldn't\ retrieve\ the\ list\ of\ content\ for\ this\ category.\nPlease\ check\ your\ internet\ connection,\ or\ try\ again\ later.=We were able to bring in a list of objects in this category.\nPlease Check your internet connection or try again later. +Rot\ Resistance=Rot Resistance +(External\ Link)=(External Link) +Entity\ Loot\ Drop=Entity Loot Drop +Zigzagged\ Teal\ Nether\ Bricks=Zigzagged Teal Nether Bricks +Lead\ Excavator=Lead Excavator +Acacia\ Planks=Acacia Lentos +Cherry\ Button=Cherry Button +Green\ Cross=La creu +Mangrove\ door=Mangrove door +Silver\ Wall=Silver Wall +Brick\ Wall=The Confidence That Wall +Soul\ Vision\ Cost=Soul Vision Cost +Fermion\ Modifier\ Keys\ Config=Fermion Modifier Keys Config +Warfare=Warfare +Rocket=Rocket +Ring\ of\ Knockback\ Resistance=Ring of Knockback Resistance +Ebony\ Leaves=Ebony Leaves +Soot\ Plate=Soot Plate +Skeleton=Continue +Lithium\ Battery=Lithium Battery +Cursed\ Lasso=Cursed Lasso +Light\ Blue\ Bed=The Blue Light On The Bottom +Config\ Demo=Configuration Demo +\u00A77\u00A7o"Or\ maybe\ a\ wing\ made\ by\ you?"\u00A7r=\u00A77\u00A7o"Or maybe a wing made by you?"\u00A7r +Small\ Pile\ of\ Tin\ Dust=Small Pile of Tin Dust +Astromine\ Config=Astromine Config +Xp\ Shower=Xp Shower +Anti-Aliasing=Anti-Aliasing +The\ maximum\ height\ of\ a\ pinned\ note\ relative\ to\ the\ screen's\ height.=The maximum height of a pinned note relative to the screen's height. +Vent=Vent +Liquid\ Cavern\ Minimum\ Altitude=Liquid Cavern Minimum Altitude +Configure\ Redstone=Configure Redstone +Shift\ +\ Right-Click\ afterwards\ to\ select\ as\ child;=Shift + Right-Click afterwards to select as child; +Light\ Blue\ Wool=The Llum Blava Of Flat +Bamboo\ Fence=Bamboo Fence +5x\ Compressed\ Netherrack=5x Compressed Netherrack +Health\:\ ¤t&/&max&=Health\: ¤t&/&max& +Rose\ Gold\ Mining\ Tool=Rose Gold Mining Tool +Acacia\ Fence\ Gate=Acacia Fence Portata +Water\ Region\ Size=Water Region Size +Fir\ Wall=Fir Wall +Texture\ Path\:=Texture Path\: +Incompatible\ module=Incompatible module +/hqm\ save\ all=/hqm save all +Purple\ Asphalt\ Slab=Purple Asphalt Slab +Red\ Pyramid\ in\ the\ Hot\ Sun=Red Pyramid in the Hot Sun +Zombie\ groans=Zombies gemir +Stripped\ Cherry\ Oak\ Log=Stripped Cherry Oak Log +Cyan\ Concrete\ Ghost\ Block=Cyan Concrete Ghost Block +Invalid\ double\ '%s'=Illegal double"%s' +Gray\ Terracotta=Slate Grey, Terracotta +Small\ Pile\ of\ Pyrite\ Dust=Small Pile of Pyrite Dust +Current\ entity=V actually +Cat\ Ears=Cat Ears +Ravager\ bites=Reaver \u057E\u0580\u0561 +Use\ as\ Whitelist=Use as Whitelist +Blacklisted\ Blocks=Blacklisted Blocks +Shift\ +\ Right\ Click\ to\ change\ mode=Shift + Right Click to change mode +Ding\!=Ding\! +Prismarine\ Circle\ Pavement=Prismarine Circle Pavement +\nAdd\ RS\ dungeons\ to\ modded\ biomes\ of\ same\ categories/type.=\nAdd RS dungeons to modded biomes of same categories/type. +Endorium\ Plate=Endorium Plate +Copper\ Chunk=Copper Chunk +Cherry\ Wood=Cherry Wood +Bats\ (Bat\ Wing)=Bats (Bat Wing) +Changed\ the\ display\ name\ of\ %s\ to\ %s=Change the display name %s in order to %s +Error\ on\ previous\ page\:=Error on previous page\: +Dolphin\ whistles=Dolphin +Customize\ Server\ Messages=Customize Server Messages +This\ list\ is\ empty\ and\ cannot\ be\ displayed\!\\n\\n\ Please\ try\ again...=This list is empty and cannot be displayed\!\\n\\n Please try again... +By\ Raw\ Id=By Raw Id +Trapped\ Chests\ Triggered=Stumbled Upon A Treasure Chest, That Hole Will Open +Pink\ Beveled\ Glass\ Pane=Pink Beveled Glass Pane +Reacts\ two\ chemicals\ together\ to\ form\ a\ product=Reacts two chemicals together to form a product +Cika\ Stairs=Cika Stairs +Fool's\ Gold\ Apple=Fool's Gold Apple +Invalid\ register=Invalid register +Bricks\ Glass=Bricks Glass +Dark\ Amaranth\ Forest=Dark Amaranth Forest +Yellow\ Patterned\ Wool=Yellow Patterned Wool +%1$s\ was\ squashed\ by\ a\ falling\ block=%1$s it was crushed by the falling blocks +Magma\ Bricks=Magma Bricks +Podzol=Podzol +Black\ Inverted\ Chevron=Negre Chevron Inversa +Stripped\ Mangrove\ Wood=Stripped Mangrove Wood +Nothing\ changed.\ That\ trigger\ is\ already\ enabled=Nothing has changed. As the trigger is associated with +%s\ on\ a\ chest\ to\ rotate\ it.=%s on a chest to rotate it. +Grants\ Immunity\ to\ Wither\ Effect=Grants Immunity to Wither Effect +Stonecutter\ (Legacy)=Stonecutter (Legacy) +No\ computers\ matching\ '%s'=No computers matching '%s' +parent\ count=parent count +World\ Spawn=World Spawn +Tungstensteel\ Plate=Tungstensteel Plate +Blaze=Thanks +Lime\ Beveled\ Glass\ Pane=Lime Beveled Glass Pane +Bastion\ Remnant\ Map=Bastion Remnant Map +Cyan\ Per\ Fess\ Inverted=The \u0424\u0435\u0441\u0441\u0430 Blue, Should Be The Opposite +Showing\ blastable=The screen blastable +Black\ Base\ Dexter\ Canton=Black Base Dexter Canton +This\ item\ has\ been\ moved.=This item has been moved. +Sleep\ in\ a\ bed\ to\ change\ your\ respawn\ point=He was lying down on the bed that can change your spawn point +Water\ World=Water world +Fluid\ Mixing=Fluid Mixing +Compile\ error\ @%s\:%s-%s\:\ =Compile error @%s\:%s-%s\: +The\ world\ is\ full\ of\ friends\ and\ food=The world is full of friends and food +Coal=Anglies +west=west +Red\ Chief=The Red Head +\u00A76\u00A7lJoin\ request\ accepted\!\ %1$s\ has\ been\ sent\ an\ invite\!=\u00A76\u00A7lJoin request accepted\! %1$s has been sent an invite\! +TIS-3D=TIS-3D +Middle-click\ to\ the\ correct\ tool\ while\ holding\ the\ same\ block=Middle-click to the correct tool while holding the same block +Sterling\ Silver\ Tiny\ Dust=Sterling Silver Tiny Dust +Chorus\ Flower\ grows=Blind. The flower grows +Enter\ a\ Nether\ Basalt\ Temple=Enter a Nether Basalt Temple +Cherry\ Oak\ Pressure\ Plate=Cherry Oak Pressure Plate +%s\ Step=%s Step +Glowstone=Glowstone +CraftPresence\ -\ Character\ Editor=CraftPresence - Character Editor +Water\ Regions=Water Regions +Needs\ Redstone=Needs Redstone +Invert\ Mouse=Do +Black\ Shulker\ Box=The Black Box Shulker +Potted\ Wither\ Rose=A Wilted Potted Plants Rose +Birch\ Crate=Birch Crate +Don't\ mess\ with\ these\ settings\ for\ normal\ gameplay.=Don't mess with these settings for normal gameplay. +Magenta\ Slime\ Block=Magenta Slime Block +Dragon\ shoots=Dragon shot +Pine\ Lowlands=Pine Lowlands +Blackstone\ Glass=Blackstone Glass +Tech\ Reborn\ Computer\ Cube=Tech Reborn Computer Cube +MK4\ Circuit=MK4 Circuit +Polling...=Polling... +Unable\ to\ switch\ gamemode;\ no\ permission=Unable to switch gamemode; no permission +Conduit\ pulses=Pulse +Raw\ Chicken=Prior To The Launch +Speedometer=Speedometer +Rancher=Rancher +Sakura\ Kitchen\ Counter=Sakura Kitchen Counter +Ores=Ores +Ignore\ Server\ Heightmaps=Ignore Server Heightmaps +Ore\ Generation=Ore Generation +Upgrades\ MK2\ machines\ to\ MK3=Upgrades MK2 machines to MK3 +Orange\ Stained\ Glass=Glass Of Orange +Follow\ an\ Eye\ of\ Ender=Makes The Eye Of Ends +Bauxite\ Dust=Bauxite Dust +Block\ of\ Redstone=Un Bloc De Redstone +Magenta\ Terracotta=Purple Terracotta +Birch\ Post=Birch Post +Ring\ of\ Sponge=Ring of Sponge +Bulgarian=Bulgarian +Computer\ ID\:\ %s=Computer ID\: %s +Creeper\ Wall\ Head=The Creeper Against A Wall In My Head +Witch-hazel\ Wood=Witch-hazel Wood +Open\ Pack\ Folder=Open The Folder Of The Package +Enter\ a\ Nether\ Stronghold=Enter a Nether Stronghold +Obtain\ a\ Bronze\ Ingot=Obtain a Bronze Ingot +Will\ be\ saved\ in\:=It will be stored in the +Broken\ Core\ of\ Flight=Broken Core of Flight +Set\ spawn\ point\ to\ %s,\ %s,\ %s\ [%s]\ in\ %s\ for\ %s\ players=Set spawn point to %s, %s, %s [%s] in %s for %s players +Download\ done=Download +%s\ force\ loaded\ chunks\ were\ found\ in\ %s\ at\:\ %s=%s loaded with the copper pieces are %s in\: %s +Smooth\ Red\ Sandstone\ Stairs=The Soft Red Sandstone Of The Stairs +Pink\ Shingles\ Slab=Pink Shingles Slab +Toggle\ Multiblock\ Hologram=Toggle Multiblock Hologram +Stopping\ the\ server=To stop the server +%1$s\ was\ squished\ too\ much=%1$s Just also wiped out the earth +Total\ chunks\:\ %s=In total, units\: %s +Sythian\ Sapling=Sythian Sapling +Include\ entities\:=Topics include the following\: +Adjustable\ SU=Adjustable SU +Mojang\ implements\ certain\ procedures\ to\ help\ protect\ children\ and\ their\ privacy\ including\ complying\ with\ the\ Children\u2019s\ Online\ Privacy\ Protection\ Act\ (COPPA)\ and\ General\ Data\ Protection\ Regulation\ (GDPR).\n\nYou\ may\ need\ to\ obtain\ parental\ consent\ before\ accessing\ your\ Realms\ account.\n\nIf\ you\ have\ an\ older\ Minecraft\ account\ (you\ log\ in\ with\ your\ username),\ you\ need\ to\ migrate\ the\ account\ to\ a\ Mojang\ account\ in\ order\ to\ access\ Realms.=Mojang was required to apply certain procedures that will help kids in defence, and in his personal life, including, in accordance with their children about online privacy protection act children online (COPPA), as well as the General law On personal data protection (General data).\n\nMaybe you should obtain parental consent before you approach the matter. \n\nIf you have an old Minecraft account (user access), then you have to move at its own expense and for its own account in Mojang, to enter the Kingdom.... +%s\ consumed=%s consumed +Strongholds=Strong +Lingering\ Potion\ of\ Regeneration=Long-Term Drinking For Recovery +Blackened\ Marshmallow=Blackened Marshmallow +Enchants\ Color=Enchants Color +Active\ without\ signal=Active without signal +%s\ .\ .\ .\ ?=%s . . . ? +Blue\ Topped\ Tent\ Pole=Blue Topped Tent Pole +Dark\ Oak\ Button=Dark Oak, Keys +Crimson\ Warty\ Blackstone\ Bricks=Crimson Warty Blackstone Bricks +Point\ to\ Point\ Networking=Point to Point Networking +Cyan\ Paly=The Son Bled Slovenia +%sx\ %s=%sx %s +Accelerator\ is\ an\ understatement=Accelerator is an understatement +Snowdrops=Snowdrops +Loaded\ device\ configuration\ from\ memory\ card.=Loaded device configuration from memory card. +Sneak=Sneak +The\ End\ is\ just\ the\ beginning=The End is just the beginning +Jungle\ Post=Jungle Post +Bunny\ Ears=Bunny Ears +A\ very\ common\ metal\ with\ high\ thermal\ and\ electrical\ conductivity\ and\ a\ distinct\ orange\ hue.=A very common metal with high thermal and electrical conductivity and a distinct orange hue. +Cyan\ Pale=Light Blue +Gulping=The drinking of large quantities of +\u00A77\u00A7o"Flight\ is\ just\ a\ illusion\ of\ mind."\u00A7r=\u00A77\u00A7o"Flight is just a illusion of mind."\u00A7r +It\ does\ not\ look\ like\ a\ workbench=It does not look like a workbench +Fool's\ Gold\ Pickaxe=Fool's Gold Pickaxe +Smooth\ Red\ Sandstone\ Post=Smooth Red Sandstone Post +Fir\ Bookshelf=Fir Bookshelf +Catch\ a\ fish=In order to catch the fish +Large\ Biomes=Suuri Biomes +Blue\ Stained\ Glass=The Blue Of The Stained Glass +Maximum\ Row\ Size=Maximum Row Size +By\ default,\ 6\ hearts\ (12.0)=By default, 6 hearts (12.0) +Cyan\ Chevron=Blue Chevron +Leather=The skin +Certus\ Quartz\ Ore=Certus Quartz Ore +Digital\ Display=Digital Display +Settings\ used\ in\ the\ generation\ of\ Liquid\ Caverns\ found\ at\ low\ altitudes.=Settings used in the generation of Liquid Caverns found at low altitudes. +Overgrown\ Shafts=Overgrown Shafts +Chiseled\ Soul\ Sandstone=Chiseled Soul Sandstone +Cyan\ Bed=Zila Gulta +This\ pack\ was\ made\ for\ a\ newer\ version\ of\ Minecraft\ and\ may\ no\ longer\ work\ correctly.=This set is in the new version of Minecraft and is no longer able to function properly. +\u00A77\u00A7o"Do\ you\ speak\ LOLCAT?"\u00A7r=\u00A77\u00A7o"Do you speak LOLCAT?"\u00A7r +Mark\ a\ quest\ as\ the\ selected\ quest.\ When\ a\ quest\ is\ selected\ you\ can\ bind\ it\ to\ a\ Quest\ Tracker\ System\ or\ a\ Quest\ Gate\ System\ by\ right\ clicking\ it\ with\ a\ book.\ You\ can\ also\ bind\ it\ to\ a\ Quest\ Completed\ task\ by\ using\ the\ Name\ or\ Change\ Item\ tool\ on\ the\ task.=Mark a quest as the selected quest. When a quest is selected you can bind it to a Quest Tracker System or a Quest Gate System by right clicking it with a book. You can also bind it to a Quest Completed task by using the Name or Change Item tool on the task. +Chocolate=Chocolate +Show\ elapsed\ time\ in\ Rich\ Presence?=Show elapsed time in Rich Presence? +Normal=Usually +Decaying\ Glory=Decaying Glory +Back\ to\ server\ list=Back to serverot for sheet +Yellow\ Chief\ Dexter\ Canton=Gul, Kapital-Distriktet, Dexter +Magenta\ Chief\ Sinister\ Canton=Magenta, Headed By The Evil Canton +Junction\ type\:=Junction type\: +Unknown\ data\ pack\ '%s'=The unknown data of the pack"%s' +Squid\ Spawn\ Egg=Squid Spawn Egg +Yellow\ Bed=Yellow Bed +Why\ did\ you\ eat\ a\ rotten\ heart?=Why did you eat a rotten heart? +Reset\ to\ Preset=Reset to Preset +High\ tier\ energy\ storage\nSynchronised\ wireless\ energy\ transfer=High tier energy storage\nSynchronised wireless energy transfer +Budget\ Diamonds=Budget Diamonds +Sprint\ by\ holding\ one\ single\ key\ bind\ (configurable).=Sprint by holding one single key bind (configurable). +Blaze\ Rod=Blaze Rod +Refill\ foods=Refill foods +Subspace\ Bubble=Subspace \u0553\u0578\u0582\u0579\u056B\u056F\u0568 +Store\ Items=Store Items +Mineshafts=The tree +Green\ ME\ Dense\ Covered\ Cable=Green ME Dense Covered Cable +Cyan\ Topped\ Tent\ Pole=Cyan Topped Tent Pole +RSWires=RSWires +Asteroid\ Galaxium\ Cluster=Asteroid Galaxium Cluster +Sterling\ Silver\ Boots=Sterling Silver Boots +Colored\ Tiles\ (Light\ Blue\ &\ White)=Colored Tiles (Light Blue & White) +Blacklist\:\ =Blacklist\: +Llama\ Spawn\ Egg=Lamu ?????????? Mari +Diamond\ Pickaxe=Peak Of Diamond +Purple\ Base\ Dexter\ Canton=Purple Base Dexter Canton +Cobblestone\ Step=Cobblestone Step +Pump=Pump +HYPERSPEED\!\!\!=Super FAST\!\!\!\! +Remove\ lives\ from\ a\ player,\ defaults\:\ user,\ 1=Remove lives from a player, defaults\: user, 1 +Stars\ Block=Stars Block +Dottyback=Dottyback +Blue\ Taiga\ Hills=Blue Taiga Hills +Ring\ of\ Night\ Vision=Ring of Night Vision +The\ username\ does\ not\ match\ a\ player\ on\ this\ server.\ The\ players\ you\ invite\ must\ have\ logged\ on\ at\ least\ once\ before.=The username does not match a player on this server. The players you invite must have logged on at least once before. +Hostile\ Mobs=Hostile Mobs +Birch\ Kitchen\ Cupboard=Birch Kitchen Cupboard +Cobblestone\ Camo\ Door=Cobblestone Camo Door +Acacia\ Step=Acacia Step +Copy\ Mode=Copy Mode +%1$s/%1$s=%1$s/%1$s +Top-Left=Top-Left +Advancement\ Made\!=Progression\! +Team\ %s\ can\ now\ see\ invisible\ teammates=Team %s now you can see invisible team +Redwood\ Stairs=Redwood Stairs +Small\ Oak\ Logs=Small Oak Logs +Copied\ Recipe\ Identifier=Copied Recipe Identifier +Disconnect=Demo dag +Acacia\ Planks\ Ghost\ Block=Acacia Planks Ghost Block +Pull\ xp\ orbs\ toward\ the\ player=Pull xp orbs toward the player +Baobab\ Wall=Baobab Wall +Blank=Blank +Tall\ Dark\ Amaranth\ Forest=Tall Dark Amaranth Forest +White\ Concrete\ Ghost\ Block=White Concrete Ghost Block +[%s]\ %s=[%s] %s +Jacaranda\ Fence=Jacaranda Fence +Orange\ Bordure\ Indented=Orange Bordure Indented +Polar\ Bear\ groans=The polar bear is +WP\ Dist.\ Horis.\ Angle=WP Dist. Horis. Angle +Constant\ Velocity\ (Positive,\ Greater\ than\ Zero)=Constant Velocity (Positive, Greater than Zero) +Obtaining\ Univite=Obtaining Univite +\u00A7cThe\ entity\ cannot\ be\ released\ in\ this\ location\!=\u00A7cThe entity cannot be released in this location\! +A\ furnace\ but\ electric\ and\ upgradeable=A furnace but electric and upgradeable +This\ minigame\ is\ no\ longer\ supported=This is a game that is no longer supported +Failed\ to\ load\ or\ save\ configuration=Failed to load or save configuration +Chat\ Delay\:\ %s\ seconds=Chat Delay\: %s seconds +\u00A7lBackground\ Mode\ Settings=\u00A7lBackground Mode Settings +That\ position\ is\ out\ of\ this\ world\!=This place is out of this world\!\!\!\!\! +Maple\ Bookshelf=Maple Bookshelf +Fortune=Good luck to you +Aligned=Rediger +Jump\ Boost\ Module=Jump Boost Module +Light\ Blue\ Beveled\ Glass=Light Blue Beveled Glass +Ruby\ Sword=Ruby Sword +Craft\ an\ extractor=Craft an extractor +Fool's\ Gold\ Axe=Fool's Gold Axe +Purpur\ Block\ Camo\ Trapdoor=Purpur Block Camo Trapdoor +Purple\ Sandstone=Purple Sandstone +Add\ Grassy\ Igloo\ to\ Modded\ Biomes=Add Grassy Igloo to Modded Biomes +Bronze\ Slab=Bronze Slab +Custom\ Splashes\ Mode\:=Custom Splashes Mode\: +Reset\ world=To Save The World +Piglin\ Brute\ dies=Piglin Brute dies +Pink\ Shield=The Shield Of The Rose +Drop\ Chance=Drop Chance +players=players +Infested\ Mossy\ Stone\ Bricks=Teaming With Moss-Covered Stone Bricks +Shutting\ down\ CraftPresence...=Shutting down CraftPresence... +Lingering\ Water\ Bottle=Stable And Water Bottles +Potted\ Lily\ of\ the\ Valley=In a bowl, lily of the Valley +Dev.DebugCard=Dev.DebugCard +You\ don't\ have\ permission\ to\ use\ this\ book.=You don't have permission to use this book. +Nether\ Bricks\ Glass=Nether Bricks Glass +Match\ Custom\ Name=Match Custom Name +Raw\ Steel=Raw Steel +Brown\ Flower\ Charge=The Brown Floral Is Free Of Charge +White\ Oak\ Slab=White Oak Slab +Blue\ Tent\ Top\ Flat=Blue Tent Top Flat +Quartz\ Bricks\ Camo\ Trapdoor=Quartz Bricks Camo Trapdoor +Chiseled\ Diorite\ Bricks=Chiseled Diorite Bricks +item\ %s\ out\ of\ %s=the item %s in the end %s +Tiny\ Boulders=Tiny Boulders +Endorium\ Hoe=Endorium Hoe +Un-equipping\ this\ item=Un-equipping this item +Entity\ Info\ Settings=Entity Info Settings +Orange\ Terracotta=Orange, Terra Cotta +Button\ clicks=Please click on the button +Vanilla\ hardcore\ mode\ has\ now\ been\ disabled.\ Please\ reopen\ your\ world\ for\ the\ change\ to\ take\ full\ effect.=Vanilla hardcore mode has now been disabled. Please reopen your world for the change to take full effect. +Small\ Image\ Key\ Format=Small Image Key Format +Unknown\ predicate\:\ %s=Known to be inter-related\: %s +Lazurite\ Dust=Lazurite Dust +Added\ Range=Added Range +Speed\ %s=Speed %s +Water\ Lake\ Rarity=The Water In The Lake, A Rarity +Red\ Rock\ Highlands=Red Rock Highlands +Hold\ shift\ while\ clicking\ to\ confirm.=Hold shift while clicking to confirm. +/hqm\ lives\ add\ \ =/hqm lives add +Unable\ to\ get\ Technic\ pack\ data\ (ignore\ if\ not\ using\ a\ Technic\ Pack)=Unable to get Technic pack data (ignore if not using a Technic Pack) +Vulcan\ Stone=Vulcan Stone +Whether\ GUI\ should\ allow\ right\ click\ actions.=Whether GUI should allow right click actions. +initial=initial +Used\ to\ toast\ items,\ and\ relies\ only\ on\ the\ power\ of\ redstone,\ meaning\ it\ does\ not\ need\ fuel.\ Can\ be\ used\ by\ placing\ items\ inside,\ and\ can\ be\ turned\ on\ by\ interacting\ with\ an\ empty\ hand\ and\ sneaking.\ Once\ done,\ the\ items\ can\ be\ removed\ by\ interacting\ with\ an\ empty\ hand.\ To\ simplify\ the\ process\ of\ turning\ it\ on,\ use\ a\ redstone\ pulse.\ It\ is\ recommended\ one\ does\ not\ toast\ metal\ or\ water-related\ items,\ or\ submerge\ the\ toaster\ in\ water.=Used to toast items, and relies only on the power of redstone, meaning it does not need fuel. Can be used by placing items inside, and can be turned on by interacting with an empty hand and sneaking. Once done, the items can be removed by interacting with an empty hand. To simplify the process of turning it on, use a redstone pulse. It is recommended one does not toast metal or water-related items, or submerge the toaster in water. +Emeradic\ Upgrade\ Kit=Emeradic Upgrade Kit +Controller=Controller +Cherry\ Fence\ Gate=Cherry Fence Gate +%s\ (%s)\ consumed/tick=%s (%s) consumed/tick +Lit\ Orange\ Redstone\ Lamp=Lit Orange Redstone Lamp +Iridiyum=Iridiyum +Embur\ Lily=Embur Lily +Asteroid\ Copper\ Ore=Asteroid Copper Ore +None=\ br. +Wireless=Wireless +Stone\ Bricks=Stone, Brick +Ender\ Chests\ Opened=Ender Chests Open +Electric\ Furnace\ Creative=Electric Furnace Creative +Warning\!\ These\ settings\ are\ using\ deprecated\ features=Warning\! These options, with less potential for +Quartz\ Post=Quartz Post +Pine\ Wall=Pine Wall +Flowering\ Grove=Flowering Grove +Cobblestone\ Glass=Cobblestone Glass +CraftPresence\ -\ Message=CraftPresence - Message +Cika\ Pressure\ Plate=Cika Pressure Plate +Giant\ Tree\ Taiga\ Hills=A Giant Tree In The Forest +A\ player\ with\ the\ provided\ name\ does\ not\ exist=Player with the supplied name is not +Brown\ ME\ Glass\ Cable=Brown ME Glass Cable +Determines\ how\ large\ cavern\ regions\ are.=Determines how large cavern regions are. +Creative=Creative +Cyan\ Concrete\ Powder=By The Way, The Dust +Wandering\ Trader\ hurts=A salesman is wrong +Stripped\ Crimson\ Stem=Remove The Raspberries Your Knees +Rubber\ Wood=Rubber Wood +Wandering\ Trader\ disappears=Vaikscioja the Commercial goes away +Core=Core +Chlorite=Chlorite +Purple\ Skull\ Charge=Purple Skull Weight +Added\ Step\ Height=Added Step Height +\nStonebrick-styled\ Stronghold\ replaces\ vanilla\ Strongholds\ in\ any\ biome.\ If\ off,\ vanilla\ Strongholds\ will\ generate\ instead\ but\ Nether\ Strongholds\ will\ still\ be\ active.=\nStonebrick-styled Stronghold replaces vanilla Strongholds in any biome. If off, vanilla Strongholds will generate instead but Nether Strongholds will still be active. +Questing\ mode\ has\ been\ activated.\ Enjoy\!=Questing mode has been activated. Enjoy\! +Lime\ ME\ Smart\ Cable=Lime ME Smart Cable +Copy=Copy +Renderer\ detected\:\ [%s]=Converter found\: [%s] +Tungstensteel\ Wall=Tungstensteel Wall +Stats\ about\ all\ existing\ parties.=Stats about all existing parties. +Infusing=Infusing +Invar\ Dust=Invar Dust +Ametrine\ Leggings=Ametrine Leggings +Uses\ scrap\ and\ energy\ to\ churn\ out\ UU\ matter=Uses scrap and energy to churn out UU matter +Wood\ Blewit=Wood Blewit +Splash\ Potion\ of\ Slow\ Falling=Spray Beverages, Which Is Gradually +Skeleton\ Horse=The Skeleton Of A Horse +Purple\ Glowcane\ Block=Purple Glowcane Block +Ring\ of\ Max\ Health=Ring of Max Health +Coarse\ Dirt=In The Urpes Of The Fang +\u00A77\u00A7o"Finger\ lickin'\ good.\u00A7r=\u00A77\u00A7o"Finger lickin' good.\u00A7r +Grants\ Speed\ Effect=Grants Speed Effect +Saves\ the\ given\ quest\ page\ to\ a\ JSON\ file,\ defaults\:\ page\ name=Saves the given quest page to a JSON file, defaults\: page name +Blue\ Spruce\ Leaves=Blue Spruce Leaves +Enter\ a\ Badlands\ Village=Enter a Badlands Village +Lime=The sun +Enter\ a\ Nether\ Pyramid=Enter a Nether Pyramid +Quests\ saved\ to\:\ %s=Quests saved to\: %s +This\ world\ was\ last\ played\ in\ version\ %s;\ you\ are\ on\ version\ %s.\ Please\ make\ a\ backup\ in\ case\ you\ experience\ world\ corruptions\!=In this world, it was the last one ever played at launch %s; version have %s. You can also do a full backup, in this case, if you have corruption all over the world\!\!\! +Ok\ Zoomer\ Config=Ok Zoomer Config +The\ recipe\ book\ can\ help=Recipe book you may be able to help you +Corn=Corn +\u00A77\u00A7o"He\ brought\ Ray\ Cokes\ to\ Notch,\ after\ all."\u00A7r=\u00A77\u00A7o"He brought Ray Cokes to Notch, after all."\u00A7r +Fool's\ Gold=Fool's Gold +Ctrl+V\ to\ paste\ slot\ config.=Ctrl+V to paste slot config. +Second=Second +%s\ has\ the\ following\ entity\ data\:\ %s=%s below is the data for the assets are\: %s +Iron\ Furnace=Iron Furnace +Polished\ Soapstone\ Stairs=Polished Soapstone Stairs +End\ Furnace=End Furnace +Target\ has\ no\ effects\ to\ remove=The purpose of the effects, and in order to remove it +\nYour\ ban\ will\ be\ removed\ on\ %s=\nThe ban will be removed %s +Lightning\ Bolt=Even +Black\ Per\ Bend\ Inverted=The Black Cart In The Opposite Order +Sort\ Inventory=Sort Inventory +Forward\ Launchers=Forward Launchers +Minecon\ 2015\ Cape\ Wing=Minecon 2015 Cape Wing +Hemlock\ Kitchen\ Cupboard=Hemlock Kitchen Cupboard +Scoria\ Stone\ Stairs=Scoria Stone Stairs +Fox\ spits=The Fox spits out +Round\ And\ Round\ It\ Goes=Round And Round It Goes +A\ campfire-cooked\ version\ of\ the\ Chopped\ Carrot,\ which\ restores\ more\ hunger\ and\ can\ also\ be\ eaten\ quickly.=A campfire-cooked version of the Chopped Carrot, which restores more hunger and can also be eaten quickly. +Light\ Gray\ Creeper\ Charge=Light Grey-For-Free +Bronze\ Plates=Bronze Plates +Multishot=Burst +Disk\ ID\:\ %s=Disk ID\: %s +Red\ Cell\ Battery=Red Cell Battery +Brown\ Thing=The one Thing That's Brown +Birch\ Chest\ Boat=Birch Chest Boat +Yellow\ ME\ Glass\ Cable=Yellow ME Glass Cable +Multiple\ Errors\:=Multiple Errors\: +Independent\ of\ the\ friction\ factor.=Independent of the friction factor. +Unknown\ dimension\ '%s'=Unknown size"%s' +Light\ Gray\ Per\ Bend\ Sinister=Light Gray Color, On A Bend Sinister +Cut\ Red\ Sandstone\ Post=Cut Red Sandstone Post +Basic\ Jackhammer=Basic Jackhammer +Polished\ Soapstone\ Slab=Polished Soapstone Slab +Cut\ Soul\ Sandstone\ Slab=Cut Soul Sandstone Slab +Yellow\ Bend=Curve Yellow +Orange\ Spruce\ Leaves=Orange Spruce Leaves +Cut\ Sandstone\ Step=Cut Sandstone Step +\nReplaces\ vanilla\ dungeon\ in\ Dark\ Forest\ biomes.=\nReplaces vanilla dungeon in Dark Forest biomes. +Fool's\ Gold\ Excavator=Fool's Gold Excavator +Carrot\ on\ a\ Stick=Carrot and pictures +Damage\ Dealt\ (Absorbed)=Unfortunately, The Business (Absorbed) +What\ a\ Deal\!=How Cool\! +Executed\ %s\ commands\ from\ function\ '%s'=Death %s the function of the control '%s' +Emits\ a\ redstone\ signal\ depending\ on\ how\ many\ players\ that\ have\ completed\ this\ quest.=Emits a redstone signal depending on how many players that have completed this quest. +You\ can\ buy\ items\ from\ trading\ stations\ by\ using\ the\ station\ with\ the\ payment\ item.=You can buy items from trading stations by using the station with the payment item. +Mangrove\ Trapdoor=Mangrove Trapdoor +Red\ Birch\ Leaves=Red Birch Leaves +Copper\ Wire=Copper Wire +Black\ Filtered\ Pipe=Black Filtered Pipe +Bread\ Slice=Bread Slice +Eat\ a\ S'more=Eat a S'more +Flint\ and\ Steel\ click=Flint and Steel, click the button +Smooth\ Soul\ Sandstone\ Slab=Smooth Soul Sandstone Slab +Sugar\ Block=Sugar Block +Blue=Blue +Vanilla\ Hammers=Vanilla Hammers +Craft\ a\ basic\ solar\ panel=Craft a basic solar panel +Jungle\ Wall\ Sign=The Wall Of The Jungle, Sign +Expected\ literal\ %s=Don't expect a change in the %s +Lingering\ Potion\ of\ Water\ Breathing=Drink Water, Hold, Exhale +%s\ Next=%s Further, +Arrow\ Scale=Arrow Scale +Magenta\ Glazed\ Terracotta\ Camo\ Trapdoor=Magenta Glazed Terracotta Camo Trapdoor +Pink\ Terracotta\ Glass=Pink Terracotta Glass +Black\ Stained\ Glass\ Pane=Pane Black Stained Glass +Small\ Pile\ of\ Bauxite\ Dust=Small Pile of Bauxite Dust +Use\ a\ compass\ on\ a\ Lodestone=Use a compass on a Lodestone +Nametag\ visibility\ for\ team\ %s\ is\ now\ "%s"=In a nod to its name, it must be part of the team %s I don't "%s" +Reach\ 8\ channels\ using\ devices\ on\ a\ network.=Reach 8 channels using devices on a network. +Limit\ must\ be\ at\ least\ 1=On the border should not be less than 1 +Change\ value=Change value +Short-burst\ Fuel\ Pellet=Short-burst Fuel Pellet +Holly\ door=Holly door +Yellow\ Concrete\ Camo\ Door=Yellow Concrete Camo Door +Hero\ of\ the\ Village=The Hero Of The Village +Destructopack=Destructopack +Enabled\:=Enabled\: +White\ Beach=White Beach +Effective\ Tool\:\ =Effective Tool\: +Levitation=Levitation +Ignores\ surface\ detection\ for\ closing\ off\ caves\ and\ caverns,\ forcing\ them\ to\ spawn=Ignores surface detection for closing off caves and caverns, forcing them to spawn +Light\ Blue\ Glider=Light Blue Glider +Rainbow\ Eucalyptus\ Pressure\ Plate=Rainbow Eucalyptus Pressure Plate +You\ may\ not\ rest\ now;\ there\ are\ monsters\ nearby=There you can relax, nearby are the monsters +Wells\ Configs=Wells Configs +Yellow\ Birch\ Sapling=Yellow Birch Sapling +Endermite\ Spawn\ Egg=Endermite Spawn-Eieren +Magenta\ Creeper\ Charge=Lilla-Creeper-Gratis +Nothing\ Selected=Nothing Selected +%s\ chunks=%s Pc ' s +Enable\ quick\ crafting=Enable quick crafting +No\ Alpha\ Allowed\!=None Of The Alpha Is Prohibited\! +Winged\ Config=Winged Config +%s%%\ chance\ to\ get\ this\ reward=%s%% chance to get this reward +Glass\ Shard=Glass Shard +Rarity=Rarity +Lightning\ strikes=The lightning +month=month +The\ Ship\ that\ cannot\ Fly\ Again=The Ship that cannot Fly Again +Loyalty=The loyalty of the customers +You're\ not\ in\ edit\ mode.\ This\ block\ is\ off\ limit.=You're not in edit mode. This block is off limit. +Lingering\ Potion\ of\ Leaping=A long time for the soup to leap +Network\ Apprentice=Network Apprentice +Find\ a\ Processor\ Press=Find a Processor Press +Lil\ Tater\ Hammer=Lil Tater Hammer +Ender\ Transmitter=Ender Transmitter +Add\ Nether\ Warped\ Temples\ to\ Modded\ Biomes=Add Nether Warped Temples to Modded Biomes +Diamond\ Staff\ of\ Building=Diamond Staff of Building +Light\ Gray\ Globe=Light Gray Parts Of The World +Cobblestone\ Platform=Cobblestone Platform +Nothing\ changed.\ That\ team\ already\ has\ that\ color=Nothing has changed since then. The fact that the team is already in place, color +Creative\ Rancher=Creative Rancher +Page\ %s/%s=Page %s/%s +Spooky\ Wing=Spooky Wing +Horn\ Coral\ Block=Horn Coral-Block +A\ task\ where\ the\ player\ needs\ specific\ items.\ These\ do\ not\ have\ to\ be\ handed\ in,\ having\ them\ in\ one's\ inventory\ is\ enough.=A task where the player needs specific items. These do not have to be handed in, having them in one's inventory is enough. +A\ stack\ of\ items\ cased\ in\ bread,\ which\ can\ be\ consumed\ all\ at\ once\ to\ restore\ as\ much\ hunger\ as\ the\ items\ inside\ restore\ combined.\ This\ specific\ one\ probably\ should\ not\ even\ qualify\ as\ a\ sandwich.=A stack of items cased in bread, which can be consumed all at once to restore as much hunger as the items inside restore combined. This specific one probably should not even qualify as a sandwich. +The\ maximum\ y-coordinate\ at\ which\ surface\ caves\ can\ generate.=The maximum y-coordinate at which surface caves can generate. +Cyan\ Flower\ Charge=Blue Flower Free +Alloy\ Smelting=Alloy Smelting +Withdraw=Withdraw +Withered\ Upgrade\ Kit=Withered Upgrade Kit +Lime\ Flat\ Tent\ Top=Lime Flat Tent Top +Gray\ Lumen\ Paint\ Ball=Gray Lumen Paint Ball +Crude\ Tank\ Unit=Crude Tank Unit +Light\ Gray\ Chevron=Ljusgr\u00E5 Chevron +Resource\ reload\ failed=Source d - +Stronghold\ Size=Stronghold Size +Iron\ Sword=Iron Sword +Status\ request\ has\ been\ handled=Request about the situation in the hands of +Could\ not\ set\ the\ block=I can't come +Gold\ Cable=Gold Cable +Cave\ Spider=Cave Of The Spider, +Acacia\ Glass\ Trapdoor=Acacia Glass Trapdoor +Thick\ Splash\ Potion=At The Beginning Of This Thickness +Aspen\ Planks=Aspen Planks +Always\ efficient=Always efficient +Harvest\ Level\:\ =Harvest Level\: +Tall\ Birch\ Forest=High-Brez +Elite\ Electrolyzer=Elite Electrolyzer +Crimson\ Fence\ Gate=Raspberry-Fence And Gate +Jacaranda\ Crafting\ Table=Jacaranda Crafting Table +Game\ Interface=The Game Interface +Friendly\ Creatures=The Friendly Beasts +Brick\ Stairs=Tiles, Step +Yellow\ Lumen\ Paint\ Ball=Yellow Lumen Paint Ball +Raw\ Strawberry\ \u0421ake=Raw Strawberry \u0421ake +Patterns=Patterns +(Level\ %s/%s)=(Level %s/%s) +Light\ Blue\ Creeper\ Charge=Luce Blu Creeper +World\ 1=Verden, 1 +$(l)Tools$()$(br)Mining\ Level\:\ 6$(br)Base\ Durability\:\ 3072$(br)Mining\ Speed\:\ 11$(br)Attack\ Damage\:\ 5$(br)Enchantability\:\ 18$(p)$(l)Armor$()$(br)Durability\ Multiplier\:\ 44$(br)Total\ Defense\:\ 25$(br)Toughness\:\ 4.5$(br)Enchantability\:\ 18=$(l)Tools$()$(br)Mining Level\: 6$(br)Base Durability\: 3072$(br)Mining Speed\: 11$(br)Attack Damage\: 5$(br)Enchantability\: 18$(p)$(l)Armor$()$(br)Durability Multiplier\: 44$(br)Total Defense\: 25$(br)Toughness\: 4.5$(br)Enchantability\: 18 +World\ 2=World 2 +Flipped\:=Flipped\: +Configure\ settings\ related\ to\ caves,\ caverns,\ ravines\ and\ more.=Configure settings related to caves, caverns, ravines and more. +Tipped\ Arrow=The Tip Of The Arrow +Bamboo\ Diagonal\ Timber\ Frame=Bamboo Diagonal Timber Frame +Bubbles\ pop=Bobler +Eye\ of\ Ender=Ender's Eyes +Lapis\ Tiny\ Dust=Lapis Tiny Dust +Open\ realm=Open the kingdom +Red\ Terracotta\ Glass=Red Terracotta Glass +%s\ [[quest||quests]]\ available\ for\ completion=%s [[quest||quests]] available for completion +Scanning\ for\ games\ on\ your\ local\ network=Are you in search of game, LAN +Orange\ Bend=Orange Bend +Tritanopian\ Gallery=Tritanopian Gallery +Stellum\ Hammer=Stellum Hammer +Ogana\ Plant=Ogana Plant +Fuzzy\ Comparison=Fuzzy Comparison +Petrified\ Oak\ Slab=Petrified Eik Styrene +White\ Shingles\ Stairs=White Shingles Stairs +Obtainable\ by\ breaking\ a\ Shrub,\ and\ used\ to\ plant\ lettuce\ crops.=Obtainable by breaking a Shrub, and used to plant lettuce crops. +Custom\ bossbar\ %s\ has\ changed\ style=The user bossbar %s changing the style +An\ error\ occurred\!=An error has occurred\! +CraftPresence\ -\ Edit\ Item\ (%1$s)=CraftPresence - Edit Item (%1$s) +Dark\ Oak\ Kitchen\ Counter=Dark Oak Kitchen Counter +Fluid\ Amount\:=Fluid Amount\: +Pink\ Chief=The Key To The Pink +Getting\ a\ (Hammer)\ Upgrade=Getting a (Hammer) Upgrade +Double\ must\ not\ be\ less\ than\ %s,\ found\ %s=Accepted, must not be less than %s on %s +Lower\ bounds=Lower bounds +Orange\ Globe=Orange Ball +Max\ Affixes\ in\ Trial\ Key=Max Affixes in Trial Key +Titanium\ Slab=Titanium Slab +Nether\ Star=Under The Stars +Display\ Item=Display Item +Yellow\ Base\ Dexter\ Canton=Yellow Base Dexter Canton +\u00A74Unbound=\u00A74Unbound +Selector\ not\ allowed=The defense is not allowed, +There\ are\ no\ tracked\ entities=Are not reporting entities +Angered\ neutral\ mobs\ stop\ being\ angry\ when\ the\ targeted\ player\ dies\ nearby.=Outraged, neutral monsters, don't be upset if a player dies in the game). +Certus\ Quartz\ Pillar=Certus Quartz Pillar +Ravager\ hurts=With regard to will be sick +Spruce\ Sapling=Trees Of The Pine +Chocolate\ Cake=Chocolate Cake +Trader's\ next\ level=Next level trader +Polished\ Granite\ Post=Polished Granite Post +Respawn\ Anchor\ is\ charged=Use for the control of the game, is +Tropical\ Fungal\ Rainforest\ Hills=Tropical Fungal Rainforest Hills +Whether\ we\ should\ unlimit\ the\ hard\ 60\ fps\ limit\ placed\ on\ the\ title\ screen.=Whether we should unlimit the hard 60 fps limit placed on the title screen. +Stellum\ Tiny\ Dust=Stellum Tiny Dust +Cooldown\ on\ completion=Cooldown on completion +Biomes\ You\ Go=Biomes You Go +Only\ includes\ players\ within\ the\ given\ distance.\ Leaving\ this\ at\ zero\ makes\ it\ detect\ any\ player,\ even\ offline\ ones.=Only includes players within the given distance. Leaving this at zero makes it detect any player, even offline ones. +Brass\ Ingot=Brass Ingot +CraftPresence\ -\ Discord\ Large\ Assets=CraftPresence - Discord Large Assets +Jumps=Go +Sterling\ Silver\ is\ often\ used\ for\ tooling.=Sterling Silver is often used for tooling. +Render\ Helmet\ Shield=Render Helmet Shield +Lapis\ Lazuli\ Plate=Lapis Lazuli Plate +Frozen\ Ocean=Zamrznut\u00E9 More +Aquilorite\ Helmet=Aquilorite Helmet +$(l)Tools$()$(br)Mining\ Level\:\ 2$(br)Base\ Durability\:\ 697$(br)Mining\ Speed\:\ 7$(br)Attack\ Damage\:\ 2.5$(br)Enchantability\:\ 20$(p)$(l)Armor$()$(br)Durability\ Multiplier\:\ 18$(br)Total\ Defense\:\ ?$(br)Toughness\:\ 0.1$(br)Enchantability\:\ 23=$(l)Tools$()$(br)Mining Level\: 2$(br)Base Durability\: 697$(br)Mining Speed\: 7$(br)Attack Damage\: 2.5$(br)Enchantability\: 20$(p)$(l)Armor$()$(br)Durability Multiplier\: 18$(br)Total Defense\: ?$(br)Toughness\: 0.1$(br)Enchantability\: 23 +Spear\ hits\ block=Spear hits block +Kicked\ for\ exceeding\ packet\ rate\ limit=Kicked for exceeding packet rate limit +Pink\ Smooth\ Sandstone=Pink Smooth Sandstone +Nether\ Quartz\ Ore=Leegte, Erts, Quartz +Cold\ Swamplands=Cold Swamplands +Endermites\ (Irreality\ Crystal)=Endermites (Irreality Crystal) +Birch\ Cutting\ Board=Birch Cutting Board +$(item)Tin\ Ore$()\ can\ be\ commonly\ found\ $(thing)underground$()\ in\ $(thing)The\ Overworld$().$(p)Mining\ requires\ only\ a\ $(item)Stone\ Pickaxe$()\ (Mining\ Level\ 1)\ or\ better,\ and\ can\ then\ be\ $(thing)smelted$()\ into\ a\ $(item)Tin\ Ingot$().=$(item)Tin Ore$() can be commonly found $(thing)underground$() in $(thing)The Overworld$().$(p)Mining requires only a $(item)Stone Pickaxe$() (Mining Level 1) or better, and can then be $(thing)smelted$() into a $(item)Tin Ingot$(). +Purple\ Base=Lila Bas +Accepted\ values\:\ Small,\ Medium,\ Large,\ ExtraLarge,\ Custom.=Accepted values\: Small, Medium, Large, ExtraLarge, Custom. +/hqm\ load\ all=/hqm load all +Gray\ Concrete=Grey Concrete +Debug=Debug +Blue\ Globe=Blue World +Jacaranda\ Fence\ Gate=Jacaranda Fence Gate +Blueberry\ Bush=Blueberry Bush +The\ distance\ within\ which\ children\ will\ attempt\ to\ reach\ their\ parents.=The distance within which children will attempt to reach their parents. +Warm\ Ocean=The Dates Of Your Stay +Controls\ drops\ from\ minecarts\ (including\ inventories),\ item\ frames,\ boats,\ etc.=In order to verify the drops, minecarts (including the shares), item frames, boats, etc +Cheating\ Style\:=Cheating Style\: +Now\ We're\ Alloying=Now We're Alloying +Magenta\ Carpet=The Purple Carpet +Paper=Paper +Can\ be\ installed\ on=Can be installed on +Dead\ Brain\ Coral\ Fan=Brain Dead Coral Fan +Time\ Played=It's About Time +Leash\ knot\ breaks=String knot bread +Everyone\ in\ the\ party\ can\ claim\ their\ rewards\ from\ a\ quest.\ This\ option\ gives\ more\ rewards\ than\ the\ others\ but\ can\ be\ disabled\ in\ the\ config.=Everyone in the party can claim their rewards from a quest. This option gives more rewards than the others but can be disabled in the config. +Cobblestone\ Chimney=Cobblestone Chimney +Dragon\ Egg=Oul De Dragon +Feather\ Falling=As A Feather Falls To The +Cyan\ Fess=Cyan Ink +Tin\ Boots=Tin Boots +Craft\ a\ kitchen\ knife.=Craft a kitchen knife. +Regenerate\ health=To restore health +Ravager\ Spawn\ Egg=Demolishers Spawn Eggs +Produces\ sound\ when\ given\ redstone\ signal\nConfigurable=Produces sound when given redstone signal\nConfigurable +Crimson\ Fence=Purple Fence +Red\ Concrete\ Ghost\ Block=Red Concrete Ghost Block +Tiny\ Bird\ Wing=Tiny Bird Wing +Revoked\ the\ advancement\ %s\ from\ %s\ players=Cancel company %s so %s players +Primitive\ Capacitor=Primitive Capacitor +Entities\ with\ tag=The label for the contact +Only\ requires\ %s\ [[quest||quests]]\ to\ be\ completed.=Only requires %s [[quest||quests]] to be completed. +Health\ Boost=The Health Of The Crew +Jungle\ Chest\ Boat=Jungle Chest Boat +Key=Key +Yellow\ Rune=Yellow Rune +Electrum\ Boots=Electrum Boots +Awkward\ Potion=Strange Potion +Times\ Broken=Once Broken +Activates\ in\ all\ whitelisted\ dimension,\ where\ applicable.\ The\ End\ is\ unaffected.=Activates in all whitelisted dimension, where applicable. The End is unaffected. +Cotton=Cotton +Oak\ Boat=Oak Ship +'Electric\ Mouse'\ Ears='Electric Mouse' Ears +Ruby\ Plate=Ruby Plate +Cracked\ Stone\ Bricks=Napuknut Kamena I Cigle +NBT\ independent\ detection=NBT independent detection +Dragon\ Wall\ Head=Wall, Kite, Shot In The Head +Diorite\ Ghost\ Block=Diorite Ghost Block +Replaces\ the\ usual\ bedrock\ generation\ pattern\ with\ flat\ layers.=Replaces the usual bedrock generation pattern with flat layers. +Cypress\ Shelf=Cypress Shelf +Tungstensteel\ Stairs=Tungstensteel Stairs +Custom\ bossbar\ %s\ has\ %s\ players\ currently\ online\:\ %s=Bossbar user %s this %s i dag, online spill er\: %s +Trapdoor\ opens=The opening of the door +Stripped\ Warped\ Stem=Removed From The Tribe Swollen +Red\ Oak\ Forest=Red Oak Forest +When\ on\ legs\:=If you are on foot\: +Light\ Blue\ Terracotta\ Ghost\ Block=Light Blue Terracotta Ghost Block +Add\ Wells\ to\ Modded\ Biomes=Add Wells to Modded Biomes +Fluid\ blocks=Fluid blocks +Mock\ Header=Mock Header +Chickens\ (Fried\ Chicken)=Chickens (Fried Chicken) +Raw\ Honey\ Cake=Raw Honey Cake +This\ book\ will\ help\ you\ go\ through\ some\ of\ the\ important\ aspects\ of\ the\ mod.$(br2)If\ you\ find\ any\ issues,\ questions\ or\ suggestions,\ open\ an\ issue\ on\ $(l\:https\://github.com/GabrielOlvH/Industrial-Revolution/issues)GitHub$()\ or\ join\ our\ $(l\:https\://discord.com/invite/G4PjhEf)Discord\!$()$(br2)Thank\ you\ for\ playing\!=This book will help you go through some of the important aspects of the mod.$(br2)If you find any issues, questions or suggestions, open an issue on $(l\:https\://github.com/GabrielOlvH/Industrial-Revolution/issues)GitHub$() or join our $(l\:https\://discord.com/invite/G4PjhEf)Discord\!$()$(br2)Thank you for playing\! +Cyan\ Lozenge=Blue Diamond +This\ set\ works\ perfectly\ for\ your\ technical\ themed\ map.=This set works perfectly for your technical themed map. +Wolf\ shakes=Related +Turtle\ shell\ thunks=Furniture, turtle shell +Raw\ Honey\ Donut=Raw Honey Donut +Villager\ disagrees=The villagers did not agree to +Red\ Per\ Bend=The Red Color On The Crease +Lime\ Concrete\ Ghost\ Block=Lime Concrete Ghost Block +Rings\ of\ Ascension=Rings of Ascension +Campfire\ crackles=Constructor +Customize\ Biome\ Messages=Customize Biome Messages +Green\ Per\ Bend\ Inverted=The Green One I Did In Reverse Order +Decidous\ Clearing=Decidous Clearing +The\ station's\ storage\ is\ full.=The station's storage is full. +Everything\ is\ saved\!=Everything is saved\! +Red\ Bordure\ Indented=The Red Border Version +Expert=Expert +White\ Beveled\ Glass=White Beveled Glass +quest\ sizes=quest sizes +$(l)Tools$()$(br)Mining\ Level\:\ 1$(br)Base\ Durability\:\ 64$(br)Mining\ Speed\:\ 10$(br)Attack\ Damage\:\ 0.5$(br)Enchantability\:\ 24$(p)$(l)Armor$()$(br)Durability\ Multiplier\:\ 9$(br)Total\ Defense\:\ ?$(br)Toughness\:\ 0.1$(br)Enchantability\:\ 25=$(l)Tools$()$(br)Mining Level\: 1$(br)Base Durability\: 64$(br)Mining Speed\: 10$(br)Attack Damage\: 0.5$(br)Enchantability\: 24$(p)$(l)Armor$()$(br)Durability Multiplier\: 9$(br)Total Defense\: ?$(br)Toughness\: 0.1$(br)Enchantability\: 25 +Sheep\ baahs=On BAA sheep old +Corner=Angle +Brick\ Furnace=Brick Furnace +World\ Data\ Placeholder=World Data Placeholder +MK3\ Machine\ Upgrade=MK3 Machine Upgrade +Crushing\ Recipe=Crushing Recipe +Lime\ Chief\ Indented=The President Of The Industry, The Withdrawal Of The +A\ food\ item\ which\ is\ obtained\ by\ toasting\ a\ cooked\ food\ or\ a\ food\ item\ with\ no\ toasted\ variant.\ Although\ useless\ as\ a\ food,\ it\ can\ be\ toasted\ once\ more\ to\ obtain\ charcoal.=A food item which is obtained by toasting a cooked food or a food item with no toasted variant. Although useless as a food, it can be toasted once more to obtain charcoal. +Notes\ Config=Notes Config +Orange\ Futurneo\ Block=Orange Futurneo Block +Progress\:\ %s=Progress\: %s +Fluid\ buckets=Fluid buckets +Protea\ Flower=Protea Flower +Remove\ Minecraft\ Logo\:=Remove Minecraft Logo\: +Fir\ Kitchen\ Sink=Fir Kitchen Sink +Golden\ Mattock=Golden Mattock +There\ are\ no\ objectives=I don't have goals +Burning=This burning +Allows\ CraftPresence\ to\ remove\ color\ and\ formatting\ codes\ from\ it's\ translations=Allows CraftPresence to remove color and formatting codes from it's translations +Pink\ Cut\ Sandstone=Pink Cut Sandstone +Summoned\ new\ %s=New news %s +Blast\ Electric\ Furnace=Blast Electric Furnace +If\ you\ have\ issues\ or\ suggestions\ join\ our\ Discord\!=If you have issues or suggestions join our Discord\! +Stone\ Brushlands=Stone Brushlands +Stray\ hurts=On the street it hurts +Old\ Chest=Old Chest +Error\!=Sins\! +A\ trigger\ quest\ is\ an\ invisible\ quest.\ The\ quest\ can\ still\ be\ completed\ as\ usual\ but\ you\ can't\ claim\ any\ rewards\ for\ it\ or\ see\ it\ in\ any\ lists.\ It\ can\ be\ used\ to\ trigger\ other\ quests,\ hence\ its\ name.=A trigger quest is an invisible quest. The quest can still be completed as usual but you can't claim any rewards for it or see it in any lists. It can be used to trigger other quests, hence its name. +You\ can\ only\ trigger\ objectives\ that\ are\ 'trigger'\ type=You may have problem with engine start +Disable\ Default\ Auto\ Jump=Disable Default Auto Jump +Tomato\ Crop=Tomato Crop +Gas\ Generator=Gas Generator +Required\ death\ count=Required death count +Turned\ Cranks=Turned Cranks +\u00A77Vertical\ Speed\:\ \u00A7a%s=\u00A77Vertical Speed\: \u00A7a%s +Set\ the\ world\ border\ damage\ buffer\ to\ %s\ blocks=The world is on the brink of a damage to the buffer %s the individual +End\:\ Reborn=End\: Reborn +1x\ Compressed\ Cobblestone=1x Compressed Cobblestone +Rose\ Gold\ Ingot=Rose Gold Ingot +Green\ Beveled\ Glass=Green Beveled Glass +Purple\ Mushroom=Purple Mushroom +Jacket=The jacket +Use\ the\ %1$s\ key\ to\ open\ your\ inventory=Use %1$s click to open your inventory +Blue\ Per\ Pale\ Inverted=Blue To Pay To The +End\ Mineshaft=End Mineshaft +Advanced\ Liquid\ Generator=Advanced Liquid Generator +mph=mph +Ebony\ Sapling=Ebony Sapling +Plantball=Plantball +Purple\ ME\ Glass\ Cable=Purple ME Glass Cable +Bamboo\ Ladder=Bamboo Ladder +Data\:\ %s=Read more\: %s +Enchanted\ Forest=Enchanted Forest +Pink\ Wool=Pink Wool +Rotten\ Heart.\ Do\ Not\ Eat=Rotten Heart. Do Not Eat +Cobalt\ Cape\ Wing=Cobalt Cape Wing +Blue\ Tent\ Top=Blue Tent Top +Magenta\ ME\ Dense\ Smart\ Cable=Magenta ME Dense Smart Cable +Turtle\ Egg\ hatches=The turtle will hatch the egg +Raw\ Donut=Raw Donut +Peripheral\ calls=Peripheral calls +Aquilorite\ Leggings=Aquilorite Leggings +Aquilorite\ Boots=Aquilorite Boots +Woodlands=Woodlands +Sneak\ right\ click\ a\ block\ to\ link\ a\ position=Sneak right click a block to link a position +Magenta\ Lawn\ Chair=Magenta Lawn Chair +Entity\ cramming\ threshold=Bit u srcu, +Nether\ Brick\ Stairs=Nether Brick Stairs +Lead\ Plates=Lead Plates +Vanilla\ Cave\ Density=Vanilla Cave Density +Prairie\ Grass=Prairie Grass +\nReplaces\ Mineshafts\ in\ Swamps\ and\ Dark\ Forests.\ How\ often\ Mineshafts\ will\ spawn.=\nReplaces Mineshafts in Swamps and Dark Forests. How often Mineshafts will spawn. +No\ new\ recipes\ were\ learned=Learned new recipes every +Netherite\ armor\ clanks=Netherite armor, cold +Snow\ Golem\ hurts=Snow Golem hurt +Black\ Bend\ Sinister=Negro Bend Sinister +Max\ WP\ Draw\ Dist.=Max WP Draw Dist. +Rocky\ Lighting=Rocky Lighting +Kob=COBH +Lily\ of\ the\ Valley=Pearl flower +Machine\ Parts=Machine Parts +Netherite\ Staff\ of\ Building=Netherite Staff of Building +White\ Chiseled\ Sandstone=White Chiseled Sandstone +Pink\ Glazed\ Terracotta=Pink Terracotta Lacquer +Fluid\ Infuser\ MK4=Fluid Infuser MK4 +Dark\ Oak\ Trapdoor=Zemna Oak Zvery +Matching\ every\ monster\ that\ has\ the\ selected\ type\ or\ a\ subtype\ to\ the\ selected\ type.=Matching every monster that has the selected type or a subtype to the selected type. +Thunder=Thunder +Glider\ Wing=Glider Wing +Fluid\ Infuser\ MK2=Fluid Infuser MK2 +Advanced\ Electrolyzer=Advanced Electrolyzer +Fluid\ Infuser\ MK3=Fluid Infuser MK3 +Fluid\ Infuser\ MK1=Fluid Infuser MK1 +Create\ Set=Create Set +Quartz\ Hammer=Quartz Hammer +Small\ Pile\ of\ Red\ Garnet\ Dust=Small Pile of Red Garnet Dust +Piglin\ Brute\ steps=Piglin Brute steps +Birch\ Sapling=Seedlings Of Birch +Ingredient=Ingredient +Blindness=Blindness +Yellow\ Stained\ Glass=The Last Of The Yellow +Salinity\ Level\ HIGH=Salinity Level HIGH +Crate\ of\ Sugar\ Cane=Crate of Sugar Cane +Set\ Name=Set Name +Soul\ Vision=Soul Vision +Shift\ right\ click\ on\ block\ to\ set\ style=Shift right click on block to set style +Sneak\ for\ details=Sneak for details +Dungeons=Die Landschaft +Diamond\ Lasso=Diamond Lasso +The\ minimum\ y-coordinate\ at\ which\ type\ 1\ caves\ can\ generate.=The minimum y-coordinate at which type 1 caves can generate. +Ametrine\ Axe=Ametrine Axe +Export\ the\ first\ item\ until\ the\ network\ is\ empty,\ then\ try\ the\ next\ ones.=Export the first item until the network is empty, then try the next ones. +Gray\ Thing=Hall Asi +Angelica=Angelica +Client=Clientt +%1$s\ was\ killed\ by\ %3$s\ trying\ to\ hurt\ %2$s=%1$s to kill %3$s do not try to hurt you %2$s +Polished\ Granite\ Camo\ Trapdoor=Polished Granite Camo Trapdoor +Line\ too\ long=Line too long +(Place\ pack\ files\ here)=(The location of the file in the package here). +Blue\ Chief\ Indented=Blue Head Removal +Fusion\ Reactor=Fusion Reactor +Item\ Substitutions=Item Substitutions +Advanced\ Filtering=Advanced Filtering +Notification\ Settings=Notification Settings +Aborted=Aborted +Leatherworker=Leatherworker +Spruce\ Wood=Gran +Lunum\ Pickaxe=Lunum Pickaxe +quest\ completions=quest completions +Items-Misc=Items-Misc +Lunum\ Crook=Lunum Crook +Experience\ level=The level of experience. +Mossy\ Cobblestone\ Brick\ Slab=Mossy Cobblestone Brick Slab +Category=Category +Pine\ Kitchen\ Sink=Pine Kitchen Sink +No\:\ Only\ extractable\ fluids\ will\ be\ visible.=No\: Only extractable fluids will be visible. +Meteoric\ Steel\ Axe=Meteoric Steel Axe +Hide\ from\ Player\ List=Hide from Player List +Water\ flows=The water flows +Forward\ Launcher=Forward Launcher +Do\ you\ want\ to\ continue?=Do you want it? +Red\ Orchid=Red Orchid +Bottle\ thrown=Threw the bottle +View\ Cell=View Cell +Adorn+EP\:\ Kitchen\ Sinks=Adorn+EP\: Kitchen Sinks +Yellow\ Garnet\ Dust=Yellow Garnet Dust +Enter\ a\ Nether\ Crimson\ Temple=Enter a Nether Crimson Temple +Nether\ Soul\ Temple\ Spawnrate=Nether Soul Temple Spawnrate +Chicken\ plops=Toyuq splatties +Parrot\ rattles=Parrot zegt +Recipe\ larger\ than\ 3x3=Recipe larger than 3x3 +Mangrove\ Marshes=Mangrove Marshes +Keep\ Entity\ Info\ For=Keep Entity Info For +Copper\ Mining\ Tool=Copper Mining Tool +\u00A7eEnables\ Creative\ Flight\u00A7r=\u00A7eEnables Creative Flight\u00A7r +Molten\ Iron=Molten Iron +Gray\ Bend=Grey Leaned Over. +Bring\ Home\ the\ Beacon=Bring home the beacon +Mossy\ Stone\ Brick\ Wall=Mossy Stone Brick In The Wall +Iron\ Glass\ Trapdoor=Iron Glass Trapdoor +Stripped\ Rainbow\ Eucalyptus\ Wood=Stripped Rainbow Eucalyptus Wood +Pervaded\ Netherrack=Pervaded Netherrack +Dusts=Dusts +Red\ Saltire=Red Cross +Overworld=Pikachu +Palm\ Wood=Palm Wood +Asteroid\ Silver\ Cluster=Asteroid Silver Cluster +Charred\ Wooden\ Pressure\ Plate=Charred Wooden Pressure Plate +Saved\ the\ game=The game will be saved +Status=Status +Lime\ Shulker\ Box=Max Shulker Kalk +Ender\ Pouch=Ender Pouch +Sealed=Sealed +Shovel\ Attack\ Speed=Shovel Attack Speed +*\ Invalid\ book\ tag\ *=* Invalid book tag * +Univite\ Mattock=Univite Mattock +Select\ Note=Select Note +Grass\ Path=In The Hall Way +Redstone\ disables=Redstone disables +Colored\ Tiles\ (Light\ Blue\ &\ Yellow)=Colored Tiles (Light Blue & Yellow) +Cika\ Wooded\ Mountains=Cika Wooded Mountains +Jungle\ Fortress=Jungle Fortress +Pink\ Tulip=Pink, Pink, Pink Tulip +Small\ Pile\ of\ Galena\ Dust=Small Pile of Galena Dust +Obtain\ a\ Stellum\ Ingot=Obtain a Stellum Ingot +Render\ Distance=Render Distance +Smooth\ Sandstone\ Slab=Them, And The Slabs Of Sandstone +Requires\ %s/%s\ [[quest||quests]]\ to\ be\ completed.=Requires %s/%s [[quest||quests]] to be completed. +Rubber\ Planks=Rubber Planks +Custom\ Theme=Custom Theme +White\ Chief\ Indented=White Chief Indented +64k\ ME\ Storage\ Cell=64k ME Storage Cell +Nothing\ changed.\ The\ world\ border\ is\ already\ centered\ there=Not much has changed since then. The world border is now centered on the +Fishing\ Rod=Auction +No\ handlers\ are\ applicable.=No handlers are applicable. +A\ cable\ which\ transports\ $(thing)fluids$();\ no\ buffering\ or\ path-finding\ involved.=A cable which transports $(thing)fluids$(); no buffering or path-finding involved. +No\ chunks\ were\ removed\ from\ force\ loading=The parts that were removed from the power supply system workload +Invalid\ operation=An invalid operation +Steel\ Stairs=Steel Stairs +Character\ Input\:=Character Input\: +Aluminium\ Wall=Aluminium Wall +Click\ to\ create\ quests,\ quest\ sets,\ and\ reward\ groups,\ among\ other\ things.=Click to create quests, quest sets, and reward groups, among other things. +Cyan\ Chief\ Dexter\ Canton=Plava-Chief Dexter Goingo +\u00A7cDelete\ Item=\u00A7cDelete Item +Crate\ of\ Beetroots=Crate of Beetroots +Fir\ Trapdoor=Fir Trapdoor +Whitelist\ is\ already\ turned\ on=White list-to je +Incompatible=Incompatible +0/%1$s=0/%1$s +Limestone\ Brick\ Wall=Limestone Brick Wall +Biometric\ Card=Biometric Card +Horse\ Spawn\ Egg=Horse Gives Birth To Eggs +Resin\ Basin=Resin Basin +Biomass\ Generator=Biomass Generator +Willow\ Wall=Willow Wall +Stone\ Ghost\ Block=Stone Ghost Block +The\ demo\ time\ has\ expired.\ Buy\ the\ game\ to\ continue\ or\ start\ a\ new\ world\!=The demo time expired. To purchase the game to continue, or to start a new world\! +Open\ up\ the\ reward\ bag\ menu.\ Here\ you\ will\ be\ able\ to\ modify\ the\ group\ tiers\ and\ add\ groups\ of\ items\ for\ the\ reward\ bags.=Open up the reward bag menu. Here you will be able to modify the group tiers and add groups of items for the reward bags. +Rainbow\ Eucalyptus\ Sapling=Rainbow Eucalyptus Sapling +Waila=Waila +Death\ Messages=Death Messages +Received\ unrequested\ status=Got an unwanted area +Blackstone\ Ghost\ Block=Blackstone Ghost Block +Fool's\ Gold\ Helmet=Fool's Gold Helmet +Ebony\ Fence\ Gate=Ebony Fence Gate +Enter\ a\ End\ Shipwreck=Enter a End Shipwreck +Sterling\ Silver\ Hammer=Sterling Silver Hammer +Knockback\ attack=Razdevanie on attack +Removed\ %s\ from\ the\ whitelist=To remove %s white list +Seasonal\ Deciduous\ Forest=Seasonal Deciduous Forest +The\ density\ of\ surface\ caves.\ Higher\ \=\ more\ caves,\ closer\ together.=The density of surface caves. Higher \= more caves, closer together. +Iridium\ Slab=Iridium Slab +Marble\ Brick\ Slab=Marble Brick Slab +\nAdd\ the\ ID/resource\ location\ of\ the\ biome\ you\ don't\ want\ RS's\ boulders\ to\ spawn\ in.\ Separate\ each\ ID\ with\ a\ comma\ ,\ Example\:\ "minecraft\:ice_spikes,awesome_mod\:awesome_biome"=\nAdd the ID/resource location of the biome you don't want RS's boulders to spawn in. Separate each ID with a comma , Example\: "minecraft\:ice_spikes,awesome_mod\:awesome_biome" +Unknown\ selector\ type\ '%s'=Unknown type selector '%s' +Curse\ of\ Harming=Curse of Harming +Experience\ gained=Art +Storage=Storage +Enchanted\ Books=Enchanted Books +Angered\ neutral\ mobs\ attack\ any\ nearby\ player,\ not\ just\ the\ player\ that\ angered\ them.\ Works\ best\ if\ forgiveDeadPlayers\ is\ disabled.=Irritated, the neutral creatures to attack all the nearby players, not just players who make you angry. It works best if you can forgive a dead player is useless to me. +Small\ Pile\ of\ Aluminium\ Dust=Small Pile of Aluminium Dust +Chapters=Chapters +Critical\ attack=Critical strike +It's\ Full\ of\ Stars=It's Full of Stars +Wrench\ Mode\:\ %s=Wrench Mode\: %s +Nylium\ Soul\ Sand=Nylium Soul Sand +Marble\ Pillar=Marble Pillar +REI\ Synchronized\ Standard=REI Synchronized Standard +Printed\ Calculation\ Circuit=Printed Calculation Circuit +Skyris\ Slab=Skyris Slab +Child\ follows\ parent\!=Child follows parent\! +Nothing\ changed.\ The\ world\ border\ is\ already\ that\ size=Nothing has changed there. Peace on the border was already this size +Cyan\ Flat\ Tent\ Top=Cyan Flat Tent Top +Enables\ generation\ of\ ravines.=Enables generation of ravines. +Tungsten\ Nugget=Tungsten Nugget +Dead\ Brain\ Coral\ Block=A Dead Brain Coral Block +Compact\ Preview\ NBT=Compact Preview NBT +Magenta\ Asphalt\ Stairs=Magenta Asphalt Stairs +Condense\ Into\ Matter\ Balls\n%s\ per\ item=Condense Into Matter Balls\n%s per item +"%1$s"\ has\ been\ successfully\ downloaded\ to\ "%2$s"\!\ (From\:\ "%3$s")="%1$s" has been successfully downloaded to "%2$s"\! (From\: "%3$s") +Saving\ world=Save the world +Polished\ Blackstone=Polit, Total +Outdated\ server\!\ I'm\ still\ on\ %s=Outdated server\! I still don't have %s +Lapotronic\ Orbpack=Lapotronic Orbpack +End\ Plant=End Plant +Full\ %1$s\ Tank=Full %1$s Tank +Team\ %s\ can\ no\ longer\ see\ invisible\ teammates=The team %s many friends can not see the invisible +Previous=Previous +F3\ +\ I\ \=\ Copy\ entity\ or\ block\ data\ to\ clipboard=F3 + S \=, in order to Copy an object or data table to the clipboard +Magenta\ Glazed\ Terracotta=The Purple Tiles, And The Windows Of The +Custom\ bossbar\ %s\ is\ currently\ shown=Costum bossbar %s at the present time is displayed in +Basalt\ Deltas=Basalt-Delity +Triggered\ %s=OIE %s +Barrel\ opens=The barrel is open +Black\ Mushroom=Black Mushroom +Damage\ of\ Removing\ Wings=Damage of Removing Wings +Only\ players\ may\ be\ affected\ by\ this\ command,\ but\ the\ provided\ selector\ includes\ entities=Players can influence these actions, but on the condition that the vehicles, which include people +Ring\ of\ Luck=Ring of Luck +\u00A77\u00A7o"Wrapped\ with\ love\!"\u00A7r=\u00A77\u00A7o"Wrapped with love\!"\u00A7r +World\ is\ deleted\ upon\ death=World deleted by death +Potted\ Blue\ Mushroom=Potted Blue Mushroom +Strip\ Translation\ Colors=Strip Translation Colors +Bowler\ Hat=Bowler Hat +Rose\ Gold\ is\ often\ used\ for\ coins.=Rose Gold is often used for coins. +Illusioner\ casts\ spell=There is illusia magic +Base\ value\ for\ attribute\ %s\ for\ entity\ %s\ set\ to\ %s=Attribute value %s the company %s kit %s +Use\ the\ Nether\ to\ travel\ 7\ km\ in\ the\ Overworld=Use the box at the bottom of the travel the 7 miles to the Overworld +Dead\ Fire\ Coral\ Fan=Of The Dead Fire-Coral Fan +Water\ Brick\ Slab=Water Brick Slab +%s\ Thruster=%s Thruster +\u00A77\u00A7o"Drullkus\ owns\ this\ cape.\ And\ Chisel\ Mod\ too."\u00A7r=\u00A77\u00A7o"Drullkus owns this cape. And Chisel Mod too."\u00A7r +Cypress\ door=Cypress door +Molten\ Tin\ Bucket=Molten Tin Bucket +Tungsten\ Slab=Tungsten Slab +Tank=Tank +Increase\ Zoom=Increase Zoom +Estonian=Estonian +Spruce\ Boat=Spruce Up The Ship +Iron\ to\ Gold\ upgrade=Iron to Gold upgrade +Writer's=Writer's +Gilded\ Blackstone\ Camo\ Trapdoor=Gilded Blackstone Camo Trapdoor +Activation\ Methods=Activation Methods +Nether\ Wart=Nether Vorte +Sorting\ method=Sorting method +Now\ We're\ Evolving=Now We're Evolving +Green\ Glazed\ Terracotta\ Ghost\ Block=Green Glazed Terracotta Ghost Block +Grants\ a\ larger\ Hammer\ break\ radius\ at\ the\ cost\ of\ mining\ speed.=Grants a larger Hammer break radius at the cost of mining speed. +Gray\ Beveled\ Glass\ Pane=Gray Beveled Glass Pane +Light\ Gray\ Mushroom\ Block=Light Gray Mushroom Block +Light\ Blue\ Concrete\ Ghost\ Block=Light Blue Concrete Ghost Block +Cut\ Sandstone\ Platform=Cut Sandstone Platform +Other\ Players=Other Players +Llama\ dies=It is lame to die +Red\ Sandstone=The Red Stone +Drop\ Selected\ Item=The Finish An Element Is Selected +Wooden\ Shovel=Wooden Paddle +Pathing=Pathing +Purple\ Shingles\ Stairs=Purple Shingles Stairs +Generate\ the\ Broken\ variance\ of\ Core\ of\ Flights=Generate the Broken variance of Core of Flights +The\ world\ you\ are\ going\ to\ download\ is\ larger\ than\ %s=To the world that you would like to get more info than that %s +Slider\ Modifications=Slider Modifications +Certus\ Quartz\ Stairs=Certus Quartz Stairs +Tanned\ Leather=Tanned Leather +Pendorite\ Block=Pendorite Block +Dead\ Tube\ Coral\ Block=The Dead Tube, And The Barrier Block +Text\ Field\ Background\:=Text Field Background\: +Level\ requirement\:\ %s=The level of expenditure for the following\: %s +Advanced\ Triturator=Advanced Triturator +Min.\ Height=Thousands of people. Height +Brown\ Shingles\ Slab=Brown Shingles Slab +Pink\ Anemone=Pink Anemone +Left\ Arrow=This Is The Left Arrow Key +Stripped\ Aspen\ Wood=Stripped Aspen Wood +Sapphire\ Chestplate=Sapphire Chestplate +When\ on\ Feet\:=When on Feet\: +Legs\ Protection=Legs Protection +Iron\ Plate=Iron Plate +Small\ Pile\ of\ Invar\ Dust=Small Pile of Invar Dust +Mangrove\ Fence=Mangrove Fence +Stone\ Trapdoor=Stone Trapdoor +\u00A77\u00A7o"His\ music\ rocks."\u00A7r=\u00A77\u00A7o"His music rocks."\u00A7r +Deep\ Mob\ Learning\:\ Refabricated\ -\ Glitch\ Armor=Deep Mob Learning\: Refabricated - Glitch Armor +Loading\ error\!=Loading error\! +%s\ Excavator=%s Excavator +%1$s\ didn't\ want\ to\ live\ in\ the\ same\ world\ as\ %2$s=%1$s I don't want to live in this world, and that the %2$s +Reset=Reset +Ascending=Ascending +Dropped=Error +Float\ must\ not\ be\ more\ than\ %s,\ found\ %s=The float should not be more than %s we found %s +Quartz\ Pillar\ Camo\ Door=Quartz Pillar Camo Door +Rainbow\ Brick\ Slab=Rainbow Brick Slab +Craft\ any\ upgrade=Craft any upgrade +Polished\ Netherrack\ Slab=Polished Netherrack Slab +%1$s\ %2$s,\ %3$s\ %4$s,\ and\ %5$s\ %6$s=%1$s %2$s, %3$s %4$s, and %5$s %6$s +Red\ Nether\ Bricks=Red-Brick, Nether +Black\ Bordure=Black Outline +Red\ Garnet\ Dust=Red Garnet Dust +Oak\ Cross\ Timber\ Frame=Oak Cross Timber Frame +Dropper=Dropper +Remove\ all\ nearby\ water\ blocks=Remove all nearby water blocks +Lime\ Saltire=The Horse \u0421\u0430\u043B\u0442\u0430\u0439\u0440 +Mayonnaise=Mayonnaise +Removed\ %s\ items\ from\ %s\ players=To remove %s statii %s players +Terms\ of\ Service=Terms of use +2x\ Compressed\ Netherrack=2x Compressed Netherrack +Twisting\ Vines\ Plant=The Twist In The Vines Of The Plant +Yellow\ Stained\ Glass\ Pane=Yellow Stained Glass Drowned\ swims=The floating body -History=History -11x11\ (Extreme)=11x11 (Extreme) +Cyan\ Base\ Gradient=TS\u00DCANOGEEN on Osnove Gradient +Resource\ Packs...=Resource Pack Je... +MFE=MFE +Pickle\ Brine=Pickle Brine +Fool's\ Gold\ Shovel=Fool's Gold Shovel +Peridot\ Leggings=Peridot Leggings +Left\ Sleeve=On The Left Sleeve +Splash\ Potion\ of\ Regeneration=The screen saver preview on google +Dacite\ Brick\ Stairs=Dacite Brick Stairs +Compression\ -\ Vertical=Compression - Vertical +Warped\ Stairs=Warped Stairs +Tropical\ Island=Tropical Island +Bottom\ -\ %s=Below %s +A\ small\ plant\ that\ can\ be\ found\ anywhere\ in\ the\ world.\ Can\ be\ broken\ normally\ to\ drop\ new\ crop\ seeds,\ or\ broken\ with\ shears\ to\ obtain\ the\ shrub\ itself.\ Can\ also\ be\ sheared\ to\ remove\ the\ leaves,\ or\ potted.\ Will\ die\ if\ placed\ on\ sand\ or\ toasted.=A small plant that can be found anywhere in the world. Can be broken normally to drop new crop seeds, or broken with shears to obtain the shrub itself. Can also be sheared to remove the leaves, or potted. Will die if placed on sand or toasted. +Dev.MeteoritePlacer=Dev.MeteoritePlacer +Packed\ Ice=Dry Ice +Diesel=Diesel +Purple\ Futurneo\ Block=Purple Futurneo Block +No\ activity\ for\ the\ past\ %s\ days=No activity in the past %s Tag +Gear\ equips=The coating provides +Turtle\ operations=Turtle operations +Flower\ Patch=Flower Patch +Pink\ Glowcane=Pink Glowcane +Lettuce\ Crop=Lettuce Crop +Stripped\ Witch-hazel\ Wood=Stripped Witch-hazel Wood +QDS\ task=QDS task +A\ machine\ which\ produces\ a\ specified\ $(thing)item$()\ infinitely.=A machine which produces a specified $(thing)item$() infinitely. +Oak\ Planks\ Camo\ Door=Oak Planks Camo Door +Gray\ Pale\ Sinister=The Grey Light Of The Dark +AE2\ Cable\ and/or\ Bus=AE2 Cable and/or Bus +Fir\ Step=Fir Step +Dried\ Kelp\ Block=Torkning Micro-Enhet +Dark\ Oak\ Platform=Dark Oak Platform +Guiana\ Clearing=Guiana Clearing +Egg\ Tab\ configuration=Egg Tab configuration +Tin\ Wire=Tin Wire +Pink\ Paint\ Ball=Pink Paint Ball +Aspen\ Crafting\ Table=Aspen Crafting Table +Chance\ that\ a\ Vindicator\ spawn\ in\ a\ forest\ is\ a\ 'Johnny'=Chance that a Vindicator spawn in a forest is a 'Johnny' +Coolant=Coolant +Cobblestone\ Stairs=On The Stairs Of Stone +Active\ Record=Active Record +Pink\ Bordure\ Indented=Pink Hole Bord +Expired=Date +Remove\ Splashes\ Entirely\:=Remove Splashes Entirely\: +Small\ Pile\ of\ Gold\ Dust=Small Pile of Gold Dust +Willow\ Sapling=Willow Sapling +Incomplete\ (expected\ 1\ angle)=Incomplete (expected 1 angle) +End\ Pristine\ Matter=End Pristine Matter +Copper\ Dust=Copper Dust +Light\ Gray\ Pale\ Sinister=Svetlo-\u0160ed\u00E1 Bledo-Sinister +Gray\ Rune=Gray Rune +Music\ Disc=Cd-rom +Knockback=Use +Only\ Other\ Players=Only Other Players +TNT\ Wing=TNT Wing +Small\ Pile\ of\ Netherrack\ Dust=Small Pile of Netherrack Dust +Red\ Nether\ Brick\ Post=Red Nether Brick Post +Failed\ to\ link\ carts\ on\ the\ server;\ server-side\ inventory\ did\ not\ contain\ enough\ chains\!=Failed to link carts on the server; server-side inventory did not contain enough chains\! +Crimson\ Diagonal\ Timber\ Frame=Crimson Diagonal Timber Frame +To\ create\ drop\ 1\ Singularity\ and\ 1\ Ender\ Dust\ and\ cause\ an\ explosion\ within\ range\ of\ the\ items.=To create drop 1 Singularity and 1 Ender Dust and cause an explosion within range of the items. +The\ maximum\ y-coordinate\ at\ which\ type\ 1\ caves\ can\ generate.=The maximum y-coordinate at which type 1 caves can generate. +The\ source\ and\ destination\ areas\ cannot\ overlap=The source of the label must not overlap +Light\ Blue\ Terracotta\ Glass=Light Blue Terracotta Glass +Emperor\ Red\ Snapper=The Car Is Red Snapper +Drowning=Drowning +Sulfuric\ Acid\ Bucket=Sulfuric Acid Bucket +Change\ HUD\ mode=Change HUD mode +Scroll\ creative\ menu=Scroll creative menu +Granite\ Dust=Granite Dust +Hoglin\ converts\ to\ Zoglin=Hogl around And I zogla +Craft\ a\ Meteorite\ Compass=Craft a Meteorite Compass +Advanced\ Solar\ Panel=Advanced Solar Panel +disabled=disabled +Gray\ Glider=Gray Glider +Light\ Blue\ Shield=Light Blue Shield +Move\ to\ output\ when\ empty.=Move to output when empty. +Add\ Server=To Add A Server +Allow\ Loot\ Chests=Allow Loot Chests +Enhanced\ ore\ processing=Enhanced ore processing +Basalt\ Basin=Basalt Basin +Dispensed\ item=Document element +Num\ Lock=Local President +Select\ Screen\ Type=Select Screen Type +Purple\ Bend=Purple Curve +Japanese\ Maple\ Kitchen\ Sink=Japanese Maple Kitchen Sink +Ruby\ Axe=Ruby Axe +Craft\ a\ Machine\ Chassis=Craft a Machine Chassis +\nMax\ Y\ height\ that\ the\ starting\ point\ can\ spawn\ at.\ Default\ is\ 50.\ If\ below\ min\ height,\ this\ will\ be\ read\ as\ min.=\nMax Y height that the starting point can spawn at. Default is 50. If below min height, this will be read as min. +Who\ is\ Cutting\ Onions?=Who is cutting onions? +Progress\ Tracker\ (Max)=Progress Tracker (Max) +Target\ Language=Language +Hacked\ Sandwich...\ ?=Hacked Sandwich... ? +You\ can't\ remove\ yourself\ from\ this\ claim\!=You can't remove yourself from this claim\! +Show\ FPS\ in\ new\ line=Show FPS in new line +%s\ energy=%s energy +Netherite\ Tiny\ Dust=Netherite Tiny Dust +Blue\ Wool=The Blue Hair +Spread\ %s\ players\ around\ %s,\ %s\ with\ an\ average\ distance\ of\ %s\ blocks\ apart=Levis %s Players from different countries %s, %s the average distance %s other blocks +Obtain\ a\ block\ of\ obsidian=The benefit of a single piece of obsidian +Winter\ Scilla=Winter Scilla +Fancy=Fantasy +Player\ feed\ temporarily\ disabled=The player is temporarily closed +Palm\ Log=Palm Log +Guardian\ Spawn\ Egg=A Sentinel In The Laying Of The Eggs +%s\ is\ higher\ than\ the\ maximum\ level\ of\ %s\ supported\ by\ that\ enchantment=%s more level %s in order to maintain these spells +Neutral\:\ %s=Neutral\: %s +Elder\ Guardian=Senior Security Guard +Fast\ Inserter=Fast Inserter +Fullscreen=Screen full +Purple\ Shingles\ Slab=Purple Shingles Slab +Beacon\ hums=Beacon buzz +Do\ you\ want\ to\ download\ it\ and\ play?=If you would like to download it, and play the game? +Replaced\ a\ slot\ on\ %s\ with\ %s=The substitution of a castle %s with %s +\nHow\ rare\ are\ Giant\ Taiga\ Villages\ in\ Giant\ Taiga\ biomes.=\nHow rare are Giant Taiga Villages in Giant Taiga biomes. +Red\ Lipped\ Blenny=The Red Lip Blenny +You\ can\ also\ choose\ to\ download\ the\ world\ to\ singleplayer.=You can also download it from the game. +Purple\ Inverted\ Chevron=The Inverted Chevron +Trapped\ Souls\ in\ the\ Temple=Trapped Souls in the Temple +Color\ Applicator=Color Applicator +Chorus\ Fruit\ Block=Chorus Fruit Block +You\ cannot\ sleep\ in\ the\ air=You cannot sleep in the air +Created\ team\ %s=This group created %s +Jukebox\ Slab=Jukebox Slab +Are\ you\ sure\ that\ you\ want\ to\ uninvite=Da Li STE Sigourney gelite Yes Yes call +Orange\ Tent\ Top=Orange Tent Top +Mapping\ mode\ that\ can\ go\ deeper\ than\ the\ surface\ blocks,\ mainly\ to\ display\ underground\ caves\ and\ interiors\ of\ buildings.\ The\ roof\ size\ stands\ for\ the\ size\ of\ a\ solid\ horizontal\ "square"\ of\ blocks\ that\ needs\ to\ be\ detected\ above\ you\ to\ activate\ the\ cave\ mode.=Mapping mode that can go deeper than the surface blocks, mainly to display underground caves and interiors of buildings. The roof size stands for the size of a solid horizontal "square" of blocks that needs to be detected above you to activate the cave mode. +Trigger\ tasks\ count=Trigger tasks count +Paste=Paste +Structure\ '%s'\ position\ prepared=Form%s"to prepare for this situation +Purpur\ Lantern=Purpur Lantern +Magenta\ Chief\ Indented=The Primary Transfer Of The Magenta +Note\ Blocks\ Played=Laptops +Footsteps=The steps of +Strider\ chirps=Strider chirps +Tall\ Black\ Bat\ Orchid=Tall Black Bat Orchid +Height\ limit\ for\ building\ is\ %s\ blocks=For the construction of border height %s blocks +Birch\ Door=Maple Doors To The +Panda\ Spawn\ Egg=The Panda Lay Eggs, The Eggs +\u00A79Bound\ To\:\u00A74\ %s=\u00A79Bound To\:\u00A74 %s +Liquid\ Cavern\ Maximum\ Altitude=Liquid Cavern Maximum Altitude +Max\ Power=Max Power +Blacklisted\ Village\ Biomes=Blacklisted Village Biomes +Compressor\ MK2=Compressor MK2 +Compressor\ MK1=Compressor MK1 +Compressor\ MK4=Compressor MK4 +Red\ Roundel=In The Red Circle +Compressor\ MK3=Compressor MK3 +Magnesium\ Dust=Magnesium Dust +Chat\ Text\ Size=Conversation And Goleman On Tekstot +Light\ Gray\ Topped\ Tent\ Pole=Light Gray Topped Tent Pole +Xaero's\ World\ Map\ Settings=Xaero's World Map Settings +Mining\ Fatigue=Mining Fatigue +Recursive\ Networking=Recursive Networking +Phoenix\ Wing=Phoenix Wing +Netherrack\ Glass=Netherrack Glass +Framed\ Glass\ Pane=Framed Glass Pane +Ivis\ Roots=Ivis Roots +The\ overlay\ texture\ can\ be\ found\ in\:=The overlay texture can be found in\: +Favorites\ Enabled\:=Favorites Enabled\: +Cleared\ titles\ for\ %s=Deleted names %s +Cyan\ Futurneo\ Block=Cyan Futurneo Block +Electrum\ Hammer=Electrum Hammer +Advanced\ Alloy\ Smelter=Advanced Alloy Smelter +Change\ Screen\ Type=Change Screen Type +Orange\ Rune=Orange Rune +Beryllium=Beryllium +Cherry\ Oak\ Log=Cherry Oak Log +Cika\ Log=Cika Log +Emerald\ Nugget=Emerald Nugget +Wireless\ Receiver=Wireless Receiver +You\ must\ use\ a\ Chunk\ Scanner\ in\ this\ chunk\ before\ using\ the\ miner=You must use a Chunk Scanner in this chunk before using the miner +Cannot\ build\ a\ bridge\ to\ the\ same\ position=Cannot build a bridge to the same position +MRE=MRE +Black\ Pale=Pale, Black +Parrot\ murmurs=Parrot rookwolken +Shroomlight=Shroomlight +Tropical\ Rainforest=Tropical Rainforest +Sandstone\ Brick\ Slab=Sandstone Brick Slab +Blocks\ will\ be\ dropped\ as\ item.=Blocks will be dropped as item. +Purple\ Field\ Masoned=Lievi Flight Masoned +Conduit\ Power=The conduit +Tomato\ Seeds=Tomato Seeds +Butcher\ works=On the part of the work +Show\ Overlay=Show Overlay +Black\ Paly=Black And Light +Night\ Vision\ Module=Night Vision Module +%s\ %s=%s %s +Redwood\ door=Redwood door +Cyan\ Per\ Pale=Light Blue, In +Chopped\ Carrot=Chopped Carrot +Nether\ Hammer=Nether Hammer +A\ small\ wheel\ with\ teeth,\ gears\ interlocked\ with\ one\ another\ can\ turn\ to\ achieve\ any\ number\ of\ things.$(p)As\ such,\ they\ will\ have\ great\ use\ in\ constructing\ useful\ $(thing)machines$().=A small wheel with teeth, gears interlocked with one another can turn to achieve any number of things.$(p)As such, they will have great use in constructing useful $(thing)machines$(). +Brown\ Banner=Bruin Banner +Block\ unavailable.=Block unavailable. +Glassential=Glassential +Illusioner=Illusioner +White\ Bed=Logic White +Black\ Chief\ Dexter\ Canton=Basic Black Canton Dexter +Crown=Crown +Willow\ Chair=Willow Chair +Lily\ Pad=Lily Forgery +\u00A77\u00A7o"Order\ and\ Progress."\u00A7r=\u00A77\u00A7o"Order and Progress."\u00A7r +Endermite\ scuttles=Endermite spragas +White\ Asphalt\ Stairs=White Asphalt Stairs +Maple\ Pressure\ Plate=Maple Pressure Plate +Lime\ Mushroom=Lime Mushroom +Slight\ GUI\ Modifications\ Config=Slight GUI Modifications Config +Fletcher's\ Hat=Fletcher's Hat +Cyan\ Glazed\ Terracotta\ Ghost\ Block=Cyan Glazed Terracotta Ghost Block +Language\ ID=Language ID +Reduces\ the\ mouse\ sensitivity\ when\ zooming.=Reduces the mouse sensitivity when zooming. +Dark\ Forest\ Dungeons=Dark Forest Dungeons +Cactus=Cactus +Electrum\ Ingot=Electrum Ingot +Prismarine\ Bricks=Prismarine Bricks +New\ World=In The New World +Angel\ Ring=Angel Ring +Purple\ Beetle\ Wing=Purple Beetle Wing +Cherry\ Oak\ Fence=Cherry Oak Fence +Affect\ Game\ Menus\:=Affect Game Menus\: +Cypress\ Kitchen\ Sink=Cypress Kitchen Sink +Parrot=Parrot +An\ ore-like\ block\ found\ in\ beaches\ and\ oceans,\ which\ can\ be\ broken\ to\ obtain\ a\ Salt\ Rock\ and\ some\ sand.=An ore-like block found in beaches and oceans, which can be broken to obtain a Salt Rock and some sand. +Tortilla=Tortilla +Lime\ Roundel=Limestone Rondo +ME\ Storage\ Bus=ME Storage Bus +Beacon\ activates=Particles of light, to activate the +Pack\ '%s'\ is\ not\ enabled\!=Packaging%s"is not enabled. +We\ Need\ to\ Go\ Deeper=We need to go deeper +Modpack\ Message=Modpack Message +If\ on,\ the\ server\ will\ be\ able\ to\ provide\ extra\ information\nabout\ containers\ to\ the\ clients\ with\ the\ mod\ installed.\nDisabling\ this\ option\ will\ disable\ all\ of\ the\ options\ below.=If on, the server will be able to provide extra information\nabout containers to the clients with the mod installed.\nDisabling this option will disable all of the options below. +Purple\ Patterned\ Wool=Purple Patterned Wool +Small\ Pile\ of\ Endstone\ Dust=Small Pile of Endstone Dust +Galaxium\ Chestplate=Galaxium Chestplate +%sm\ away=%sm away +Red\ Nether\ Brick\ Platform=Red Nether Brick Platform +White\ Roundel=The White Round +Minecon\ 2013\ Cape\ Wing=Minecon 2013 Cape Wing +Lime\ Base=On The Basis Of Lime +Energy\ Cable=Energy Cable +Fire\ Immunity\ Cost=Fire Immunity Cost +Preview=Preview +Orange\ Glazed\ Terracotta\ Ghost\ Block=Orange Glazed Terracotta Ghost Block +Can\ break\:=Can be divided into\: +Industrial\ Revolution=Industrial Revolution +Message\ to\ display\ while\ in\ Singleplayer\\n\ Available\ placeholders\:\\n\ -\ &playerinfo&\ \=\ Your\ in-world\ player\ info\ message\\n\ -\ &worldinfo&\ \=\ Your\ in-world\ game\ info=Message to display while in Singleplayer\\n Available placeholders\:\\n - &playerinfo& \= Your in-world player info message\\n - &worldinfo& \= Your in-world game info +Cow\ gets\ milked=The cows are milked +Simulation=Simulation +Rocky\ Stone\ Slab=Rocky Stone Slab +Future\ Transformer=Future Transformer +Crafting\ Emitter\ Mode=Crafting Emitter Mode +Copper\ Cable=Copper Cable +%s[%s%%]\ tamed=%s[%s%%] tamed +Configure\ Slots=Configure Slots +Oak\ Coffee\ Table=Oak Coffee Table +Chorus\ Flower\ withers=Choir the Flowers wither +Methane=Methane +Mangrove\ Pressure\ Plate=Mangrove Pressure Plate +Shipwrecks=Shipwrecks +Yellow\ Chevron=Yellow Chevron +7x\ Compressed\ Cobblestone=7x Compressed Cobblestone +Insert=To add to the +Maple\ Crafting\ Table=Maple Crafting Table +Acacia\ Kitchen\ Sink=Acacia Kitchen Sink +Tin\ Stairs=Tin Stairs +Realm\ description=Empire Description +Min\ cannot\ be\ bigger\ than\ max=The Min can not be greater than the maximum +Light\ Gray\ ME\ Smart\ Cable=Light Gray ME Smart Cable +Pink\ ME\ Dense\ Covered\ Cable=Pink ME Dense Covered Cable +Beveled\ Glass\ Pane=Beveled Glass Pane +User\ is\ allowed\ to\ store\ new\ items\ into\ storage.=User is allowed to store new items into storage. +Light\ Blue\ Base\ Sinister\ Canton=Blue Light Main Gods Of Canton +Brown\ Shulker\ Box=Brown, Shulk Impressora Caixa +Blacklisted=Blacklisted +GUI\ Scale=GUI scale +Sandwich\ Size\ Slows\ Eating\ Time=Sandwich Size Slows Eating Time +Orange\ Shingles\ Stairs=Orange Shingles Stairs +Cycle\ Primary\ Modifier\ Key=Cycle Primary Modifier Key +Smooth\ Nether\ Bricks=Smooth Nether Bricks +Anvil\ used=The prison was used +Weather\ Detector=Weather Detector +Require\ Unfocused=Require Unfocused +Block\ of\ Univite=Block of Univite +Dacite\ Tile\ Slab=Dacite Tile Slab +Showing\ %s\ mod=Of %s mode +An\ Object's\ First=The Object Of The First +Red\ Sandstone\ Brick\ Stairs=Red Sandstone Brick Stairs +Cloth\ Mod\ Config\ Config=Boards Fashion In Configuration +Can't\ insert\ %s\ into\ %s=Man pavyko gauti %s this %s +Gold\ Ingot=Gold +I/O\:\ %s=I/O\: %s +Holly\ Sapling=Holly Sapling +Brown\ Mushroom=Brown Bolets +Bronze\ Gear=Bronze Gear +Shulker\ Bullet=Shulker, You +Potted\ Autumn\ Oak\ Sapling=Potted Autumn Oak Sapling +Nether\ Quartz\ Shovel=Nether Quartz Shovel +Holly\ Log=Holly Log +Asteroid\ Tin\ Cluster=Asteroid Tin Cluster +Archery\ Cost=Archery Cost +Teleported\ %s\ to\ %s=Player %s for %s +Mossy\ Cobblestone\ Slab=Bemoste No Leisteen +Jacaranda\ Wall=Jacaranda Wall +Kill\ five\ unique\ mobs\ with\ one\ crossbow\ shot=Five of the original one-shot crossbow to kill monsters +Clouds=Clouds +Iron\ Shelf=Iron Shelf +Black\ Glazed\ Terracotta=Black Glazed Terracotta +Crimson\ Planks\ Camo\ Door=Crimson Planks Camo Door +Potted\ Peony=Potted Peony +Rich\ Mining\ Solutions=Rich Mining Solutions +Cyan\ Elevator=Cyan Elevator +Illusioner\ dies=The Illusion is to die +Fisherman's\ Hat=Fisherman's Hat +Dacite\ Cobblestone=Dacite Cobblestone +Item\ Frame\ fills=The item fills the frame +White\ Inverted\ Chevron=Hvid Omvendt Chevron +Stored\ /\ Craftable=Stored / Craftable +Primitive\ Machine\ Chassis=Primitive Machine Chassis +Polished\ Diorite\ Step=Polished Diorite Step +Salinity\ Level\ LOW=Salinity Level LOW +Tripwire\ Hook=Napetost Cook +Green\ Tent\ Top\ Flat=Green Tent Top Flat +Triple\ Efficiency=Triple Efficiency +%1$s\ went\ off\ with\ a\ bang=%1$s fire-many of the high - +Start\ with\ the\ basics\ and\ craft\ a\ Stone\ Hammer.=Start with the basics and craft a Stone Hammer. +Copy\ Coordinates=Copy Coordinates +Save\ all=Save all +F3\ +\ T\ \=\ Reload\ resource\ packs=F3 + T \= " Resources-Package +Customized\ worlds\ are\ no\ longer\ supported\ in\ this\ version\ of\ Minecraft.\ We\ can\ try\ to\ recreate\ it\ with\ the\ same\ seed\ and\ properties,\ but\ any\ terrain\ customizations\ will\ be\ lost.\ We're\ sorry\ for\ the\ inconvenience\!=The users of the world, they are no longer supported in this version of the famous. We will be trying to replicate the same seed and traits, but all of the topography and the changes will be lost. We are sorry for the inconvenience\! +Player\ dies=The player can't die +Fire\ Aspect=The Fire Aspect +Silver=Silver +Slowness=Lent +No\ Secondary\ Output=No Secondary Output +Green\ Inverted\ Chevron=Green Inverted Chevron, +Mundane\ Splash\ Potion=Gewone Splash Drankjes +Gave\ %s\ experience\ points\ to\ %s=The view of l' %s experience points %s +Mahogany\ Log=Mahogany Log +Farmer\ MK4=Farmer MK4 +Farmer\ MK3=Farmer MK3 +Farmer\ MK2=Farmer MK2 +Stopped\ sound\ '%s'\ on\ source\ '%s'=In order to stop the vote%ssource%s' +Farmer\ MK1=Farmer MK1 +Raw\ Mutton=Raw Lamb, +End\ Moss=End Moss +Stone\ Button=RA Button +Zelkova\ Planks=Zelkova Planks +End\ Midlands=The Final Of The Midlands +Magma\ Brick\ Stairs=Magma Brick Stairs +\u00A77Horizontal\ Speed\:\ \u00A7a%s=\u00A77Horizontal Speed\: \u00A7a%s +Rainbow\ Eucalyptus\ Stairs=Rainbow Eucalyptus Stairs +Unlimited\ resources,\ free\ flying\ and=Unlimited resources, free flying and +Potted\ Gray\ Lungwort=Potted Gray Lungwort +Sky\ Stone\ Block\ Slabs=Sky Stone Block Slabs +Nothing\ changed.\ The\ player\ is\ not\ an\ operator=Nothing will change. The player operator +Purple\ Glowshroom=Purple Glowshroom +Orange\ Terracotta\ Ghost\ Block=Orange Terracotta Ghost Block +White\ Oak\ Barrel=White Oak Barrel +End\ Stone\ Axe=End Stone Axe +Block\ placed=The block is attached to +%sx\ speed=%sx speed +Max\ Time=Max Time +Configures\ Partition\ based\ on\ currently\ stored\ items.=Configures Partition based on currently stored items. +Creative\ Farmer=Creative Farmer +Dark\ Glass=Dark Glass +Ominous\ Banner=The Sinister Name +4k\ ME\ Storage\ Cell=4k ME Storage Cell +Express\ Conveyor\ Belt=Express Conveyor Belt +White\ Base\ Indented=White Base Indented +Blue\ Terracotta\ Camo\ Door=Blue Terracotta Camo Door +Generate\ Core\ of\ Flights\ on\ Buried\ Treasures=Generate Core of Flights on Buried Treasures +Thrown\ Egg=Put An Egg +Cyan\ Pale\ Dexter=Modra, Svetlo, Dexter +Don't\ forget\ to\ back\ up\ this\ world=Don't forget to return to the world +Poseidon\ Bless\ Cost=Poseidon Bless Cost +A\ material\ so\ highly\ coveted\ it\ has\ sparked\ numerous\ interstellar\ wars;\ only\ a\ limited\ amount\ of\ it\ exists\ within\ this\ realm,\ thought\ to\ have\ originated\ at\ the\ heart\ of\ the\ universe,\ before\ any\ of\ us\ even\ dared\ the\ thought\ of\ existence.\ It\ is\ unknown\ whether\ any\ material\ conveys\ higher\ power\ than\ Univite.=A material so highly coveted it has sparked numerous interstellar wars; only a limited amount of it exists within this realm, thought to have originated at the heart of the universe, before any of us even dared the thought of existence. It is unknown whether any material conveys higher power than Univite. +Bridge\ Built\!=Bridge Built\! +The\ minimum\ value\ which\ the\ linear\ transition\ step\ can\ reach.=The minimum value which the linear transition step can reach. +Preparing\ spawn\ area\:\ %s%%=Training in the field of beef\: %s +Potted\ Tall\ Green\ Calla\ Lily=Potted Tall Green Calla Lily +Crate\ of\ Melon\ Seeds=Crate of Melon Seeds +Color\:\ %s=Color\: %s +\nHow\ rare\ are\ Swamp\ Villages\ in\ Swamp\ biomes.=\nHow rare are Swamp Villages in Swamp biomes. +Palm\ Vertical\ Slab=Palm Vertical Slab +Maple\ Hills=Maple Hills +You\ have\ removed\ %s\ [[live||lives]]\ from\ your\ lifepool.=You have removed %s [[live||lives]] from your lifepool. +Magenta\ Per\ Bend\ Inverted=Purple Per Bend Inverted +Sugar\ Cane=Sugar, Sugar From Sugar Cane-Of-Sugar - +Crate\ of\ Wheat\ Seeds=Crate of Wheat Seeds +Brown\ Skull\ Charge=A Brown Skull Wage +The\ minimum\ y-coordinate\ at\ which\ Floored\ Caverns\ can\ generate.=The minimum y-coordinate at which Floored Caverns can generate. +Panda\ pants=Panda Kalhoty +Empty\ Upgrade=Empty Upgrade +Mossy\ Red\ Rock\ Brick\ Slab=Mossy Red Rock Brick Slab +A\ chopped\ food\ item\ which\ is\ more\ hunger-efficient\ than\ a\ whole\ onion.=A chopped food item which is more hunger-efficient than a whole onion. +Jungle\ Door=Forest Gate +Map=Mapata +Cat\ eats=The cat is eating +Old\ Iron\ Chest=Old Iron Chest +Blank\ Rune=Blank Rune +Ender\ Eye\ Dust=Ender Eye Dust +Void\ Bucket=Void Bucket +Armorer's\ Mask=Armorer's Mask +%s\ XP=%s XP +White\ Oak\ Log=White Oak Log +Magna\ Config=Magna Config +Green\ Rune=Green Rune +Modifier\ Keys=Modifier Keys +Pine\ Mountains=Pine Mountains +Use\ coolers\ like\ a\ cool\ guy=Use coolers like a cool guy +Cut\ Red\ Sandstone\ Platform=Cut Red Sandstone Platform +Increase\ energy\ store=Increase energy store +Witch\ cheers=Yay, Halloween +Light\ Gray\ Stained\ Glass\ Pane=Light Gray Stained Glass Panel +$(l)Tools$()$(br)Mining\ Level\:\ 2$(br)Base\ Durability\:\ 462$(br)Mining\ Speed\:\ 6.5$(br)Attack\ Damage\:\ 2.0$(br)Enchantability\:\ 20$(p)$(l)Armor$()$(br)Durability\ Multiplier\:\ 17$(br)Total\ Defense\:\ ?$(br)Toughness\:\ 0$(br)Enchantability\:\ 22=$(l)Tools$()$(br)Mining Level\: 2$(br)Base Durability\: 462$(br)Mining Speed\: 6.5$(br)Attack Damage\: 2.0$(br)Enchantability\: 20$(p)$(l)Armor$()$(br)Durability Multiplier\: 17$(br)Total Defense\: ?$(br)Toughness\: 0$(br)Enchantability\: 22 +A\ sliced\ nether\ food\ item\ that\ is\ more\ hunger-efficient\ than\ a\ whole\ toasted\ warped\ fungus,\ and\ can\ be\ eaten\ faster.=A sliced nether food item that is more hunger-efficient than a whole toasted warped fungus, and can be eaten faster. +Warped\ Forest=Curves In The Woods +Emits\ a\ redstone\ signal\ depending\ on\ how\ many\ teams\ that\ have\ completed\ the\ selected\ quest.\ Players\ without\ teams\ count\ as\ separate\ one\ person\ teams.=Emits a redstone signal depending on how many teams that have completed the selected quest. Players without teams count as separate one person teams. +Entities=Entities +Gravel\ Camo\ Door=Gravel Camo Door +Nothing\ changed.\ That\ IP\ isn't\ banned=Nothing has changed. This IP is not ban +Buffet\ world\ customization=Breakfast buffet, settings in the world +Show\ Death\ Message=Show Death Message +Overlay\ Render\ Layer=Overlay Render Layer +Pink\ Glider=Pink Glider +%s\ or\ %s=%s or %s +Silver\ Vase\ Flower=Silver Vase Flower +CraftPresence\ -\ Select\ a\ Biome=CraftPresence - Select a Biome +Boat=The ship +Creeper\ hurts=Creeper \u03BA\u03B1\u03BA\u03CC +Caution\:\ Third-Party\ Online\ Play=Please Note\: Third-Party Online Games +Place\ a\ dragon\ egg\ on\ top\ of\ it\ to\ harvest\ its\ energy=Place a dragon egg on top of it to harvest its energy +Small\ Pile\ of\ Spessartine\ Dust=Small Pile of Spessartine Dust +Nether\ Bricks\ Shipwreck\ Spawnrate=Nether Bricks Shipwreck Spawnrate +Andesite\ Brick\ Stairs=Andesite Brick Stairs +Maximum\ output=Maximum output +Light\ Gray\ Shield=The Light Gray Shield +%s\ [%s]=%s [%s] +Light\ Gray\ Tent\ Top=Light Gray Tent Top +ONLY\ WORKS\ IF\ Cave\ Region\ Size\ IS\ SET\ TO\ Custom\!=ONLY WORKS IF Cave Region Size IS SET TO Custom\! +Jump\ to\ page\ %s=Jump to page %s +Structure\ saved\ as\ '%s'=The building is recorded in the form%s' +Wood\ to\ Gold\ upgrade=Wood to Gold upgrade +Red\ Rock\ Brick\ Stairs=Red Rock Brick Stairs +A\ task\ where\ the\ player\ must\ break\ one\ or\ more\ blocks.=A task where the player must break one or more blocks. +Iron\ Hoe=The Owner Of Iron +Stone\ Lance=Stone Lance +...One\ Giant\ Leap\ For\ Mankind=...One Giant Leap For Mankind +Skyris\ Pressure\ Plate=Skyris Pressure Plate +Stripped\ Cherry\ Wood=Stripped Cherry Wood +Collect\ data\ and\ render\ the\ tooltip=Collect data and render the tooltip +Aspen\ Log=Aspen Log +Initial\ Delay=Initial Delay +Enchantability=Enchantability +Small\ End\ Islands=Malyk Edge On The Island +Mobs=People +Chinese\ Simplified=Chinese Simplified +Blue\ Netherrack=Blue Netherrack +Generation\ Rate\ Day=Generation Rate Day +Univite\ Nugget=Univite Nugget +%1$s\ isn't\ using\ a\ Wing=%1$s isn't using a Wing +Magenta\ Tent\ Side=Magenta Tent Side +Maple\ Stairs=Maple Stairs +Yellow\ Per\ Bend\ Sinister\ Inverted=Yellow Bend Sinister Back +Pink\ Chief\ Indented=Pink Chief Indented +Redwood\ Chair=Redwood Chair +Pig\ dies=The pig dies +Mode=Mode +Included=Included +Brown\ Shingles\ Stairs=Brown Shingles Stairs +Pine\ Trapdoor=Pine Trapdoor +%s\ just\ lost\ a\ life\ %s.\ You\ have\ %s\ [[live||lives]]\ left=%s just lost a life %s. You have %s [[live||lives]] left +Fluid\ Infuser=Fluid Infuser +Failed\ to\ load\ display\ data=Failed to load display data +1x\ Compressed\ Sand=1x Compressed Sand +Red\ Pale\ Dexter=Red Lights-Dexter +Mods=Mo +Show\ Current\ Biome=Show Current Biome +Quartz\ Cutting\ Knife=Quartz Cutting Knife +Prismarine\ Chimney=Prismarine Chimney +Certus\ Quartz\ Crook=Certus Quartz Crook +White\ Base=White Background +Surface\ Caves=Surface Caves +Rabbit\ attacks=Bunny angrep +Level\ Requirement\:\ %s=Level Requirement\: %s +Into\ Fire=The hearth +%1$s/%2$s=%1$s/%2$s +Iron\ Gate=Iron Gate +Pendorite\ Axe=Pendorite Axe +Black\ Carpet=The Carpet In Black +Leather\ Cap=The Leather Cover +Trident=Diamond +Armour\ Value=Armour Value +Yellow\ Slime\ Block=Yellow Slime Block +Nether\ Brick\ Outposts\ Spawnrate=Nether Brick Outposts Spawnrate +Resize\ UI=Resize UI +Rocket\ experienced\ rapid\ unscheduled\ disassembly\:\ no\ fuel\ loaded\!=Rocket experienced rapid unscheduled disassembly\: no fuel loaded\! +Skin\ Customization=Adaptation Of The Skin +Resin\ basin\ must\ be\ placed\ on\ a\ valid\ rubber\ tree.=Resin basin must be placed on a valid rubber tree. +Mossy\ Stone\ Well=Mossy Stone Well +Redstone\ emitting\ block\ used\ to\ detect\ players,\ configurable=Redstone emitting block used to detect players, configurable +Biome\ Depth\ Offset=A Biome Shift In Depth +You\ must\ disable\ Server\ Sync\ in\ your\ configuration\ in\ order\ to\ properly\ and\ safely\ edit\ your\ quests\ without\ losing\ data.=You must disable Server Sync in your configuration in order to properly and safely edit your quests without losing data. +Charged\ Staff=Charged Staff +Stone\ Paxel=Stone Paxel +Magenta\ Base=Red Clothing +Go\ Back=Again +Value\ Name\:=Value Name\: +A\ sliced\ food\ item\ that\ is\ more\ hunger-efficient\ than\ a\ whole\ carrot.=A sliced food item that is more hunger-efficient than a whole carrot. +Nether\ Quartz=The Netherlands Is A Silicon +Maintained=Maintained +Frosted\ Ice=Satin Ice +Cat\ hurts=The cat is expected to +Crimson\ Trapdoor=Raspberry Luc +You\ currently\ have\ %s\ [[live||lives]]\ remaining,\ you\ can't\ remove\ that\ much\ lives.=You currently have %s [[live||lives]] remaining, you can't remove that much lives. +Restart\ game\ to\ load\ mods=Once again, the game is to download the mod +Wither\ dies=Breaking the decayed +Failed\ to\ export\ resource\:\ %s=Failed to export resource\: %s +Woodland\ Mansions=In The Forest Of The Fairies +Nether\ Brick=Nether Brick +Fir\ Sapling=Fir Sapling +Amaranth\ Dylium=Amaranth Dylium +Biofuel=Biofuel +Party=Party +Parts=Parts +Make\ alloys\ from\ ingots\ or\ dusts=Make alloys from ingots or dusts +Observer=The observer +Lime\ Base\ Gradient=Lime Podlagi, Ki +Asterite\ Pickaxe=Asterite Pickaxe +Lead\ Nugget=Lead Nugget +Kibe=Kibe +Red\ Flower\ Charge=Free Red Flower +Export\ using\ round\ robin\ mode.=Export using round robin mode. +Potted\ Bamboo=Bambus I Vase +Property\ value\ for\ "%1$s"\ cannot\ be\ null=Property value for "%1$s" cannot be null +Printed\ Engineering\ Circuit=Printed Engineering Circuit +Reload\ Plugins=Reload Plugins +This\ controls\ the\ average\ size\ of\ caverns.=This controls the average size of caverns. +Installed=Installed +Makes\ the\ Electric\ Furnace\ accept\ Blast\ Furnace\ recipes.=Makes the Electric Furnace accept Blast Furnace recipes. +Bronze\ Pickaxe=Bronze Pickaxe +Craft\ an\ IO\ Port=Craft an IO Port +Droppers\ Searched=Needle Search +64k\ ME\ Storage\ Component=64k ME Storage Component +Tin\ Cable=Tin Cable +Traded\ with\ Villagers=To trade with the villagers +Platinum\ Ingot=Platinum Ingot +Black\ Fess=Black Paint +Centered\:=Centered\: +Entity\ Info=Entity Info +Asphalt\ Stairs=Asphalt Stairs +Full\ Screen\ Terminal=Full Screen Terminal +Nickel\ Wall=Nickel Wall +Diorite\ Circle\ Pavement=Diorite Circle Pavement +Yellow\ Cross=Yellow Cross +Revolutionary\ Guide=Revolutionary Guide +3\ to\ 4=3 to 4 +Block\ of\ Bronze=Block of Bronze +Star-shaped=The stars in the form of a +Invalid\ position\ for\ summon=Invalid Standards Call +Creative\ Tools=Creative Tools +Smooth\ Stone\ Slab=Smooth Plate Gray +Dolphin\ swims=The user interface of the dolphin +A\ Minecraft\ Server=A Minecraft Server +Tropical\ Fish\ Spawn\ Egg=Tropical Fish And Eggs, Poured It Over The Caspian Sea Eggs +Zelkova\ Fence=Zelkova Fence +Birch\ Chair=Birch Chair +$(item)Asterite\ Ore$()\ can\ be\ found\ inside\ $(thing)$(l\:world/asteroids)Asteroids$()\ in\ $(thing)Space$().$(p)Mining\ requires\ a\ $(item)Netherite\ Pickaxe$()\ (Mining\ Level\ 4)\ or\ better,\ usually\ resulting\ in\ a\ single\ $(item)Asterite\ Cluster$()\ which\ can\ forged\ into\ an\ $(item)Asterite$()\ gem.=$(item)Asterite Ore$() can be found inside $(thing)$(l\:world/asteroids)Asteroids$() in $(thing)Space$().$(p)Mining requires a $(item)Netherite Pickaxe$() (Mining Level 4) or better, usually resulting in a single $(item)Asterite Cluster$() which can forged into an $(item)Asterite$() gem. +Jigsaw\ Block=Block Puzzle +Mahogany\ Trapdoor=Mahogany Trapdoor +C418\ -\ 13=C418 - 13 +Redwood\ Pressure\ Plate=Redwood Pressure Plate +Invisible\ through\ quest\ option.=Invisible through quest option. +C418\ -\ 11=C418 - 11 +Light\ Gray\ Shingles\ Slab=Light Gray Shingles Slab +Small\ Pile\ of\ Sapphire\ Dust=Small Pile of Sapphire Dust +Blue\ Glider=Blue Glider +Kill\ any\ hostile\ monster=To kill a monster, the enemy +Taiga\ Mountains=The Mountains, In The Forest +Add\ Dungeons\ to\ Modded\ Biomes=Add Dungeons to Modded Biomes +No\ Properties=No Properties +Watch\ your\ fingers=Watch your fingers +Crimson\ Kitchen\ Cupboard=Crimson Kitchen Cupboard +Baobab\ Leaves=Baobab Leaves +(Shift-Click\ to\ Reload)=(Shift-Click to Reload) +Craft\ a\ Controller=Craft a Controller +Mod=Mod +Auto\ Feeder\ Module=Auto Feeder Module +Blacklisted\ Boulder\ Biomes=Blacklisted Boulder Biomes +Keep\ inventory\ after\ death=You keep your inventory after death +Floaty\ Hat=Floaty Hat +Minimap\ Zoom\ Out=Minimap Zoom Out +Consume\ Trial\ Key=Consume Trial Key +Survival\ Mode=How To Survive +Vindicator\ dies=The reward of death +Sterling\ Silver\ Crook=Sterling Silver Crook +View=View +Substitutions\ Enabled=Substitutions Enabled +End\ Mobs=End Mobs +Chunk\ Logging\ is\ now\ off=Chunk Logging is now off +Magenta\ Terracotta\ Glass=Magenta Terracotta Glass +You\ dont\ have\ permission\ to\ place\ %s\ blocks.=You dont have permission to place %s blocks. +Magenta\ ME\ Covered\ Cable=Magenta ME Covered Cable +RAM\ Module=RAM Module +Blackstone\ Camo\ Trapdoor=Blackstone Camo Trapdoor +Husbandry=Animal / ?????????? +Bone=Bones +Add\ Nether\ Soul\ Temples\ to\ Modded\ Biomes=Add Nether Soul Temples to Modded Biomes +%s\ graphics\ uses\ screen\ shaders\ for\ drawing\ weather,\ clouds\ and\ particles\ behind\ translucent\ blocks\ and\ water.\nThis\ may\ severely\ impact\ performance\ for\ portable\ devices\ and\ 4K\ displays.=%s the chart uses the shader for the preparation of the wind, the clouds and particles in the transparent unit, and of the water.\nThis can have a big impact on the performance of mobile devices and 4K displays. +Page\ Down=On The Bottom Of The Page +Trident\ clangs=Trident clangs +Disabled\ Custom\ Scaling=Disabled Custom Scaling +Curse\ of\ Haunting=Curse of Haunting +Show\ Entity\ Health=Show Entity Health +Transfer\ data\ to\ Storage\ Cell=Transfer data to Storage Cell +Elite\ Liquid\ Generator=Elite Liquid Generator +Times\ Slept\ in\ a\ Sleeping\ Bag=Times Slept in a Sleeping Bag +Unknown\ particle\:\ %s=Unknown Particles\: %s +Book=Book +Dark\ Prismarine=Dark Prismarine +Pillager=Pillager +Stellum\ Gear=Stellum Gear +Dandelion=Dandelion +Remove\ Layer=To Remove A Layer +%1$s\ of\ %2$s=%1$s of %2$s +Coolant\ Bucket=Coolant Bucket +Protection\ Module=Protection Module +Spotty=Not +Netherite\ Scrap=Down-Tone +Working...=It works... +Game\ Over\!=Game Over\! +Data\ Costs\ |\ -1\ to\ disable=Data Costs | -1 to disable +Lever=Poluga +/assets/minecraft/textures/gui/text_field.png=/assets/minecraft/textures/gui/text_field.png +Lava\ (or\ water\ in\ water\ regions)\ spawns\ at\ and\ below\ this\ y-coordinate.=Lava (or water in water regions) spawns at and below this y-coordinate. +Stop\ on\ tool\ breakage=Stop on tool breakage +Propel\ yourself\ with\ a\ Fire\ Extinguisher=Propel yourself with a Fire Extinguisher +Level=Level +Server\ display\ name\ to\ default\ to,\ in\ the\ case\ of\ a\ null\ name\\n\ (Also\ applies\ for\ direct\ connects)=Server display name to default to, in the case of a null name\\n (Also applies for direct connects) +A\ sliced\ version\ of\ the\ Enchanted\ Golden\ Apple,\ which\ gives\ the\ player\ all\ of\ the\ Enchanted\ Golden\ Apple's\ effects\ for\ half\ the\ duration.\ Can\ be\ eaten\ faster.=A sliced version of the Enchanted Golden Apple, which gives the player all of the Enchanted Golden Apple's effects for half the duration. Can be eaten faster. +\nAdd\ Grassy\ Igloos\ to\ modded\ biomes\ that\ are\ most\ likely\ grassy\ fields\ or\ temperate\ forests.=\nAdd Grassy Igloos to modded biomes that are most likely grassy fields or temperate forests. +Willow\ Post=Willow Post +By\ Quantity=By Quantity +Copper\ Tiny\ Dust=Copper Tiny Dust +Brown\ Terracotta\ Glass=Brown Terracotta Glass +German=German +Molten\ Iron\ Bucket=Molten Iron Bucket +Inverted\ range?=Inverted range? +Whitelist\:\ =Whitelist\: +Polished\ Blackstone\ Step=Polished Blackstone Step +The\ Curse\ of\ Gigantism=The Curse of Gigantism +1\ for\ spawning\ in\ most\ chunks\ and\ 1001\ for\ no\ spawn.\n\nHow\ rare\ are\ Badlands\ Villages\ in\ Badland\ biomes.=1 for spawning in most chunks and 1001 for no spawn.\n\nHow rare are Badlands Villages in Badland biomes. +Potted\ Rose\ Bush=Potted Rose Bush +Donkey\ neighs=The donkey laughs +Show\ FPS\ in\ hud=Show FPS in hud +Stripped\ Cika\ Wood=Stripped Cika Wood +Previous\ Page\:=Previous Page\: +Cyan\ Per\ Fess=Blue Fess +Winter\ Succulent=Winter Succulent +Sterling\ Silver\ Chestplate=Sterling Silver Chestplate +Automatic\ saving\ is\ now\ enabled=Auto save is currently owned by +Pure\ Fluix\ Crystal=Pure Fluix Crystal +Removed\ tag\ '%s'\ from\ %s=If you want to remove the extension number%s"on %s +Green\ Bend=Green Wire +Rotten\ Hearts=Rotten Hearts +Dark\ Oak\ Wood=The Oak Is A Dark +Player\ hurts=The player is bad +Steel\ Mining\ Tool=Steel Mining Tool +Yellow\ Futurneo\ Block=Yellow Futurneo Block +Locks\ the\ preview\ window\ above\ the\ tooltip.\nWhen\ locked,\ the\ window\ will\ not\ adapt\ when\ out\ of\ screen.=Locks the preview window above the tooltip.\nWhen locked, the window will not adapt when out of screen. +Magenta\ Tent\ Top\ Flat=Magenta Tent Top Flat +Rubber\ Fence=Rubber Fence +Craft\ a\ fusion\ coil=Craft a fusion coil +%sm\ radius=%sm radius +Crimson\ Planks=Ketone Tej Strani +Expected\ object,\ got\:\ %s=It is expected that the project is bought. %s +Test\ Advancement-Driven\ Book=Test Advancement-Driven Book +A\ block\ used\ to\ cut\ or\ chop\ food\ items.\ Can\ be\ done\ by\ placing\ the\ item\ on\ top,\ and\ interacting\ with\ the\ cutting\ board\ using\ a\ Kitchen\ Knife.=A block used to cut or chop food items. Can be done by placing the item on top, and interacting with the cutting board using a Kitchen Knife. +World=The world +Custom\ Settings=Custom Settings +Bronze\ Nugget=Bronze Nugget +Teleport\ Chance=Teleport Chance +Alps=Alps +Green\ Base\ Indented=Yesil Indented Base +A\ theorized\ origin\ and\ limited\ existence\ means\ immense\ difficulty\ in\ being\ obtained;\ with\ no\ way\ but\ theft\ available\ to\ small\ civilizations.$(p)Or,\ y'know,\ the\ temporary\ recipe\ we\ added.\ But\ that's\ not\ canon.=A theorized origin and limited existence means immense difficulty in being obtained; with no way but theft available to small civilizations.$(p)Or, y'know, the temporary recipe we added. But that's not canon. +Kicked\ for\ spamming=Sparket for spamming +Mud=Mud +Black\ Sandstone=Black Sandstone +Entity\ %s\ has\ no\ loot\ table=The substance %s table rescue +Cobblestone\ Wall=Cobblestone \u0405\u0438\u0434 +Liquid\ Goes\ Where?=Liquid Goes Where? +Yellow\ Glowshroom\ Stem=Yellow Glowshroom Stem +Checking\ Discord\ for\ available\ assets\ with\ ID\:\ %1$s=Checking Discord for available assets with ID\: %1$s +Fluid\ Inserter=Fluid Inserter +Green\ Skull\ Charge=Free Green Skull +Pink\ Flower\ Charge=Pink Flower-Free - +Orange\ Pale\ Sinister=Orange Pale Sinister +Polished\ Blackstone\ Pillar=Polished Blackstone Pillar +Blue\ Enchanted\ Wall=Blue Enchanted Wall +Leave\ blank\ for\ a\ random\ seed=Free to leave a random seed +Wood\ to\ Diamond\ upgrade=Wood to Diamond upgrade +Both=Both +Pink\ Glazed\ Terracotta\ Ghost\ Block=Pink Glazed Terracotta Ghost Block +Pink\ Terracotta\ Ghost\ Block=Pink Terracotta Ghost Block +Pine\ Kitchen\ Counter=Pine Kitchen Counter +Force\ Unicode\ Font=The Power Of Unicode Font +Brown\ Glider=Brown Glider +Green\ Chief\ Indented=Yes The Master Retreat +Orange\ Asphalt=Orange Asphalt +%s\ LF=%s LF +Protanopian\ Gallery=Protanopian Gallery +%s\ Drawer=%s Drawer +Move=Move +Cika\ Trapdoor=Cika Trapdoor +New\ invites\!=New conversations\! +Villages,\ dungeons\ etc.=Hail tunice, etc.). +You\ need\ at\ least\ two\ tiers=You need at least two tiers +Reinforced\ Claim\ Anchor=Reinforced Claim Anchor +Whether\ extended\ hitboxes\ should\ be\ disabled\ when\ the\ player\ is\ sneaking.=Whether extended hitboxes should be disabled when the player is sneaking. +repeatability=repeatability +Golden\ Bars=Golden Bars +Blue\ Asphalt=Blue Asphalt +Aquilorite\ Chestplate=Aquilorite Chestplate +Saturation\ Modifier=Saturation Modifier +Tech\ Soup=Tech Soup +For\ this\ quest\ to\ unlock\ the\ player\ will\ have\ to\ complete\ a\ certain\ amount\ of\ parent\ quests.\ The\ required\ amount\ can\ be\ specified\ below.=For this quest to unlock the player will have to complete a certain amount of parent quests. The required amount can be specified below. +Small\ Soul\ Sandstone\ Brick\ Slab=Small Soul Sandstone Brick Slab +Hold\ down\ %s=Keep %s +Favorite\ Entry\:=Favorite Entry\: +Difficulty=The difficulty +Warped\ Barrel=Warped Barrel +Axe\ Attack\ Speed=Axe Attack Speed +Blue\ Chevron=Blu Navy Chevron +Mode\:\ %s=Mode\: %s +Guardian\ hurts=Damage To The Guardian +To\ Craft=To Craft +Sea\ Level=At Sea Level, +Blue\ Smooth\ Sandstone=Blue Smooth Sandstone +Do\ not\ show\ this\ screen\ again=Don't show this screen +Tungsten\ Pickaxe=Tungsten Pickaxe +\nAdd\ Nether\ Crimson\ Temple\ to\ modded\ Nether\ Crimson\ Forest\ biomes.=\nAdd Nether Crimson Temple to modded Nether Crimson Forest biomes. +Redwood\ Kitchen\ Cupboard=Redwood Kitchen Cupboard +Gravel\ Camo\ Trapdoor=Gravel Camo Trapdoor +Shield\:\ =Shield\: +Spruce\ Cross\ Timber\ Frame=Spruce Cross Timber Frame +Purple\ Glazed\ Terracotta\ Pillar=Purple Glazed Terracotta Pillar +Bowl=Glass +Cucumber\ Crop=Cucumber Crop +Basic\ Downward\ Vertical\ Conveyor=Basic Downward Vertical Conveyor +Purple\ Chief=Purple-Head +Zelkova\ Boat=Zelkova Boat +Dead\ Tube\ Coral\ Wall\ Fan=Dead Pipe Coral, Wall Fan Ventilation +/hqm\ load\ [filename]=/hqm load [filename] +An\ interface\ displaying\ currently\ active\ potion\ effects.=An interface displaying currently active potion effects. +%s\ ms=%s The LADY +Disabled\ friendly\ fire\ for\ team\ %s=Forbidden to attack the team %s +Whether\ the\ Linker\ item\ should\ be\ enabled\ or\ not.=Whether the Linker item should be enabled or not. +Max\ damage\ allowed\ to\ take=Max damage allowed to take +Cables=Cables +Meteoric\ Steel\ Chestplate=Meteoric Steel Chestplate +Hardcore\:=Hardcore\: +Moody=Moody ' s +Decreased=Reduces +A\ force\ loaded\ chunk\ was\ found\ in\ %s\ at\:\ %s=Part of the power load, which is %s when\: %s +Loading\:\ %s=Growth. %s +Iron\ Dust=Iron Dust +Blue\ Terracotta\ Ghost\ Block=Blue Terracotta Ghost Block +Projectile\:=Brand\: +Pine\ Kitchen\ Cupboard=Pine Kitchen Cupboard +Too\ hot=Too hot +Printed\ Logic\ Circuit=Printed Logic Circuit +Break\ Block=Break Block +Purpur\ Post=Purpur Post +Boost=Boost +Red\ Rock\ Heights=Red Rock Heights +From\ Within\ Thou\ I\ Grow=From Within Thou I Grow +Jungle\ Step=Jungle Step +Potted\ Light\ Blue\ Nikko\ Hydrangea=Potted Light Blue Nikko Hydrangea +Calculation\ Processor=Calculation Processor +Ocean\ Ruins=Ruinele Ocean +Cracked\ Polished\ Blackstone\ Bricks=Cracks Polished Blackstone Brick +Bucket\ of\ Cod=Bucket of cod +You\ just\ lost\ a\ life.\ You\ have\ %s\ [[live||lives]]\ left=You just lost a life. You have %s [[live||lives]] left +Merge=Merge +Player\ Items\ Placeholder=Player Items Placeholder +Hold\ Shift\ for\ more\ information\!=Hold Shift for more information\! +Boots=Boots +Orange\ Pale\ Dexter=Amber Dexter +Bronze\ Hoe=Bronze Hoe +Repeater\ Delay=Repeater Delay +Yellow\ Creeper\ Charge=The Yellow Creeper Charges +Matrix\ Frame=Matrix Frame +Cover\ Me\ in\ Debris=Captured by me in the waste +Toggle\ On-map\ Waypoints=Toggle On-map Waypoints +Magenta\ Bend=Arc +Saving\ is\ already\ turned\ on=Memory already included +Burn\ Time\:\ %s\ item(s)=Burn Time\: %s item(s) +Meteoric\ Steel\ Excavator=Meteoric Steel Excavator +Spruce\ Coffee\ Table=Spruce Coffee Table +Magenta\ Terracotta\ Camo\ Trapdoor=Magenta Terracotta Camo Trapdoor +Entity\ can't\ hold\ any\ items=The device is not in a position to have the item +Flour=Flour +Advanced\ Circuit\ Recipe=Advanced Circuit Recipe +Charged\ Certus\ Quartz\ is\ crafted\ by\ inserting\ an\ uncharged\ Certus\ Quartz\ Crystal\ into\ the\ Charger,\ and\ powering\ it.=Charged Certus Quartz is crafted by inserting an uncharged Certus Quartz Crystal into the Charger, and powering it. +Power\ Units=Power Units +Bedrock\ Layer\ Width=Bedrock Layer Width +About=About +ME\ Wireless\ Access\ Point=ME Wireless Access Point +Server\ out\ of\ date\!=The server is up-to-date\! +Shocking=Shocking +Magenta\ Thing=The Magenta Thing +Mossy\ Cobblestone\ Brick=Mossy Cobblestone Brick +Savanna=Savannah +Blue\ Bordure\ Indented=The Blue Edge Of The Indentation +\nControls\ whether\ loot\ chests\ spawn\ or\ not.=\nControls whether loot chests spawn or not. +Load\ World\ First\!=Load World First\! +Toasted\ Warped\ Fungus=Toasted Warped Fungus +A\ Furious\ Cocktail=\u00CDmpios Cocktails +Rancher\ MK1=Rancher MK1 +Rancher\ MK2=Rancher MK2 +Rancher\ MK3=Rancher MK3 +Rancher\ MK4=Rancher MK4 +Collision\ Depth=Collision Depth +Great\ View\ From\ Up\ Here=This Is A Very Beautiful Landscape +Bytes\ Used=Bytes Used +Lingering\ Potion\ of\ Healing=The rest of the healing potion +Chute=Chute +Maple\ Fence=Maple Fence +Standard\ Booster=Standard Booster +Items-Armor=Items-Armor +Craft\ a\ wire\ mill=Craft a wire mill +with=with +Enter\ a\ Taiga\ Mineshaft=Enter a Taiga Mineshaft +Veins\ of\ ores\ found\ in\ $(thing)$(l\:world/meteors)meteors$(),\ which\ may\ be\ harvested\ for\ resources.$(p)When\ mined,\ will\ drop\ their\ respective\ $(thing)$(l\:world/ore_clusters)ore\ clusters$().=Veins of ores found in $(thing)$(l\:world/meteors)meteors$(), which may be harvested for resources.$(p)When mined, will drop their respective $(thing)$(l\:world/ore_clusters)ore clusters$(). +Dragonfly\ Wing=Dragonfly Wing +Magenta\ Per\ Bend\ Sinister\ Inverted=Each Bend Sinister In Red +Pink\ Shulker\ Box=Rosa Navn Shulk Esken +Apricot=Apricot +Crushed=Crushed +Swimming\ with\ the\ Drowned\ Miners=Swimming with the Drowned Miners +Advanced\ Coil=Advanced Coil +Get\ a\ Heat\ Generator=Get a Heat Generator +Metite\ Boots=Metite Boots +The\ Black\ Forest=The Black Forest +Diamond\ armor\ clangs=Diamond armor, you see +Number\ of\ claims\ across\ all\ worlds\:\ %s=Number of claims across all worlds\: %s +Mule\ hurts=The mule-it hurts me +\u00A77Sneak\ while\ holding\ to\ toggle\ receiving\ ports\ on\ a\ casing's\ face.=\u00A77Sneak while holding to toggle receiving ports on a casing's face. +Succeeded\ in\ connecting\ projector\ at\ %s\ with\ projector\ at\ %s.=Succeeded in connecting projector at %s with projector at %s. +Server\ Messages=Server Messages +Stripped\ Acacia\ Log=I Am The Lobster Magazine +Green\ Concrete\ Powder=Green Concrete Dust +Thick\ Potion=The Thickness Of The Broth +Force\ game\ mode=Way to play the strength +Magenta\ ME\ Glass\ Cable=Magenta ME Glass Cable +Respawn\ Anchor\ depletes=Anchors respawn consumption +Pause=Dec +Red\ Glazed\ Terracotta\ Camo\ Door=Red Glazed Terracotta Camo Door +Space\ Suit\ Chest=Space Suit Chest +Energy\ cost\ (LF/tick)=Energy cost (LF/tick) +Prairie\ Clearing=Prairie Clearing +Brown\ Paint\ Ball=Brown Paint Ball +Tall\ Yellow\ Ranunculus=Tall Yellow Ranunculus +1k\ Crafting\ Storage=1k Crafting Storage +Data\ conversion\ for\ object\ "%1$s"\ has\ returned\ an\ unknown,\ invalidated,\ or\ skippable\ result.\ Caution\ is\ advised...\ (Mode\ Attempted\:\ %2$s)...=Data conversion for object "%1$s" has returned an unknown, invalidated, or skippable result. Caution is advised... (Mode Attempted\: %2$s)... +OFF=OFF +Yellow\ Shingles\ Slab=Yellow Shingles Slab +Red\ Tent\ Top\ Flat=Red Tent Top Flat +Game\ paused=To stop the game +Transfer\ All\ Waypoints=Transfer All Waypoints +Beaconator=Beaconator +Red\ Sandstone\ Stairs=Red Sandstone Stairs +Orange\ Topped\ Tent\ Pole=Orange Topped Tent Pole +Commands=Commands +Solid\ Infuser=Solid Infuser +Failed\ to\ create\ debug\ report=Failed to create report with debug +Subsets\ Enabled\:=Subsets Enabled\: +Drowned\ dies=You drown +Electronic\ Circuit=Electronic Circuit +Leave\ Party=Leave Party +Dynamically\ updated\ data\ ->\ %1$s\ in\ %2$s=Dynamically updated data -> %1$s in %2$s +Blue\ Base\ Dexter\ Canton=Guangzhou Blue Base Dexter +A\ metal\ with\ used\ to\ obtain\ sulfur\ dioxide,\ which,\ due\ to\ its\ golden\ color,\ often\ confuses\ the\ unprepared\ traveller.=A metal with used to obtain sulfur dioxide, which, due to its golden color, often confuses the unprepared traveller. +Apple\ Slices=Apple Slices +Bee\ stings=Bee stings +Compact\ Tabs\:=Compact Tabs\: +The\ density\ of\ vanilla\ caves.\ Higher\ \=\ more\ caves,\ closer\ together.=The density of vanilla caves. Higher \= more caves, closer together. +Blue\ Base\ Sinister\ Canton=The Blue Base Sinister Canton +\nAdd\ the\ ID/resource\ location\ of\ the\ biome\ you\ don't\ want\ RS's\ pyramids\ to\ spawn\ in.\ Separate\ each\ ID\ with\ a\ comma\ ,\ Example\:\ "minecraft\:ice_spikes,awesome_mod\:awesome_biome"=\nAdd the ID/resource location of the biome you don't want RS's pyramids to spawn in. Separate each ID with a comma , Example\: "minecraft\:ice_spikes,awesome_mod\:awesome_biome" +Brain\ Coral\ Fan=Truri Koral Varg +Red\ Per\ Bend\ Inverted=The Red And The Euro Is On Her Way To The Top To The Bottom +OFF\ (Fastest)=Faster shutdown). +New=New +Light\ Gray\ ME\ Glass\ Cable=Light Gray ME Glass Cable +Type\ 1\ Cave\ Surface\ Cutoff\ Depth=Type 1 Cave Surface Cutoff Depth +Caution\:\ Online\ play\ is\ offered\ by\ third-party\ servers\ that\ are\ not\ owned,\ operated,\ or\ supervised\ by\ Mojang\ Studios\ or\ Microsoft.\ During\ online\ play,\ you\ may\ be\ exposed\ to\ unmoderated\ chat\ messages\ or\ other\ types\ of\ user-generated\ content\ that\ may\ not\ be\ suitable\ for\ everyone.=Caution\: Online play is offered by third-party servers that are not owned, operated, or supervised by Mojang Studios or Microsoft. During online play, you may be exposed to unmoderated chat messages or other types of user-generated content that may not be suitable for everyone. +Obtainable\ by\ breaking\ a\ Shrub,\ and\ used\ to\ plant\ cucumber\ crops.=Obtainable by breaking a Shrub, and used to plant cucumber crops. +Lead\ Slab=Lead Slab +Missing\ operand=Missing operand +When\ on\ body\:=When in the body\: +Allows\ you\ to\ toggle\ your\ sneak\ ON/OFF\ and\ stay\ sneaking\ without\ having\ to\ hold\ anything.=Allows you to toggle your sneak ON/OFF and stay sneaking without having to hold anything. +Tin\ is\ useful\ for\ plating\ to\ prevent\ corrosion.\ When\ combined\ with\ $(item)$(l\:resources/copper)Copper$()\ in\ an\ $(item)$(l\:machinery/alloy_smelter)Alloy\ Smelter$(),\ it\ can\ make\ $(item)$(l\:resources/bronze)Bronze$().=Tin is useful for plating to prevent corrosion. When combined with $(item)$(l\:resources/copper)Copper$() in an $(item)$(l\:machinery/alloy_smelter)Alloy Smelter$(), it can make $(item)$(l\:resources/bronze)Bronze$(). +Use\ your\ mouse\ to\ turn=Use the arrow keys to rotate the +Shattered\ Savanna=Nitrogen Shroud +Hide\ for\ own\ team=In order to hide their own command +Bronze\ Sword=Bronze Sword +Chainmail\ Chestplate=Tor Chestplate +First\ machines=First machines +Expired\ realm=To finish the Kingdom +Select\ World=Vyberite Light +Golden\ Wolf\ Armor=Golden Wolf Armor +%s\ says\ %s=%s victory %s +Dense\ Energy\ Cell=Dense Energy Cell +Willow\ Platform=Willow Platform +ME\ Formation\ Plane=ME Formation Plane +This\ teleporter's\ Ender\ Shard\ can't\ make\ a\ connection\ across\ dimensions\!=This teleporter's Ender Shard can't make a connection across dimensions\! +Load\ all\ quest\ pages\ into\ HQM.=Load all quest pages into HQM. +Potted\ Purple\ Foxglove=Potted Purple Foxglove +Quartz\ Step=Quartz Step +Purple\ Per\ Bend\ Inverted=For The Group, Click The Right Mouse Button On The Color Purple In The Opposite Direction +Pink\ Flat\ Tent\ Top=Pink Flat Tent Top +Horned\ Swamp\ Tree=Horned Swamp Tree +Stone\ Pickaxe=Stone Peak +Rope\ Ladder=Rope Ladder +Enter\ a\ Bastion\ Remnant=To Leave The Fort, And The Remains Of The +Lava\ Brick\ Slab=Lava Brick Slab +Reset\ %s\ for\ %s=Reset %s lai %s +Trial\ Succeeded=Trial Succeeded +Bee\ dies=The bee dies +Nautilus\ Shell=The Nautilus Shell +Hidden\ Sun\ Light\ If\ Zero=Hidden Sun Light If Zero +Jacaranda\ Pressure\ Plate=Jacaranda Pressure Plate +Bluff\ Peaks=Bluff Peaks +Crafting\ Terminal=Crafting Terminal +Ghast\ shoots=In the Gast shot +English=English +Baobab\ Planks=Baobab Planks +Spruce\ Glass\ Trapdoor=Spruce Glass Trapdoor +Fluix\ Crystal=Fluix Crystal +Detection\ task=Detection task +Light\ Gray\ Fess=Light Grey And Gold +Player\ Inner\ Info\ Placeholder=Player Inner Info Placeholder +Turn\ computers\ on\ remotely.=Turn computers on remotely. +Rainbow\ Eucalyptus\ Button=Rainbow Eucalyptus Button +Tin\ Crook=Tin Crook +Bat\ dies=Bats dies +Lock\ Items=Lock Items +Pufferfish=Fish bowl +Sodalite\ Ore=Sodalite Ore +\nHow\ rare\ are\ Stone\ Igloos\ in\ Giant\ Tree\ Taiga\ biomes.\ 1\ for\ spawning\ in\ most\ chunks\ and\ 1001\ for\ none.=\nHow rare are Stone Igloos in Giant Tree Taiga biomes. 1 for spawning in most chunks and 1001 for none. +Network\ Diagnostics=Network Diagnostics +Eye\ Spy\ The\ Overworld=Eye Spy The Overworld +Settings\ used\ in\ the\ generation\ of\ type\ 1\ caves,\ which\ are\ more\ worm-like.=Settings used in the generation of type 1 caves, which are more worm-like. +Marked\ %s\ chunks\ in\ %s\ from\ %s\ to\ %s\ to\ be\ force\ loaded=The photos %s pieces %s i %s it %s the zorak +Melon\ Slice=Cut, Then +General\ Settings=General Settings +You\ had\ %s\ [[live||lives]]\ added\ by\ %s=You had %s [[live||lives]] added by %s +Colored\ Tiles\ (Purple\ &\ Blue)=Colored Tiles (Purple & Blue) +Aspen\ Clearing=Aspen Clearing +Cypress\ Wood=Cypress Wood +Generator=Generator +\u00A7bCheating\ Enabled\ (Using\ Commands)=\u00A7bCheating Enabled (Using Commands) +Finalize\ your\ descent\ with\ a\ Fiery\ Hammer.=Finalize your descent with a Fiery Hammer. +Swamp\ Hills=Marsh, Hills +Dasher=Dasher +Bamboo\ Shoot=BU +\u00A77\u00A7o"Attendee's\ cape\ of\ MINECON\ 2013."\u00A7r=\u00A77\u00A7o"Attendee's cape of MINECON 2013."\u00A7r +Tin\ Ore=Tin Ore +A\ vegetable\ food\ item\ that\ can\ be\ sliced.=A vegetable food item that can be sliced. +Encode\ Pattern=Encode Pattern +Small\ Pile\ of\ Platinum\ Dust=Small Pile of Platinum Dust +Velocity\ which\ is\ interpolated\ according\ to\ the\ friction\ factor.=Velocity which is interpolated according to the friction factor. +Mine\ stone\ with\ your\ new\ pickaxe=My stone with a new hoe +Yellow\ Pale\ Dexter=- Yellow Light-\u0414\u0435\u043A\u0441\u0442\u0435\u0440 +4x\ Compressed\ Netherrack=4x Compressed Netherrack +Trades=The transaction +Large\ %s=Large %s +...=... +Crystal\ Iron\ Furnace=Crystal Iron Furnace +Modified\ entity\ data\ of\ %s=There will be changes in the nature of the information %s +Stripped\ Maple\ Wood=Stripped Maple Wood +Purple\ Stone\ Bricks=Purple Stone Bricks +Continue\ Playing\!=Continue To Play\!\!\! +Select=Select +Endorium\ Shovel=Endorium Shovel +Split\ Damage\ at\ 99%=Split Damage at 99 +Sky\ Stone\ Small\ Brick=Sky Stone Small Brick +As\ soon\ as\ this\ quest\ is\ completed\ it\ can\ be\ completed\ again\ for\ another\ set\ of\ rewards=As soon as this quest is completed it can be completed again for another set of rewards +Bamboo\ Barrel=Bamboo Barrel +Deletion\ via\ Shift\ /\ Space\ Clicking.=Deletion via Shift / Space Clicking. +Keybinding\ while\ holding\ item=Keybinding while holding item +Redstone\ Sand=Redstone Sand +Parrot\ gurgles=Toepassing gorgelt +Fly\ Cost=Fly Cost +Bottom\ Offset=Bottom Offset +Lime\ Flower\ Charge=La Chaux-Flowers-Last +Jungle\ Diagonal\ Timber\ Frame=Jungle Diagonal Timber Frame +Container=Container +Tall\ Magenta\ Begonia=Tall Magenta Begonia +Orange\ Lumen\ Paint\ Ball=Orange Lumen Paint Ball +%1$s\ died\ because\ of\ %2$s=%1$s he died because %2$s +Wrench=Wrench +Stripey=Striped +Lit\ Blue\ Redstone\ Lamp=Lit Blue Redstone Lamp +Monster\ Hunter=Monster Hunter +Crafting\ Co-Processing\ Unit=Crafting Co-Processing Unit +Not=Not +Stellum\ Sword=Stellum Sword +Cherry\ Boat=Cherry Boat +Select\ Quest=Select Quest +Rabbit\ hurts=Rabbit damage +WP\ Dist.\ Vertic.\ Angle=WP Dist. Vertic. Angle +Priority\:\ =Priority\: +Vex\ vexes=Tamara sad +Invalid\ or\ unknown\ sort\ type\ '%s'=Sequencing error, or an unknown type"%s' +Orange\ Glazed\ Terracotta\ Camo\ Trapdoor=Orange Glazed Terracotta Camo Trapdoor +Showing\ craftable=The sample is made +Insert\ Modular\ Armor\ here=Insert Modular Armor here +Structure\ Block=The Design Of The Building +Enable\ Hardcore\ mode.=Enable Hardcore mode. +Sodium\ Sulfide=Sodium Sulfide +Toggle=Turn +Prismarine\ Brick\ Stairs=Prismarine Brick Pill\u0259k\u0259n +Tall\ Light\ Gray\ Rose\ Campion=Tall Light Gray Rose Campion +Tall\ Orange\ Calla\ Lily=Tall Orange Calla Lily +Get\ a\ Cable\ MK2=Get a Cable MK2 +Chiseled\ Quartz\ Block\ Glass=Chiseled Quartz Block Glass +Get\ a\ Cable\ MK3=Get a Cable MK3 +Get\ a\ Cable\ MK4=Get a Cable MK4 +Get\ a\ Cable\ MK1=Get a Cable MK1 +Rename=Rename +Oxeye\ Daisy=\u015Alazy Daisy +Elder\ Guardian\ moans=Father, Guardian, moans +Iron\ Axe=Iron Axe +Palm\ Stairs=Palm Stairs +Bluestone\ Tiles=Bluestone Tiles +Tiny\ Lilypads=Tiny Lilypads +Lead\ Shovel=Lead Shovel +\nHow\ rare\ are\ Crimson\ Village\ in\ Crimson\ Forest\ biomes.\ 1\ for\ spawning\ in\ most\ chunks\ and\ 1001\ for\ none.=\nHow rare are Crimson Village in Crimson Forest biomes. 1 for spawning in most chunks and 1001 for none. +End\ Stone\ Shovel=End Stone Shovel +Look\ around=Look around +Spider\ hurts=Pauk boli +Passive=Passive +4k\ Crafting\ Storage=4k Crafting Storage +Fire\ Immunity=Fire Immunity +Power\ From\ Above=Power From Above +Not\ Available=Not +Flags\:\ =Flags\: +Copy\ all=Copy all +\ \ Large\:\ 0.0032=\ Large\: 0.0032 +Brown\ Saltire=Coffee Can +Showing\ %s\ mods=The presentation %s mods +Orange\ Shingles\ Slab=Orange Shingles Slab +Galaxium\ Axe=Galaxium Axe +White\ Base\ Gradient=Gradient On A White Background +Chiseled\ Quartz\ Block\ Ghost\ Block=Chiseled Quartz Block Ghost Block +\ \ Large\:\ 0.0028=\ Large\: 0.0028 +Tomatoes=Tomatoes +Subscription=Subscribe +World/Server=World/Server +Polished\ Blackstone\ Camo\ Trapdoor=Polished Blackstone Camo Trapdoor +Pink\ Per\ Pale\ Inverted=A Start In This World +Passive\ Energy=Passive Energy +Blackstone\ Camo\ Door=Blackstone Camo Door +Allows\ for\ resetting\ the\ zoom\ with\ the\ middle\ mouse\ button.=Allows for resetting the zoom with the middle mouse button. +Chocolate\ Cream=Chocolate Cream +You\ need\ a\ custom\ resource\ pack\ to\ play\ on\ this\ realm=If you have a custom package of resources to play in this area +Unable\ to\ apply\ this\ effect\ (target\ is\ either\ immune\ to\ effects,\ or\ has\ something\ stronger)=You can also make use of this purpose of the immune system, adverse effects, or something more powerful) +Polished\ Granite\ Camo\ Door=Polished Granite Camo Door +Green\ ME\ Smart\ Cable=Green ME Smart Cable +OUT=OUT +%s\ fps=%s fps +Create\ New\ Map=Create New Map +Red\ Rock\ Mountains=Red Rock Mountains +Cyan\ Globe=The World Of The Blue +Tooltip\ Background\ Color=Tooltip Background Color +VIII=I +Bluestone\ Tile\ Stairs=Bluestone Tile Stairs +White\ Oak\ Stairs=White Oak Stairs +Block\ of\ Nickel=Block of Nickel +Team\ %s\ has\ %s\ members\:\ %s=The team %s it %s members\: %s +Show\ bounding\ box\:=The window displays the disclaimer\: +Item\ Groups=Item Groups +Digging=Digging +Chimneys\ make\ little\ smoke\ clouds.\ They\ can\ also\ be\ stacked\ on\ top\ of\ each\ other\ to\ make\ them\ higher.=Chimneys make little smoke clouds. They can also be stacked on top of each other to make them higher. +Descending=Descending +F3\ +\ Q\ \=\ Show\ this\ list=F3 + D \= Show the list +Charcoal\ Dust=Charcoal Dust +Fool's\ Gold\ Plates=Fool's Gold Plates +Shepherd's\ Hat=Shepherd's Hat +Magenta\ Beveled\ Glass=Magenta Beveled Glass +Lingering\ Potion\ of\ Poison=Spirits of venom +Sonoran\ Desert=Sonoran Desert +Trading\ stations=Trading stations +Local\ game\ hosted\ on\ port\ %s=Part of the game took place in the port %s +Fix\ Vanilla\ Tab\ Container\ (When\ Recipe\ Book\ Disabled)\:=Fix Vanilla Tab Container (When Recipe Book Disabled)\: +Blue\ Terracotta\ Camo\ Trapdoor=Blue Terracotta Camo Trapdoor +Ore\ Settings=The Mineral And The Configuration Of +Stellum\ Helmet=Stellum Helmet +Destroy\ Items=Destroy Items +Noisy=Noisy +Minecon\ 2011\ Cape\ Wing=Minecon 2011 Cape Wing +Carbon\ Plate=Carbon Plate +Green\ Base\ Gradient=Um Yesil Baseado No Gradiente +Cooked\ Joshua\ Fruit=Cooked Joshua Fruit +The\ command\ used\ for\ waypoints\ teleportation\ if\ a\ server-specific\ command\ is\ not\ set\ in\ the\ waypoints\ menu\ Options\ screen.=The command used for waypoints teleportation if a server-specific command is not set in the waypoints menu Options screen. +White\ Terracotta\ Camo\ Trapdoor=White Terracotta Camo Trapdoor +¤t&\ /\ &max&\ Players=¤t& / &max& Players +Teleport\ to\ Player=Teleporta Player +Use\ the\ %1$s,\ %2$s,\ %3$s,\ %4$s\ keys\ and\ the\ mouse\ to\ move\ around=The use of the %1$s, %2$s, %3$s, %4$s function keys and mouse to move +Enable\ Per-Gui\ System=Enable Per-Gui System +Bronze\ Shovel=Bronze Shovel +ME\ P2P\ Tunnel=ME P2P Tunnel +Some\ interfaces\ have\ a\ different\ centered\ look.=Some interfaces have a different centered look. +Turtle\ baby\ hurts=Tortoise baby pain +Config\ Gui\ Keybind=Config Gui Keybind +White\ Tent\ Top\ Flat=White Tent Top Flat +Cable\ MK1=Cable MK1 +Wooden\ Plate=Wooden Plate +Cable\ MK2=Cable MK2 +Speed\:\ %s\ m/s=Speed\: %s m/s +Cable\ MK3=Cable MK3 +Cable\ MK4=Cable MK4 +Brown\ Lozenge=The Diamond-Brown +Standard\ Booster\ (Active)=Standard Booster (Active) +Your\ IP\ address\ is\ banned\ from\ this\ server.\nReason\:\ %s=IP address banned on this server.\nReason\: %s +Sapphire\ Sword=Sapphire Sword +Armorer\ works=Zahirtsi work +Polished\ Granite\ Step=Polished Granite Step +Hardcore\ mode\ don't\ work\ together\ with\ vanilla\ hardcore\ mode.\ Will\ try\ to\ disable\ it...=Hardcore mode don't work together with vanilla hardcore mode. Will try to disable it... +Dark\ Oak\ Small\ Hedge=Dark Oak Small Hedge +Temple\ Configs=Temple Configs +Scrolled=Scrolled +%s\ +\ %s=%s + %s +Orange\ Glazed\ Terracotta\ Camo\ Door=Orange Glazed Terracotta Camo Door +Steel\ Tiny\ Dust=Steel Tiny Dust +Pink\ Stained\ Glass=Pink Stained Glass +Obtaining\ Steel=Obtaining Steel +Pink\ Terracotta\ Camo\ Door=Pink Terracotta Camo Door +\u00A76Output=\u00A76Output +Chapparal\ Coastals=Chapparal Coastals +Metite\ Plates=Metite Plates +Tripwire=Germ +Birch\ Timber\ Frame=Birch Timber Frame +Alternatively,\ here's\ some\ we\ made\ earlier\!=As an alternative, here are a few of what we have done in the past\! +Lunum\ Boots=Lunum Boots +Successfully\ set\ icon\ in\ property\ "%1$s"\ to\ "%2$s"=Successfully set icon in property "%1$s" to "%2$s" +Smooth\ Stone\ Camo\ Trapdoor=Smooth Stone Camo Trapdoor +Kitchen\ blocks=Kitchen blocks +Light\ Gray\ Asphalt=Light Gray Asphalt +Drag\ and\ drop\ files\ into\ this\ window\ to\ add\ packs=The drag-and-drop your files into the window to add more packages +Zombie\ Villager\ hurts=Pain-Zombie Villagers +Potted\ Dark\ Oak=Potted Dark Oak +Adventures=Adventure +The\ minimum\ value\ that\ you\ can\ scroll\ down.=The minimum value that you can scroll down. +Idle=Idle +Click\ to\ teleport=Click on the teleport to tele +Teleport\ Cost=Teleport Cost +Black\ Forest\ Clearing=Black Forest Clearing +requirements=requirements +Splash\ Potion\ of\ Luck=Good Luck, The Splash Potions +Elytra\ Wing=Elytra Wing +Sythian\ Scaffolding=Sythian Scaffolding +Adjustable\ energy\ storage\nConfigurable=Adjustable energy storage\nConfigurable +Spruce\ Kitchen\ Sink=Spruce Kitchen Sink +Bobber\ retrieved=Float-test +XP\ Drops=XP Drops +White\ Table\ Lamp=White Table Lamp +Lime\ Beveled\ Glass=Lime Beveled Glass +Asteroid\ Diamond\ Cluster=Asteroid Diamond Cluster +Visited=Visited +Incomplete\ (expected\ 2\ coordinates)=Incomplete (planned 2, the coordinates of this) +Spawn\ protection=Part of the protection of the +Swamp=Photo +There\ doesn't\ seem\ to\ be\ anything\ here...=There seems to be nothing can be... +Lit\ Rainbow\ Lamp=Lit Rainbow Lamp +Overworld\ Data\ Model=Overworld Data Model +Jump\:\ %s\ block(s)=Jump\: %s block(s) +Polished\ Granite=Polished Granite +To\ enter\ or\ leave\ HQM\ edit\ mode,\ run\ /hqm\ edit\ in\ creative.\ This\ message\ can\ be\ disabled\ in\ configuration.=To enter or leave HQM edit mode, run /hqm edit in creative. This message can be disabled in configuration. +Stripping=Stripping +rep\ rewards=rep rewards +Stored\ Items=Stored Items +Glistening\ Upgrade\ Kit=Glistening Upgrade Kit +Last\ Death\ Point=Last Death Point +Rose\ Bush=Rose Bush +Magenta\ Patterned\ Wool=Magenta Patterned Wool +Wooden\ Sword=The Sword Is Made Of Wood +Rainbow\ Eucalyptus\ Slab=Rainbow Eucalyptus Slab +Light\ Blue\ Futurneo\ Block=Light Blue Futurneo Block +Buffer\ Upgrade=Buffer Upgrade +Nothing\ changed.\ The\ player\ already\ is\ an\ operator=Nothing has changed. Player where the carrier +Sandstone\ Stairs=The Tiles, Stairs And +Invalid\ escape\ sequence\ '\\%s'\ in\ quoted\ string=Invalid escape sequence '\\%s Quote +Fusion\ Control\ Computer=Fusion Control Computer +Interaction\ Grief\ Prevention=Interaction Grief Prevention +Place\ a\ generator=Place a generator +Brass\ Slab=Brass Slab +Enter\ a\ Warped\ Shipwreck=Enter a Warped Shipwreck +Fabric\ mod=Fabric mode +Blazing\ Asteroid\ Stone=Blazing Asteroid Stone +Edit\ Server\ Info=Change The Server Information +White\ Cherry\ Foliage=White Cherry Foliage +Salt=Salt +Certus\ Quartz\ Dust=Certus Quartz Dust +Compression\ -\ Horizontal=Compression - Horizontal +Stone\ Door=Stone Door +The\ Parrots\ and\ the\ Bats=Parrots and bats +Mob\ Speed=Mob Speed +Found\ %s\ matching\ items\ on\ %s\ players=Found %s points %s The game +Graphics\ Device\ Unsupported=Diagram Of The Device Is Compatible With +Dark\ Forest\ Village\ Spawnrate=Dark Forest Village Spawnrate +GameInfo\ Settings=GameInfo Settings +Process\ speed=Process speed +Tall\ Grass=Tall Grass +Claim\ reward=Claim reward +Redwood\ Tropics=Redwood Tropics +Angle\ too\ large\!\ Current\ '%s',\ max\ '%s'=Angle too large\! Current '%s', max '%s' +Purple\ Rune=Purple Rune +Oak\ Glass\ Trapdoor=Oak Glass Trapdoor +Metite\ Chestplate=Metite Chestplate +Black\ Futurneo\ Block=Black Futurneo Block +Fire\ Protection\ Cost=Fire Protection Cost +Sand=The sand +When\ on\ Legs\:=When on Legs\: +Saved\ screenshot\ as\ %s=To save the image as %s +Silver\ Mattock=Silver Mattock +RaUt\ 2=RaUt 2 +Pink\ Chevron=Rosa Chevron +Iridium\ Neutron\ Reflector=Iridium Neutron Reflector +A\ machine\ which\ consumes\ $(thing)energy$()\ to\ press\ $(thing)items$()\ into\ useful\ materials.=A machine which consumes $(thing)energy$() to press $(thing)items$() into useful materials. +Cyan\ Mushroom=Cyan Mushroom +Autumn\ Birch\ Sapling=Autumn Birch Sapling +Nuggets=Nuggets +Infested\ Mines=Infested Mines +Usages=Usages +Detected\ OS\:\ %1$s\ (Architecture\:\ %2$s,\ Is\ 64-Bit\:\ %3$s)=Detected OS\: %1$s (Architecture\: %2$s, Is 64-Bit\: %3$s) +Curse\ of\ Clumsiness=Curse of Clumsiness +Endorium\ Pickaxe=Endorium Pickaxe +Charred\ Nether\ Brick\ Stairs=Charred Nether Brick Stairs +Cypress\ Fence=Cypress Fence +Pink\ Thing=The Pink Thing +Orange\ Per\ Bend=Orange In The Crease +Invalid\ property\ detected\ ("%1$s"),\ removing\ property...=Invalid property detected ("%1$s"), removing property... +\u00A7fIron=\u00A7fIron +View\ more\ info\ about\ this\ computer=View more info about this computer +Target\ Pool\:=Target Pool\: +Use\ textures\ when\ not\ completed=Use textures when not completed +Light\ Gray\ Bend\ Sinister=Light Gray, Ominous District +Gray\ Insulated\ Wire=Gray Insulated Wire +Details\ Message\ Format=Details Message Format +Cooked\ Marshmallow=Cooked Marshmallow +Asterite\ Chestplate=Asterite Chestplate +Manual\ -\ you\ are\ asked\ to\ select\ and\ confirm\ the\ world\ map\ every\ time\ you\ switch\ worlds\ or\ dimensions.\ \n\ \n\ World\ Spawn\ -\ the\ world\ map\ is\ selected\ and\ confirmed\ automatically\ based\ on\ the\ world\ spawn\ point\ that\ the\ game\ client\ is\ aware\ of.\ Can\ break\ if\ the\ server\ is\ using\ the\ vanilla\ compass\ item\ for\ a\ custom\ function.\ \n\ \n\ Single\ -\ each\ dimension\ has\ a\ single\ world\ map\ that\ is\ automatically\ confirmed.\ Useful\ for\ simple\ servers\ with\ a\ single\ world.\ \n\ \n\ Server\ -\ install\ the\ world\ map\ mod\ on\ the\ server\ side\ to\ use\ this\ automatic\ mode.=Manual - you are asked to select and confirm the world map every time you switch worlds or dimensions. \n \n World Spawn - the world map is selected and confirmed automatically based on the world spawn point that the game client is aware of. Can break if the server is using the vanilla compass item for a custom function. \n \n Single - each dimension has a single world map that is automatically confirmed. Useful for simple servers with a single world. \n \n Server - install the world map mod on the server side to use this automatic mode. +The\ Burning\ Velvet\ Ship.=The Burning Velvet Ship. +Sky\ Stone\ Brick\ Stairs=Sky Stone Brick Stairs +Yellow\ Terracotta=Yellow, White Cement +Refreshes\ on\ interval=Refreshes on interval +Large\ Ball=Magic +Generating\ world=Generation world +Old\ Gold\ Chest=Old Gold Chest +Arrow\ of\ Harming=Arrow damage +Asterite=Asterite +Render\ crate\ name\ through\ blocks=Render crate name through blocks +10k\ Water\ Coolant\ Cell=10k Water Coolant Cell +Percent\ chance\ of\ caves\ spawning\ in\ a\ given\ region.=Percent chance of caves spawning in a given region. +Entity\ Name=Entity Name +Pink\ Tent\ Side=Pink Tent Side +Damage\ Blocked\ by\ Shield=It's A Shame To Block The Shield +Light\ Blue\ Inverted\ Chevron=Light Blue Inverted Sedan +Unbanned\ %s=Unban %s +Brown\ Chief=Coffee, Head +Blue\ Mushroom\ Block=Blue Mushroom Block +Soapstone\ Stairs=Soapstone Stairs +Cobblestone\ Post=Cobblestone Post +Primitive\ Tank=Primitive Tank +Mundane\ Potion=Every Day To Drink +Rechargeable=Rechargeable +You\ bound\ '%s'\ to\ the\ QDS=You bound '%s' to the QDS +Left\ Control=Levi Check Out +Websocket\ outgoing=Websocket outgoing +Guardian=Porter +An\ Enum=Enum +%s\ Group=%s Group +Advanced\ Jackhammer=Advanced Jackhammer +Black\ ME\ Smart\ Cable=Black ME Smart Cable +Hard=Hard +Leather\ Wolf\ Armor=Leather Wolf Armor +Black\ Color\ Module=Black Color Module +Applied\ effect\ %s\ to\ %s\ targets=Effects %s you %s goal +Disconnected=Closed +White\ Oak\ Fence=White Oak Fence +Monitor\ is\ now\ Locked.=Monitor is now Locked. +Pink\ ME\ Smart\ Cable=Pink ME Smart Cable +Get\ a\ Compressor=Get a Compressor +All\ parent\ quests\ have\ to\ be\ completed\ before\ this\ quest\ unlocks.=All parent quests have to be completed before this quest unlocks. +Light\ Gray\ Patterned\ Wool=Light Gray Patterned Wool +Soul\ Lantern\ Button=Soul Lantern Button +Cyan\ Base\ Indented=Blue Base Indented +Nether\ Dungeons=Nether Dungeons +Lime\ Lumen\ Paint\ Ball=Lime Lumen Paint Ball +Honeycomb\ Brick\ Slab=Honeycomb Brick Slab +Manganese\ Dust=Manganese Dust +Polished\ Blackstone\ Bricks=Polishing To Say The Bricks +Charred\ Nether\ Brick\ Wall=Charred Nether Brick Wall +Craftable\ Filter\:=Craftable Filter\: +(Made\ for\ a\ newer\ version\ of\ Minecraft)=This is a newer version of Swimming) +Off=No exterior +Dropped\ %s\ %s\ from\ loot\ table\ %s=Street %s %s the loot-table %s +Gold\ Block\ (Legacy)=Gold Block (Legacy) +Mushroom\ Fields=Mushroom Fields +Stripped\ Jungle\ Log=The Sides Of The Face +Stone\ Speleothem=Stone Speleothem +Arrow\ Colour=Arrow Colour +Electrum\ Helmet=Electrum Helmet +Gamer\ Axe=Gamer Axe +Warped\ Warty\ Blackstone\ Bricks=Warped Warty Blackstone Bricks +Cika\ Slab=Cika Slab +Ghast\ hurts=Ghast dolor +Llama\ bleats=Lama, the buzzing of a bee, +Tip-Top\ Top\ Hat=Tip-Top Top Hat +Sapphire\ Helmet=Sapphire Helmet +Hoglin\ growls\ angrily=Have hogla in anger scolds +Biome\ Depth\ Weight=Biome Gylis Svoris +Float\ must\ not\ be\ less\ than\ %s,\ found\ %s=Sail shall not be less than %s search %s +Punch=Please +Unknown\ attribute=Unknown attribute +Prismarine\ Platform=Prismarine Platform +Dacite\ Tile\ Stairs=Dacite Tile Stairs +The\ divisor\ applied\ to\ the\ FOV's\ zoom\ multiplier.=The divisor applied to the FOV's zoom multiplier. +Charged\ Certus\ Quartz\ Ore=Charged Certus Quartz Ore +White\ Glazed\ Terracotta\ Camo\ Door=White Glazed Terracotta Camo Door +Paxel\ Attack\ Speed=Paxel Attack Speed +Light\ Gray\ Paly=Light Gray Satellite +Prismarine\ Excavator=Prismarine Excavator +Shulker\ Boxes\ Opened=Box, Shulker, Swimming Pool +Creative\ Tank\ Unit=Creative Tank Unit +Azure\ Bluet=Azure Bluet +Hoglin\ retreats=Hoglin retreats +Adorn+EP\:\ Drawers=Adorn+EP\: Drawers +Light\ Gray\ Pale=Light Gray, Light +Oil=Oil +Would\ you\ like\ to\ create\ the\ following\ connection\ between\ sub-worlds?=Would you like to create the following connection between sub-worlds? +Brown\ Flat\ Tent\ Top=Brown Flat Tent Top +5x\ Compressed\ Dirt=5x Compressed Dirt +Look\ around\ using\ the\ mouse=With the mouse +Light\ Gray=Light Grey +Save=Save +Server\ Integration=Server Integration +Lunum\ Leggings=Lunum Leggings +Sulfur\ Crystal=Sulfur Crystal +Determines\ how\ frequently\ vanilla\ caves\ spawn.\ 0\ \=\ will\ not\ spawn\ at\ all.=Determines how frequently vanilla caves spawn. 0 \= will not spawn at all. +Start\ LAN\ World=In order to begin connecting to the Internet around the world +Pink\ Allium\ Bush=Pink Allium Bush +Spawn\ NPCs=\u0421\u043F\u0430\u0432\u043D transition, the board of +Cursed\ Effect=Cursed Effect +\nAdd\ Stone\ Igloos\ to\ modded\ biomes\ that\ are\ most\ likely\ Giant\ Tree\ Taiga\ variants.=\nAdd Stone Igloos to modded biomes that are most likely Giant Tree Taiga variants. +Hitboxes\:\ shown=Hitboxes\: false +Jungle\ Dungeons=Jungle Dungeons +Ring\ of\ Dolphin=Ring of Dolphin +4x\ Compressed\ Sand=4x Compressed Sand +TIS-3D\ Reference\ Manual=TIS-3D Reference Manual +Check\ your\ log\ for\ more=Check your log for more +Yes\:\ Fluids\ that\ cannot\ be\ extracted\ will\ be\ visible.=Yes\: Fluids that cannot be extracted will be visible. +Progress\ Renderer\ \ =The Progress Of The Work +Liquid\ Cavern\ Priority=Liquid Cavern Priority +Blue\ Asphalt\ Stairs=Blue Asphalt Stairs +Elytra\ rustle=Elytra rustle +Red\ Chief\ Dexter\ Canton=From The Corner, Red-Dexter +Red\ Glowcane\ Dust=Red Glowcane Dust +Customize\ messages\ to\ display\ with\ Guis\\n\ (Manual\ format\:\ gui;message)\\n\ Available\ placeholders\:\\n\ -\ &screen&\ \=\ Gui\ Screen\ name\\n\ -\ &class&\ \=\ Gui\ class\ name=Customize messages to display with Guis\\n (Manual format\: gui;message)\\n Available placeholders\:\\n - &screen& \= Gui Screen name\\n - &class& \= Gui class name +Click\ and\ drag\ to\ move\ the\ minimap\ around.=Click and drag to move the minimap around. +Achromatopsian\ Gallery=Achromatopsian Gallery +Desert\ Mineshaft=Desert Mineshaft +Upon\ defeat,\ a\ $(thing)Space\ Slime$()\ will\ drop\ $(thing)Space\ Slime\ Balls$().=Upon defeat, a $(thing)Space Slime$() will drop $(thing)Space Slime Balls$(). +Small\ Pile\ of\ Lead\ Dust=Small Pile of Lead Dust +Polished\ Andesite\ Post=Polished Andesite Post +Completed=Completed +Forest=I Skogen +Pickled\ Cucumber=Pickled Cucumber +Main\ Entity\ As=Main Entity As +Oak\ Trapdoor=Oak Trapdoor +Pyramids=Pyramids +Always\ Active=To Ni Aktivna. +Colored\ Tiles\ (Red\ &\ White)=Colored Tiles (Red & White) +Old=Stari +Soul\ escapes=The soul that is saved +Black\ Chief=Day Boss +Month=A month ago +Tin\ Nugget=Tin Nugget +End\ Stone\ Ghost\ Block=End Stone Ghost Block +Other\ Entities=Other Entities +Squid\ shoots\ ink=The octopus will shoot ink, +Try\ to\ show\ fluids=Try to show fluids +CraftPresence\ -\ Discord\ Small\ Assets=CraftPresence - Discord Small Assets +Decorate\ your\ home\!=Decorate your home\! +\u00A77\u00A7o"Where's\ Robin?"\u00A7r=\u00A77\u00A7o"Where's Robin?"\u00A7r +Willow\ door=Willow door +Complete\!=Complete\! +Nothing\ changed.\ That's\ already\ the\ name\ of\ this\ bossbar=Something has canviat des de llavors. Ja the nom of the bossbar +Warped\ Shelf=Warped Shelf +Gray\ Chief=Gray Head +Slime\ Hat=Slime Hat +Nether\ Excavator=Nether Excavator +Large\ Bricks=Large Bricks +Dark\ Oak\ Sign=Mark Dark Oak +Electrum\ Plates=Electrum Plates +Pink\ Elytra\ Wing=Pink Elytra Wing +Video\ Settings...=The Settings For The Video, Etc. +Sky\ Stone\ Small\ Brick\ Slabs=Sky Stone Small Brick Slabs +Pendorite\ Pickaxe=Pendorite Pickaxe +Created=Created +Potted\ Tall\ Blue\ Bellflower=Potted Tall Blue Bellflower +Creates=Creates +Potion\ of\ Swiftness=Potion of speed +Yellow\ Gradient=Yellow Gradient +Golden\ Carrot\ Crate=Golden Carrot Crate +BYG\ Islands-BETA=BYG Islands-BETA +Playing\ Singleplayer=Playing Singleplayer +Potted\ Lilac=Potted Lilac +Team=Team +Tall\ Purple\ Foxglove=Tall Purple Foxglove +Shepherd\ works=The real work +Ok\ Zoomer=Ok Zoomer +Determines\ how\ large\ water\ regions\ are.=Determines how large water regions are. +\u00A77\u00A7o"Scary\ zombie,\ but\u00A7r=\u00A77\u00A7o"Scary zombie, but\u00A7r +Trader's\ Manual=Trader's Manual +Jump\ into\ a\ Honey\ Block\ to\ break\ your\ fall=Jump on a fresh block to break your fall +Crossbow\ fires=Crossbow +Building\ blocks=Building blocks +No\ Fade\ when\ opened\ via\ Other\ Screen\:=No Fade when opened via Other Screen\: +Lime\ Sofa=Lime Sofa +Badlands\ Pyramid\ Spawnrate=Badlands Pyramid Spawnrate +Hide\ info=Hide info +Bronze\ Leggings=Bronze Leggings +Overgrown\ Dacite=Overgrown Dacite +\u00A77\u00A7oTrust\ me,\ I\ know\ chemistry."\u00A7r=\u00A77\u00A7oTrust me, I know chemistry."\u00A7r +Lena\ Raine\ -\ Pigstep=Lena Ren - Pigstep +Game\ Mode=In The Game +Redwood\ Wall=Redwood Wall +Guardian\ moans=The tutor groans +Custom\ bossbar\ %s\ now\ has\ %s\ players\:\ %s=A custom bossbar %s now %s spelare\: %s +Birch\ Table=Birch Table +Metite\ Pickaxe=Metite Pickaxe +Golden\ Apple\ Slices=Golden Apple Slices +Crafting\ Plan=Crafting Plan +Pine\ Step=Pine Step +Guardian\ flaps=Vartija gate +Sync\ All=Sync All +Int\ Slider=The Int Slider, +Decide\ later=Decide later +Applied\ Energistics\ 2=Applied Energistics 2 +Light\ Gray\ Carpet=The Light-Gray Carpet +Up\ Arrow=Up Arrow +Showing\ %s\ library=Reflex %s library +Split\ Character=Split Character +Small\ Centered\ Terminal=Small Centered Terminal +Crafty=Crafty +\u00A77RGB\:\ (%s\u00A77,\ %s\u00A77,\ %s\u00A77)=\u00A77RGB\: (%s\u00A77, %s\u00A77, %s\u00A77) +Hidden\ in\ the\ Depths=Hidden in the Depths +Holly\ Leaves=Holly Leaves +Purpur\ Wall=Purpur Wall +Crafts=Crafts +Teal\ Nether\ Brick\ Wall=Teal Nether Brick Wall +Elder\ Guardian\ flaps=The old Guardian green +Dead\ Fire\ Coral\ Wall\ Fan=Dead Fire Coral Fan Wall +Item\ plops=From the point slaps +kills=kills +Ore=Ore +Hardened\ Aquilorite\ Block=Hardened Aquilorite Block +Display\ Scale=Display Scale +A\ food\ item\ that\ was\ prepared\ in\ a\ basin.\ Can\ be\ sliced,\ or\ eaten\ whole\ to\ give\ the\ player\ nausea.=A food item that was prepared in a basin. Can be sliced, or eaten whole to give the player nausea. +Diamond\ Shovel=Diamant Skovl +Thatch\ Slab=Thatch Slab +Progress\:\ =Progress\: +Vital\ for\ survival\ in\ hostile\ environments,\ a\ Space\ Suit\ is\ the\ most\ important\ thing\ one\ may\ carry.\ $(p)With\ internal\ tanks\ which\ may\ be\ pressurized\ in\ certain\ machines,\ it\ may\ be\ filled\ with\ (un-)breathable\ gases\ fit\ for\ whoever\ is\ wearing\ it.=Vital for survival in hostile environments, a Space Suit is the most important thing one may carry. $(p)With internal tanks which may be pressurized in certain machines, it may be filled with (un-)breathable gases fit for whoever is wearing it. +Peridot\ Ore=Peridot Ore +Black\ Chevron=Black Chevron +Obtain\ a\ Sterling\ Silver\ Ingot=Obtain a Sterling Silver Ingot +Giant\ Spruce\ Taiga\ Hills=The Giant Spruce Taiga, Mountains, +Synthetic\ Redstone\ Crystal=Synthetic Redstone Crystal +Seasonal\ Taiga=Seasonal Taiga +Willow\ Drawer=Willow Drawer +Snowball\ flies=The ball of snow flies +Industrial\ Chainsaw=Industrial Chainsaw +Dropped\ %s\ items\ from\ loot\ table\ %s=The fall %s the items on the table rescue %s +Sponge=Svamp +Enderman\ Spawn\ Egg=Enderman Spawn Egg +Furnace\ stats\:=Furnace stats\: +Blue\ Glazed\ Terracotta\ Glass=Blue Glazed Terracotta Glass +Craft\ the\ ultimate\ solar\ panel=Craft the ultimate solar panel +\u00A7aOn\ Shift=\u00A7aOn Shift +Orange\ Bend\ Sinister=Orange Bend Sinister +White\ Carpet=White Carpet +PVP=PARTY +Use\ collision\ when\ not\ completed=Use collision when not completed +Fireball=Fire Ball +Set\ display\ slot\ %s\ to\ show\ objective\ %s=The set of the game %s obektivno show %s +Xorcite\ Stone=Xorcite Stone +Brown\ Tent\ Side=Brown Tent Side +Lime\ Concrete\ Camo\ Trapdoor=Lime Concrete Camo Trapdoor +Blue\ Beveled\ Glass=Blue Beveled Glass +Unable\ to\ summon\ entity\ due\ to\ duplicate\ UUIDs=Unable to summon entity due to duplicate UUIDs +Left\ Shift=Left +Cypress\ Stairs=Cypress Stairs +Match\ mod\ origin=Match mod origin +Industrial\ Centrifuge=Industrial Centrifuge +Cypress\ Trapdoor=Cypress Trapdoor +Purple\ Pale\ Sinister=Pink-Purple-Evil +Block\ of\ Iridium=Block of Iridium +Green\ Bed=The Green Couch +Blue\ Pale=Light blue +Brown\ Wool=Brown Hair +\u00A7c\u00A7lUnknown\ Command\ -\ use\ \u00A76\u00A7l/craftpresence\ help=\u00A7c\u00A7lUnknown Command - use \u00A76\u00A7l/craftpresence help +No\ party\ invites=No party invites +Failed\ to\ link\ carts;\ cannot\ link\ cart\ with\ itself\!=Failed to link carts; cannot link cart with itself\! +Christmas\ Tree\ Wing=Christmas Tree Wing +Switch=Bryter +Zombie\ Data\ Model=Zombie Data Model +Tactical\ Fishing=The Tactics Of Fishing +Small\ Pile\ of\ Quartz\ Dust=Small Pile of Quartz Dust +Egg\ flies=Easter egg +Lunum\ Nugget=Lunum Nugget +Sweet\ Berries\ Crate=Sweet Berries Crate +Deactivating=Deactivating +Report\ Inaccessible\ Fluids=Report Inaccessible Fluids +levels,\ health\ and\ hunger=the level of health and hunger +Return\ Trial\ Key\ if\ Succeeded=Return Trial Key if Succeeded +at\ most\ %s=at most %s +Unmerge=Unmerge +Your\ invites=Your invites +White\ ME\ Glass\ Cable=White ME Glass Cable +Blue\ Paly=Plavo-Siva +Bejeweled\ Backpack=Bejeweled Backpack +Customize\ additional\ settings\ of\ the\ mod=Customize additional settings of the mod +Server\ MOTD\ to\ default\ to,\ in\ the\ case\ of\ a\ null\ MOTD\\n\ (Also\ applies\ for\ direct\ connects)=Server MOTD to default to, in the case of a null MOTD\\n (Also applies for direct connects) +Cyan\ Chief\ Sinister\ Canton=The Blue Of The Head Of The Canton To The Left +Granite\ Camo\ Door=Granite Camo Door +CraftPresence\ -\ Available\ Dimensions=CraftPresence - Available Dimensions +Very\ Very\ Frightening=Very, Very, Very Scary +Black\ Puff\ Mushroom\ Block=Black Puff Mushroom Block +Ebony\ Fence=Ebony Fence +Trial\ Keystone=Trial Keystone +Ladder=Trepid +Quartz\ Circle\ Pavement=Quartz Circle Pavement +%s\ E/t=%s E/t +Redwood\ Table=Redwood Table +Lunum\ Ore=Lunum Ore +Selling\ %s=Selling %s +Japanese\ Maple\ Coffee\ Table=Japanese Maple Coffee Table +Snowy\ Coniferous\ Clearing=Snowy Coniferous Clearing +Guardian\ shoots=Shoots +Luminous\ Glass=Luminous Glass +Astromine\:\ Core=Astromine\: Core +Skeleton\ Data\ Model=Skeleton Data Model +Lime\ Concrete\ Powder=Lime Powder, Concrete +Channeling=Conveyor +Beehive=Beehive +bottom=bottom +Basic\ Settings=The Most Important Parameters +Evoker=Evoker +Apprentice=Student +Operation\ Mode=Operation Mode +Pine\ Fence\ Gate=Pine Fence Gate +Green\ Carpet=Green Carpet +Mineshafts\ Configs=Mineshafts Configs +Missing\ Recipe\ Placeholder=Missing Recipe Placeholder +\u00A77Cheating\ Disabled=\u00A77Cheating Disabled +Diorite\ Wall=This Diorite Walls +Brown\ Mushroom\ Block=Brown Mushroom Blocks +Pillager\ murmurs=Raider mutters +Granted\ criterion\ '%s'\ of\ advancement\ %s\ to\ %s\ players=Criteria '%s"add %s for %s players +Basic\ Coil=Basic Coil +Click\ here\ to\ change=Click here to change +Max\ Framerate=Max. The Number Of Frames Per Second (Fps +Brown\ Stained\ Glass=Brown Tinted Glass +Red\ Sandstone\ Wall=There Are Red Sandstone Walls +Lingering\ Potion\ of\ Levitation=Long mix of levitation +Birch\ Step=Birch Step +Electrum\ Slab=Electrum Slab +FairyOnline\u2122\ Wing=FairyOnline\u2122 Wing +White\ Base\ Sinister\ Canton=White-Dark-Blue-The Basis Of The Data +Seasonal\ Deciduous\ Clearing=Seasonal Deciduous Clearing +Withered\ Claim\ Anchor=Withered Claim Anchor +You're\ now\ deleting\ everything\ you\ click\ on\!=You're now deleting everything you click on\! +%s\ Post=%s Post +Current\ freshness\ \:\ %s\ %%=Current freshness \: %s +Switched\ to\:=Switched to\: +Reload\ failed;\ keeping\ old\ data=Reload failed; keeping old data +Platinum\ Dust=Platinum Dust +Blue\ Per\ Bend=Blue Stripes +Turtle\ shambles=The turtle, upset +Potted\ Dandelion=The Flowers Of Dandelion +Take\ Screenshot=Take Out Of The Exhibition +Enable\ Per-Item\ System=Enable Per-Item System +Breathing\ %s=Breathing %s +%s\ additional\ rows\u2026=%s additional rows\u2026 +Ametrine\ Boots=Ametrine Boots +Advanced\ Storage\ Unit=Advanced Storage Unit +Entry\ Panel\ Ordering\:=Entry Panel Ordering\: +Angel\ Block=Angel Block +Stone\ Camo\ Trapdoor=Stone Camo Trapdoor +Your\ current\ world\ is\ no\ longer\ supported=In the world of today is no longer supported +Your\ client\ is\ outdated\ and\ not\ compatible\ with\ Realms.=The client is outdated and does not match the worlds. +Diamond\ Wolf\ Armor=Diamond Wolf Armor +Default\ Server\ Name=Default Server Name +Country\ Lode,\ Take\ Me\ Home=In The Land Of The Living, To Take Me Home. +White\ Terracotta\ Ghost\ Block=White Terracotta Ghost Block +Mossy\ Cobblestone\ Brick\ Stairs=Mossy Cobblestone Brick Stairs +WIP\ Coming\ Soon=WIP Coming Soon +Snowy\ Rocky\ Black\ Beach=Snowy Rocky Black Beach +Tropical\ Fish=Tropical Fish +Double\ must\ not\ be\ more\ than\ %s,\ found\ %s=Twice he must not be much more %s found %s +Ring\ of\ Undying=Ring of Undying +Sky\ Stone\ Small\ Brick\ Stairs=Sky Stone Small Brick Stairs +Gray\ Redstone\ Lamp=Gray Redstone Lamp +Selected\ %s,\ last\ played\:\ %s,\ %s,\ %s,\ version\:\ %s=Selected %s the latest\: %s, %s, %s version\: %s +ME\ Level\ Emitter=ME Level Emitter +Green\ Enchanted\ Fence=Green Enchanted Fence +triggers=triggers +Craft\ an\ Obsidian\ Hammer\ and\ go\ mining\ for\ 17\ hours\ without\ stopping.=Craft an Obsidian Hammer and go mining for 17 hours without stopping. +Contains=Contains +Pink\ Lozenge=Pink Pills +C418\ -\ blocks=C418 - blocks +Dragonite=Dragonite +Magenta\ Saltire=Purple Cross +\u00A79Tier\:\u00A7r\ %s=\u00A79Tier\:\u00A7r %s +Audio\ Module=Audio Module +Lime\ Skull\ Charge=Lima Set Of The Skull +French=French +Teleport\ to\ a\ specific\ computer.=Teleport to a specific computer. +Unknown\ item\ '%s'=The unknown factor '%s' +Could\ not\ spread\ %s\ teams\ around\ %s,\ %s\ (too\ many\ entities\ for\ space\ -\ try\ using\ spread\ of\ at\ most\ %s)=What can you give %s the team of the round %s, %s (a person, a place, to, use, disseminate, most %s) +Shears=Pair of scissors +A\ machine\ which\ transports\ items.=A machine which transports items. +Edit\ reputation\ reward=Edit reputation reward +%s\ Edition=%s Edition +Detect\ Curse\ Manifest=Detect Curse Manifest +Inscriber\ Logic\ Press=Inscriber Logic Press +Created\ custom\ bossbar\ %s=To create a custom bossbar %s +Once\ disabled,\ can\ only\ be\ enabled\ through\ the\ config\ file\!=Once disabled, can only be enabled through the config file\! +\nAdd\ RS\ wells\ to\ modded\ biomes\ of\ same\ categories/type.=\nAdd RS wells to modded biomes of same categories/type. +Endshroom=Endshroom +Soot\ Machine\ Casing=Soot Machine Casing +Hide\ range=Hide range +Item\ Cheating\ Amount\:=Item Cheating Amount\: +Remaining\ time\:\ %s=The rest of the time\: %s +Minecart\ with\ Spawner=Minecart a spawn +%1$s\ on\ a\ Wooden\ Chest\ to\ convert\ it\ to\ a\ Netherite\ Chest.=%1$s on a Wooden Chest to convert it to a Netherite Chest. +Initial=Initial +This\ teleporter's\ Ender\ Shard\ is\ unlinked\!=This teleporter's Ender Shard is unlinked\! +\u00A77\u00A7oeven\ scarier\ drop."\u00A7r=\u00A77\u00A7oeven scarier drop."\u00A7r +$(l)Tools$()$(br)Mining\ Level\:\ 2$(br)Base\ Durability\:\ 250$(br)Mining\ Speed\:\ 6.5$(br)Attack\ Damage\:\ 2.0$(br)Enchantability\:\ 16$(p)$(l)Armor$()$(br)Durability\ Multiplier\:\ 15$(br)Total\ Defense\:\ ?$(br)Toughness\:\ 0$(br)Enchantability\:\ 10=$(l)Tools$()$(br)Mining Level\: 2$(br)Base Durability\: 250$(br)Mining Speed\: 6.5$(br)Attack Damage\: 2.0$(br)Enchantability\: 16$(p)$(l)Armor$()$(br)Durability Multiplier\: 15$(br)Total Defense\: ?$(br)Toughness\: 0$(br)Enchantability\: 10 +Guiana\ Shield=Guiana Shield +Glowstone\ Gardens=Glowstone Gardens +Christmas\ Star\ Wing=Christmas Star Wing +Levels\:\ %s=Level\: %s +Lapotronic\ Energy\ Orb=Lapotronic Energy Orb +Ocean\ Dungeons=Ocean Dungeons +Creative\ ME\ Storage\ Cell=Creative ME Storage Cell +Forging=Forging +%1$s\ was\ roasted\ in\ dragon\ breath=%1$s it wasn't a roast, breath of the dragon +F3\ +\ F\ \=\ Cycle\ render\ distance\ (shift\ to\ invert)=F3 + F \= Cycle render distance (shift to invert) +Jungle\ Stairs=Jungle Stairs +Purified\ Tin\ Ore=Purified Tin Ore +Sythian\ Roots=Sythian Roots +If\ not\ empty,\ this\ text\ will\ be\ used\ for\ the\ &pack&\ placeholder\ if\ no\ packs\ are\ detected=If not empty, this text will be used for the &pack& placeholder if no packs are detected +Current\ tag\ placeholders\ ->\ %1$s=Current tag placeholders -> %1$s +Create\ realm=To create an empire +Red\ ME\ Dense\ Covered\ Cable=Red ME Dense Covered Cable +Change\ Light\ mode=Change Light mode +Brown\ Gladiolus=Brown Gladiolus +Empty\ Cell=Empty Cell +Hide\ tooltip\ while\ the\ player\ list\ is\ open=Hide tooltip while the player list is open +\u00A77Cheating\ \u00A7cEnabled\ \u00A77(No\ Permission)=\u00A77Cheating \u00A7cEnabled \u00A77(No Permission) +Blue\ Cut\ Sandstone=Blue Cut Sandstone +Smoking=Smoking +Wither\ Rose=The Crest Of The Rose +Better\ grinding\ of\ items\ than\ conventional\ means=Better grinding of items than conventional means +Save\ Mode\ -\ Write\ to\ File=Save Mode - Write to File +Ender\ Dragon=The Ender Dragon +Orange\ Shingles=Orange Shingles +Not\ enough\ RGB=Not enough RGB +Gray\ Lawn\ Chair=Gray Lawn Chair +Machine\ go\ brrrr=Machine go brrrr +Item\ Frame\ empties=Frame of the cleaning +Orange\ Gradient=This Orange Gradient +Serial\ Number\:\ %s=Serial Number\: %s +%1$s%%\ second,\ %2$s%%\ third\ output.=%1$s%% second, %2$s%% third output. +Expected\ value\ or\ range\ of\ values=The expected value or range of values +Tin\ Chunk=Tin Chunk +Horse\ Armor\ Recipe=Horse Armor Recipe +Cracked\ Stone\ Bricks\ Glass=Cracked Stone Bricks Glass +Potted\ Yellow\ Mushroom=Potted Yellow Mushroom +Ghast\ cries=Ghast crits +Protect\ trading\ stations=Protect trading stations +Mooshroom=Mooshroom +Nitrogen=Nitrogen +Industrial\ Chunkloader=Industrial Chunkloader +Surface\ Cave\ Density=Surface Cave Density +Played\ sound\ %s\ to\ %s=The sound %s v %s +Cracked\ Red\ Rock\ Bricks=Cracked Red Rock Bricks +Green\ Enchanted\ Bookshelf=Green Enchanted Bookshelf +Create\ Tier=Create Tier +Spruce\ Fence\ Gate=Ellie, For Fence, Gate +Purpur\ Pillar\ Camo\ Trapdoor=Purpur Pillar Camo Trapdoor +Block\ of\ Red\ Garnet=Block of Red Garnet +Lead\ Pickaxe=Lead Pickaxe +Cyan\ Banner=Blue Advertising +Green\ Enchanted\ Wood=Green Enchanted Wood +You've\ currently\ died\ %s\ [[time||times]]=You've currently died %s [[time||times]] +Stripped\ Cypress\ Wood=Stripped Cypress Wood +Small\ Pile\ of\ Granite\ Dust=Small Pile of Granite Dust +Prints\ a\ random\ owo\ in\ the\ console\ when\ the\ game\ starts.=Prints a random owo in the console when the game starts. +Cypress\ Kitchen\ Counter=Cypress Kitchen Counter +Zombie\ infects=The game, which is infectious +Baobab\ Log=Baobab Log +Chiseled\ Granite\ Bricks=Chiseled Granite Bricks +Lightning\ Rod=Lightning Rod +Add\ Nether\ Bricks\ Shipwreck\ to\ Modded\ End\ Biomes=Add Nether Bricks Shipwreck to Modded End Biomes +Amaranth\ Fields=Amaranth Fields +Took\ %s\ recipes\ from\ %s\ players=Get %s recipes %s players +\ of\ =\ of +Smooth\ Red\ Sandstone\ Platform=Smooth Red Sandstone Platform +Processing\ Pattern=Processing Pattern +Asterite\ Tiny\ Dust=Asterite Tiny Dust +Astromine\:\ Technologies=Astromine\: Technologies +Reinforced\ Upgrade\ Kit=Reinforced Upgrade Kit +Sipping=Drank a little of +ME\ Chest=ME Chest +Orange\ Asphalt\ Slab=Orange Asphalt Slab +Iridium\ Plate=Iridium Plate +Grants\ Dolphin's\ Grace\ Effect=Grants Dolphin's Grace Effect +Platforms=Platforms +Load=Add +Rainbow\ Eucalyptus\ Bookshelf=Rainbow Eucalyptus Bookshelf +Crimson\ Slab=Dark Red Plate, +Ride\ a\ Strider\ with\ a\ Warped\ Fungus\ on\ a\ Stick=Travel Strider, who Perverted the mushrooms to the notice of the +Ebony\ Hills=Ebony Hills +%1$s\ was\ killed\ trying\ to\ hurt\ %2$s=%1$s was killed trying to hurt %2$s +Daydreaming=Daydreaming +Bat\ Spawn\ Egg=A Bat Spawn Egg +Fire\ Extinguisher=Fire Extinguisher +Adding\ migration\ data\ for\ data\ matching\ %1$s\ with\ action\ ID\ %2$s\ (Reason\:\ %3$s)\!=Adding migration data for data matching %1$s with action ID %2$s (Reason\: %3$s)\! +Pine\ Stairs=Pine Stairs +Level\ Type=Level Type +Zombie\ Horse\ Spawn\ Egg=Horse-Zombies Spawn Egg +JulianClark's\ Cape\ Wing=JulianClark's Cape Wing +Light\ Theme=Light Theme +Incan\ Lily=Incan Lily +This\ set\ works\ perfectly\ for\ your\ magical\ themed\ map.=This set works perfectly for your magical themed map. +mobs=mobs +Start\ tracking\ all\ computers=Start tracking all computers +United\ States=Of sin a +Cooldown\:\ secondsHere\ seconds=Cooldown\: secondsHere seconds +Pulverizer\ Creative=Pulverizer Creative +Use\ World\ Map\ Chunks=Use World Map Chunks +Light\ Blue\ Tent\ Top\ Flat=Light Blue Tent Top Flat +A\ task\ where\ the\ player\ has\ to\ kill\ certain\ monsters.=A task where the player has to kill certain monsters. +Small\ Pile\ of\ Lazurite\ Dust=Small Pile of Lazurite Dust +A\ machine\ which\ consumes\ $(thing)energy$()\ to\ place\ $(thing)fluids$()\ in\ the\ world.=A machine which consumes $(thing)energy$() to place $(thing)fluids$() in the world. +SAVE=Save +Width=The width of the +Server\ task\ count=Server task count +Shulker\ opens=Shulker, otvoreni +Red\ Per\ Pale\ Inverted=The Red, Open, Inverted +\u00A75\u00A7oA\ magical\ lasso\ that\ hold\ most\ creatures=\u00A75\u00A7oA magical lasso that hold most creatures +Blaze\ Brick\ Wall=Blaze Brick Wall +Brown\ Elytra\ Wing=Brown Elytra Wing +Betty=Betty +Experiences=Ervaring +Certus\ Quartz\ Slabs=Certus Quartz Slabs +Portable\ Charger=Portable Charger +Glistening\ Claim\ Anchor=Glistening Claim Anchor +Block\ Placement=Block Placement +Press\ this\ key\ when\ hovering\ a\ container\ stack\nto\ open\ the\ preview\ window=Press this key when hovering a container stack\nto open the preview window +Yellow\ Shingles=Yellow Shingles +Minecraft=Minecraft +Pig=Pig +0\ for\ no\ Mineshafts\ and\ 1000\ for\ max\ spawnrate.\ Note\:\ Set\ this\ to\ 0\ and\ restart\ to\ spawn\ Vanilla\ Mineshafts.\n\nReplaces\ Mineshafts\ in\ Birch\ biomes.\ How\ often\ Mineshafts\ will\ spawn.=0 for no Mineshafts and 1000 for max spawnrate. Note\: Set this to 0 and restart to spawn Vanilla Mineshafts.\n\nReplaces Mineshafts in Birch biomes. How often Mineshafts will spawn. +Pin=Pin +Obtaining\ Bronze=Obtaining Bronze +Hopper=Heels +A\ Cozy\ Rock=A Cozy Rock +Null=Null +Raw\ Input=Nyers Bemenet +&name&=&name& +%1$s\ was\ impaled\ by\ %2$s\ with\ %3$s=%1$s va ser pierced %2$s with %3$s +Gray\ Table\ Lamp=Gray Table Lamp +The\ Void=This may not be the +Stripped\ Zelkova\ Wood=Stripped Zelkova Wood +%s\ -\ Deprecated=%s - Deprecated +Magenta\ Mushroom\ Block=Magenta Mushroom Block +That\ name\ is\ already\ taken=This name is already taken +A\ task\ where\ the\ player\ must\ have\ already\ completed\ another\ quest.=A task where the player must have already completed another quest. +Potted\ Jungle\ Sapling=Reclaimed Potted Sapling +Nuke=Nuke +Endorium\ Clump=Endorium Clump +/hqm\ save\ bags=/hqm save bags +Fox\ snores=Fox Russisk +Diamond\ Sword=The Diamond Sword +Crimson\ Warty\ Blackstone\ Brick\ Wall=Crimson Warty Blackstone Brick Wall +Manual\ detect=Manual detect +Wire\ Mill=Wire Mill +Detector=Detector +Sapphire\ Dust=Sapphire Dust +Cave\ Region\ Size=Cave Region Size +Galaxium\ Pickaxe=Galaxium Pickaxe +White\ Bend=White To The Knee +Zigzagged\ End\ Stone\ Bricks=Zigzagged End Stone Bricks +Pocket\ Crafting\ Table=Pocket Crafting Table +Couldn't\ revoke\ criterion\ '%s'\ of\ advancement\ %s\ from\ %s\ as\ they\ don't\ have\ it=I can't stop '%s"the first %s also %s because they are not +Refined\ Iron\ Wall=Refined Iron Wall +%1$s\ was\ slain\ by\ %2$s\ using\ %3$s=%1$s she was the one who killed him %2$s please help %3$s +Light\ Gray\ Base\ Dexter\ Canton=Light Grey, Based In Canton Dexter +Stone\ Axe=The Book I +Configure\ realm=Configure kingdom +Limestone\ Bricks=Limestone Bricks +Neutron\ Reflector=Neutron Reflector +Allow\ Cheats\:=Da Bi Aktiviran Cheat +Travellers\ Ring=Travellers Ring +Compressing=Compressing +Last\ modified=Last modified +Adds\ transitions\ between\ zooms.=Adds transitions between zooms. +Highlight\ Players\ (Spectators)=Select One Of The Players (And Spectators) +\u00A7cPacket\ Thread=\u00A7cPacket Thread +Yellow\ Spruce\ Leaves=Yellow Spruce Leaves +Caching\ is\ recommended\ if\ the\ reach\ is\ above\ 16\ or\ if\ you\ are\ running\ on\ a\ potato.=Caching is recommended if the reach is above 16 or if you are running on a potato. +Gui\ Background\ Color=Gui Background Color +Dispensers\ Searched=Atomisers In Search Of +Coked\ Donut=Coked Donut +Default\ Dimension\ Message=Default Dimension Message +Glowcelium\ Block=Glowcelium Block +Red\ Color\ Module=Red Color Module +Party\ List=Party List +C418\ -\ far=Nga C418 +**Default\ info\ cannot\ be\ empty\ and\ must\ be\ valid**=**Default info cannot be empty and must be valid** +A\ sliced\ food\ item\ that\ is\ more\ hunger-efficient\ than\ a\ whole\ beetroot.=A sliced food item that is more hunger-efficient than a whole beetroot. +Stacks\:\ =Stacks\: +Lime\ Topped\ Tent\ Pole=Lime Topped Tent Pole +Craft\ a\ canning\ machine=Craft a canning machine +Ebony\ Slab=Ebony Slab +Prismarine\ Brick\ Slab=Prismarine Bricks Is One Of The Worst +Selection\ Appearance\:=Selection Appearance\: +Chiseled\ Red\ Rock\ Brick\ Slab=Chiseled Red Rock Brick Slab +Unbreakable=Unbreakable +Light\ Gray\ Bordure\ Indented=Light Gray Bordure Indented +Post-end\ Bossbar\ Timeout=Post-end Bossbar Timeout +Shulker\ teleports=Shulk op de teleporter +Yellow\ Stained\ Pipe=Yellow Stained Pipe +%1$s\ on\ a\ Gold\ Chest\ to\ convert\ it\ to\ a\ Netherite\ Chest.=%1$s on a Gold Chest to convert it to a Netherite Chest. +Parrot\ screeches=Parrot, beautiful +relative\ position\ y=the position of the relative and +Lit\ Cyan\ Redstone\ Lamp=Lit Cyan Redstone Lamp +relative\ position\ z=den relative position p\u00E5 Z-aksen +Resets\ the\ config\ in\ a\ specific\ way\ once\ saved.=Resets the config in a specific way once saved. +Stripped\ Spruce\ Wood=In Addition To The Gran +Enter\ a\ Stone\ Mineshaft=Enter a Stone Mineshaft +Upload\ failed\!\ (%s)=Download not\! (%s) +Same\ as\ Survival\ Mode,\ but\ blocks\ can't=The same, and Survival, but the pad can't +Obsidian\ Brick\ Wall=Obsidian Brick Wall +Cyan\ ME\ Dense\ Covered\ Cable=Cyan ME Dense Covered Cable +\u00A77\u00A7o"That\ was\ a\ really\ lucky\ purchase."\u00A7r=\u00A77\u00A7o"That was a really lucky purchase."\u00A7r +Unbreaking=Unbreaking +Wolf=Wolf +Deerstalker\ Hat=Deerstalker Hat +Rainbow\ Wing=Rainbow Wing +Can't\ deliver\ chat\ message,\ check\ server\ logs\:\ %s=You are not able to deliver your message in the chat, and check out the server logs\: %s +Black\ Field\ Masoned=The Black Box, Planted Brick Underground +Black\ Elytra\ Wing=Black Elytra Wing +BioFuel=BioFuel +Settings\ controlling\ vanilla\ Minecraft\ cave\ generation.=Settings controlling vanilla Minecraft cave generation. +Modular\ Chestplate=Modular Chestplate +Rep\ kill\ task=Rep kill task +Mangrove\ Boat=Mangrove Boat +4x\ Compressed\ Cobblestone=4x Compressed Cobblestone +Acquire\ Hardware=Hardware Overname +Basic\ Triturator=Basic Triturator +Holly\ Berry=Holly Berry +Black\ Lozenge=\u039C\u03B1\u03CD\u03C1\u03BF Tablet +Uploading\ '%s'=The load on demand '%s' +Update\ Chunks=Update Chunks +Modular\ Boots=Modular Boots +Chunk\ borders\:\ shown=Work on the borders\: what the +Stripped\ Holly\ Log=Stripped Holly Log +Maple\ Wall=Maple Wall +Blackstone\ Stairs=Blackstone \u039A\u03BB\u03AF\u03BC\u03B1\u03BA\u03B1 +Purple\ ME\ Smart\ Cable=Purple ME Smart Cable +Gray\ Skull\ Charge=Gray-Skull For Free +Expected\ key=The key is to expect +Feather\ Falling\ %s=Feather Falling %s +Asterite\ Helmet=Asterite Helmet +Double\ chests\ require\ 2\ upgrades.=Double chests require 2 upgrades. +Turtle\ swims=Der Floating Turtle +Gray\ Bordure=Grau Border +Elite\ Coil=Elite Coil +Fluid\ Cable=Fluid Cable +Gray\ Base=Gray Background +$.3fG\ WU=$.3fG WU +Magenta\ Roundel=Red Medallion +Select\ task=Select task +Zelkova\ door=Zelkova door +Aspen\ Button=Aspen Button +%1$s\ starved\ to\ death\ whilst\ fighting\ %2$s=%1$s the famine, in times of conflict %2$s +Incomplete\ set\ of\ tags\ received\ from\ server.\nPlease\ contact\ server\ operator.=Incomplete set of tags received from server.\nPlease contact server operator. +Biotite\ Slab=Biotite Slab +Lapis\ Lazuli\ Excavator=Lapis Lazuli Excavator +Nether\ Pyramid\ Spawnrate=Nether Pyramid Spawnrate +\nHow\ rare\ are\ Crimson\ Outpost\ in\ Crimson\ Forest\ biomes.\ 1\ for\ spawning\ in\ most\ chunks\ and\ 1001\ for\ none.=\nHow rare are Crimson Outpost in Crimson Forest biomes. 1 for spawning in most chunks and 1001 for none. +%s\ XP\ in\ %s\ sec=%s XP in %s sec +Features=Features +Wood=Wood +Loom=Slowly +Wooden\ Crank=Wooden Crank +Potion\ of\ Water\ Breathing=Potion of water breathing +White\ Oak\ Pressure\ Plate=White Oak Pressure Plate +Realms\ news=In the context of the report of the +Nuclear\ Warhead=Nuclear Warhead +Rubber\ Sapling=Rubber Sapling +Greenhouse\ controller=Greenhouse controller Selected\ minigame\:=Some of the mini-games\: Superflat=Extra-flat - -Linked\ Ender\ Shard\ to\ %1$s,\ %2$s,\ %3$s=The transition Ender fragments %1$s, %2$s, %3$s -Colored\ Preview\ Window=The Color In The Preview Window -Yucca\ Palm\ Fence\ Gate=Yucca Palm Around -A\ Seedy\ Place=Shabby Miejsce -Mycelium=Going on a trip -Wither\ Rose=The Crest Of The Rose -Red\ Roundel=In The Red Circle -Not\ Today,\ Thank\ You=No, Not Today, Thank You -Netherite\ armor\ clanks=Netherite armor, cold -Red\ Autumnal\ Sapling=In The Table, And In The Fall -Message=Post -%\ of\ fortress\ is\ Silverfish\ Blocks.=% Castle Silverfish blocks. -Light\ Blue\ Topped\ Tent\ Pole=Svetlo Modra-Top-\u0160otor-Pole -Vexes\ (Vex\ Essence)=The Stimulus Kernel) -Blue\ Dye=Blue Tint -Adamantine\ Ore=Diamond Ore -Copper\ Ore=Chromate Ore -Open\ debug\ screen=To open the Troubleshoot screen -Efficiency=Efficiency -Anvil\ used=The prison was used -Guardian\ moans=The tutor groans -Potted\ Gray\ Lungwort=The Vases Gray Lungwort -Elite\ Circuit=Elite Circle -Skull\ Charge=The Account's Sake -Health\:\ ¤t&/&max&=Health and still,&/&, Max& -Page\ %s/%s=Page %s/%s -Magenta\ Flower\ Charge=The Purple Flowers Of The Load -Fir\ Boat=Fir Schip -Dragon\ shoots=Dragon shot -You\ whisper\ to\ %s\:\ %s=I'll whisper you %s\: %s -Panda\ whimpers=The panda cries -Blue\ Patterned\ Wool=Blue With The Drawing Of A Wave -Netherrack=Netherrack -Teleport=The Money -Andesite\ Slab=Andesite Vestit -Polar\ Bear\ groans=The polar bear is -Jungle\ Small\ Hedge=Of The Jungle, A Petit Coverage -Water\ Brick\ Stairs=Water, Bricks, Wood, Stairs, Stairs -Page\ Up=Page -Show\ For=Screen -Zombie\ Villager\ dies=Zombie selski residents no -Desert\ Shrubland=\u00D6k Shrubland -Scale\:\ %s=Scale\: %s -Granite\ Circle\ Pavement=Round Granite Paving -Nether\ Boots=Bottom Shoes -Craft\ a\ vibranium\ pickaxe=To take the vibranium -Univite\ Shovel=The Univ, It Is A Shovel -Failed\ to\ create\ debug\ report=Failed to create report with debug -Wooden\ Shovel=Wooden Paddle -To\ Add\ Support\ for\ this\ Icon,\ Please\ Request\ for\ this\ Icon\ to\ be\ Added\ to\ the\ Default\ Client\ ID\ or\ Add\ the\ Icon\ under\ the\ following\ Name\:\ "%1$s".=The support of this button, and you are asked to be on the basis of the Symbol to be added to the default-Client-ID-Symbol) in accordance with the following\:" (%1$s". -Light\ Gray\ Bed=Light Grey Sofa Bed -Chemical\ Reactor=Chemical Reactors -Japanese\ Maple\ Kitchen\ Cupboard=Kitchen Cabinets Maple -Something\ went\ wrong\ while\ trying\ to\ recreate\ a\ world.=What happens when you try to play in the world. -Black\ Carpet=The Carpet In Black -Schnitzel=Schnitzel -Birch\ Barrel=Arce Barril -$.3fM\ WU=$.3FM was WU -Redwood\ Wood\ Slab=What I Want Is To Be Uncomfortable With The -Redwood\ Forest\ Edge=In The Forest \u0421\u0435\u043A\u0432\u043E\u0439 Edge -Redwood\ Log=Redwood Log -Left\ Side=On The Left Side Of The Page -Pink\ Tulip=Pink, Pink, Pink Tulip -Silver\ Ore=Silver Ore -\u00A77\u00A7o"Have\ a\ spooky\ halloween\!"\u00A7r=\u00A77\u00A7o"Spooky Halloween\!"\u00A7r -Conduit\ attacks=Wireless attacks -Orange\ Chevron=Orange Chevron -Warped\ Post=Perverted Comment -\u00A77\u00A7o"Not\ made\ by\ Tema\ Industries."\u00A7r=\u00A77\u00A7o"It was made by a team of experts in the field of design."\u00A7r -Blue\ Per\ Fess\ Inverted=The Blue Bar Is Upside Down -Downloading\ "%1$s"\ to\ "%2$s"...\ (\ From\:\ "%3$s"\ )=Download "%1$sthe "a "%2$s"...D'\: "%3$s" ) -Config\ Demo=Configuration Demo -Baked\ Potato=Baked Kartof -Heat=The work of the -Short-burst\ Boosters=A short burst of more -Angel\ Ring=Angel Ring -Use\ InGame\ Viewer=Use The In-Game Viewer -The\ heart\ and\ story\ of\ the\ game=The heart of the history of the game -Ores=Mineral -Unknown\ function\ %s=The function of the unknown %s -Yucca\ Palm\ Door=Yuka-The Palm, Lying, -Medium\ Rows=The Middle Line -Render\ Enchantment\ Glint\:=Doing Magic Twist\: -Toggle\ Fullscreen=To Switch To Full Screen Mode -White\ Dendrobium\ Orchid=White Orchids Dendrobium -Aquilorite\ Boots=Aquilorite Boots -(pr.\ F)=(street-E) -Stonebrick-styled\ Stronghold\ replaces\ vanilla\ Strongholds=To substitute for vanilla, castles, castles Stonebrick style -Fir\ Post=The First Post -Cyan\ Chevron=Blue Chevron -No\ Slide\ In\ when\ opened\ via\ Other\ Screen\:=The site of the hole on the other side of the Screen\: -Auto\ Pickup=Automatic Turntable -Nether\ Stars\ Block=The Lower Block Stars -String=String -Stripped\ Pine\ Log=The Trunk Of Pine -Get\ a\ small\ pile\ of\ nickel\ dust\ from\ the\ centrifuge=To a small detachment, Nickel powder, pressing -Redwood\ Platform=The Redwood Platform Is -Pink\ Carpet=Na Pink Tepih -Purple\ Redstone\ Lamp=Considerando Que Redstone -Gray\ Stone\ Bricks=The Grey Stone, Brick -Cyan\ Glazed\ Terracotta=The Blue Glaze Ceramic -Spruce\ Shelf=Have A Spruce Rack -Server\ Resource\ Packs=The Resource Packs For The Server -Add\ Nether\ themed\ dungeon\ to\ Nether\ biomes.=Added the Dutch theme in the basement of the species of plants, animals Dutch. -Replaces\ Mineshafts\ in\ Taiga\ biomes.=Substitute for Themselves in the Taiga biomes. -The\ key\ open\ the\ in-game\ config\ GUI=It is important, we opened the game, GUI set -Iron\ Golem\ hurts=The iron Golem, it hurts -%1$s\ was\ squashed\ by\ a\ falling\ anvil\ whilst\ fighting\ %2$s=%1$s he was squeezed into a smaller table, in order to fight against the %2$s -Active=Active -Strongholds\ Configs=The Castle's Setting -Farmland=The country -Light\ Blue\ Field\ Masoned=Purple Field From The Bricks Under The Earth -Dump\ Item\ Nbt\ To\ Chat=Dump item NBT have a chat -Lever\ State=Shoulder Power -Orange\ Chief=Orange Cap -Hoglin\ attacks=Hogl I attack -Sand\ Camo\ Trapdoor=Camouflage Sand Hatch -Copper\ Ingot=Copper Rod -An\ elite\ electric\ circuit\ board,\ built\ for\ systems\ with\ high\ throughput\ and\ low\ latency\ in\ mind,\ whose\ architecture\ makes\ use\ of\ coveted,\ laboratory-made\ materials.=Elite electric circuit built for high speed and low latency in mind, which architecture uses the context of laboratory materials. -Stripped\ Rainbow\ Eucalyptus\ Wood=The Bark Of The Rainbow Eucalyptus -Berries\ pop=Plodove pop -Acacia\ Planks\ Camo\ Door=This Model Is Xromlanm\u0131\u015F Door -Rainbow\ Eucalyptus\ Button=Rainbow-Eucalyptus-Button -Bamboo\ Barrel=Bamboo Barrel -Pink\ Lozenge=Pink Pills -Fried\ Chicken=Fried Chicken -Not\ So\ Sticky=It's not so much -Toggle\ Minimap=Mini Circuit Breaker -Reset\ Icon=To Restore The Icon -(pr.\ C)=(ave) -Remove\ Layer=To Remove A Layer -Aquilorite\ Gun=Aquilorite \u041E\u0440\u0443\u0436\u0458\u0430 -Zigzagged\ End\ Stone\ Bricks=Zig-Zag End-Of-The-Stone-And-Brick -Some\ settings\ are\ disabled\ since\ your\ current\ world\ is\ an\ inspiration=Some of the parameters of the system, because in the modern world is a source of inspiration -Trades=The transaction -Black\ Concrete\ Camo\ Trapdoor=Black Concrete Is Calculated Hatch -Light\ Blue\ Concrete\ Camo\ Door=Light Blue Estimated The Door -Escape\ the\ island=Escape from the island -Lingering\ Potion\ of\ Leaping=A long time for the soup to leap -Seed\ (Optional)=Semen Analysis (If Necessary) -Detector\ Rail=The Sensor Of The Tracks -Configuration=Configuration -Small\ Soul\ Sandstone\ Brick\ Slab=A Small Breath Of Sandstone, Bricks, Tiles -Background\ Color=The Background Color Of The -Tags\ aren't\ allowed\ here,\ only\ actual\ blocks=The tag is not possible, even here, the real drive -Get\ a\ trial\!=To obtain the court\! -Limestone\ Brick\ Wall=Lime Stone, Brick Walls -Holographic\ Bridge\ Projector=The Holographic Projector Of The Bridge -Blackstone\ Wall=Blackstone Wall -Warped\ Roots=Deformed Roots -Orange\ Fess=Orange-Fess -New\ Chapters=New Chapter -Cut\ Sandstone\ Slab=Reduction Of Slabs Of Sandstone -Dying=Do -Fade\ to=Ne -White\ Chief\ Indented=White Chief Indented -Red\ Tulip=Red Tulips -Polished\ Diorite\ Camo\ Trapdoor=Polished Diorite-Trap Jacket -Max\ Size\ Reached\!=The Maximum Size Is Exceeded\! -Respawn\ location\ radius=The radius of the spawn point -Pinging...=Ping... -Green\ Berries=Bagas Verdes -Panda\ eats=The Panda ate -Nothing\ changed.\ Collision\ rule\ is\ already\ that\ value=Nothing has changed since then. The rules in the front, as well as the values of the -Llama\ Spit=Llamas Spit -Cyan\ Elytra\ Wing=Modra Elytra Krila -%s\ in\ storage\ %s\ after\ scale\ factor\ of\ %s\ is\ %s=%s in stock %s when the scaling factor %s it %s -Magenta\ Concrete=The Black On The Concrete -Spawn\ monsters=Spawn monsters -Iron,\ and\ extremely\ rarely,\ Diamond\ Ores.=Of iron, and, very rarely, diamonds, iron ore, which is -Black\ Glazed\ Terracotta=Black Glazed Terracotta -Lapis\ Lazuli\ Block=Det Lapis Lazuli Blok -Soaked\ Bricks=Soaked Rotten -%sx\ %s=%sx %s -Obtainable\ by\ breaking\ a\ Shrub,\ and\ used\ to\ plant\ tomato\ crops.=You will win to rest in the bushes, and tomatoes. -Resources=Tools -Grants\ Jump\ Boost\ Effect=The Provision Of Housing, Increase Influence, -Saw\ Dust=The Sawdust -Want\ to\ get\ your\ own\ realm?=You want to make your own Kingdom? -Fir\ Fence=Bredhi Gardh -White\ Lawn\ Chair=Now, The White In The Sunset -Used\ to\ activate\ milk\ in\ a\ basin\ to\ allow\ it\ to\ become\ cheese.\ Comes\ in\ many\ variants.\ Interact\ with\ a\ milk-filled\ basin\ to\ use.=The inclusion of milk into the pan, to enable you to get the cheese. Available in a variety of variations. The interaction of milk throughout the pan for use. -Vent=Ventilation -Distance\ by\ Strider=Att\u0101lums no Stryder -Gold\ Plates=I don't -Colored\ Tiles\ (Rainbow)=Tile Colors (Rainbow) -Frosted\ Ice=Satin Ice -Enderman\ cries\ out=Enderman screams -Polished\ Diorite\ Camo\ Door=Diorite Poleret I Rummet, -Rare=Rarely -Yellow\ Paly=Pale Yellow -Small\ Pile\ of\ Saltpeter\ Dust=Nitrate in the rights of small lot -Small\ Pile\ of\ Invar\ Dust=A small group of \u0418\u043D\u0432\u0430\u0440 fabric -Respawn\ immediately=Respawn immediately -Creating\ world...=The foundation of the world... -Spider-Proof=Tze Amazing Speeder-Proof -Yellow\ Pale=Light Yellow -Russian\ Hat=Russian Hats -Orange\ Base=The Orange Colour Is The Main -Small\ Pile\ of\ Grossular\ Dust=Grossular small pile of dust -Orange\ Wool=Orange Wool -Expected\ a\ coordinate=There will be an extra fee -Dead\ Tube\ Coral\ Fan=Dead-Tube Coral, Fan -Move\ All\ At\ Cursor=Move The Mouse Cursor -White\ Dye=White Farba -Apollo\ Essentia\ Bucket="Apollo" - For Modern Women Gentle, Bucket -Nether\ Chestplate=Nether Protection Chest -Purpur\ Bricks=Purpura Brick -Hemlock\ Wood\ Stairs=Hemlock Wooden Stairs -F3\ +\ F4\ \=\ Open\ game\ mode\ switcher=F3 + F4 \= open the play mode button -Couldn't\ revoke\ criterion\ '%s'\ of\ advancement\ %s\ from\ %s\ players\ as\ they\ don't\ have\ it=No one can come out of a person%spromotion %s on the %s the players, as I don't have to -Potted\ Black\ Bat\ Orchid=Test, Black, Jasmine And Orchid -Forward\ Launchers=Before The Rocket Launchers. -Yucca\ Palm\ Sapling=There, As A Rule, In Palm-Frying -Purple\ Paly=White To Play -Craft\ an\ Iron\ Hammer.=Kraft Iron Hammer. -Grants\ Immunity\ to\ Wither\ Effect=It gives immunity to the effect is dry -Accumulating=Collect -Iron\ Boots=Iron-On Shoes With Them -Small\ Pile\ of\ Sapphire\ Dust=A Small Pile Of Sapphire Dust -Gold\ to\ Diamond\ upgrade=Gold Stone pack -Lowlands=As usual -Right\ Pants\ Leg=To The Right Of The Right Leg In The Pants -Light\ Gray\ Stained\ Glass\ Pane=Light Gray Stained Glass Panel -Drawers=Boks -Iron\ Shovel=Blade Of Iron -Note\:\ Set\ this\ to\ 0\ and\ restart\ to\ spawn\ Vanilla\ Mineshafts.=Note\: to Set this value to 0, and re-create Vanilla at my age. -Dead\ Brain\ Coral\ Wall\ Fan=The Brain-Dead Coral Wall Fan -Purple\ Pale=Purple -\!%s=\!%s -Default\ is\ 50.=The default value is 50. -Potted\ Birch=Rastline Breza -Zigzagged\ Polished\ Blackstone=Zigzagged Polished Blackstone -Books\ reloaded\ in\ %s\ ms.=Book refilled %s MS -is\ on\ which\ is\ unlike\ the\ other\ dungeons\ from\ this\ mod=this is in contrast to the other dungeons for this mod -Vendor\ detected\:\ [%s]=Sale find\: - [%s] -Light\ Blue\ Chief=Blue Light No No No No No. -CraftPresence\ -\ Select\ Server\ IP=CraftPresence - select the IP address of the server -Orange\ Per\ Bend\ Inverted=The Orange Curve Upside Down -Item\ Frame=Item Frame -Horn\ Coral\ Wall\ Fan=Coral Horns On The Wall, Fan -Exhaustion\ Multiplier=The Fatigue Multiplier -Villager\ agrees=The villagers agree with -If\ enabled,\ players\ will\ be\ able\ to\ craft\ only\ unlocked\ recipes=If this option is enabled, players can work on their own in the event that the proceeds of the -Successfully\ defend\ a\ village\ from\ a\ raid=To successfully protect the village from the RAID -World\ 2=World 2 -Tripwire\ clicks=Click the wireless -World\ 1=Verden, 1 -Unmerge=Affairs -Voice/Speech=Voice/Language -Show\ Light\ Level=A View Of The Level Of Light -Strike\ a\ Villager\ with\ lightning=Hit vistelse med faster -Zinc\ Dust=Powder Zinc -Mojang\ implements\ certain\ procedures\ to\ help\ protect\ children\ and\ their\ privacy\ including\ complying\ with\ the\ Children\u2019s\ Online\ Privacy\ Protection\ Act\ (COPPA)\ and\ General\ Data\ Protection\ Regulation\ (GDPR).\n\nYou\ may\ need\ to\ obtain\ parental\ consent\ before\ accessing\ your\ Realms\ account.\n\nIf\ you\ have\ an\ older\ Minecraft\ account\ (you\ log\ in\ with\ your\ username),\ you\ need\ to\ migrate\ the\ account\ to\ a\ Mojang\ account\ in\ order\ to\ access\ Realms.=Mojang was required to apply certain procedures that will help kids in defence, and in his personal life, including, in accordance with their children about online privacy protection act children online (COPPA), as well as the General law On personal data protection (General data).\n\nMaybe you should obtain parental consent before you approach the matter. \n\nIf you have an old Minecraft account (user access), then you have to move at its own expense and for its own account in Mojang, to enter the Kingdom.... -Entity\ can't\ hold\ any\ items=The device is not in a position to have the item -Cheating=Cheating -Potted\ Birch\ Sapling=Getopften Birch-Trees, -%1$s\ was\ poked\ to\ death\ by\ a\ sweet\ berry\ bush\ whilst\ trying\ to\ escape\ %2$s=%1$s it was \u0441\u0443\u043D\u0443\u043B\u0441\u044F on the way to the berry bush, when we're trying to get rid of %2$s -Nothing\ changed.\ That\ team\ can\ already\ see\ invisible\ teammates=Nothing's changed. Team can see invisible teammates -Diamond\ Ring=Diamond Stone Ring -Honeycomb\ Brick\ Stairs=Honeycomb Mursten, Trapper -Generate\ Core\ of\ Flights\ on\ Abandoned\ Mineshafts\ Chests=Fell Me in the Chest, so the flight off the base -Snow\ Block=Snow Block -%1$s\ fell\ while\ climbing=%1$s he fell while climbing -Jungle\ Step=The Jungle Rose -Options=Options -A\ stack\ of\ items\ cased\ in\ bread,\ which\ can\ be\ consumed\ all\ at\ once\ to\ restore\ as\ much\ hunger\ as\ the\ items\ inside\ restore\ combined.\ This\ specific\ one\ contains\ an\ item\ that\ is\ not\ a\ food\ item.=Of the stack of objects in the \u043E\u0431\u0441\u0430\u0436\u0435\u043D\u043D\u044B\u0445 loaf of bread, you can consume at once, in order to restore as much hunger as an element in the framework of the recovery in the business. This type contains an element that is not a food. -(Place\ pack\ files\ here)=(The location of the file in the package here). -Yellow\ Elytra\ Wing=The Yellow, Elytra Krila -Small\ Pile\ of\ Iron\ Dust=A Small Handful Of Iron Powder -Negotiating...=To bargain... -Red=Red -Blue\ Lozenge=Blue Diamond -Splash\ Potion\ of\ Fire\ Resistance=A splash potion of fire resistance -Previously\ called\ as\ The\ Pipe.=Used to be called "pipe". -Bucket\ of\ Pufferfish=\u0534\u0578\u0582\u0575\u056C Pufferfish -Connecting\ to\ the\ server...=To establish a connection with the server... -Use\ tag\ grouping=A day in the pool -A\ machine\ which\ consumes\ $(thing)energy$()\ to\ smelt\ $(thing)items$()\ into\ useful\ materials.=The device, which uses a $(s), power$(), because of the smell $(the stuff to use$( in the materials useful. -Grants\ Creative\ Flight=The Contribution Of The Creative Plane -Crossbow\ loads=Crossbow compared to -Connected\ Storage=Connected To The Storage Space -Mundane\ Splash\ Potion=Gewone Splash Drankjes -Pink\ Terracotta\ Camo\ Trapdoor=Pink, Brick Color Camouflage, Sunroof -Server\ Display\ Name\ to\ default\ to,\ in\ the\ case\ of\ a\ null\ Name\\n\ (Also\ Applies\ for\ Direct\ Connects)=The Server, the display Name, by default, in the case of a ground zero for the Birth.\\n (apply to Direct associates) -Broadcast\ admin\ commands=Gear box administrator team -Yellow\ Terracotta\ Ghost\ Block=Terra Cotta-Yellow, Ghost-Single -Nothing\ changed.\ That\ display\ slot\ is\ already\ empty=Nothing has changed. The screen, the nest is already empty -Wolf\ Spawn\ Egg=The Llop Is Generated Ou -Tech\ Reborn\ Computer\ Cube=The Technology, Which Is Is A Born Again Computer Geek -Double\ must\ not\ be\ more\ than\ %s,\ found\ %s=Twice he must not be much more %s found %s -Jungle\ Fence=Jungle Round -Ethereal\ Furnace=Abstract In The Oven -Blockfish=Blockfish -Blue\ Creeper\ Charge=Dachshund Sina Creeper -%s\ Capacitor=%s Capacitor -Glass\ Fiber\ Cable=Glass Fiber Cable -Grassy\ Igloo\ Spawnrate=Grass, Golc Spawnrate -Greenwing\ Macaw\ Wing=Greenwing Macaw Wing -'%s'\ will\ be\ lost\ forever\!\ (A\ long\ time\!)='%s"it is lost forever. (For a long time\!\!) -Download\ cancelled=Download cancelled -Triggered\ %s=OIE %s -Mod\ Name=The Name Of The Mod -Rain=The rain -Rail=DGP transport -Blue\ Tent\ Side=The Blue Tent On The Side -Verifying\ your\ world=Check the world -Asteroid\ Lapis\ Ore=Authorities Investigating The Lapis Ore -Raid=USE -Made\ %s\ a\ server\ operator=Made %s the server of the operator -Text\ Background\ Opacity=Text Opacity -Scrollable\ Screen=Screen Play -Play\ Sound\ Alert\ Low\ Level=Playback Is An Indication Of The Low Level Of The -Set\ the\ custom\ rule\ for\ sort\ in\ columns\ button=Yes will determine your sobstvenni rules for da sortira colonite on Bud -Turtle=Costenaro -I\ agree\ to\ the\ Minecraft\ Realms=I agree that the world of Minecraft -%s\ is\ higher\ than\ the\ maximum\ level\ of\ %s\ supported\ by\ that\ enchantment=%s more level %s in order to maintain these spells -Sakura\ Kitchen\ Cupboard=I Feel, Kitchen Cabinets -Shears=Pair of scissors -Redstone\ Desalinator=Watermaker Redstone -Blaze\ Powder=Blaze Powder -Movement\ Speed=The Movement Speed Of The -Aquilorite\ Gem=Aquilorite February -We\ always\ want\ to\ improve\ Minecraft\ and,\ to\ help\ us\ do\ that,\ we'd\ like\ to\ collect\ some\ information.\ This\ lets\ us\ know\ what\ hardware\ to\ support\ and\ where\ the\ big\ problems\ are.\ It\ also\ gives\ us\ a\ sense\ of\ the\ size\ of\ our\ active\ player\ base,\ so\ we\ know\ if\ we're\ doing\ a\ good\ job.\ You\ can\ view\ all\ the\ information\ we\ collect\ below.\ If\ you\ want\ to\ opt\ out\ then\ you\ can\ simply\ toggle\ it\ off\!=Always wanted to improve Minecraft, and to help us do this, we may collect certain information from you. This allows us to know what hardware is supported and there is a big problem. We also thought the amount of our active players, so we know we did a good job. You can also all information that we collect in the following sections. If you want you can change it\! -Blue\ Per\ Bend\ Sinister=Blu-Fold Sinistro -Cyan\ Concrete\ Powder=By The Way, The Dust -Redwood\ Kitchen\ Sink=Redwood Cuina Aig\u00FCera -Fir\ Kitchen\ Sink=Balm sink -Infested\ Stone\ Bricks=Its Stone, Brick -Spruce\ Table=Ella Table -Note\ Block=Note Block -Diorite\ Camo\ Door=Diorite Door, And When -Move\ Matching\ Items=Move Selected Items -Aluminium\ Dust=Aluminum Powder -Turtle\ Egg\ breaks=The turtle, the egg breaks -Brown\ Gladiolus=Brun Gladiolus -Play=Yes agree -Birch\ Cutting\ Board=Birch Edged Board -Blasting=Verbania -Seed\ To\ Use\:=Seeds To Use\: -Netherite\ Boots=Netherite Ayaqqab\u0131 -Iron\ Upgrade=Iron Updated -Shield=Shield -Wandering\ Trader\ hurts=A salesman is wrong -Diorite\ Wall=This Diorite Walls -Stripped\ Oak\ Wood=Sections Oak -Magenta\ Paly=Purple Bled -Add\ Grassy\ Igloo\ to\ Modded\ Biomes=Add the herbs, needles for biomes mod -<<\ Prev=<< Previous -F3\ +\ D\ \=\ Clear\ chat=F3 + D \= Clear chat -How\ rare\ are\ Stonebrick-styled\ Strongholds.=As a rare Stonebrick style Fort. -Repurposed\ Structures\ Config\ Menu=Repetidamente Comodidades Do Menu Config -Fabric\ mod=Fabric mode -Yellow=Yellow -Conduit\ deactivates=Management off -Multiplayer\ is\ disabled,\ please\ check\ your\ launcher\ settings.=Multiplayer is turned off, it is worth to check the settings on the launcher. -Aquilorite\ Armor=Aquilorite Armura -Magenta\ Pale=Dark Red And Light -Comparator=Repeater -Structure\ '%s'\ is\ not\ available=Structure%sI don't -Orange\ Elevator=The Orange Elevator -Give=Dot -\u00A75\u00A7oPlaces\ infinite\ sources\ of\ light=\u00A75\u00A7oA place of endless light -Umbral\ Door=The Shadow At The Door -Seed\ for\ the\ world\ generator=Family, the world generator -Unmarked\ %s\ chunks\ in\ %s\ from\ %s\ to\ %s\ for\ force\ loading=Labeled %s part of the %s v %s that %s the force of the load -Small\ Pile\ of\ Diorite\ Dust=A Small Park, Diorite, Powder-Free -Jungle\ Leaves=Jungle Leaves -Show\ Sort\ In\ Columns\ Button=Sort Button Column -Dark\ Forest\ Village\ Spawnrate=In The Dark Of The Forest In The Village Spawn Rate -Don't\ agree=I do not agree with the -Whitelist\ is\ now\ turned\ off=The white is now -Gravel=Shot -Chiseled\ Marble\ Pillar=Carved Marble Pillar -Green\ Terracotta\ Camo\ Trapdoor=Yesil Camo Proceedings Of The Second World War -Japanese\ Maple\ Platform=The Japanese Maple Deck -Set\ the\ unit\ for\ "Tool\ Damage\ Threshold"\ (Absolute\ Value\ or\ Percentage\ (%%))=For the device to install a "Tool of loss of Eve" (this is, of Course, the figures, or in Percentage%%)) -Chainmail\ Helmet=Chain Slam -Multiplayer\ (Realms)=Multiplayer (Mons). -This\ section\ stores\ the\ previous\ few\ chapters\ you've\ visited.$(br2)Chapters\ are\ automatically\ added\ and\ removed\ as\ you\ browse\ through\ the\ book.\ Should\ you\ wish\ to\ keep\ them\ referenced\ for\ longer,\ you\ may\ bookmark\ them.\ $(br2)$(o)Tip\:\ Try\ shift-clicking\ a\ chapter\ button\!$()=In this part of the store, a couple of the previous sections you have visited in the past.$(BK2)of the head, in order to add / remove, and you are going to read this book. If you want to get a relationship, and more than that you can define your own label. $(br2)$(a word of Advice\: Try shift and click on the chapter button\!$() -Semi\ Fluid\ Generator=The Semi-Fluid Generator -Mossy\ Cobblestone\ Slab=Bemoste No Leisteen -Removed\ every\ effect\ from\ %s=Take each and every one of them, which has the effect of %s -Orange\ Terracotta\ Camo\ Trapdoor=The Orange Tiles In Order To Hide The Cracks -Mule\ eats=And eat it -Invalid\ float\ '%s'=Error-float '%s' -Sheep\ hurts=It will work for you -Yellow\ Color\:=\ Yellow\: -Red\ Asphalt\ Stairs=The Asphalt Is Red On The Stairs -Rubber\ Sapling=On The Off -Unlinked=In the non-indexed -Golden\ Paxel=The Golden Pax, You -Pine\ Step=Candles Step -Desert\ Dungeons=Dungeons -Phantom\ Membrane=Ghost-Membrane -\u00A75\u00A7oVIP+\ only=\u00A75\u00A7oVIP+ only -Enchanter=Three wise men from the East -Swipe\ Move\ Crafting\ Result\ Slot=Drag Your Finger To Move Or Result Do Trabalho No Slot -Needs\ materia\!=Requirements\! -Resource\ Packs...=Resource Pack Je... -Rotten\ Flesh=Rotten Meat -Polar\ Bear\ roars=Bear roars -Brown\ Saltire=Coffee Can -Pink\ Glazed\ Terracotta\ Ghost\ Block=Rose In Glass, Terracotta, The Spirit Of The Blog -Craft\ a\ wire\ mill=To create a post in the topic die -Paper\ Wall=Tapetit -Stone\ Skips=The Stone Loses -Display\ Fluids=The Display Screen Of The Liquid -Angered\ neutral\ mobs\ stop\ being\ angry\ when\ the\ targeted\ player\ dies\ nearby.=Outraged, neutral monsters, don't be upset if a player dies in the game). -Low\ Air=Low-Teploty -Saved\ the\ game=The game will be saved -Jungle\ Stairs=Jungle Stairs -Light\ Gray\ Base\ Dexter\ Canton=Light Grey, Based In Canton Dexter -Bottle\ fills=The bottle is filled with -Lock\ Preview\ Window=In Order To Lock The Preview Window -E-Rank\ Materia=E-Rang Materijala -\u00A72\u00A7lCraftPresence\ has\ been\ Shutdown\!\\n\ \u00A76\u00A7lUse\ /cp\ reboot\ to\ Reboot=\u00A72\u00A7lCraftPresence \u043F\u0430\u0442\u0443\u0432\u0430\u045A\u0435 \u0431\u0435\u0448\u0435.N \u00A76\u00A7lUse /CP reload -Discard\ Changes=To Cancel The Changes -Dark\ Oak\ Slab=Dark Oak Worktop -Steak\ Taco=Steak Tacos -Top\ item\ must\ be\ bread=The top element, you need to be a loaf of bread -Light\ Blue\ Beveled\ Glass=Light Blue Glass Beveled -Blue\ Glazed\ Terracotta\ Glass=The Blue Color Of The Glass Single, Glass -Arrow\ of\ Rocket\ Fuel=Arrow Rocket Fuel -%s's\ Head=%s"in my head -Lettuce\ Leaf=Leaf lettuce -This\ bed\ is\ obstructed=The bed is the clogging of the blood -Vibranium\ Paxel=Vibrani Viac Z Paxe -Right\ click\ on\ covered\ cable\ to\ apply=Click with the right mouse button, the cable needs to be used -Pink\ Per\ Bend=Pink Ribbon -Stone\ Lance=Kamen, A Cup Of -Preferred\ theme=Known issues -Seems\ like\ you\ skipped\ a\ level\ \!\ Please\ apply\ the\ previous\ ones\ before=It seems that you have lost the Board of Directors. You can apply to the last -Emerald\ Plate=The Emerald Tip Of The -Orange\ Patterned\ Wool=Orange Textured Wool -Expected\ value\ for\ option\ '%s'=The expected value of the option is"".%s' -Your\ game\ mode\ has\ been\ updated\ to\ %s=The gaming mode is updated %s -Willow\ Boat=The boat -Lingering\ Potion\ of\ Poison=Spirits of venom -Tame\ an\ animal=The control animal -Libraries\:\ %s=Library\: %s -Chiseled\ End\ Stone\ Bricks=The Relief At The End Of The Stone, Brick -Willow\ Coffee\ Table=On The Coffee Table -Received\ Update\ Status\ for\ %1$s\ ->\ %2$s\ (Target\ Version\:\ v%3$s)=On average, the status of the %1$s -> %2$s (Translated version\: B%3$s) -Black\ Concrete\ Ghost\ Block=The Black And Some Of The Spirit Of The Building -Fluid\ Advancements\:=Liquid Progress\: -Activate\ On=To enable the -Crashing\ in\ %s...=Crash %s... -Your\ realm\ will\ be\ switched\ to\ another\ world=The empire is going to go to a different world -Small\ Image\ Key\ Format=Click The Small Format Image -Block\ of\ Stellum=Blog Stellum -Golden\ Pickaxe=Golden Shovel -Set\ the\ time\ to\ %s=You can set the %s -Discrete\ Scrolling=Dyskretna Prakruti -Ultimate\ Coil=At The End Of The Coil -Soulful\ Prismarine\ Chimney=Filled With In-Depth Understanding Prismarit By -White\ Field\ Masoned=The White Field Masoned -Pyrite\ Ore=Minerali, Pyrite -Texture\ Path\:=Tissue Method As Follows\: -Creeper-shaped=In The Form Of Cracks -Line\ Spacing=In between -Hunger=The hunger -Highlight=Highlights -Tomato\ Bush=Bush Tomato -Iron\ Golem\ attacks=The iron Golem attacks -Asteroid\ Ores=The asteroids -This\ will\ temporarily\ replace\ your\ world\ with\ a\ minigame\!=This will allow you to temporarily change your world and mini-games. -Stray=I lost -Asteroid\ Galaxium\ Ore=\u017De Galaxium Rudy -Rainbow\ Eucalyptus\ Step=Rainbow Eukalipt, U Rrit -Redstone\ emitting\ block\ used\ to\ detect\ players,\ configurable=Emit a Redstone block is used to detect players, custom -Hacked\ Sandwich=Slices Sandwich -%s\ Drawer=%s Box -Spruce\ Planks\ Ghost\ Block=The Fir Planks Of The Spirit Of Party -Potted\ Tiny\ Cactus=Pot A Small Cactus -Prismarine\ Cape\ Wing=Prismarine Creel -Purple\ Base\ Gradient=The Purple Foot Of The Mountain -Rainbow\ Bricks=Rainbow Brick -Smoky\ Quartz\ Slab=Bronze Quartz Slab -Stripped\ Umbral\ Hyphae=Oduzmi Umbral Hyphae -Quantum\ Helmet=Quantum Helmet -Willow\ Shelf=Willow Safata -Pink\ Terracotta\ Ghost\ Block=The Boiled Pink Of The Spirit Of The Block -End\ of\ stream=At the end of the stream -Giant\ Tree\ Taiga=The Forest Of Giant Trees -Asterite\ can\ be\ used\ to\ create\ powerful\ tooling.=Asters can be used to create effective and efficient manner. -Diorite\ Ghost\ Block=Diorite Blocco Fantasma -Hold\ the\ Dragon\ Egg=Keep the dragon egg -Invalid\ NBT\ path\ element=Invalid NBT-element of the path, -Ocelot\ Spawn\ Egg=Dry Ocelot Egg -Customize\ Messages\ to\ display\ with\ Dimensions\\n\ (Manual\ Format\:\ dimension_name;message)\\n\ Available\ Placeholders\:\\n\ -\ &dimension&\ \=\ Dimension\ Name\\n\ -\ &id&\ \=\ Dimension\ ID\\n\ -\ &icon&\ \=\ Default\ Dimension\ Icon=This is a set of messages that will be displayed along with the size.\\n \\ n (the operation format\: dimension_name;message " \\n \\ n-have a container\:\\n, \\ n, &measurement,& \= the name of the function.\\N &Di& \= action-ID).\\n \\ n + page& \= the size of the default icons -Ghast\ hurts=Ghast dolor -Choose\ an\ Interface=To select the surface -Smooth\ Stone\ Ghost\ Block=Of Smooth Stones, Blocks-Spirit -Compact\ Tabs\:=Is A Compact Map\: -Purple\ Bed=Purple Bed -Willow\ Post=Verba-Mail -Japanese\ Maple\ Forest=Maple Grove -Highlight\ Color\:=Select A Color\: -Contractor\ Pants=The Artista Of The Pants -Top\ Offset=Offset -Black\ Terracotta\ Glass=Black Earthenware, Glass -Hold\ this\ key\ to\ move\ all=Press and hold this button if you want to move all -Brown\ Concrete\ Powder=Brown, Concrete Powder -Detect\ Technic\ Pack=To Figure Out The Technical Pack -Dirt\ Camo\ Door=The Dirt On The Cape Gateway -Tool\ Material=Tool Things -Lapis\ Lazuli=Lapis lazuli -Ol'\ Betsy=For Betsy -Light\ Blue\ Elevator=Light Blue Elevator -Red\ Terracotta\ Ghost\ Block=Checkered Red-The Spirit-The Unity Of -Brown\ Tent\ Top=The Brown At The Top Of The Tent -Kinetic\ acc.\ coefficient=The kinetics of the acc. the weight of the -Nether\ Brick\ Platform=Nether Brick Platform -Energy\ Flow\ Chip=The Flow Of Power To The Chip -Right\ Click\ while\ holding\ item=When you right Click while holding the item -Helium3=Helium3 -Default\ Dimension\ Message=By Default, The Size Of The Message -Smooth\ Volcanic\ Rock\ Stairs=The Smooth Volcanic Rock, The Steps Of -Basic\ Circuit\ Recipe=The Basic Circuit Is The Recipe -Start\ date=Start date and end date -Outback\ Brushland=Interior Brushland -Soul\ Speed=The Speed Of The Soul -Stone\ Brick\ Pillar=Stone, Brick, Post, -Crimson\ Kitchen\ Sink=The Crimson Sinks -Purple\ Per\ Fess=Lila Fess -Checking\ for\ valid\ MultiMC\ Instance\ Data...=MultiMC, for example, the current control... -No\ items\ were\ found\ on\ player\ %s=Not in items, the player %s -Entity\ Name\ Tags=The Name Of The Object Tags -Redstone\ \u00A73(Blockus)=Redstone \u00A73(On one) -Warped\ Fungus=Fuzzy -Large\ Image\ Key\ Format=High Tla\u010Didla Image Format -Chances\ of\ Generating\ (0.0\ is\ never,\ 1.0\ is\ always)=The chances of getting in (0.0 wb auto iso auto, never, always, 1.0) -Orange\ Concrete\ Powder=Orange Bollards Concrete -Difficulty=The difficulty -Barren\ Desert=Barren Er\u00E4maassa -Template=Definition of -Red\ Mushroom\ Block=The Red Of The Mushroom Group -Music\ &\ Sounds...=Hudba A Zvuk... -Tall\ Light\ Gray\ Rose\ Campion=High Light Grey Rose Kuznetsova -Rotten\ Flesh\ Block=A Rotten Flesh Block -Catch\ a\ fish...\ without\ a\ fishing\ rod\!=As the capture of a fish, without a fishing rod\! -Sub-World\ Coordinates\ *\ 8=The Under-World Coordinates Of 8 -Create\ world=Armenia -Cancelled=Below -Diamond\ Block\ (Legacy)=Diamant Bloc ("Link") -Block\ Transparency=If You Would Like To Close The Iphone And The Ipad -Dried\ Kelp=Dried Seaweed -Forest\ Clearing=Forest clearing -New\ Waypoint\ Set=A New Map Set -Bronze\ Pickaxe=Bronze Pickaxe -Green\ Base\ Indented=Yesil Indented Base -Red\ Base\ Indented=Red And Basic Indent -Illusioner\ prepares\ mirror\ image=Illusioner prepare the image in the mirror of the -Cod\ Spawn\ Egg=Cod Spawn Egg -Crystal\ End\ Furnace=The Glass Furnaces Of The End Of The -Lime\ Dye=Var Of Otvetite -%s\ Kitchen\ Cupboard=%s Kochanski Wardrobe -Small\ Pile\ of\ Manganese\ Dust=One Of The Smallest Of Manganese Powder -Default\ is\ 0.=The default value is 0. -Sweet\ Berry\ Bush=Sladk\u00E9-Berry Bush -Twinkle=Shine -Kitchen\ counters,\ cupboards\ and\ sinks\ can\ be\ used\ to\ decorate\ your\ kitchens.\ You\ can\ store\ items\ in\ cupboards.=Kitchen counters, wardrobes and a sink that you can use to decorate your kitchen. You can store in the closet. -Irreality\ Crystal=Crystal Unreal -Ocean\ Explorer\ Map=The map of the ocean explorer -Entangled\ Bag=Love The Bag -Volcanic\ Cobblestone\ Slab=Lava Stone Plates -Potted\ Purple\ Foxglove=Vase Of Flowers-Purple Foxglove -Green\ Berry\ Bush=Gr\u00F8n Bush Berry -Pillager\ hurts=The thief is injured -Copy\ Biome=You Will Have To Copy The Biomes -Generate\ Core\ of\ Flights\ on\ End\ City\ Treasures=To create a core of air at the end of the city, and the treasures of the -Toggles\ Developer\ Mode,\ showing\ debug\ features\ and\ enabling\ debug\ logging=To change the operating mode of the developer, has such a feature, search and Troubleshooting, and also includes debug logging -Bread\ Box=Bread Box -\u00A77\u00A7o"Attendee's\ cape\ of\ MINECON\ 2016."\u00A7r=\u00A77\u00A7o2016 "MINECON head of state."\u00A7r -Marble\ Bricks=The Marble Mur -C418\ -\ ward=C418 - Ward -Blue\ Glazed\ Terracotta\ Pillar=Blue Glass Terra Cotta Post -You\ are\ banned\ from\ this\ server=You're banned from this server -Lime\ Chief\ Dexter\ Canton=The Most Important Of Which Is The Lime County-Dexter -Polished\ Granite\ Glass=The Polished Granite And Glass -HYPERSPEED\!\!\!=Super FAST\!\!\!\! -\u00A7cUse\ to\ remove\ your\ own\ wing\u00A7r=\u00A7cWith the lifting of the skirt\u00A7r -Saguaro\ Cactus\ Sapling=For Planting Cactus Saguaro -Orange\ Beveled\ Glass\ Pane=The Colors Of The Glass, Make Sure That The -Custom\ bossbar\ %s\ now\ has\ %s\ players\:\ %s=A custom bossbar %s now %s spelare\: %s -Stop\ before\ tool\ breaks=Stand in front of the vehicle Cliff. -Potted\ Bamboo=Bambus I Vase -Add\ This\ to\ Modded\ Biomes=More biomes mod -Look\ around\ using\ the\ mouse=With the mouse -Turtle\ shambles=The turtle, upset -Tin\ Plate=The tiles -Iron\ Shelf=Shelf Iron -White\ Glazed\ Terracotta=White Enamel Is -Boost=To increase the -Stop\ on\ tool\ breakage=Of certain scumware on tool -Instant\ Damage=Consequential Damages -Ancient\ Debris=Ancient Ruins -Aquatic\ Alternatives=Alternatively, Su -Adventures=Adventure -Could\ not\ find\ that\ structure\ nearby=I don't think this structure -Extreme=Extreme -Gift=Gift -Quick\ Waypoint=A Quick To The Point -Grindstone\ used=Stone mills used -Wired=Hard -Vibranium\ Ore=Vibranium Ore -Customize\ Server\ Messages=Customize The Message On The Server -Piglin\ admires\ item=Piglin admire the entry of a -Orange\ Base\ Indented=Color-Base Included -Dark\ Oak\ Wood=The Oak Is A Dark -Appearance=Appearance -Crying\ Obsidian=Crying Obsidian -White\ Pale\ Sinister=White Pale Sinister -Tungstensteel\ Nugget=Tungstensteel Ingot -Lime\ Asphalt\ Slab=File Has Been Bituminoase -Craft\ an\ industrial\ machine\ frame=The art in the context of the -Black\ Roundel=Qara Roundel -Orange\ Paly=Amber Enterprises -Copy\ to\ Clipboard=Copy it to the clipboard -Pine\ Snag\ Wood=Pine Stammen Af Tr\u00E6et -Fox\ squeaks=\ Fox, creaking -%s\ has\ reached\ the\ goal\ %s=%s reached the goal %s -Asteroid\ Asterite\ Ore=Asteroide Asterite Mineral -Skip\ nights\ by\ sleeping\ on\ sofas=To skip a night's sleep on the Couch -Swamp=Photo -Veins\ of\ ores\ found\ in\ $(thing)$(l\:world/asteroids)asteroids$(),\ which\ may\ be\ harvested\ for\ resources.$(p)When\ mined,\ will\ drop\ their\ respective\ $(thing)$(l\:world/ore_clusters)ore\ clusters$().=Vessels the minerals and ores can be found in $(Stvari$(l\:world/asteroids asteroider$(), which may be collected in order to organise the\:$(p) When you pull, rather than falling $(thing)$(l\:world/ore_clusters horas de cluster$(). -Warped\ Planks\ Camo\ Trapdoor=The Distortion Shows, Camouflage, Luke -Chorus\ Plant=The Choir Of The Plant -Orange\ Pale=Light Orange -Asteroid\ Stone\ Wall=Pryrodne Catastrophe Zid, Kamen -Furnace=The oven -Always\ Active=To Ni Aktivna. -Rounds=Toranj -Illusioner\ displaces=Of Ovaa Illusioner -Minimap\ Zoom\ Out=The Mini-Map, In Order To Reduce -Lodestone\ Compass\ locks\ onto\ Lodestone=Magnetic compass, magnet of the hard disk drive -Evoker\ Fangs=Evoker's Teeth -Wandering\ Trader\ appears=Wandering through the exhibition -Pine\ Snag\ Branch=Clone Pi Grajdane -Sun++=Day -\u00A77\u00A7oin\ order\ to\ get\ a\ bat\ wing."\u00A7r=\u00A77\u00A7oget the bat-wing."\u00A7r -LOAD=Load -Warped\ Planks=Deformation Av Disk -Increase\ Zoom=Zoom-Zoom In And Out -Alert\ Low\ Light\ Level=Warning Low Level Lighting -Oak\ Step=The Oak Step -Fireball\ whooshes=The ball of fire is called -Can\ break\:=Can be divided into\: -Not\ as\ fun\ landing\ text\ but\ still\ here.=This is not so much fun, with the planting of a text, but still here. -Hemlock\ Step=Hemlock-Step -Potted\ Oak\ Sapling=Hidden Oak -Blue\ Pale\ Dexter=Light Blue-Meaning Of The -Craft\ a\ Fusion\ control\ computer=The art of Synthesis control of your computer -Tent\ Pole=Tent Pole -Pocket\ Trash\ Can=Pockets Of Waste In The -Leash\ Knot=Krage Og Knute -%1$s\ Total\ Assets\ Detected\!=%1$s The Set Of Assets That Have Been Discovered\! -You\ have\ passed\ your\ fifth\ day.\ Use\ %s\ to\ save\ a\ screenshot\ of\ your\ creation.=You have passed your fifth day. Use %s to save an image of your own creation. -Refill\ with\ any\ blocks=Fill in for any of the material in the -Interactions\ with\ Cartography\ Table=Work that complies with the table -Cyan\ Terracotta\ Glass=Cyan, Terra-Cotta, Glass -Dispensers\ Searched=Atomisers In Search Of -Show\ Continuous\ Crafting\ Checkbox=Udseendet Af Afkrydsningsfeltet The Constant Force -Rainbow\ Eucalyptus\ Wood\ Slab=Eucalyptus A Duty, Under The Tree, Under The Tiles -Was\ kicked\ from\ the\ game=And he was thrown out from the game -Grants\ Fire\ Resistance\ Effect=Grants For The Fire Effect -Furnace\ stats\:=Furnace for statistics\: -Fluid\ I/O=Liquid And/Or -Liquid\ Xp\ Bucket=Fluid Xp Bucket -Elder\ Guardian\ flaps=The old Guardian green -A\ sliced\ food\ item\ that\ is\ more\ hunger-efficient\ than\ a\ whole\ beetroot.=The cut of food to the hungry more efficiently in all of the sugar beet. -Flight\ Duration\:=For The Duration Of The Trip\: -%1$s\ was\ killed\ by\ %2$s\ using\ %3$s=%1$s he was killed %2$s the use of %3$s -Unbanned\ %s=Unban %s -Detect\ Curse\ Manifest=To Discover The Curse Is Expressed -Bricks\ Ghost\ Block=Brick Ghost Block -Chiseled\ Water\ Bricks=The Water Is Engraved On The Brick -If\ you\ leave\ this\ realm\ you\ won't\ see\ it\ unless\ you\ are\ invited\ again=If you leave this field you will not see, if you don't ask for it back -Customize\ Messages\ to\ display\ with\ Servers\\n\ (Manual\ Format\:\ server_IP;message;icon)\\n\ Available\ Placeholders\:\\n\ -\ &ip&\ \=\ Server\ IP\\n\ -\ &name&\ \=\ Server\ Name\\n\ -\ &motd&\ \=\ Server\ MOTD\\n\ -\ &icon&\ \=\ Default\ Server\ Icon\\n\ -\ &players&\ \=\ Server\ Player\ Counter\\n\ -\ &playerinfo&\ \=\ Your\ In-World\ Player\ Info\ Message\\n\ -\ &worldinfo&\ \=\ Your\ In-World\ Game\ Info=It is a set of Messages that are displayed on the Server.\\n (user's Guide, file Format\: server_IP;message, icon)\\n \\ n availability of the Blocks\:\\n \\ n &ip address& \= Server-IP.\\n \\ n &n,& \= the Name of the Server\\n \\ n &motd& \= Server MOTD\\n \\ n - the & symbol & \= Default, Server-Icon,\\n \\ n - &players,& \= the Server Player Counter.\\n &playerinfo& \= in his own World, the Player is an Info Message\\n \\ n &worldinfo& \= In Your World, Play Information -C418\ -\ wait=C418 - wait -Craft\ a\ Slime\ Hammer...\ how\ about\ whacking\ something\ with\ it?=Because the mucus a hammer... a big deal? -Colored\ Tiles\ (Green\ &\ Brown)=Color Of Shingles (Green, Brown) -Asteroid\ Redstone\ Ore=Asteroid Redstone PM -Mossy\ Volcanic\ Cobblestone\ Wall=Volcanic Mossy Wall Cobblestone -Page\ %s=Page %s -Message\ to\ use\ for\ the\ &tileentity&\ General\ Placeholder\ from\ Presence\ Settings\\n\ Available\ Placeholders\:\\n\ -\ &main&\ \=\ Current\ Main\ Hand\ Item\\n\ -\ &offhand&\ \=\ Current\ OffHand\ Item\\n\ -\ &helmet&\ \=\ Currently\ Equipped\ Helmet\\n\ -\ &chest&\ \=\ Currently\ Equipped\ ChestPiece\\n\ -\ &legs&\ \=\ Currently\ Equipped\ Leggings\\n\ -\ &boots&\ \=\ Currently\ Equipped\ Boots=The message that you want to use &tileentity, and, in General, participation in the Preferences\\n available placeholders\:\\N &key& \= current main part of the object,\\n &b& \= up - to-date, Immediately after\\n &helmet& \= this should now be equipped\\N helmet &took& \= was the hauberk higher\\n - &foot& \= calculated\\leggings N - - & - boots& \= an boots -Advanced\ Jackhammer=In Addition, The Crusher -CraftPresence\ -\ Discord\ Assets\ List=CraftPresence In The Sports List Of Contention -When\ on\ feet\:=If you are on foot\: -Lingering\ Rocket\ Fuel\ Bottle=The Bottle Of Rocket Fuel -"Hold"\ needs\ the\ zoom\ key\ to\ be\ hold.="Wait," the purpose of a key to the place. -Horse\ eats=To eat a horse -Better\ Diamond\ Recipe=The Better Diamond Recipe -\u00A76\u00A7lJoin\ Request\ Denied\ from\ %1$s\!=\u00A76\u00A7lTo take part in the application should be rejected, because of the %1$s\! -Diorite\ Circle\ Pavement=Diorite For Asphalt -Space\ Suit\ Chest=The Costume On The Chest -Bottom\ item\ must\ be\ bread=The lower part of the item will be bread -Polished\ Diorite\ Glass=For The Polished Diorite, A Glass Of -Brown\ Flat\ Tent\ Top=Brown, Apartment, Tent, Top -Andesite\ Bricks=Andesite Stone -Toggle\ Engine=The Engine Is In Transition To A -Settings\ for\ Other\ Players=The Settings For Other Players -Fir\ Log=Pin Journal -Metite\ Crook=Metite Personnel -Purple\ Thing=Purple Something -Light\ Blue\ Per\ Bend=The Blue Light On The -Block\ of\ Chrome=Lohko Chrome -Nether\ Pyramid\ Spawnrate=Empty Spawnrate -White\ Carpet=White Carpet -General=In General -Checking\ Discord\ for\ Available\ Assets\ with\ ID\:\ %1$s=Check the other assets that are included in Windows live ID\: %1$s -Short-burst\ Booster=Short-wave booster -Tall\ Photofern=High Photofern -Tables\ are\ a\ great\ decoration\ for\ your\ kitchens\ and\ dining\ rooms\!=Pictures are a great decoration for kitchens and dining rooms. -Add\ Mob\ Spawners\ to\ rooms\ other\ than\ the\ Portal\ Room.=Many manufacturer to the public. -Set\ the\ weather\ to\ rain=To set the time in the rain -0\ for\ no\ dungeons\ at\ all\ and\ 1000\ for\ max\ spawnrate.=Never in hell Max the game speed to 0 and 1000. -Warped\ Nylium\ Path=Nylia-No Longer -Grass=Grass -Slime\ Block=Slime Block -Umbral\ Button=Threshold, Click -Orange\ Concrete=Orange Is The Cement -White\ Terracotta\ Camo\ Door=Beli Teracota Gate Camouflage -Vacuum\ Freezer=Empty Fridge -Orange\ Creeper\ Charge=A Narancs Creeper \u00C1r -more\ with\ %s=more information %s -Not\ enough\ materials.=Ni dovolj materialov. -Sugar\ Water\ Bottle=Sugar, Bottled Water -Game\ Mode\ Command\:=Profiles In The Game Is The Command\: -\u00A75\u00A7oHas\ a\ 1/64\ chance\ to\ kill\ you=\u00A75\u00A7oThere's a 1/64 chance to kill -Peony=Peony -Plugin\ Settings=Plugin settings -Space\ Suit=The Space Suit -Evoker\ casts\ spell=Summoner spells -Fried\ Chicken\ Wing=Fried Chicken Wings -Ascending=Climbing -Look\ around=Look around -Craft\ a\ chimney.=The boat in the stack. -Removed\ custom\ bossbar\ %s=Removed custom bossb\u00F3l %s -HV\ Transformer=Transformer HV -You\ logged\ in\ from\ another\ location=You can connect to other local -Show\ sort\ in\ columns\ button\ on\ GUI=In order to show how the two times on the button " man -Yellow\ Skull\ Charge=Yellow Tulips Collection -Bubble\ Coral\ Wall\ Fan=Bubble Coral-Wall Mounted Fan -Yucca\ Palm\ Sign=Yucca Palm-A Sign Of The -Dyed=The color -Tiny\ Potatoes\ with\ Curd\ Cheese=Small potatoes, cheese -Synchronizing\ data\ from\ server=To synchronize data with the server -Heart\ Shaped\ Plant=Heart-Shaped Plant -Quick\ Charge=Fast Loading -Message\ to\ use\ for\ the\ &pack&\ placeholder\ in\ Presence\ Settings\\n\ (If\ a\ Curse,\ Twitch,\ Technic,\ MCUpdater,\ or\ MultiMC\ Pack\ is\ Detected)\\n\ Available\ Placeholders\:\\n\ -\ &name&\ \=\ The\ Pack's\ Name=The message that is to be used for the &pack& the space provided for it, and with the Presence of all Settings\\n \\ n \\ n \\ n (If it is the Curse of muscle Contraction, Technique, MCUpdater, or MultiMC the disc is)\\n \\ n \\ n \\ n-Available in the following placeholders\:\\n \\ n \\ n \\ n - &name \= Name of the file -Acacia\ Shelf=Acacia Wood Rack -Cancel\ your\ changes\ by\ clicking\ the\ "Cancel"\ button.=If you want to undo your changes by pressing the button "Cancel". -Painting=Fig. -Lime\ Banner=Var Banner -Leave\ Bed=You're Bed -Purpur\ Block\ Camo\ Trapdoor=A Block Of Purple Camouflage, Doors -Incomplete\ Multiblock=Natamam Multiblock -Redwood\ Button=Button Redwood -Smooth\ Sandstone\ Slab=Them, And The Slabs Of Sandstone -Splash\ Potion\ of\ Healing=Splash Healing \u053D\u0574\u0565\u056C\u056B\u0584 -Willow\ Table=Willow Tabel -Tomato\ Clownfish=Tomat Clown Fisk -Redstone=Redstone -Activator\ Rail=The Activator Rail -Purple=Dark purple -Yellow\ Asphalt=Yellow Asphalt -Bronze\ Dust=Bronze Powder -Location=Features -Univite=The Univ -Item\ Groups=Product Groups -Extra\ Vanilla\ Material\ Hammers=Additional Vanilla Materials Sea -Would\ you\ like\ to\ download\ and\ install\ it\ automagically?=If you want to download it and install it for you? -Cypress\ Wood\ Stairs=De Spruce-Houten Trap, -Enable=Allows -Magazine\ is\ empty=In the journal of the void -Shows\ you\ the\ coordinates\!=Displays the coordinates\! -Tall\ Cattail=The Limit Laid Down In The Tifa -Only\ the\ latest\ deleted\ map\ is\ backed\ up.=Only the last line of the map, save it. -The\ nearest\ %s\ is\ at\ %s\ (%s\ blocks\ away)=The nearest %s this %s (%s a block away -Day\ Pack=Day Pack -Essentia\ Port=Port Kernel -Potion\ Status\ Settings=Elixir Staten Parametere -Scorched\ Stairs=Recorded At The Libra -Potted\ Spruce=Spruce In A Pot -Cyan\ Carpet=Modro Preprogo -Eagle\ Wing=Creel eagle\: -Scorched\ Tendrils=Svidd Bart -Light\ Blue\ Asphalt=Bright Blue Asphalt -Stellum\ Pickaxe=Stellum The Increase Of The -Light\ Blue\ Creeper\ Charge=Luce Blu Creeper -Lava\ Brick\ Slab=Lava, Ceramic Furnace -Ring\ of\ Magnetism=The Ring Of Magnetism -Polished\ Diorite\ Stairs=The Prices Of Polished \u0414\u0438\u043E\u0440\u0438\u0442 -Effect\ Amplifier=The Effect Of The Power Amplifier -Magenta\ Chevron=Fioletowa And Yellow Chevron -Tall\ White\ Dendrobium\ Orchid=The Amount Of White Dendrobium Orchids -Export\ World\ Generation\ Settings=The Export Settings Of World Production -Craft\ a\ basic\ machine\ frame\ out\ of\ refined\ iron=You are on the machine, the main frame of the fluid, iron, ironing board, -White\ Beveled\ Glass=White Beveled Glass -Opening\ the\ config\ screen\ with\ the\ keybinding\ is\ currently\ unavailable.=Open the settings screen, the shortcut key is currently not available. -Polished\ Blackstone\ Glass=Glass Merchant -Shows\ information\ about\ trading\ stations\ when\ you\ look\ at\ them.=When you look at them, displays information about the commercial stations. -Diamond\ Pickaxe=Peak Of Diamond -Added\ Damage=Added To The Loss -Lime\ Terracotta\ Ghost\ Block=The Cal Spirit Is The Block -Sulfur\ Block=Sulfur Block -Stone\ Ladder=The Head Of The Stairs -\n%sRecipe\ Id\:\ %s=\n%sRecipe Id\: %s -Command\ blocks\ are\ not\ enabled\ on\ this\ server=Command blocks are not enabled on this server -Small\ Pile\ of\ Dark\ Ashes=Small \u043A\u0443\u0447\u043A\u0430 dark popol, -Failed\ to\ Delete\ "%1$s",\ Things\ may\ not\ work\ well...=Delete, don't do it."%1$s"It is normal to work... -\u00A77\u00A7o"Ban\ Hammer\ not\ included."\u00A7r=\u00A77\u00A7o"The ban hammer not included in price".\u00A7r -Your\ time\ is\ almost\ up\!=Time slowly ends\! -Cyan\ Per\ Bend\ Inverted=Lok-Modra In Prodajo -Requires\ restart=Palm -Toasted\ Crimson\ Fungus=Pe\u010Dieme V Crimson Huby -Respawn\ Anchor\ is\ charged=Use for the control of the game, is -Grass\ Path=In The Hall Way -\u00A75\u00A7oKeeps\ a\ 9x9\ chunk\ area\ loaded.=\u00A75\u00A7oKeep them in a 9x9 part area. -Smooth\ Rose\ Quartz\ Stairs=The House Of The Rose Quartz Stairs -Gilded\ Blackstone\ Ghost\ Block=It is the Spirit Of the Gold Block, -Tunnelers'\ Dream=\ Tunnelers Vis -Ethereal\ Glass=Basic Glass -/config/slightguimodifications/text_field.png=/config/slightguimodifications/text_field.png -Note\:\ Eyes\ of\ Ender\ will\ show\ the\ closest\ Nether\ Stronghold.=Note\: you can use the eye of Ender said to the nearest Nether Fortress. -Netherrack\ Camo\ Trapdoor=Netherrack Camo Sunroof -Cypress\ Fence\ Gate=Cypress Gjerde Gate -Couldn't\ grant\ advancement\ %s\ to\ %s\ players\ as\ they\ already\ have\ it=Couldn't do further development %s by %s the players that are already in place -Loading\ world=Add in the whole world -Changed\ Tweaker\ subset\!\ Reloading...=The changes to the Drug options. A counter-attack... -Adventure,\ exploration\ and\ combat=Adventure, exploration, and combat -Team\ suffix\ set\ to\ %s=The team is a suffix %s -Wool\ Tarp=Wave Sailing -Asphalt=Asphalt -Black\ Tang=Musta, L -Industrial\ Jackhammer=Industrial Drill -Pine\ Snag\ Log=Life, Obstacles, Magazine -to\ be\ dropped=he fell to the bottom of the -Marble\ Slab=Slabs Of Marble -Dark\ Prismarine\ Stairs=Dark Prismarit Stairs -Bee\ buzzes\ happily=Happy buzzing of bees -Ravager=Ravager -Hoglin\ converts\ to\ Zoglin=Hogl around And I zogla -Allow\ Nether\ Temple\ Loot\ Chests=Leave The Underground Temple And Looting The Chest -Generation\ Rate\ Day=The Formation Of The Interest Rate Is The Date Of The -Swamp\ Clearing=For Cleanup Of Wetlands -Client\ outdated\!=Computerul client a expirat\! -Potted\ Brown\ Autumnal\ Sapling=Seedlings Are Potted In Autumn Brown -Click\ here\ for\ more\ info\!=Please click here for more information\! -What\ moves\ one's\ world.=What moves the world. -End\ Stone\ Camo\ Trapdoor=In The End, Stone, Camo, Luke -Oak\ Platform=Plattform Ek -*yawn*=*prosave* -Ashes=Pepeo -Small\ Pile\ of\ Tin\ Dust=One of the small tin of Powder -Animals\ Bred=Wild Animals -Industrialization\ of\ Sunlight=With the advent of sunlight, and -Show\ Biome=The Appearance Of The \u0411\u0438\u043E\u043C -Guide\ Book=Guide -Cave\ Maps=The Cave Map -Space\ Slime\ Spawn\ Egg=AB eat Asadka spawn Yayka -Golden\ Chestplate=Golden Bib -Cotton\ Seeds=Cotton - Hemp -Standard\ Fuel\ Pellet=Standard Pellet -Gained\ or\ lost\ experience\ flies\ across\ your\ screen.=Gained or lost experience flies across your screen. -Ornate\ Butterflyfish=Ornate Butterfly -Iron\ Glass\ Door=The Iron -, Glass-Door -Mask=Mask -Must\ be\ an\ opped\ player\ in\ creative\ mode=This is geopt players in creative mode -Custom\ Groups\ (IDs\ separated\ by\ commas)=The user groups (Id, comma separated) -Light\ Blue\ Concrete=The Blue Light Is Cool -White\ Pale\ Dexter=The Light Means White -Strength=Food -Small\ Pile\ of\ Titanium\ Dust=A small handful of dust and waste -Secret\ Rooms=The Secret Room -Slime=Fun -Resetting\ world...=Delete the world... -Added\ %s\ members\ to\ team\ %s=Added %s members of the team %s -Bamboo\ Trapdoor=Bambus Lk -Mars=Mars -Tapping\ Time=Click On The Time -Player\ burns=Player care -Redstone\ Wire=Redstone Wire -Glowstone\ Hammer=Glowstone Malatok -Recipe\ Screen\ Type\:\ %s=Recipe Screen Type\: %s -White\ Concrete\ Camo\ Trapdoor=In Particular, And White, The Camo Hatch -Magma\ Cube\ dies=Magma cube-il cubo. -Yellow\ Beveled\ Glass\ Pane=Yellow Many Glass -\u00A7lCraftPresence\ -\ Sub-Commands\:\\n\ \u00A7rSyntax\:\ \u00A76/\ \\n\\n\ \u00A76\u00A7lreboot\ \u00A7r-\ Reboot\ RPC\\n\ \u00A76\u00A7lshutdown\ \u00A7r-\ Shut\ Down\ RPC\\n\ \u00A76\u00A7lreload\ \u00A7r-\ Reloads\ CraftPresence\ Data\ based\ on\ Settings\\n\ \u00A76\u00A7lrequest\ \u00A7r-\ View\ Join\ Request\ Info\\n\ \u00A76\u00A7lview\ \u00A7r-\ View\ a\ Variety\ of\ Display\ Data\\n\ \u00A76\u00A7lhelp\ \u00A7r-\ Views\ this\ Page=\u00A7lCraftPresence Under a groupie\:\\n \u00A7rApplication\: \u00A76/<|Operacions amb una quota> \\n \\ n\\n \\ n \u00A76\u00A7lreboot \u00A7r Let's start with the RPC.\\n \u00A76\u00A7lin \u00A7r- Feche a tampa da RPC\\n \u00A76\u00A7lrestart \u00A7r- Reload the nave of the presence of the Configuration Database at any time\\n \u00A76\u00A7lthe application \u00A7r- Take a look at the Application in order to take Part in the Information at any time.\\n \u00A76\u00A7lcheck it out \u00A7r Now, the screen at the row and\\look.n \u00A76\u00A7lhelp \u00A7r- Page views by this Site -Rubber\ Wood\ Stairs=Rubber, Wood, Stairs -A\ pickled\ version\ of\ the\ cucumber,\ which\ can\ be\ eaten\ to\ restore\ more\ hunger.=Is delici\u00F3s, i the vinegar of the version that is pot menjar, i tornant a month of the fam. -Rubber=Rubber -Bee\ buzzes\ angrily=Abelles brunzint furiosament -Smooth\ Dots=Good Points -Pine\ Drawer=Bor Box -Peridot\ Axe=Peridot Ascia -Dark\ Oak\ Kitchen\ Sink=Dark Oak Kitchen Sink -Blaze\ breathes=Soul Vatra -Japanese\ Maple\ Shrub\ Sapling=For Seedlings, Japanese Maple Bush, -Armor=Armor -Display\ Coordinates=Screen Coordinates -Working...=It works... -Paper\ Trapdoor=Paper Games In The First Place -When\ on\ head\:=When head\: -Purpur\ Block\ Ghost\ Block=Purpura Block, Ghost Block -Black\ Per\ Bend\ Inverted=The Black Cart In The Opposite Order -Pine\ Fence\ Gate=The Birch Door Is Closed -There\ are\ %s\ of\ a\ max\ of\ %s\ players\ online\:\ %s=It %s Number %s the players in the online mode\: %s -Unable\ to\ get\ MultiMC\ Instance\ Data\ (Ignore\ if\ Not\ using\ a\ MultiMC\ Pack)=Not MultiMC sample data (ignore the package if you are not using MultiMC) -Rabbit\ Spawn\ Egg=Rabbit Spawn Egg -Campanion\ Items=Campanion, Elements -**Default\ Info\ cannot\ be\ Empty\ and\ Must\ be\ Valid**=**Default-cannot be empty must be true** -Granite\ Dust=Granite Powder -White\ Per\ Pale\ Inverted=Pale White Draw -This\ ban\ affects\ %s\ players\:\ %s=Is this ban going to affect you %s players\: %s -Brown\ Stone\ Bricks=Brown, Stone And Brick -Acacia\ Leaves=The Acacia Leaves -Tropical\ Fish\ Crate=Tropical Fish In The Box -End\ Stone\ Camo\ Door=At The End Of The Stone, Cover, Doors -Show\ Current\ Biome\ in\ Rich\ Presence?=Shows the Current Biome in the Presence of wealth? -Ring\ of\ Speed=Ring Gear -Not\ a\ number\!=Not quantity\! -Scheduled\ tag\ '%s'\ in\ %s\ ticks\ at\ gametime\ %s=We have planned for the day%s this %s mites on the discs %s -Actually,\ message\ was\ too\ long\ to\ deliver\ fully.\ Sorry\!\ Here's\ stripped\ version\:\ %s=In fact, the message is too long to be given completely. This is the worst\! Here is the version\: %s -Blackstone\ Glass=Blackstone Staklo -All\ Players=Each Of The Players -Set\ the\ post\ action\ for\ sort\ in\ rows\ button=To appoint the activity on sorting strings -Splash\ Potion\ of\ Swiftness=Drink speed -Potted\ Orange\ Tulip=Potted Tulip Orange -Double\ Crimson\ Drawer=Twice In The Red Box -Flonters=Flonters -Gravel\ Glass=Gravel Glass -Forest\ Well=Good Forest -Endermite\ hurts=Endermite evil -End\:\ Reborn=Finish\: Rebirth -\u00A77\u00A7olevitate\ inside\ my\ pockets."\u00A7r=\u00A77\u00A7ofloating around in your pocket."\u00A7r -Redstone\ Wing=The Piano Score Of The Redstone -Building\ Blocks\ \u00A73(Blockus)=The building blocks \u00A73(Blockus) -White\ Per\ Bend=Bijela Nantes -Open=Open -Gravel\ (Legacy)=Mug (Older) -Invalid\ escape\ sequence\ '\\%s'\ in\ quoted\ string=Invalid escape sequence '\\%s Quote -Villager\ Spawn\ Egg=A Resident Of The Laying Of Eggs. -Pink\ Stained\ Glass\ Pane=Pink-Tinted Glass -Blue\ Lawn\ Chair=Blue Lawn Chair -End\ Stone\ Button=Finally, The Head Button -Acacia\ Stairs=Acacia Wood Stairs -20\ Minecraft\ ticks\ are\ equals\ 1\ Second.=20 Minecraft ticks is 1 second. -Tripwire\ attaches=It -Polish=Polish -Birch\ Glass\ Door=Birch Wood Glass Doors -WP\ Dist.\ Horis.\ Angle=WP Dist. Hori-vieux. Coin -Magenta\ Base\ Sinister\ Canton=Magenta Base Skummel Canton -Enderman\ teleports=Enderman teleport -Polished\ Blackstone\ Pressure\ Plate=Polished \u0411\u043B\u0435\u043A\u0441\u0442\u043E\u0443\u043D Press -Cross-Dimensional\ TP=The cross-dimensions TP -Deep\ Ocean=Deep Ocean -Magenta\ Terracotta\ Camo\ Trapdoor=Terracotta Crimson Dr Luke -Spawn\ protection=Part of the protection of the -Jungle\ Hills=In The Jungle, And The Mountains -Bookshelf=Libraries -You\ are\ Running\ CraftPresence\ in\ a\ Debugging\ Environment,\ some\ features\ may\ not\ function\ properly\!=If you are trying craftpresence in the debug environment, some functions may not work. -Sandstone\ Bricks=The Stones Of The Past -Yellow\ Field\ Masoned=Yellow Brick Metro -Parrot\ cries=Cries no papagailis -Metite\ Chestplate=Metite Chestplate -Layout=Appearance -%1$s\ was\ impaled\ by\ %2$s=%1$s he was stabbed to death %2$s -Limits\ contents\ of\ debug\ screen=The contents of the screen, search for to resolve the problem -Brown\ Inverted\ Chevron=Sme\u0111a Obrnuti Chevron -Monster\ Hunter=Monster Hunter -Charred\ Wooden\ Slab=Qarayan\u0131q Raft Druri -Press\ %1$s\ to\ dismount=Pres %1$s in order to remove the -Open\ Mods\ Folder=Open The Folder Changes -Playing\ in\ VR\ via\ Vivecraft=The game the ADVERSARY through the Vivecraft -Dark\ Oak\ Door=Dark Oak Doors -Companion\ Cube=The Cube Companion. -Iron\ Spikes=Bars And Rods Of Iron -Rabbit\ Stew=Ragout Rabbit -Strider\ dies=Strider mor -Elder\ Guardian\ curses=The most high, the owner of the damn -Remove\ Minecraft\ Logo\:=Minecraft Eemaldada Logo\: -Hemlock\ Kitchen\ Counter=Hemlock je Kuhinja -Salty\ Sand=Salty Sand -Rainbow\ Eucalyptus\ Fence\ Gate=The Rainbow Eucalyptus-Fences And Gates -Trapdoor\ closes=The door closed -Illusioner\ prepares\ blindness=Illusioner the preparation of the glare -Wildflowers=Wild flowers on the way to life -Advanced\ Storage\ Unit=Extended Storage -Customize\ Messages\ relating\ to\ different\ Game\ States=Personalization of Messages involving different members of one and the same Game -Snowball=Gradu snow -Hard\ Hat=Hard Hat -Magma\ Brick\ Stairs=Improvements, Brick, Stairs, Wood, -Magenta\ Bed=Black Queen Size Bed -Skeleton\ dies=The skeleton dies -Transformer\ Upgrade=Transformer Update -Low\ Health=The Low Level Of Health -The\ Adabranium\ Mod=He Adabranium Of The Ministry Of Defence -Lectern=Lectern -End\ City\ Treasures=In the end, the wealth of the city -Black\ Berry\ Pie=Black Berry Pie -Mojira\ Moderator\ Cape\ Wing=Mojira Moderator Of The Wing Tip -Angel\ Block=Angel Block -Iron\ Dust=Iron Powder -Hide\ Selected=Hide -Craft\ an\ advanced\ machine\ frame=With the advanced craft, the structure of the -How\ rare\ are\ Nether\ Temples\ in\ Nether\ Wastelands.=As rare gaps in the gaps of the country temples. -Iron\ Plate=Cast Iron Plate -Main=Home -Please\ make\ sure\ you\ don't\ expose\ a\ secret\ location.=Make sure that will not be the theme a secret, safe place. -Golems\ Galore=Golem Is More Than Enough -Black\ Elytra\ Wing=Nero Elytra Ala -Nether\ Portal=Nether Portal -Stone\ Glass=Kamen, Staklo,And -Notes\ Config=Notes Config -Wandering\ Trader\ agrees=First, I agree with -%s\ has\ %s\ experience\ levels=%s there %s levels of experience -Dragon\ Egg\ Energy\ Siphon=The Dragon Egg Energy Siphon -Acacia\ Table=Acacia Table -Distance\ Flown=Flown Distances -Customized\ Filtering\ Rules=For At Konfigurere Et Filter Regel -Birch\ Kitchen\ Counter=Birch Kitchen Countertops -Al\ Pastor\ Taco=Pastor So -%s\ of\ %s\ (%s)=%s in %s (%s) -Defeat=Defeat -Potted\ Tall\ Lime\ Lily=Room Lime Trees, Lilies -Quick\ Eat=Fast food restaurant -The\ multiplier\ of\ the\ velocity\ children\ will\ use\ to\ reach\ their\ parents.=The multiplier is the possibility that children will use this to their parents. -Potted\ Lily\ of\ the\ Valley=In a bowl, lily of the Valley -%s\ graphics\ uses\ screen\ shaders\ for\ drawing\ weather,\ clouds\ and\ particles\ behind\ translucent\ blocks\ and\ water.\nThis\ may\ severely\ impact\ performance\ for\ portable\ devices\ and\ 4K\ displays.=%s the chart uses the shader for the preparation of the wind, the clouds and particles in the transparent unit, and of the water.\nThis can have a big impact on the performance of mobile devices and 4K displays. -Level\ shouldn't\ be\ negative=The level must be non-negative -Purple\ Per\ Pale=The Red Light -Asterite\ Leggings=Asterit Leggings -Gray\ Table\ Lamp=White Table Lamp -Null=Null -Keybind=Keybind -Adds\ some\ interval\ between\ clicks\ while\ sorting.\ Amount\ of\ interval\ can\ be\ set\ by\ "intervalBetweenClicksMs".\ Might\ be\ useful\ on\ some\ laggy\ servers\ or\ inventory.fastclick\ disabled\ servers.\ (To\ bypass\ some\ servers,\ 67\ ms\ is\ recommended)=Add a bit of delay between the mouse clicks, then you are the definition of the item The amount of the interval, the interval between the clicksms". It may be useful to the lag of the server or in the registry.a short click on the disabled server. (You are bypassing all of Server, a 67-ms recommended) -Hemlock\ Log=Busines Calendar -Warped\ Kitchen\ Sink=Smilga Aigueres -Hemlock\ Rainforest=The Hemlock Forest -Jungle=Jungle -Sheep=Sheep -A\ vegetable\ food\ item\ that\ can\ be\ sliced.=The plant, in which food can be reduced. -Desert\ Hills=Hills Of The Desert -Soul\ Sand=Soul Sand -Default\ is\ 35.=The default value is set to 35 years of age. -Polished\ Blackstone\ Ghost\ Block=The Glossy Black Stone, The Spirit Of The Block -Nuke=Nuke -SAVE=Save -Subtractor=The subtractor -Lead\ Ingot=Drive Bare -Step\ Height=The Height Of The Steps -Limestone\ Bricks=Lime And Brick -Cinematic\ Multiplier=Kinematic Multiplicator -Melon\ Slice=Cut, Then -Orange\ Lawn\ Chair=The Orange Th Generation. -Metite=Metite -Dragonfly\ Wing=Dragonflies qanad -Stopping\ the\ server=To stop the server -Minecraft\ Realms=Minecraft Realms -Tick\ count\ must\ be\ non-negative=For a number of cycles, it must be non-negative -Attempting\ to\ attack\ an\ invalid\ entity=I'm trying to get the error message, that the person -Twisting\ Vines\ Plant=The Twist In The Vines Of The Plant -Illusioner\ murmurs=Illusioner tales -Could\ not\ spread\ %s\ entities\ around\ %s,\ %s\ (too\ many\ entities\ for\ space\ -\ try\ using\ spread\ of\ at\ most\ %s)=Managed break %s the community %s, %s (too many people for space - try using spread of most %s) -Diamond\ Leggings=Diamantini Leggins -Add\ Badlands\ Temple\ to\ modded\ Badlands\ biomes.=Add erm temple mod of species of plants, animals of the badlands. -Waila=Waila -Armour\ Value=The Cost Of The -Critical\ attack=Critical strike -Umbral\ Sign=The Persanazh Of Zen -Arrow\ of\ Poison=The Poison Arrow -Blue\ Pale\ Sinister=Son Pale Evil -Armour\ Status=The Booking Status -Obsidian\ Brick\ Wall=Obsidian Murvegg -Strider\ warbles=On the contrary, in the e -Open\ Stack\ Full\ Preview=Open The Fold For A Complete Overview Of The -Alloy\ Furnace=Stop Pe\u0107i -Crystal\ Ethereal\ Furnace=Glass Essential Oven -Cod\ hurts=The heat -Wooden\ Crook=The Staff Of Wood -Dome\ of\ the\ Strider=Tower and Vice versa -Explore\ all\ Nether\ biomes=Descobreix tots els Nether biomes -A\ more\ advanced\ electric\ circuit\ board,\ built\ for\ systems\ with\ low\ latency\ in\ mind,\ whose\ architecture\ is\ based\ on\ graphene.=The most advanced, frame, electrical system, built with a low latency, while the architecture, which is based on the graf\u0113na. -Shulker\ dies=Shulk moet sterven -Jungle\ Cutting\ Board=He Lives In The Jungle Cutting Board -Magenta\ Base\ Indented=The Purple Base Of The Target -Pin=Le code PIN -Add\ Nether\ Basalt\ Temples\ to\ Modded\ Biomes=Add the space temples of the Basalt \u0431\u0438\u043E\u043C\u044B girls -Polished\ Blackstone=Polit, Total -Bronze\ Hoe=Bronzini Hoe -Network\ Master=Web-Master -Rainbow\ Eucalyptus\ Chair=Eucalyptus Tree, President Of The Rainbow -Creative\ Buffer=Kreativa Buffert. -Pig=Pig -Acacia\ Fence\ Gate=Acacia Fence Portata -Destroy\ the\ tree=The goal is to destroy the tree -Cooked\ Rabbit=Stew The Rabbit -Pumpkin\ Chest=Pumpkin Breast -Set\ to\ Texture\ to\ use\ resource\ pack\:=Setting up textures to be used, set the resources\: -Max\ Framerate=Max. The Number Of Frames Per Second (Fps -Green\ Asphalt=Asphalt Zelen\u00E1 -Lingering\ Potion\ of\ Strength=The long-term strength of the drink -Fiery\ Beginnings=The Firing Of The Start Of The -1.0x=1.0 x -Terrain\ Slopes=Country Bar -Stripped\ White\ Oak\ Log=Share White Oak Log -Show\ Current\ Biome=If You Want To View The Current Biome -destroy\ blocks\ instantly=destroy the blocks at the moment -Volcanic\ Rock\ Bricks=Heart Of Stone, Brick -Light\ Gray\ Elytra\ Wing=Gray \u041D\u0430\u0434\u043A\u0440\u044B\u043B\u0438\u0439, How -Black\ Skull\ Charge=Black Skull For -Iron\ Block\ (Legacy)=Strygejern Blok (Legacy) -Electronic\ Circuit=The Electronic Circuit -Graphics\ Device\ Unsupported=Diagram Of The Device Is Compatible With -Enabling\ data\ pack\ %s=Aktivering pakke data %s -Default\ is\ 30.=The default value is 30. -No\ chunks\ were\ marked\ for\ force\ loading=Not to be a part of a granted on the load -General\ Message\ Formatting\ Arguments\:\\n*\ Placeholders\ Configuable\ in\ Status\ Messages\ and\ other\ areas\\n*\ Some\ Placeholders\ are\ Empty\ unless\ they\ are\ assigned\\n\\n\ -\ &MAINMENU&\ \=\ The\ Main\ Menu\ Message,\ while\ in\ the\ Main\ Menu\\n\ -\ &MCVERSION&\ \=\ The\ Minecraft\ Version\ Label\\n\ -\ &BRAND&\ \=\ The\ Minecraft\ Branding\ Label\\n\ -\ &IGN&\ \=\ The\ Non-World\ Player\ Info\ Message\\n\ -\ &MODS&\ \=\ The\ Message\ displaying\ your\ Mod\ Count\\n\ -\ &PACK&\ \=\ The\ Pack's\ Message,\ if\ using\ a\ pack\\n\ -\ &DIMENSION&\ \=\ The\ Current\ Dimension\ Message\\n\ -\ &BIOME&\ \=\ The\ Current\ Biome\ Message\\n\ -\ &SERVER&\ \=\ The\ Current\ Server\ Message\\n\ -\ &GUI&\ \=\ The\ Current\ Gui\ Message\\n\ -\ &TILEENTITY&\ \=\ The\ Current\ TileEntity\ (Block/Item/Armor)\ Message\\n\ -\ &TARGETENTITY&\ \=\ The\ Current\ Targeted\ Entity\ Message\\n\ -\ &ATTACKINGENTITY&\ \=\ The\ Current\ Attacking\ Entity\ Message\\n\ -\ &RIDINGENTITY&\ \=\ The\ Current\ Riding\ Entty\ Message=The total Size of the Message Arguments formatting\:\\N* Fill Configuable position, status, and other Fields,\\N* some Units have been empty, if not set\\n\\n - &Windows& \= Main menu, Messages, while in the Main menu\\N - - &MCVERSION& \= version of Minecraft, tags\\N - &Grad& \= Minecraft is a Trademark\\N - &IGN and b \= not in the World of Information technology-Message\\N - &Mode & \= "show Message" Mode Element\\N - - &Packing, and d' \= block-post when Using % s\\N Size && \= the current Size of the Message\\n - &biome& \= the current biome of the Message\\N - &server \= "current server" on the Message\\N - &interface& \= Current Friend-Messages\\N - &TILEENTITY& \= effective TileEntity (block/item/Armor) \\N \\ N &TARGETENTITY& \= Object.\\After the N &ATTACKINGENTITY& \= recent Attacks\\N (post &RIDINGENTITY& \= the real Workout Entty Message -Gilded\ Blackstone=Auksas Blackstone -Independent\ of\ the\ friction\ factor.=In addition, the value of the coefficient of friction. -Add\ Badlands\ Temples\ to\ Modded\ Biomes=Give Me The Wasteland Of The Temples Of The Changes To The Biomes -\ of\ =\ have -"%1$s"\ has\ been\ Successfully\ Downloaded\ to\ "%2$s"\!\ (\ From\:\ "%3$s")="%1$s"he has been charged%2$s"\! [From\: "%3$s") -Evoker\ murmurs=Evoker Rutuliukai -Nichrome\ Heating\ Coil=?????????? Varme Element -Stripping=Stripping -Gray\ Rune=Rune Boz -Pink\ Base\ Dexter\ Canton=La Base Rosa Dexter Cantone -Quantum\ Leggings=The Quantum Leggings -A\ stack\ of\ items\ cased\ in\ bread,\ which\ can\ be\ consumed\ all\ at\ once\ to\ restore\ as\ much\ hunger\ as\ the\ items\ inside\ restore\ combined.\ This\ specific\ one\ is\ unusually\ pathetic.=A lot of elements covered by the piece of bread that can be used at the same time, in order to restore as much hunger as elements in its interior to be restored. This is, in particular, is very pathetic. -CraftPresence\ has\ encountered\ the\ following\ RPC\ Error,\ and\ has\ been\ Shut\ Down\ to\ prevent\ a\ crash\:\ %1$s=The craft's presence, I found the following error message, a CRC, and closed to avoid accidents. %1$s -Potion\ of\ Leaping=It's Hard To Work On Faces The Risk Of Gout In -Iron\ Gear=Steel Products -Chiseled\ Limestone=Limestone Carved -Oak\ Kitchen\ Cupboard=The Oak Room, Storage Room, Kitchen. -Pink\ Base\ Indented=Pink Base Indented -Demo\ time's\ up\!=The demo is finished\! -\u00A77\u00A7o"I\ need\ to\ get\ out\ of\ here\ NOW."\u00A7r=\u00A77\u00A7o"What must I do to get out of here, NOW."\u00A7r -A\ campfire-cooked\ version\ of\ the\ Chopped\ Beetroot,\ which\ restores\ more\ hunger\ and\ can\ also\ be\ eaten\ quickly.=The fire version for the chefs, shredded beets, which gets me very, very, very much, and hunger, and the faster you will be able to eat. -\nYour\ ban\ will\ be\ removed\ on\ %s=\nThe ban will be removed %s -Removed\ tag\ '%s'\ from\ %s=If you want to remove the extension number%s"on %s -Gold\ Shard=Gold Riv -Rubber\ Trapdoor=Gumowy Luke -Ravines=Need -Obtain\ a\ Wither\ Skeleton's\ skull=For Yes get dry skeleton on skull -Spawn\ wandering\ traders=In order to spawn, that the wandering merchants -%s\ or\ %s=%s or %s -%s\ has\ %s\ %s=%s it is %s %s -Blue\ Bed=The Blue Bed -Building\ blocks=Blocks -Synthesis\ Table\ +=A Summary Table Of The + -Polished\ Blackstone\ Bricks\ Camo\ Trapdoor=Overall Polished To A Brick-Cover Page-Cover -Hemlock\ Fence=Hemlock Close -Potted\ Tall\ Orange\ Calla\ Lily=Portokalli E Dehur Calla Lilies -Light\ Gray\ Bordure=Grey Reduction -Small\ Image\ Text\ Format=The Video Of The Conception Of The Text -Orange\ Glazed\ Terracotta\ Ghost\ Block=Orange-Glazed New Spirit To The Point -Light\ Gray\ Glazed\ Terracotta\ Pillar=Light Poles, Grey Glazed Ceramic Floor Tile -Expected\ '%s'=It is expected%s' -%s\ Chair=%s Chair -Setting\ unavailable=This option is available -Gameplay=About the game -Bricks\ Glass=The Construction Of The Glass -Furnace\ crackles=The oven heats up -Gold\ Block\ (Legacy)=Golden Square (World Heritage) -Bring\ summer\ clothes=To wear summer clothes -Legs\ Protection=The Legs In Order To Protect The -Snooper=Chicken -Center\ When\ Enlarged=To The Top, And When You Zoom In -Pink\ Terracotta\ Glass=The Pink Color Of The Glass -\u00A77\u00A7o"Who's\ the\ one\ flying\ now,\ huh?"\u00A7r=\u00A77\u00A7o"Fly to, to su they, ZAR not?"\u00A7r -Tank\ size=The whole tank -Quartz\ Canyon=Kuarc Canyon -Woodland\ Explorer\ Map=Forest Explorer Map -Social=Social -Make\ a\ sandwich\ using\ the\ Sandwich\ Table.=A sandwich with a "Sandwich " Ground". -Alternatively,\ here's\ some\ we\ made\ earlier\!=As an alternative, here are a few of what we have done in the past\! -most\ likely\ Giant\ Tree\ Taiga\ variants.=Probably, it is a giant three Taiga derivatives. -This\ teleporter's\ Ender\ Shard\ isn't\ powerful\ enough\ to\ cross\ dimensions\!=A cluster of these teleport Ender is not yet strong enough to cross the whole\! -Allows\ you\ to\ sit\ on\ tables.=You can sit at one of the tables. -Data\ pack\ validation\ failed\!=Packet inspection data-not working\! -Lime\ Fess=Vapno Fess -Components\ for\ crafting\ items\ to\ aid\ one\ in\ their\ journey.=Spare parts for the processing of objects that you carry. -Shift\ right-click\ to\ change\ sound=Move right-tap the screen to change the voice -Redstone\ Wall\ Torch=Redstone Torch Ant Sienos -\ +%s\ Armor=\ +%s If -Leather\ Cap=The Leather Cover -Asteroid\ Iron\ Ore=Asteroid-Ore-Iron -Andesite\ Ghost\ Block=El Fantasma De Andesite Blocs -Item\ Frame\ clicks=A point to hit the frame of the -From\ Within\ Thou\ I\ Grow=You Will Grow, I -Sandwich=Sandwich -Acacia\ Small\ Hedge=Acacia Small Living Curtain Over S\u0259ddin -Save\ hotbar\ with\ %1$s+%2$s=To save the panel %1$s+%2$s -Dead\ Bubble\ Coral\ Fan=A Dead Bubble Coral, And A Fan -Adamantium\ Axe=Na Adamantium Ruke Sekeru -Soulbound=Personal -F-Rank\ Materia=F-Class Materia -Crimson\ Shelf=For Yes Get Astrahanka; And -Expected\ value\ for\ property\ '%s'\ on\ block\ %s=It is expected that real estate prices",%s"the unity of the %s -Failed\ to\ log\ in=No signs -%1$s\ went\ off\ with\ a\ bang=%1$s fire-many of the high - -A\ bucket\ used\ to\ store\ and\ transport\ milk\ that\ is\ in\ the\ process\ of\ turning\ into\ cheese.\ Obtained\ by\ interacting\ with\ a\ fermenting\ basin\ with\ an\ empty\ bucket,\ and\ can\ be\ poured\ back\ into\ the\ basin.\ Can\ be\ drank\ to\ gain\ nausea\ based\ on\ how\ much\ the\ cheese\ has\ fermented.=Buckets to use for storage and transportation of milk, sometimes cheese. The resulting interaction-pool use of the empty bucket and poured back into the Cup. Maybe in moderation that the disease-based, such as fermented cheeses. -Stone\ Cold\ Skipper=Stone Cold-The Captain -Diamond\ Plating=Diamond-Belagt -Turtle\ Cape\ Wing=A Tartaruga Cape Asas -Light\ Blue\ Rune=The Blue Light Of The Rune -Scroll\ Up=Go To The Top -Tube\ Coral\ Fan=Tube Coral, Fan -Tooltips=Tips -Rubber\ Coffee\ Table=Rubber Coffee Table -Asterite\ Crook=Asteria E Izmama -Cat\ hisses=The cat's boil -Zombified\ Piglin\ dies=Zombified Piglio mor -Failed\ to\ link\ carts;\ distance\ too\ big\:\ over\ [%s]\!=Does not link to the wagon; the distance is great. [%s]\! -Magenta\ Glazed\ Terracotta\ Ghost\ Block=Black Glass Is The Spirit, The Unity -Soul\ Lantern=Target Koplamp -%1$s\ fell\ off\ some\ vines=%1$s fell on the vineyards -(Made\ for\ an\ older\ version\ of\ Minecraft)=(In earlier versions in Minecraft) -Golden\ Gate=Golden Gate -The\ key\ to\ sort\ the\ inventory\ in\ rows=The key to sort stocks in different rows -Dunes\ Edge=Sand The Edge Of The -Fir\ Drawer=Spruce Wood Planks -Cookie=Cookies -Smooth\ Sandstone\ Stairs=Smooth Sandstone Steps -Warped\ Bleu=Riot Is -CraftPresence\ -\ Color\ Editor\ (%1$s)=CraftPresence, Color, Editor%1$s) -Large\ Biomes=Suuri Biomes -Pine\ Sap=Resin -Close=Near -Are\ you\ sure\ you\ want\ to\ lock\ the\ difficulty\ of\ this\ world?\ This\ will\ set\ this\ world\ to\ always\ be\ %1$s,\ and\ you\ will\ never\ be\ able\ to\ change\ that\ again.=Are you sure you want to close the weight in the first place? These are presented to the world, forever %1$s and again, you can't change it back. -Spruce\ Glass\ Door=Spruce, Pine, Interior Doors -Cooked\ Chopped\ Onion=Cooked Sliced Onions -Obtaining\ Metite=For The Rogue State That It -The\ City\ at\ the\ End\ of\ the\ Game=It was late in the game -My\ Sediments=My Fat -Asteroid\ Metite\ Ore=An Asteroid Metite Ore -Crossbow\ fires=Crossbow -'Slight'\ Gui\ Modifications="Weak," Changes In Interface -Your\ client\ is\ outdated\ and\ not\ compatible\ with\ Realms.=The client is outdated and does not match the worlds. -An\ index\ of\ every\ chapter\ available\ in\ this\ book.$(br2)You\ may\ search\ through\ the\ index,\ or\ any\ other\ category,\ by\ simply\ typing\ in\ your\ query.\ A\ search\ bar\ will\ then\ appear\ to\ assist\ you.=Index, each chapter in this book.$(br2)Can be found in the index, or any of the other classes, just by typing in a question. The search bar seems to be in order to help you. -This\ will\ attempt\ to\ optimize\ your\ world\ by\ making\ sure\ all\ data\ is\ stored\ in\ the\ most\ recent\ game\ format.\ This\ can\ take\ a\ very\ long\ time,\ depending\ on\ your\ world.\ Once\ done,\ your\ world\ may\ play\ faster\ but\ will\ no\ longer\ be\ compatible\ with\ older\ versions\ of\ the\ game.\ Are\ you\ sure\ you\ wish\ to\ proceed?=He will seek to optimise the use of the world, which makes sure that all data is stored in the last of the games in the format. It can take a very long period of time, depending on the type of the world. If it is in your world, play in a faster and more in line with the earlier versions of the play. Are you sure you want to continue? -Piglin\ dies=The piglio -Realm\ name=The Name Of The Rose -Diamond\ Boots=Caboti Diamond -Pickled\ Cucumber=Salted Cucumbers -Destroy\ a\ Ghast\ with\ a\ fireball=To destroy a Ghast with a fireball -5x5\ (Normal)=5x5 (Normalno) -Initial=Original -%s\ ms=%s The LADY -Lime\ Base=On The Basis Of Lime -Magenta\ Per\ Bend=Mr. Black -Lime\ Wool=Up Uld -Blue\ Beveled\ Glass=Blue Glass Conical -Context=The context of the -Stripped\ Spruce\ Wood=In Addition To The Gran -Item\ Cheating\ Amount\:=The Amount Of The Fraud Is In The Article\: -Yellow\ Asphalt\ Stairs=Yellow Asphalt The Stairs -Foreign\ bodies\ that,\ cruising\ through\ the\ stairs,\ collided\ with\ a\ planetary\ body;\ said\ to\ contain\ $(thing)$(l\:world/meteor_ores)extraterrestrial\ ores$().=Foreign body up the stairs, faced with the planets of the actuator bodies; and $(what you need to do)$(l\:world/meteor_ores)\u03B1\u03BB\u03BB\u03BF\u03B4\u03B1\u03C0\u03CC\u03C2 ores$(). -60k\ Water\ Coolant\ Cell=60k for the cooling water of the cell -Team\ names\ cannot\ be\ longer\ than\ %s\ characters=The team name should not be more %s heroes -Pink\ Gradient=Gradient Color Pink -Trader's\ current\ level=The current level of the trader -Lime\ Glazed\ Terracotta\ Camo\ Door=Lime-Glazed Terracotta Camouflage Leads -Commands\ like\ /gamemode,\ /experience=Commands like /gamemode, /exp. -Stopped\ all\ '%s'\ sounds=He stopped all the%sthe whole -Bronze\ Nugget=The Piece Of Copper -Game\ Mode=In The Game -Collect\ dragon's\ breath\ in\ a\ glass\ bottle=Collect the dragon breath", and in a glass bottle -On-screen\ notifications\ for\ various\ things\ such\ as\ low\ hunger,\ low\ HP,\ danger\ of\ explosion,\ being\ shot\ by\ (an)\ arrow(s).=So low it is a lot of hunger, weakness, HP, bang, the Key(s) rock message on the screen. -An\ important\ tool\ in\ one's\ space\ journeys,\ it\ is\ responsible\ for\ providing\ maneuverable\ thrust.$(p)Surprisingly,\ it\ can\ also\ extinguish\ fire.=Important maneuvers for the answers that travel in a vehicle shooting.$((p)it is Strange that you can even turn off the fire. -Cypress\ Log=The Cypress Log -Spread\ Height=Reproduction, Growth, -Needs\ essentia\!=Morath Yes essentia\! -Terracotta\ Camo\ Trapdoor=Luke Terracotta Kamo -Blazing\ Asteroid\ Stone=The Construction Of The Asteroid Steins -Recipe\ Screen\ Type\ Selection=The Formula To Get The Selection Screen Of The Engine -Lever\ clicks=Press down on the handle -Neutron\ Reflector=Reflector Neutron -Increases\ speed\ at\ the\ cost\ of\ more\ energy=It increases the speed at the expense of more energy consumption -Basic\ Jackhammer=The Jackhammer Basic -Target\ has\ no\ effects\ to\ remove=The purpose of the effects, and in order to remove it -Categories=Category -Yellow\ Lawn\ Chair=Chair Yellow -Andesite\ Platform=The Platform Of Andesite -Distance\ Walked\ on\ Water=The distance walked on the water -Horse\ Spawn\ Egg=Horse Gives Birth To Eggs -Import\ Cable=The Import Of Furniture, -Smoky\ Quartz\ Block=Smoky Quartz Block -Delicious\ Dishes=Delicious -Scorched\ Sprouts=Slept Kupusa -Deal\ fall\ damage=Val claims -%s\ .\ .\ .\ ?=%s . . . ? -Gilded\ Blackstone\ Camo\ Trapdoor=Gold-\u0411\u043B\u044D\u043A\u0441\u0442\u043E\u0443\u043D Camouflage, Sliding Roof Roof -Granite\ Camo\ Door=Granite Door Camo -Apollo\ Essentia=Apollo Essenze -Evoker=Evoker -Sodiumpersulfate=Sodiumpersulfate -Gray\ Skull\ Charge=Gray-Skull For Free -Portuguese,\ Brazilian=In Portuguese, Brazilian Portuguese -Time\ Played=It's About Time -End\ Stone\ Pickaxe=Stop Carp -Mark\ Complete=Fill -Evoker\ cheers=A sign of salvation -Broken\ Core\ of\ Flight=Torn, aircraft, nuclear -Cyan\ Thing=Blue Midagi -Scrollbar\ Fade\:=The Scroll Bar Disappears\: -Adds\ Badlands\ themed\ wells\ to\ Badlands\ biomes.=To add to the Badlands theme, well, the Badlands, destroy the eco-system. -Pinned\ Width\ Scale=Prisegtos-The Width Of The Ladder -Main\ Hand=In The First Place, And -End\ Stone\ Shovel=I Slutet, Sten Spade -Purple\ Beetle\ Wing=The Purple Wings Of A Beetle -\u00A7bSaved\ Value=\u00A7bThe Value Stored In The -Empty\ Cell=A Cel\u00B7la en Blanc -(Click\ again\ to\ clear)=(Press it again to remove it) -Blue\ Berries=Borovenki -Sapphire\ Hoe=And, Depending On The ... -Flower\ Field=Flor -Iridiyum=Iridiyum -Skeleton\ Skull=Skeleton Skull -as\ those\ would\ normally\ replace\ the\ Vanilla\ Dungeons.=he, as a general rule, the substitution of vanilla dungeons. -White\ Per\ Bend\ Inverted=The White Bend Reversed, -%s\ consumed=%s access -The\ authentication\ servers\ are\ currently\ down\ for\ maintenance.=Currently, the server-authentication is enabled for maintenance. -Brick\ Post=The Brick-Post -By\ %s=V %s -Axe\ Damage=The Axe's Damage -Ruby\ Dust=Rubies Of Ashes -Potted\ Sunflower=Sunflower Oil Test -Requires\ reloading\ the\ world\ to\ take\ effect\!\ Lower\ =This is going to require a re-activation of the Council would be in full effect\! Below -Version\ Check\ Info\ (State\:\ %1$s)=How To Check The Version Information Of The Form\: %1$s) -White\ Tent\ Top\ Flat=A White Tents On The Upper Level -Heavy\ Weighted\ Pressure\ Plate=Heavy Weighted Pressure Plate -Donkey\ hee-haws=Donkey Hee-haws -Black\ Globe=Black Balls -White\ Oak\ Trapdoor=White Oak Door -Yellow\ Concrete\ Powder=A Yellow Dust In Concrete -Sulfur\ Dust=Santa Fabric -Ring\ of\ Mining=The o-ring mining -Overlay=On salon -Expert\ Coil=Coil -Distance\ cannot\ be\ negative=Distance cannot be negative -Knockback\ Resistance=Knockback Resistance -Smooth\ Stone=Smooth Stone -Snooper\ Settings...=These Settings... -Advanced\ Options=For Additional Options -Caution\ Block=Warning In Order To Prevent The -Faux\ Angel\ Feather=An angel's feather, artificial -Obsidian\ Hammer=Kladivo Obsidian -Ender\ Chest\ Synchronization\ Type=Synchronization Type The Ender Chest, And -These\ options\ are\ for\ the\ servers\ to\ set.\ On\ multiplayer,\ changing\ these\ options\ from\ this\ menu\ will\ not\ affect\ the\ server's\ configuration.=These proxy servers for installation. In multiplayer mode, modify these settings in the menu, it has no influence on the configuration of the server. -Void\ Essentia\ Bucket=Void Essentia Kubak -Taiga\ Mountains=The Mountains, In The Forest -Plate=The Plate -Interactions\ with\ Smithing\ Table=The Interaction Of The Blacksmith Table -The\ debug\ profiler\ hasn't\ started=Sins profiler not e zapoceta -Marble=Marble -Polar\ Bear\ hums=Polar beer bromt -X\ Range=X-Series -Quadruple\ Jungle\ Drawer=\u0427\u0435\u0442\u044B\u0440\u0435\u0445\u043C\u0435\u0441\u0442\u043D\u044B\u0439 Outdoors In The Jungle -Minecart\ with\ Furnace=It's great that you're in a -Polypite\ Smoky\ Quartz=Polypit Smokey Quartz -**Enable\ "%1$s"\ to\ use\ this\ Menu**=**Please, use "%1$s"to this menu** -There\ are\ no\ teams=None of the teams -Gray\ Bend=Grey Leaned Over. -Small\ Pile\ of\ Red\ Garnet\ Dust=A little handful of dust-grenade -Saturn=Saturn -White\ Bed=Logic White -Craft\ a\ kitchen\ knife.=The craft of the knife. -Toggled\ Engine\ %s=Connect The Camera %s -Lever=Poluga -Podzol=Podzol -Sapphire\ Dust=Sapphire Dust -PVP=PARTY -Require\ recipe\ for\ crafting=It requires a prescription for development -Yellow\ Tent\ Top=The Yellow Of The Tent To The Top Of The -Panda\ bleats=Panda bleats -Chest\ opens=The trunk opens -Badlands\ Well=Badlands On Hea -World\ Map=A Map Of The World" -Stellum\ Axe=Stellum Yxa -Waypoint\ Name=Common Name -Ocean\ Mineshaft=The Sea Is My -Hoglin\ retreats=Hoglin retreats -Craft\ a\ useful\ adamantium\ hoe=The Amnesty hoe -Magenta\ Inverted\ Chevron=Roxo Invertido Chevron -Small\ Pile\ of\ Bauxite\ Dust=Tiny kaudzi bauxite putek\u013Cu -Panel\ in\ direct\ sunlight=The panel is in direct sunlight -Smooth\ Stone\ Slab=Smooth Plate Gray -View\ Source=In Order To Ensure That The Source -Black\ Chief\ Indented=Black Head In The Blood, -\u00A75\u00A7oEntities\ drops\ xp\ and\ player\ only\ items=\u00A75\u00A7oPerson, eye drops, XP, and player, but the items -Gray\ Saltire=Saltire \u0393\u03BA\u03C1\u03B9 -Utils\ Buttons\:=Utils Linker\: -Stellum\ can\ be\ used\ to\ create\ powerful\ tooling\ roughly\ equivalent\ to\ $(thing)$(l\:resources/asterite)Asterite$().\ Born\ from\ the\ heart\ of\ a\ living\ star,\ it\ is\ fire\ proof\ to\ an\ extent\ never\ seen\ before;\ and\ posses\ a\ power\ that,\ when\ harnessed,\ can\ power\ an\ entire\ civilization.=Stellum powerful creation tools that can be used for ca $(thing)$(l\:resources/asterite)Asterite$(). Born in the heart of the life of stars, this fire shows that this is as much as ever before, but they have the power, when harnessed, the power of an entire civilization. -A\ List=Lista " PairOfInts> -Move\ by\ pressing\ the\ %1$s,\ %2$s,\ %3$s,\ %4$s\ keys=Go to click on %1$s, %2$s, %3$s, %4$s keys -\u00A77\u00A7oan\ enderman\ drop\ this?"\u00A7r=\u00A77\u00A7othis enderman fall?"\u00A7r -Lingering\ Potion\ of\ Invisibility=Stayed for a drink in the Invisible -Wolf\ hurts=Wolf ' s smerte -Set\ to=Did -Volcanic\ Rock\ Brick\ Slab=Volcanic Rock Ceramic Tile -Zoglin\ dies=Zoglin na -%1$s\ was\ killed\ trying\ to\ hurt\ %2$s=%1$s was killed trying to hurt %2$s -Replaces\ Mineshafts\ in\ Mountain\ (Extreme\ Hills)\ biomes.=Replaced Mine in the mountains (the rocky mountains) species of plants and animals. -Default\ Icon\\n\ (Used\ in\ Main\ Menu,\ Dimensions\ and\ Servers)=The icon, which is the default\\n is used on the main menu on the screen, the Dimensions of the Server). -Ore=Malmi -Lime\ Concrete\ Ghost\ Block=Lime, Concrete And The Spirit Of Unity -Force\ Regenerate=Recovery -Red\ Sandstone\ Platform=Stone Platform Red Sand -Large=Large -Chances\ of\ dropping\ (0.0\ is\ never,\ 1.0\ is\ always)=The chance to graze (not 0.0, 1.0 uvek) -Purple\ Snout=A -Hardcore\ worlds\ can't\ be\ uploaded\!=Hardcore worlds, you can download. -SimpleVoidWorld=SimpleVoidWorld -Tent\ Bag=Tent Bag -Unable\ to\ get\ Technic\ Pack\ Data\ (Ignore\ if\ Not\ using\ a\ Technic\ Pack)=The method was not able to update (override, if the method you are using in the package) -Multiplayer\ (3rd-party\ Server)=Multiplayer (3rd party Server) -Purpur\ Slab=Levy Hopea -%s\ Sofa=%s Bank -Lingering\ Water\ Bottle=Stable And Water Bottles -Shelves=The police -Wither=Wither -Oneshotium\ Sword=Oneshotium Me\u010D -Purple\ Flower\ Charge=The Purple Of The Flowers, Which Are -\u00A7bCustom\ Rule=\u00A7bThe Rule Of The Order -Brown\ Bordure\ Indented=Coffee, A Bordure Of The Shelter -The\ sorting\ method\ used\ for\ inventory\ sorting=The classification method used for classification book -Sound\ Alert\ Min\ Light\ Level=The Volume Signal In My Life -Silverfish=River Silverfish -Dynamic\ FPS\:\ Forcing\ 1\ FPS=Dynamic FPS\: 1 FPS coercion -Fluid\ Amount\:=It Would Be\: -Authors\:\ %s=Authors\: %s -Unknown\ command\ or\ insufficient\ permissions=I don't know, for the will or for the lack of a right of access to -Configure\ realm\:=Configuration Area\: -Removed\ %s\ members\ from\ team\ %s=Remove %s the members of the team %s -Tooltip\ Background\ Color=Tooltip Baggrundsfarve -Endorium\ Hoe=Endorium Houes -Insert=To add to the -Lime\ Saltire=The Horse \u0421\u0430\u043B\u0442\u0430\u0439\u0440 -Light\ Gray\ Shield=The Light Gray Shield -Blocks=Blokk -Rubber\ Post=Rubber Post -%1$s\ walked\ into\ a\ cactus\ whilst\ trying\ to\ escape\ %2$s=%1$s he walked up to the cactus to commit, if you try to escape %2$s -Small\ Pile\ of\ Silver\ Dust=A Lot Of Money And Dust -Leather\ Tunic=Tunics, Leather -Nothing\ changed.\ The\ player\ already\ is\ an\ operator=Nothing has changed. Player where the carrier -Spruce\ Sapling=Trees Of The Pine -Banners\ Cleaned=Distance -Light\ Blue\ Bend=The Light Blue Curve -Clock=Watch -Endermite\ scuttles=Endermite spragas -\u00A76Hold\ \u00A7o%s\u00A7r\n\u00A76\ -\ Move\ Matching\ Only=\u00A76For \u00A7o%s\u00A7r\n\u00A76 To Move To The Right -Trading\ stations=Trading station -Colored\ Tiles\ (Green\ &\ Orange)=Colored Tiles (Red And Black) -Wither\ Skull=Dry Skull -Disconnected=Closed -Japanese\ Maple\ Coffee\ Table=Japanese Maple Coffee Table -Leaves\ scanning\ range=In itself range scan -Biome\ Size=Here, The Size -Spike\ Trap=Spike Traps -Diamond\ Lasso=Diamanti Choker -Target\ rank\ is\ too\ high\!=The goal is to a lot of the best of the series\! -Crimson\ Table=This Table -Cursed\ Seeds=Damn Seeds -Language...=Language... -Advanced\ Machine\ Frame=Advanced Chassis -, Engine -, -Dark\ Oak\ Kitchen\ Cupboard=Dark Oak Kitchen Cabinets -Kill\ a\ Skeleton\ from\ at\ least\ 50\ meters\ away=Killed the skeleton, at least 50 meters -Vindicator\ dies=The reward of death -Cracked\ Stone\ Bricks\ Glass=Cracked, Stone, Bricks, Glass -true=true, -Open\ Pack\ Folder=Open The Folder Of The Package -Colored\ Tiles\ (Purple\ &\ Blue)=The Color (Blue, Purple) -Ominous\ horn\ blares=Sinister whistling -Parrot\ flutters=The parrot flutters -CraftPresence\ -\ Character\ Editor=CraftPresence Editor - In-Chief -Touchscreen\ Mode=The Touch Screen Function -Spinnery=Spinning mill -Rainbow\ Wing=Rainbow Wings -Blue\ Bend\ Sinister=Blue Bend Sinister -Gray\ Sofa=Grey Sofa -Light\ Blue\ Pale\ Sinister=Light Sina Bled Dark -Cannot\ set\ experience\ points\ above\ the\ maximum\ points\ for\ the\ player's\ current\ level=It is not possible to create the experience, the more points, the more points the player and current level -%s\ (%s)=%s (%s) -Old=Stari -Velocity\ interpolating\ also\ occurs\ slowly.=The speed of interpolating happens so slowly. -Japanese\ Maple\ Wood\ Planks=Japanese Maple Wood -An\ item\ used\ to\ pickle\ cucumbers.\ Used\ by\ interacting\ with\ a\ cucumber-filled\ Pickle\ Jar,\ and\ waiting\ roughly\ one\ minute.=This function can be used for pickling cucumbers and gherkins. It is used to communicate with the falcons full of cucumbers and gherkins solution and wait a minute. -OpenGL\ Version\ detected\:\ [%s]=OpenGL version outdoors\: [%s] -Some\ settings\ are\ disabled\ since\ your\ current\ world\ is\ an\ adventure=Some of the settings are disabled in the current world of adventure -Wither\ Turret\ Seed=Manken Fr\u00F8 Tower -Pink=Pink -Redwood\ Boat=Redwood City Valtis -Light\ Gray\ Inverted\ Chevron=The Grey Bar On The Opposite Side -Charred\ Wooden\ Door=\u041E\u0431\u0443\u0433\u043B\u0435\u043D\u043D\u043E\u0435 Tree, And From The Door-To-Door -Cracker=A cookie-k -Piglin\ snorts=Piglin sniff -Invar\ Ingot=A Block Of Inv, The -Tooltip\ Type=\ Up-To-date, and Engine -that\ other\ nether\ outposts\ don't\ fit\ in.=what other positions I don't fit. -Hold\ CTRL\ for\ info=Press and hold down the CTRL key for the info\!\!\! -Use\ the\ %1$s,\ %2$s,\ %3$s,\ %4$s\ keys\ and\ the\ mouse\ to\ move\ around=The use of the %1$s, %2$s, %3$s, %4$s function keys and mouse to move -Minecraft\ Server=Minecraft Server -Synthetic\ Redstone\ Crystal=Sinteti\u010Dki Redstone Crystal -Select\ All=Select -Stripped\ Warped\ Hyphae=Their Distortion Of The Structure, -Continue\ without\ support=Without the support to continue -Gray\ Futurneo\ Block=Gray, On The Future Of The Building -Stripped\ Scorched\ Stem=Mano K\u016Bnas Charred -Click\ and\ drag\ to\ move\ the\ minimap\ around.=Click and drag to move the mini-map, in the eyes. -Team\ %s\ can\ no\ longer\ see\ invisible\ teammates=The team %s many friends can not see the invisible -Mooshroom\ eats=Mooshroom jedan -$(item)Metite\ Ore$()\ can\ be\ found\ inside\ $(thing)$(l\:world/meteors)Meteors$()\ which\ have\ impacted\ on\ $(thing)Earth$(),\ or\ in\ $(thing)$(l\:world/asteroids)Asteroids$()\ in\ $(thing)Space$().$(p)Mining\ requires\ a\ $(item)Netherite\ Pickaxe$()\ (Mining\ Level\ 4)\ or\ better,\ usually\ resulting\ in\ between\ 1\ and\ 3\ $(item)$(l\:world/ore_clusters)Metite\ Clusters$()\ which\ can\ forged\ into\ a\ $(item)Metite\ Ingot$().=$(p. a.)\u043C\u0435\u0442\u0438\u0442\u0435 of iron ore$( it can also be found $(nic)$(l\:world/meteors)Meteora$(what is the impact of the $(relations)countries$(), or $(thing)$(l\:world/asteroids)bu$(to do this, the $(ceva local$().$(c)the product requires $(point)Netherite picon$( 4 (mining) or better, the result is usually between 1 and 3 $(element)$(l\:world/ore_clusters)Metite Gruppe$(), which can be converted to $(member)Metite Ingots$(). -Sap\ Ball=The Ball Can Be -Machinery=Machine -Oil=Oil -Prismarine\ Brick\ Slab=Prismarine Bricks Is One Of The Worst -Salmon=Salmon -Brown\ Stained\ Glass\ Pane=Brown Vidrieras -Wooded\ Cypress\ Hills=The Row Of Pine Mountain -Blue\ Shield=Blue Shield -Diorite\ Bricks=Diorite Tooley -Set\ Name=Ask For The Name Of The -Normal\ user=A normal user -Showing\ %s\ libraries=Shows %s library -Zoom\ Out\ When\ Enlarged=Falling In Line With The Growth -Toggle\ Filter\ Options=Filtri Opsionet -Galaxium\ Dust=Galaxium Ashes -Cypress\ Fence=The Day The Curtain, S\u0259ddin, More Than In Cyprus -Revoked\ criterion\ '%s'\ of\ advancement\ %s\ from\ %s\ players=Cancelled the criterion"%s"progress %s sen %s players -Unable\ to\ teleport\ because\ it\ would\ tell\ you\ the\ waypoint\ coordinates.\ Disable\ "Hide\ Waypoint\ Coords"\ to\ be\ able\ to\ freely\ teleport\ again.=It is not possible to move forward, then that is what it would be like to bring up the waypoint co-ordinates. The option to Hide the Waypoint Coords " to be free, it is possible to again all over again. -You\ cannot\ sleep\ in\ the\ air=You can sleep while in the air -Lime\ Tent\ Top=Lime The Upper Part Of The Store -Worlds\ using\ Experimental\ Settings\ are\ not\ supported=The world of Experimental, with a configuration are not supported -Max.\ Height=Max. Height -Purple\ Chief\ Sinister\ Canton=The Main Purple Canton Sinister -\u00A7cNo\ mobs\ are\ able\ to\ spawn=\u00A7cIt's not the fault, it will be \u0432\u043E\u0437\u0440\u043E\u0436\u0434\u0430\u0442\u044C\u0441\u044F -Text\ Field\ Background\:=In The Area Of The Background Image\: -Show\ Entity\ Health=Entity, Health, Go, Steri, -Jungle\ Dungeons=D\u017Cungla, Dungeon -Complete\!=Sure\! -Fireweed=Stor willow -Always\ Move\ All=They Are Always Moving -Lingering\ Potion\ of\ Levitation=Long mix of levitation -\u00A77\u00A7oMust...\ not...\ eat..."\u00A7r=\u00A77\u00A7oDo you have what it... does... not..."\u00A7r -Redwood\ Post=I Love The Message -Hard=Hard -%s\ XP=%s XP -Target=The Goal -Sneak\ Time=I Take This Opportunity, As The -Fisherman=Peshkatari -Velocity\ Multiplier=A Multiplier To The Speed -Fir\ Trapdoor=I'm Luke -Cod\ dies=Cod is dying -Off=No exterior -Lightning\ Bolt=Even -Smooth\ Teal\ Nether\ Bricks=De Wintertaling Goed, De Nether Brick -Scrapboxes\ can\ be\ opened\ by\ a\ simple\ use\ in\ hand\!=Scrapboxes can be easy to use a hand\! -Venus\ Essentia=The Researchers Took Venus -Rain\ falls=The rain is falling -Oak\ Glass\ Door=Oak Glass For Doors -Prefix,\ %s%2$s\ again\ %s\ and\ %1$s\ lastly\ %s\ and\ also\ %1$s\ again\!=Code %s%2$s again %s and %1$s finally, %s a %1$s over and over again. -hi\ %=hi -Centered\:=Center\: -Wither\ Skeleton=Wither Skeleton -Beryllium=Beryllium -Light\ Blue\ Sofa=Blue Chair -Metite\ Nugget=Reaping has. Com -Details\ Message\ Format=Information, Format, Messages, -Our\ discord=Our argument -Energy\ Storage\ Upgrade=Energy Storage Update -Swamp\ Dungeons=Soo Dum -Map\ trailer=Trailer Map -WIP\ Coming\ Soon=WIP kommer Snart -High\ to\ Medium\ energy\ tier=Medium-high level of energy -Failed\ to\ open\ REI\ config\ screen=I can't open the configuration file for the display Season -Minimap\ Zoom\ In=On The Mini-Map Per-Zoom-The -Roughly\ Enough\ Items\ (Set\ Modifiers\ at\ Config\ Screen)=Scientific Evidence Amount of Processors, when the Config Screen) -Blue\ Concrete\ Ghost\ Block=The Children On Specific The Mind-Block -Iridium\ Ore=Iridium -Orange\ Thing=The Thing Is, Orange -A\ fierce\ adversary\ which\ inhabits\ large\ sections\ of\ traversable\ space.=Mad at your opponent's life, and for the most part, they cover the space. -Black\ Cross=Black Cross -Footsteps=The steps of -Diamond\ armor\ clangs=Diamond armor, you see -This\ is\ an\ example\ tooltip.=For example, the tool tip will be displayed. -Jungle\ Planks\ Camo\ Door=The Jungle Wood Door Board Camouflage -Found\ %s\ matching\ items\ on\ %s\ players=Found %s points %s The game -Redwood\ Wood\ Stairs=Crveni Bor, Drvene Stepenice -Collision\ rule\ for\ team\ %s\ is\ now\ "%s"=Standards impact staff %s it is now."%s" -Potted\ Tall\ Light\ Gray\ Rose\ Campion=Closed At The Time, Light Gray, Pink Champion -Stone=Came -Iron\ Wolf\ Armor=The Iron Wolf Armor -Fletching\ Table=The Plumage At The Top Of The Table -Cyan\ Terracotta\ Ghost\ Block=Blue, Terra Cotta, Spirit And Unity -Blue\ Inverted\ Chevron=A Blue Inverted Chevron -Customize\ World\ Settings=Edit World Settings -Experiences=Ervaring -If\ below\ min\ height,\ this\ will\ be\ read\ as\ min\ height.=If it is below the minimum height, it will be taken as a minimum height. -Enable\ Per-Item\ System=The Inclusion Of The Item In The System -Show\ Info\ Tooltips=Tipy -A\ post\ with\ a\ platform\ on\ top=Put it on your blog, on the platform at the top of the -Components=The device -Updated\ the\ color\ for\ team\ %s\ to\ %s=Color refresh command %s for %s -Guardian\ flops=Guardian-flip flops -Could\ not\ parse\ command\:\ %s=It can be a process of the type\: %s -Delete\ Sub-world=Removal of part of the World -Type\:\ %s=Type\: %s -Cobblestone=Stone cladding -Triggerfish=Triggerfish -Strider\ Spawn\ Egg=Holster Spawn CRU -Lime\ Asphalt\ Stairs=Plaster, Asphalt, Stairs -Squid\ hurts=Squid it hurts -Lithium\ Battery=Lithium Battery -Soul\ o'Lantern=\u0540\u0578\u0563\u0578\u0582-o-Lantern -Select=Select -Sandstone\ Platform=Pieskovec Planina -Brown\ Asphalt\ Stairs=The Brown Color Of The Pavement, As In The Case In Which -Do\ you\ really\ want\ to\ load\ this\ world?=Want to download the world is it? -Light\ Gray\ Globe=Light Gray Parts Of The World -Search\ Filtering=Filter Search -Minimum\ Lines=The Minimum Number Of Lines -Spawn\ animals=Spawn de animales -Gave\ [{item_name}\u00A7f]\ x{item_count}\ to\ {player_name}.=Dosage\: [{item_name}\u00A7f] x{item_count} ist {player_name}. -Coal\ Plate=Kol Plattan -Peat\ Block=Peat Block -Max\ Y\ height\ of\ Mineshaft.\ Default\ is\ 45.=MAX. C. and the amount of the world. Default 45. -Alternative\ Phantom\ Wing=To Mind As An Alternative -Leather=The skin -Scroll\ Down=Scroll Down -Platinum\ Plate=The adapter plate -Dark\ Oak\ Sign=Mark Dark Oak -If\ on,\ the\ preview\ is\ always\ displayed,\nregardless\ of\ the\ preview\ key\ being\ pressed.=If you are in print preview mode it always appears\nregardless of the power button, and hold the review. -Quartz\ Bricks=Quartz Stone -The\ key\ to\ sort\ the\ inventory=The most important files of the types -Diorite\ Step=Dior Not -Dead\ Bubble\ Coral\ Block=Dead Of The Bubble Of The Blocks Of Coral -server=server -\u00A7cCheating\ Enabled=\u00A7cCheat Enabled -Allow\ sitting\ on\ tables=Sit down and leave it on the table -Caldera\ Ridge=Boiler Ridge -Disable/Enable=Uklj./Off -Hemlock\ Platform=Hemlock-Plattform -(Hidden)=(Hide) -If\ off,\ the\ spawners\ will\ become\ Skeleton\ spawners.=If the option is set to disabled, all the manufacturers is that they will be a way out of the manufacturers. -Green\ Concrete\ Glass=Green, Cement, Staklo -Mossy\ End\ Stone\ Bricks=Mossy Stone Bricks At The End -Lime\ Paly=Cal, Pale -Randomize=It -Brown\ Bordure=Brown Desk -Asterite\ Hoe=Asterite Hoe -Stone\ Button=RA Button -Available=Available -Pink\ Lathyrus=Roz Lathyrus -Orange\ Autumnal\ Leaves=The Orange, Autumn Leaves -Today\ Junior=Today, On The Day Of The Junior -Left=To the left -Lit\ Orange\ Redstone\ Lamp=Orange Lamp Lit Redstone -Zombie\ Villager\ groans=The zombie Population of the moaning -Saved\ Hotbars=Bars Shortcut To Save -Lime\ Pale=Pale Lemon -Not\ a\ valid\ value\!\ (Alpha)=Is not a correct value\! (Alpha) -Superconductor=Superconductor -Stray\ rattles=Hobo, Saint. St. John's wort -Rubber\ Wood\ Fence\ Gate=Rubber, Wood Fence, Door, -Fluid=Liquid -Cobblestone\ Platform=Updated Cobblestone -Cooked\ Chopped\ Beetroot=Cooked, Diced Beets -Melon\ Stem=Melons Owners -Small\ Pile\ of\ Magnesium\ Dust=A Small Handful Of Powder Of Magnesium -Damage\ Blocked\ by\ Shield=It's A Shame To Block The Shield -Optimize\ world=To optimize the world -Frozen\ River=Spored River -Purple\ Roundel=Purple Medallion -Note\:\ Vanilla\ Dungeons\ will\ still\ generate\ if\ this=Note\: vanilla dungeons will continue to give birth, if it -Unknown\ ID\:\ %s=Unknown id\: %s -Recipe\ Display\ Border\:=The Recepta To The Display Of The Border\: -Craft\ any\ piece\ of\ quantum\ armor=Products with any type of piece of armour quantum -World\ %s=The world %s -unknown=I don't know -Cooldown=The waiting time -Composter\ filled=The composter is full -View\ Bobbing=Cm. Smiling -Wooden\ Hoe=Use Of Lifting -Stone\ Spear=The Stone Of The Sheet -Fluid\ Name=Liquid Name -Cat\ meows=Cat miauna -Sunstreak=Sunstreak -Dark\ Oak\ Sapling=Dark Oak Sapling -Decreased=Reduces -Scrapbox-inator=Scrapbox-translator -Chat\ Settings...=Options... -Previous=Previous -Brown\ Table\ Lamp=Pruun Tabel Lamp -Green\ Table\ Lamp=Green Table Lamp -Light\ Blue\ Per\ Fess\ Inverted=Light Blue Fess Inverted -Texture=Texture -Warped\ Fence=Wrapped In The Fence -Toolsmith\ works=Toolsmith erfarenhet -Piglin\ Spawn\ Egg=Piglin, Add The Eggs -Orange\ Concrete\ Camo\ Door=Orange, Concrete, Door, Chrome -Catch\ a\ fish=In order to catch the fish -Restart\ game\ to\ load\ mods=Restart the game to install the mods -Warped\ Fence\ Gate=Couple, Fence, Port" -This\ bed\ is\ occupied=The bed is in use -Matter\ Fabricator=Manufacturer -Photofern=Photofern -Lime\ Bed=Lime Bed, -Jungle\ Village\ Spawnrate=Jungle, Village Spawnrate -A\ food\ item,\ which\ is\ more\ hunger-efficient\ than\ a\ wheel\ and\ can\ be\ eaten\ faster.\ Does\ not\ give\ nausea.=The food, more hungry, more effective, than on a Bike, and can be drunk faster. Do not give nausea. -Seed\:\ %s=Zaad\: %s -Marked\ %s\ chunks\ in\ %s\ from\ %s\ to\ %s\ to\ be\ force\ loaded=The photos %s pieces %s i %s it %s the zorak -Unclosed\ quoted\ string=Open quotation marks -This\ world\ was\ last\ played\ in\ version\ %s\ and\ loading\ it\ in\ this\ version\ could\ cause\ corruption\!=This world was played the last time %s and download this version, it may cause damage\! -Game\ over\!=The game is over\! -Infinity=Infinity -ENGINE=Engine -Bucket=The kashik -Blue\ Color\ Value=In Blue Color Values -Repeater\ Delay=The Repeater Delay -Beacon=Lighthouse -Fire\ Protection=Fire safety -Light\ Blue\ Patterned\ Wool=Light Plav Ball Vuna -Ruby\ Boots=Shoes Ruby -Infinite=Infinite -Nether\ Pillar=Lower Bars -On\ &worldname&=At &worldname& -List\ of\ other\ tools=A list of other things -Sensitivity=Sensitivity -Cypress\ Button=The Salvation Of A Button -Cyan\ Chief\ Dexter\ Canton=Plava-Chief Dexter Goingo -Months=Months ago -Next\ Page\:=On The Following Page\: -Projection\ Altar=The Projection Of The Altar, -Demon\ Wing=Devil Wings -Display\ Mode=Display Mode -Ruby\ Chestplate=Yaqut Bib -Teleport\ position\ is\ invalid\!\ Perhaps\ there's\ a\ block\ in\ the\ way?=The teleport location is not valid. Maybe there is a block on the way? -*\ Invalid\ book\ tag\ *=* Invalid book tag * -Light\ Blue\ Thing=Light Sina Work -Horse\ breathes=Their breath -Affect\ Inventories\:=Interventions\: -Replaces\ vanilla\ dungeon\ in\ icy/snowy\ biomes.=Replace the vanilla dungeon of ice/snow species of plants, animals. -Close\ Menu=To Close The Menu -will\ cause\ it's\ contents=trigger content -Lead=Guide -Warped\ Button=The Curved Button -Failed\ to\ link\ carts;\ no\ chains\ in\ inventory\!=Failed relationship wheelchairs; no chains there\! -chat=in chat, -Crate\ of\ Carrots=GABA root -Display\ Enchants=The Painting Is A Marvel -Craft\ a\ grinder.\ Maybe\ try\ throwing\ ore\ in\ it?=The coffee trade. You might want to throw ore what is it? -There\ are\ %s\ data\ packs\ available\:\ %s=U %s Data packages are available\: %s -Farmer's\ Hat=The Farmer's Hat -Full\ Gold\ Upgrade=Full Update Gold -Purple\ Berry\ Bush=The Purple Berries Of The Plant -Panel\ in\ reduced\ sunlight=The panel decreasing the sunlight -Biome\ Depth\ Offset=A Biome Shift In Depth -Page\ Down=On The Bottom Of The Page -relative\ Position\ x=the relative position x -Display\ Mobs=Visualization Of The Mobs -Magenta\ Globe=Lilla Verden -World\ is\ out\ of\ date=The world's out-of-date -%1$s\ fell\ too\ far\ and\ was\ finished\ by\ %2$s=%1$s also fell and finished %2$s -Rainbow\ Eucalyptus\ Sapling=Rainbow Eucalyptus Seedling -White\ Gradient=White Gradient -Lets\ the\ player\ walk\ on\ water=Allows the player to walk on water -Soul\ Sandstone\ Brick\ Stairs=In The Spirit Of The Fire-Brick, Stairs -Spawn\ Size=Caviar Square -Terrestria=Terrestrial -Dark\ Red=Dark Red -Industrial\ Machine\ Frame=Industrial Machines, Frames -Dirt\ Ghost\ Block=Mud To Block The Spirit -Chest\ closes=The chest is closed -Dead\ Brain\ Coral=The Dead Brain Coral -Vindicator\ cheers=Magazine here -Kill\ any\ hostile\ monster=To kill a monster, the enemy -Black\ Berry\ Cake=Black Berry Cake -The\ sound\ is\ too\ far\ away\ to\ be\ heard=The sound is very far away from the headphones -The\ minimum\ value\ that\ you\ can\ scroll\ down.=The cost to a minimum, which you can scroll down to the bottom. -Steel\ Shovel=Steel Shovel -Blue\ Elevator=The Blue Lift, -Block\ of\ Nickel=A Block Of Metal -Copied\ client-side\ entity\ data\ to\ clipboard=A copy of the part of the customer, the organisation and the transfer of the data to the clipboard -C418\ -\ mellohi=C418 - mellohi -Brown\ Mushroom\ Block=Brown Mushroom Blocks -Items\ Enchanted=Items Enchanted -Ravager\ steps=The evil of their actions -The\ key\ to\ sort\ the\ inventory\ in\ columns=The basic classification of resources in the Columns -Chicken\ Taco=Pileski Tacos -Failed\ to\ log\ in\:\ %s=At the beginning of the session error\: %s -Failed\ to\ verify\ username\!=Don't check the name\! -Pig\ hurts=Pigs sorry -Charred\ Planks=So That The Tables -Deep\ Warm\ Ocean=The Deep Cold Sea -Enable\ Auto\ Refill=To Turn On Automatic Updates -Bramble\ Berries=Fruit And Berries -VIII=I -\ ...(more)=\ ...(more) -Japanese\ Maple\ Boat=Japanese Maple Vessel -Salmon\ hurts=Or mal -Lingering\ Potion\ of\ Water\ Breathing=Drink Water, Hold, Exhale -Timed\ out=Stocks -Selling\ %s=Sale %s -Asteroid\ Redstone\ Cluster=Another Adventure, A Cluster Of Redstone -Block\ Elevator=Blog-Lift -Blue\ Tent\ Top\ Flat=Blau Tv-Top-Tenda -Original=The original -Teleported\ %s\ entities\ to\ %s,\ %s,\ %s=It %s the device %s, %s, %s -Trident\ returns=It also gives -Green\ Elevator=Green Elevator -Torch\ Lever=The Torch Is The Lever -Powered\ Rail=Drive Chain -Potted\ Rose\ Bush=The Potted Rose Bush On The Property -Dipped\ Ceremonial\ Knife=In The Middle Of A Ceremonial Dagger -Cauldrons\ Filled=Pots -Command\ Block=A Blokk Parancsok -Orange\ Terracotta\ Glass=Orange, Terracotta, Glass -Back\ to\ title\ screen=To return to fabric title -%s%%\ %s=%s%% %s -Spike\ Clangs=Cars, Tons -Zero=Zero -\u00A7eUse\ while\ airborne\ to\ deactivate\u00A7r=\u00A7eUse the air quality\u00A7r -Fluid\ Potion\ Effects\:=To block the effects of the potion\: -Multi-block\ wood\ processing\ machine=Multi-block wood processing, machines and equipment -Tech\ Reborn=Tech-Reborn -OUT=OF -Bricks\ (Legacy)=Gems (Successor), -Blue\ Glazed\ Terracotta=\u053F\u0561\u057A\u0578\u0582\u0575\u057F Glazed Terracotta -Orange\ Per\ Bend=Orange In The Crease -Expires\ in\ a\ day=Most importantly, the next day -End\ Stone\ Glass=The Fact That The Glass, Stone -Stone\ Bricks\ Camo\ Trapdoor=Brick, Stone, Camo Hatch -Obtaining\ Stellum=Strengthening Stellum -Cracked\ Purpur\ Block=The Cracks In The White Group -Birch\ Slab=Birch Run -Place\ an\ implosion\ compressor\ down=El lloc del implosion compressor a la part inferior -\u00A75\u00A7oVIP\ only=\u00A75\u00A7oOnly for VIP's -Conduit\ activates=The channel is activated -Plains=Fields -Japanese\ Maple\ Sapling=The Japanese Maple Sapling -Summon\ the\ Wither=Cause Dry -Wolves\ With\ Armor=The Crowd Is Moving -Dark\ Oak\ Planks\ Camo\ Trapdoor=Dark Wood Planks, Oak Wood Camo Hatch -The\ world\ is\ full\ of\ friends\ and\ food=The world is full of friends and food -Nickel\ Plate=Nickel Plate -Red\ Rune=Red Fleece -Max\ WP\ Draw\ Dist.=The biggest PULLS, - the distance \u043F\u0440\u043E\u0440\u0438\u0441\u043E\u0432\u043A\u0438. -Stone\ Brick\ Chimney=Stone, Brick, Chimney -Adds\ a\ wood\ themed\ wells\ to\ Forest\ and\ Birch\ Forest\ biomes.=Add wood theme of the pits in the forest and birch forest biomes. -Membrane\ Block=Block -Small\ Pile\ of\ Ruby\ Dust=Ma\u017Ea a bunch of ruby dulki\u0173 -A\ fragment\ of\ a\ living\ star,\ the\ raw\ energy\ contained\ within\ this\ material\ is\ surpassed\ only\ by\ few,\ every\ molecule\ of\ it\ vibrating\ with\ $(thing)Stellar\ Energy$().=The life of a star with a raw energy that only a couple of shakes with some of the materials, each and every little bit of it is a timeout, the $(the thing)Star Power$(). -A\ minimap\ displaying\ you\ your\ nearest\ surroundings\ and\ entities.=A mini-exhibition, welcome, and business. -Potted\ Tall\ White\ Dendrobium\ Orchid=Pots, In Height, White Dendrobium Orchids -Search\ for\ resources,\ craft,\ gain=Find resources for treatment -Zombie\ Wall\ Head=The Zombie's Head Into The Wall -Japanese\ Maple\ Post=Japanese-Maple-Post - -Note\ Block\ plays=Blocks play -Float\ must\ not\ be\ more\ than\ %s,\ found\ %s=The float should not be more than %s we found %s -Sakura\ Fence=Series Hedge -Lava\ hisses=Lava sizzles -Panda\ pants=Panda Kalhoty -Polished\ Blackstone\ Pillar=Polit Blackstone Pilars -Buffet\ world\ customization=Breakfast buffet, settings in the world -Iron\ SuperAxe=Iron-SuperAxe -Tomato\ Seeds=The Seeds Of The Tomatoes -Galaxium\ Chestplate=Galaxium Chestplate -Minecon\ 2019\ Cape\ Wing=Meeting Minecon In 2019, The Wing Of The Nose -A\ caramelized,\ campfire-cooked\ version\ of\ the\ Chopped\ Onion,\ which\ restores\ more\ hunger.=Honey, fire, cooked the chopped onion option, the more hungry. -Name\:=Name\: -Chicken\ hurts=When it hurts -Yellow\ Tang=Yellow -List\ Players=The List Of Players -Aluminium\ Ingot=Aluminij Ingot -There\ are\ %s\ tracked\ entities\:\ %s=A %s entourage\: %s -Stripped\ Fir\ Wood=I Took It Of Cypress-Wood -Grindstone=Grinding stone -Green\ Futurneo\ Block=Gr\u00F8n Futurneo-Blok -Gray\ Field\ Masoned=Pledged To The Brick In The Ground A Gray Area -Successfully\ trade\ with\ a\ Villager=To trade successfully on the line -Append\ Favorites\ Hint\:=Additional Board Of Directors Was Elected. -Asterite\ Shovel=Aster Of Friends -Structure\ Name=Structure Name -Enderman\ vwoops="For me," vwoops -Yellow\ Chief\ Sinister\ Canton=Yellow Main Claim To Canton -Block\ Grouping=The Group's Blog -Shapeless=Shapeless -Small\ Pile\ of\ Uvarovite\ Dust=A handful of dust uvarovite -Small\ Pile\ of\ Olivine\ Dust=A Small Handful Of Dust-Instagram --%s%%\ %s=-%s%% %s -Strider\ eats=On the contrary, there are -LED\ Lamp=Light Bulb, Led Light -Blast\ Furnace\ crackles=Crackles soba -Ring\ of\ Invisibility=Ring of invisibility -Green\ Pale\ Dexter=Green Pale Dexter -Dark\ Oak\ Cutting\ Board=The Dark Oak Of The Table Cut -Increases\ energy\ flow\ rate=This increases the energy consumption -Always\ Show\ Single\ Hitbox=Always Shows That There Is A HitBox -Light\ Blue\ Concrete\ Powder=Blue, Concrete, Sand, -Light\ Gray\ Cross=The Light Gray Cross -Japanese\ Maple\ Drawer=Japanese Maple Tree Furniture -The\ difficulty\ has\ been\ set\ to\ %s=Difficulties not otherwise %s -Alternative\ Bat\ Wing=Alternative Wing Hit -Lime\ Carpet=Lime Floor -Light\ Blue\ Bend\ Sinister=Niebieski Bend Sinister -Magma\ Cube\ hurts=Magma cube-TSE nasty -Dead\ Bubble\ Coral=Dead Bubble Coral -Lithium\ Batpack=Whether Batpack -Back\ to\ Game=To get back in the game -Purple\ Per\ Fess\ Inverted=The Color Purple In Honor Of You -Too\ Small\!\ (Minimum\:\ %s)=A Lot Of Low\! Of not less than\: %s) -Pickle\ Chips=Acid Chip -Potted\ Tall\ Red\ Begonia=Podos Red Begonia -Horned\ Swamp\ Tree=Product-Swamp Trees -Player\ hit=The player -Magenta\ Terracotta=Purple Terracotta -Fox\ bites=Fox bite -8.6x70mm\ Lapua=8.6x70mm Lapua -Splash\ Potion=Cracks Brew -Bluestone\ Bricks=Bluestone Brick -Integer\ must\ not\ be\ more\ than\ %s,\ found\ %s=The letter should not be more than %s find %s -Sapphire\ Boots=The Sapphire Shoe -\u00A77\u00A7o"Where's\ Robin?"\u00A7r=\u00A77\u00A7o"Where Am I?"\u00A7r -White\ Terracotta\ Glass=White Ceramic Glass -Copied\ server-side\ entity\ data\ to\ clipboard=Up your server data are in the clipboard -A\ food\ item\ that\ is\ more\ hunger\ efficient\ that\ whole\ lettuce\ heads\ and\ can\ be\ eaten\ faster.=The food product that is more effective than that of the Hollow, and he's a head of lettuce, and you can eat as much as possible. -Water\ Bricks=The Water In The Brick -**Press\ ENTER\ to\ Refresh\ Values**=* * * * * * * Press the Enter key to update the prices** -Lingering\ Potion\ of\ the\ Turtle\ Master=Strong Drink, The Owner Of The Turtle -\u00A75Given\ the\ right\ conditions,\ the\ following\ mobs\ can\ spawn\:\ =\u00A75Given the relevant conditions are the following mobs are recovering\: -%s%%\ and\ more\ with\ looting=%s%% and more disco -Golden\ Bars=Ari Bare -Camping\ Pack=Pack Camping -Cartography\ Table\ Slab=The Mapping Table -Dolphin\ attacks=Dolphin \u00FAtoky -Nothing\ changed.\ That\ IP\ isn't\ banned=Nothing has changed. This IP is not ban -Block\ of\ Zinc=A Block Of Zinc -Bar\ Color=The Color Of The Panels -Min.\ Height=Thousands of people. Height -Jungle\ Glass\ Door=Jungle For Glass Doors -Asteroids=The asteroid -Simple=Easy -Soul\ Torch=Can (And -Oxygen=Tlen -Vibranium\ Block=The Vibranium Bloc -Lukewarm\ Lagoon=Warm Lagoon -MFSU=MFSU -Potted\ Japanese\ Maple\ Shrub\ Sapling=Pot, Japanese Maple Bush -Advanced\ Tank\ Unit=Detailed Thoughts, Devices. -Vex\ Spawn\ Egg=I Want To Spawn Eggs -Negative\ Chance\ (invert)=(The reflection in)and its negative good Luck -Tube\ Coral\ Wall\ Fan=The Fan In The Tube Wall Of Coral -Max\ Health=The Maximum Health -Gray\ Banner=Sivo Banner -%s\:\ %s=%s\: %s -Vanilla\ Hammers\ Config=Hammer On The Vanilla Config -Hold\ SHIFT\ for\ info=Press and hold down the Shift key for the info -Swamp/Dark\ Forest\ Mineshaft=Bog/Dark Forest And The Mine -\u00A76\u00A7lJoin\ Request\ Ignored\ from\ %1$s\!=\u00A76\u00A7lJoin us, please ignore %1$s\! -Tube\ Coral=In Relation To Coral -Fir\ Planks=Spruce Placas -Limestone\ Brick\ Stairs=The Limestone Bricks Stairs -Yellow\ Per\ Fess\ Inverted=- Groc Inversa-Fess -AMPLIFIED=ADDED -Numeral=Long -Pyramids=Pyramid -Green\ Skull\ Charge=Free Green Skull -Status=Status -Japanese\ Maple\ Pressure\ Plate=The Board You're On The Foot. -Adventure\ Mode=The Adventure Mode -Stronghold\ Size=The Whole Fort -Created\ new\ objective\ %s=I have created a new lens %s -Venus\ Essentia\ Bucket=Venus And Flower Essences In A Bucket -United\ States=Of sin a -Needs\ Redstone=Needs Redstone -Adorn+EP\:\ Steps=Decoration+EP\: web -Light\ Gray\ Futurneo\ Block=Light Gray Block Futurneo -Fir\ Pressure\ Plate=Kuusk Push -Mercury=Mercury -Iron\ Axe=Iron Axe -Iron\ Golem\ repaired=Build the iron Golem -Toast\ bread\ in\ a\ toaster.=Baked bread, toaster. -Passive=Passive -C418\ -\ stal=C418 - kontinuirano -Press\ /\ Release=Press / Public -Unknown\ Shape=An Unknown Form Of -Red\ Cichlid=The Red Cichlids -Cyan\ Snout=Blue Nose -Scorched\ Pressure\ Plate=Branded Reports -Light\ Blue\ Per\ Bend\ Sinister=The Blue Light In Bend Sinister -Green\ Stone\ Bricks=Zelena, Kamena, Cigle, -9x9\ (Very\ High)=The 9x9 (Very High) -The\ station\ doesn't\ have\ enough\ products.=Station enough of the product. -Lit\ Gray\ Redstone\ Lamp=Poru\u010Dnik Siva Redstone Lampe -Join=United -Broadcast\ command\ block\ output=The output of the commands to the glasses -Yellow\ Concrete\ Camo\ Door=The Yellow Concrete Of The Door Black -Stripped\ Redwood\ Log=E Redwood's Diary -End\ Rod=At The End Of The Auction -Parrot\ hurts=A parrot is sick -Red\ Autumnal\ Leaves=The Red Leaves In The Fall -Grants\ Regeneration\ Effect=Support The Effect Of The Reform -Spear\ hits\ block=The spear hit the block -Harvest\ leaves=Vintage leaf -Small=Little -Example\ Category\ B=For Example, In Category B -Example\ Category\ A=An Example Of A Category -Interpolating\ Velocity\ (Positive,\ Greater\ than\ Zero)=The speed of the interpolation (positive, zero) -Power\ I/O=\u03A4\u03BF I/O -Birch\ Wood=The tree -Titanium\ Dust=Titanium In Powder Form -Stripped\ Rainbow\ Eucalyptus\ Log=Payla\u015Fmaq Rainbow Evkalipt Jurnal -Yellow\ Chief=The Base Of The Yellow -Grass\ Block\ (Legacy)=The Grass Is A Union Of (Previous) -Light\ Gray\ Asphalt\ Slab=The Light Grey Of The Asphalt From The Dishes -New=New -Potted\ Redwood\ Sapling=The United States Redwood Tree -Magenta\ Terracotta\ Camo\ Door=Magenta, Terakota Camo Vrata -Magenta\ Cross=Kryzh -Full\ Emerald\ Upgrade=Full Emerald Update -World\ Name=The Name Of The World -Umbral\ Fence\ Gate=On The Threshold, Perimeter Fence, Steel Gate -C418\ -\ mall=C418 - mall -%s\ Color=%s Color -$(item)Stellum\ Ore$()\ can\ be\ found\ inside\ $(thing)$(l\:world/asteroids)Asteroids$()\ in\ $(thing)Space$().$(p)Mining\ requires\ an\ $(item)Asterite\ Pickaxe$()\ (Mining\ Level\ 5)\ or\ better,\ usually\ resulting\ in\ a\ single\ $(item)$(l\:world/ore_clusters)Stellum\ Cluster$()\ which\ can\ be\ forged\ into\ a\ $(item)Stellum\ Ingot$().=$(point)Stellum ore$( to find ) $(This)$(l\:world/asteroids)asteroitler.$() in the $(nothing on the web)$().$((f)a set of at $(point asteria Chop$() (Soul level 5), or better yet, is usually that himself $(voice)$(l\:world/ore_clusters)Stellum group,$(), can be manipulated $(The other article Stellum $(). -Diamond\ Plate=Diamond Plate -Stone\ Brick\ Slab=Stone, Brick, Tile -Nether=The only -Storage\ Block=Storage Unit -Crafting\ ingredient=Force chew -Set\ %s\ for\ %s\ to\ %s=Fayl %s v %s for %s -Phantom\ swoops=The spirit dives -The\ Woolrus=Dans Woolrus -Iridium\ Reinforced\ Stone=Iridium Reinforced Stone -Stone\ Shovel=The Stone Of The Blade, -%s\ (%s/%s)=%s (%s/%s) -Button=Taste -Endermite\ Spawn\ Egg=Endermite Spawn-Eieren -Smooth\ Soul\ Sandstone\ Slab=A Tile \u041C\u0435\u0442\u043B\u0430\u0445\u0441\u043A\u0430\u044F Smooth Soul -Drawer\ Key=Telescope, Click To -Light\ Gray\ Shulker\ Box=Polje, Svetlosiva, Shulker -Lingering\ Sugar\ Water\ Bottle=Standing And A Bottle Of Sugar Water -Reset\ Demo\ World=Reset Demo World -OFF=OFF -All\ reloaded\!=All again\! -Must\ be\ greater\ than\ zero=It must be greater than zero -Metite\ Plates=Have A Swim -10k\ Water\ Coolant\ Cell=10k Coolant Cell -Cursed\ Dirt=Dirty -Show\ Slime\ Chunk=To Read It Is Interesting -Pink\ Per\ Fess=Pink, On The Fess -Where\ Is\ It\ Config=Kus On Config -Magenta\ Asphalt\ Slab=Magenta, Asfalt, Kafel -%s\ is\ not\ a\ valid\ entity\ for\ this\ command=%s no, not really, it's easy for this team -Allow\ generation\ of\ 2\ Silverfish\ Mob\ Spawners.=2-Mob Silverfish reproduce on the bottom of the sea. -Acacia\ Boat=Acacia Boat -Brown\ Stained\ Glass=Brown Tinted Glass -Max\ Y\ height\ of\ Mineshaft.\ Default\ is\ 37.=MAX M height of the shaft. The default value is 37. -Stripped\ Small\ Oak\ Log=Then He Took A Little Wooden Approach -Fir\ Shelf=Afford To Fix It -Twisting\ Vines=The Twisting Of The Vines -Double\ Dark\ Oak\ Drawer=Two Walk Dark I Contact -Blue\ Chief\ Dexter\ Canton=Bl\u00E5 Hoved Dexter Canton -Pufferfish\ flops=Elegant fish -Nether\ Brick\ Chimney=The Chimney Of The Brick -Brown\ Glazed\ Terracotta\ Camo\ Door=Brown Childbirth Represent The Camouflage Of The Doors -Max\ tier\ (Upgraded)=A high-level (up to Date) -Show\ continuous\ crafting\ checkbox\ on\ GUI\ (crafting\ table\ &\ survival\ inventory)\nContinuous\ Crafting\:\ Auto\ refill\ the\ ingredient\ slots=In an effort to demonstrate the continuous operation of the check box in the GUI (crafting table, and bail out of the stock)\nContinuing Education\: the Self-load of the components on the laptop -Saturn\ Essentia=Saturn Essentia -Body\ Protection=Body -Originally\ Coded\ by\ paulhobbel\ -\ https\://github.com/paulhobbel=Oprindeligt kodet paulhobbel - https\://github.com/paulhobbel -Blue\ Bordure\ Indented=The Blue Edge Of The Indentation -Adamantium\ Leggings=Adamantium Decolonize -Magenta\ Gradient=Mor Degrade -Aquilorite=Aquilorite -Successfully\ copied\ mods=They copied the mode -Found\ %s\ after\ %ss=Search %s after %ss -Red\ Bend=The Red Curve -Standard\ Boosters=Standard Booster -Place\ a\ quantum\ tank\ down=You put a huge tank in the end -Change\ Icon=Symbol -Has\ loot\ table=No, you -Pull\ items\ toward\ the\ player=The player who objects -Leaves\ (Legacy)=The Leaves (Of The Heritage) -Crate\ of\ Sweet\ Berries=The box of chocolate and berries -Fire\ Extinguisher=A fire extinguisher -Unable\ to\ open\ game\ mode\ switcher,\ no\ permission=You can open last year's game without permission. -Pink\ Asphalt=Rose Asphalte -Essence\ Ore=On The Basis Of An Hour Ago -Smoking=Smoking -Small\ Sandstone\ Brick\ Stairs=A Small Brick, Tiles, Steps -Player\ Inner\ Info\ Placeholder=Internal Player Information From Grain -Potted\ Tall\ Blue\ Bellflower=Test Big Blue Bell -Orange\ Chief\ Sinister\ Canton=The Main Orange, The Bad, The Canton Of -Ghast=Minecraft -Ash\ Pile=To A Pile Of Ash -Custom\ Rule=Own Rule -Smelt\ sap\ into\ rubber=Melt the juice in the rubber -Maximum\ Cobblestone=Cubes Most -Raw\ Chicken=Prior To The Launch -Oxygen\ Bucket=A Bucket Of Oxygen -Caves=Cave -Brick\ Wall=The Confidence That Wall -Brown\ Skull\ Charge=A Brown Skull Wage -Player\ dies=The player can't die -Dark\ Oak\ Chair=Dark-Wood-Oak-Chair -Magenta\ Concrete\ Glass=Magenta, Concrete, Glass -Llama\ Chest\ equips=Flame in the chest equip -Pink\ Dye=Pink -Ender\ Pearl=This Is A Ender Pearl -Acacia\ Post=Bean Post -Cyan\ Field\ Masoned=Blue Boxes Have Been Replaced With Brick Underground -Shulker\ hurts=Shulker smerte -Birch\ Planks\ Glass=A Birch Wood, Glass -Sword\ Damage=The Sword Damage -You\ must\ enter\ a\ name\!=You must enter a name\! -Warped\ Step=Will Be Distorted In The Distance -First\ Item=The First Block -Warped\ Stem=The Rebellion Is A Mess -Blue\ Concrete=Blue, Concrete -Horn\ Coral\ Block=Horn Coral-Block -Magenta\ Glazed\ Terracotta\ Camo\ Door=Black Glazed Terra-Cotta, Black Door -Unknown\ entity\:\ %s=Unknown\: %s -Stone\ Brick\ Stairs=The Stone-And-Brick-Short -F3\ +\ P\ \=\ Pause\ on\ lost\ focus=F3 + P \= pause, gubitak focus -Expected\ whitespace\ to\ end\ one\ argument,\ but\ found\ trailing\ data=I'm hoping that the square end of the argument, but when I saw the final result and the information -Blue\ Per\ Pale\ Inverted=Blue To Pay To The -Enabled\:=Turn on\: -Gamerule\ %s\ is\ currently\ set\ to\:\ %s=Gamerule %s currently it is configured to\: %s -Decoration\ Blocks=Decorative Blocks -Feather\ Falling=As A Feather Falls To The -Ring\ of\ Wither=To avoid rings -\u00A77\u00A7o"This\ small\ core\ appears\ to\u00A7r=\u00A77\u00A7o"This is a small pin, it looks like\u00A7r -Saddle=The saddle -Show\ Game\ Status=It Shows The State Of The Game -Blaze\ Brick\ Wall=The Fire On The Brick Wall -Arrow\ of\ Toughness=This hardness -Mossy\ Stone\ Well=Samanotas Stone Well -Double\ Jungle\ Drawer=A Double Window In The Jungle -Thunder\ roars=The Thunder Roars -Stone\ Brick\ Platform=Kamen, Opeka, Platforma -S-Rank\ Materia\ Block=The Structure Of The Material, The Block -Water\ World=Water world -Automatic\ saving\ is\ now\ enabled=Auto save is currently owned by -Sugar\ Cane=Sugar, Sugar From Sugar Cane-Of-Sugar - -Spider\ Eye=The eyes of the spider -Open\ folder\ .minecraft/config/inventoryprofiles=For toga, fasciklu Yes, Yes, ha open .Minecraft/config/inventory profiles -Now\ spectating\ %s=And now, for the first %s -Dragon\ Egg=Oul De Dragon -Andesite\ Brick\ Stairs=Andesite Stairs -Target\ name\:=Name ime\: -Fir\ Step=Brad Pas -Polling...=Request... -Your\ graphics\ device\ is\ detected\ as\ unsupported\ for\ the\ %s\ graphics\ option.\n\nYou\ may\ ignore\ this\ and\ continue,\ however\ support\ will\ not\ be\ provided\ for\ your\ device\ if\ you\ choose\ to\ use\ %s\ graphics.=Graphics device supports is defined as %s it's a graphical version of the text.\n\nIf you want to help just ignore it and if you decide to use them I'm not going to give support for your device if you can %s graphics. -Upgrading\ all\ chunks...=An update of all the... -Green\ Concrete="Green" Concrete -Potted\ Crimson\ Fungus=Purple Mushroom Birth -%s%%\ Pickled=%s%% Barve -Show\ Button\ Tooltips=View Tips -Red\ Sandstone\ Slab=The Kitchen-The Red Sands. -Tank\ size\ (Basic)=Fuel Capacity (Main) -Nether\ Helmet=The Bottom Of The Helmet -No\ new\ recipes\ were\ learned=Learned new recipes every -The\ max\ number\ of\ items\ in\ a\ row\nMay\ not\ affect\ modded\ containers=The maximum number of elements in the string\nThis can be the effect only a few hours ago, tanks, -A\ machine\ which\ consumes\ energy\ to\ ventilate\ fluids\ into\ the\ atmosphere.=Machine, energy fluid and air in the atmosphere. -Killed\ %s\ entities=Dead %s equipment -Crystal\ Plant\ Seeds=The Crystal-Seed Plants -Chest\ Mutator=The Use Of The Chest -Bat\ screeches=Knocking noise -Arrow\ of\ Fire\ Resistance=Arrow Durability -Polished\ Diorite\ Slab=Tla Iz Poliranega Diorite -Rocket\ Aglet=Raketa Aglet -Disable\ Lava\ Fog=Opt To Wash Away The Fog -Force\ Unicode\ Font=The Power Of Unicode Font -Compressed\ Plantball=Comprimido Plantball -Green\ Rune=Runy Yesil -Heart\ of\ the\ Sky\ -\ Ticks\ per\ Damage\ (Positive,\ Greater\ than\ Zero)=The heart of the Sky, and the Ticks of euros of Damage (Positive, greater than Zero). -Guardian\ Spawn\ Egg=A Sentinel In The Laying Of The Eggs -Turtle\ lays\ egg=Turtles also come to lay their eggs on the beaches, in the -from\ block\ to\ network=unit online -Nether\ Wastes=The Language Of Waste -Alloying\ Bliss=A Combination Of In Bocca Al Lupo -%1$s\ fell\ from\ a\ high\ place=%1$s it fell from a high place -Stop\ At\ Screen\ Close=To Be On A Screen Near The -Converts\ lava\ and\ other\ heat\ sources\ into\ energy=Transforms em lava and other fontes heat em energia el\u00E9trica -Jungle\ Planks\ Ghost\ Block=Spirit Of The Forest Block Boards -Jungle\ Shelf=Jungle-Shelf -Wooded\ Mountains=The Wooded Mountains Of The -Oak\ Fence=Under Denna Period, Jan Runda -Granted\ the\ advancement\ %s\ to\ %s\ players=Progress was %s for %s players -Black\ Field\ Masoned=The Black Box, Planted Brick Underground -Player\ Kills=The Player Is Killed -Creeper=Creeper -Pink\ Chief\ Dexter\ Canton=The Prime Minister-The Pink Canton Dexter -Ore\ Settings=The Mineral And The Configuration Of -Keybind\ while\ hovering\ in\ Inventory=Keybind na lokaciji zalog -Mech\ Dragon\ Wing=This is the sword of the Dragon's wing -A\ small\ plant\ that\ can\ be\ found\ anywhere\ in\ the\ world.\ Can\ be\ broken\ normally\ to\ drop\ new\ crop\ seeds,\ or\ broken\ with\ shears\ to\ obtain\ the\ shrub\ itself.\ Can\ also\ be\ sheared\ to\ remove\ the\ leaves,\ or\ potted.\ Will\ die\ if\ placed\ on\ sand\ or\ toasted.=A small plant that can be found all over the world. It can be damaged, as a general rule, the establishment of a new crop, seed, or it is damaged, the scissors in the Bush, by myself. They can also be damaged, remove the leaves, or in pots. He was going to die if they were placed in the sand, or dry. -Open\ Sesame\!=Open Sesame\! -Glassential=Glassential -Item\ Frame\ placed=The scope of this article are determined -\u00A7bCheckbox\ Value=\u00A7bCena Paketa -Essentia=Compte essentia -Yellow\ Chevron=Yellow Chevron -Unable\ to\ get\ MCUpdater\ Instance\ Data\ (Ignore\ if\ Not\ using\ a\ MCUpdater\ Pack)=It is not possible to get the MCUpdater to the instance data (Ignore it, if you're not in the MCUpdater-Pack) -Toggle\ Sneak=No Matter What To Enter There -Sorting\ clusters\ will\ result\ in\ two\ of\ their\ respective\ $(thing)dusts$().=The classification of the clusters leads to the two of them $(Thing)In The Poles$(). -Red\ Sofa=The Red Couch -Purple\ Per\ Bend\ Sinister=The Make Of The Bad -Used\ to\ cut\ items\ on\ a\ Cutting\ Board.\ Interact\ with\ a\ Cutting\ Board\ with\ an\ item\ on\ it\ to\ cut\ the\ item.\ Can\ be\ used\ in\ the\ off-hand.=You need to reduce the ingredients cutting Board. People a cutting Board and cut out the piece. It can also be placed in your hands. -Gray\ Beveled\ Glass=Gray, Glass-Bevelled -Light\ Blue\ Tent\ Top\ Flat=Gai\u0161i Zils Telts, Flat Top -Sakura\ Leaf\ Pile=Sakura Sheet Pile -Threadfin=Threadfin -local=local -Marble\ Brick\ Wall=The Marble On The Wall -Thick\ Potion=The Thickness Of The Broth -Platinum\ Nugget=Platinum Nugget" -$(item)Galaxium\ Ore$()\ can\ be\ rarely\ found\ inside\ $(thing)$(l\:world/asteroids)Asteroids$()\ in\ $(thing)Space$().$(p)Galaxium\ Ore\ mining\ will\ require\ an\ $(item)Asterite\ Pickaxe$()\ (Mining\ Level\ 5)\ or\ better,\ usually\ resulting\ in\ a\ single\ $(item)$(l\:world/ore_clusters)Galaxium\ Cluster$()\ which\ can\ be\ forged\ into\ a\ $(item)Galaxium$()\ gem.=$(point)Galaxium iron Ore$(), can rarely be $(things)$(l\:world/asteroids)asteroidit$( v $(Thing)And The Space$().$((p) "galaxy" more hours-analysis requires $(elementai), Asterite Hack$() (Of the mountain Level 5), or, on the contrary, they are often one $(pika$(l\:world/ore_clusters)cluster Galaxium $(), which can be broken $(to je program, ki Galaxium$() piece of jewelry. -Flying\ Speed=The Speed Of The Aircraft -Shulker\ bullet\ explodes=Shulker bomba esplode in -Sulfur\ Quartz\ Slab=Sulfur, Quartz Slab -Available\ Mod\ Updates=No Mod Pack -Electric\ Smelting=El-Cast Iron -White\ Saltire=Bela St. Andrews Zastavo -Mossy\ Stone\ Brick\ Stairs=Mossy Stone Brick Stairs -Num\ Lock=Local President -Light\ Blue\ Table\ Lamp=Pale Blue Table Lamp -\u00A77\u00A7o"In\ God\ We\ trust."\u00A7r=\u00A77\u00A7o"In god we trust".\u00A7r -Safe\ Mode=In The Safe Mode -Crafting\ Station\ Slab=The Compilation Of The Station Match -Set\ the\ world\ border\ to\ %s\ blocks\ wide=To install the world on Board %s blocks wide -Color\ of\ the\ arrow\ used\ in\ the\ non-rotating\ variant\ of\ the\ minimap\ and\ some\ other\ cases.=Arrow color is used without transformation, there is an option on the minimap and in some other cases. -Custom\ Data\ Tag\ Name=For Specific Information -Durability\ In=Resistance -Unknown\ color\ '%s'=- Color Unknown."%s' -Junk\ Fished=Fragments Caught -Warped\ Warty\ Blackstone\ Brick\ Wall=Warp Production Blackstone \u041A\u0438\u0440\u043F\u0438\u0447\u043D\u044B\u0435 Wall -D-Rank\ Materia\ Block=D-Rank-This Is A Matter Of Blocks -Lit\ Cyan\ Redstone\ Lamp=Burning Blue Torch Redstone -Item=Item -Storage\ Networks=Meaning -Please\ wait\ for\ the\ realm\ owner\ to\ reset\ the\ world=Please wait for the kingdom of the owner, in order to restore the world -Lime\ Field\ Masoned=Var Oblastta On Masoned -Message\ to\ use\ for\ the\ &mods&\ Placeholder\ in\ Presence\ Settings\\n\ Available\ Placeholders\:\\n\ -\ &modcount&\ \=\ The\ Amount\ of\ Mods\ currently\ in\ your\ Mods\ Folder=The message used &fashion& agent in the presence of the device.\\N. available drives\:\\n \\ n - &modcount, and number \= the mod to the folder mods -Skeleton\ rattles=There is the skeleton of st. john's wort -Joining=Chapter -Short-burst\ Fuel\ Pellet=A short Fuel Pellets -Generate\ Core\ of\ Flights\ on\ Dungeons=Na bazu, letovi, metro -Diorite\ Camo\ Trapdoor=Diorite Camo Izstopna Odprtina -Gray\ Beveled\ Glass\ Pane=Gray Hair Glass -Amount\:=Size\: -Metite\ Dust=Metite Dust -Show\ All=Show All -Chinese\ Traditional=Traditional Chinese -Gems=Maska za lase -Epic=Epik -Pufferfish\ inflates=Puffer fish inflate -Ghast\ Tear=Problems Tear -Entity\ Loot\ Drop=The Device Calculates The Drop -Peridot=Peridot -Coconut=Coconut -Yellow\ Per\ Bend\ Sinister=The Yellow Curve Will Be Worse -Iron\ Shard=Iron Part -Kicked\ by\ an\ operator=It is struck by the operator of the -\u00A77Vertical\ Acceleration\:\ \u00A7a%s=\u00A77Vertical Acceleration\: \u00A7a%s -Blue\ Asphalt=Hay Asphalt -Plus\ %s\ Secrets=Plus %s Secrets -Chicken=Chicken -<--[HERE]=<--[Her] -Chunk\ Loader=In the end, -Spruce\ Log=Pine-Tree-Of-Log -Small\ Pile\ of\ Flint\ Dust=A Small Bouquet Of Flint Powder -White\ Bend\ Sinister=The White Layer On The Left -%s\ %s=%s %s -Skin\ Customization=Adaptation Of The Skin -Small\ Sandstone\ Bricks=Small Sandstone And Brick -Bluestone\ Tile\ Slab=Sandstone Tiles And -Rabbit\ attacks=Bunny angrep -Updated\ the\ name\ of\ team\ %s=Update by the name of the computer %s -Steel\ Dust=Steel Dust -Shears\ carve=The scissors to cut it -Cape=Cape -Rich\ Mining\ Solutions=Rich Mining Solutions -End\ Stone\ Coral=At The End Of The Coral Stone -Black\ Dye=Black Is The Color -Small\ Sandstone\ Brick\ Slab=A Small, Brick, Tile, Murals -Add\ Misc.\ Features\ to\ Modded\ Biomes=Add Misc. Features Change Biomes -Show\ Logging\ in\ Chat=Watch the tutorial with chat -Orange\ Snout=Orange Nose -Uses\ the\ power\ of\ any\ water\ source\ adjacent\ to\ it\ to\ generate\ energy=The use of the waters of the fountain, which is located at the output of the energy -Light\ Gray\ Field\ Masoned=Light Gray Field Masoned -Bunny\ Ears=Friend The Bunny -Pizza\ Salami=Salami Pizza -Basic\ Tank\ Unit=The Tank On The Main Unit -Dark\ Forest\ Hills=The Dark Forest In The Mountains -Server=Serve -Fusion\ and\ The\ Furious=The concept and the mother -Arrow\ Colour=Arrow Color -Leather\ Wolf\ Armor=Leather Armor Of The Wolf -Vindicator=The Vindicator -Pink\ Asphalt\ Stairs=Pink Asphalt Ladder -Canyon\ Edge=Cannon's Edge -Red\ Table\ Lamp=Red Table Lamp -Fox\ hurts=Fox of pain -No\ bossbar\ exists\ with\ the\ ID\ '%s'=Not bossbar may be found in ID%s' -Magma\ Cream=The Cream Of The Food -Blaze\ dies=This is the door of the Fire -Chairs=President -Glowing=Lighting -Slider\ Modifications\:=Time For A Change\: -This\ remote\ is\ not\ connected\ to\ any\ network.=The remote control is not connected to the network. -Gold\ Upgrade=Update Aur -Mapping\ mode\ that\ can\ go\ deeper\ than\ the\ surface\ blocks,\ mainly\ to\ display\ underground\ caves\ and\ interiors\ of\ buildings.\ The\ roof\ size\ stands\ for\ the\ size\ of\ a\ solid\ horizontal\ "square"\ of\ blocks\ that\ needs\ to\ be\ detected\ above\ you\ to\ activate\ the\ cave\ mode.=Is displayed, something that can go deeper than the surface of the blocks, mainly to view the underground caves and the interior of the building. Roof, in size, solid in the horizontal plane in the "field" of blocks that must be discovered above to enable cave mode. -Gray\ Lungwort=The Gray -You\ have\ never\ killed\ %s=You were never killed %s -Parrot\ snorts=Midnatt snorts -Fir\ Table=The Spruce Of The Table -Parrot\ groans=Parrot moans -Magma\ Brick\ Wall=Magma Fal -Put\ all\ to\ network=For all networks -Vital\ for\ survival\ in\ hostile\ environments,\ a\ Space\ Suit\ is\ the\ most\ important\ thing\ one\ may\ carry.\ $(p)With\ internal\ tanks\ which\ may\ be\ pressurized\ in\ certain\ machines,\ it\ may\ be\ filled\ with\ (un-)breathable\ gases\ fit\ for\ whoever\ is\ wearing\ it.=For main enemies, the atmosphere, the space suit is the most important thing you can wear. $(n)the internal volume of the tank, which can put pressure on some of the cars may be filled (and)breathing gas, suitable for users. -Create\ Backup\ and\ Load=\u041A\u0440\u0435\u0438. The Backup and Upload it -Magenta\ Futurneo\ Block=Mor Futurneo Blok -No\ blocks\ were\ filled=There are no blocks filled -Provides\ luminance,\ when\ given\ power=Gives the flash, and it gives them the power to -Asteroid\ Emerald\ Ore=Mida Emerald Maagi -\u00A77\u00A7o"One-click\ flying.\ Patent\ Pending."\u00A7r=\u00A77\u00A7oOne-click buy. Patent Application".\u00A7r -Light\ Blue\ Per\ Fess=The Color Is Light-Blue With Refill -Cyan\ Shulker\ Box=Blu Vendosur Shulker -Oak\ Sapling=Baby Oak -LESU\ Controller=Controller Lesha -Farmer\ works=Farmer at work -Birch\ Kitchen\ Cupboard=Birch Kitchen Cabinets -Talked\ to\ Villagers=He said that the villagers -Inactive=Tight -Shows\ info\ about\ the\ current\ loot\ table\ of\ the\ item\ if\ present.\nVisible\ only\ when\ Tooltip\ Type\ is\ set\ to\ Modded.\nHide\:\n\ No\ loot\ table\ info,\ default.\nSimple\:\n\ Displays\ whether\ the\ stack\ uses\ a\ loot\ table.\nAdvanced\:\n\ Shows\ the\ loot\ table\ used\ by\ the\ item.=Displays information about the current steal table object, if one exists.\nOnly appears if the Tip Modded.\nHide\n Have a loot-table information, which is the default.\nClear.\n It can be shown that the Fund uses robbery-in the table.\nRoute\:\n Shows robbery of a table object. -Give\ Command\:=Command Syntax\: -Entity\ Name=The Name Of The Company -Soul\ Lantern\ Block=Shower Lantern Block -Successfully\ filled\ %s\ blocks=A great success %s series -Yellow\ Pale\ Sinister=Yellow, Light Matte -Are\ you\ sure\ you\ would\ like\ to\ share\ this\ waypoint\ with\ \u00A7cEVERYONE\u00A7f\ in\ chat?=Do you want to share at the moment \u00A7cAnd all\u00A7f in a chat? -Assemble\ components\ more\ efficiently=The assembly of the components is the most effective and efficient -Cake=Cake -Conduit\ Power=The conduit -Safe\ Disable=It is Safe To turn It Off -0\ for\ no\ Dungeons\ at\ all\ and\ 1000\ for\ max\ spawnrate.=General Maximum 0 spawnrate Prison and 1000 free. -The\ Golden\ Hammer\ doesn't\ work\ well,\ but\ it\ sure\ does\ look\ cool\!=The Golden hammer is not very good, but it certainly looks like. -Kibe=Kibe -Cobblestone\ Post=Post-Rock -Craft\ a\ fusion\ coil=H\u00E5ndverket Fusion coil -Sleep\ in\ a\ bed\ to\ change\ your\ respawn\ point=He was lying down on the bed that can change your spawn point -Diamond\ Ore=Diamond Ore -Select\ another\ minigame?=Choose from any of the other games. -Settings=Definition -An\ Enum=Enum -Edit\ Waypoint=Redaction On Songs Point -Commands=Control -Snowy\ Mountains=A Lot Of Snow -Debug\ Mode=Debug Mode -Birch\ Door=Maple Doors To The -New\ Note=The New Note -Sterile\ \!=Sterile \! -Lit\ Lime\ Redstone\ Lamp=A Dormir El Sol Redstone Llum -Invisibility=Invisibility -A\ fragment\ of\ a\ long\ dead\ star,\ this\ red\ gem\ may\ look\ frail\ to\ an\ untrained\ observer\ -\ one\ who\ does\ not\ know\ its\ significant\ strengths.\ $(p)Its\ properties\ allow\ for\ qualified\ craftsmen\ to\ create\ powerful\ tooling.=It is part of a long-dead star, a red gem, which seems to be a light to the observer, a novice, who doesn't know their area of strength and significant. $((P) - its properties enable the skilled artisan to be an effective tool. -Piercing=Piercing -Not\ Editable\!=You don't have to go back\! -Rope\ Bridge\ Anchor=Bridge Konopac On The Anchor -All\ the\ waypoints\ will\ be\ deleted\ from\ the\ set.=All of the points will be removed from the set. -Skeleton\ Horse\ dies=The skeleton of a Horse that never dies -Couldn't\ revoke\ advancement\ %s\ from\ %s\ players\ as\ they\ don't\ have\ it=He didn't know that there is progress %s v %s those players who are not the -Wolf\ howls=Wolf howling -Metite\ Gear=Varustus Metite -One\ Small\ Step\ For\ Man...=One Small Step For Man.... -Sort\ Inventory\ in\ Rows=The classification of inventory on the Line -Cave\ Maps\ Depth=Maps In-Depth -Sandy\ Brick\ Slab=Sand, Brick, Tile -Master=Master -Website=The home page of the website -Is\ This\ A\ Tesseract?=This Is A "Tesseract"? -Are\ you\ sure?=Are you sure? -Small\ Pile\ of\ Electrum\ Dust=Blow away dust and electrum -Fox\ Ears=The fox ears -Accessibility=In -A\ machine\ which\ produces\ a\ specified\ $(thing)fluid$()\ infinitely.=A machine that produces a certain $(all or liquid$() to infinity. -Reset\ To\ Default=In Order To Restore The Default Settings -Times\ Slept\ in\ a\ Sleeping\ Bag=Sometimes I slept in a bag bedroom -Top\ -\ %s=Top %s -"Persistent"\ is\ based\ on\ the\ "Persistent"\ zoom\ mode.="Stubborn" to "permanent" mode of measurement". -Int\ Slider=The Int Slider, -Skeleton\ Horse\ Spawn\ Egg=Skeleton Of A Horse \u0421\u043F\u0430\u0443\u043D Eggs -Shulker\ bullet\ breaks=Shulker ball to be destroyed -Charred\ Wooden\ Pressure\ Plate=Qarayan\u0131q Wooden Pressure Plate -Modified\ Jungle=Change The Jungle -Sneak\ to\ view=Hearing to see -Refill\ when\ eating\ food=By filling out the food in time -Can't\ insert\ %s\ into\ %s=Man pavyko gauti %s this %s -Raw\ Beef=It Was Raw Beef -Killed\ %s=Kill %s -Dolphin\ chirps=Dolphin sounds -Render\ Player\ Arrow=Napraviti Player Sa Strelicama -The\ command\ used\ for\ waypoints\ teleportation\ if\ a\ server-specific\ command\ is\ not\ set\ in\ the\ waypoints\ menu\ Options\ screen.=Command to the point on the axis, if the server has a specific order, not installed, in the way of menu items. -Pink\ Asphalt\ Slab=The Color Of Les Teules Of The Teulada -Spawnrate=The rate of appearance of -Battery\ Box=Battery In The Field -Green\ Bend=Green Wire -Pufferfish\ dies=If the fish ball is -\u00A77Vertical\ Speed\:\ \u00A7a%s=\u00A77Vertical Speed\: \u00A7a%s -Copy\ Identifier\ Toast\:=Copy of ID a Toast\: -Teleported\ %s\ to\ %s=Player %s for %s -Added\ by\ %s=He added %s -Left\ Button=The Left Button -Willow\ Wood\ Planks=Plank Of Willow Wood -Use\ VBOs=Use VBO'S -Error\ importing\ settings=Settings import error -Light\ Blue\ Snout=Light Blue Mouth -Egg\ flies=Easter egg -\u00A7lCraftPresence\ -\ View\ Sub-Commands\:\\n\\n\ \u00A76\u00A7lcurrentData\ \u00A7r-\ Shows\ your\ Current\ RPC\ Data,\ in\ text\\n\ \u00A76\u00A7lassets\ \u00A7r-\ Displays\ all\ Asset\ Icons\ available\\n\ \u00A76\u00A7ldimensions\ \u00A7r-\ Displays\ available\ Dimension\ Names\\n\ \u00A76\u00A7lbiomes\ \u00A7r-\ Displays\ available\ Biome\ Names\\n\ \u00A76\u00A7lservers\ \u00A7r-\ Displays\ available\ Server\ Addresses\\n\ \u00A76\u00A7lguis\ \u00A7r-\ Displays\ available\ Gui\ Names\\n\ \u00A76\u00A7litems\ \u00A7r-\ Displays\ available\ Item\ Names\\n\ \u00A76\u00A7lentities\ \u00A7r-\ Displays\ available\ Entity\ Names=\u00A7lPresence on the ship type under command\:\\N\\N \u00A76\u00A7lcurrentData \u00A7r- Current un convention on the rights of the child, the information in the text\:\\n \\ n \u00A76\u00A7lactive \u00A7r To see all of the Activity Icons are available at any time\\n \u00A76\u00A7lsize \u00A7r- Possible names of measurement\\.N \u00A76\u00A7leco \u00A7r- With the current life of the community, the name of the\\n \u00A76\u00A7lserver \u00A7r- Show available address of the server\\N \u00A76\u00A7lGPI \u00A7r- If you want to see the available Gui Words\\n \u00A76\u00A7lelements \u00A7r- Here are the titles that are available\\n \u00A76\u00A7lface \u00A7r- Displays the current names of the persons -Adorn+EP\:\ Sofas=City+la noire\: Canapea -The\ distance\ within\ which\ children\ will\ attempt\ to\ reach\ their\ parents.=The distance in which the children try to bring their parents. -Max\ Amount\ of\ Hearts=The maximum number of hearts -or=or -Jungle\ Table=Jungle Table -I\ want\ a\ refund=I want compensation -On-map\ Waypoints=The stop-point on the map, - -Light\ Gray\ Pale\ Sinister=Svetlo-\u0160ed\u00E1 Bledo-Sinister -\u00A77\u00A7oand\ it\ can\ rip\ wings\ off."\u00A7r=\u00A77\u00A7othis can be dangerous on the wings."\u00A7r -Not\ bound=This is not a mandatory requirement -Open\ Configs\ Folder=Open The Folder On Your Instagram -Velocity\ which\ is\ interpolated\ according\ to\ the\ friction\ factor.=Speed \u0438\u043D\u0442\u0435\u0440\u043F\u043E\u043B\u0438\u0440\u0443\u0435\u0442\u0441\u044F in accordance with the strength of the movement. -Blue\ Berry\ Juice=Blue Adapter Juice -Are\ you\ sure\ you\ want\ to\ open\ the\ following\ website?=Are you sure you want to open these web pages? -Yellow\ Shulker\ Box=\u017Duta Polja Shulker -Switch\ to\ %s=Go to %s -Gold\ Chest=One Of The Gold Boxes -Outback=Outback -Block\ Rune=Rune Gade -Bee\ Spawn\ Egg=Eggs, Eggs, Bee -Purple\ Asphalt\ Stairs=Purple, Asphalt, Stairs, -Counting\ chunks...=A Number Of Parts Of... -Fill\ One=V -Bucket\ empties=And placed it in the bucket -Purple\ Asphalt\ Slab=Purple Asphalt Plate -no=it -There\ are\ %s\ custom\ bossbars\ active\:\ %s=There are %s le bossbars active. %s -Crystalline\ Sulfur\ Quartz=Granulated Sulfur, Quartz -Emerald\ Furnace=Very The Oven -Survival\ Mode=How To Survive -Light\ Blue\ Terracotta\ Camo\ Trapdoor=Light Blue Terra Cotta Camouflage Hatch -Nether\ Brick\ Slab=The Void, Brick, Table -Zigzagged\ Nether\ Bricks=Zigzagged Nadol Budovy -Craft\ an\ iron\ furnace=Kraft stove on the train -at\ least\ %s=at least %s -Weaponsmith\ works=The author of the guns of the work, -Umbral\ Nylium=Nylium The Shadows Of The -Zigzagged\ Granite=Zigzagged With Granite -Show\ FPS\ in\ hud=To display FPS in the HUD -Deerstalker\ Hat=I Hat -Greenhouse\ controller=Windshield control. -Id\ \#%s=Id \#%s -This\ teleporter's\ Ender\ Shard\ is\ unlinked\!=A fragment of a ninja in the User's left. -Light\ Weighted\ Pressure\ Plate=The Light Weighted Pressure Tile -world=light -Elder\ Guardian\ Spawn\ Egg=Guardian Spawn Egg -Place\ a\ quantum\ solar\ panel=The location and number of solar panels -Join\ Server=Union Server -Rubber\ Kitchen\ Cupboard=The Rubber Kitchen Cabinet -Rolling\ Machine=Laminating Machines -Univite\ Crook=Univite Cheap -Anvil\ landed=Support is grounded -Colored\ Tiles\ (Pink\ &\ Magenta)="Tile Color (Pink, Dark Red) -Warped\ Kitchen\ Cupboard=Warped Kitchen Cabinet -Refill=Refill -Attributes=Features -Download\ limit\ reached=Download limit is obtained -Warm\ Lagoon=The Lune Lagoon -not\ %s=not %s -Scrolling=Roll -Dark\ Blue=Dark Blue -Wolf\ growls=The wolf in me-even -Umbral\ Pressure\ Plate=It Will Be Operated Will Not Be Greater Than That Of The Pressure Plate -This\ book\ changes\ colors\ when\ you\ unlock\ entries\!=In this book, The writing will change color when you unlock. -%s\ on\ block\ %s,\ %s,\ %s\ after\ scale\ factor\ of\ %s\ is\ %s=%s points %s, %s, %s following the scaling factor %s to %s -Cyan\ Terracotta=Turquoise Terracotta -Pathfinding\ Distance=The Pathfinding Distance -Adorn+EP\:\ Tables=Deck+(EP) table -Ruby\ Plate=Ruby Pokoj -You\ have\ no\ home\ bed\ or\ charged\ respawn\ anchor,\ or\ it\ was\ obstructed=You are not at home, in bed, or a fee is charged for the rebirth of the anchors, or use the -Suspicious\ Stew=Fish Goulash -Expected\ boolean=It is believed that logic -Gray\ Creeper\ Charge=Siva Creeper Besplatno Preuzimanje -Tanned\ Leather=Tanned Leather -White\ Per\ Bend\ Sinister\ Inverted=White The Great Villain, Who Became -Soul\ Campfire=The Fire Of The Soul -Jungle\ Drawer=The Pan, The Jungle -Smoky\ Quartz=Smoky Quartz -Smooth\ Stone\ Glass=The Stone Is A Flat Piece Of Glass -Turret\ Analyser=Instrument Cap Revolver-Analizor -Purple\ Base\ Indented=The Color Purple Main Fields -Blue\ Topped\ Tent\ Pole=Blue Was Riding The Tent Pole -Jumps=Go -Colored\ Tiles\ (Light\ Blue\ &\ White)=The Color Of The Tiles To Light Blue Or White) -Scaffolding=The scaffold -Max\ Y\ height\ that\ the\ starting\ point\ can\ spawn\ at.=M MAXIMALNA visine kako honorable dot Mauger Yes bidet sondagen. -Lodestone\ Compass=The Magnet In The Compass -Ding\!=Zing\! -Boosters=Bonus -Unpin=Winner -Map=Mapata -Small\ Pile\ of\ Glowstone\ Dust=A small pile of Dust, Glowstone -Order\ Sensitive=Precision -Black\ Beveled\ Glass=Black Beveled Glass -Max\ Y\ height\ of\ Mineshaft.\ Default\ is\ 25.=Max and the height of the mine. The default value is 25. -Lantern\ Button=The Light Of The Flashlight -Adventuring\ Time=Draws All The Time -Zombie\ Horse\ cries=The zombie Horse is crying -Quartz\ Dust=Powder Quartz -Auto\ restock\ your\ hotbar\ while\ sorting=Hotbar for sorting out the brand of the car -in=in -Yellow\ Beveled\ Glass=Yellow Glass Cut -Light\ Gray\ Terracotta=Light Siwa, Terracotta, -Potted\ Red\ Begonia=A Vase Of Begonias Red -Scaling\ at\ 1\:%s=Route 1\:%s -Pink\ Per\ Pale=Pink Light -Golden\ Wolf\ Armor=Based On The Armor Of The Wolf -Parrot\ moans=A game of groans -Bucket\ of\ Cod=Bucket of cod -Orange\ Roundel=The Orange Circle -Purpur\ Guardian\ Spawn\ Egg=The Blue Guardian Spawn Egg -Message\ to\ Display\ while\ in\ a\ Loading\ state\\n\ (Meaning\ between\ RPC\ Initializing\ and\ the\ First\ Refresh)=Report, there from the Screen, zat\u00EDmco Boot earth\\n \\ n (this Means that of the ROC on za\u010D\u00E1tku, and Prvn\u00ED Aktualizace) -Small\ Pile\ of\ Obsidian\ Dust=A Handful Of The Dust Of The Obsidian -Green\ Sofa=Yesil Sofa -Text\ Field\ Border\:=In The Text Field Border\: -Switch\ to\ world=Change the world -Nether\ Brick\ Outposts\ Spawnrate=The Lower Part Of The Brick Spawnrate -Sodium\ Persulfate=Naatrium Persulfate -Long\ must\ not\ be\ less\ than\ %s,\ found\ %s=For a long time can not be less than the %s find %s -Ashy\ Shoals=Ash Benches -Lock\ Player\ Heads=The Lock At The Head Of The Player -Add\ Interval\ Between\ Clicks=Add The Interval Between Clicks -Blue\ Per\ Bend\ Inverted=This Is The Reverse Bend Over To Blue -White\ Per\ Fess=Fess Hvid -Resource\ reload\ failed=Source d - -Mod\ ID\:\ %s=Id ministarstva obrane\: %s -REI\ Integration=The king of integration -Shattered\ Savanna=Nitrogen Shroud -Tungsten\ Axe=Tungsten Axe -Tame\ all\ cat\ variants\!=The types of domestic cats\! -Warped\ Wall\ Sign=The Deformation Of The Wall Of The Session -Infinite\ Staff\ of\ Building=Infinity Ministers building -\u00A76\u00A7lRebooting\ CraftPresence...=\u00A76\u00A7lThe Youth CraftPresence... -Lava\ Polished\ Blackstone\ Brick\ Stairs=Leo Polished The Stone Wall Of The Staircase -Nether\ Brick\ Fence=Below, Brick Fence -Energy\ Crystal=The Energy Of The Crystal -White\ Globe=The Cue Ball -Blaze=Thanks -Vindicator\ Spawn\ Egg=Vindicator Eggs, Caviar -Piglin\ converts\ to\ Zombified\ Piglin=Piglin becomes Zombified Piglin -Holographic\ Connector\ clicks=Holographic-tap connector -Client\ ID\ Used\ for\ retrieving\ Assets,\ Icon\ Keys,\ and\ titles=The Client-ID is used to retrieve the device, the buttons, the icons, and the name of the -Birch\ Sapling=Seedlings Of Birch -Bubbles\ flow=A stream of bubbles -Thick\ Splash\ Potion=At The Beginning Of This Thickness -Storage=Store -foo=foo -Blaze\ hurts=\ To bad -Cyan\ Roundel=Blue Ball -Lime\ Terracotta=The Lemon Juice, The Vanilla And The -Give\ a\ Pillager\ a\ taste\ of\ their\ own\ medicine=Gives Alcoa a taste of their own medicine -A\ remote\ controller\ which\ allows\ you\ to\ link\ together\ $(item)$(l\:machinery/holographic_bridge_projector)Holographic\ Bridge\ Projectors$().\ They\ must\ be\ facing\ each\ other\ in\ the\ same\ line,\ but\ can\ have\ different\ heights.=With the remote control, you can use the link to the $(item)$(l\:machinery/holographic_bridge_projector)projektor holografike ur\u00EB $(). They are located next to each other, and everything is fine, but it may be of a different height. -Old\ Gold\ Chest=The Age Of Gold In The Chest -Sweet\ Berry\ Jam=With A Sweet Berry Jam -Light\ Gray\ Lozenge=A Light Grey Diamond -This\ world\ is\ empty,\ choose\ how\ to\ create\ your\ world=The world is empty, you will need to choose how you can create your own world -Blue\ Stained\ Glass\ Pane=Blue Stained Glass -Drowned\ dies=You drown -Iridium\ Reinforced\ Tungstensteel\ Block=Iridium Reinforced Tungstensteel Block -Grants\ Strength\ Effect=This Ensures That The Flow Of Force -Lime\ Beveled\ Glass=Lime, Beveled Glass -Tall\ Black\ Bat\ Orchid=High And Black Bat Orchid -Set\ Default\ Smooth\ Scroll=The Default Is Smooth Scrolling -Willow\ Step=Willow Step -When\ in\ off\ hand\:=According to the site\: -Your\ world\ will\ be\ regenerated\ and\ your\ current\ world\ will\ be\ lost=The world needs to be expanded, and in the world, has died -Prismarine\ Brick\ Stairs=Prismarine Brick Pill\u0259k\u0259n -White\ Glazed\ Terracotta\ Pillar=Ribeiro Branco Tiles -Red\ Saltire=Red Cross -Spear\ hits\ flesh=The spear struck the meat -Ice\ Bucket\ Challenge=Ice Bucket-Haaste -Max\ Y\ height\ of\ Mineshaft.\ Default\ is\ 20.=Max Y is the height of my face. The default value is 20. -Main\ Noise\ Scale\ Z=The Main Noise Is Of The Scale Of The -Panda\ sneezes=Panda sneezed -Main\ Noise\ Scale\ Y=The Main Noise Scale Y -Delete\ Selected=To Delete The Selected -Titanium\ Plate=Titanium Plader -Main\ Noise\ Scale\ X=Main Noise Scale X -Agree=In accordance with the -Related\ Chapters=In Connection With The Sections, -Begin\ your\ fiery\ conquest\ with\ a\ Quartz\ Hammer.=Start with the fires of conquest, a Mechanical Hammer. -Husk\ dies=The seed dies -Item\ Selection=Select The Item -You\ Need\ a\ Mint=Do You Need A Mint -Nether\ Bricks\ Camo\ Door=The Emptiness, The Brick Camo On The Door -Smelting=Cast iron -Black\ Terracotta\ Ghost\ Block=Black And Terracotta With The Spirit Of The Blocks -Crystal\ Iron\ Furnace=Crystal Gelato Stove -You\ won't\ be\ able\ to\ upload\ this\ world\ to\ your\ realm\ again=It will be download this world again -The\ depth\ of\ the\ collision\ checking\ children\ will\ be\ subject\ to.=The depth of the control flap, the child will have to be made. -Potted\ Blue\ Orchid=Potted Plant, Blue Orchid, -\u00A79\u00A7oShift\ click\ to\ disable=\u00A79\u00A7oPress the Shift key, and then Click disable -Share=Share it -Unknown\ item\ '%s'=The unknown factor '%s' -Diana\ Essentia\ Bucket=Diana Essentia Kov\u00EB -Black\ Tent\ Side=Black Store Website -Showing\ %s\ mods\ and\ %s\ libraries=Showing %s mods and %s library -You\ have\ never\ been\ killed\ by\ %s=It has never been killed %s -Brown\ Chief=Coffee, Head -Country\ Lode,\ Take\ Me\ Home=In The Land Of The Living, To Take Me Home. -Iron\ Gate=The Iron Gate -This\ pack\ was\ made\ for\ a\ newer\ version\ of\ Minecraft\ and\ may\ no\ longer\ work\ correctly.=This set is in the new version of Minecraft and is no longer able to function properly. -Green\ Chief=The Name Of The Green -Deal\ drowning\ damage=The rates of drowning damage -Crimson\ Stairs=Statement Of Profit And Violet -Unknown\ or\ missing\ target\!=It is not known or the target is missing\! -Potted\ Jungle\ Sapling=Reclaimed Potted Sapling -Light\ Gray\ Beveled\ Glass=Light Gray Faceted Glass -Stopped\ all\ sounds=The sound should stop -Maintained=Holding -Small\ Pile\ of\ Emerald\ Dust=A Small Pile Of Dust, Emerald -Total\ slot\:\ %s=Just slot\: %s -Willow\ Sapling=Willow Came -Max\ Generation\ Height=The Maximum Height Of The Generation -"Default"\ resets\ to\ the\ default.="Reset" by default. -Replaces\ vanilla\ dungeon\ in\ Jungle\ biomes.=Change the vanilla Dungeons and the forest creatures. -Status\ request\ has\ been\ handled=Request about the situation in the hands of -Block\ of\ Steel=A block of steel -Grass\ Block=Grass Block -Dolphin's\ Grace=Dolphin Mercy -White\ Oak\ Fence=Oaks, White, Raft -%1$s\ hit\ the\ ground\ too\ hard=%1$s the ground is too hard -Random\ player=A casual player -Other\ Teams=Another Computer -The\ Hammer\ Above\ All=Hammer-It's all About -Water\ flows=The water flows -Meteor\ Stone\ Stairs=Meteor, The Stone Steps -Game\ Interface=The Game Interface -Gray\ Bordure=Grau Border -%1$s\ hit\ the\ ground\ too\ hard\ whilst\ trying\ to\ escape\ %2$s=%1$s it is very difficult to do when trying to save %2$s -Pick\ the\ correct\ tool=Select the appropriate device. -Small\ Beginnings=From Humble Beginnings -Levitation=Levitation -Sapphire\ Helmet=Sapphire Headset -Customize\ Messages\ to\ display\ with\ Guis\\n\ (Manual\ Format\:\ gui;message)\\n\ Available\ Placeholders\:\\n\ -\ &gui&\ \=\ Gui\ Name\\n\ -\ &class&\ \=\ Gui\ Class\ Name\\n\ -\ &screen&\ \=\ Gui\ Screen\ Instance\ Name=Configured to display messages in the GUI\\N (guide format\: graphics, message)\\N \\ N-available devices\:\\N and &interface& \= GUI called\\N - - - - &class& \= GUI class name\\N - - - & display and graphic display is the instance name -A\ Throwaway\ Joke=The Inadequate Joke -Operation\ time\ (Upgraded)=This is the time (make amends) -Charred\ Fence\ Gate=Charred End Of The Door -Orange\ Gradient=This Orange Gradient -Salt\ Ore=Minerals -No\ Properties=Not One Of The Features -Diamond\ Saw\ Blade=Saw Blades, Diamond -Centrifuge\ capacities=Power, spin speed -Invalid\ integer\ '%s'=Invalid number%s' -Players\ with\ advancements=Players who are successful -Hidden=Skrivene -%s\ Frame=%s Alan -Bamboo\ Fence\ Gate=Bamboo Fences And Gates -Brown\ Redstone\ Lamp=Brown Redstone Lamp -Unknown\ block\ tag\ '%s'=Blocks unknown tag '%s' -Cheesy\ Taco=Cheese Taco -World/Server=Svet/Server -Inventory=The composition of the -Zombie\ creatures\ (Demonic\ Flesh)=The Zombie Of A Creature (Out, Body) -Spaghetti=Spaghetti -Jungle\ Pressure\ Plate=He Lives In The Jungle, Right Click On The -Sprint\ by\ holding\ one\ single\ key\ bind\ (configurable).=Sprint in the organization, the key for the binding (the order). -Skeleton\ Horse\ cries=Horse skeleton Creek -CraftPresence\ -\ Server\ Addresses=Craft Presence - Server-Address -Zombified\ Piglin=Zombies Flycatchers -Forest\ Thicket=Floresta -Purple\ Elytra\ Wing=The Wings-Purple -Dark\ Aqua=Dark Aqua -Raw\ Mutton=Raw Lamb, -Ring\ of\ Fire\ Resistance=Ring of fire -Pufferfish\ Spawn\ Egg=Puffer-Fish, Fish, Fish Eggs, And The Eggs -Regular\ Conveyor\ Belt=Conventional Conveyor Belt -Bluestone\ Slab=Stone Tile -Manual=Guide -Red\ Glazed\ Terracotta\ Glass=Red-Baked Enamel, Glass -Spruce\ Leaves=Gran Pages -Toast\ Alert=En Advarsel Pop-Up -Sapphire\ Plate=The Safir Plate -Arrow\ of\ Splashing=Arrow On The Inside. -Set\ the\ post\ action\ for\ regular\ sort\ button=The purpose of the message, the measures for the regulation of the key for the sorting -Lime\ Bordure=Lime Grensen -Cyan\ Per\ Bend\ Sinister\ Inverted=Blue On The Crook Of \u0417\u043B\u044B\u0434\u0435\u043D\u044C Inverted -Wither\ Skeleton\ dies=Umrah skeleton no -One-by-one=One-to-one -Zombified\ Piglin\ Spawn\ Egg=Piglin Zombie Spawn Vejce -Saturation\ Modifier=The Saturation Of The Processor -Attached\ Melon\ Stem=Depending on the mother's melons -Fox\ spits=The Fox spits out -This\ Area\ is\ not\ Implemented\ just\ yet\!\\n\\n\ Please\ Check\ Back\ Later...=The provisions of this article do not apply during\\\!N\\N \\ N-come back later... -Test\ failed,\ count\:\ %s=The Test is not successful, and they are the following\: %s -Splash\ Text\:=The Events Of The Text. -Glider\ Wing=Flying Sail -Spruce\ Stairs=The Trees On The Steps -Realm\ description=Empire Description -Parrot\ vexes=Parrots prefer -Villager\ cheers=Resident health -Witch\ cheers=Yay, Halloween -Fuel\ Mixer=Tank Mixer -Craft\ a\ compressor=Looking for air compressor -Firework\ blasts=The explosion of fireworks -Lingering\ Potion\ of\ Harming=Fixed potion of damage -Light\ Blue\ Shield=Light Blue Shield -Something\ hurts=The person you hurt -Classic=Classic -Zombie\ creatures\ on\ Fire\ drops\ Demonic\ Flesh=The zombie creatures in the Fire and a drop of the Demonic in the Flesh -Zoglin\ growls\ angrily=Zogl growled with anger for -Place\ a\ dragon\ egg\ on\ top\ of\ it\ to\ harvest\ its\ energy=Place a dragon on the top of the the product of of his power -Parrot\ breathes=\u041F\u043E\u043F\u0443\u0433\u0430\u0439 breathe -Shears\ click=For the components, click on the -There\ are\ no\ tracked\ entities=Are not reporting entities -Server\ Messages=Server -Alpha=Alfa -%s\ Generation=%s Generation -Magenta\ Chief\ Sinister\ Canton=Magenta, Headed By The Evil Canton -Light\ Blue\ Terracotta\ Glass=Light Blue Glass Terra Cotta -Redstone\ Sand=Redstone, Nisip -F3\ +\ T\ \=\ Reload\ resource\ packs=F3 + T \= " Resources-Package -MRE=IMO -Add\ Nether\ Brick\ Outposts\ to\ modded\ Nether\ biomes=In order to provide a model of a small mole on the lower beings, Progressing to -Low=Low -Overworld=Pikachu -Charred\ Nether\ Bricks=Flared From Below The Brick -Entry\ Panel\ Position\:=After The Installation Of The Panels. -A\ stack\ of\ items\ cased\ in\ bread,\ which\ can\ be\ consumed\ all\ at\ once\ to\ restore\ as\ much\ hunger\ as\ the\ items\ inside\ restore\ combined.=The tray of the nested elements in the bread that you eat, when you restore so much hunger, within an element of the recovery, the combination of. -Rainbow\ Eucalyptus\ Kitchen\ Sink=Rainbow Eucalyptus, Sink -This\ demo\ will\ last\ five\ game\ days.\ Do\ your\ best\!=This shows that in the last race within the next five days. Just try your best\!\!\!\! -Frayed\ Backpack=Wearing A Backpack -Galaxium\ Hoe=Galaxium Grave -Quantum\ Solar\ Panel=A Quantum Solar -Ring\ of\ Knockback\ Resistance=Ring, Abandoning All Resistance -Yellow\ Bend\ Sinister=Yellow Sinister Region -Couldn't\ grant\ advancement\ %s\ to\ %s\ as\ they\ already\ have\ it=I didn't want to drag it %s the %s if you already have -Rabbit\ hurts=Rabbit damage -Brown\ Flower\ Charge=The Brown Floral Is Free Of Charge -Oak\ Leaves=The leaves of the oak tree -Spawnrates=Spawnrates -Blue\ Base\ Dexter\ Canton=Guangzhou Blue Base Dexter -Autumnal\ Woods=Autumn In The Forest -Wither\ Skeleton\ rattles=Dried-up skeleton are rattling -Relative\ Position=The Relative Position Of -Love\ Block\ \u00A74<3=Love The Blog \u00A74<3 -Hemlock\ Drawer=Hemlock Hands -Toggle\ Cinematic\ Camera=Endre Film Camera -Brazil\ Wing=In The Summer, -Nothing\ changed.\ The\ bossbar\ is\ already\ visible=Nothing else to it. Bossbar is already visible -JulianClark's\ Alternative\ Cape\ Wing=The alternative-Ness, julian clark wing -%s\ Configuration=%s Denne configuration -That\ position\ is\ out\ of\ this\ world\!=This place is out of this world\!\!\!\!\! -Pressurized\ Essentia\ Port=Nothing Wrong With The Device -Small\ Purpur\ Bricks=Small Purple Bricks -Mod\ Settings=The Exit Time Of The Configuration -Invalid\ chat\ component\:\ %s=Not a valid Component of conversation\: %s -Something\ fell=Bir \u015Fey fell off -Replaces\ Mineshafts\ in\ Ocean\ biomes.=DECA oceanet the Mineshafts biomes. -Endorium\ Sword=Endorium Sword -Uranus\ Essentia\ Bucket=Uranus A Bucket Of Water -Bees\ work=Api for work -This\ pack\ was\ made\ for\ an\ older\ version\ of\ Minecraft\ and\ may\ no\ longer\ work\ correctly.=It was the package, an earlier version of Minecraft and may not work properly. -Light\ Blue\ Gradient=The Light Blue Gradientn\u00ED -Green\ Calla\ Lily=Calla Lily -Skeleton\ shoots=Bones footage -Bamboo\ Wall=The Bamboo Walls Of The -Small\ Pile\ of\ Ender\ Pearl\ Dust=A small handful of Ender pearl dust -Lush\ Desert=Exuberant Desert -Potted\ Hemlock\ Sapling=Bevis Av Hemlock Tre -Dead\ Tube\ Coral=And Dead Corals, Pipe -Can't\ resolve\ hostname=I don't know to resolve the host name -Objective=The goal -Oak\ Stairs=Soap Ladder -Red\ Garnet\ Plate=Fees Red Pomegranate -Industrial\ Chunkloader=Industrial Chunkloader -Active\ Record=Active Record -CraftPresence\ -\ Available\ Items=CraftPresence - Artigos -Nothing\ changed.\ That\ team\ already\ has\ that\ name=There nothing has changed. The team already has that name -\u00A77Fuel\ Usage\:\ \u00A7a%s=\u00A77Fuel consumption\: \u00A7a%s -Blue\ Berry\ Cake=Azul Berry Torta -The\ configuration\ screen\ is\ incompatible\ with\ OptiFine\ /\ OptiFabric.=The settings screen, it is not compatible with Optifine / OptiFabric. -Scale\ for\ the\ arrow\ used\ in\ the\ non-rotating\ variant\ of\ the\ minimap\ and\ some\ other\ cases.=In \u00FAs de les rotatives version d the mini-map, i in altres cases. -Refill\ Before\ Tool\ Break=Fuel Before The Tool Break -Up=All -Small\ Pile\ of\ Chrome\ Dust=A small handful of dust, chrome -Jelanium\:\ Super\ Space\ Slime=More-Hey, Jilani\: Super Space Slime -Controls\ whether\ loot\ chests\ spawn\ or\ not.=Determines whether or not to loot the treasure chests respawn or not. -%1$s\ tried\ to\ swim\ in\ lava=%1$s try to swim in lava -Get\ a\ full\ suit\ of\ Netherite\ armor=To get a full Netherite armor -Jungle\ Kitchen\ Counter=He Lives In The Jungle On The Bench -VI=Chi\u1EC1u R\u1ED8NG -Purple\ Per\ Bend\ Sinister\ Inverted=Gut, Um Bend Sinister Umgekehrt -Potted\ Tall\ Brown\ Gladiolus=High-Brown The Pot Of Gladioli -Blue\ Asphalt\ Stairs=The Blue Of The Asphalt Scale -Fire=Foc -Light\ Blue\ Per\ Pale=Light Blue -Gray\ Lozenge=Grey Diamond -Arrow\ of\ Swiftness=Arrow-Speed -Whitelist\ is\ already\ turned\ on=White list-to je -Main\ Entity\ As=The Main Unit -White\ Cross=Cross -To=Yes -Daydreaming=Dreams -Steel\ Hoe=Steel Hoe -Warped\ Warty\ Blackstone\ Brick\ Stairs=Lose Verucoase Blackstone Rotten, Style, -Rainbow\ Eucalyptus\ Log=Dhgate Eucalyptus Diary -Basic\ Solar\ Panel=Basic Solar Panel -Failed\!\ \:(=See\! \:( -Parrot\ rattles=Parrot zegt -Redwood\ Fence=Redwood \u017Dogs -Sour=Sour -\u00A77\u00A7o"Redstone\ Propellers\ not\ included."\u00A7r=\u00A77\u00A7o"Cargols no inclosos" redstone"".\u00A7r -Applied\ effect\ %s\ to\ %s\ targets=Effects %s you %s goal -Portal\ to\ the\ void=The portal of the void -Orange\ Berry\ Pie=Orange Forest Fruit Cake -Stone\ Sword=The Sword In The Stone -Potted\ Yellow\ Ranunculus=Furniture Yellow Buttercup -Quadruple\ Oak\ Drawer=Quadruple Tamme Karp -Mutability\:\ %s=Volatility\: %s -Not\ a\ valid\ value\!\ (Red)=It is not a valid value. (Red) -Floating\ Islands=The Floating Islands -Charred\ Wooden\ Stairs=Litter On The Stairs -Beta=Beta -Place\ a\ wind\ mill=The location of the windmill -Ruby=Ruby -\u00A75\u00A7oEntities\ drops\ regular\ items=\u00A75\u00A7oConnection drops regular items -Modifier\ %s\ is\ already\ present\ on\ attribute\ %s\ for\ entity\ %s=Changement %s I %s programa %s -Mountain\ Madness=The Mountains Of Madness. -SP=JV -Pine\ Planks=Ints. -Dragon\ Wall\ Head=Wall, Kite, Shot In The Head -%s\ planks\ left=%s dishes left -White\ Oak\ Small\ Hedge=White Oak Kleine Sicherheit -Nothing\ changed.\ Death\ message\ visibility\ is\ already\ that\ value=Nothing has changed. Death already the visibility of the message, these values -Succeeded\ in\ connecting\ projector\ at\ %s\ with\ projector\ at\ %s.=There was a problem when connecting projector %s with the projector %s. -Mods\ Placeholder=The Modified Token -Red\ Nether\ Pillar=Red Single -Green\ Creeper\ Charge=Green Gad Of The Card -Iron\ Lance=Blade -Magenta\ Per\ Fess=Purple Headband -Selected\ suggestion\ %s\ out\ of\ %s\:\ %s=The selected template %s with %s\: %s -A\ bottle\ of\ mayonnaise,\ which\ can\ be\ spread\ on\ a\ Sandwich.=Bottle of mayonnaise that you spread on a sandwich. -Armor\ Pieces\ Cleaned=A Piece Of Armor, Clean -Delete\ realm=To remove the drawer -Scrap\ Box=Cash For Scrap Metal -Trident=Diamond -Block\ of\ Univite=One, Univite -Cat\ Ears=The Cat Ears -Frost\ Walker=Frost Walker -Sort=View -Brown\ Autumnal\ Leaves=Brown Autumn Leaves -Redstone\ Timer=Redstone Timer -Display\ Tooltip=The information in the text -Wood\ to\ Netherite\ upgrade=Tree and improvement Netherite -Guardian=Porter -Log\ Turner=Diary Turner -Black=Crna -Hold\ Shift\ for\ more\ information\!=Press and hold the shift button for more information\! -Fabric\ Furnace=The Material Is In The Oven -Purple\ Table\ Lamp=Purple Table Lamp -\u00A77\u00A7o"Scary\ zombie,\ but\u00A7r=\u00A77\u00A7o"An awful lot of fun, but\u00A7r -Max\ Capacity\:=The Maximum Capacity Is\: -ShulkerBoxTooltip\ Configuration=Configuraci\u00F3 ShulkerBoxTooltip -Craft\ any\ other\ Transformer=The boat and all the room to the other -A\ cable\ which\ transports\ $(thing)fluids();\ no\ buffering\ or\ path-finding\ involved.=The cable transportorul $(I sew, com a l\u00EDquid, no hi ha cap buffer, or to the track, to the seva llar. -Iron\ Golem=The Iron Golem -Using\ trading\ stations=Bruk av trading station -Green\ Base\ Sinister\ Canton=The Green Base Is In Guangzhou, The Claim -On=And -Magenta\ Tent\ Side=On The Red Side Of The Tent -Ok=OK -Brown\ Rune=The Brown Selection Is -Storing\:=Shop\: -Lit\ Rainbow\ Lamp=Lit The Lamp Rainbow -Executed\ %s\ commands\ from\ %s\ functions=Fact %s the team %s funktioner -Intoxicating=Drunk -Umbral\ Hyphae=It's The Most -Black\ Concrete\ Powder=Black Cement Powder -Have\ every\ effect\ applied\ at\ the\ same\ time=There, the whole effect, applied, at the same time -Music=The music of the -Smithing=Hardware -Red\ Beveled\ Glass\ Pane=Red Beveled Glass Panels -Bat\ Wing=The Bat-Wing -Received\ unrequested\ status=Got an unwanted area -No=Never, never, never, never, never, never, never, never, never, never, never, never. -Quick\ Manual\ Confirmation=Prompt For Confirmation -10\ for\ supertiny\ and\ 2000\ for\ supermassive\ Strongholds.=10 supertiny, and in the year 2000. the super-massive Tvirtoves. -ON=The european -%s\ button=%s button -OK=OK -Colored\ Tiles\ (Magenta\ &\ Black)=Colored Tiles (Pink And Black) -Sugar=Sugar -MFE=MFE -Quick\ Use\ 9=Use The Tabs 9 -Loading\:\ %s=Growth. %s -Drops=Kapky -Quick\ Use\ 8=Often, For Use In 8 -Orange\ Berry\ Cake=Orange Fruit Cake -Quick\ Use\ 7=Express 7 -Asphalt\ Slab=Floor Of Wooden Planks -Quick\ Use\ 6=6 Bruk Quick -Quick\ Use\ 5=Quickly, The Use Of 5 -Quick\ Use\ 4=Rapidamente Use 4 -Quick\ Use\ 3=Fast To Use 3 -Quick\ Use\ 2=Speed 2 -Quick\ Use\ 1=A Quick Use Of The 1 -Shield\ blocks=The shield blocks -Lapis\ Fragment=The Map Fragment -Left\ click\ an\ interface\ to\ select\ it.=Press the button to the right of the user interface for you to choose from. -Iron\ Pickaxe=The Pickaxe Iron -Distance\ Swum=Distance Swam -Use\ custom\ grouping=The use of a custom group -Brown\ Elevator=And Lift -Crystalline\ Smoky\ Quartz=Crystal, Smoke Quartz -Stray\ dies=Camera the -Controls\ whether\ loot\ chests\ spawn\ or\ not\ in\ Badlands\ Temples.=It determines whether the robbery of the breasts has occurred, or an Abandoned Church. -Check\ your\ log\ for\ more=Preverite v dnevniku -What\ one\ uses\ to\ wipe\ away\ their\ foe.=What to use for their opponent. -Block\ Colours=Color Block -A\ food\ item\ that\ was\ prepared\ in\ a\ basin.\ Can\ be\ sliced,\ or\ eaten\ whole\ to\ give\ the\ player\ nausea.=The food that was prepared for the forest. Maybe a slice or eat it whole, in order to give the player the feeling that it is a bad thing. -Purple\ Beveled\ Glass\ Pane=Purple Cut Glass -Red\ Shield=Red Shield -Silver\ Plate=Silver Plate -How\ rare\ are\ Giant\ Taiga\ Villages\ in\ Giant\ Taiga\ biomes.=Because they are rare, Giant, Taiga Villages on a Giant biome of the Taiga. -Dolphin\ whistles=Dolphin -$(l)Tools$()$(br)Mining\ Level\:\ 5$(br)Base\ Durability\:\ 2015$(br)Mining\ Speed\:\ 10$(br)Attack\ Damage\:\ 5$(br)Enchantability\:\ 20$(p)$(l)Armor$()$(br)Durability\ Multiplier\:\ 22$(br)Total\ Defense\:\ 23$(br)Toughness\:\ 4$(br)Enchantability\:\ 20=$((l)Mjete$()$(C) - - - de productie Level\: 5$(br)Masse alimentation 2015$(B)production rate\: 10$(BR)losses\: 5$(BR), magic\: 20$((s)$(l)Armor$()$(SD)the sustainability multiplier\: 22$(white Full Protection\: 23.$((p)resistance\: 4$(br)fascinate-capacity\: 20 -Unable\ to\ build\ rope\ bridge\:\ Obstructed\ at\ %s,\ %s,\ %s.\ Block\:\ '%s'=You can also build a bridge out of rope, rope, cord problems %s, %s, %s. Block\: '%s' -Green\ Beveled\ Glass\ Pane=Yesil Beveled Glass -Custom\ bossbar\ %s\ has\ changed\ maximum\ to\ %s=A custom bossbar %s changed max %s -Willow\ Trapdoor=Willow \u054D\u0578\u056D -Red\ Sandstone\ Brick\ Slab=The Plates Of Red Sandstone And Brick -GameInfo\ Settings=Parametere GameInfo -Caldera=The boiler -Nickel\ Dust=Nickel Powder -Detected\ %1$s\ Version\ for\ %2$s\ ->\ %3$s=Dating %1$s Option %2$s -> %3$s -White\ Oak\ Leaves=White Oak Leaves -most\ likely\ grassy\ fields\ or\ temperate\ forests.=probably, grassy fields, or in the woods. -Copper\ Nugget=Copper Piece -Green\ Color\ Value=The Green Color Value -Drought=A seca -Nothing\ changed.\ Nametag\ visibility\ is\ already\ that\ value=Nothing at all has changed. Sterling silver charm of the sight, is the fact that the value of the -Belt=Zone -Thorns\ prick=Kokot is climbing -Edit\ World=World Order -Bell=Ringer -\u00A77\u00A7o"Portable\ Inventory\ not\ included."\u00A7r=\u00A77\u00A7o"Mobile inventory is not returned".\u00A7r -Grow\ nearby\ crops\ faster=The growth of almost all plants faster -Stone\ Hoe=Stone Pickaxe -More\ World\ Options...=A Number Of Options. -Brown\ Base\ Dexter\ Canton=The Cafe Is Located In The Country Dexter -Mini\ Supernova=Mini-Supernova -Small\ Pile\ of\ Gold\ Dust=A small amount of gold dust -Small\ Pile\ of\ Phosphorous\ Dust=A lot of phosphorus powder -Texture\ Compression=The Quality Of Compression -Spawn\ NPCs=\u0421\u043F\u0430\u0432\u043D transition, the board of -Damage\ Resisted=In Order To Prevent Damage To The -Warped\ Barrel=A Warped Barrel -Show\ States=Map Of Countries -Sun\ Light\ Show=Light Show The Sun -Hide\ the\ tooltip\ while\ the\ debug\ menu\ is\ open=Show tooltips in the debug menu work -Vibranium\ Shovel=Vibrani Is The Case, A Cat -Nether\ Quartz\ Ore=Leegte, Erts, Quartz -Clear\ All=To Remove All -Previous\ Page=In The Previous Page -Light\ Gray\ Creeper\ Charge=Light Grey-For-Free -Invalid\ Color=Invalid Color -Tin\ Nugget=Tina Nugget -Granted\ the\ advancement\ %s\ to\ %s=Despite the success %s a %s -Composting=The committee -Pink\ Concrete\ Ghost\ Block=The Practical Spirit Of Rock -\u00A77\u00A7o"I\ believe\ I\ can\ fly\!"\u00A7r=\u00A77\u00A7o"I believe I can fly\!"\u00A7r -Polished\ Blackstone\ Camo\ Trapdoor=Lustruit Blackstone De Camuflaj Trapa -Gray\ Fess=Paint, Gray -Block\ of\ Titanium=Vahid titan -Iron=Iron -Staying\ Warm=To Keep It Warm -Isle\ Land=This Island Earth -Light\ Blue\ Chief\ Dexter\ Canton=White Board Canton Dexter Blue -White\ Oak\ Stairs=Of White Oak Staircase -Golden\ Helmet=The Golden Helmet -Nothing\ changed.\ Friendly\ fire\ is\ already\ enabled\ for\ that\ team=It made no difference. Friendly fire is enabled, which it is, can you run the following command -Triggered\ %s\ (set\ value\ to\ %s)=Odgovor %s (in order to determine whether the %s) -Restart\ required\!=Again\!\!\!\! -Teal\ Nether\ Pillar=Teal, With The Dutch Side -Do\ you\ want\ to\ download\ it\ and\ play?=If you would like to download it, and play the game? -IX=THEIR -Kill\ five\ unique\ mobs\ with\ one\ crossbow\ shot=Five of the original one-shot crossbow to kill monsters -IV=B. -Cypress\ Platform=Cypress Platformo -Minecraft\ Demo\ Mode=Den Demo-Version Af Minecraft -IN=The YEAR -Lit\ White\ Redstone\ Lamp=Bijelo Svjetlo Lampe Redstone -Shepherd=Real -II=II -Chat\ Animation\:=Statistics Of The Animation\: -Smooth\ Red\ Nether\ Bricks=A Little Bit Of Red Brick. Nether -Replaces\ Mineshafts\ in\ Savanna\ biomes.=I replaced mine in the area of the Savannah biome. -Rubber\ Fence=Cufari About -Netherite\ Lance=Nether-Initiative Bid -Low\ Hunger=The Low Level Of Inequality -Realms\ is\ currently\ not\ supported\ in\ snapshots=The world of images is currently not supported -Orange\ Stone\ Bricks=Orange Stone, Brick -Zinc\ Nugget=Zinc Volos -Skeleton=Continue -Directional\ Scrolling=The Drop In The Direction Of The -Use\ a\ Campfire\ to\ collect\ Honey\ from\ a\ Beehive\ using\ a\ Bottle\ without\ aggravating\ the\ bees=To gather with a fire, honey, beehive, bottle, and without to aggravate the bees -Minecon\ 2015\ Cape\ Wing=Sastanak Minecon 2015 Cape Creel -Strider\ chirps=Strider chirps -\u00A7eEnables\ Creative\ Flight\u00A7r=\u00A7eThis Allows Creative Flight\u00A7r -Fluid\ Cable=Liquid-Cable -Wood\ to\ Obsidian\ upgrade=Wood, Obsidian, updates -\:thonk=\:xammal -Spruce\ Coffee\ Table=Fir Coffee Table -"Persistent"\ makes\ the\ zoom\ permanent.="Aggressive" makes the scale stable. -This\ teleporter\ doesn't\ have\ an\ Ender\ Shard\!=This is a teleport with Ender shards\! -Nothing\ changed.\ The\ world\ border\ damage\ is\ already\ that\ amount=There has been no change. The world is on the threshold of the injury, the amount of the -Sakura\ Door=Sakura-D\u00F8rs -Parrot\ gurgles=Toepassing gorgelt -Hemlock\ Coffee\ Table=Hemlock Table -Repeat=Comments -The\ rule\ for\ custom\ sorting\ method=Rules about how background. -Button\ clicks=Please click on the button -Dried\ Kelp\ Block=Torkning Micro-Enhet -Nitwit=Berk -Acacia\ Drawer=The Task Bar -A\ player\ is\ required\ to\ run\ this\ command\ here=For the players, for the execution of this command -Smooth\ Quartz\ Block=Soft Block Of Quartz -Click\ To\ Download=Click Here To Download -Saved\ screenshot\ as\ %s=To save the image as %s -Netherite\ Golem=Netherit Som -Height\ limit\ for\ building\ is\ %s\ blocks=For the construction of border height %s blocks -Hemlock\ Shelf=Hemlock Shelf -White\ Per\ Pale=White, White, -Acacia\ Planks\ Glass=Acacia, Leaves, Glass, -Building\ Blocks=The Building Blocks -Dark\ Oak\ Fence\ Gate=Dark Oak Gate Fence -Nitrogen\ Dioxide=Carbon Dioxide -Jukebox/Note\ Blocks=Machine/Block -Edit\ Note=Edit-Please Note -Chat\ Delay\:\ None=Chat Delay\: No -Charred\ Nether\ Brick\ Wall=The bus and the Lower part of the Brick Wall -Husk\ converts\ to\ Zombie=Shell turn you into a zombie -Couldn't\ revoke\ criterion\ '%s'\ of\ advancement\ %s\ from\ %s\ as\ they\ don't\ have\ it=I can't stop '%s"the first %s also %s because they are not -Orange\ Tulip=Orange Tulips -Endorium\ Ingot=Endorium Bar -Granite\ Slab=Granite Floor -Purple\ Saltire=Purple Saltire -Gray\ Base=Gray Background -CraftPresence\ -\ Controls=The Ship, If It-Test -Custom\ Splashes\:=Special Revival Is\: -Gray\ Wool=Brown Wool -F9=F9 -The\ End...\ Again...=At The End Of The... Again In The... -Remote\ Getaway=Distance Recreation -F8=F8 -Lazurite\ Plate=Lapis Lazuli Plate -F7=F7 -F6=F6 -F5=F5 -F4=F-4. -F3=F3 -F2=F2 -Bamboo\ Torch=Bamboo Torch -F1=F1 -Chainmail\ Recipe=Chainmail Recepte -Cheating\:=The device -Use\ on\ a\ log\ to\ instantly\ set\n\ its\ axis\ to\ the\ side\ you\ clicked\n\ When\ used\ on\ a\ quarter\ log,\ it\n\ will\ try\ to\ set\ the\ axis,\ and\ if\n\ it\ already\ matches,\ it\ will\ then\n\ rotate\ the\ bark\ side\ clockwise\n\ When\ used\ while\ sneaking,\ it\ will\n\ cycle\ the\ axis\ and\ bark\ side=Be used at the entrance to immediately give\n its axis, you press\n If you are using the diary quarter\n try to determine the direction, and if\n this is a game that \n in turn, in the direction of cream with hour\n If you use the same hidden\n ride a bike along the axis in the direction of cream -Teleported\ %s\ entities\ to\ %s=Example\: %s teme %s -Showing\ %s\ mods\ and\ %s\ library=The presentation of the %s and home %s the library -Vindicator\ mutters=Defender of the mother -Birch\ Sign=The Birch Tree Is A Symbol Of The -Grind\ iridium\ ore\ in\ an\ industrial\ grinder\ to\ get\ an\ iridium\ ingot=Iridium ore grinding in an industrial grinder to get iridium ingots -Stone\ Torch=Stone Lantern -false=fake -Pine\ Forest\ Clearing=Metsa Kohta Pine Meadow -Left\ click\ and\ drag\ to\ move\ an\ interface\ around.=Left-click and drag to move around in the interface. -%s%%\ Fermented=%s%% Maya -Metite\ Boots=Metit Is Boots -Light\ Blue\ Nikko\ Hydrangea=Plava Hortenzija Nikko -Gilded\ Backpack=Gold, Nothing Less -\u00A72Ecotones=\u00A72Ecotone die -No\ entity\ was\ found=No-a can be found -Brown\ Base\ Gradient=Brun-Baseret Tone -Yellow\ Tent\ Top\ Flat=\u017Dlt\u00FD Tent With A Flat Strechou, -Apple\ Crate=In Box, Apple -Diorite\ Dust=\u0414\u0438\u043E\u0440\u0438\u0442\u043E\u0432\u044B\u0445 And Dust -Adds\ Nether\ themed\ wells\ to\ Nether\ biomes.=Add the smaller the star, the staff was very friendly, the decrease in the biomes. -Light\ Blue\ Fess=The Light Blue Fess -%s\ says\ %s=%s victory %s -Bronze\ Crook=Bronze Crook -\u00A76Hold\ \u00A7o%s\u00A7r\n\u00A76\ -\ Move\ All=\u00A76Still \u00A7o%s\u00A7r\n\u00A76 Of All Movements -Splash\ Water\ Bottle=A Spray Bottle With Water -Stripped\ Hemlock\ Wood=So Odstranili Hemlock Lesa -Disable\ Item\ Use\ Cooldown=Turn Off Item Usage Cooldown -Stone\ Camo\ Trapdoor=Pierre Camo Hatch -Brown\ Lozenge=The Diamond-Brown -Power\:\ %s=Effect\: %s -REI\ Thread=The Thread Of Times -Creative\ Capacitor=As The Capacitor -Looting=Robbery -(External\ Link)=(V\u00E4lisviide) -Green\ Concrete\ Camo\ Trapdoor=Betooni-Roheline-D Port -Reverse\ Dark\ Ethereal\ Glass=In The Dark Steklo -Gravel\ Camo\ Trapdoor=Gramoz Camo Sunroof -Magenta\ Bordure\ Indented=The Purple On The Lid Of The Indentation. -Rubber\ Wood\ Boat=The Rubber Wood In The Boat -Command\ Suggestions=The Team Has The Available -$.3fG\ WU=$.3fG\: Quando o -Brown\ Topped\ Tent\ Pole=Brown In The Upper Part Of The Tent Stake -Cypress\ Swamp=Swamp Cypress -Whether\ the\ Chain\ item\ should\ be\ enabled\ or\ not.=If the string element, we need to be active. -Gray\ Carpet=Tepih Siva -%s/%s\ Health=%s/%s That is, -Tool\ Damage\ Threshold=Tool In The Damage Threshold -Yellow\ Concrete\ Ghost\ Block=Yellow Spirit Concrete Blocks -Dumped\ all\ handlers\ to\ waila_handlers.md=All workers, waila_handlers left.MD. -Failed\ to\ access\ world=Failed to get the world -Thorns=Treet. -Orange\ Glazed\ Terracotta\ Pillar=Column Orange Glazed Terracotta -Cobalt\ Cape\ Wing=The Cross Section Of The Wing Cobalt -Alt\ +\ %s=ALT + %s -Coniferous\ Forest=Coniferous Forest -Client\ out\ of\ date\!=Outdated client\! -Maximum\ render\ distance\ for\ local\ waypoints.\ Global\ waypoints\ are\ not\ affected.=The maximum distance recorded in the local landmarks. The world of points, which are not affected. -Choose\ a\ preset=In order to determine the amount of -Lower\ Limit\ Scale=The Lower Limit Of The Scale -Polished\ Andesite=Polit Andesite -Small\ Pile\ of\ Diamond\ Dust=A small handful of diamond powder -Include\ Hotbar\ Modifier=In Addition, The Virus Outside Of -Number\ of\ Deaths=Death room -$.3fM\ Energy=$.The Dutch radio station 3FM has made energy, -Quadruple\ Acacia\ Drawer=Four Beds In The Room, The White Acacia Branch -%s\ killed\ you\ %s\ time(s)=%s the kill %s time(s) -Something\ went\ wrong\ while\ trying\ to\ load\ a\ world\ from\ a\ future\ version.\ This\ was\ a\ risky\ operation\ to\ begin\ with;\ sorry\ it\ didn't\ work.=An error occurred while trying to access a version of the future. It was a tricky operation to begin with, and I'm sorry it didn't work. -Skin\ Customization...=The Adaptation Of The Skin... -Sandwich...\ ?=A sandwich... ? -Filled=Fully -Astromine\ Manual=Astrom Manuell -Elemental\ Centrifuge=The Main Juice Extractor -Cooked\ Marshmallow\ on\ a\ Stick=Starting on prigatano on hrana marshmallows on the open -Beveled\ Glass\ Pane=Convex Glass -Enchant\ an\ item\ at\ an\ Enchanting\ Table=Enchant the item, not the Table -Decorating\ Your\ Home=Decorate Your Home -Item\ takes\ damage\ every\ ticks.=The objective of damage for each character. -Crude\ Storage\ Unit=Crude Oil Storage Unit -\u00A77\u00A7o"It\ will\ hurt.\ A\ lot."\u00A7r=\u00A77\u00A7o"It will be a pain to do. A lot of them."\u00A7r -Light\ Blue\ Base=The Light Blue Base -Light\ Blue\ Wool=The Llum Blava Of Flat -Show\ Registry\ Names=To Specify The Case Of Letters In Names -Brown\ Bend=Brown ' s Perspektiv. -What\ will\ hopefully\ become\ a\ comprehensive\ test\ book\ for\ all\ of\ Patchouli,\ instead\ of\ the\ mishmash\ of\ random\ spaghetti\ we\ have\ right\ now.=It is my hope that this will be a comprehensive review of the books, and patchouli, and you don't need to have any chance, spaghetti, or whatever else you have. -Failed\ to\ link\ carts\ on\ the\ server;\ server-side\ inventory\ did\ not\ contain\ enough\ chains\!=Not willing to participate in the carts of the server; the server property is not included in the chain. -(%s\ sec)=(%s (h) -Nether\ Bricks\ Ghost\ Block=Phantom Nether Brick Block -Carbon\ Fiber=Made Of Carbon Fiber -Good\ Luck=Good luck -Ctrl+C\ to\ copy\ slot\ config.=The key combination Ctrl+C to copy the assembly to the socket. -Cucumber\ Seeds=Din Pickles -Cobblestone\ Wall=Cobblestone \u0405\u0438\u0434 -Yellow\ Berry\ Cake=The Fruit Cake Yellow -Reinforced\ Glass=Glass-Fibre-Reinforced -Something\ trips=Tour -Light\ Gray\ Banner=And Light Grey Banner -Failed\ to\ create\ folder\:\ %s=Not to create a folder\: %s -Can't\ get\ %s;\ only\ numeric\ tags\ are\ allowed=No puc %s only numeric labels that allow you -Andisol\ Grass\ Path=How Andisol Grass -Reloading\ all\ chunks=To load all the pieces -Adorn+EP\:\ Drawers=Decoration+AP\: cutie -Lukewarm\ Ocean=Warm Ocean -Fishing\ Bobber=Fishing On The Float -Alloy\ Smelter=Aluminium smelter -Shulker=Shulker -Levels\:\ %s=Level\: %s -A\ foreign\ metal,\ Metite\ withstands\ immense\ pressures;\ being\ essential\ in\ all\ areas\ of\ space\ travel.$(p)Acquiring\ it\ is\ considered\ a\ major\ stepping\ stone\ in\ one's\ interstellar\ journey.=Stranac from the metala, Metite men izdr\u017Eati veliki pritisak, that is, vrlo then u svim podru\u010Djima, the putovanje u svemir.$((p)the Acquisition should be seen as an important step stone for interstellar travel. -Quit\ &\ Discard\ Changes=Off To Go Back To Make Changes -Strafe\ Left=Enable, To The Left -Middle-click\ to\ the\ correct\ tool\ while\ holding\ a\ tool=Middle-click to the right of the Symbol, while you are at the same time concerned about the -Retrieving\ statistics...=Used statistics in... -Light\ Gray\ Tent\ Top\ Flat=Light Grey Tents To The Top -Ingots=Bar -Mouse\ Wheelie\ Config=Musen Wheelie Config -LAN\ Game\ Message=LAN Communication, -Peridot\ Crook=Peridot Cheater -Awkward\ Potion=Strange Potion -Orange\ Base\ Sinister\ Canton=The Orange Base To The Canton Sinister -Not\ a\ valid\ value\!\ (Green)=Is not a valid value\! (Yesil) -Cyan=Cena -Playing\ Singleplayer=Play Vahid-Player Rejimi -Upgrade\ your\ pickaxe=The update of the progress of the -Cobblestone\ Generator=Generator Stein -Add\ Nether\ themed\ Mineshafts\ to\ Nether\ biomes.=To add spaces in the theme of a mine at the bottom and follow-up. -Beaconator=Beaconator -Witch\ drinks=These drinks -Terracotta=The world -Magenta=Purple -Tiny=Little -Jungle\ Log=A Log In The Jungle -Black\ Shulker\ Box=The Black Box Shulker -Replaces\ vanilla\ dungeon\ in\ Badlands\ biomes.=The other way to vanilla tanzanite, in the Badlands of ecosystem. -Show\ sort\ in\ rows\ button\ on\ GUI=A view line button to display the GUI -Compressed\ Air=The Compressed Air -Blackened\ Marshmallow=Svart Zefyr\u0105 -Magenta\ Glazed\ Terracotta\ Camo\ Trapdoor=Purple Lion, To Represent The Camo Hatch -Unknown\ dimension\ '%s'=Unknown size"%s' -Interactions\ with\ Anvil=Interaction with the dungeon -What\ a\ Deal\!=How Cool\! -Netherite\ Hoe=To Get Netherite -Pizza\ Tuna=Pizza With Tuna -Strider=Strider -Long-duration\ Booster=The long tiller -SuperAxes\ configuration=Konfigurace SuperAxes -Advanced\ Alloy\ Ingot=Al\u00FCmin Kompozit Ingot -Igloos=Iglo -Nothing\ changed.\ The\ player\ is\ not\ an\ operator=Nothing will change. The player operator -Kob=COBH -Lava=Lava -Black\ Sand=The Black Sand Of The -Blue\ Globe=Blue World -Revoked\ criterion\ '%s'\ of\ advancement\ %s\ from\ %s=To Cancel The Criteria"%ssuccess %s by %s -Shulker\ Spawn\ Egg=Shulk For Caviar Eggs -Time=Time -Chances\ of\ Dropping\ (0.0\ is\ never,\ 1.0\ is\ always)=Options drop (rather than 0.0, 1.0 always) -Light\ Gray\ Bordure\ Indented=Light Gray Bordure Indented -Tier\:=At the level of the. -Nothing\ changed.\ That\ display\ slot\ is\ already\ showing\ that\ objective=In General, nothing has changed. To view the view already is, in order to -Asteroid\ Stone=Asteroid-Rock -Potted\ Monsteras=Potplanten Van Monstera -Beveled\ Glass=Beveled Glass -Creative\ Tank\ Unit=It Is A Creative Unit Of Thought -Sphalerite\ Dust=Sphalerite Toz -Blue\ Per\ Bend=Blue Stripes -Warped\ Fungus\ on\ a\ Stick=Strain Mushrooms Busy -Andesite=Andesite -[Go\ Down]=[Went] -Black\ Saltire=\u010Cierna Saltire -Rubber\ Leaves=Of Rubber, Of A List Of -Always\ Include\ Hotbar=Always A Part Of The Field -\:(=\:( -Sandstone\ Brick\ Stairs=Sand, Bricks, Stairs, -Firework\ Star=Fireworks Stars -Potted\ Aloe\ Vera=Flower Pots With Aloe Vera -generate\ in\ modded\ Nether\ biomes.=to build the soil in the biomes mod. -Adventure=Avantura -Purpur\ Block\ Camo\ Door=On The Purple Block Camo Leads -Fire\ Dragon\ Wing=Fire dragon Wings -Cod\ flops=Cod flops -%s\ Settings=%s Settings -Blackstone\ Shales=Blackstone Shales -Asterite\ Fragment=Asterite Fragment -Minecraft\ %1$s=Have %1$s -Reduce\ debug\ info=To reduce the debug info -Cyan\ Terracotta\ Camo\ Trapdoor=Luke Cooked Blue Camouflage -Display\ Flowers=Appearance Flowers -Teal\ Nether\ Brick\ Wall=Teal Hollow Brick -Async\ Group\ Size\:=Things Are Moving At A Different Rate, And The Size Of The Group. -Hot\ Stuff=Hot Stuff -Snow\ Turret\ Seed=Snow Bastion Seeds -While\ the\ recipe\ shown\ is\ clearly\ for\ an\ $(item)Iron\ Gear$(),\ simply\ substituting\ the\ $(item)Iron\ Ingots$()\ with\ any\ other\ $(thing)Ingots$()\ will\ create\ a\ gear\ of\ that\ type.=The recipe is listed in the open way-is $(substance), iron, gears$(), just replace the $(the goods and bars of steel, $() other $(sak)Tackor$(() creates a command with this guy. -Blue\ Banner=Blue Flag -Orange\ Asphalt\ Stairs=Orange-The Road Up And Down Stairs -Compressor=\u0555\u0564\u056B compressor -Small\ Bluestone\ Bricks=A Small, Stone, Brick -Glyceryl=Is made on the basis of -Taiga\ Hills=Taiga-The Mountains -Block\ of\ Netherite=Netherite Blokke -Custom\ Title\ Elements=The Optional Name Elements -Green\ Per\ Bend=The Green Way -Swap\ Modes=To Switch Between The Two Modes -%s\ force\ loaded\ chunks\ were\ found\ in\ %s\ at\:\ %s=%s loaded with the copper pieces are %s in\: %s -Shelves\ can\ be\ used\ to\ show\ your\ fancy\ items\ to\ guests.=The shelves can also be used to show your suits, the items, to your guest. -Potted\ Jungle=Food For People Who Live In The Jungle -Rubber\ Stairs=Rubber Scale -CraftPresence\ -\ Select\ an\ Item=CraftPresence - select -Banned\ %s\:\ %s=As a %s\: %s -Barrel=Old -Ender\ Block=Ender-Blok -%1$s\ was\ roasted\ in\ dragon\ breath\ by\ %2$s=%1$s roast the dragon's breath %2$s -Crying\ Obsidian\ (Legacy)=The Crying Obsidian (More) -Sakura\ Fence\ Gate=As The Door To The Garden -%s,\ %s,\ %s\ has\ the\ following\ block\ data\:\ %s=%s, %s, %s you have nasleduj\u00FAce block put\: %s -/config/slightguimodifications/slider(_hovered).png=(_hovered) /config/slightguimodifications/slider.png -Banner\ Pattern=Predlo\u017Eak Banner -Server\ Address=Naslov Stre\u017Enika Exchange Server -Potted\ Dead\ Bush=Roog On Surnud Bush -Ring\ of\ Max\ Health=The Ring Of Maximum Health -Brown\ Sofa=Brown Sofa -Raw\ Porkchop=Raw Pork Chops -When\ on\ body\:=When in the body\: -Sub-World/Dimension=The Sub-World/Dimension -Stonebrick\ Strongholds=In Older Versions Of The Power -Chat\ Delay\:\ %s\ seconds=Chat Delay\: %s seconds -Respiration=Breathing -Modified\ Badlands\ Plateau=Changed The Barren Land Of The Highlands -Played\ sound\ %s\ to\ %s\ players=For the reproduction of sound %s a %s player -Outposts=The law of the jungle -Netherite\ Shovel=Netherite Knife -Gray\ Pale\ Sinister=The Grey Light Of The Dark -1\ Enchantment\ Level=1 Provide For A Level Of -Slime\ attacks=Was of tears of attacks -Customized\ Filtering=The Personal Filter -Sakura\ Pressure\ Plate=Sakura Objatie -Player\ teleports=Now the player -Fill\ a\ bucket\ with\ lava=A bucket of lava -Pink\ Bed=Rosa Bed -Miscellaneous\ Settings=A Variety Of Settings -Potted\ Fir\ Sapling=It Contains Spruce Shoots -Unlock\ Items=In Order To Unlock The Elements -Parrot\ giggles=Riu to the I cry -Standard\ Booster\ (Active)=Template Amp (Active) -Magenta\ Roundel=Red Medallion -Lime\ Globe=Cal On Light -%1$s\ was\ fireballed\ by\ %2$s\ using\ %3$s=%1$s \u03B5\u03AF\u03BD\u03B1\u03B9 fireballed \u03C3\u03C4\u03BF %2$s use %3$s -Millionth\ Minecrafter\ Cape\ Wing=Minecrafter Cap Miljones Ala -\u00A77\u00A7o"Looks\ like\ the\ tables\ have\ turned."\u00A7r=\u00A77\u00A7o"They seem to have switched roles.\u00A7r -Light\ Blue\ Asphalt\ Stairs=Light Blue, Asphalt, Stairs, +Dark\ Oak\ Kitchen\ Cupboard=Dark Oak Kitchen Cupboard +Join\ request\ rejected,\ due\ to\ an\ invalid\ join\ key\:\ %1$s=Join request rejected, due to an invalid join key\: %1$s +Seconds=Seconds +Stripped\ Green\ Enchanted\ Wood=Stripped Green Enchanted Wood +Sky\ Stone\ Brick=Sky Stone Brick I\ know\ what\ I'm\ doing\!=I don't know what I'm doing. -Nitrocarbon=Nitrocarbon -Some\ settings\ are\ disabled\ since\ your\ current\ world\ is\ an\ experience=Some of the settings are disabled, as is present in the world to experience the -Player\ Head=Player-Manager -Volcanic\ Island=The Volcanic Origin Of The Island -Version\:=Version\: -Preparing\ download=To download the preparation of the -%s\ was\ electrocuted=%s the current -Select\ settings\ file\ (.json)=Select The Configuration File (.in JSON) -Hemlock\ Table=Hemlock Wood Table -Smoker\ smokes=Not drinking, not Smoking, not drinking, not Smoking -Customize\ Dimension\ Messages=Adjust The Size Of The Message -%s\ (%s)\ generated/tick=%s (%s will be created here. -Golden\ Staff\ of\ Building=The gold-colored staff, the Building,the -Operator\ permissions\ are\ required\ to\ cheat\ items=Operator privileges needed to use the cheat -Acacia\ Sapling=Acacia Ampua -Removed\ every\ effect\ from\ %s\ targets=To remove each and every one of which will have the effect of %s the goal -Eating=No -Electrum\ Ingot=Ticket-Mail -Copper\ Dust=Copper Powder -Tier=Level -Height\ Scale=The Number And Height -Block\ of\ Electrum=Bloks, Electrum, Cista -Damage\ of\ Removing\ Wings=Damage to prevent than Wings -Obtainable\ by\ breaking\ a\ Shrub,\ and\ used\ to\ plant\ lettuce\ crops.=At your disposal, breaking bushes, and it is used for growing salad crops. -Llama\ hurts=Depresija were -Aborted=Aborted -A\ vegetable\ food\ item\ that\ can\ be\ chopped.=The vegetable-based food product, which may be a matter of routine. -Recycler=RECYCLER -Magenta\ Creeper\ Charge=Lilla-Creeper-Gratis -Obsidian\ Reinforced\ Door=Obsidian-Armoured Doors -Evoker\ prepares\ charming=Evoker prepares wonderful -Crimson\ Forest=The Color Of The Mahogany -Infinite\ energy\ source,\ creative=An endless source of power, creativity -Iron\ Bars=Iron -Min\ Y\ height\ that\ the\ starting\ point\ can\ spawn\ at.=The G and the height that you start to play. -Azoth=Azoth -Right\ Alt=In The Lower Right. -Key=Key -Shift-Click\ for\ Recipe=Shift-klik for opskrift -Dungeon\ Count=In The Dungeon Of The Count -Diamond\ Shovel=Diamant Skovl -The\ Locale\ or\ Language\ ID\ to\ be\ used\ for\ Translating\ this\ mod's\ Strings=Location or identifier to use the language of this mod-Sequences -Burning=This burning -End\ Stone\ Brick\ Stairs=The Last Stone, Brick, Ladder -Item\ Numerical\ ID=Widget-ID-numeric -Caves\ of\ Chaos=Jama Chaos -Inmis=Inmisen -Cyan\ Base\ Sinister\ Canton=Blue Base Bad Guangzhou -Time\ for\ the\ outline\ to\ fade\ out\ in\ ticks=The line goes tick -Pine\ Fence=Dinner On The Fence -CraftPresence\ -\ Available\ Guis=CraftPresence Is The Best Browser -Pyracinth=Pyracinth -Iron\ Plating=Coating Iron -Cheeseburger=Cheeseburger -Disabled\ Custom\ Scaling=The User Scaling Is Not Enabled -consider\ submitting\ something\ yourself=imagine something for yourself on the screen -(&health&)=(&&health) -Honey\ Bottle=Honey Bottle -Gave\ %s\ experience\ levels\ to\ %s\ players=The dose %s level of experience %s the players -Download\ failed=Could not be loaded -Jungle\ Wall\ Sign=The Wall Of The Jungle, Sign -Lime\ Chief\ Indented=The President Of The Industry, The Withdrawal Of The -Magenta\ Per\ Pale=Light Purple -Contents\:=Table of contents\: -Unknown\ enchantment\:\ %s=Unknown, Of Admiration, Of %s -Knife=One -Oak\ Planks\ Camo\ Trapdoor=Oak, The Desks Out Of The Woodwork Of The Roof -Snow=Neve -Purple\ Shield=The Shield-Purple -Bobber\ thrown=The Cast Of A Float -Failed\ to\ Locate\ Changelog\ Data\ for\ %1$s\ @\ %2$s=I can't seem to find information about changes %1$s @ %2$s -Spruce\ Boat=Spruce Up The Ship -Nether\ Hammer=The Hand-Hammer -Pink\ Glazed\ Terracotta\ Glass=Pink Glaze, Terracotta, Glass -Brown\ Chief\ Indented=Brown, Glavna Jedinica -Rose\ Quartz=Pink quartz -White\ Terracotta\ Ghost\ Block=Bijela Fayence Blok Duh -Bobber\ retrieved=Float-test -An\ edible\ version\ of\ the\ Crimson\ Fungus,\ obtained\ by\ toasting\ one.\ Can\ be\ sliced.=Healthy choices, coffee, mushrooms, which have been acquired to the result of the cooking. Reduce possible. -Warped\ Wart\ Block=Twisted, Warts Points -Endorium\ Nugget=Endorium Bars -Water\ Breathing=Water Breathing -Colored\ Tiles\ (Red\ &\ Blue)=(Red And Blue)The Color Of The Tile -Removed\ tag\ '%s'\ from\ %s\ entities=Panel for remote control %s of %s people -White\ Terracotta=White And Terra Cotta -Villager\ disagrees=The villagers did not agree to -Red\ Chief\ Indented=Red Heart -Not\ a\ valid\ number\!\ (Integer)=This is not the right number\! (Integer) -Bacon\ Strips=Strips Of Bacon -The\ demo\ time\ has\ expired.\ Buy\ the\ game\ to\ continue\ or\ start\ a\ new\ world\!=The demo time expired. To purchase the game to continue, or to start a new world\! -...\ and\ %s\ more\ ...=... i %s read more ... -Tomato=Paradise -Items\:\ &main&=Ingredients\: one of the most significant& -Cross-dimensional\ teleportation\ is\ disabled\ in\ multiplayer\ by\ default.\ Imperfections\ in\ the\ multi-world\ detection\ can\ easily\ kill\ your\ character\ if\ you\ teleport\ while\ in\ the\ wrong\ sub-server\ or\ world.\ You\ can\ enable\ it\ in\ the\ mod\ settings.\ Use\ at\ your\ own\ risk\!=The cross dimensional teleportation is disabled in multiplayer by default. Disadvantages of multi-world detection system, you can easily kill your character when you teleport, while the poor are sub-server, or even the whole world. You have the opportunity to it in the settings. Use at your own risk\!\!\!\!\!\! -Lush\ Redwood\ Forest=The Forest In The Thick Trees At The Range -%1$s\ was\ poked\ to\ death\ by\ a\ sweet\ berry\ bush=%1$s the death of berry bush sweet \u0441\u0443\u043D\u0443\u043B\u0441\u044F -y\ position=the position -Redwood\ Pressure\ Plate=He Wants To Pressure Plate -No\ Coordinates\ Set=Not The Coordinates Are Not Posted -Backpack=Batoh -Prompt\ on\ Links=The invitation for links -Found\ MultiMC\ Instance\ Data\!\ (\ Name\:\ "%1$s"\ -\ Icon\:\ "%2$s"\ )=Find A Copy Of The Data MultiMC\! ( Name\: "%1$s"Symbol\: "%2$s" ) -Mining\ Glove=Plastic Gloves -Uranus\ Essentia=Uran Essentia -End\ Portal\ opens=In the end, the portal will open -Woodland\ Mansions=In The Forest Of The Fairies -Custom\ predicate=Customs wheels -Add\ Stone\ Igloos\ to\ modded\ biomes\ that\ are=Add the stone with the needle mod of species of plants, animals, -Distance\ by\ Horse=Now -Back\ to\ server\ list=Back to serverot for sheet -Converting\ world=Transformation of the world -biomes\ with\ giant\ boulders\ that\ can\ contain\ Coal,=Plants, animals, large boulders, which can contain coal, -Red\ Terracotta\ Camo\ Trapdoor=Red Camouflage Simple Trapdoor -Nether\ Quartz=The Netherlands Is A Silicon -Jungle\ Coffee\ Table=Coffee, A Good Night's Table, -Potted\ Large\ Fern=A Large Pot, Fern -Brick\ Step=Not Telliskivi -"Smooth"\ uses\ Vanilla's\ cinematic\ camera.="Regular" use of the Vanilla cinematic for the camera. -Light\ Gray=Light Grey -Golden\ Crook=\u0417\u043B\u0430\u0442\u043E Crook -Tiny\ Cactus=A Small Cactus. -Ender\ Pouch=Rare Bag -Small\ Pile\ of\ Basalt\ Dust=A Small Pile Of Dust, Basalt -Dragon\ dies=Zmaj Umrah -Item\ Messages=The Meaning Of The Letters -Damage\ Factor=The Damage Factor -Message\ to\ Display\ while\ in\ Singleplayer\\n\ Available\ Placeholders\:\\n\ -\ &playerinfo&\ \=\ Your\ In-World\ Player\ Info\ Message\\n\ -\ &worldinfo&\ \=\ Your\ In-World\ Game\ Info=The message to show, the game, games available placeholder\:\\N &playerinfo& \= player in the world, information, message,\\N - s, world info& \= -the world-info -Mule=Wall -Fix\ Vanilla\ Tab\ Container\ (When\ Recipe\ Book\ Disabled)\:=Under Repair Vanilla Court (When The Recipe Book For Non-Smoking)\: -Birch\ Kitchen\ Sink=Birch Sink -Applied\ enchantment\ %s\ to\ %s\ entities=The Magic %s the %s equipment -0.5x=0,5 x -An\ Object's\ First=The Object Of The First -Yellow\ Glazed\ Terracotta\ Camo\ Trapdoor=Kollane Glasuur, On Terra Cotta Camo Luuk -Fade\ In\:=Fade-In\: -Prismarine=Prismarine -White\ Glazed\ Terracotta\ Camo\ Door=White Glaz\u016Bra, Terakota Camo-Door -Green\ side\ means\ both.=Green means both. -Awkward\ Lingering\ Potion=Uncomfortable For A Long Time In A Decoction Of -Stone\ Staff\ of\ Building=Stone Of The Office Building -Red\ Skull\ Charge=The Red Skull-Charge -disabled=opportunities -Zoom\ Out\ (alternative)=Reduction (alternative) -Light\ Ring=Keeping In Mind The Ring -Cooked\ Marshmallow=Prepare The Marshmallows -White\ Concrete\ Glass=White Concrete And Glass -Pillager\ cheers=Pillager Cheers -Lit\ Light\ Blue\ Redstone\ Lamp=Light Sina Redstone Svetilka -Cypress\ Shelf=Off The Coast Of Cyprus -Spruce\ Post=Post ATE -You\ are\ too\ far\ from\ master\ block.=Or are you too far away from the main block. -Vibranium\ Crook=De Strepen Vibranium -Bucket\ fills=The bucket fills up -Orange\ Concrete\ Camo\ Trapdoor=The Orange Concrete Camouflage Lukas -%s\ whispers\ to\ you\:\ %s=%s whispers to you\: %s -Keybindings=The keyboard -Peat=The audience -Warped\ Pressure\ Plate=A Sick Pressure Plate -A\ sliced\ nether\ food\ item\ that\ is\ more\ hunger-efficient\ than\ a\ whole\ toasted\ crimson\ fungus,\ and\ can\ be\ eaten\ faster.=The premises of the food product into slices, more hunger, more crimson fried mushrooms can be eaten and faster. -%s\ [%s]=%s [%s] -Light\ Theme=Light Theme -Lava\ Polished\ Blackstone\ Brick\ Slab=Lava, Diamonds, Polished Stone, Black Stone -Debugs=Ties -Kitchen\ blocks=Kitchen furniture -Spider\ Spawn\ Egg=Spider Creates Eggs -Set\ the\ world\ border\ warning\ time\ to\ %s\ seconds=Put the world on the edge of the warning can be %s seconds -Virtually\ Indestructible\ Metal=Virtually Indestructible, Metal, Wood, -Mercury\ Essentia\ Bucket=Starting On The Belly Of The Bucket -Orange\ Per\ Fess=The Orange Colour In Fess -Black\ Bed=Kravet Crna -Carrot=Root -Advanced\ Solar\ Panel=Additional Solar Panels -Crate\ of\ Wheat=Field of wheat -Red\ Stone\ Bricks=Red Stone Devices -Stellum\ Crook=Stellum Shejtan -Want\ to\ share\ your\ preset\ with\ someone?\ Use\ the\ box\ below\!=You want to share it with someone beforehand? Please use the box below. -Brown\ Autumnal\ Sapling=Brown Autumn Tree -Polished\ Blackstone\ Stairs=Polished Blackstone Stairs -Gray\ Patterned\ Wool=Siwa Ball Vuna -Cyan\ Stained\ Glass\ Pane=Blue Color Glass -As\ this\ value\ increases,\ flying\ with\ a\ booster\ gets\ slippery.=This value is increased, and fly the booster is smooth. -Are\ you\ sure\ you\ would\ like\ to\ reset\ default\ settings?=Are you sure you want to reset the settings to the default values? -Gray\ Paly=Gray Paly -Bottle\ of\ Cheese\ Culture=Bottle, Cheese, Culture, -Light\ Blue\ Chevron=Light Blue Sedan -Picked\ Up=I took the -Chopped\ Beetroot=Thin Slices Of Carrots -Pork\ Cuts=Derri Shkurtime -Mossy\ Cobblestone=Herbal Rocks -Chat\ Text\ Opacity=Discuss The Text Lock -Block\ of\ Refined\ Iron=Fine street hard -Smooth\ Charred\ Nether\ Bricks=Smooth Is Burned In The Lower Part Of The Bricks -Super\ Space\ Slime\ Shooter=Space Mucus The Killer -Piglin\ hurts=Piglin bad -Blue\ Cross=Blue Cross -Gray\ Pale=Light grey -Turtle\ baby\ dies=The ancient city, in which is the death of the child -Fire\ Coral\ Block=Fogo Coral Blocos -New\ Chapters\ Unlocked=To Open New Chapters -Redwood\ Clearing=Redwood H\u00FCvitamine -Latest\ Death=The Last Death -Light\ Blue\ Elytra\ Wing=Elytra Light Plav Creel -Tungsten\ Sword=Tungsten Sword -Find\ the\ rare\ Curse\ of\ Gigantism\ book,\ which\ can\ be\ used\ to\ power\ up\ a\ hammer\ at\ the\ cost\ of\ speed.=Rarely curse books and gigantism, which can be used to power the hammer, at the expense of speed. -Invalid\ position\ for\ summon=Invalid Standards Call -Module\ Enabled\:=The Module Is Included\: -Apple\ Slices=Apple Slices -Desert=Desert -%1$s\ withered\ away\ whilst\ fighting\ %2$s=%1$s dry the entire area of the %2$s -Reeds=Hurry -Can't\ insert\ %s\ into\ list\ of\ %s=You can't %s a lista %s -Small\ Red\ Sandstone\ Bricks=A Small, Red Brick, Sandstone -Cobblestone\ Glass=Tea, Brick, Glass, -Packaged\ Drawer=Comes With The Box -Search\ Filter\:=For The Filter To Look For\: -You\ need\ to\ be\ in-game\ to\ use\ edit\ mode\!=For use in the game to change in such a way\! -Birch\ Wall\ Sign=Stick, Wall, Sign, -White\ Bordure=White Border -Light\ Blue\ Glazed\ Terracotta=A Pale Blue Glazed Terracotta -Andesite\ Glass=On Andesite Staklo -You\ can\ replace\ it\ by\ pressing\ %s.=You can replace it with just %s. -Produce\ energy\ from\ sunlight=The energy is produced from sun light -Small\ Soul\ Sandstone\ Brick\ Stairs=A Little Bit Of Your Soul Into The Floor Tiles, Bricks, Stairs, -Polypite\ Rose\ Quartz=Polyp Of, For Example, The Rose Quartz -Slight\ Breeze=Osipova -%s=%s -Warped\ Nylium=Warped Nylium -Invalid\ UUID=It is not a valid UUID -Interactions\ with\ Furnace=Interaction with the Oven -Client\ Integration=Customer Integration -Stripped\ Crimson\ Stem=Remove The Raspberries Your Knees -Water\ Taken\ from\ Cauldron=Water taken from the boiler -Start\ LAN\ World=In order to begin connecting to the Internet around the world -Entity\ %s\ has\ no\ attribute\ %s=The device %s this is not a panel %s -Show\ regular\ sort\ button\ on\ GUI=In playback mode, the button "sort" in HAI -Property\ '%s'\ can\ only\ be\ set\ once\ for\ block\ %s=The property"%s it can only be installed for a device %s -Blue\ Concrete\ Powder=Children Of The Concrete Into Dust -\u00A72\u00A7lReloaded\ CraftPresence\ Data\!=\u00A72\u00A7lReloaded CraftPresence Informatie\! -Light\ Gray\ Tent\ Top=The Tent Light Grey Top -Stopped\ sound\ '%s'=Silent"%s' -Sweet\ Berry\ Juice=Sweet Strawberry Juice -Small\ Pile\ of\ Aluminium\ Dust=A small cup of aluminium, in powder form -Black\ Stained\ Glass\ Pane=Pane Black Stained Glass -Please\ use\ Mod\ Menu\ to\ edit\ the\ config\ or\ use\ an\ external\ application\ to\ edit\ the\ config\ directly.=The Config file you want to edit the settings, or directly in the config folder for processing in an external application, you can thank the use. -Daylight\ Detector=The Indicator In The Light Of Day -Yellow\ Thing=Yellow -Single=A -Invalid\ Icon\ "%1$s"\ in\ Property\ "%2$s",\ Selecting\ a\ Randomized\ Valid\ Icon...=An Icon For The Disabled "%1$s"the possession "%2$s"Alegerea randomizat icon... -Recipe\ Screen\ Type\:=The Recipe Is On The Screen\: -Cyan\ Pale\ Sinister=Pale Blue Bad -Determines\ if\ Wells\ can\ have\ a\ chance\ of\ spawning\ a\ Bell.=In order to determine when a Well may have a chance to spawn from the Floor. -Authentication\ servers\ are\ down.\ Please\ try\ again\ later,\ sorry\!=On the servers, and then to the bottom. Please try again later, I'm so sorry\! -White\ Oak\ Log=White Oak Log -Contents=Position -Dispenser\ failed=The walls of the Pharmacist may not -Oak\ Cutting\ Board=Oak Boards -Block\ of\ Aluminium=Block Aluminium -Magenta\ Topped\ Tent\ Pole=The Purple Tent To The Top Half Of The -Dark\ Forest=In The Dark Forest -Calcium=Kalcium -Cave\ Spider\ Spawn\ Egg=Cave Spider Spawn Egg -Metite\ can\ be\ used\ to\ create\ standard\ tooling;\ however,\ it\ is\ of\ much\ more\ use\ in\ creating\ astronautical\ technology.=Metite can be used to connect to the default value of the tools, but there are many more to use in the creation of a space in the field of technology. -Played\ sound\ %s\ to\ %s=The sound %s v %s -Reloading\!=Reloading\! -Rubber\ Step=The Rubber, Step -\u00A7eUse\ while\ on\ ground\ to\ launch\ yourself\u00A7r=\u00A7eUse the terrain to run me\u00A7r -Orange\ Chief\ Dexter\ Canton=The Main, Orange, Canton, Dexter -Electrum\ Dust=Elektrum Praline -Rabbit\ squeaks=Bunny Peeps -Asterite=Asterite -Singularity\ Impending=The Exclusive Right Is In The Near Future -These\ settings\ are\ experimental\ and\ could\ one\ day\ stop\ working.\ Do\ you\ wish\ to\ proceed?=Note\: these settings are experimental and may one day be able to stop it. If you want to do this? -Breed\ all\ the\ animals\!=The race of all the animals\! -Potted\ White\ Oak\ Sapling=Vase Of White Oak Handle -Spruce\ Platform=Improve The Platform -C418\ -\ strad=C418 - strad -Lime\ Cross=Through The Lime -Stone\ Igloo\ Spawnrate=Rock The Needle To Some Extent -Cypress\ Boat=Trees Left -Allows\ to\ increase\ or\ decrease\ zoom\ by\ scrolling.=Allows you to zoom in or use the browse button. -Glistering\ Melon\ Slice=Bright Watermelon Slices -Sandy\ Grass=Sand Grass -Light\ Blue\ Paly=Senate Paly -\u00A77%s\ Unit=\u00A77%s Group -Extractor=Vacuum cleaner -Search\ Debug\ Mode\:=Searching For The Debug Mode\: -Galaxium\ Sword=Galaxium Me\u010D -Too\ many\ chunks\ in\ the\ specified\ area\ (maximum\ %s,\ specified\ %s)=In many places in the area (up to %s in %s) -By\ default,\ 6\ hearts\ (12.0)=Standard 6 in the hearts of men (12.0) -Warped\ Trapdoor=Warped Gates -Note\ Blocks\ Played=Laptops -Light\ Blue\ Pale=Light blue -Block\ of\ Lead=A block of Plom -Skeleton\ Wall\ Skull=The Skull Of The Skeleton On The Wall -Top-Left=In The Upper Left Corner -Place\ an\ alarm\ in\ the\ world=Instead of having to play in the world -%s\ has\ the\ following\ entity\ data\:\ %s=%s below is the data for the assets are\: %s -Juicer=Juicer -White\ Rune=White Of Trash -Customize\ Biome\ Messages=Species Of Plants And Animals, Set Notifications -Color\:\ %s=Color\: %s -Blank\ Rune=Bosh Rune -Wait\ n\ ticks\ after\ the\ item\ ran\ out,\ then\ do\ the\ auto\ refill.\ Might\ be\ useful\ on\ some\ laggy\ servers.=Wait for N ticks when the product is in stock, so that the auto-refill your account. It can also be useful in some systems of law. -Iron\ Chest=A Chest Of Iron, -Asterite\ Boots=Asterit Shoes -Data\ Storage\ Core=The Database Engine -Gray\ Chief=Gray Head -Lit\ Purple\ Redstone\ Lamp=Saint-Lila L\u00E1mpa A Redstone -Drop\ entity\ equipment=The fall of the object from the device -Delete\ Set=To Remove The Assembly From The -Birch\ Leaves=Birkeblade -Basalt\ Deltas=Basalt-Delity -Zombie\ Horse\ hurts=Zombie Hest -Realms\ Mapmaker\ Cape\ Wing=Kingdoms, Map, Copyright, Cable, The Wing Of The -Prismarine\ chimneys=Stapels Prismarine -Terms\ of\ service\ not\ accepted=Terms of service does not accept -Black\ Pale\ Sinister=Black Pale Sinister -German=German -There\ are\ no\ more\ data\ packs\ available=Has more information than what is -Resistance=Resistance -Structure\ '%s'\ position\ prepared=Form%s"to prepare for this situation -Warped\ Shelf=Curled Up On The Racks -Tiny\ Boulders=Stones Small -Electrolyzer=Cell -Iron\ Jetpacks=Iron Jet Bags -Team\ prefix\ set\ to\ %s=The command prefix and the value %s -Do\ you\ want\ to\ continue?=Do you want it? -Light\ Gray\ Per\ Bend\ Sinister\ Inverted=Bend Sinister In The Early Light Gray -Entity's\ x\ rotation=Entity X rotate -Colored\ Tiles\ (Black\ &\ White)=The Color Of The Plates (Black And White) -This\ station\ is\ not\ selling\ anything.=In this post, there is nothing to sell. -Ring\ of\ Flight=Ring of flight -Elder\ Guardian\ hurts=The old Guard is sick -Zombie\ Spawn\ Egg=Zombie Mizel Egg -Jump\ Boost=The Switch For The Lift -Shulker\ Boxes\ Opened=Box, Shulker, Swimming Pool -Colored\ Tiles\ (Black\ &\ Gray)=The Colored Tiles (Black And Gray) -Obsidian\ Bricks=The Obsidian Brick -Cliffs=Are Dastan -Endorium\ Paxel=- Dor Mer Paxene P\u00E5 -You\ have\ been\ idle\ for\ too\ long\!=You have been inactive for a very long time. -Deflect\ a\ projectile\ with\ a\ shield=In order to reject the anti-missile shield -Switch\ to\ minigame=Just log into the game -Factors=Factors -Hardcore=Hardcore -%s's\ Trading\ Station=%s"z kommertsjaamade -Birch\ Stairs=Birch Stairs -Brass\ Nugget=A Piece Of Copper -The\ source\ and\ destination\ areas\ cannot\ overlap=The source of the label must not overlap -Tall\ Purple\ Foxglove=A Long, Silver Stick With -Package\ Crafter=Package Builder -Cypress\ Post=Cypress Reports -Day\ at\ the\ Market=A day at the market -Purple\ Shulker\ Box=In Shulker Box -Parrot\ roars=Parrot noise -Craft\ a\ Treetap=Craft A Treetap -Crimson\ Wall\ Sign=Dark Red Wall Of The Session -No\ Fade\ when\ opened\ via\ Other\ Screen\:=No fading, Allergy-free room, to open it on the second screen. -I\ Smite\ Thee\!=I Beat You\! -Show\ Uses\:=Screen Uses\: -The\ date\ format\ used\ in\ timestamps.=Date format time stamp. -Red\ Terracotta\ Glass=Red, Terracotta Sese -None=\ br. -Display\ Arrows\ Left=Left Arrow Screen -White\ Futurneo\ Block=White Futurneo Blocks -End\ Stone\ Brick\ Slab=At The End Of Stone, Brick, Stove -The\ epitome\ of\ sandwiches.=The epitome of a sandwich. -Invalid\ structure\ name\ '%s'=Invalid estructura nom"%s' -Vex\ Essence=\u0412\u0435\u043A\u0441 The Essence Of The -Light\ Gray\ Topped\ Tent\ Pole=Light Gray In Color, Crowned With A Tent Pole -You\ must\ specify\ an\ entity\ to\ kill\!=You will need to get into the business, and in order to not be dead. -Default\ Server\ MOTD=By default, the Server's MOTD -Cornflower=Wheat flower -Stripped\ Birch\ Wood=Directions\: Breza -Lime\ Pale\ Sinister=Lime Light-Sinister -Redwood\ Step=Redwood Samm -Sprint=Sprint -Select\ Resource\ Packs=Izaberite A Resource Bundle -\u00A7lPinned=\u00A7lDays -Damaged\ Anvil=Corupt Nicovala -Creating\ the\ realm...=In order to create a rich... -Chiseled\ Purpur=Cinzelado Purple -Split\ Character=Split-Symbol -Message\ to\ use\ for\ the\ &playerinfo&\ Placeholder\ in\ Server\ Settings\\n\ Available\ Placeholders\:\\n\ -\ &coords&\ \=\ The\ Player's\ Coordinate\ Placeholder\ Message\\n\ -\ &health&\ \=\ The\ Player's\ Health\ Placeholder\ Message=Note using &playerinfo& grain Settings of the Server\\n characters\:\\n - &coords& \= Player Coordinate of the grain of the Message\\n - health && \= Health Players of the grain Report -Refill\ when\ using\ items=The re-use of elements -Decorate\ your\ home\!=Decorate your house\! -Stone\ Paxel=Came Paxe U -No\ relevant\ score\ holders\ could\ be\ found=Not the owners, the result can be found -Paper\ Block=Role-Block -Block\ of\ Osmium=Osmium block -End\ Stone\ Sword=At The End Of The Sword From The Stone -Yucca\ Palm\ Leaves=Yucca Palm Leaves -Yellow\ Asphalt\ Slab=Yellow Asphalt (Concrete, Pavement -Same\ as\ Survival\ Mode,\ but\ blocks\ can't=The same, and Survival, but the pad can't -Attribute\ %s\ for\ entity\ %s\ has\ no\ modifier\ %s=Attributt %s for the device %s no modification of the %s -Sandstone\ Post=Sand Post -Meadow=Livada -Handheld\ Storage=Portable Storage -Asteroid\ Diamond\ Ore=Asteroid Crash, Ore. -Green\ Per\ Fess\ Inverted=Green Per Fess Inverted -Dolphin\ dies=Dolphin and his death -Small\ Pile\ of\ Clay\ Dust=A Small Piece Of Clay The Saw -Green\ Berry\ Juice=The Green Of The Fruit Juice. -%s\ is\ bound\ to\ %s=%s l' %s -Awaken,\ My\ Masters="Wake Up Call", My Teacher -Lava\ Brick\ Stairs=The Lava Tiles On The Stairs -Those\ Were\ the\ Days=Those Were The Days -Iron\ Door=Iron Gate -Global=Ii -Cypress\ Table=Cypress A Buffet -Gray\ Bend\ Sinister=Boz G\u00F6z Sinister -CraftPresence\ -\ Select\ an\ Entity=CraftPresence object Selection -Gold\ SuperAxe=Zlata-SuperAxe -Potion\ of\ the\ Turtle\ Master=Smoking, Drinking, Lord -Purple\ Glazed\ Terracotta=Purple Glazed Terracotta -%1$s\ died\ because\ of\ %2$s=%1$s he died because %2$s -Display\ entities\ darker\ depending\ on\ their\ Y\ level\ relative\ to\ you.=The display on the face, the darker it gets, depending on the type of change that you are. -Ambient/Environment=On The Surrounding Environment, -Brown\ Mushroom=Brown Bolets -Gold\ Dust=Cloth Of Gold -Yucca\ Palm\ Stairs=Yucca Palma The Escadas -Old\ Iron\ Chest=The Age Of The Iron In The Chest -Set\ the\ weather\ to\ clear=The alarm should be removed -Black\ Base\ Dexter\ Canton=Black Base Dexter Canton -Red\ Fess=Chervony Bandage -Cyan\ Beveled\ Glass=Material Black Glass-Beveled -End\ Barrens=And Finally, In The Pine Forest -Elite\ Coil=Elite Bobinas -Prismarine\ Stairs=Prismarine Ladder -Name\ Tag=Naziv Sign -Patchouli=The essential oil of patchouli -Tungsten\ Helmet=Tungsten Helm -Sort\ Inventory=Inventory, Classification -Tropical\ Fish\ hurts=Tropical Fish -Customize\ World\ Presets=Settings Light -Take\ Aim=The purpose of -Sakura\ Sign=Some Of The Characters -Some\ Serious\ Tankage=Some Serious Vedelikumahutid -Adamantium\ Chestplate=Adamantium Armor -Netherite\ Chest=Netherite Chest -Rainbow\ Brick\ Wall=Rainbow Zid -Yellow\ Autumnal\ Leaves=The Yellow Leaves In The Fall -Bamboo\ Jungle\ Hills=Bamboo, Forest, Hills, Mountains -Vibranium\ Hoe=The Vibranium Kopat -Repeating\ Command\ Block=Repetition Of The Block Of Commands -Piglin\ celebrates=Piglio, and the eu is committed to -A\ sliced\ version\ of\ the\ Golden\ Apple,\ which\ gives\ the\ player\ all\ of\ the\ Golden\ Apple's\ effects\ for\ half\ the\ duration.\ Can\ be\ eaten\ faster.=An abridged version of the Golden Apple, which gives the player all the effects of the Golden Apple half the length. You can eat faster. -Purple\ Base\ Sinister\ Canton=Purple, On The Left Side Of Hong Kong -This\ entry\ is\ auto\ generated\ from\ an\ enum\ field=Record type this field is automatically generated numbering -Particles=Pm -Black\ Base\ Sinister\ Canton=The Base Color Of Black, In The Canton Of The Left -Entity\ Dots\ Scale=The Object Point On The Scale -Items=Data -%1$s\ suffocated\ in\ a\ wall\ whilst\ fighting\ %2$s=%1$s the anger wall is complete %2$s -Kanthal\ Heating\ Coil=Batteries, Rechargeable Battery -Llama\ spits=In the llama spits -Seed\ Quality\:\ %s=Seeds Quality\: %s -Turtle\ baby\ hurts=Tortoise baby pain -Start\ with\ the\ basics\ and\ craft\ a\ Stone\ Hammer.=Let's start with the basics and elaborate on the top of the hammer from the stone. -Open\ Notes\ Menu=In The Menu Bar To Open The Comments -Skeleton\ Horse\ hurts=Horse skeleton sorry -Tungsten\ Ingot=Tungsten-Ingot -Prismarine\ Hammer=Prismarine Hammer -Potion\ of\ Harming=The drink of the poor -Spruce\ Planks\ Camo\ Trapdoor=Luke Camo Board Softwood -Pink\ Lawn\ Chair=Pink Th Generation -Please\ update\ to\ the\ most\ recent\ version\ of\ Minecraft.=Please upgrade to the latest version of Minecraft. -Sakura\ Shelf=\u03A1\u03AC\u03C6\u03B9 Sakura -You\ have\ been\ IP\ banned\ from\ this\ server=Was IP blocked on the server -Refill\ Armor=To Complement The Jackets, -Yellow\ Glazed\ Terracotta=A Yellow-Glazed, Pan-Fried -Health\:\ %s=Health\: %s -Produces\ sound\ when\ given\ redstone\ signal\nConfigurable=Produce sound when given the name Redstone \nCustomizable -Pack\ '%s'\ is\ already\ enabled\!=Package"%s"al\! -Acacia\ Cutting\ Board=Bagram Cutting Selection -Biome=BIOM -%1$s\ burned\ to\ death=%1$s burned in a -Crate\ of\ Potatoes=The Field Of Potatoes -Magenta\ Per\ Bend\ Sinister\ Inverted=Each Bend Sinister In Red -Really\ Rock\ Solid\ Hammer=In Fact, A Solid Hammer -Poison=GIF animat -%1$s\ experienced\ kinetic\ energy=%1$s the experience is the kinetic energy of the -Zoglin=Zoglin -Tooltip\ Border\ Color=Tooltip Border Color -Server\ Integration=The Aim Of Integrating The -Grants\ Speed\ Effect=The Effect Of The Subsidy Is The Speed -Peridot\ Shovel=Blade -Sakura\ Platform=Platform Sakura -\u00A79Color\:\ =\u00A79Farve\: -Red\ Glazed\ Terracotta\ Ghost\ Block=Ceramic Red Block Spirit -%s\ edit\ box\:\ %s=%s in the room\: %s -Red\ Base=Rote Basis -Red\ Wool=Crvena Nit -Allows\ Sending\ or\ Accepting\ Join\ Requests\ in\ Discord=Allows you to send and receive requests differences -Bamboo\ Rod=The Bar Is Made Of Bamboo -Warped\ Warty\ Blackstone\ Bricks=Deformuar Warty Blackstone Tulla -Damage\ Dealt\ (Absorbed)=Unfortunately, The Business (Absorbed) -Produces\ energy\ when\ placed\ above\ the\ height\ of\ 64\ blocks\ from\ air\n25%\ more\ efficient\ in\ thunderstorms=It produces energy when it is placed at the height of the 64 blocks in the air\n25% more efficient than the time -Tall\ Orange\ Calla\ Lily=Big Orange Calla Lily -Winged\ Config=Tiivuline Config -White\ Glazed\ Terracotta\ Camo\ Trapdoor=White Enameled Terra-Cotta, Camouflage, Luke -Conduit\ pulses=Pulse -This\ minigame\ is\ no\ longer\ supported=This is a game that is no longer supported -Green\ Chevron=The Green \u0428\u0435\u0432\u0440\u043E\u043D -Fox\ dies=Fox mirties -24h=24-hour reception -Pluto=Plutoni -Light\ Blue\ Per\ Pale\ Inverted=Blue, Pale, Has Become A -Simplex\ Terrain=The Earth Touch -Sakura\ Leaves=Sakura List -Crafting\ Table\ Slab=The Development Of The Table Top -Primed\ TNT=Primer of TNT -Glass=Glass -Snowy\ Hemlock\ Clearing=La Neve Hemlock Glade -Quartz\ Tiles=Glass Tile -How\ about\ a\ hammer\ instead?=If instead of a hammer? -Endermites\ drops\ Irreality\ Crystal=Endermites drops amazing Crystal -Creeper\ Charge=Puzavac Besplatno -Galaxium\ Helmet=Galaxium Hjelm -White\ Bend=White To The Knee -Iridium\ Ingot=Edelmetaal Iridium -Potted\ Magenta\ Begonia=Test Purpurov\u00E1, Rastliny Begonia -%s\ joined\ the\ game=%s combo games -Tables=Table -Green\ Patterned\ Wool=The "Wave Of Green" Model -Attack\ Speed=Attack Speed -How\ rare\ are\ Stone\ Igloos\ in\ Giant\ Tree\ Taiga\ biomes.=As a rare stone of the needle in the giant trees biomes of the Taiga. -White\ Flat\ Tent\ Top=White Flat Top Tent -Those\ beyond\ our\ wildest\ realm\ of\ imagination.=You are far beyond our wildest fantasy Kingdom. -Use\ the\ Nether\ to\ travel\ 7\ km\ in\ the\ Overworld=Use the box at the bottom of the travel the 7 miles to the Overworld -Reload\ rule.*.txt=Charging rules.*.txt -%s\ (formerly\ known\ as\ %s)\ joined\ the\ game=%s (formerly known as the %s) has joined the game -Gold\ Gear=Plocki -Slime\ dies=Mucus mor -Upload\ failed\!\ (%s)=Download not\! (%s) -Iron\ Sledgehammer=Iron Wind -Best\ Friends\ Forever=Best Friends Forever -Pink\ Globe=Part Of The Rose Of The World -Mule\ Chest\ equips=With the breast armed -A\ vegetable\ food\ item\ that\ can\ be\ pickled\ in\ a\ pickle\ jar.=Vegetable food item, which can be desconfort\u00E1vel em um jar of pickles. -Nether\ Basalt\ Temple\ Spawnrate=The Lower Church Basalt Spawnrate -Block\ of\ Tungstensteel=Bloc by Tung Sten steel -Render\ Distance=Render Distance -Jungle\ Slab=Rady Jungle -Husbandry=Animal / ?????????? -Hide\ World\ Names/IPs=Names/IPS Hide -Red\ Bordure=The Red Edge Of The -Usages=Included in the -Attached\ Pumpkin\ Stem=It Is Attached To The Stem Of The Pumpkin -\u00A77\u00A7o"Order\ and\ Progress."\u00A7r=\u00A77\u00A7o"Order and progress".\u00A7r -Turtle\ Spawn\ Egg=Turtle, Eggs, Egg -Warped\ Table=The Other Table -Refill\ rules=The rules of filling -Incomplete=Nepotpuni -Electric\ Treetap=The Electric Treetap -Work\ Belt=Work Belt -Craft\ a\ matter\ fabricator=The boat manufacturer -Cyan\ Concrete\ Glass=Cyan Concrete, Glass -Interactions\ with\ Lectern=The Interaction With The Reception Staff -Oasis=Oasis -Tattered=Partenza -Default\ Server\ Message=By Default, The Server Messages -Edit\ Config=Edit Config File -size\:\ %s\ MB=size\: %s MB -Elytra\ Wing=Elytra Wing -Unable\ to\ move\ items\ to\ a\ %sx%s\ grid.=Embryos can be transferred %sx%s data. -Item\ takes\ Damage\ every\ ticks.=The eye damage every Tick. -Guardian\ shoots=Shoots -Meteor\ Stone\ Wall=Meteor Kameni Zid -Command\ set\:\ %s=The number of teams. %s -Potted\ Tall\ Light\ Blue\ Nikko\ Hydrangea=The Plants In The Test, Large, Blue Hydrangea Nikko -Small\ Red\ Sandstone\ Brick\ Slab=A Small, Red, Brick, Tiles, Sand, Stone -Thing=Business -Cypress\ Coffee\ Table=Cypress Soffbord -Sort\ Order=View -How\ rare\ are\ Dark\ Forest\ Villages\ in\ Dark\ Forest\ biomes.=Rare biomes dark forest, a village, a dark forest, for example. -Allows\ CraftPresence\ to\ change\ it's\ display\ based\ on\ the\ Item\ Your\ Holding\\n\ Note\ the\ Following\:\\n\ -\ Requires\ an\ Option\ in\ Item\ Messages=This allows CraftPresence change their appearance depending on the type of the item is in your possession\\N. please keep in mind the following\:\\N \\ N - requires a parameter in a report to the user -Pink\ Glazed\ Terracotta\ Camo\ Door=Pink Ceramic Door Glass Camouflage -Hit\ the\ bullseye\ of\ a\ Target\ block\ from\ at\ least\ 30\ meters\ away=Hit the bullseye of the target block is not less than 30 metres -Vein\ Size=The Veins Of The Size Of The -Uncraftable\ Tipped\ Arrow=You Can Also Use When Crafting Arrows -%s\ (%s)\ consumed/tick=%s (%s consumate/tick -Show\ Elapsed\ Time\ in\ Rich\ Presence?=It shows the amount of Time in his Presence big? -Nitrogen=Nitrogen -Necklace=Necklace -Diamond\ Lance=Diamant Boom -Cucumber=Cucumber -Chiseled\ Granite\ Bricks=This Block Of Granite Carved -Gave\ %s\ %s\ to\ %s=Let %s %s have %s -\u00A7cDelete\ Item=\u00A7cIf You Want To Remove The Item -Video\ Settings=Video -This\ option\ should\ only\ be\ used\ to\ fix\ incorrect\ waypoint\ coordinates.=This option should be used to determine a point for a wrong coordinate. -Stripped\ Spruce\ Log=He Took The Magazine Dishes -Thick\ Lingering\ Potion=Strong, Long-Lasting Filter -A\ sliced\ version\ of\ the\ Enchanted\ Golden\ Apple,\ which\ gives\ the\ player\ all\ of\ the\ Enchanted\ Golden\ Apple's\ effects\ for\ half\ the\ duration.\ Can\ be\ eaten\ faster.=A shortened version of the enchanted Golden Apple, which gives the player all the effects of Enchanted Golden Apple for half the duration. You can eat it as soon as possible. -Cracked\ Nether\ Bricks=The Cracks At The Bottom Of The Brick -Ring\ of\ Poison\ Resistance=Ring Of Poison Resistance -Lime\ Glazed\ Terracotta\ Glass=The Sheet Of Ceramic Tile, Glass, Glass -Reach\ Distance=In Order To Ensure That The Distance -Enter=Write -Polished\ Blackstone\ Slab=The Cleaning Of The Blackstone Fees, -Multiplayer\ game\ is\ now\ hosted\ on\ port\ %s=Multiplayer is currently hosted on %s -Hired\ Help=You Are Working On, It Can Help You -Chiseled\ Quartz\ Block\ Glass=Apply Quartz Block, Staklo -<%s>\ %s=<%s> %s -Double\ Acacia\ Drawer=The Double Tray -Gray\ Per\ Bend\ Sinister=Gray Bend Sinister -Client-side\ Tweaks=The client application -Basic\ Turret\ Seed=The Main Seed Tower -Small\ Pile\ of\ Cinnabar\ Dust=A Little vermilion powder -How\ rare\ are\ Nether\ Basalt\ Temples\ in\ Nether\ Basalt\ Deltas.=To je redek, Votlih Strukture, Templjev, Votel, Bazalt, in Delta. -Cinderscapes=Cinderscapes -Parrot\ growls=De Parrot gromt -Steel\ Sword=Celine MAh -Diamond\ Golem=Timantti Golem -Refill\ items\ with\ similar\ functionality=The position of elements with similar functions -Fries=French fries -How\ rare\ are\ Nether\ Crimson\ Temples\ in\ Nether\ Crimson\ Forest.=As rarely it is the Red background of the temples in the lower layers of the forest. -Wire\ Mill=Icno Stan -Creeper\ dies=The reptile is dying -Chest=In the bosom of the -biomes\ even\ if\ they\ have\ don't\ have\ vanilla\ Strongholds.=the types of the plants, the animals, even if they don't have the vanilla game. -Warped\ Hyphae=Warped Gifs -Light\ Gray\ Patterned\ Wool=Light Grey With The Background Pattern Of The Waves -Squid\ Spawn\ Egg=Squid Spawn Egg -Client=Clientt -Orange\ Per\ Pale=The Orange Light In The -Scorched\ Stem=Scorched Koren -Nether\ Furnace=Female Oven -Resulted\ Potion=It Makes A Refreshing Drink -Toggle=Turn -Use\ a\ treetap\ on\ a\ sticky\ spot\ on\ a\ rubber\ tree=You can use a treetap on a sticky stain on rubber, wood -White\ Sofa=White Couch -Eye\ of\ Ender\ attaches=Eyes, Fully complies with -Red\ Globe=The Red In The World -Minecart\ with\ Hopper=Cargo trolley, casting a funnel -Effect\ Duration=Poveikis -Surface\ Rock=The Surface Of The Stone -Japanese\ Maple\ Step=Japanese Maple Step -Mushroomy\ Swamp=Mushroomy Suolla -Enable\ arrows=The inclusion of the arrow keys -Your\ realm\ will\ become\ unavailable.=Your domain is no longer available. -Stonecutter\ (Legacy)=Mason (The Old One) -Splash\ Potion\ of\ Invisibility=Splash Potion Of Invisibility -Powered\ Spike\ Trap=Powered By Spike Trap -Buffer\ is\ full\!=The buffer is full\! -Green\ Dye=Yesil Farba -Salmon\ flops=Gold flip flops -Armorer's\ Mask=Plaster Mask -Height\ Stretch=Stretch Magass\u00E1g -Arrow\ of\ Regeneration=To The Left Is The Rain -Right\ Button=Right-click on the -Vanilla=Vanilla -Always\ On=Uvek -You\ are\ not\ white-listed\ on\ this\ server\!=On serverot, not white\! -If\ on,\ the\ server\ will\ be\ able\ to\ provide\ extra\ information\nabout\ containers\ to\ the\ clients\ with\ the\ mod\ installed.\nDisabling\ this\ option\ will\ disable\ all\ of\ the\ options\ below.=If the server needs to be able to provide more information\nacross the containers to the customers and with the mod installed.\nThis is an option to disable it, uncheck all of the options listed below. -Old\ Chest=Old Games -Wandering\ Trader\ drinks\ milk=Strolling by the Professional of the milk -Scrapboxes\ can\ be\ opened\ by\ either\ a\ simple\ use\ in\ hand,\ or\ by\ dispensers.\ That's\ right,\ just\ throw\ your\ scrapboxes\ into\ dispensers\ and\ give\ them\ a\ redstone\ signal,\ and\ boom\!\ Random\ item\!=Scrapboxes can be opened or simple in use, in hand or with a sprayer. It is true, just throw scrapboxes bottles and their signal \u0440\u0435\u0434\u0441\u0442\u043E\u0443\u043D\u0430 and boom\! Random elements\! -\u00A7aYes=\u00A7aAlso -Connection\ Lost=Lost Contact -Stripped\ Dark\ Oak\ Log=For The Removal Of Dark Oak Logs -S-Rank\ Materia=The News Category -Tellus\ Essentia=The main theme -Lime\ Elevator=Lime Lift -Light\ Blue\ Concrete\ Ghost\ Block=A Light Blue, Concrete, Spirit-Of-The-Block - -Maximum\ number\ of\ entities\ to\ return=Maximum number of people in order to bring them back -Kelp=Polishing -Found\ in\ salty\ sand,\ and\ can\ be\ crafted\ into\ Salt.=It can be found in the salt, sand, and gravel, and a pinch of Salt. -We\ Need\ to\ Go\ Deeper=We need to go deeper -Illusioner\ dies=The Illusion is to die -%1$s\ was\ slain\ by\ %2$s=%1$s he was killed %2$s -Brick\ Platform=Rotten On The Forum -Old\ Diamond\ Chest=Antic Diamant Dresser -Green\ Terracotta\ Camo\ Door=Terracotta Yes The Door, Camouflage -Redstone\ Comparator=Redstone Fqinje -Mossy\ Volcanic\ Rock\ Brick\ Slab=\u041C\u0448\u0438\u0441\u0442\u044B\u0435 Volcanic Stone, Brick, Blocks -Potted\ Tall\ Pink\ Lathyrus=In A Pot A Long Pink Lathyrus -Green\ Per\ Bend\ Sinister=A Green Bend Sinister -Refill\ with\ same\ stack\ (nbt)=You fill it with the same stack (nbt) -Added\ %s\ to\ %s\ for\ %s\ (now\ %s)=Published %s in %s for %s (currently %s) -Teleport\ Anyway=In Any Case, Teleport -Pine\ Slab=\u015Eam Croaker -Polished\ End\ Stone=Polishing, Finishing Of Stone -Volcanic\ Rock\ Button=Volcanic Steam Button -Expected\ a\ block\ position=The inevitable doom of the predicted block for the installation of the -Message\ Team=The posts -End\ Stone\ Hoe=The Last Stone To Dig Out -Crimson\ Post=Crimson Message -Toggle\ Ingame\ Waypoints=In Order To Change The Point In The Game -Dirt\ Glass=The Dirty Glass -Acacia\ Planks\ Ghost\ Block=Can Be Found Committee, In The Spirit Of The Block -Asteroid\ Coal\ Cluster=The Other Use For Filteret For Yes Cluster -Aquilorite\ Chestplate=Aquilorite Chestplate -Potted\ Shrub=In A Separate Bowl, Bush, -Donkey=Ass -Default\ Server\ Icon=The Icon For The Server By Default -Husk=The skin of the -Cooked\ Tomato\ Slice=Ready Sliced Tomato -Gray\ Tent\ Top\ Flat=Grey Tent Top Flat -Black\ Bend\ Sinister=Negro Bend Sinister -Purple\ Per\ Pale\ Inverted=Color-Pale Purple-Upside-Down -Team\ %s\ has\ %s\ members\:\ %s=The team %s it %s members\: %s -The\ End\ is\ just\ the\ beginning=The end is only the beginning -Sakura\ Table=Tabela Sakura -Adds\ transitions\ between\ zooms.=Added\: transitions, scaling. -Sliced\ Toasted\ Crimson\ Fungus=Toasted Bread With Red Mushroom -%1$s\ fell\ off\ some\ weeping\ vines=%1$s fell weeping on the vine -Check\ the\ 'rei_exports'\ folder.=Check 'rei_exports' mappe. -Light\ Blue\ Stone\ Bricks=Light Blue Stone, Brick -Showing\ all=With the participation of all -Release=Pressiteade -Soaked\ Brick\ Wall=Provided On The Wall Of The -Peridot\ Pickaxe=Peridot Hoe -Soul\ escapes=The soul that is saved -Enable\ item\ scrolling=The active element of the exchange -13x13\ (Showoff)=13-Xray-13 (GOOSE) -Phantom\ flaps=Phantom vinnen -Operation\ time=Working time -Green\ Field\ Masoned=Green Area, Built Underground Of Brick -Red\ Field\ Masoned=The Red Box Mason -Jungle\ Wood=Jungle, Treet -Optimizing\ World\ '%s'=The Optimisation Of The Peace%s' -Replaces\ vanilla\ dungeon\ in\ Dark\ Forest\ biomes.=Replace the vanilla in a dark cave of forest ecosystems. -Obtain\ a\ block\ of\ obsidian=The benefit of a single piece of obsidian -Whether\ GUI\ should\ allow\ right\ click\ actions.=If the graphical user interface should enable the action button the right mouse button. -`=` -]=] -\\=\\ -Report\ Bugs=Report An Error -[=[ -X=X -W=W -(%s\ Loaded)=(%s Baixar) -Load\ Hotbar\ Activator=The Activator Panel Download -V=V -Punch\ it\ to\ collect\ wood=A lot of the meeting point of the three -Biome\ Scale\ Weight=Is \u0411\u0438\u043E\u043C Weight On The Scale -S=S -Your\ subscription\ has\ expired=If your subscription runs out -Cyan\ Tent\ Top=The Blue Part Of The Top Of The Shop -N=N -Grind\ ores\ and\ other\ materials\ into\ dusts=Grind metal or other materials in the dust -Phantom\ Membrane\ Wing=The Spirit Of Wing Membrane -Place\ Distance=The Distance From -I=I -Leave\ blank\ for\ a\ random\ seed=Free to leave a random seed -Reset\ %s\ button=Reset %s button -E=E -Bronze\ Axe=The Axe, Of The Bronze -Very\ Very\ Frightening=Very, Very, Very Scary -Red\ Concrete\ Camo\ Door=The Red Concrete To The Door -C=C -Green\ Fess=Green Dye -Exported\ Recipe=Izvoz Recept -Web\ Links=Links -A=A ->=> -\==\= -<=< -;=; -Display\ entity\ name\ under\ the\ dot\ for\ entities\ that\ have\ a\ name\ tag.=The name to watch in the division-devices that have a name. -Fluid\ blocks=This blog -Chapters=Chapter -Corner=Angle -C418\ -\ 13=C418 - 13 -C418\ -\ 11=C418 - 11 -Detect\ MCUpdater\ Instance=The Sensor MCUpdater Sample -/=/ -.=. --=- -\u00A77\u00A7o"Wrapped\ with\ love\!"\u00A7r=\u00A77\u00A7o"Get love\!"\u00A7r -,=, -'=' +Reduce\ debug\ info=To reduce the debug info +Reset\ all\ scores\ for\ %s=Make sure that the quality of the %s +Minecart\ with\ Chest=Minecart rinnassa +Crimson\ Nylium=Frambuesa Nylium +Infested\ Stone\ Bricks=Its Stone, Brick +Converts\ lava\ and\ other\ heat\ sources\ into\ energy=Converts lava and other heat sources into energy +Brick\ Post=Brick Post +White\ Petal\ Block=White Petal Block +\u00A77\u00A7o"Uhhhh...\ What\ is\ this?\ Why\ did\u00A7r=\u00A77\u00A7o"Uhhhh... What is this? Why did\u00A7r +%1$s\ of\ %2$s\ Channels=%1$s of %2$s Channels +Oh\ Shiny=Oh, Great +Maximum\ input=Maximum input +"Off"\ disables\ the\ cinematic\ camera.="Off" disables the cinematic camera. +Explosion\ Grief\ Prevention=Explosion Grief Prevention +Charred\ Barrel=Charred Barrel +Birch\ Forest\ Hills=Maple Forest Hills +%1$s,\ %2$s\ %3$s=%1$s, %2$s %3$s +Attack\ Indicator=Index Attack +LV\ Transformer=LV Transformer +Bronze\ Plate=Bronze Plate +Lime\ Mushroom\ Block=Lime Mushroom Block +%1$s\ total\ assets\ detected\!=%1$s total assets detected\! +Pink\ Per\ Bend\ Inverted=Increase Of The Bending Of The Vice Versa +Netherite\ Ingot=Poluga Netherite +Dirt\ Glass=Dirt Glass +Gray\ Per\ Fess=Gr\u00E5 Fess +Persist\ to\ other\ pipes=Persist to other pipes +Shulker\ Friendly\ Cost=Shulker Friendly Cost +Display\ Other=Display Other +UU-Matter=UU-Matter +Llama\ steps=Llama stay +Shattered\ Glacier=Shattered Glacier +Get\ a\ Gamer\ Axe=Get a Gamer Axe +Modularity=Modularity +Witch\ dies=On the death of the +Hunger=The hunger +Cow\ hurts=Cow-it hurts so bad +Tags\ aren't\ allowed\ here,\ only\ actual\ blocks=The tag is not possible, even here, the real drive +Charged\ Certus\ Quartz\ can\ be\ found\ in\ world\ semi\ rarely,\ it\ appears\ similar\ to\ normal\ Certus\ Quartz,\ except\ it\ sparkles.=Charged Certus Quartz can be found in world semi rarely, it appears similar to normal Certus Quartz, except it sparkles. +Cocoa\ Beans=Paso Cocoa +Click\ to\ complete\ task=Click to complete task +Rubber=Rubber +Oak\ Button=Toets Jan +Pine\ Coffee\ Table=Pine Coffee Table +Pattern\ Terminal=Pattern Terminal +Excluded=Excluded +Strength\ of\ nausea\ and\ Nether\ portal\ screen\ distortion\ effects.\nAt\ lower\ values,\ the\ nausea\ effect\ is\ replaced\ with\ a\ green\ overlay.=Strength of nausea and Nether portal screen distortion effects.\nAt lower values, the nausea effect is replaced with a green overlay. +Another\ OP\ is\ already\ accessing\ this\ player's\ quests.=Another OP is already accessing this player's quests. +Light\ Gray\ Chief\ Indented=Light Gray Base Indented +Potion=Drink +Parrot\ grunts=Sam le parrot +Willow\ Planks=Willow Planks +Cracked\ Stone\ Bricks\ Camo\ Door=Cracked Stone Bricks Camo Door +Dimension=Dimension +Max\ Amount\ of\ Hearts=Max Amount of Hearts +Vulcan\ Stone\ Stairs=Vulcan Stone Stairs +Are\ you\ sure\ you\ would\ like\ to\ share\ this\ waypoint\ with\ \u00A7cEVERYONE\u00A7f\ in\ chat?=Are you sure you would like to share this waypoint with \u00A7cEVERYONE\u00A7f in chat? +Repurposed\ Structures=Repurposed Structures +Gray\ Lozenge=Grey Diamond +Display\ entities\ darker\ depending\ on\ their\ Y\ level\ relative\ to\ you.=Display entities darker depending on their Y level relative to you. +White\ Mushroom\ Block=White Mushroom Block +Limitless\ Potential=Limitless Potential +White\ Smooth\ Sandstone=White Smooth Sandstone +Cave\ Spawn\ Chance=Cave Spawn Chance +Pink\ Paly=Rosa Paly +Sky\ Stone\ Chest=Sky Stone Chest +Polished\ Andesite=Polit Andesite +Brown\ Per\ Bend\ Sinister\ Inverted=Brown-This Curve, Selling Fake +Lime\ Base\ Indented=Var Base Odsadenie +No\ player\ entry\ could\ be\ loaded\ for\ you.\ Please\ try\ again\ soon\ or\ report\ to\ your\ server\ administrator.\ This\ shouldn't\ happen.=No player entry could be loaded for you. Please try again soon or report to your server administrator. This shouldn't happen. +Delete\ Set=Delete Set +Input\ and\ Output=Input and Output +Acacia\ Button=Acacia Button +Twisting\ Vines=The Twisting Of The Vines +Narrates\ Chat=He Said That In Chat +Potted\ Cactus=Built-in +Light\ Blue\ Petal\ Block=Light Blue Petal Block +Scoreboard\ objective\ '%s'\ is\ read-only=The purpose of the scoreboard"%s"it is only for reading +%1$s\ was\ doomed\ to\ fall\ by\ %2$s\ using\ %3$s=%1$s it was decided that in the fall %2$s using %3$s +Stripped\ Aspen\ Log=Stripped Aspen Log +Leather\ Horse\ Armor=Leather Horse Armor +Netherrack\ Ghost\ Block=Netherrack Ghost Block +Fermenting\ Milk\ Bucket=Fermenting Milk Bucket +Missing=Missing +Distance\ Walked\ under\ Water=The trip over the Water +Candescent=Candescent +Jacaranda\ Leaves=Jacaranda Leaves +Bottom\ item\ must\ be\ bread=Bottom item must be bread +%1$s,\ and\ %2$s\ %3$s=%1$s, and %2$s %3$s +Pink\ Pale=Pale Pink +Magma\ Cube=Magma Kub +Galaxium\ Fragment=Galaxium Fragment +Reset\ To\ Default=Reset To Default +Obsidian\ Reinforced\ Door=Obsidian Reinforced Door +Willow\ Shelf=Willow Shelf +Show\ Uses\:=Show Uses\: +Go\ back=Go back +Crate\ of\ Wheat=Crate of Wheat +Warped\ Step=Warped Step +Warped\ Stem=The Rebellion Is A Mess Blue\ Gradient=Gradient Albastru -Magma\ Cube\ squishes=Magma cube je dusenie -Acquire\ Hardware=Hardware Overname +Kicked\ %s\:\ %s=Start %s\: %s +Marble\ Stairs=Marble Stairs +Yellow\ Per\ Bend=Yellow Mirror +Feed\ us\ data\!=Fed the information\! +Cherry\ Bookshelf=Cherry Bookshelf +Singleplayer=Singleplayer +Unable\ to\ switch\ gamemode,\ no\ permission=Not to be able to change the game, without the permission +Enable\ Hardcore\ mode\ and\ Questing\ mode.=Enable Hardcore mode and Questing mode. +Copied\ location\ to\ clipboard=To be copied to the clipboard +Sapphire\ Ore=Sapphire Ore +Marble\ Brick\ Stairs=Marble Brick Stairs +Flying\ Speed=The Speed Of The Aircraft +Solar\ Panel\ %s=Solar Panel %s +Red\:\ %s\ /\ %s=Red\: %s / %s +Now\ spectating\ %s=And now, for the first %s +Sandy\ Brick\ Wall=Sandy Brick Wall +Camo\ Paste=Camo Paste +Core\ of\ Flight=Core of Flight +Redstone\ Mode=Redstone Mode +Stripped\ Dark\ Oak\ Wood=The Nerves-Dark Oak +Original=The original +Enderman\ hurts=Loches Enderman +Resize\ Dynamically\:=Resize Dynamically\: +Max\ distance=Max distance +Pretty\ in\ Pink=Pretty in Pink +Really\ Rock\ Solid\ Hammer=Really Rock Solid Hammer +Insertion\ side\:\ =Insertion side\: +Shulker\ bullet\ explodes=Shulker bomba esplode in +Green\ Chief\ Sinister\ Canton=The Main Sinister Green County +Elite\ Vertical\ Conveyor=Elite Vertical Conveyor +Invalid\ IP\ address\ or\ unknown\ player=Incorrect IP address or an unknown player +Wireless\ Modem=Wireless Modem +Unknown\ color\ '%s'=- Color Unknown."%s' +Certus\ Quartz\ Shovel=Certus Quartz Shovel +Search\ Field\ Position\:=Search Field Position\: +Asphalt\ Slab=Asphalt Slab +Purple\ Glazed\ Terracotta=Purple Glazed Terracotta +Dyed=The color +ME\ Pattern\ Terminal=ME Pattern Terminal +en_us=speech +Toggle\ Liquid=Toggle Liquid +Evoker\ cheers=A sign of salvation +Type\ 1\ Cave\ Priority=Type 1 Cave Priority +Search\ for\ mods=Search mods +Mark\ Incomplete=Mark Incomplete +Move\ to\ output\ when\ full.=Move to output when full. +Lingering\ Potion\ of\ the\ Turtle\ Master=Strong Drink, The Owner Of The Turtle +Green\ Shield=The Green Shield +Brown\ Glazed\ Terracotta\ Camo\ Trapdoor=Brown Glazed Terracotta Camo Trapdoor +Multiple\ computers\ matching\ '%s'\ (instances\ %s)=Multiple computers matching '%s' (instances %s) +Warped\ Chair=Warped Chair +Copper\ Crook=Copper Crook +\nAdd\ the\ ID/resource\ location\ of\ the\ biome\ you\ don't\ want\ RS's\ igloos\ to\ spawn\ in.\ Separate\ each\ ID\ with\ a\ comma\ ,\ Example\:\ "minecraft\:ice_spikes,awesome_mod\:awesome_biome"=\nAdd the ID/resource location of the biome you don't want RS's igloos to spawn in. Separate each ID with a comma , Example\: "minecraft\:ice_spikes,awesome_mod\:awesome_biome" +Blue\ Flower\ Charge=Free Roses In Blue +Brown\ Bordure=Brown Desk +Tropical\ Fish\ flops=Tropske ribe-flop +Beveled\ Glass=Beveled Glass +Add\ Warped\ Shipwreck\ to\ Modded\ End\ Biomes=Add Warped Shipwreck to Modded End Biomes +Chat\ Delay\:\ None=Chat Delay\: No +Can't\ play\ this\ minigame\ in\ %s=Do not play this game for years %s +Molten\ Gold=Molten Gold +Polished\ Blackstone\ Button=Polished Blackstone " Press Duym\u0259sini +Lit\ Redstone\ Lamp=Lit Redstone Lamp +Terracotta\ Camo\ Door=Terracotta Camo Door +Small\ Sandstone\ Bricks=Small Sandstone Bricks +%1$s\ +\ %2$s=%1$s + %2$s +Pinging...=Ping... +Elite\ Solid\ Generator=Elite Solid Generator +\nAdd\ the\ ID/resource\ location\ of\ the\ biome\ you\ don't\ want\ RS's\ shipwrecks\ to\ spawn\ in.\ Separate\ each\ ID\ with\ a\ comma\ ,\ Example\:\ "minecraft\:ice_spikes,awesome_mod\:awesome_biome"=\nAdd the ID/resource location of the biome you don't want RS's shipwrecks to spawn in. Separate each ID with a comma , Example\: "minecraft\:ice_spikes,awesome_mod\:awesome_biome" +Vibration\ Chamber=Vibration Chamber +Obtain\ a\ Steel\ Ingot=Obtain a Steel Ingot +Sort\ By=Sort By +Scroll\ Up=Scroll Up +Blue\ Tent\ Side=Blue Tent Side +Creates\ worlds\ where\ there\ are\ no\ blocks\ except\ those\ indicating\ where\ caves=Creates worlds where there are no blocks except those indicating where caves +Ivis\ Fields=Ivis Fields +Red\ Alloy\ Ingot=Red Alloy Ingot +Linked\:\ %1$s,\ %2$s,\ %3$s\ in\ %4$s=Linked\: %1$s, %2$s, %3$s in %4$s +Red\ Cichlid=The Red Cichlids +Small\ Pile\ of\ Coal\ Dust=Small Pile of Coal Dust +Craft\ ME\ Glass\ Cable=Craft ME Glass Cable +Bright\ Illuminated\ Panel=Bright Illuminated Panel +Color=Color +Wing\ used\ by\ %1$s\ was\ cleared=Wing used by %1$s was cleared +ME\ Condenser\ -\ Output=ME Condenser - Output +Chrome\ Wall=Chrome Wall +Chest\ locked=The chest is locked +Cannot\ send\ chat\ message=This is not possible, the message Conversation +Purple\ Bend\ Sinister=It's Bad +Sapphire\ Plate=Sapphire Plate +Lava\ Bucket=Spaini Lava +Lime\ Patterned\ Wool=Lime Patterned Wool +Drops=Kapky +Dark\ Oak\ Fence\ Gate=Dark Oak Gate Fence +Toggle\ Slime\ Chunks=Toggle Slime Chunks +Target\ Mod\ Id=Target Mod Id += +Craft\ Golden\ Apples=Craft Golden Apples +Warped\ Warty\ Blackstone\ Brick\ Wall=Warped Warty Blackstone Brick Wall +Change\ Item=Change Item +No\ Crafting\ Job\ Active=No Crafting Job Active +LOAD=Load +Skeleton\ Horse\ swims=The skeleton of the Horse, and every thing +Silverfish=River Silverfish +Not\ so\ Eco-Friendly=Not so Eco-Friendly +Fortresses=Fortresses +Light\ Gray\ Paint\ Ball=Light Gray Paint Ball +Purple\ Asphalt=Purple Asphalt +Unable\ to\ host\ local\ game=A space for local games +Willow\ Crafting\ Table=Willow Crafting Table +Light\ Gray\ Per\ Fess\ Inverted=Light Gray In The Picture Of The Upside Fess +Too\ many\ operands=Too many operands +The\ party\ receives\ one\ set\ of\ rewards\ when\ completing\ a\ quest.\ Anyone\ can\ claim\ the\ reward\ but\ as\ soon\ as\ it\ is\ claimed\ no\ body\ else\ can\ claim\ it.=The party receives one set of rewards when completing a quest. Anyone can claim the reward but as soon as it is claimed no body else can claim it. +Redstone\ Dust=Redstone Dust +Diorite\ Post=Diorite Post +\u00A77\u00A7o"Merry\ Christmas\!"\u00A7r=\u00A77\u00A7o"Merry Christmas\!"\u00A7r +Lapis\ Lazuli\ Block=Det Lapis Lazuli Blok +Add\ End\ Mineshafts\ to\ End\ Barrens\ and\ Islands\ biome=Add End Mineshafts to End Barrens and Islands biome +Cika\ Fence\ Gate=Cika Fence Gate +Nether\ Pillar=Nether Pillar +Glowstone\ Dust=Glowstone Dust +Parrot\ angers=Tutuqu\u015Fu Angers +Wooded\ Grassland\ Plateau=Wooded Grassland Plateau +Ring\ of\ Water\ Breathing=Ring of Water Breathing +Stripped\ Mahogany\ Log=Stripped Mahogany Log +Purple\ Tulip=Purple Tulip +End\ Stone\ Pillar=End Stone Pillar +Created\ new\ objective\ %s=I have created a new lens %s +Chunk\ Grid=Chunk Grid +Right\ click\ with\ a\ $(item)Flint\ and\ Steel$()\ to\ launch.\ Right\ click\ with\ a\ $(item)Stick$()\ to\ destroy.\ These\ are\ both\ temporary\ measures.=Right click with a $(item)Flint and Steel$() to launch. Right click with a $(item)Stick$() to destroy. These are both temporary measures. +Change\ Commands=Change Commands +Polished\ Diorite\ Pillar=Polished Diorite Pillar +Smelt\ an\ iron\ ingot=It smelled of iron,and +Reputation\ task=Reputation task +Everyone\ puts\ their\ lives\ into\ a\ shared\ pool.\ If\ anyone\ dies\ a\ life\ is\ removed\ from\ there.\ Everyone\ needs\ at\ least\ one\ life\ to\ be\ kept\ in\ the\ game,\ so\ if\ your\ death\ results\ in\ the\ party\ getting\ too\ few\ lives,\ you\ get\ banned.\ The\ others\ can\ keep\ playing.=Everyone puts their lives into a shared pool. If anyone dies a life is removed from there. Everyone needs at least one life to be kept in the game, so if your death results in the party getting too few lives, you get banned. The others can keep playing. +Green\ Base=The Green Base Of The +Wither\ Skeleton\ dies=Umrah skeleton no +Green\ Dye=Yesil Farba +Netherrack\ Dust=Netherrack Dust +Peridot\ Shovel=Peridot Shovel +Red\ Glazed\ Terracotta=The Red Glazed One +Withering\ Heights=Withering Heights +Blue\ Shingles=Blue Shingles +Create\ Fluix\ Crystals=Create Fluix Crystals +Cannot\ divide\ by\ zero=You can not divide by zero. +Blast\ Furnace\ crackles=Crackles soba +%s\ \u00A77|\ %s\ \u00A77|\ %s=%s \u00A77| %s \u00A77| %s +Effect\ Amplifier=Effect Amplifier +Changes\ the\ way\ the\ ender\ chest\ content\ preview\ is\ synchronized.\nNone\:\n\ No\ synchronization,\n\ prevents\ clients\ from\ seeing\ a\ preview\ of\ their\ ender\ chest.\nActive\:\n\ Ender\ chest\ contents\ are\ synchronized\ when\ changed.\nPassive\:\n\ Ender\ chest\ contents\ are\ synchonized\n\ when\ the\ client\ opens\ a\ preview.=Changes the way the ender chest content preview is synchronized.\nNone\:\n No synchronization,\n prevents clients from seeing a preview of their ender chest.\nActive\:\n Ender chest contents are synchronized when changed.\nPassive\:\n Ender chest contents are synchonized\n when the client opens a preview. +Chicken\ Spawn\ Egg=Chicken, Egg, Caviar +Vanilla\ Recipe\ Book\:=Vanilla Recipe Book\: +Your\ graphics\ device\ is\ detected\ as\ unsupported\ for\ the\ %s\ graphics\ option.\n\nYou\ may\ ignore\ this\ and\ continue,\ however\ support\ will\ not\ be\ provided\ for\ your\ device\ if\ you\ choose\ to\ use\ %s\ graphics.=Graphics device supports is defined as %s it's a graphical version of the text.\n\nIf you want to help just ignore it and if you decide to use them I'm not going to give support for your device if you can %s graphics. +Better\ furnace=Better furnace +Bamboo=Bamboo +Chiseled\ Certus\ Quartz\ Block=Chiseled Certus Quartz Block +Frame=Frame +Block\ Grouping=Block Grouping +Death\ task=Death task +Fox\ screeches=Fox Creek +Allure=Allure +Green\ Creeper\ Charge=Green Gad Of The Card +Palm\ Fence=Palm Fence +Steel\ Shovel=Steel Shovel +Found\ MultiMC\ instance\ data\!\ (Name\:\ "%1$s"\ -\ Icon\:\ "%2$s")=Found MultiMC instance data\! (Name\: "%1$s" - Icon\: "%2$s") +Track\ how\ long\ computers\ execute\ for,\ as\ well\ as\ how\ many\ events\ they\ handle.\ This\ presents\ information\ in\ a\ similar\ way\ to\ /forge\ track\ and\ can\ be\ useful\ for\ diagnosing\ lag.=Track how long computers execute for, as well as how many events they handle. This presents information in a similar way to /forge track and can be useful for diagnosing lag. +Creamy\ White\ Wing=Creamy White Wing +Black\ Glazed\ Terracotta\ Glass=Black Glazed Terracotta Glass +Cyan\ Slime\ Block=Cyan Slime Block +Spruce\ Wall\ Sign=Eat Wall Sign +Day\ Three=Three Days +This\ book\ changes\ colors\ when\ you\ unlock\ entries\!=This book changes colors when you unlock entries\! +Custom\ bossbar\ %s\ has\ been\ renamed=Custom bossbar %s it changed +Crystal\ Gold\ Furnace=Crystal Gold Furnace +only\ play\ when\ the\ game\ window\ is.=only play when the game window is. +\u00A77\u00A7o"Ban\ Hammer\ not\ included."\u00A7r=\u00A77\u00A7o"Ban Hammer not included."\u00A7r +Cherry\ Oak\ Planks=Cherry Oak Planks +Irreality\ Wing=Irreality Wing +Gives\ you\ Breathing\ effect\ when\ underwater\ at\ cost\ of\ energy.=Gives you Breathing effect when underwater at cost of energy. +Sort\ Order=Sort Order +%1$s\ on\ an\ Iron\ Chest\ to\ convert\ it\ to\ an\ Obsidian\ Chest.=%1$s on an Iron Chest to convert it to an Obsidian Chest. +Raw\ Bread=Raw Bread +Connection\ closed=End connection +\ (Modded)=\ (Mod) +Gray\ Bundled\ Cable=Gray Bundled Cable +Flowering\ Orchard\ Leaves=Flowering Orchard Leaves +Pink\ Cherry\ Sapling=Pink Cherry Sapling +Metite\ Gear=Metite Gear +Generate\ Core\ of\ Flights\ on\ Woodland\ Mansion\ Chests=Generate Core of Flights on Woodland Mansion Chests +Pink\ Skull\ Charge=Pink Kafk\u00EBs Post +Light\ Blue\ Chief=Blue Light No No No No No. +Smooth\ Sandstone=Ljusa Sand +Weeping\ Vines\ Plant=Crying Planting Grapes +Prismarine\ Shard=Prismarit Not Shine +Saving\ chunks=Shranite deli +Basic\ Tank=Basic Tank +Fool's\ Gold\ Crook=Fool's Gold Crook +Strawberry=Strawberry +Force\ Reduced\ FPS=Force Reduced FPS +Chopped\ Beetroot=Chopped Beetroot +Downloading\ file\ (%s\ MB)...=In order to download the file. (%s Megabytes (MB)... +Keeps\ the\ hunger\ bar\ always\ full=Keeps the hunger bar always full +Tin\ Excavator=Tin Excavator +Server\ Address=Naslov Stre\u017Enika Exchange Server +Green\ Terracotta\ Camo\ Trapdoor=Green Terracotta Camo Trapdoor +Redwood\ Post=Redwood Post +Advanced\ Settings\ (Expert\ Users\ Only\!)=Advanced Settings (For Advanced Users Only\!) +Whitelist\ is\ already\ turned\ off=Whitelist is al uit +Purple\ Glider=Purple Glider +Giant=Stor +Gray\ Field\ Masoned=Pledged To The Brick In The Ground A Gray Area +Ebony\ Crafting\ Table=Ebony Crafting Table +Red\ Base\ Gradient=D\u00E9grad\u00E9 Rouge Foundation +When\ on\ head\:=When head\: +Sand\ Glass=Sand Glass +Only\ You=Only You +Light\ Gray\ Per\ Bend=The Light Gray Curve +Blue\ Chief\ Dexter\ Canton=Bl\u00E5 Hoved Dexter Canton +Removed\ %s\ schedules\ with\ id\ %s=For it to be removed %s Programs with the id of the %s +Illegal\ shulker\ contents=Illegal shulker contents +Hold\ CTRL\ for\ info=Hold CTRL for info +Collected\ items=Collected items +New\ world=One Of The New World +Dead\ Tube\ Coral=And Dead Corals, Pipe +Lit\ Yellow\ Redstone\ Lamp=Lit Yellow Redstone Lamp +Inscriber\ Name\ Press=Inscriber Name Press +Drowned\ throws\ Trident=Lord throws a trident +Cyan\ Snout=Blue Nose +Magic=Magic +Brown\ Chief\ Sinister\ Canton=\u018F, Ba\u015F Canton Sinister +Barrel=Old +Purple\ Per\ Pale\ Inverted=Color-Pale Purple-Upside-Down +Stripped\ White\ Oak\ Log=Stripped White Oak Log +Machine\ is\ not\ powered.=Machine is not powered. +Verbose\ Logging=Detailed Records +Small\ Pile\ of\ Marble\ Dust=Small Pile of Marble Dust +Toasted\ Crimson\ Fungus=Toasted Crimson Fungus +Your\ world\ will\ be\ regenerated\ and\ your\ current\ world\ will\ be\ lost=The world needs to be expanded, and in the world, has died +Gold\ Gear=Gold Gear +Render\ Boots\ Shield=Render Boots Shield +Brown\ Patterned\ Wool=Brown Patterned Wool +Cooked\ Cod=Boiled Cod +Fir\ Planks=Fir Planks +The\ minigame\ will\ end\ and\ your\ realm\ will\ be\ restored.=The game will come to an end, and peace will be restored. +Green\ Terracotta\ Camo\ Door=Green Terracotta Camo Door +Could\ not\ find\ that\ structure\ nearby=I don't think this structure +Bamboo\ Spike=Bamboo Spike +This\ area\ is\ not\ implemented\ just\ yet\!\\n\\n\ Please\ check\ back\ later...=This area is not implemented just yet\!\\n\\n Please check back later... +General\ settings\ for\ display\ info=General settings for display info +Pendorite\ Sword=Pendorite Sword +Show\ View\ Angles=Show View Angles +Bronze\ Chestplate=Bronze Chestplate +Drop\ mob\ loot=Efter\u00E5ret mob loot +Spruce\ Drawer=Spruce Drawer +Cut\ Sandstone=Cut The Stone Out Of The Sand +Bedrock=Gunnar +Raw\ Carrot\ Pie=Raw Carrot Pie +Max.\ Height=Max. Height +Half\ a\ heart=Half a heart +Rough\ Red\ Sandstone=Rough Red Sandstone +Lime\ Base\ Sinister\ Canton=Lime Poverty Database Name +Potted\ Orange\ Mushroom=Potted Orange Mushroom +Enable\ TTS=Enable TTS +Cleared\ titles\ for\ %s\ players=The deleted titles are %s player +Chestplate=Chestplate +Potted\ Green\ Calla\ Lily=Potted Green Calla Lily +Unable\ to\ get\ MCUpdater\ instance\ data\ (ignore\ if\ not\ using\ a\ MCUpdater\ Pack)=Unable to get MCUpdater instance data (ignore if not using a MCUpdater Pack) +Light\ Blue\ Glazed\ Terracotta\ Camo\ Door=Light Blue Glazed Terracotta Camo Door +Emerald\ Excavator=Emerald Excavator +Get\ a\ Modular\ Armor\ full\ set=Get a Modular Armor full set +Realms\ is\ not\ compatible\ with\ snapshot\ versions.=Universes that do not correspond to the version of highlights. +Nothing\ changed.\ Friendly\ fire\ is\ already\ disabled\ for\ that\ team=Nothing has changed. Each fire were closed team +Tables=Tables +Queen\ Angelfish=The Queen Of The Angels +\nAllow\ Nether-styled\ Stronghold\ to\ generate\ in\ modded\ Nether\ biomes.=\nAllow Nether-styled Stronghold to generate in modded Nether biomes. +12h=12h +%1$s\ %2$s,\ %3$s\ %4$s,\ %5$s\ %6$s,\ and\ %7$s\ %8$s=%1$s %2$s, %3$s %4$s, %5$s %6$s, and %7$s %8$s +Potted\ Huge\ Warped\ Fungus=Potted Huge Warped Fungus +Magma\ Cube\ hurts=Magma cube-TSE nasty +Lingering\ Rocket\ Fuel\ Bottle=Lingering Rocket Fuel Bottle +Yellow\ Stone\ Bricks=Yellow Stone Bricks +Mule\ eats=And eat it +Zinc\ Wall=Zinc Wall +Vein\ Count=Vein Count +->\ %s\ <%s>\ %s=-> %s <%s> %s +Configure...=To adjust the... +Japanese\ Maple\ Step=Japanese Maple Step +Lower=Lower +Gives\ you\ Jump\ Boost\ effect\ at\ cost\ of\ energy.=Gives you Jump Boost effect at cost of energy. +Rocky\ Houses\ Among\ the\ Giant\ Trees=Rocky Houses Among the Giant Trees +Creeper\ Head=The Creeper Head +Gray\ Per\ Pale=The Grey Light +Stone\ Excavator=Stone Excavator +Cupronickel\ Heating\ Coil=Cupronickel Heating Coil +Place\ an\ Interface\ on\ a\ storage\ Bus.=Place an Interface on a storage Bus. +\nHow\ rare\ are\ Nether\ Crimson\ Temples\ in\ Nether\ Crimson\ Forest.\ 1\ for\ spawning\ in\ most\ chunks\ and\ 1001\ for\ none.=\nHow rare are Nether Crimson Temples in Nether Crimson Forest. 1 for spawning in most chunks and 1001 for none. +Crimson\ Kitchen\ Counter=Crimson Kitchen Counter +Polished\ Basalt=The Polished Basalt +You\ have\ added\ 1\ to\ your\ total\ life.=You have added 1 to your total life. +Health\ Notification=Health Notification +Unselect\ All=Unselect All +When\ in\ off\ hand\:=According to the site\: +Fisherman=Peshkatari +Miscellaneous\ Settings=Miscellaneous Settings +Pink\ Dye=Pink +Blue\ Pale\ Dexter=Light Blue-Meaning Of The +Blue\ Base\ Indented=Blue Base Indented +\u00A77\u00A7o"You\ can\u2019t\ second-guess\ ineffability."\u00A7r=\u00A77\u00A7o"You can\u2019t second-guess ineffability."\u00A7r +Magenta\ Rune=Magenta Rune +Potted\ Warped\ Fungus=The Plants Have Curled Into A Mold +Purple\ Stained\ Pipe=Purple Stained Pipe +Fluid\ Name=Fluid Name +Black\ Terracotta\ Ghost\ Block=Black Terracotta Ghost Block +Fox\ bites=Fox bite +NBT\:\ %s\ tag(s)=NBT\: %s sign (- e). +Scroll\ Step=Not +Zelkova\ Trapdoor=Zelkova Trapdoor +Current\ State\:\ =Current State\: +Snowy\ Pine\ Mountains=Snowy Pine Mountains +Layer\ Material=Made Out Of A Material +Piston\ moves=Piston to move +Destroy\ the\ tree=The goal is to destroy the tree +A\ keybind\ error\ has\ occurred,\ resetting\ "%1$s"\ to\ default\ to\ prevent\ a\ crash...=A keybind error has occurred, resetting "%1$s" to default to prevent a crash... +Asteroid\ Ores=Asteroid Ores +2\u00B3\ Spatial\ Storage\ Cell=2\u00B3 Spatial Storage Cell +Fire\ Dragon\ Wing=Fire Dragon Wing +Ancient\ Forest=Ancient Forest +Cake\ Slices\ Eaten=A Piece Of Cake Ate +HCTM\ Base=HCTM Base +Iron\ Shard=Iron Shard +Fool's\ Gold\ Hammer=Fool's Gold Hammer +Saturation=The saturation +Osmium\ Wall=Osmium Wall +Willow\ Fence\ Gate=Willow Fence Gate +Silver\ Tiny\ Dust=Silver Tiny Dust +Potted\ Tall\ Lime\ Lily=Potted Tall Lime Lily +Player\ Outer\ Info\ Placeholder=Player Outer Info Placeholder +Cypress\ Coffee\ Table=Cypress Coffee Table +Warped\ Hopper=Warped Hopper +Marshlands=Marshlands +Red\ Sandstone\ Post=Red Sandstone Post +Jelanium\:\ Super\ Space\ Slime=Jelanium\: Super Space Slime +Biomes\ In\ Vanilla\ Mode=Biomes In Vanilla Mode +Command\ blocks\ are\ not\ enabled\ on\ this\ server=Command blocks are not enabled on this server +Cypress\ Bookshelf=Cypress Bookshelf +Sheep\ hurts=It will work for you +Lunum\ Tiny\ Dust=Lunum Tiny Dust +Lime\ ME\ Glass\ Cable=Lime ME Glass Cable +Mossy\ Stone\ Brick\ Step=Mossy Stone Brick Step +selected\ "%s"\ (%s)=selected%s" (%s) +Matter\ Ball=Matter Ball +Oak\ Kitchen\ Sink=Oak Kitchen Sink +Wooden\ Rod=Wooden Rod +Multiplayer\ Settings...=Settings For Multiplayer Games... +Head\ Protection=Head Protection +Command\ blocks=Command blocks +Wireless\ Booster=Wireless Booster +Birch\ Drawer=Birch Drawer +Pink\ Creeper\ Charge=Preis Rose Killer +Fabric\ Furnace=Fabric Furnace +Wired\ Modem=Wired Modem +Magenta\ Tulip=Magenta Tulip +\nAdds\ large\ tree\ somewhat\ uncommonly\ to\ Swamp\ biome\ and\ replaces\ all\ vanilla\ trees\ in\ Swamp\ Hills\ biome.=\nAdds large tree somewhat uncommonly to Swamp biome and replaces all vanilla trees in Swamp Hills biome. +Honey=Honey +%1$s\ fell\ off\ some\ twisting\ vines=%1$s he dropped a small coil of wires +\u00A79Use\ to\ get\ a\ random\ wing\u00A7r=\u00A79Use to get a random wing\u00A7r +Asterite\ Fragment=Asterite Fragment +Birch\ Planks\ Ghost\ Block=Birch Planks Ghost Block +Large\ Rows=Large Rows +Base\ value\ of\ attribute\ %s\ for\ entity\ %s\ is\ %s=The base value of the attribute %s this topic %s it is %s +Rubber\ Drawer=Rubber Drawer +Block\ of\ Fool's\ Gold=Block of Fool's Gold +Apple\ Crate=Apple Crate +Goatfish=A mullet +Sterling\ Silver\ Shovel=Sterling Silver Shovel +When\ enabled,\ the\ loading\ sound\ will=When enabled, the loading sound will +Craft\ a\ battery\ box=Craft a battery box +Original\ Potion=Original Potion +Colored\ Tiles\ (Green\ &\ Orange)=Colored Tiles (Green & Orange) +Stone\ Shovel=The Stone Of The Blade, +Value\ of\ modifier\ %s\ on\ attribute\ %s\ for\ entity\ %s\ is\ %s=The modifier value is %s attribute %s device %s ji %s +not\ %s=not %s +Mech\ Dragon\ Wing=Mech Dragon Wing +Not\ a\ valid\ value\!\ (Alpha)=Is not a correct value\! (Alpha) +Refined\ Iron=Refined Iron +Spawner\ Type=Spawner Type +Seasonal\ Forest=Seasonal Forest +A\ Village\ within\ the\ Birch\ Woods=A Village within the Birch Woods +9x9\ (Very\ High)=The 9x9 (Very High) +Lives\:\ %s=Lives\: %s +Seeds\ and\ bone\ meals=Seeds and bone meals +Maximum\ Linear\ Step=Maximum Linear Step +Obtaining\ Asterite=Obtaining Asterite +Can't\ get\ value\ of\ %s\ for\ %s;\ none\ is\ set=Retrieve the value of %s for %s someone else is not installed +Piglin\ Brute\ snorts\ angrily=Piglin Brute snorts angrily +Cyan\ Color\ Module=Cyan Color Module +Charred\ Brick\ Wall=Charred Brick Wall +An\ important\ tool\ in\ one's\ space\ journeys,\ it\ is\ responsible\ for\ providing\ maneuverable\ thrust.$(p)Surprisingly,\ it\ can\ also\ extinguish\ fire.=An important tool in one's space journeys, it is responsible for providing maneuverable thrust.$(p)Surprisingly, it can also extinguish fire. +Tame\ all\ cat\ variants\!=The types of domestic cats\! +Enter\ a\ Nether\ Bricks\ Shipwreck=Enter a Nether Bricks Shipwreck +Move\ with\ %s,\ %s,\ %s\ and\ %s=To move to the %s, %s, %s and %s +Raid=USE +\nAdds\ Snow\ themed\ wells\ to\ snowy\ and\ icy\ biomes.=\nAdds Snow themed wells to snowy and icy biomes. +Get\ a\ full\ suit\ of\ Univite\ Armor=Get a full suit of Univite Armor +Randomize=It +Rain=Rain +Purple\ Creeper\ Charge=The Red Creeper Charge +Rail=DGP transport +Title\ screen=The name of the screen +Exhaustion\ Multiplier=Exhaustion Multiplier +Paginated\ Screen=Paginated Screen +Decorative\ Xorcite\ Stone=Decorative Xorcite Stone +Mushroom\ Dungeons=Mushroom Dungeons +White\ Rune=White Rune +Cypress\ Boat=Cypress Boat +Magenta\ Base\ Gradient=The Purple Gradient In The Database +Chiseled\ Andesite\ Bricks=Chiseled Andesite Bricks +Asteroid\ Copper\ Cluster=Asteroid Copper Cluster +No\ Slide\ In\ when\ opened\ via\ Other\ Screen\:=No Slide In when opened via Other Screen\: +Plenty=Plenty +Metite\ Hammer=Metite Hammer +Item\ Hopper=The Output Hopper +Dead\ Brain\ Coral=The Dead Brain Coral +Shulker\ Box=Box Shulker +Notifications=Notifications +Breed\ two\ animals\ together=Tie together two animals +Cable=Cable +Get\ an\ Industrial\ Smelter=Get an Industrial Smelter +Jungle\ Timber\ Frame=Jungle Timber Frame +Lit\ Lime\ Redstone\ Lamp=Lit Lime Redstone Lamp +Your\ subscription\ has\ expired=If your subscription runs out +128\u00B3\ Spatial\ Storage\ Cell=128\u00B3 Spatial Storage Cell +Yellow\ Garnet\ Stairs=Yellow Garnet Stairs +Creative\ Storage\ Unit=Creative Storage Unit +Go\ look\ for\ a\ Mineshaft\!=Go look for a Mineshaft\! +Stone\ Age=Stone Age +Victory=Victoria +%1$s%%\ Chance\ for\ second\ output.=%1$s%% Chance for second output. +%s\ killed\ you\ %s\ time(s)=%s the kill %s time(s) +Tin\ Dust=Tin Dust +Cherry\ Oak\ Wood\ Stairs=Cherry Oak Wood Stairs +Sailor\ Hat=Sailor Hat +Nether\ Well=Nether Well +Search\:=Search\: +%s\ \u00A7aseconds\ of\ flight\ left\u00A7r=%s \u00A7aseconds of flight left\u00A7r +Red\ Garnet\ Plate=Red Garnet Plate +Day\ Four=On The Fourth Day +\nAdd\ Nether\ themed\ dungeon\ to\ Nether\ biomes.\ Spawn\ attempts\ per\ chunk.=\nAdd Nether themed dungeon to Nether biomes. Spawn attempts per chunk. +Give\ Me\ Hats\!=Give Me Hats\! +Potted\ Orange\ Calla\ Lily=Potted Orange Calla Lily +Materials=Material +Yellow\ Asphalt=Yellow Asphalt +Enter\ a\ Jungle\ Village=Enter a Jungle Village +Mangrove\ Stairs=Mangrove Stairs +Tech\ Reborn\ Manual=Tech Reborn Manual +Narrates\ All=It Says It All +A\ task\ where\ the\ player\ has\ to\ tame\ specific\ creatures.=A task where the player has to tame specific creatures. +Magenta\ Chief=Primary Magenta +180k\ Helium\ Coolant\ Cell=180k Helium Coolant Cell +Craft\ a\ Treetap=Craft a Treetap +Yellow\ Field\ Masoned=Yellow Brick Metro +Gray\ Futurneo\ Block=Gray Futurneo Block +Infinite=Infinite +Set\ spawn\ point\ to\ %s,\ %s,\ %s\ in\ %s\ for\ %s\ players=Vennligst point lager %s, %s, %s in the %s in %s play +Removed\ tag\ '%s'\ from\ %s\ entities=Panel for remote control %s of %s people +Witch\ Hazel\ Pressure\ Plate=Witch Hazel Pressure Plate +%1$s\ fell\ off\ a\ ladder=%1$s he fell down the stairs +Get\ a\ Basic\ Solar\ Generator=Get a Basic Solar Generator +Grants\ Regeneration\ Effect=Grants Regeneration Effect +Printed\ Page=Printed Page +Orange\ Flat\ Tent\ Top=Orange Flat Tent Top +Amaranth\ Roots=Amaranth Roots +Oak\ Hopper=Oak Hopper +Giant\ Boulders=Giant Boulders +Quest\ Tracking\ System=Quest Tracking System +Get\ a\ Pulverizer=Get a Pulverizer +Industrial\ Storage\ Unit=Industrial Storage Unit +Defaults\ to\ regular\ water\ if\ an\ invalid\ block\ is\ given.=Defaults to regular water if an invalid block is given. +Nothing\ changed.\ Death\ message\ visibility\ is\ already\ that\ value=Nothing has changed. Death already the visibility of the message, these values +Ruby\ Stairs=Ruby Stairs +Lead\ Gear=Lead Gear +\u00A77Hold\ \u00A7e\u00A7oSHIFT\ \u00A7r\u00A77for\ info=\u00A77Hold \u00A7e\u00A7oSHIFT \u00A7r\u00A77for info +Rabbit\ Hide=Rabbit Hide +White\ Concrete\ Powder=The White Cement Powder +Make\ World/Server\ Auto=Make World/Server Auto +Pick\ one\ reward=Pick one reward +Wither\ angers=Free angers +Trapdoor\ creaks=The opening is on the rocks +Eye\ of\ Ender\ shoots=Eye in the end to shoot +Gray\ Bend\ Sinister=Boz G\u00F6z Sinister +Light\ Blue\ Fess=The Light Blue Fess +Baobab\ Fence=Baobab Fence +%s\ Energy\ Cell=%s Energy Cell +Center=Center +\u00A77\u00A7o"I\ wonder\ if\ I\ can\ fix\ it\ with\u00A7r=\u00A77\u00A7o"I wonder if I can fix it with\u00A7r +Infinity=Infinity +Purple\ Thing=Purple Something +Purple\ cables\!=Purple cables\! +Obsidian\ Barrel=Obsidian Barrel +Joint\ Type\:=Joint Type\: +Gray\ Base\ Indented=The Gray Base Indented +Liquid\ Generating=Liquid Generating +Magenta\ Per\ Bend\ Sinister=\u03A4\u03BF \u039C\u03C9\u03B2 \u03A7\u03C1\u03CE\u03BC\u03B1 Bend Sinister +Red=Red +Chests\ Opened=Bitch A\u00E7maq +Shulker\ shoots=Disparar Shulker +Physically-Condensed\ Matrix\ Fragment=Physically-Condensed Matrix Fragment +Soul\ Fire=The Fire In My Soul +\u00A79\u00A7oShift\ click\ to\ enable=\u00A79\u00A7oShift click to enable +Cyan\ Roundel=Blue Ball +Allows\ you\ to\ toggle\ pet\ respawning\ by\ punching=Allows you to toggle pet respawning by punching +End\ Stone\ Brick\ Stairs=The Last Stone, Brick, Ladder +Decorating\ Your\ Home=Decorating Your Home +You\ currently\ have\ not\ bound\ a\ quest\ to\ the\ QDS=You currently have not bound a quest to the QDS +Applied\ enchantment\ %s\ to\ %s's\ item=Use the spell %s have %s"in the article +Entity\ Amount=Entity Amount +Lime\ Redstone\ Lamp=Lime Redstone Lamp +Automatically\ enables\ Better\ Caves\ in\ every\ possible\ dimension.=Automatically enables Better Caves in every possible dimension. +Get\ Biomass=Get Biomass +Green\ Gradient=Shades Of Green +Orange\ Lozenge=Orange Diamond +Orange\ Chief\ Indented=The Orange-Head Of The Group +Crimson\ Timber\ Frame=Crimson Timber Frame +Fire\ Coral\ Fan=Fire Coral Fan +White\ Tent\ Top=White Tent Top +Brown\ Beveled\ Glass=Brown Beveled Glass +Andesite\ Brick\ Slab=Andesite Brick Slab +Flashy\ Furnace=Flashy Furnace +Thin\ sheets\ of\ metal,\ plates\ are\ useful\ for\ constructing\ $(thing)housing$()\ for\ $(thing)machinery$().=Thin sheets of metal, plates are useful for constructing $(thing)housing$() for $(thing)machinery$(). +Block\ of\ Gold=There Is A Block Of Gold +\u00A76\u00A7lJoin\ request\ denied\ from\ %1$s\!=\u00A76\u00A7lJoin request denied from %1$s\! +Page\ %s=Page %s +Nether\ Quartz\ Hoe=Nether Quartz Hoe +Go\ look\ for\ a\ Igloo\!=Go look for a Igloo\! +Potted\ Tall\ Brown\ Gladiolus=Potted Tall Brown Gladiolus +Copy\ Chunk=Copy Chunk +Holly\ Button=Holly Button +Blue\ Glowshroom=Blue Glowshroom +Cyan\ Calla\ Lily=Cyan Calla Lily +Purpur\ Block=Purpur-Block +Mahogany\ door=Mahogany door +Dark\ Oak\ Slab=Dark Oak Worktop +Start\ tracking\ all\ computers'\ execution\ times\ and\ event\ counts.\ This\ will\ discard\ the\ results\ of\ previous\ runs.=Start tracking all computers' execution times and event counts. This will discard the results of previous runs. +Meteoric\ Steel\ Mattock=Meteoric Steel Mattock +Show\ States=Show States +Lava\ Cavern\:\ Redstone\ Block=Lava Cavern\: Redstone Block +Purple\ Bordure=Purple Edge +\nHow\ rare\ are\ Chains\ in\ this\ Stronghold.\ (Can\ have\ Soul\ Lantern\ attached)=\nHow rare are Chains in this Stronghold. (Can have Soul Lantern attached) +Cherry\ Oak\ Button=Cherry Oak Button +Less\ than\ a\ day=In less than a day +Spike\ Trap=Spike Trap +\nHow\ rare\ are\ Nether\ Soul\ Temples\ in\ Nether\ Soul\ Sand\ Valley\ .\ 1\ for\ spawning\ in\ most\ chunks\ and\ 1001\ for\ none.=\nHow rare are Nether Soul Temples in Nether Soul Sand Valley . 1 for spawning in most chunks and 1001 for none. +Clay\ Ball=The Argila Bola +Rare=Rare +Resets\ in\ %s=Resets in %s +Modifier\ %s\ is\ already\ present\ on\ attribute\ %s\ for\ entity\ %s=Changement %s I %s programa %s +White\ Tent\ Side=White Tent Side +Light\ Blue\ Insulated\ Wire=Light Blue Insulated Wire +Spear\ thrown=Spear thrown +Collect\:\ Sledgehammer=Collect\: Sledgehammer +Lime\ Terracotta\ Ghost\ Block=Lime Terracotta Ghost Block +Warped\ Sign=Unreadable Characters +Liquid\ Oxygen\ Bucket=Liquid Oxygen Bucket +Failed\ to\ connect\ to\ the\ server=This can be in the server log +Small\ Soul\ Sandstone\ Bricks=Small Soul Sandstone Bricks +Dolphin=Dolphin +Rubber\ Log=Rubber Log +Print\ owo\ on\ Start=Print owo on Start +Fluix\ Block=Fluix Block +Compressor\ Creative=Compressor Creative +Allows\ CraftPresence\ to\ change\ its\ display\ based\ on\ entity\ data\\n\ Note\ the\ following\:\\n\ -\ Requires\ an\ option\ in\ a\ valid\ entity\ message\ list=Allows CraftPresence to change its display based on entity data\\n Note the following\:\\n - Requires an option in a valid entity message list +Dolphin\ jumps=Dolphin jumping +\n1\ out\ of\ ___\ chance\ of\ Diamond\ Ore\ when\ placing\ a\ block\ in\ giant\ Boulders.\ Lower\ number\ \=\ more\ common.\ Enter\ 0\ to\ disable\ Diamond\ Ores\ completely.=\n1 out of ___ chance of Diamond Ore when placing a block in giant Boulders. Lower number \= more common. Enter 0 to disable Diamond Ores completely. +Presets=Presets +Wither\ released=Published disappears +Reset\ to\ Default=Kuidas reset default, +Display\ Enchants=Display Enchants +Portal\ noise\ intensifies=The portal-to-noise amplified +Searching\ for\ character\ and\ glyph\ width\ data...=Searching for character and glyph width data... +Abandoned\ Mineshaft\ Chests=Abandoned Mineshaft Chests +Biome\ Messages=Biome Messages +$(item)Galaxium\ Ore$()\ can\ be\ rarely\ found\ inside\ $(thing)$(l\:world/asteroids)Asteroids$()\ in\ $(thing)Space$().$(p)Galaxium\ Ore\ mining\ will\ require\ an\ $(item)Asterite\ Pickaxe$()\ (Mining\ Level\ 5)\ or\ better,\ usually\ resulting\ in\ a\ single\ $(item)$(l\:world/ore_clusters)Galaxium\ Cluster$()\ which\ can\ be\ forged\ into\ a\ $(item)Galaxium$()\ gem.=$(item)Galaxium Ore$() can be rarely found inside $(thing)$(l\:world/asteroids)Asteroids$() in $(thing)Space$().$(p)Galaxium Ore mining will require an $(item)Asterite Pickaxe$() (Mining Level 5) or better, usually resulting in a single $(item)$(l\:world/ore_clusters)Galaxium Cluster$() which can be forged into a $(item)Galaxium$() gem. +Stripped\ Cypress\ Log=Stripped Cypress Log +%s\ /\ %s=%s / %s +Green\ Insulated\ Wire=Green Insulated Wire +Smooth\ Biotite\ Slab=Smooth Biotite Slab +Cat\ Spawn\ Egg=Kotka Spawn EIC +Stone\ Crook=Stone Crook +Sandstone\ Post=Sandstone Post +Bucket=The kashik +Customize\ messages\ to\ display\ when\ riding\ an\ entity\\n\ (Manual\ format\:\ entity;message)\\n\ Available\ placeholders\:\\n\ -\ &entity&\ \=\ Entity\ name\ (or\ player\ UUID)\\n\\n\ %1$s=Customize messages to display when riding an entity\\n (Manual format\: entity;message)\\n Available placeholders\:\\n - &entity& \= Entity name (or player UUID)\\n\\n %1$s +Dropped\ %s\ items=Falls %s elements +Farming=Farming +Small\ Pile\ of\ Tungsten\ Dust=Small Pile of Tungsten Dust +%s\ has\ no\ properties=%s not specifications +Meteoric\ Steel\ Dust=Meteoric Steel Dust +Red\ Garnet\ Wall=Red Garnet Wall +Spruce\ Chest\ Boat=Spruce Chest Boat +top=top +Unlocked\ %s\ recipes\ for\ %s=If you %s recipe %s +BAM\ BAM\!\!\!\ You're\ dead\!\ Game\ over\!\ (Hardcore\ doesn't\ really\ work\ in\ Single\ Player.\ Try\ deleting\ your\ world\ and\ starting\ over\!)=BAM BAM\!\!\! You're dead\! Game over\! (Hardcore doesn't really work in Single Player. Try deleting your world and starting over\!) +Restart\ required\!=Restart required\! +Raw\ Chocolate\ Cake=Raw Chocolate Cake +Magenta\ Concrete\ Glass=Magenta Concrete Glass +Dark\ Oak\ Log=Dark Oak Log +Small\ Red\ Sandstone\ Brick\ Stairs=Small Red Sandstone Brick Stairs +F3\ +\ F\ \=\ Cycle\ render\ distance\ (Shift\ to\ invert)=\u04243 + F \= cycle distance from the work (the transition to the \u0438\u043D\u0432\u0435\u0440\u0442\u043D\u044B\u0439) +Galaxium\ Tiny\ Dust=Galaxium Tiny Dust +Oak\ Fence\ Gate=Oak Handrails, And Doors +Light\ Blue\ Shulker\ Box=Light Blue Ray Shulker +Blue\ Patterned\ Wool=Blue Patterned Wool +Interactions\ with\ Grindstone=Interakcia spp-AUX-plietol +Meteorite\ Hunter=Meteorite Hunter +Jungle\ Sapling=Gungate Sapling +Scoria\ Stone\ Brick\ Stairs=Scoria Stone Brick Stairs +Raw\ Netherite\ Dust=Raw Netherite Dust +Brown\ Concrete=The Beam Of The Concrete +Cracked\ Granite\ Bricks=Cracked Granite Bricks +Custom\ Splashes\:=Custom Splashes\: +Scan\ Output=Scan Output +Electrum\ Wall=Electrum Wall +Aluminium\ Dust=Aluminium Dust +Please\ select\ a\ biome=Please select the biome +Fool's\ Gold\ Boots=Fool's Gold Boots +Ten-Coin=Ten-Coin +\ \ Large\:\ 0.005=\ Large\: 0.005 +Errors\ in\ currently\ selected\ datapacks\ prevented\ world\ from\ loading.\nYou\ can\ either\ try\ to\ load\ only\ with\ vanilla\ datapack\ ("safe\ mode")\ or\ go\ back\ to\ title\ screen\ and\ fix\ it\ manually.=Errors in the current datapacks to avoid this, the world before you download.\nMaybe you want to try, is to download it just extract datapack (safe mode) or return to the main menu, and right hand. +Entry\ Panel\ Snap\ Rows\:=Entry Panel Snap Rows\: +Generate\ Copper=Generate Copper +Stretches\ caverns\ vertically.\ Lower\ value\ \=\ more\ open\ caverns\ with\ larger\ features.=Stretches caverns vertically. Lower value \= more open caverns with larger features. +Dark\ Oak\ Planks\ Camo\ Trapdoor=Dark Oak Planks Camo Trapdoor +Granite\ Glass=Granite Glass +Chiseled\ Red\ Sandstone=Chiseled Red Sand +Black\ Mushroom\ Block=Black Mushroom Block +Zombie\ Villager\ vociferates=Zombie-\u03BA\u03AC\u03C4\u03BF\u03B9\u03BA\u03BF\u03C2 vociferated +Magma\ Block=Magma Bloc +Unable\ to\ open\ game\ mode\ switcher,\ no\ permission=You can open last year's game without permission. +Brain\ Coral\ Wall\ Fan=The Brain Coral, Fan To The Wall +Respawn=Also +Soul\ Lantern\ Block=Soul Lantern Block +Tungsten\ Leggings=Tungsten Leggings +Showing\ All=Showing All +Mushroom\ Party\!=Mushroom Party\! +Maple\ Wood=Maple Wood +Slime\ hurts=The abomination of evil +Fluix\ ME\ Dense\ Smart\ Cable=Fluix ME Dense Smart Cable +Turned\ on\ %s/%s\ computers=Turned on %s/%s computers +Purpur\ Guardian=Purpur Guardian +Blue\ Taiga=Blue Taiga +Quartz\ Ore=Quartz Ore +Pumpkin\ Seeds=The Seeds Of The Pumpkin +Pine\ door=Pine door +Liquid\ Xp\ Bucket=Liquid Xp Bucket +Sterling\ Silver\ Mattock=Sterling Silver Mattock +Distance\ Crouched=Distance, Where I Was Born +Zelkova\ Leaves=Zelkova Leaves +Goal\ Reached\!=This Goal Was Achieved. +Rose\ Gold\ Sword=Rose Gold Sword +Zombie\ Head=The Zombie's Head +Label\ is\ already\ defined=Label is already defined +Color\ of\ the\ arrow\ used\ in\ the\ non-rotating\ variant\ of\ the\ minimap\ and\ some\ other\ cases.=Color of the arrow used in the non-rotating variant of the minimap and some other cases. +Boreal\ Clearing=Boreal Clearing +Brown\ Concrete\ Powder=Brown, Concrete Powder +Pink\ Per\ Bend\ Sinister=Rose Or Worse +Grants\ Fire\ Resistance\ Effect=Grants Fire Resistance Effect +Brown\ Per\ Fess\ Inverted=Coffee, Fess Inverted +A\ sliced\ bread\ food\ item\ that\ has\ been\ toasted\ in\ a\ Redstone\ Toaster.\ Restores\ more\ hunger\ than\ a\ Bread\ Slice,\ and\ can\ also\ be\ eaten\ quickly.=A sliced bread food item that has been toasted in a Redstone Toaster. Restores more hunger than a Bread Slice, and can also be eaten quickly. +Ghast=Minecraft +Press\ "S"\ to\ quickly\ access\ settings\ of\ a\ selected\ interface.=Press "S" to quickly access settings of a selected interface. +Show\ Info\ Tooltips=Show Info Tooltips +Bamboo\ Torch=Bamboo Torch +Yellow\ Flat\ Tent\ Top=Yellow Flat Tent Top +Redstone\ Wing=Redstone Wing +%1$s\ was\ doomed\ to\ fall=%1$s he was convicted and sentenced in the fall +$.3fM\ Energy=$.3fM Energy +Speed\:\ =Speed\: +%s%%\ and\ more\ with\ looting=%s%% and more with looting +Green\ Enchanted\ Stairs=Green Enchanted Stairs +Minecon\ 2016\ Cape\ Wing=Minecon 2016 Cape Wing +z\ position=The Z-position +Zombie\ Wall\ Head=The Zombie's Head Into The Wall +Add\ RS's\ Boulders\ to\ Modded\ Biomes=Add RS's Boulders to Modded Biomes +Heat=Heat +You\ should\ check\ out\ the\ Modular\ Armor=You should check out the Modular Armor +Blasting=Blasting +Filter\ using\ search\ filters.=Filter using search filters. +Light\ Blue\ Tent\ Top=Light Blue Tent Top +List\ of\ other\ tools=List of other tools +Purple\ Allium\ Bush=Purple Allium Bush +Single\ Page\ Screen=Single Page Screen +Japanese\ Maple\ Kitchen\ Counter=Japanese Maple Kitchen Counter +Loot\ Fabricator=Loot Fabricator +Storage\ %s\ has\ the\ following\ contents\:\ %s=Shop %s it has the following contents\: %s +Ebony\ Bookshelf=Ebony Bookshelf +Nothing\ changed.\ That\ team\ already\ has\ that\ name=There nothing has changed. The team already has that name +Blue\ Petal\ Block=Blue Petal Block +World\ %s=The world %s +Embur\ Nylium=Embur Nylium +Disabled\ zooming=Disabled zooming +24h=24h +Using\ trading\ stations=Using trading stations +Linked\ (Output\ Side)=Linked (Output Side) +Cornflower=Wheat flower +Brown\ Concrete\ Ghost\ Block=Brown Concrete Ghost Block +Pink\ Elevator=Pink Elevator +Enabled\ trigger\ %s\ for\ %s=A trigger that contains %s by %s +\u00A77\u00A7odrop\ a\ black\ feather?"\u00A7r=\u00A77\u00A7odrop a black feather?"\u00A7r +"Being\ Shot"\ Notific.="Being Shot" Notific. +Pillager\ dies=Raider morre +Zoglin\ attacks=Zoglin ataques +Paper\ Lamp=Paper Lamp +Craft\ a\ Gear=Craft a Gear +Enabled\ trigger\ %s\ for\ %s\ entities=The trigger value %s for %s Operators +Redstone\ Wire=Redstone Wire +Biome\ Scale\ Weight=Is \u0411\u0438\u043E\u043C Weight On The Scale +Advanced\ Card=Advanced Card +Vacuum\ Hopper=Vacuum Hopper +Use\ textures\ when\ completed=Use textures when completed +Select\ Amount=Select Amount +Netherrack\ Speleothem=Netherrack Speleothem +Search=Search +Size\ successfully\ detected\ for\ '%s'=All success to find%s' +Polished\ Diorite\ Stairs=The Prices Of Polished \u0414\u0438\u043E\u0440\u0438\u0442 +Cobweb=The website +Magenta\ Glazed\ Terracotta\ Camo\ Door=Magenta Glazed Terracotta Camo Door +Rough\ Red\ Sandstone\ Slab=Rough Red Sandstone Slab +Small\ White\ Oak\ Logs=Small White Oak Logs +Comal=Comal +Plains=Fields +\u00A79Combine\ this\ with\ a\ bounded\ Data\ Model\ in\ the\ crafting\ grid=\u00A79Combine this with a bounded Data Model in the crafting grid +Paper\ Wall=Paper Wall +Energy\ Storage\ Upgrade=Energy Storage Upgrade +Coroutines\ disposed=Coroutines disposed +Creative\ Chopper=Creative Chopper +Orange\ Per\ Pale=The Orange Light In The +Show\ Entity\ Depth=Show Entity Depth +All\ Entries=All Entries +Gamerule\ %s\ is\ now\ set\ to\:\ %s=The castle %s right now, it is defined as follows\: %s +Emerald\ Dust=Emerald Dust +Aqua=Aqua +Rainbow\ Eucalyptus\ Wall=Rainbow Eucalyptus Wall +Brass\ Dust=Brass Dust +km/h=km/h +Body\ Protection=Body Protection +Green\ Globe=Green World. +Hidden\ Gem=Hidden Gem +A\ smoked/campfired-cooked\ version\ of\ pork\ cuts,\ which\ restores\ more\ hunger.=A smoked/campfired-cooked version of pork cuts, which restores more hunger. +Black\ Cut\ Sandstone=Black Cut Sandstone +Smoker=Smokers +One\ of\ your\ changed\ options\ requires\ Minecraft\ to\ be\ restarted.=One of your changed options requires Minecraft to be restarted. +Expected\ '%s'=It is expected%s' +\u00A75Given\ the\ right\ conditions,\ the\ following\ mobs\ can\ spawn\:\ =\u00A75Given the right conditions, the following mobs can spawn\: +Block\ of\ Endorium=Block of Endorium +Verbose\ Mode=Verbose Mode +Entity's\ x\ rotation=Entity X rotate +hours=hours +play\ after\ a\ world\ is\ loaded.=play after a world is loaded. +1k\ ME\ Storage\ Cell=1k ME Storage Cell +A\ Seedy\ Place=Shabby Miejsce +Cracked\ Stone\ Bricks\ Camo\ Trapdoor=Cracked Stone Bricks Camo Trapdoor +Chain\ Link\ Fence=Chain Link Fence +Evoker\ casts\ spell=Summoner spells +Honeycomb\ Bricks=Honeycomb Bricks +Expert\ Coil=Expert Coil +Emit\ when\ levels\ are\ below\ limit.=Emit when levels are below limit. +Advanced\ Solid\ Generator=Advanced Solid Generator +Blacklists=Blacklists +Repair\ &\ Name=Repair and the Name of +Alpha=Alpha +Copper\ Leggings=Copper Leggings +Spruce\ Planks\ Glass=Spruce Planks Glass +Respawn\ Anchor=Horgony Spawn +Orange\ ME\ Smart\ Cable=Orange ME Smart Cable +Lunum\ Hammer=Lunum Hammer +Lead\ Plate=Lead Plate +Limestone\ Stairs=Limestone Stairs +Battery\ Box=Battery Box +This\ server\ doesn't\ have\ Hardcore\ Questing\ Mode\ enabled.=This server doesn't have Hardcore Questing Mode enabled. +Broadcast\ command\ block\ output=The output of the commands to the glasses +Reach\ 128\ channels\ using\ devices\ on\ a\ network.=Reach 128 channels using devices on a network. +Fiery\ Beginnings=Fiery Beginnings +Stone\ Mineshaft=Stone Mineshaft +Warped\ Cactus=Warped Cactus +Diamond\ Plate=Diamond Plate +Bucket\ empties=And placed it in the bucket +Teleport\ Anyway=Teleport Anyway +Small\ Pile\ of\ Diorite\ Dust=Small Pile of Diorite Dust +Provide\ help\ for\ a\ specific\ command=Provide help for a specific command +%s\ to\ %s=%s to %s +Librarian\ works=The librarian works +Quest\ page\ %s\ not\ found=Quest page %s not found +Pufferfish\ flops=Elegant fish +Magenta\ Stained\ Glass\ Pane=Magenta-Tinted Glass +Gray\ Elevator=Gray Elevator +Copper\ Block=Copper Block +The\ Muddy\ Colony=The Muddy Colony +Fir\ door=Fir door +Strike\ a\ Villager\ with\ lightning=Hit vistelse med faster +Dark\ Oak\ Hopper=Dark Oak Hopper +unknown=I don't know +Get\ a\ Chopper=Get a Chopper +Looks\ gross...=Looks gross... +Charged=Charged +Delete\ Sub-World\ Connection=Delete Sub-World Connection +Gilded\ Blackstone=Auksas Blackstone +Saving\ is\ already\ turned\ off=The saving is already turned off +Calciumcarbonate=Calciumcarbonate +Charger=Charger +Crafting\ and\ Notes=Crafting and Notes +Orange\ Concrete\ Powder=Orange Bollards Concrete +Granite\ Wall=Wall Of Granite +Throw\ a\ stone\ and\ skip\ it\ 6\ or\ more\ times=Throw a stone and skip it 6 or more times +Eternal\ Fiery\ Conquest=Eternal Fiery Conquest +Endorium\ Dust=Endorium Dust +Anvil=The anvil +Baobab\ Stairs=Baobab Stairs +\u00A77\u00A7o"Attendee's\ cape\ of\ MINECON\ 2011."\u00A7r=\u00A77\u00A7o"Attendee's cape of MINECON 2011."\u00A7r +Blue\ Flat\ Tent\ Top=Blue Flat Tent Top +Sensitivity=Sensitivity +Cherry\ Slab=Cherry Slab +Indigo\ Jacaranda\ Sapling=Indigo Jacaranda Sapling +Silver\ Wire=Silver Wire +Mojave\ Desert=Mojave Desert +Nether\ Brick\ Post=Nether Brick Post +Hoe\ Attack\ Speed\ (added)=Hoe Attack Speed (added) +Red\ Skull\ Charge=The Red Skull-Charge +Redwood\ Step=Redwood Step +Get\ Off\ My\ Lawn=Get Off My Lawn +%1$s\ was\ shot\ by\ %2$s\ using\ %3$s=%1$s it was shot, %2$s with %3$s +Keypad\ Decimal=Features Of The Keyboard +Quantum\ Chestplate=Quantum Chestplate +Craft\ the\ upgraded\ advanced\ solar\ panel=Craft the upgraded advanced solar panel +Yellow\ ME\ Covered\ Cable=Yellow ME Covered Cable +Refill\ blocks\ with\ similar\ functionality=Refill blocks with similar functionality +White\ Insulated\ Wire=White Insulated Wire +Advanced\ tooltips\:\ shown=More advice\: look at the +Graphite\ Sheet=Graphite Sheet +Cavern\ Region\ Size=Cavern Region Size +Craft\ a\ Prismarine\ Hammer\ with\ the\ material\ of\ the\ seas.=Craft a Prismarine Hammer with the material of the seas. +Obtain\ Crying\ Obsidian=\u053C\u0561\u0581, Obsidianas +Berries\ pop=Plodove pop +Empty\ Booster=Empty Booster +Keybind\ while\ hovering\ in\ Inventory=Keybind while hovering in Inventory +Toggle\ Hover\ Mode=Toggle Hover Mode +Acacia\ Slab=Stora Images +Cycle\ Secondary\ Modifier\ Key=Cycle Secondary Modifier Key +Light\ Blue\ Flower\ Charge=Light, Energy, Flower, Blue +Light\ Gray\ Bordure=Grey Reduction +Furnace\ Contents=Furnace Contents +This\ is\ useful\ for\ visualizing\ the\ kinds\ of=This is useful for visualizing the kinds of +Fire\ extinguished=Put on the fire, +Chiseled\ End\ Stone\ Bricks=Chiseled End Stone Bricks +Chat\ Settings...=Options... +MrMessiah's\ Cape\ Wing=MrMessiah's Cape Wing +Badlands\ Dungeons=Badlands Dungeons +Jungle\ Kitchen\ Cupboard=Jungle Kitchen Cupboard +Blue\ Base\ Gradient=Blue Base Gradient +Orange\ Field\ Masoned=Orange In The Country, The Brick, Floor +Cypress\ Crafting\ Table=Cypress Crafting Table +Holly\ Berry\ Leaves=Holly Berry Leaves +Fluix\ Production=Fluix Production +Sap=Sap ++%s%%\ %s=+%s%% %s +Fire\ extinguishes=Put on the fire +Times\ Crafted=Most Of The Times, Created The +Joshua\ Leaves=Joshua Leaves +Ebony\ Planks=Ebony Planks +Polished\ Granite\ Pillar=Polished Granite Pillar +Keybind\:\ %s=Keybind\: %s +Advanced\ technology=Advanced technology +ME\ IO\ Port=ME IO Port +Cypress\ Platform=Cypress Platform +Ceremonial\ Knife=Ceremonial Knife +Jukebox=This +Hold\ Shift\ for\ more\ information=Hold Shift for more information +End\ Stone\ Glass=End Stone Glass +Witch-hazel\ Crafting\ Table=Witch-hazel Crafting Table +Chiseled\ Marble\ Pillar=Chiseled Marble Pillar +Skeleton\ Horse\ dies=The skeleton of a Horse that never dies +Silicon\ Plate=Silicon Plate +Granted\ %s\ advancements\ to\ %s=Comes out on top %s Progres %s +Limestone\ Pillar=Limestone Pillar +Prismarine\ chimneys=Prismarine chimneys +Mayonnaise\ Bottle=Mayonnaise Bottle +Polished\ Blackstone\ Brick\ Slab=Polish Merchant-Brick Block +Zelkova\ Bookshelf=Zelkova Bookshelf +Removed\ modifier\ %s\ from\ attribute\ %s\ for\ entity\ %s=In order to delete a character %s attribute %s az arc %s +Refined\ Iron\ Plate=Refined Iron Plate +Hello,\ world\!=Hola, m\u00F3n\! +Allow\ Rare\ Bells=Allow Rare Bells +Tungstensteel\ Ingot=Tungstensteel Ingot +Loading\ failed=Loading failed +Aquatic\ Alternatives=Aquatic Alternatives +Entity\ Target\ Messages=Entity Target Messages +Skyris\ Log=Skyris Log +\nHow\ rare\ are\ Nether\ Temples\ in\ Nether\ Wastelands.\ 1\ for\ spawning\ in\ most\ chunks\ and\ 1001\ for\ none.=\nHow rare are Nether Temples in Nether Wastelands. 1 for spawning in most chunks and 1001 for none. +Gloves=Gloves +Netherite\ Boots=Netherite Ayaqqab\u0131 +$d\ WU=$d WU +Piglin=Piglin +Apply\ Changes=Apply The Changes To +Distance\ To\ WP=Distance To WP +Operator\ permissions\ are\ required\ to\ cheat\ items=Operator permissions are required to cheat items +Network\ Aesthetics=Network Aesthetics +Potted\ Tall\ Black\ Bat\ Orchid=Potted Tall Black Bat Orchid +Seasonal\ Giant\ Taiga=Seasonal Giant Taiga +Univite\ Sword=Univite Sword +No\ Coordinates\ Set=No Coordinates Set +Failed\ to\ delete\ world=Can't delete the world +Purple\ Fess=Depending On The Band +Distance\:\ =Distance\: +Stripped\ Birch\ Wood=Directions\: Breza +Red\ Cornflower=Red Cornflower +Lead\ Stairs=Lead Stairs +Yellow\ Tang=Yellow +Curse\ of\ Binding=The curse of bond +Set=Set +Erase\ cached\ data=To delete all data stored in the cache +Loading\ terrain...=Loading terrain... +Exact\ Match=Exact Match +Craft\ copper\ cable\ insulated\ with\ rubber=Craft copper cable insulated with rubber +Eating\ Chorus\ fruit\ will\ TP\ you\ to\ the\ closest\ Ender\ Pearl\ block=Eating Chorus fruit will TP you to the closest Ender Pearl block +Building\ terrain=The building on the ground +Fisher=Fisher +Fade\ to=Ne +Blacklisted\ Well\ Biomes=Blacklisted Well Biomes +Or\ use\ config\:=Or use config\: +Spooky\ Scary\ Skeletons=Spooky Scary Skeletons +Red\ Beveled\ Glass\ Pane=Red Beveled Glass Pane +Checking\ for\ valid\ Technic\ pack\ data...=Checking for valid Technic pack data... +Cobblestone\ Slab=Cobbled Plate +Purple\ Shield=The Shield-Purple +Jungle\ Drawer=Jungle Drawer +Gold\ Barrel=Gold Barrel +Golden\ Staff\ of\ Building=Golden Staff of Building +Lightners=Lightners +Crate\ of\ Sweet\ Berries=Crate of Sweet Berries +Volcanic\ Cobblestone\ Post=Volcanic Cobblestone Post +Heart\ of\ the\ Sky=Heart of the Sky +Soul\ Torch=Can (And +Stellum\ Excavator=Stellum Excavator +Buy\ a\ realm\!=You can buy a Kingdom\! +Opening\ Animations=Opening Animations +Show\ current\ dimension\ in\ Rich\ Presence?=Show current dimension in Rich Presence? +Solar\ Generator=Solar Generator +Red\ Rock\ Bricks=Red Rock Bricks +Storing\:=Storing\: +Tertiary\ Modifier\ Key=Tertiary Modifier Key +Energy\ Cell=Energy Cell +Undefined\ label=Undefined label +Controls\ resource\ drops\ from\ blocks,\ including\ experience\ orbs=A Source confirms that the points of the islands, including the experience of the spheres +Bronze\ Stairs=Bronze Stairs +Type\ 2\ Cave\ Priority=Type 2 Cave Priority +Teleport\ position\ is\ invalid\!\ Perhaps\ there's\ a\ block\ in\ the\ way?=Teleport position is invalid\! Perhaps there's a block in the way? +White\ Lawn\ Chair=White Lawn Chair +quests=quests +Found\ %s\ matching\ items\ on\ player\ %s=It %s are such elements as the player %s +Peridot\ Pickaxe=Peridot Pickaxe +"Off"\ disables\ transitions.="Off" disables transitions. +Crystal\ End\ Furnace=Crystal End Furnace +Entries\ must\ have\ the\ mod\ namespace\ included.=Entries must have the mod namespace included. +Black\ Concrete\ Ghost\ Block=Black Concrete Ghost Block +Potted\ Acacia=Potted Acacia +Construct\ and\ place\ a\ beacon=Construct and place a beacon +That\ player\ is\ already\ in\ a\ party,\ you\ can't\ invite\ players\ from\ other\ parties.=That player is already in a party, you can't invite players from other parties. +*yawn*=*prosave* +Depth\ Strider\ Cost=Depth Strider Cost +Pendorite\ Hoe=Pendorite Hoe +Crimson\ Coffee\ Table=Crimson Coffee Table +Joshua\ Fruit=Joshua Fruit +Caver's\ Delight=Turkish delight, electrical insulation +Lingering\ Potion=Yes, Behold Preodoleem, Boil +Loot\ a\ chest\ in\ a\ Bastion\ Remnant=Loot the chest for the Rest of the fort +Chemical\ Reactor=Chemical Reactor +30k\ Water\ Coolant\ Cell=30k Water Coolant Cell +Quartz\ Bricks\ Ghost\ Block=Quartz Bricks Ghost Block +Item\ Frame\ breaks=The item Frame breaks +Stripped\ Cherry\ Log=Stripped Cherry Log +Potion\ Crystal=Potion Crystal +Smooth\ Charred\ Nether\ Bricks=Smooth Charred Nether Bricks +Crop\ Progress=Crop Progress +Alert\ Low\ Light\ Level=Alert Low Light Level +Cyan\ Concrete\ Camo\ Door=Cyan Concrete Camo Door +Rubber\ Slab=Rubber Slab +Crude\ Storage\ Unit=Crude Storage Unit +White\ Oak\ Leaves=White Oak Leaves +Lime\ ME\ Dense\ Covered\ Cable=Lime ME Dense Covered Cable +Like\ Silver,\ But\ Sterling-er=Like Silver, But Sterling-er +Fool's\ Gold\ Hoe=Fool's Gold Hoe +Partition\ Storage=Partition Storage +%1$s\ died=%1$s he died +Open\ World\ Folder=Open The World Folder +Poseidon\ Bless=Poseidon Bless +Red\ Asphalt\ Slab=Red Asphalt Slab +Warped\ Fence=Wrapped In The Fence +Black\ Shield=Shield +Cauldron=Women +Great\ Helm=Great Helm +Brown\ Chief\ Indented=Brown, Glavna Jedinica +Grants\ Haste\ Effect=Grants Haste Effect +Players\ with\ advancements=Players who are successful +Polished\ Diorite=Polished Diorite +Crate\ of\ Potatoes=Crate of Potatoes +Sky=Sky +Crafting\ Mode=Crafting Mode +Choose\ a\ preset=Choose a preset +\nAdd\ the\ ID/resource\ location\ of\ the\ biome\ you\ don't\ want\ RS's\ swamp\ trees\ to\ spawn\ in.\ Separate\ each\ ID\ with\ a\ comma\ ,\ Example\:\ "minecraft\:ice_spikes,awesome_mod\:awesome_biome"=\nAdd the ID/resource location of the biome you don't want RS's swamp trees to spawn in. Separate each ID with a comma , Example\: "minecraft\:ice_spikes,awesome_mod\:awesome_biome" +[+%s\ pending\ lines]=[+%s on the eve of the line] +Pink\ Beveled\ Glass=Pink Beveled Glass +Info\:=Info\: +Determines\ how\ frequently\ Type\ 1\ Caves\ spawn.\ 0\ \=\ will\ not\ spawn\ at\ all.=Determines how frequently Type 1 Caves spawn. 0 \= will not spawn at all. +Obsidian\ Brick\ Stairs=Obsidian Brick Stairs +CraftPresence\ -\ Available\ Biomes=CraftPresence - Available Biomes +TNT=Photos +Yellow\ Glider=Yellow Glider +Lunum\ Ingot=Lunum Ingot +Mob\ Kills=Mafia Killed +Stored\ Fluids=Stored Fluids +Counting\ chunks...=A Number Of Parts Of... +Copied\ current\ device\ configuration\ to\ memory\ card.=Copied current device configuration to memory card. +Metite\ Crook=Metite Crook +Reset\ Keys=Buttons Remove +Use\ "Quest\ Select"\ tool=Use "Quest Select" tool +Keypad\ Enter=The keyboard +Rabbit=Kani +Purple\ Terracotta=Purple Beach +Heart\ of\ the\ Sea=In the middle of the sea +Red\ ME\ Covered\ Cable=Red ME Covered Cable +Pause\ on\ lost\ focus\:\ disabled=During the break, harm, attention\: closed +Wooded\ Badlands\ Plateau=In The Forest, Not Plateau +Minecart\ rolls=Car racing +Black\ Creeper\ Charge=Nero CREEPER Gratis +playing\ future\ updates\ as\ OpenGL\ 2.0\ will\ be\ required\!=to play, future updates, Issues with the 2.0 have to be\! +Date\ Format=Date Format +Realms\ Notifications=Kogus Teated +Carved\ Pumpkin=Pumpkins Gdhendur +Copper\ Axe=Copper Axe +Warped\ Trapdoor=Warped Gates +White\ Terracotta\ Camo\ Door=White Terracotta Camo Door +Smooth\ Red\ Nether\ Bricks=Smooth Red Nether Bricks +Riptide=Desert +Mule=Wall +Inherited\ invisibility=Inherited invisibility +Iron\ Glass\ Door=Iron Glass Door +Eat\ everything\ that\ is\ edible,\ even\ if\ it's\ not\ good\ for\ you=Eat everything that is edible, even if it's not good for you +Ominous\ horn\ blares=Sinister whistling +Sweet\ Berry\ Jam=Sweet Berry Jam +Sol=Sol +Kill\ a\ total\ of\ %s=Kill a total of %s +Plus\ 1\ Secret=Plus 1 Secret +Lime\ Terracotta\ Glass=Lime Terracotta Glass +Basic\ Storage\ Unit=Basic Storage Unit +From\ Hades=From Hades +Panel\ in\ reduced\ sunlight=Panel in reduced sunlight +\nAdd\ Nether\ Wasteland\ Temples\ to\ modded\ Nether\ biomes\ that\ other\ nether\ temples\ won't\ fit\ in.=\nAdd Nether Wasteland Temples to modded Nether biomes that other nether temples won't fit in. +Recipe\ Screen\ Type\:\ %s=Recipe Screen Type\: %s +Advanced\ Settings=Advanced Settings +I\ Smite\ Thee\!=I Smite Thee\! +Zombie\ creatures\ (Demonic\ Flesh)=Zombie creatures (Demonic Flesh) +Floored\ Cavern\ Maximum\ Altitude=Floored Cavern Maximum Altitude +The\ Fez=The Fez +Golden\ Crook=Golden Crook +Iron\ Lance=Iron Lance +Rainbow\ Eucalyptus\ Post=Rainbow Eucalyptus Post +Pinned\ Width\ Scale=Pinned Width Scale +Set\ own\ game\ mode\ to\ %s=Set the mode of the games %s +Tick=Tick +Void=Void +Soul\ Torch\ Lever=Soul Torch Lever +Diamond\ Kibe=Diamond Kibe +Crimson\ Planks\ Camo\ Trapdoor=Crimson Planks Camo Trapdoor +Zelkova\ Wood=Zelkova Wood +Cyan\ Wool=The Blue Wave +Snowy\ Coniferous\ Hills=Snowy Coniferous Hills +Requires\ processing\ mode=Requires processing mode +Shulker\ closes=Shulker is closed +2x\ Compressed\ Dirt=2x Compressed Dirt +Start\:\ %s=Start\: %s +Glowstone\ Lamp=Glowstone Lamp +Lettuce\ Head=Lettuce Head +Leaves\ (Legacy)=Leaves (Legacy) +\u00A79Use\ to\ attach\ this\ wing\u00A7r=\u00A79Use to attach this wing\u00A7r +Invisibility=Invisibility +Coniferous\ Forest=Coniferous Forest +Dragon\ dies=Zmaj Umrah +Fire\ Coral\ Wall\ Fan=Gaisro Coral Fan Sienos +Price=Price +Scoria\ Tile\ Slab=Scoria Tile Slab +\u00A77\u00A7o"Did\ this\ white\ chicken\ just\u00A7r=\u00A77\u00A7o"Did this white chicken just\u00A7r +Tungsten\ Stairs=Tungsten Stairs +Blue\ ME\ Dense\ Smart\ Cable=Blue ME Dense Smart Cable +Craft\ an\ Elite\ Circuit=Craft an Elite Circuit +Clean=Clean +Information=Information +Linkart=Linkart +Clear=Clear +Mountains=Mountain +Gray\ Chief\ Sinister\ Canton=Silver Chief Sinister Canton +\ Speed\ increase\:\ %sx=\ Speed increase\: %sx +Ender\ Pearl=This Is A Ender Pearl +Squid=The project +Extra\ Vanilla\ Material\ Excavators=Extra Vanilla Material Excavators +Invalid\ UUID=It is not a valid UUID +%s\ has\ no\ scores\ to\ show=%s the assessment doesn't seem +Iron\ Golem\ breaks=The iron Golem breaks the +Inactive=Inactive +Red\ Nether\ Brick\ Chimney=Red Nether Brick Chimney +LED\ Lamp=LED Lamp +Spawn\ mobs=Spawn of the crowd +Don't\ agree=I do not agree with the +Cod\ dies=Cod is dying +Item\ unavailable.=Item unavailable. +Pick\ the\ correct\ tool=Pick the correct tool +Oak\ Cutting\ Board=Oak Cutting Board +%1$s\ on\ a\ Wooden\ Chest\ to\ convert\ it\ to\ an\ Obsidian\ Chest.=%1$s on a Wooden Chest to convert it to an Obsidian Chest. +Rainbow\ Eucalyptus\ Platform=Rainbow Eucalyptus Platform +Scroll\ Duration=The Search Term +Burp=Hiccup +\u00A76\u00A7lRequest\ Info\:\u00A7r\\n\ \u00A76\u00A7lRequester\ Username\:\ %1$s\\n\\n\ \u00A76\u00A7lUse\ /cp\ request\ \ or\ wait\ %2$s\ seconds\ to\ ignore=\u00A76\u00A7lRequest Info\:\u00A7r\\n \u00A76\u00A7lRequester Username\: %1$s\\n\\n \u00A76\u00A7lUse /cp request or wait %2$s seconds to ignore +Extra\ Keybinds=Extra Keybinds +Refill\ with\ any\ blocks=Refill with any blocks +Decline=Decline +Steel\ is\ useful\ for\ creating\ tools,\ and\ is\ also\ used\ in\ construction\ of\ more\ advanced\ machines.=Steel is useful for creating tools, and is also used in construction of more advanced machines. +Wrong\ dimension=Wrong dimension +Custom\ value\ for\ cave\ region\ size.\ Smaller\ value\ \=\ larger\ regions.=Custom value for cave region size. Smaller value \= larger regions. +Black\ Per\ Fess=Crna Fess +Bistort=Bistort +Spatial\ Coordination=Spatial Coordination +Acacia\ Leaves=The Acacia Leaves +ME\ Fluid\ Import\ Bus=ME Fluid Import Bus +Floored\ Cavern\ Priority=Floored Cavern Priority +Polished\ Andesite\ Ghost\ Block=Polished Andesite Ghost Block +Gray\ Mushroom=Gray Mushroom +Can't\ resolve\ hostname=I don't know to resolve the host name +Brick\ Chimney=Brick Chimney +Hades\ Pristine\ Matter=Hades Pristine Matter +Weakness=Weakness +Acacia\ Drawer=Acacia Drawer +Infested\ Stone=Mysterious Stone +There\ are\ no\ more\ data\ packs\ available=Has more information than what is +Tier=Tier +Small\ Pile\ of\ Bronze\ Dust=Small Pile of Bronze Dust +Brown\ Birch\ Sapling=Brown Birch Sapling +Reinforced\ Glass=Reinforced Glass +Small\ Pile\ of\ Sodalite\ Dust=Small Pile of Sodalite Dust +Spruce\ Slab=Gran Boards +Bacon\ Strips=Bacon Strips +Diamond\ Dust=Diamond Dust +ME\ Fluid\ Formation\ Plane=ME Fluid Formation Plane +Bubbles\ woosh=Ilmapallo, hop, +Basic\ Conveyor=Basic Conveyor +Blaze\ Powder=Blaze Powder +have\ died\ this\ way.=have died this way. +Inventory=The composition of the +Fire\ Resistance\ Module=Fire Resistance Module +Oak\ Planks\ Glass=Oak Planks Glass +Cika\ Boat=Cika Boat +Input\ Rate=Input Rate +Mossy\ Stone=Mossy Stone +Removed\ %s\ from\ any\ team=Remove the %s the whole team +Golden\ Spined\ Cactus=Golden Spined Cactus +Lead\ Sword=Lead Sword +Brown\ Terracotta\ Camo\ Trapdoor=Brown Terracotta Camo Trapdoor +Cave\ Maps\ Depth=Cave Maps Depth +Semifluid\ Generator=Semifluid Generator +1st=1st +The\ advancement\ %1$s\ does\ not\ contain\ the\ criterion\ '%2$s'=Rast %1$s do not include the criteria"%2$s' +Polished\ Blackstone\ Bricks\ Ghost\ Block=Polished Blackstone Bricks Ghost Block +Smooth\ Lighting=Even Lighting +Birch\ Platform=Birch Platform +Craft\ the\ industrial\ solar\ panel=Craft the industrial solar panel +Cinematic\ Camera=Cinematic Camera +Block\ Placer=Block Placer +CraftPresence\ -\ Controls=CraftPresence - Controls +\u00A7lCraftPresence\ -\ Assets\ Sub-Commands\:\\n\\n\ \u00A76\u00A7llarge\ \u00A7r-\ View\ Discord\ assets\ with\ size\ LARGE\\n\ \u00A76\u00A7lsmall\ \u00A7r-\ View\ Discord\ assets\ with\ size\ SMALL\\n\ \u00A76\u00A7lall\ \u00A7r-\ View\ all\ Discord\ assets=\u00A7lCraftPresence - Assets Sub-Commands\:\\n\\n \u00A76\u00A7llarge \u00A7r- View Discord assets with size LARGE\\n \u00A76\u00A7lsmall \u00A7r- View Discord assets with size SMALL\\n \u00A76\u00A7lall \u00A7r- View all Discord assets +Splash\ Rocket\ Fuel\ Bottle=Splash Rocket Fuel Bottle +Classic=Classic +\u00A78Faulty\u00A7r=\u00A78Faulty\u00A7r +Invalid\ Item=Invalid Item +Indigo\ Jacaranda\ Leaves=Indigo Jacaranda Leaves +Weaponsmith=Shop +Cobblestone\ Generator=Cobblestone Generator +Purple\ Beveled\ Glass\ Pane=Purple Beveled Glass Pane +Omni-Tool=Omni-Tool +Magenta\ Flat\ Tent\ Top=Magenta Flat Tent Top +Invar\ Stairs=Invar Stairs +Character\ Width\:=Character Width\: +Brown\ Bend=Brown ' s Perspektiv. +Pink\ ME\ Glass\ Cable=Pink ME Glass Cable +Only\ one\ player\ is\ allowed,\ but\ the\ provided\ selector\ allows\ more\ than\ one=Is allowed only one player, provided, however, finder allows more than +Lime\ Stained\ Glass\ Pane=Plates, Pickled Lime +Block\ of\ Silver=Block of Silver +Set\ the\ weather\ to\ rain=To set the time in the rain +Road\ Barrier=Road Barrier +Throw\ a\ trident\ at\ something.\nNote\:\ Throwing\ away\ your\ only\ weapon\ is\ not\ a\ good\ idea.=Trident or something similar.\nIt\: ___________________________ note\: throw away the only weapon that is not a good idea. +Light\ Gray\ Glazed\ Terracotta\ Pillar=Light Gray Glazed Terracotta Pillar +Strongholds\ Configs=Strongholds Configs +Mule\ dies=The animals are dying +"%1$s"\ has\ been\ successfully\ loaded\ as\ a\ DLL\!="%1$s" has been successfully loaded as a DLL\! +Copied\ server-side\ entity\ data\ to\ clipboard=Up your server data are in the clipboard +Bamboo\ Forest=Bamboo Forest +Rubber\ Stairs=Rubber Stairs +\u00A72\u00A7lReloaded\ CraftPresence\ data\!=\u00A72\u00A7lReloaded CraftPresence data\! +Dead\ Horn\ Coral\ Wall\ Fan=Dood Koraal Fan Wall +Crimson\ Sign=Crimson Tekenen +Verifying\ your\ world=Check the world +<%s>\ %s=<%s> %s +Redwood\ Mountains=Redwood Mountains +Donkey\ Spawn\ Egg=Donkey, Egg, Eggs +Rope\ Bridge\ Anchor=Rope Bridge Anchor +Invalid\ icon\ "%1$s"\ in\ property\ "%2$s",\ selecting\ a\ randomized\ valid\ icon...=Invalid icon "%1$s" in property "%2$s", selecting a randomized valid icon... +Parrot\ vexes=Parrots prefer +Sword\ Damage=Sword Damage +Palm\ Wood\ Button=Palm Wood Button +\u00A76\u00A7lShutting\ down\ CraftPresence...=\u00A76\u00A7lShutting down CraftPresence... +Fool's\ Gold\ Tiny\ Dust=Fool's Gold Tiny Dust +Custom\ value\ for\ cavern\ region\ size.\ Smaller\ value\ \=\ larger\ regions.=Custom value for cavern region size. Smaller value \= larger regions. +California\ Poppy=California Poppy +Ultimate\ Coil=Ultimate Coil +Time=Time +Orange\ Per\ Fess=The Orange Colour In Fess +Trident\ thunder\ cracks=The Trident cracks of thunder +Soul\ Soil=The Soul Of The Earth +The\ End=The end of the +White\ Cut\ Sandstone=White Cut Sandstone +Orange\ Base\ Gradient=Orange Base Of The Slope +Blackstone\ Platform=Blackstone Platform +Collect\:\ End\ Stone\ Pillar,\ Quartz\ Pillar,\ Purpur\ Pillar=Collect\: End Stone Pillar, Quartz Pillar, Purpur Pillar +Purple\ Banner=Blue Advertising +Bar\ Colors=Bar Colors +Cyan\ Tent\ Top\ Flat=Cyan Tent Top Flat +Zinc\ Nugget=Zinc Nugget +Device\ Offline=Device Offline +This\ action\ can't\ be\ reversed.=This action can't be reversed. +This\ block\ is\ protected\ by\ a\ claim\!=This block is protected by a claim\! +Overworld\ Pristine\ Matter=Overworld Pristine Matter +Block\ of\ Peridot=Block of Peridot +Vivecraft\ Message=Vivecraft Message +Realistic\ Bakery\ Products=Realistic Bakery Products +Percent=Percent +Update\ weather=Tid for oppdatering +Cleric=Mentally +RandomTick\ divisor=RandomTick divisor +\:thonk=\:thonk +Ornate\ Butterflyfish=Ornate Butterfly +Not\ enough\ ropes\!\ %s\ more\ ropes\ needed.=Not enough ropes\! %s more ropes needed. +Advanced\ Downward\ Vertical\ Conveyor=Advanced Downward Vertical Conveyor +Warped\ Drawer=Warped Drawer +Tiny=Tiny +The\ tooltip\ to\ use.\nVanilla\:\n\ The\ vanilla\ tooltip\ (shows\ the\ first\ 5\ items)\nModded\:\n\ The\ mod's\ tooltip\nNone\:\ No\ tooltip=The tooltip to use.\nVanilla\:\n The vanilla tooltip (shows the first 5 items)\nModded\:\n The mod's tooltip\nNone\: No tooltip +Complete\ Advancements\ to\ unlock\ more\!=Complete Advancements to unlock more\! +%1$s\ was\ killed\ by\ %2$s=%1$s he died at the hands of the %2$s +Max\ Flight\ Ticks\ per\ Level=Max Flight Ticks per Level +Rose\ Gold\ Mattock=Rose Gold Mattock +Cyan\ Shingles=Cyan Shingles +Version\ Info=Version Info +Brown\ Per\ Fess=Cafea Recunosc +Potted\ Huge\ Brown\ Mushroom=Potted Huge Brown Mushroom +\nHow\ rare\ are\ Warped\ Outpost\ in\ Warped\ biomes.\ 1\ for\ spawning\ in\ most\ chunks\ and\ 1001\ for\ none.=\nHow rare are Warped Outpost in Warped biomes. 1 for spawning in most chunks and 1001 for none. +Drop\ entity\ equipment=The fall of the object from the device +Smite=Prodavnica +Multiplayer\ is\ disabled,\ please\ check\ your\ launcher\ settings.=Multiplayer is turned off, it is worth to check the settings on the launcher. +Small\ Tent=Small Tent +Colored\ Tiles\ (Pink\ &\ Magenta)=Colored Tiles (Pink & Magenta) +Jungle\ Shelf=Jungle Shelf +The\ Woolrus=The Woolrus +Vindicator\ Spawn\ Egg=Vindicator Eggs, Caviar +Iron\ Door=Iron Gate +An\ index\ of\ every\ chapter\ available\ in\ this\ book.$(br2)You\ may\ search\ through\ the\ index,\ or\ any\ other\ category,\ by\ simply\ typing\ in\ your\ query.\ A\ search\ bar\ will\ then\ appear\ to\ assist\ you.=An index of every chapter available in this book.$(br2)You may search through the index, or any other category, by simply typing in your query. A search bar will then appear to assist you. +Brown\ ME\ Smart\ Cable=Brown ME Smart Cable +Invalid\ Pattern=Invalid Pattern +Current\ Transformer=Current Transformer +Marble\ Circle\ Pavement=Marble Circle Pavement +Emeradic\ Claim\ Anchor=Emeradic Claim Anchor +Cypress\ Table=Cypress Table +Crafting\ Station\ Slab=Crafting Station Slab +Silk\ Touch=Press Silk +Semi\ Fluid\ Generator=Semi Fluid Generator +Blue\ Field\ Masoned=The Blue Field Mason You +Analog\ Fan=Analog Fan +Entity's\ y\ rotation=Q is a rotation of the object +Purple\ Per\ Bend\ Sinister=The Make Of The Bad +Black\ Beveled\ Glass\ Pane=Black Beveled Glass Pane +Advanced\ %s\ Turtle=Advanced %s Turtle +Lush\ Tundra=Lush Tundra +Medium\ Rows=Medium Rows +Click\ to\ Copy\ to\ Clipboard=Click " copy to Clipboard +Successfully\ cloned\ %s\ blocks=Successfully cloned %s bloki +Skyris\ Wood=Skyris Wood +3x\ Compressed\ Netherrack=3x Compressed Netherrack +Endless\ Backpack=Endless Backpack +Catwalk\ Stairs=Catwalk Stairs +Cyan=Cena +The\ color\ or\ texture\ to\ be\ used\ when\ rendering\ CraftPresence\ tooltip\ borders=The color or texture to be used when rendering CraftPresence tooltip borders +Bonded\ Leather=Bonded Leather +Charges\ equipped\ items\ or\ anything\ you\ put\ in\ it\!=Charges equipped items or anything you put in it\! +Stray\ dies=Camera the +Blue\ Chiseled\ Sandstone=Blue Chiseled Sandstone +Water\ Breathing\ Cost=Water Breathing Cost +Birch\ Planks\ Glass=Birch Planks Glass +lots=lots +Tab=Karti +Set\ Default\ Smooth\ Scroll=The Default Is Smooth Scrolling +Finishing\ up...=The output... +Parrot\ eats=Food For Parrots +Toggle\ Mode=Toggle Mode ++%s\ %s=+%s %s +Size\:\ \u00A76Large\u00A7r=Size\: \u00A76Large\u00A7r +Solid\ Infuser\ Creative=Solid Infuser Creative +Pink\ Base\ Dexter\ Canton=La Base Rosa Dexter Cantone +Fox\ squeaks=\ Fox, creaking +Too\ Large\!\ (Maximum\:\ %s)=Zelo Kul\! (Max\: %s) +Asterite\ Mattock=Asterite Mattock +3x3\ (Fast)=3x3 (Speed) +Display\ Module=Display Module +Jacaranda\ Forest\ Hills=Jacaranda Forest Hills +Enter\ a\ Nether\ Wasteland\ Temple=Enter a Nether Wasteland Temple +Sterling\ Silver\ Excavator=Sterling Silver Excavator +You\ can\ look\ but\ don't\ touch=You can also see, but not touch +Polished\ Andesite\ Step=Polished Andesite Step +Andesite\ Circle\ Pavement=Andesite Circle Pavement +Nothing\ changed.\ That's\ already\ the\ style\ of\ this\ bossbar=It makes no difference. This is not a style, it's bossbar +Zoom\ Transition=Zoom Transition +Playing\ on\ a\ LAN\ Server=Playing on a LAN Server +Joining=Chapter +Chicken\ clucks=Saw Clucks +Connect/disconnect\ selected\ sub-world\ to/from\ the\ current\ "auto"\ one.\ Only\ connect\ sub-worlds\ that\ are\ from\ the\ same\ world\ save.\ For\ example,\ if\ a\ vanilla\ Nether\ portal\ takes\ you\ from\ sub-world\ A\ to\ sub-world\ B,\ then\ you\ can\ connect\ them.\ Sub-worlds\ connected\ to\ your\ current\ one\ are\ always\ at\ the\ top\ of\ the\ list\ and\ are\ marked\ by\ a\ *\ symbol.=Connect/disconnect selected sub-world to/from the current "auto" one. Only connect sub-worlds that are from the same world save. For example, if a vanilla Nether portal takes you from sub-world A to sub-world B, then you can connect them. Sub-worlds connected to your current one are always at the top of the list and are marked by a * symbol. +A\ Boolean=Logical +Objective=Objective +Pink\ Mushroom=Pink Mushroom +Cyan\ Shingles\ Stairs=Cyan Shingles Stairs +Milk\ Cauldron=Milk Cauldron +i\ ran\ out\ of\ ideas=i ran out of ideas +End\ Gateway=The Last Trumpet +Small\ Pile\ of\ Obsidian\ Dust=Small Pile of Obsidian Dust +Jump\ Boost=The Switch For The Lift +Prism=Prism +Univite\ Chestplate=Univite Chestplate +Baked\ Potato=Baked Kartof +Panda\ eats=The Panda ate +Bamboo\ Fence\ Gate=Bamboo Fence Gate +Ruby\ Pickaxe=Ruby Pickaxe +Used\ to\ activate\ milk\ in\ a\ basin\ to\ allow\ it\ to\ become\ cheese.\ Comes\ in\ many\ variants.\ Interact\ with\ a\ milk-filled\ basin\ to\ use.=Used to activate milk in a basin to allow it to become cheese. Comes in many variants. Interact with a milk-filled basin to use. +Tin\ Leggings=Tin Leggings +Emerald=Emerald +Crimson\ Warty\ Blackstone\ Brick\ Slab=Crimson Warty Blackstone Brick Slab +Eye\ of\ Ender\ falls=Ochite on Ender PAA +Get\ a\ full\ suit\ of\ Netherite\ armor=To get a full Netherite armor +Dark\ Oak\ Cutting\ Board=Dark Oak Cutting Board +Diamond\ to\ Obsidian\ upgrade=Diamond to Obsidian upgrade +Copper\ Mattock=Copper Mattock +Broadcast\ admin\ commands=Gear box administrator team +Diamond\ Hammer=Diamond Hammer +Red\ Nether\ Pillar=Red Nether Pillar +Dacite\ Wall=Dacite Wall +Stellum\ Boots=Stellum Boots +Distance\ Swum=Distance Swam +Aquilorite\ Block=Aquilorite Block +Removed\ objective\ %s=Nie %s +Background\ Mode\:=Background Mode\: +Lit\ Brown\ Redstone\ Lamp=Lit Brown Redstone Lamp +Allows\ CraftPresence\ to\ utilize\ commands\\n\ (Enables\ Command\ Gui\ in\ main\ Config\ Gui)=Allows CraftPresence to utilize commands\\n (Enables Command Gui in main Config Gui) +Quantum\ Entangled\ Singularity=Quantum Entangled Singularity +You\ may\ not\ rest\ now;\ the\ bed\ is\ too\ far\ away=Now a bit \u043E\u0442\u0434\u043E\u0445\u043D\u0443; the bed is too far away. +Get\ a\ Speed\ Upgrade=Get a Speed Upgrade +Expected\ boolean=It is believed that logic +Gamerule\ %s\ is\ currently\ set\ to\:\ %s=Gamerule %s currently it is configured to\: %s +Sandwich\ Maker=Sandwich Maker +[Debug]\:=[Debug]\: +Middle\ Button=The Middle Button +Zombified\ Piglin=Zombies Flycatchers +Your\ realm\ will\ be\ permanently\ deleted=In the region, it is permanently deleted +Enables\ the\ module.\ Disabling\ disables\ all\ others\ all\ other\ values=Enables the module. Disabling disables all others all other values +Mossy\ Stone\ Bricks=Mossig Most, Tegel, Tegel, +Certus\ Quartz\ Seed=Certus Quartz Seed +Purple\ Chief\ Indented=Purple Head Removal +Enter\ a\ Dark\ Oak\ Village=Enter a Dark Oak Village +Allow\ sitting\ on\ tables=Allow sitting on tables +Jacaranda\ Planks=Jacaranda Planks +Black\ Terracotta=Svart Terracotta +Team\ prefix\ set\ to\ %s=The command prefix and the value %s +(no\ connection)=(no link) +Maximum\ Zoom\ Divisor=Maximum Zoom Divisor +Edit\ World=World Order +Ancient\ Debris=Ancient Ruins +Stripped\ Dark\ Oak\ Log=For The Removal Of Dark Oak Logs +Staff\ of\ Building=Staff of Building +Powerful\ electronics=Powerful electronics +Purple\ Glowcane=Purple Glowcane +Purple\ Tent\ Top\ Flat=Purple Tent Top Flat +Conduit\ attacks=Wireless attacks +A\ Throwaway\ Joke=The Inadequate Joke +Please\ reset\ or\ select\ another\ world.=Please reset or change the world. +Minimap\ Settings=Minimap Settings +Blue\ cables\!=Blue cables\! +Brass\ Plate=Brass Plate +Diamond\ Fragment=Diamond Fragment +Bee\ buzzes=In the buzzing beer +\nAdd\ the\ ID/resource\ location\ of\ the\ biome\ you\ don't\ want\ RS's\ outposts\ to\ spawn\ in.\ Separate\ each\ ID\ with\ a\ comma\ ,\ Example\:\ "minecraft\:ice_spikes,awesome_mod\:awesome_biome"=\nAdd the ID/resource location of the biome you don't want RS's outposts to spawn in. Separate each ID with a comma , Example\: "minecraft\:ice_spikes,awesome_mod\:awesome_biome" +Search\ Debug\ Mode\:=Search Debug Mode\: +LAN\ Game\ Message=LAN Game Message +Feather=The spring +x\ position=in the case of X +Destroy\ Item=Blast The Dots +Zoglin\ hurts=Zogla hurt +Stripped\ Baobab\ Log=Stripped Baobab Log +Spruce\ Fence=Spruce Fence +Potted\ Tall\ Light\ Gray\ Rose\ Campion=Potted Tall Light Gray Rose Campion +Rose\ Gold\ Nugget=Rose Gold Nugget +Text\ Background=The Text In The Background +Dumped\ all\ handlers\ to\ waila_handlers.md=Dumped all handlers to waila_handlers.md +Unmarked\ chunk\ %s\ in\ %s\ for\ force\ loading=Is Marked In Units Of The %s see %s to be in charge of the force +Player\ Health\ Placeholder=Player Health Placeholder +Fancier\ furnace=Fancier furnace +Metite=Metite +Tin=Tin +Recipe\ ID\:\ %s=Recipe ID\: %s +Consume\ task=Consume task +Enable\ show\ info=Enable show info +The\ pitch\ of\ the\ sound\ to\ play.=The pitch of the sound to play. +Yellowtail\ Parrotfish=Yellowtail Papagal +Lime\ Chevron=Lime Chevron +\nAdd\ Stonebrick-styled\ Stronghold\ to\ all\ modded\ non-Nether\ biomes\ even\ if\ they\ have\ don't\ have\ vanilla\ Strongholds.=\nAdd Stonebrick-styled Stronghold to all modded non-Nether biomes even if they have don't have vanilla Strongholds. +A\ machine\ which\ consumes\ $(thing)energy$()\ to\ pulverize\ $(thing)items$()\ into\ useful\ materials.=A machine which consumes $(thing)energy$() to pulverize $(thing)items$() into useful materials. +Brown\ Rune=Brown Rune +Bat\ hurts=The Bat hurts +Small\ Pile\ of\ Clay\ Dust=Small Pile of Clay Dust +Gives\ you\ Night\ Vision\ effect\ at\ cost\ of\ energy.=Gives you Night Vision effect at cost of energy. +Unmarked\ all\ force\ loaded\ chunks\ in\ %s=Anonymous, all the power is loaded into bits and pieces %s +when\ on\ fire=when on fire +Adorn+EP\:\ Shelves=Adorn+EP\: Shelves +Purple\ Sofa=Purple Sofa +Quantum\ Supremacy=Quantum Supremacy +Hidden\ Hud=Hidden Hud +Steel\ Yourself=Steel Yourself +Fox\ teleports=Fox sign up to the rays of the +Bee\ leaves\ hive=The Queen bee leaves the hive, +Winged\:\ Showcase=Winged\: Showcase +Honeycomb=Honeycomb +Tech\ Reborn=Tech Reborn +Raw\ Donut\ with\ Cream=Raw Donut with Cream +Parrotfish=In The Morning +Crimson\ Wart\ Block=Crimson Wart Block +Scoria\ Stone\ Brick\ Wall=Scoria Stone Brick Wall +Magenta\ Per\ Pale=Light Purple +This\ command\ only\ works\ in\ singleplayer.=This command only works in singleplayer. +Lime\ Asphalt\ Stairs=Lime Asphalt Stairs +A\ task\ where\ the\ player\ has\ to\ die\ a\ certain\ amount\ of\ times.=A task where the player has to die a certain amount of times. +The\ target\ block\ is\ not\ a\ block\ entity=The last block, the block, in fact, +Iron\ Barrel=Iron Barrel +360k\ Helium\ Coolant\ Cell=360k Helium Coolant Cell +Iron\ Trapdoor=Iron Door +Black\ Rose=Black Rose +Berries\ Pie=Berries Pie +Lime\ Concrete\ Camo\ Door=Lime Concrete Camo Door +Polished\ Blackstone\ Glass=Polished Blackstone Glass +ME\ Quantum\ Link\ Chamber=ME Quantum Link Chamber +\u00A77\u00A7olevitate\ inside\ my\ pockets."\u00A7r=\u00A77\u00A7olevitate inside my pockets."\u00A7r +Dark\ Oak\ Diagonal\ Timber\ Frame=Dark Oak Diagonal Timber Frame +Basic\ Circuit=Basic Circuit +5x\ Compressed\ Sand=5x Compressed Sand +Cheese=Cheese +Next\ Gen\ Crafting=Next Gen Crafting +Blaze\ crackles=The fire is crackling +Basic\ Battery=Basic Battery +Wandering\ Trader\ appears=Wandering through the exhibition +%s\ has\ %s\ [[live||lives]]\ remaining=%s has %s [[live||lives]] remaining +Render\ All\ Waypoint\ Sets=Render All Waypoint Sets +Smithing=Smithing +Saltpeter\ Dust=Saltpeter Dust +Controls=The controls +Display\ the\ status\ of\ all\ computers\ or\ specific\ information\ about\ one\ computer.\ You\ can\ specify\ the\ computer's\ instance\ id\ (e.g.\ 123),\ computer\ id\ (e.g\ \#123)\ or\ label\ (e.g.\ "@My\ Computer").=Display the status of all computers or specific information about one computer. You can specify the computer's instance id (e.g. 123), computer id (e.g \#123) or label (e.g. "@My Computer"). +Quantum\ Link\ Chamber=Quantum Link Chamber +Cleric\ works=The priest is +Silver\ Ore=Silver Ore +Redstone\ \u00A73(Blockus)=Redstone \u00A73(Blockus) +Potted\ Pink\ Lathyrus=Potted Pink Lathyrus +Ebony\ Boat=Ebony Boat +Asteroid\ Gold\ Cluster=Asteroid Gold Cluster +Small\ Pile\ of\ Diamond\ Dust=Small Pile of Diamond Dust +$(item)Silver\ Ore$()\ can\ be\ found\ $(thing)underground$()\ in\ $(thing)The\ Overworld$().$(p)Mining\ requires\ only\ a\ $(item)Iron\ Pickaxe$()\ (Mining\ Level\ 2)\ or\ better,\ and\ can\ then\ be\ $(thing)smelted$()\ into\ a\ $(item)Silver\ Ingot$().=$(item)Silver Ore$() can be found $(thing)underground$() in $(thing)The Overworld$().$(p)Mining requires only a $(item)Iron Pickaxe$() (Mining Level 2) or better, and can then be $(thing)smelted$() into a $(item)Silver Ingot$(). +Enable\ Questing\ mode.=Enable Questing mode. +Sterling\ Silver\ Plates=Sterling Silver Plates +Yellow\ Garnet\ Wall=Yellow Garnet Wall +Get\ a\ MK3\ Circuit=Get a MK3 Circuit +Dover\ Mountains=Dover Mountains +White\ Bordure\ Indented=Version Of The White, And The Edge Of The +\nHow\ rare\ are\ Chains\ in\ this\ Stronghold.\ (Can\ have\ Lantern\ attached)=\nHow rare are Chains in this Stronghold. (Can have Lantern attached) +Lingering\ Uncraftable\ Potion=Slowly, Uncraftable Drink +Rubber\ Platform=Rubber Platform +Armor\ Stand=Armor Stand +The\ Burning\ Temple=The Burning Temple +Gray\ Tent\ Side=Gray Tent Side +Soapstone\ Pillar=Soapstone Pillar +Action\ bar-like\ system\ of\ keybinds\ that\ lets\ you\ automatically\ use\ a\ set\ item\ in\ your\ hot\ bar\ without\ having\ to\ switch\ away\ from\ your\ currently\ held\ item.\ Holding\ the\ key\ bind\ lets\ you\ keep\ using\ the\ item\ like\ if\ you\ were\ holding\ the\ right\ mouse\ button.\ For\ example\:\ placing\ torches,\ TNT,\ throwing\ potions,\ eating\ food,\ drinking.=Action bar-like system of keybinds that lets you automatically use a set item in your hot bar without having to switch away from your currently held item. Holding the key bind lets you keep using the item like if you were holding the right mouse button. For example\: placing torches, TNT, throwing potions, eating food, drinking. +MK3\ Circuit=MK3 Circuit +Snooper=Chicken +Aspen\ Slab=Aspen Slab +difficulty,\ and\ one\ life\ only=it is a difficult one, and the one and only +Green\ Tent\ Side=Green Tent Side +Raw\ Cookie=Raw Cookie +Zombie\ Friendly=Zombie Friendly +BYG-BETA=BYG-BETA +Bubble\ Coral\ Fan=Bubble Coral Fan +Cannot\ spectate\ yourself=You can not look at each other, +Light\ Gray\ Chief\ Dexter\ Canton=Light-The Chief Dexter Canton +Old\ Customized=An Old Tune +%1$s\ was\ shot\ by\ a\ skull\ from\ %2$s=%1$s was shot by a skull from %2$s +Heart\ of\ the\ Machine=Heart of the Machine +This\ realm\ doesn't\ have\ any\ backups\ currently.=This is the kingdom of god, and which had no back-up time. +Item\ Tooltip=Item Tooltip +Stripped\ Dark\ Amaranth\ Stem=Stripped Dark Amaranth Stem +Something\ fell=Bir \u015Fey fell off +Purple\ Lumen\ Paint\ Ball=Purple Lumen Paint Ball +Spike\ Clangs=Spike Clangs +Black\ Terracotta\ Glass=Black Terracotta Glass +Gave\ %s\ experience\ levels\ to\ %s\ players=The dose %s level of experience %s the players +Top=Top +Clayfish=Clayfish +Black\ Stained\ Pipe=Black Stained Pipe +Unclaimed\ reward=Unclaimed reward +version\ %s=version %s +\nHow\ rare\ are\ Stonebrick-styled\ Strongholds.\ 1\ for\ spawning\ in\ most\ chunks\ and\ 1001\ for\ no\ spawn.=\nHow rare are Stonebrick-styled Strongholds. 1 for spawning in most chunks and 1001 for no spawn. +Red\ Snapper=Red Cocktail +Tropical\ Rainforest\ Hills=Tropical Rainforest Hills +Wandering\ Trader\ disagrees=A sale is not agreed, the +Show\ Worst=Show Worst +Fool's\ Gold\ Leggings=Fool's Gold Leggings +Taiga\ Mineshaft=Taiga Mineshaft +Cat\ meows=Cat miauna +Target=The Goal +Lead\ Tiny\ Dust=Lead Tiny Dust +Quit\ &\ Discard\ Changes=Off To Go Back To Make Changes +Command\ set\:\ %s=The number of teams. %s +Cartography\ Table=Maps Table +%1$s\ /\ %2$s=%1$s / %2$s +Maximum\ Y\ height.\ Default\ is\ 255.\ Note\:\ Will\ spawn\ between\ min\ and\ max\ config\ height.\ If\ below\ min\ height,\ this\ will\ be\ read\ as\ min\ height.=Maximum Y height. Default is 255. Note\: Will spawn between min and max config height. If below min height, this will be read as min height. +2nd=2nd +Display\ Entity\ Model=Display Entity Model +Fir\ Shelf=Fir Shelf +Ruby\ Dust=Ruby Dust +Sticky\ Situation=Sticky Situation +Items\ extracted\ from\ ME\ Storage=Items extracted from ME Storage +Not\ enough\ materials.=Not enough materials. +Salmon\ dies=Salmon Yes for Umrah +Your\ realm\ will\ become\ unavailable.=Your domain is no longer available. +Hostile\ Creatures=The Enemy Creatures +Craft\ a\ basic\ iron\ alloy\ furnace=Craft a basic iron alloy furnace +\nHow\ rare\ are\ Nether-styled\ Strongholds\ in\ Nether-category\ biomes.\ 1\ for\ spawning\ in\ most\ chunks\ and\ 1001\ for\ no\ spawn.\ Note\:\ Eyes\ of\ Ender\ will\ show\ the\ closest\ Nether\ Stronghold.=\nHow rare are Nether-styled Strongholds in Nether-category biomes. 1 for spawning in most chunks and 1001 for no spawn. Note\: Eyes of Ender will show the closest Nether Stronghold. +Ocean\ Mineshaft=Ocean Mineshaft +Miscellaneous\ settings\ used\ in\ cave\ and\ cavern\ generation.=Miscellaneous settings used in cave and cavern generation. +Spread=Spread +Showing\ all=With the participation of all +Mob\ Follow\ Range=Mafia To Perform A Number Of +Soapstone\ Brick\ Wall=Soapstone Brick Wall +White\ Futurneo\ Block=White Futurneo Block +Burnt\ Marshmallow\ on\ a\ Stick=Burnt Marshmallow on a Stick +Galaxium\ Boots=Galaxium Boots +Red\ Concrete\ Glass=Red Concrete Glass +Terracotta\ Glass=Terracotta Glass +Player\ teleports=Now the player +Frozen\ Lake=Frozen Lake +Endermen\ drops\ Irreality\ Crystal=Endermen drops Irreality Crystal +Splash\ Potion\ of\ Fire\ Resistance=A splash potion of fire resistance +Potted\ Oxeye\ Daisy=Home Oxeye Daisy +/config/slightguimodifications/text_field.png=/config/slightguimodifications/text_field.png +Birch\ Planks=Bedoll Consells +Coordinates\ have\ been=Coordinates have been +Merging\ started,\ now\ %s\ the\ other\ chest.=Merging started, now %s the other chest. +Block\ Breaker=Block Breaker +Hot\ Stuff=Hot Stuff +2\ to\ 3=2 to 3 +Titanium\ Stairs=Titanium Stairs +Radius=Radius +Endorium\ Rod=Endorium Rod +Scale\:\ %s=Scale\: %s +Feather\ Falling\ Module=Feather Falling Module +Fir\ Pressure\ Plate=Fir Pressure Plate +Hide\ Selected=Hide Selected +Moon\ Stone\ Wall=Moon Stone Wall +Unlocks\ %s\ [[quest||quests]]\ elsewhere.=Unlocks %s [[quest||quests]] elsewhere. +Orange\ Stone\ Bricks=Orange Stone Bricks +Enable\ Flooded\ Ravines=Enable Flooded Ravines +Showing=Showing +%s\ has\ %s\ experience\ levels=%s there %s levels of experience +Invalid\ move\ vehicle\ packet\ received=A step in the wrong box, the car received a +There\ are\ %s\ tracked\ entities\:\ %s=A %s entourage\: %s +Invalid\ move\ player\ packet\ received=Step the wrong package +Beetroot=Red beet +Soaked\ Brick\ Wall=Soaked Brick Wall +Birch\ to\ Enter\ the\ Mine\!=Birch to Enter the Mine\! +Emerald\ Ore=Emerald Rudy +Yellow\ Tent\ Side=Yellow Tent Side +Pumpkin\ Forest=Pumpkin Forest +Respawn\ the\ Ender\ Dragon=Respawn SME Ender +Light\ P2P\ Tunnel=Light P2P Tunnel +Metite\ Helmet=Metite Helmet +Auto\ Config\ Example=Auto Config For An Example. +Bells\ Rung=Bells, He +Mangrove\ Wood=Mangrove Wood +Diorite\ Speleothem=Diorite Speleothem +Music\ Discs\ Played=Music Cds, Board Games +Holly\ Wall=Holly Wall +Cut\ Red\ Sandstone\ Step=Cut Red Sandstone Step +Matter\ Fabricator=Matter Fabricator +Netherite\ Barrel=Netherite Barrel +Bring\ summer\ clothes=To wear summer clothes +Display\ Underwater\:=Display Underwater\: +Steel\ Slab=Steel Slab +White\ Thing=What is White +Catwalk=Catwalk +%s\ Turtle=%s Turtle +%s\ at\ position\ %s\:\ %s=%s at position %s\: %s +Sierra\ Range=Sierra Range +Run\ %s\ to\ stop\ tracking\ and\ view\ the\ results=Run %s to stop tracking and view the results +Magenta\ Base\ Indented=The Purple Base Of The Target +Light\ Gray\ Flower\ Charge=Light Grey Flower Cargo +Cichlid=Cichlids +Basic\ Presser=Basic Presser +Purple\ Lawn\ Chair=Purple Lawn Chair +Sapphire\ Slab=Sapphire Slab +Snout=I +Block\ of\ Tungsten=Block of Tungsten +Chicken=Chicken +Are\ you\ sure\ you\ want\ to\ continue?=Are you sure you want to continue? +Witch\ Hazel\ Button=Witch Hazel Button +\u00A77\u00A7o"One-click\ flying.\ Patent\ Pending."\u00A7r=\u00A77\u00A7o"One-click flying. Patent Pending."\u00A7r +Team\ names\ cannot\ be\ longer\ than\ %s\ characters=The team name should not be more %s heroes +Slide\ In\ From\ Bottom\:=Slide In From Bottom\: +\nHow\ rare\ are\ Nether\ Temples\ in\ Nether.\ 1\ for\ spawning\ in\ most\ chunks\ and\ 1001\ for\ none.=\nHow rare are Nether Temples in Nether. 1 for spawning in most chunks and 1001 for none. +Unnamed=Unnamed +Buffer\ Upgrade\ Modifier=Buffer Upgrade Modifier +Transparent\ Facades=Transparent Facades +$(l)Tools$()$(br)Mining\ Level\:\ 7$(br)Base\ Durability\:\ 3918$(br)Mining\ Speed\:\ 12$(br)Attack\ Damage\:\ 6$(br)Enchantability\:\ 22$(br)Fireproof$(p)$(l)Armor$()$(br)Durability\ Multiplier\:\ 50$(br)Total\ Defense\:\ 27$(br)Toughness\:\ 5$(br)Enchantability\:\ 22$(br)Fireproof=$(l)Tools$()$(br)Mining Level\: 7$(br)Base Durability\: 3918$(br)Mining Speed\: 12$(br)Attack Damage\: 6$(br)Enchantability\: 22$(br)Fireproof$(p)$(l)Armor$()$(br)Durability Multiplier\: 50$(br)Total Defense\: 27$(br)Toughness\: 5$(br)Enchantability\: 22$(br)Fireproof +Gold\ Shard=Gold Shard +Max\ Generation\ Height=Max Generation Height +Tomato\ Clownfish=Tomat Clown Fisk +Small\ Pile\ of\ Cinnabar\ Dust=Small Pile of Cinnabar Dust +Right\ Win=The Real Winner +Flatten\ Bedrock=Flatten Bedrock +Dimension\:\ %s=Dimension\: %s +advancements=advancements +Reduced\ Debug\ Info=Vermindering In De Debug Info +No\ such\ command\ '%s'=No such command '%s' +Dank\ Storage=Dank Storage +Block\ of\ Rose\ Gold=Block of Rose Gold +Rot\ Resistance\ Cost=Rot Resistance Cost +Arrow\ of\ Regeneration=To The Left Is The Rain +Slime=Fun +Basic\ Liquid\ Generator=Basic Liquid Generator +Red\ Color\ Value=Red Color Value +Craft\ a\ Slime\ Hammer...\ how\ about\ whacking\ something\ with\ it?=Craft a Slime Hammer... how about whacking something with it? +Language\ translations\ may\ not\ be\ 100%%\ accurate=The translation may not be 100%% exactly +Willow\ Log=Willow Log +Open\ Sesame\!=Open Sesame\! +Refill\ when\ eating\ food=Refill when eating food +Smooth\ Soul\ Sandstone=Smooth Soul Sandstone +\nHow\ rare\ are\ Mountains\ Villages\ in\ Mountains\ biomes.=\nHow rare are Mountains Villages in Mountains biomes. +Blue\ Bend\ Sinister=Blue Bend Sinister +Olivine\ Dust=Olivine Dust +CraftPresence\ -\ Configuration\ Settings=CraftPresence - Configuration Settings +Originally\ coded\ by\ paulhobbel\ -\ https\://github.com/paulhobbel=Originally coded by paulhobbel - https\://github.com/paulhobbel +Chiseled\ Quartz\ Block\ Camo\ Trapdoor=Chiseled Quartz Block Camo Trapdoor +Sulfur\ Dust=Sulfur Dust +A\ machine\ which\ consumes\ energy\ to\ ventilate\ fluids\ into\ the\ atmosphere.=A machine which consumes energy to ventilate fluids into the atmosphere. +\u00A7eUse\ while\ airborne\ to\ activate\u00A7r=\u00A7eUse while airborne to activate\u00A7r +Gray\ Base\ Gradient=Gray Gradient In The Database +Raw\ Honey\ Shortcake=Raw Honey Shortcake +Gunpowder=The dust +Piglin\ converts\ to\ Zombified\ Piglin=Piglin becomes Zombified Piglin +Thatch\ Stairs=Thatch Stairs +Page\ Up=Page +Catch\ a\ fish...\ without\ a\ fishing\ rod\!=As the capture of a fish, without a fishing rod\! +Blacklisted\ Temple\ Biomes=Blacklisted Temple Biomes +Cable\ Facade=Cable Facade +Elite\ Energy\ Cable=Elite Energy Cable +Small\ Pile\ of\ Andradite\ Dust=Small Pile of Andradite Dust +Cartographer's\ Monocle=Cartographer's Monocle +Bamboo\ Slab=Bamboo Slab +You\ Need\ a\ Mint=Do You Need A Mint +Witch-hazel\ Sapling=Witch-hazel Sapling +Score=The result +Nether\ Brick\ Wall=A Nearby Wall +Polished\ Granite\ Stairs=The Stairs Are Of Polished Granite +Speed\ Upgrade=Speed Upgrade +Basic\ tier\ energy\ storage=Basic tier energy storage +Armour\ Status=Armour Status +The\ depth\ from\ a\ given\ point\ on\ the\ surface\ at\ which\ type\ 2\ caves\ start\ to\ close\ off.=The depth from a given point on the surface at which type 2 caves start to close off. +This\ demo\ will\ last\ 5\ in-game\ days\ (about\ 1\ hour\ and\ 40\ minutes\ of\ real\ time).\ Check\ the\ advancements\ for\ hints\!\ Have\ fun\!=This show will last 5 days (about 1 hour 40 minutes of real time). Look at the success traces\! Good luck\!\!\! +Scale\ for\ the\ arrow\ used\ in\ the\ non-rotating\ variant\ of\ the\ minimap\ and\ some\ other\ cases.=Scale for the arrow used in the non-rotating variant of the minimap and some other cases. +Isle\ Land=This Island Earth +Validating\ selected\ data\ packs...=After confirming the selected data packets... +Place\ Distance=Place Distance +Gray\ Asphalt\ Slab=Gray Asphalt Slab +Search...=Look... +Soapstone\ Slab=Soapstone Slab +Butcher's\ Headband=Butcher's Headband +Show\ Location=Show Location +Couldn't\ grant\ %s\ advancements\ to\ %s\ players\ as\ they\ already\ have\ them=I'm not in a position to grant %s Progress %s players who have already +Snow\ Golem=The Snow Golem +Steel\ Plate=Steel Plate +\nAdds\ tiny\ boulders\ to\ normal/snowy\ Taiga\ Mountains\ biomes.=\nAdds tiny boulders to normal/snowy Taiga Mountains biomes. +After\ completing\ this\ quest\ it\ goes\ on\ a\ cooldown,\ when\ this\ cooldown\ ends\ you\ can\ complete\ the\ quest\ again.=After completing this quest it goes on a cooldown, when this cooldown ends you can complete the quest again. +Oak\ Sign=The Characters Of Oak +Blue\ Skull\ Charge=On The Blue Side +Moved=Moved +Red\ Glazed\ Terracotta\ Glass=Red Glazed Terracotta Glass +Guide\ Book=Guide Book +Keep\ Jigsaws=Keep Jigsaws +Recipe\ Display\ Border\:=Recipe Display Border\: +/hqm\ save\ [Quest\ Page]\ =/hqm save [Quest Page] +Redwood\ Clearing=Redwood Clearing +Trapped\ Chest=Access To The Breasts +Cartographer\ works=Qatar is working +Allow\ Extra\ Mob\ Spawners=Allow Extra Mob Spawners +Parrot\ mutters=Parrot murmur\u00F3 +Change\ how\ many\ of\ the\ parent\ quests\ that\ have\ to\ be\ completed\ before\ this\ one\ unlocks.=Change how many of the parent quests that have to be completed before this one unlocks. +Deuterium=Deuterium +Magenta\ Concrete\ Camo\ Door=Magenta Concrete Camo Door +Rose\ Gold\ Tiny\ Dust=Rose Gold Tiny Dust +Stopped\ sound\ '%s'=Silent"%s' +Crafting\ Presses\ are\ found\ in\ the\ center\ of\ meteorites\ which\ can\ be\ found\ in\ around\ the\ world,\ they\ can\ be\ located\ by\ using\ a\ meteorite\ compass.=Crafting Presses are found in the center of meteorites which can be found in around the world, they can be located by using a meteorite compass. +Light\ Gray\ Chief\ Sinister\ Canton=Light Of Siva, The Head, The Sinister Canton +As\ this\ value\ increases,\ flying\ with\ a\ booster\ gets\ slippery.=As this value increases, flying with a booster gets slippery. +Souvenir=Souvenir +Direct\ Connection=Direct +Ender\ Pearl\ Block=Ender Pearl Block +You\ Died\!=You Died\! +(Clear\ blocks\ marked\ in\ red)=(Clear blocks marked in red) +Ink\ Sac=Contribution Bag +Veins\ of\ ores\ found\ in\ $(thing)$(l\:world/asteroids)asteroids$(),\ which\ may\ be\ harvested\ for\ resources.$(p)When\ mined,\ will\ drop\ their\ respective\ $(thing)$(l\:world/ore_clusters)ore\ clusters$().=Veins of ores found in $(thing)$(l\:world/asteroids)asteroids$(), which may be harvested for resources.$(p)When mined, will drop their respective $(thing)$(l\:world/ore_clusters)ore clusters$(). +Linked\ (Input\ Side)\ -\ %s\ Outputs=Linked (Input Side) - %s Outputs +Torch\ fizzes=Side hiss +Detected\ %1$s\ version\ for\ %2$s\ ->\ %3$s=Detected %1$s version for %2$s -> %3$s +Lingering\ Potion\ of\ Slowness=The Long-Term Portion Of The Slowdown In +TIP\ =TIP +Edit\ Creature=Edit Creature +Reading\ world\ data...=Reading the data in the world... +Go\ look\ for\ a\ Outpost\!=Go look for a Outpost\! +Willow\ Leaves=Willow Leaves +Hardness=Hardness +Quick\ Waypoint=Quick Waypoint +Survival=Survival +Badlands=Badlands +Basic\ Buffer=Basic Buffer +Ring\ of\ Strength=Ring of Strength +Bronze\ Hammer=Bronze Hammer +EV\ Transformer=EV Transformer +ME\ Fluid\ Level\ Emitter=ME Fluid Level Emitter +Ender\ Chest\ Synchronization\ Type=Ender Chest Synchronization Type +Asteroid\ Stone\ Slab=Asteroid Stone Slab +Dolphin's\ Grace=Dolphin Mercy +Long\ must\ not\ be\ less\ than\ %s,\ found\ %s=For a long time can not be less than the %s find %s +End\ Stone\ Brick\ Wall=Brick, Wall, Stone +Consume\ to\ get\ an\ extra\ life=Consume to get an extra life +Fluid\ I/O=Fluid I/O +Area\ Effect\ Cloud=The Zone Of Influence Of The Cloud +Due\ to\ Technic\ limitations,\ The\ pack\ you're\ currently\ playing\ will\ only\ display\ an\ icon\ properly\ if\ selected\ in\ the\ Technic\ Launcher.=Due to Technic limitations, The pack you're currently playing will only display an icon properly if selected in the Technic Launcher. +The\ color\ or\ texture\ to\ be\ used\ when\ rendering\ CraftPresence\ Gui\ backgrounds=The color or texture to be used when rendering CraftPresence Gui backgrounds +Circuits=Circuits +Invar\ Plate=Invar Plate +Lime\ Stone\ Bricks=Lime Stone Bricks +Extra\ Advanced\ Settings\ (Expert\ Users\ Only\!)=For More Advanced Settings (For Advanced Users Only\!) +Melon\ Pie=Melon Pie +Do\ you\ want\ to\ add\ following\ packs\ to\ Minecraft?=Tem certainty that deseja add as the following pacotes Minecraft? +Makes\ the\ machine\ work\ faster=Makes the machine work faster +Reset\ all\ scores\ for\ %s\ entities=Reset all comments %s Organisation +Sakura\ Kitchen\ Cupboard=Sakura Kitchen Cupboard +Green\ ME\ Covered\ Cable=Green ME Covered Cable +High\ tier\ energy\ storage=High tier energy storage +Structure\ Name=Structure Name +Black\ Shingles\ Slab=Black Shingles Slab +Copper\ Gear=Copper Gear +Yellow\ Chief=The Base Of The Yellow +Advanced\ %s\ Pocket\ Computer=Advanced %s Pocket Computer +Nothing\ changed.\ That's\ already\ the\ max\ of\ this\ bossbar=Nothing has changed. Currently, high bossbar +Zombie\ Horse=Zombi-At +Bounce\ Multiplier=Hit Multiplier +Stripped\ Palm\ Log=Stripped Palm Log +Never\ open\ links\ from\ people\ that\ you\ don't\ trust\!=I don't open links from people that you don't believe me. +Brown\ Base\ Indented=Brown's Most Important Features +Advanced\ Machine\ Casing=Advanced Machine Casing +Select\ a\ Preset=Select predefined +Axe\ scrapes=Axe s\u0131yr\u0131qlarla +%1$s\ was\ doomed\ to\ fall\ by\ %2$s=%1$s he decided that he wanted to go away %2$s +Prompt=Fast +Whether\ block\ breaking\ should\ show\ animation\ on\ all\ blocks.=Whether block breaking should show animation on all blocks. +ONLY\ WORKS\ IF\ Water\ Region\ Size\ IS\ SET\ TO\ Custom\!=ONLY WORKS IF Water Region Size IS SET TO Custom\! +Saved\ Hotbars=Bars Shortcut To Save +End\ City\ Map=End City Map +Select\ Resource\ Packs=Izaberite A Resource Bundle +Switching\ world...=The rest of the world does +Add\ Crimson\ Outpost\ to\ Modded\ Crimson\ Biomes=Add Crimson Outpost to Modded Crimson Biomes +Stone\ Bricks\ Camo\ Trapdoor=Stone Bricks Camo Trapdoor +Twinkle=Shine +Black\ Per\ Pale\ Inverted=The Black On The Leaves At The Same Time +Produces\ energy\ by\ using\ Heliumplasma\ as\ a\ fuel\ source=Produces energy by using Heliumplasma as a fuel source +Osmium\ Stairs=Osmium Stairs +Jungle\ Leaves=Jungle Leaves +Soapstone\ Bricks=Soapstone Bricks +Cheating\:=Cheating\: +Aspen\ Leaves=Aspen Leaves +Gray\ ME\ Glass\ Cable=Gray ME Glass Cable +Converting\ world=Transformation of the world +Pink\ Glowcane\ Block=Pink Glowcane Block +Turtle\ Cape\ Wing=Turtle Cape Wing +Zoom\ In\ (alternative)=Zoom In (alternative) +Copied\ client-side\ block\ data\ to\ clipboard=Show the client the block of data to the clipboard. +Stripped\ Jungle\ Wood=Disadvantaged People, In A Tree In The Jungle +Bread\ Box=Bread Box +%s\ is\ not\ a\ valid\ entity\ for\ this\ command=%s no, not really, it's easy for this team +Iron\ Plates=Iron Plates +Show\ Number\ Instead\:=Show Number Instead\: +Fall=Fall +Ravager\ roars=The spoiler is that it the shade under +Light\ Blue\ Thing=Light Sina Work +Want\ to\ share\ your\ preset\ with\ someone?\ Use\ the\ box\ below\!=You want to share it with someone beforehand? Please use the box below. +Water\ Taken\ from\ Cauldron=Water taken from the boiler +Pinned\ Note\ Position=Pinned Note Position +ToolMat=ToolMat +Drop\ a\ Certus\ Quartz\ Seed\ made\ from\ Certus\ Quartz\ Dust\ and\ Sand\ into\ a\ puddle\ of\ water;\ to\ make\ the\ process\ faster\ add\ Crystal\ Growth\ Accelerators.=Drop a Certus Quartz Seed made from Certus Quartz Dust and Sand into a puddle of water; to make the process faster add Crystal Growth Accelerators. +Fir\ Drawer=Fir Drawer +\u00A77Sneak\ +\ Right\ Click\ to\ cycle\ tiers=\u00A77Sneak + Right Click to cycle tiers +OpenGL\ Version\ detected\:\ [%s]=OpenGL version outdoors\: [%s] +Maple\ Trapdoor=Maple Trapdoor +Sliced\ Toasted\ Warped\ Fungus=Sliced Toasted Warped Fungus +Give\ a\ Pillager\ a\ taste\ of\ their\ own\ medicine=Gives Alcoa a taste of their own medicine +Deep\ Cold\ Ocean=Hladno Deep Ocean +Your\ game\ mode\ has\ been\ updated\ to\ %s=The gaming mode is updated %s +Lumen=Lumen +Edit\ Reputation\ Bar=Edit Reputation Bar +Jungle\ Crate=Jungle Crate +Terminal=Terminal +Cut\ Sandstone\ Slab=Reduction Of Slabs Of Sandstone +Orange\ Skull\ Charge=Orange Download Skull +VII=VII +%1$s\ suffocated\ in\ a\ wall=%1$s embedded in the wall +Lead\ Hammer=Lead Hammer +Dark\ Amaranth\ Slab=Dark Amaranth Slab +Basic\ Electric\ Smelter=Basic Electric Smelter +Spawnrate=Spawnrate +Sweet\ Berries\ Sack=Sweet Berries Sack +Publisher\ website=On the website of the publisher +Tungsten\ Helmet=Tungsten Helmet +Cika\ door=Cika door +Thin\ cuts\ of\ a\ porkchop,\ which\ can\ be\ obtained\ by\ cutting\ a\ porkchop\ on\ a\ Cutting\ Board.=Thin cuts of a porkchop, which can be obtained by cutting a porkchop on a Cutting Board. +Removed\ effect\ %s\ from\ %s\ targets=Removed %s that %s meta +%1$s\ went\ off\ with\ a\ bang\ due\ to\ a\ firework\ fired\ from\ %3$s\ by\ %2$s=%1$s or the next day because the fireworks go up %3$s pro %2$s +Horse\ hurts=Horse-this is a very bad +Gold\ to\ Diamond\ upgrade=Gold to Diamond upgrade +Cherry\ Oak\ Wood\ Slab=Cherry Oak Wood Slab +Sword\ Attack\ Speed=Sword Attack Speed +Redwood\ Platform=Redwood Platform +Lingering\ Potion\ of\ Invisibility=Stayed for a drink in the Invisible +Gray\ Stained\ Glass\ Pane=Gray Of The Stained Glass Windows In The Area Of The +Wither\ Skeleton\ Skull=Wither Skeleton Skull +Pink\ Futurneo\ Block=Pink Futurneo Block +Glass\ Bottle=Glass Bottle +Stellum\ Leggings=Stellum Leggings +Wool\ Tarp=Wool Tarp +Crafting\ CPU=Crafting CPU +Adventuring\ Time=Draws All The Time +Beyond\ the\ limit=Beyond the limit +Cannot\ set\ experience\ points\ above\ the\ maximum\ points\ for\ the\ player's\ current\ level=It is not possible to create the experience, the more points, the more points the player and current level +Horse\ dies=The horse is dead +Orange\ Concrete=Orange Is The Cement +Uneasy\ Alliance=The Union Of Each Other +Peridot\ Hoe=Peridot Hoe +Minecraft\ Realms=Minecraft Realms +Potted\ Crimson\ Fungus=Purple Mushroom Birth +Transfer=Transfer +Get\ a\ Machine\ Block=Get a Machine Block +Empty\ %s\ Tank=Empty %s Tank +Stripped\ Cherry\ Oak\ Wood=Stripped Cherry Oak Wood +Eroded\ Badlands=He Said, Exhaustion +Backspace=Cut +Redstone\ P2P\ Tunnel=Redstone P2P Tunnel +Bee\ buzzes\ angrily=Abelles brunzint furiosament +\u00A7ea\ \u00A7r%s\u00A7e\ in\ the\ inventory\u00A7r=\u00A7ea \u00A7r%s\u00A7e in the inventory\u00A7r +Asteroid\ Lead\ Cluster=Asteroid Lead Cluster +Redstone\ Timer=Redstone Timer +\u00A77Vertical\ Acceleration\:\ \u00A7a%s=\u00A77Vertical Acceleration\: \u00A7a%s +Elite\ Drill=Elite Drill +Auto\ Search=Auto Search +Expected\ whitespace\ to\ end\ one\ argument,\ but\ found\ trailing\ data=I'm hoping that the square end of the argument, but when I saw the final result and the information +Ocean=The sea +Fast=Fast +Arbalistic=Arbalistic +Crystal\ Growth\ Accelerator=Crystal Growth Accelerator +Cracked\ End\ Bricks=Cracked End Bricks +Small\ Pile\ of\ Manganese\ Dust=Small Pile of Manganese Dust +Diamond\ Nugget=Diamond Nugget +White\ Lozenge=White Tablet +Green\ Futurneo\ Block=Green Futurneo Block +Cyan\ Base\ Sinister\ Canton=Blue Base Bad Guangzhou +\nLoot\ chests\ spawning\ or\ not\ in\ RS\ Mineshafts.=\nLoot chests spawning or not in RS Mineshafts. +Fluid\ Replicator=Fluid Replicator +Lime\ Asphalt=Lime Asphalt +Farm=Farm +Light\ Blue\ Chief\ Sinister\ Canton=Lys Bl\u00E5, Chief Skummel Canton +Netherrack=Netherrack +Show\ Entities=Show Entities +Enter\ Space=Enter Space +Creative\ Tank=Creative Tank +Punch\ it\ to\ collect\ wood=A lot of the meeting point of the three +Fluix\ Energy\ Connection=Fluix Energy Connection +Electrum\ Sword=Electrum Sword +Lil\ Tater\ Excavator=Lil Tater Excavator +Mushroom\ Field\ Shore=The Fungus In The Area +Unknown\ Shape=An Unknown Form Of +Ender\ Boots=Ender Boots +Chiseled\ Red\ Rock\ Brick\ Wall=Chiseled Red Rock Brick Wall +Scan\ failed\ to\ complete=Scan failed to complete +Magenta\ Field\ Masoned=In The Area Of The Seas, The Installation Of Brick Flooring +Defeat=Defeat +Enable\ Ravines=Enable Ravines +Soaked\ Bricks=Soaked Bricks +Red\ Dunes=Red Dunes +Charred\ Nether\ Bricks=Charred Nether Bricks +Craft\ a\ Diamond\ Hammer.=Craft a Diamond Hammer. +View\ entry=View entry +Energy\ Reader=Energy Reader +\u00A77\u00A7o"There\ are\ no\ mistakes,\ only\u00A7r=\u00A77\u00A7o"There are no mistakes, only\u00A7r +Raw\ Netherite\ Fragment=Raw Netherite Fragment +Warped\ Bush=Warped Bush +Netherite\ Lance=Netherite Lance +Sterling\ Silver\ Ingot=Sterling Silver Ingot +Spruce\ Sign=Under The Trees +Fir\ Leaves=Fir Leaves +Pollen\ Block=Pollen Block +Lava\ Polished\ Blackstone\ Bricks=Lava Polished Blackstone Bricks +Skeleton\ dies=The skeleton dies +%1$s\ tried\ to\ swim\ in\ lava\ to\ escape\ %2$s=%1$s he tried to swim in lava to escape %2$s +Potted\ Pink\ Tulip=The Flowers Of Pink Tulips +Potted\ Spruce\ Sapling=They Planted The Seedlings Of The +The\ world\ will\ be\ downloaded\ and\ added\ to\ your\ single\ player\ worlds.=The people must be carried over and added to your single-player worlds. +Altar=Altar +Marked\ chunk\ %s\ in\ %s\ to\ be\ force\ loaded=He did a bit of %s in %s this is the strength of the charge +Redstone\ Glass=Redstone Glass +ME\ Storage\ Cells=ME Storage Cells +Fancy\ graphics\ balances\ performance\ and\ quality\ for\ the\ majority\ of\ machines.\nWeather,\ clouds,\ and\ particles\ may\ not\ appear\ behind\ translucent\ blocks\ or\ water.=Fancy graphics balances performance and quality for the majority of machines.\nWeather, clouds, and particles may not appear behind translucent blocks or water. +Honeycomb\ Brick\ Stairs=Honeycomb Brick Stairs +C418\ -\ wait=C418 - wait +It's\ a\ Diamond\ Hammer,\ not\ a\ Lapis\ Hammer\!=It's a Diamond Hammer, not a Lapis Hammer\! +Pillager\ cheers=Pillager Cheers +Emerald\ Furnace=Emerald Furnace +Lit\ Pink\ Redstone\ Lamp=Lit Pink Redstone Lamp +Shulker\ Wing=Shulker Wing +%1$s\ discovered\ the\ floor\ was\ lava=%1$s I have found that the floor was Lava +A\ machine\ which\ generates\ a\ holographic\ bridge\ between\ it\ and\ another\ one\ of\ its\ kind;\ linkable\ with\ a\ $(item)$(l\:gadgets/holographic_connector)Holographic\ Connector$().=A machine which generates a holographic bridge between it and another one of its kind; linkable with a $(item)$(l\:gadgets/holographic_connector)Holographic Connector$(). +Auto\ Crafting\ Table=Auto Crafting Table +Middle=Middle +Saves\ all\ quest\ pages\ by\ their\ name=Saves all quest pages by their name +Place\ an\ electric\ furnace\ down=Place an electric furnace down +Pink\ Base\ Indented=Pink Base Indented +Dev.CubeGen=Dev.CubeGen +Fluid\ Infuser\ Creative=Fluid Infuser Creative +Tropical\ Fish\ dies=Tropical fish will die Yellow\ Per\ Pale\ Inverted=The Yellow Light Is Reversed -Target\ doesn't\ have\ the\ requested\ effect=The goal is not to the expected effects of the -Storage\ Master=Storage Master -That\ player\ does\ not\ exist=This player does not exist -Zigzagged\ Diorite=Tessuto Diorite -Small\ Pile\ of\ Marble\ Dust=A small batch of the powder of marble -White\ Beveled\ Glass\ Pane=White Glass Bent -One\ of\ your\ modified\ settings\ requires\ Minecraft\ to\ be\ restarted.\ Do\ you\ want\ to\ proceed?=The change of one of parameters, a restart is required. Do you want to continue? -Cypress\ Kitchen\ Cupboard=Cypress Kitchen Cabinets -Trebuchet=Catapult +Iron\ Boots=Iron-On Shoes With Them +\u00A75\u00A7oA\ tasteful\ Levantine\ dish\ (Kibbeh)=\u00A75\u00A7oA tasteful Levantine dish (Kibbeh) +Vines=Grapes +Stellum\ Nugget=Stellum Nugget +Attached\ Pumpkin\ Stem=It Is Attached To The Stem Of The Pumpkin +PVP\ Sprint=PVP Sprint +Donut\ with\ Cream=Donut with Cream +Gray\ Carpet=Tepih Siva +%s\ does\ not\ belong\ to\ you=%s does not belong to you +Block\ of\ Stellum=Block of Stellum +Purpur\ Squares=Purpur Squares +Light\ Gray\ Gradient=Light Grey Gradient +Mahogany\ Pressure\ Plate=Mahogany Pressure Plate +Brown\ Inverted\ Chevron=Sme\u0111a Obrnuti Chevron +Machine\ Block=Machine Block +Warped\ Planks\ Ghost\ Block=Warped Planks Ghost Block +Flatten=Flatten +Emerald\ Plate=Emerald Plate +Rainbow\ Eucalyptus\ Fence=Rainbow Eucalyptus Fence +Galaxium=Galaxium +Bamboo\ Timber\ Frame=Bamboo Timber Frame +Yellow=Yellow +Commands\ like\ /gamemode,\ /experience=Commands like /gamemode, /exp. +Stripped\ Witch-hazel\ Log=Stripped Witch-hazel Log +Server-Side\ Gameplay=Server-Side Gameplay +Electrolyzed\ Water=Electrolyzed Water +Optionally,\ select\ what\ world\ to\ put\ on\ your\ new\ realm=The world, the new world, and all you have to do it. +Quest\ Requirements=Quest Requirements +Curse\ of\ Gigantism=Curse of Gigantism +Rocket\ experienced\ rapid\ unscheduled\ disassembly\:\ trajectory\ obstructed\!=Rocket experienced rapid unscheduled disassembly\: trajectory obstructed\! +Uses\ diesel\ to\ produce\ energy\nThe\ traditional\ pollinating\ method=Uses diesel to produce energy\nThe traditional pollinating method +Crashing\ in\ %s...=Crash %s... +Colored\ Preview\ Window=Colored Preview Window +Adorn+EP\:\ Chairs=Adorn+EP\: Chairs +Hay\ Bale=The Bales Of Hay. +Lead\ Mining\ Tool=Lead Mining Tool +Crafting\ task=Crafting task +Enderman\ cries\ out=Enderman screams +View\ this\ computer=View this computer +Shapeless=Shapeless +Stack\ Module=Stack Module +Mossy\ Stone\ Brick\ Stairs=Mossy Stone Brick Stairs +Inserter=Inserter +Asteroid\ Asterite\ Ore=Asteroid Asterite Ore +Gray\ Per\ Bend=Grijs Gyrus +Palm\ Door=Palm Door +Selected\ suggestion\ %s\ out\ of\ %s\:\ %s=The selected template %s with %s\: %s +White\ Per\ Fess\ Inverted=The White Beam Of Wood, Which Was +Redwood\ Planks=Redwood Planks +\u00A77Hover\ Speed\:\ \u00A7a%s=\u00A77Hover Speed\: \u00A7a%s +Default\ Dimension\ Icon=Default Dimension Icon +Bronze\ Dust=Bronze Dust +Z\ target=Z target +Chocolate\ Donut=Chocolate Donut +Notice\ on\ syncing\\n\\n\ Syncing\ may\ not\ yield\ accurate\ results\ on\ older\ Minecraft\ versions=Notice on syncing\\n\\n Syncing may not yield accurate results on older Minecraft versions +Blue\ Chief\ Sinister\ Canton=The Blue Canton Is The Main Bad +Empty\ Map=Blank Map +Diamond\ Chest=Diamond Chest +Nitrocarbon=Nitrocarbon +Gray\ Flat\ Tent\ Top=Gray Flat Tent Top +Chickens\ on\ Fire\ drops\ Fried\ Chicken=Chickens on Fire drops Fried Chicken +Use\ "@p"\ to\ target\ nearest\ player=Use "@p" to target nearest player +Determines\ how\ large\ cave\ regions\ are.=Determines how large cave regions are. +Holly\ Fence=Holly Fence +Light\ Blue\ Sofa=Light Blue Sofa +Flight\ Duration\:=For The Duration Of The Trip\: +3rd=3rd +Fluid=Fluid +Range=Range +Pressure=Pressure +Banana=Banana +Blue\ Asphalt\ Slab=Blue Asphalt Slab +Pink\ Table\ Lamp=Pink Table Lamp +Bamboo\ Planks=Bamboo Planks +Fluix=Fluix +Cut\ Soul\ Sandstone=Cut Soul Sandstone +Granite\ Post=Granite Post +Are\ you\ sure?=Are you sure? +Lazuli\ Flux\ Container\ Creative=Lazuli Flux Container Creative +Tungstensteel\ Slab=Tungstensteel Slab +Standard\ Machine\ Casing=Standard Machine Casing +Pink\ Bordure=Pink Border +Ticks\ per\ Damage\ (Positive,\ Greater\ than\ Zero)=Ticks per Damage (Positive, Greater than Zero) +Asteroid\ Galaxium\ Ore=Asteroid Galaxium Ore +Potted\ Sunflower=Potted Sunflower +\u00A75\u00A7oHas\ a\ 1/64\ chance\ to\ kill\ you=\u00A75\u00A7oHas a 1/64 chance to kill you +Emits\ strong\ redstone\ signal=Emits strong redstone signal +\u00A79Advanced\u00A7r=\u00A79Advanced\u00A7r +Seasonal\ Birch\ Forest\ Hills=Seasonal Birch Forest Hills +Globe=Svet +Downloading\ latest\ world=Download new world +Nether\ Brick\ Fence=Below, Brick Fence +C418\ -\ ward=C418 - Ward +Metite\ Mattock=Metite Mattock +From\ Emeritus=From Emeritus +E\ total\:\ %s=E total\: %s +Serious\ Dedication=Resno Pozornost +Obtaining\ Electrum=Obtaining Electrum +Maple\ Button=Maple Button +From\ where\ one\ dreams,\ to\ where\ their\ dreams\ come\ true.=From where one dreams, to where their dreams come true. +Wandering\ Trader=Idevice At The Dealer +Univite\ Dust=Univite Dust +Blue\ Enchanted\ door=Blue Enchanted door +Axe\ Damage=Axe Damage +Polished\ Diorite\ Slab=Tla Iz Poliranega Diorite +Waypoint\ Opacity\ Ingame=Waypoint Opacity Ingame +Vanilla\ Scale\ Slider\:=Vanilla Scale Slider\: +Failed\ to\ link\ carts;\ no\ chains\ in\ inventory\!=Failed to link carts; no chains in inventory\! +Stop\ tracking\ all\ computers=Stop tracking all computers +Peridot\ Slab=Peridot Slab +Mini\ Supernova=Mini Supernova +Blazing\ Backpack=Blazing Backpack +Shipwrecks\ Configs=Shipwrecks Configs +Scheduled\ function\ '%s'\ in\ %s\ ticks\ at\ gametime\ %s=Planned Feature '%s this %s pliers for playing time %s +Unknown\ field\ '%s'=Unknown field '%s' +%s\ Kitchen\ Sink=%s Kitchen Sink +List\ of\ dimensions\ that\ will\ have\ Better\ Caves.=List of dimensions that will have Better Caves. +Soul\ Vision\ Range=Soul Vision Range +Fire\ Coral=Fire Coral +Setting\ unavailable=This option is available +Click\ to\ reset\ quest=Click to reset quest +Pick\ Block=The Choice Of The Points +\nAdd\ RS\ swamp\ tree\ to\ modded\ biomes\ of\ same\ categories/type.=\nAdd RS swamp tree to modded biomes of same categories/type. +Reject=Ago +Pink\ Per\ Bend=Pink Ribbon +Generate\ Structures=Generate Structures +You\ are\ running\ CraftPresence\ in\ a\ debugging\ environment,\ some\ features\ may\ not\ function\ properly\!=You are running CraftPresence in a debugging environment, some features may not function properly\! +Spawner=Type +You\ won't\ be\ able\ to\ upload\ this\ world\ to\ your\ realm\ again=It will be download this world again +Green\ Shingles\ Slab=Green Shingles Slab +Hiking\ Pack=Hiking Pack +Soapstone=Soapstone +All\ Players=All Players +Place\ a\ lightning\ rod\ into\ the\ world=Place a lightning rod into the world +Green\ Snout=Green Color +Emeritu's\ Pristine\ Matter=Emeritu's Pristine Matter +Click\ to\ close=Click to close +Yellow\ Tulip=Yellow Tulip +Beacon=Lighthouse +Wheat=Wheat +Red\ Shulker\ Box=Red Shulker Area +Brown\ Pale\ Dexter=Rjava, Svetlo Dexter +Black\ Glazed\ Terracotta\ Camo\ Door=Black Glazed Terracotta Camo Door +\u00A76Successfully\ linked\ bag\!=\u00A76Successfully linked bag\! +Test\ failed=Error when test +Beach\ Grass=Beach Grass +Your\ client\ is\ not\ compatible\ with\ Realms.=The client is not compatible with the world. +Vendor\ detected\:\ [%s]=Sale find\: - [%s] +Place\ Block=Place Block +White\ Concrete\ Camo\ Door=White Concrete Camo Door +Red\ Glazed\ Terracotta\ Camo\ Trapdoor=Red Glazed Terracotta Camo Trapdoor +Player\ hit=The player +Golden\ Mining\ Tool=Golden Mining Tool +How\ To\ Choose\ Book\ Color\:=How To Choose Book Color\: +Banners\ Cleaned=Distance +Zoom\ Scrolling=Zoom Scrolling +Iron\ Chunk=Iron Chunk +Copper\ Wrench=Copper Wrench +\u00A79Suppressed\ Spawns\:\ =\u00A79Suppressed Spawns\: +Light\ Blue\ Chevron=Light Blue Sedan +Dark\ Amaranth\ Hyphae\ Vertical\ Slab=Dark Amaranth Hyphae Vertical Slab +Append=Append +Build,\ light\ and\ enter\ a\ Nether\ Portal=For construction, light, and entered into the Hole of the Portal +CraftPresence\ -\ Select\ an\ Entity=CraftPresence - Select an Entity +Size\:\ \u00A75Medium\u00A7r=Size\: \u00A75Medium\u00A7r +Soaked\ Brick\ Stairs=Soaked Brick Stairs +Preview\:=Preview\: +Obtaining\ Fool's\ Gold=Obtaining Fool's Gold +Collect\ dragon's\ breath\ in\ a\ glass\ bottle=Collect the dragon breath", and in a glass bottle +Potted\ Light\ Blue\ Mushroom=Potted Light Blue Mushroom +Cyan\ Terracotta\ Camo\ Door=Cyan Terracotta Camo Door +Titanium\ Nugget=Titanium Nugget +Stripped\ Fir\ Wood=Stripped Fir Wood +Enable\ Chain=Enable Chain +Mangrove\ Crafting\ Table=Mangrove Crafting Table +128\u00B3\ Spatial\ Component=128\u00B3 Spatial Component +Minimum\ Zoom\ Divisor=Minimum Zoom Divisor +Ruby\ Helmet=Ruby Helmet +Sub-World\ Coordinates\ *\ 8=Sub-World Coordinates * 8 +Export\ Recipe\:=Export Recipe\: +%1$s\ %2$s=%1$s %2$s +Small\ Pile\ of\ Glowstone\ Dust=Small Pile of Glowstone Dust +Composting=Composting +\u00A7aYes=\u00A7aAlso +Metite\ Shovel=Metite Shovel +%1$s\ walked\ into\ a\ cactus\ whilst\ trying\ to\ escape\ %2$s=%1$s he walked up to the cactus to commit, if you try to escape %2$s +Copper\ Pickaxe=Copper Pickaxe +Yellow\ Color\:=Yellow Color\: +Sterling\ Silver\ Pickaxe=Sterling Silver Pickaxe +Ultimate\ energy\ storage=Ultimate energy storage +%s\ on\ %s\ after\ scale\ factor\ of\ %s\ is\ %s=%s it %s after the coefficients of the %s it %s +Match\ Damage=Match Damage +Open\ World\ Map=Open World Map +Restore=Recover +White\ Glider=White Glider +Relative\ Position=The Relative Position Of +Daylight\ Detector=The Indicator In The Light Of Day +HUD\ Mode=HUD Mode +Iron\ Golem\ repaired=Build the iron Golem +Wolf\ pants=The wolf in shorts +Dacite\ Farmland=Dacite Farmland +Cherry\ Oak\ Vertical\ Slab=Cherry Oak Vertical Slab +Hold\ SHIFT\ for\ info=Hold SHIFT for info +Select\ another\ minigame?=Choose from any of the other games. +Save\ &\ Quit=Shranite In Zapustite +Magenta\ Glazed\ Terracotta\ Ghost\ Block=Magenta Glazed Terracotta Ghost Block +Arena\ Radius=Arena Radius +Registry=Registry +Patchouli=Patchouli +Stone\ Stairs=Stone Stairs +Sequencer\ Module=Sequencer Module +Allow\ Start\ in\ Wrong\ Terrain=Allow Start in Wrong Terrain +Craft\ a\ Charger=Craft a Charger +Netherite\ Mining\ Tool=Netherite Mining Tool +\u00A76Successfully\ linked\ bucket\!=\u00A76Successfully linked bucket\! +Gold\ Puller\ Pipe=Gold Puller Pipe +Required\ Power=Required Power +Gems=Gems +"Persistent"\ makes\ the\ zoom\ permanent.="Persistent" makes the zoom permanent. +Sweeping\ attack=Fast +Polished\ Blackstone\ Circle\ Pavement=Polished Blackstone Circle Pavement +Middle\ mouse\ click=Middle mouse click +Block\ of\ Metite=Block of Metite +%s\ edit\ box\:\ %s=%s in the room\: %s +Do\ you\ want\ to\ open\ this\ link\ or\ copy\ it\ to\ your\ clipboard?=Would you like to open the following link, or copy it to the clipboard? +Some\ settings\ are\ disabled\ since\ your\ current\ world\ is\ an\ adventure=Some of the settings are disabled in the current world of adventure +JEI\ Integration=JEI Integration +Autumn\ Oak\ Leaves=Autumn Oak Leaves +Blue\ Elytra\ Wing=Blue Elytra Wing +Caution\ Block=Caution Block +Reset\ Zoom=Reset Zoom +World\ was\ saved\ in\ a\ newer\ version,=The world is to be saved in a newer version +Piglin\ snorts\ enviously=Piglin she smokes envy +Compass=Kompas +Any\ value\ of=Any value of +Snowball=Gradu snow +Black\ Base=Black Bottom +The\ multiplier\ of\ the\ velocity\ children\ will\ use\ to\ reach\ their\ parents.=The multiplier of the velocity children will use to reach their parents. +Fluid\ Formation\ Plane=Fluid Formation Plane +Quantum\ Tank\ Unit=Quantum Tank Unit +Please\ use\ the\ most\ recent\ version\ of\ Minecraft.=Use the maximum version of Minecraft. +Show=Show +Nothing\ changed.\ The\ bossbar\ is\ already\ visible=Nothing else to it. Bossbar is already visible +Dispenser=Dispenser +Red\ Thing=Red Things +Wooden\ Excavator=Wooden Excavator +Plated\ Backpack=Plated Backpack +south=south +Blast\ Furnace\ Slab=Blast Furnace Slab +Obtaining\ Sterling\ Silver=Obtaining Sterling Silver +Large=Large +north=north +Show\ Slime\ Chunk=Show Slime Chunk +Expected\ long=Long +Chiseled\ Lava\ Bricks=Chiseled Lava Bricks +16k\ ME\ Fluid\ Storage\ Cell=16k ME Fluid Storage Cell +Toggle\ Chunk\ Grid=Toggle Chunk Grid +Craft\ a\ Netherite\ Hammer,\ forged\ with\ ancient\ gems\ from\ an\ unknown\ time.=Craft a Netherite Hammer, forged with ancient gems from an unknown time. +Gray\ Sofa=Gray Sofa +Zoglin\ growls\ angrily=Zogl growled with anger for +Enable\ Ender\ Pearl\ blocks=Enable Ender Pearl blocks +Fall\ back\ down\ to\ Earth=Fall back down to Earth +Andesite\ Slab=Andesite Vestit +Dust\ To\ Dust=Dust To Dust +Silver\ Excavator=Silver Excavator +Stone\ Hammer=Stone Hammer +Blocks=Blokk +Render\ Enchantment\ Glint\:=Render Enchantment Glint\: +Raw\ Honey\ Pie=Raw Honey Pie +Barrel\ closes=Locked in the trunk +Give\ Command\:=Give Command\: +Gray\ Beveled\ Glass=Gray Beveled Glass +Nether\ Quartz\ Sword=Nether Quartz Sword +Creative\ Tabs=Creative Tabs +Elite\ Circuit=Elite Circuit +Breathing\ Module=Breathing Module +Showing\ new\ subtitle\ for\ %s=To come up with new titles for the %s +Collect\:\ Purpur\ Lantern=Collect\: Purpur Lantern +Cyan\ Carpet=Modro Preprogo +A\ machine\ which\ produces\ a\ specified\ $(thing)fluid$()\ infinitely.=A machine which produces a specified $(thing)fluid$() infinitely. +Eats\ food\ from\ your\ inventory\ automatically\ at\ cost\ of\ energy.=Eats food from your inventory automatically at cost of energy. +Vex=Vex +Place\ a\ wind\ mill=Place a wind mill +Asteroid\ Stellum\ Ore=Asteroid Stellum Ore +Detect\ Technic\ Pack=Detect Technic Pack +\nReplaces\ Mineshafts\ in\ Taiga\ biomes.\ How\ often\ Mineshafts\ will\ spawn.=\nReplaces Mineshafts in Taiga biomes. How often Mineshafts will spawn. +Fast\ Conveyor\ Belt=Fast Conveyor Belt +Unreachable\ destination\ dimension.=Unreachable destination dimension. +Horse=The +Brown\ Shingles=Brown Shingles +The\ debug\ profiler\ is\ already\ started=Debug-profiler is already started +Japanese\ Maple\ Post=Japanese Maple Post +Magenta\ Lumen\ Paint\ Ball=Magenta Lumen Paint Ball +Yellow\ Daffodil=Yellow Daffodil +Black\ Shingles\ Stairs=Black Shingles Stairs +Resilience=Resilience +Skeleton\ Key=Skeleton Key +Generate\ Core\ of\ Flights\ on\ End\ City\ Treasures=Generate Core of Flights on End City Treasures +C418\ -\ cat=C418 - cat +Staying\ Warm=Staying Warm +Chiseled\ Sandstone=Carved In Stone The Past +The\ Next\ Generation=The Next Generation +Incomplete\ (expected\ 3\ coordinates)=Incomplete expect, 3, contact information) +Acacia\ Kitchen\ Counter=Acacia Kitchen Counter +Grants\ Slow\ Falling\ Effect=Grants Slow Falling Effect +Foodstuffs=Products +A\ (Much)\ Bigger\ Table=A (Much) Bigger Table +White\ Shingles\ Slab=White Shingles Slab +No\ timings\ available=No timings available +Shears\ carve=The scissors to cut it +Redstone\ Repeater=Redstone Repeater +Open\ Backups\ Folder=Open The Folder That Contains The Backup +Lime\ Shingles=Lime Shingles +Ravager\ stunned=The spoiler is stunned, +Craft\ a\ battery=Craft a battery +Cooked\ Marshmallow\ on\ a\ Stick=Cooked Marshmallow on a Stick +Certus\ Quartz\ Crystal=Certus Quartz Crystal +Luck=Good luck +REI\ Integration=REI Integration +Water=Your +Knockback\ Resistance=Knockback Resistance +Recipe=Recipe +Player\ drowning=The Player will drown +Black\ Glazed\ Terracotta\ Camo\ Trapdoor=Black Glazed Terracotta Camo Trapdoor +Burned\ Paper\ Block=Burned Paper Block +Reward\ Bag=Reward Bag +Blue\ Giant\ Taiga=Blue Giant Taiga +Bottles=Bottles +Birch\ Diagonal\ Timber\ Frame=Birch Diagonal Timber Frame +Applied\ Energistics=Applied Energistics +Stopped\ debug\ profiling\ after\ %s\ seconds\ and\ %s\ ticks\ (%s\ ticks\ per\ second)=Stopped debugging, modelled after the %s seconds %s tick (%s ticks per second) +Automatically\ gather\ sap\ from\ trees\nPlace\ directly\ on\ a\ rubber\ tree\nDeposits\ sap\ underneath\ itself=Automatically gather sap from trees\nPlace directly on a rubber tree\nDeposits sap underneath itself +Soul\ Lantern=Target Koplamp +Invalid\ Color=Invalid Color +Everywhere=Everywhere +Skyris\ door=Skyris door +Keep\ Old\ Deathpoints=Keep Old Deathpoints +Download\ limit\ reached=Download limit is obtained +The\ multiplier\ used\ for\ the\ multiplied\ cinematic\ camera.=The multiplier used for the multiplied cinematic camera. +Chimneys=Chimneys +Blue\ Orchid=Blue Orchids +Scrap\ Box=Scrap Box +Green\ Terracotta=Green +Removed\ effect\ %s\ from\ %s=To remove the effect %s from %s +Gives\ Speed\ III\ effect\ to\ player\ standing\ on\ it.=Gives Speed III effect to player standing on it. +2\u00B3\ Spatial\ Component=2\u00B3 Spatial Component +Lava\ Lakes=Lava Lake +No\ Results=No Results +Ravager\ dies=The ravager dies +Edit\ Information=Edit Information +These\ are\ caverns\ where\ the\ floor\ is\ predominantly\ water\ or\ lava.=These are caverns where the floor is predominantly water or lava. +\u00A7cRedstone\ \u00A7aOn=\u00A7cRedstone \u00A7aOn +Expanded\ Storage=Expanded Storage +Asteroids=Asteroids +World\ template=In the world pattern +Excavate=Excavate +Light\ Blue\ Pale\ Sinister=Light Sina Bled Dark +/config/slightguimodifications/slider(_hovered).png=/config/slightguimodifications/slider(_hovered).png +Gave\ %s\ experience\ levels\ to\ %s=You %s level of experience %s +Unclosed\ quoted\ string=Open quotation marks +Skipping\ Stone=Skipping Stone +Bottle\ smashes=Breaks a bottle +$(item)Copper\ Ore$()\ can\ be\ commonly\ found\ $(thing)underground$()\ in\ $(thing)The\ Overworld$().$(p)Mining\ requires\ only\ a\ $(item)Stone\ Pickaxe$()\ (Mining\ Level\ 1)\ or\ better,\ and\ can\ then\ be\ $(thing)smelted$()\ into\ a\ $(item)Copper\ Ingot$().=$(item)Copper Ore$() can be commonly found $(thing)underground$() in $(thing)The Overworld$().$(p)Mining requires only a $(item)Stone Pickaxe$() (Mining Level 1) or better, and can then be $(thing)smelted$() into a $(item)Copper Ingot$(). +\u00A79Data\ Amount\:\u00A7r\ %s\ (%s\ to\ next\ tier)=\u00A79Data Amount\:\u00A7r %s (%s to next tier) +Upload\ limit\ reached=Load limit reached +Rainbow\ Eucalyptus\ Shelf=Rainbow Eucalyptus Shelf +Stellum\ Dust=Stellum Dust +World\ Updates=World Updates +Husk\ groans=Groaning, Balance Sheet +Soapstone\ Tile=Soapstone Tile +Set\ to=Set to +\nAdd\ Crimson\ Outpost\ to\ modded\ Crimson\ biomes=\nAdd Crimson Outpost to modded Crimson biomes +Start=Start +Gray\ Per\ Fess\ Inverted=Black, With A Fess On The Back Of The +Redstone\ Ore=Mineral / Redstone +Blue\ Shield=Blue Shield +Line\ Spacing=In between +Wrench\ unit\ to\ retain\ contents=Wrench unit to retain contents +Invalid\ list\ index\:\ %s=Invalid list index %s +Jungle\ Planks\ Ghost\ Block=Jungle Planks Ghost Block +Third\ Place=Third Place +Spawn\ eggs\ in\ seperate\ tab=Spawn eggs in seperate tab +ME\ Fluid\ Annihilation\ Plane=ME Fluid Annihilation Plane +If\ you\ die,\ you're\ out.=If you die, you're out. +Wooden\ Hoe=Use Of Lifting +Carrot\ Pie=Carrot Pie +Circle=Circle +Stone\ Hoe=Stone Pickaxe +Craft\ a\ Crafting\ Unit=Craft a Crafting Unit +Insulated\ HV\ Cable=Insulated HV Cable +Gray\ Paint\ Ball=Gray Paint Ball +Reversed\ Trigger=Reversed Trigger +Turtle\ chirps=Yelp tartaruga +Pollen\ Dust=Pollen Dust +Cypress\ Slab=Cypress Slab +\u00A7dSuperior\u00A7r=\u00A7dSuperior\u00A7r +Elite\ Battery=Elite Battery +\u00A75\u00A7oA\ magical\ lasso\ that\ hold\ animals=\u00A75\u00A7oA magical lasso that hold animals +Biotite\ Stairs=Biotite Stairs +Vibranium\ Excavator=Vibranium Excavator +Zelkova\ Forest\ Hills=Zelkova Forest Hills +Top\ Left\ /\ Right=Top Left / Right +Small\ Pile\ of\ Ender\ Pearl\ Dust=Small Pile of Ender Pearl Dust +Display\ Items=Display Items +Weeping\ Vines=Jok Trte +Center\ Height=Height From The Center Of The City +Play\ New\ Demo\ World=Play A New Hairstyle In The World +Hardcore\ Mode\ is\ already\ activated.=Hardcore Mode is already activated. +Soapstone\ Brick\ Stairs=Soapstone Brick Stairs +Nether\ Furnace=Nether Furnace +Page\ rustles=The pages are clear +Pulverizer=Pulverizer +No\ entity\ was\ found=No-a can be found +Search\ Items=Elements +Tin\ Chestplate=Tin Chestplate +Empty\ or\ non-convertable\ property\ detected\ ("%1$s"),\ setting\ property\ as\ default...=Empty or non-convertable property detected ("%1$s"), setting property as default... +Sandstone=Sand and stone +Basic\ Vertical\ Conveyor=Basic Vertical Conveyor +Primed\ TNT=Primer of TNT +Reach\:=Reach\: +Entity\ Dots\ Scale=Entity Dots Scale +Lingering\ Potion\ of\ Strength=The long-term strength of the drink +Spider=Spider +Palm\ Button=Palm Button +A\ machine\ which\ picks\ up\ items\ from\ its\ front\ and\ places\ them\ at\ its\ back,\ for\ item\ transportation.=A machine which picks up items from its front and places them at its back, for item transportation. +Downloading=Download +%s\ <%s>\ %s=%s <%s> %s +Bottle\ empties=The bar is empty bottle +Interactions\ with\ Beacon=Interaction with the Beacon +Birch\ Forest=Forest Beech +Honey\ Pie=Honey Pie +Crimson\ Roots=The Strawberry, The Raspberry, The Base Of The +Diorite\ Camo\ Door=Diorite Camo Door +Apple\ Pie=Apple Pie +A\ common\ metal\ with\ a\ silvery\ sheen\ and\ a\ soft\ composition.=A common metal with a silvery sheen and a soft composition. +Mossy\ Stone\ Brick\ Post=Mossy Stone Brick Post +Custom\ bossbar\ %s\ is\ now\ hidden=Still, as a rule, bossbar %s now that is hidden +Editing\ mode\ does\ not\ function\ properly\ on\ servers\ and\ has\ been\ disabled.=Editing mode does not function properly on servers and has been disabled. +Potted\ White\ Mushroom=Potted White Mushroom +X\ Range=X Range +Prismarine\ Wall=Prismarine Seina +Bauxite\ Ore=Bauxite Ore +Nanosaber=Nanosaber +Square=Square +%s\ Frame\ and\ Core=%s Frame and Core +Meteoric\ Steel\ Ingot=Meteoric Steel Ingot +Piglin\ snorts=Piglin sniff +Overgrown\ Stone=Overgrown Stone +Colors=Farve +Set\ spawn\ point\ to\ %s,\ %s,\ %s\ [%s]\ in\ %s\ for\ %s=Set spawn point to %s, %s, %s [%s] in %s for %s +\nAdd\ the\ ID/resource\ location\ of\ the\ biome\ you\ don't\ want\ RS's\ strongholds\ to\ spawn\ in.\ Separate\ each\ ID\ with\ a\ comma\ ,\ Example\:\ "minecraft\:ice_spikes,awesome_mod\:awesome_biome"=\nAdd the ID/resource location of the biome you don't want RS's strongholds to spawn in. Separate each ID with a comma , Example\: "minecraft\:ice_spikes,awesome_mod\:awesome_biome" +Power\:\ %s=Power\: %s +Projectile\ Protection=Shell Protection +Birch\ Small\ Hedge=Birch Small Hedge +Hide=Hide +Lime\ Shield=Lima Is The Shield Of The +Creative\ Mode=A Creative Way +Fool's\ Gold\ Mining\ Tool=Fool's Gold Mining Tool +Salmon\ hurts=Or mal +Ultimate\ technology=Ultimate technology +Cracked\ End\ Stone\ Bricks=Cracked End Stone Bricks +Brown\ Pale\ Sinister=Brown, To The Poor The Worst +Stripped\ Green\ Enchanted\ Log=Stripped Green Enchanted Log +How\ much\ to\ zoom\ further\ in\ when\ the\ cave\ maps\ mode\ is\ active.=How much to zoom further in when the cave maps mode is active. +Preparing\ for\ world\ creation...=The creation of the world prepares for the... +Load\:\ %s=Tasks\: %s +Basic\ Energy\ Cable=Basic Energy Cable +Blaze\ Pillar=Blaze Pillar +REI\ Reload\ Thread\:=REI Reload Thread\: +Sandy\ Brick\ Slab=Sandy Brick Slab +Light\ Gray\ Per\ Bend\ Inverted=Light Grey \u0421\u0433\u0438\u0431 Upside Down +\u00A77Descend\ Speed\:\ \u00A7a%s=\u00A77Descend Speed\: \u00A7a%s +Sythian\ Stalk=Sythian Stalk +Join=United +Version\ Check\ Info\ (State\:\ %1$s)=Version Check Info (State\: %1$s) +Default=For Parasurama +names=names +Green\ Redstone\ Lamp=Green Redstone Lamp +Light\ Blue\ Table\ Lamp=Light Blue Table Lamp +Gold\ Plate=Gold Plate +Have\ every\ potion\ effect\ applied\ at\ the\ same\ time=Their drink be applied simultaneously +This\ bed\ is\ occupied=The bed is in use +Stone\ Brick\ Chimney=Stone Brick Chimney +Deep\ Frozen\ Ocean=Deep-Sea Food +Light\ Blue\ Cross=Light Blue Cross +Nether\ Wart\ Block=The Bottom Of The Wart Block +Get\ stored\ in\ a\ spatial\ storage\ cell=Get stored in a spatial storage cell +Blue\ Slime\ Block=Blue Slime Block +Scrolling=Roll +Vindicator\ cheers=Magazine here +This\ demo\ will\ last\ five\ game\ days.\ Do\ your\ best\!=This shows that in the last race within the next five days. Just try your best\!\!\!\! +Solar\ Panel\ Module=Solar Panel Module +Lolipop\ Flower=Lolipop Flower +The\ Wild\ West\ Town=The Wild West Town +Nitrogen\ Dioxide=Nitrogen Dioxide +ME\ Quantum\ Ring=ME Quantum Ring +Cooked\ Tomato\ Slice=Cooked Tomato Slice +You're\ currently\ not\ in\ a\ party.=You're currently not in a party. +Render\ Leggings\ Shield=Render Leggings Shield +\nAdd\ the\ ID/resource\ location\ of\ the\ biome\ you\ don't\ want\ RS's\ wells\ to\ spawn\ in.\ Separate\ each\ ID\ with\ a\ comma\ ,\ Example\:\ "minecraft\:ice_spikes,awesome_mod\:awesome_biome"=\nAdd the ID/resource location of the biome you don't want RS's wells to spawn in. Separate each ID with a comma , Example\: "minecraft\:ice_spikes,awesome_mod\:awesome_biome" +settings\ and\ cannot\ be\ undone.=the settings cannot be canceled. +Untanned\ Leather=Untanned Leather +Too\ Expensive\!=It is Very Expensive\! +Black\ Shingles=Black Shingles +Go\ look\ for\ a\ Village\!=Go look for a Village\! +Witch\ Spawn\ Egg=The Second, At The Request Of The Eggs +Rainbow\ Eucalyptus\ Kitchen\ Sink=Rainbow Eucalyptus Kitchen Sink +Rowing=Rowing +Potted\ Green\ Mushroom=Potted Green Mushroom +Jungle\ Slab=Rady Jungle +Note\!\ When\ you\ sign\ the\ book,\ it\ will\ no\ longer\ be\ editable.=Attention\! When I connect the card, and can no longer be edited. +Maximum\ Recipes\ Per\ Page\:=Maximum Recipes Per Page\: +\u00A77\u00A7o"If\ I\ die,\ I'll\ come\ back."\u00A7r=\u00A77\u00A7o"If I die, I'll come back."\u00A7r +Uncraftable\ Tipped\ Arrow=You Can Also Use When Crafting Arrows +Fishing\ rod=Fishing rod +Peridot\ Sword=Peridot Sword +Resistance=Resistance +Explosion\ Notification=Explosion Notification +Functionality=Functionality +Plugin\ Settings=Plugin Settings +Nether\ Brick\ Step=Nether Brick Step +Lil\ Tater=Lil Tater +Lure=Charm +Library=Library +Toasting=Toasting +Undying\ Effect\ Cooldown=Undying Effect Cooldown +Steel\ Nugget=Steel Nugget +Cyan\ Concrete=Blue, Cool. +Crimson\ Button=Dark Red Button ... +Creating\ the\ realm...=In order to create a rich... +Acquire\ diamonds=To get a diamond +Woodland\ Explorer\ Map=Forest Explorer Map +Auto=Auto +Embur\ Roots=Embur Roots +Birch\ Kitchen\ Counter=Birch Kitchen Counter +Blue\ Per\ Bend\ Sinister=Blu-Fold Sinistro +Potion\ Effects\ (SP\ only)=Potion Effects (SP only) +Invalid=Invalid +Change\ Position=Change Position +Steel\ Sword=Steel Sword +Jungle\ Barrel=Jungle Barrel +End\ Stone\ Brick\ Post=End Stone Brick Post +Questing\ Mode\ isn't\ enabled\ yet.\ use\ '/hqm\ quest'\ to\ enable\ it.=Questing Mode isn't enabled yet. use '/hqm quest' to enable it. +Craft\ an\ Iron\ Hammer.=Craft an Iron Hammer. +Stellum\ Ingot=Stellum Ingot +16k\ ME\ Storage\ Cell=16k ME Storage Cell +F3\ +\ P\ \=\ Pause\ on\ lost\ focus=F3 + P \= pause, gubitak focus +Sign=Sign up +Endermite\ dies=\u0531\u0575\u057D Endermite +Lime\ Snout=The Sun Estuary +Machines=Machines +Cherry\ Oak\ Door=Cherry Oak Door +Glider\ Right\ Wing=Glider Right Wing +Desert\ Lakes=In The Desert Lake +Parrot\ growls=De Parrot gromt +Splash\ Potion\ of\ Harming=Splash potion of damage +Cherry\ Blossom\ Forest=Cherry Blossom Forest +Orange\ Oak\ Leaves=Orange Oak Leaves +Jacaranda\ Slab=Jacaranda Slab +Small\ Acacia\ Logs=Small Acacia Logs +Marble\ Brick\ Wall=Marble Brick Wall +Upgrades\ MK3\ machines\ to\ MK4=Upgrades MK3 machines to MK4 +Quartz\ Slab=The Number Of Quartz +/hqm\ lives\ remove\ \ =/hqm lives remove +Colored\ Tiles\ (Purple\ &\ Orange)=Colored Tiles (Purple & Orange) +Cika\ Leaves=Cika Leaves +Acquire\ Tech\ Reborn\ ore=Acquire Tech Reborn ore +Gilded\ Blackstone\ Glass=Gilded Blackstone Glass +Sapphire\ Shovel=Sapphire Shovel +\u00A75\u00A7oVIP+\ only=\u00A75\u00A7oVIP+ only +REI\ Thread=REI Thread +Aquilorite\ Paxel=Aquilorite Paxel +Red\ Creeper\ Charge=The Cost Of The Red Creeper +Rolling\ Machine=Rolling Machine +Raiders\ remaining\:\ %s=Raiders remain\: %s +Zigzagged\ Polished\ Blackstone=Zigzagged Polished Blackstone +Smoking\ Upgrade=Smoking Upgrade +Potted\ Dark\ Oak\ Sapling=Plants Sapling Dark Oak +Long-duration\ Booster=Long-duration Booster +Unable\ to\ locate\ homepage\ for\ this\ application...=Unable to locate homepage for this application... +Compatibility=Compatibility +Gray\ Cross=Grey Cross +Top\ Hat=Top Hat +Smooth\ Stone\ Camo\ Door=Smooth Stone Camo Door +Carrot=Root +Villager\ dies=Of local residents, dies +Advanced\ Buffer=Advanced Buffer +Lunum\ Shovel=Lunum Shovel +Interactions\ with\ Loom=The Interaction Frame +Yellow\ Concrete=Yellow Clothes +Lapis\ Lazuli\ Ore=Lapis Lazuli Lapis PM +Silver\ Maple\ Leaves=Silver Maple Leaves +Potion\ Effects\ Scale=Potion Effects Scale +Ashes=Ashes +Dark\ Oak\ Chest\ Boat=Dark Oak Chest Boat +Defines\ the\ cinematic\ camera\ while\ zooming.=Defines the cinematic camera while zooming. +Charged\ Certus\ Quartz\ Crystal=Charged Certus Quartz Crystal +Endermite\ hurts=Endermite evil +Switch\ minigame=Vire mini +Honey\ Bottle=Honey Bottle +Device\ is\ low\ on\ power.=Device is low on power. +Seed\:\ %s=Zaad\: %s +Copper\ Ingot=Copper Ingot +yaw=yaw +Frayed\ Backpack=Frayed Backpack +The\ block\ used\ for\ lava\ generation\ at\ and\ below\ the\ Liquid\ Altitude.=The block used for lava generation at and below the Liquid Altitude. +Zoglin=Zoglin +Tent\ Bag=Tent Bag +Display\ player\ heads\ instead\ of\ coloured\ dots\ even\ if\ the\ TAB\ key\ is\ not\ pressed.=Display player heads instead of coloured dots even if the TAB key is not pressed. +Working\ Station=Working Station +Partial=Partial +Efficiency=Efficiency +LibGui\ Settings=LibGui Settings +Creative\ Solar\ Panel=Creative Solar Panel +Set\ %s\ for\ %s\ to\ %s=Fayl %s v %s for %s +Pink\ Allium=Pink Allium +Holographic\ Bridge\ Projector=Holographic Bridge Projector +Your\ realm\ will\ be\ switched\ to\ another\ world=The empire is going to go to a different world +F3\ +\ B\ \=\ Show\ hitboxes=F3 + B \= Visar bounding boxes +Yellow\ Base\ Indented=Yellow Database Fields +View\ Recipes\ for\ %s=View Recipes for %s +Pufferfish\ deflates=Clean the fish +Minecart\ with\ Furnace=It's great that you're in a +A\ sliced\ food\ item\ which\ can\ be\ eaten\ faster\ than\ an\ apple.=A sliced food item which can be eaten faster than an apple. +Decorated\ Bed=Decorated Bed +Yellow\ Elevator=Yellow Elevator +Display\ Hostile\ Mobs=Display Hostile Mobs +Decoration=Decoration +Lilac=Purple +Enter\ a\ Jungle\ Mineshaft=Enter a Jungle Mineshaft +Gravel\ (Legacy)=Gravel (Legacy) +ME\ Fluid\ Terminal=ME Fluid Terminal +Endermen\ (Irreality\ Crystal)=Endermen (Irreality Crystal) +Blue\ Enchanted\ Fence\ Gate=Blue Enchanted Fence Gate +Craft\ a\ Fusion\ control\ computer=Craft a Fusion control computer +Download\ cancelled=Download cancelled +Dark\ Prismarine\ Stairs=Dark Prismarit Stairs +HH\:mm\:ss=HH\:mm\:ss +This\ map\ is\ unsupported\ in\ %s=This map is based on %s +Cavern\ Region\ Size\ Custom\ Value=Cavern Region Size Custom Value +Black\ Per\ Bend\ Sinister=Black \u0421\u0433\u0438\u0431 Disturbing +Hours=Hours +Bronze\ Helmet=Bronze Helmet +Sakura\ Post=Sakura Post +Reset\ %s\ button=Reset %s button +The\ color\ or\ texture\ to\ be\ used\ when\ rendering\ CraftPresence\ tooltip\ backgrounds=The color or texture to be used when rendering CraftPresence tooltip backgrounds +Triturating=Triturating +Vex\ Essence=Vex Essence +Queue\ Module=Queue Module +Nether\ Sprouts=Below The Blade +Not\ a\ valid\ number\!\ (Float)=The right number\! (Float) +/hqm\ help\ =/hqm help +Are\ you\ sure\ you\ would\ like\ to\ DIVIDE\ all\ sub-world\ coordinates\ by\ 8?=Are you sure you would like to DIVIDE all sub-world coordinates by 8? +Unable\ to\ get\ Discord\ assets,\ things\ may\ not\ work\ well...=Unable to get Discord assets, things may not work well... +Light\ Gray\ Base\ Sinister\ Canton=Light Grey, Based On The Data Of The Canton To The Accident +%1$s\ was\ struck\ by\ lightning\ whilst\ fighting\ %2$s=%1$s he was also struck by lightning during the battle %2$s +Wandering\ Trader\ agrees=First, I agree with +Orange\ Birch\ Leaves=Orange Birch Leaves +Global\ property\ adjustment\ detected\ ("%1$s"),\ checking\ for\ migration\ data\ and\ setting\ property\ to\ new\ value...=Global property adjustment detected ("%1$s"), checking for migration data and setting property to new value... +Cyan\ Bordure\ Indented=In Blue Plate, And Dived Into +Light\ Gray\ Inverted\ Chevron=The Grey Bar On The Opposite Side +Creeper\ hisses=The Creeper Hiss +Gray\ Bordure\ Indented=Gray, The Fee Will Be +A\ small\ step\ with\ a\ post\ under\ it=A small step with a post under it +A\ Spruce\ Scented\ Excavation=A Spruce Scented Excavation +Badlands\ Well=Badlands Well +Nether\ Wasteland\ Temple\ Spawnrate=Nether Wasteland Temple Spawnrate +Ore\ Clusters=Ore Clusters +Lit\ Magenta\ Redstone\ Lamp=Lit Magenta Redstone Lamp +Gave\ %s\ %s\ to\ %s=Let %s %s have %s +Thick\ Lingering\ Potion=Strong, Long-Lasting Filter +Red\ Concrete\ Camo\ Trapdoor=Red Concrete Camo Trapdoor +Maple\ Boat=Maple Boat +Emit\ when\ levels\ are\ above\ or\ equal\ to\ limit.=Emit when levels are above or equal to limit. +Chipped\ Anvil=Perskelta S +Cypress\ Button=Cypress Button +Black\ Forest\ Hills=Black Forest Hills +End\ Stone\ Hoe=End Stone Hoe +Piston=Parsani +Vibrant\ Quartz\ Glass=Vibrant Quartz Glass +Stone\ Bricks\ Camo\ Door=Stone Bricks Camo Door +Smooth\ Purpur=Smooth Purpur +Chain\ Plating=Chain Plating +Nether\ Data\ Model=Nether Data Model +Vacuum\ Freezer=Vacuum Freezer +Green\ side\ means\ both.=Green side means both. +OpenComputers=OpenComputers +White\ Flat\ Tent\ Top=White Flat Tent Top +Lunum\ Dust=Lunum Dust +Glass\ Fiber\ Cable=Glass Fiber Cable +Average\ time=Average time +Rainbow\ Brick\ Wall=Rainbow Brick Wall +Witch\ Hazel\ Fence\ Gate=Witch Hazel Fence Gate +Expires\ in\ a\ day=Most importantly, the next day +Stellum\ can\ be\ used\ to\ create\ powerful\ tooling\ roughly\ equivalent\ to\ $(thing)$(l\:resources/asterite)Asterite$().\ Born\ from\ the\ heart\ of\ a\ living\ star,\ it\ is\ fire\ proof\ to\ an\ extent\ never\ seen\ before;\ and\ posses\ a\ power\ that,\ when\ harnessed,\ can\ power\ an\ entire\ civilization.=Stellum can be used to create powerful tooling roughly equivalent to $(thing)$(l\:resources/asterite)Asterite$(). Born from the heart of a living star, it is fire proof to an extent never seen before; and posses a power that, when harnessed, can power an entire civilization. +\u00A74That\ Trial\ Key\ seem\ to\ be\ broken=\u00A74That Trial Key seem to be broken +Lime\ Glazed\ Terracotta\ Ghost\ Block=Lime Glazed Terracotta Ghost Block +Brown\ Creeper\ Charge=Brown, The Free +Buffer\ overflow=Overflow +Mycelium=Going on a trip +Cucumber=Cucumber +A\ sliced\ food\ item,\ which\ is\ an\ even\ more\ hunger-efficient\ version\ of\ the\ Pickled\ Cucumber,\ and\ can\ be\ eaten\ faster.=A sliced food item, which is an even more hunger-efficient version of the Pickled Cucumber, and can be eaten faster. +Tungsten\ Plate=Tungsten Plate +Arrow\ of\ Fire\ Resistance=Arrow Durability +Joint\ type\:=General appearance\: +See\ the\ Trader's\ Manual\ for\ information\ about\ trading\ stations.=See the Trader's Manual for information about trading stations. +Horseweed=Horseweed +Hammer\ of\ the\ Trader=Hammer of the Trader +%s\ Sofa=%s Sofa +Enlarge\ Minimap=Enlarge Minimap +Mipmap\ Levels=The Level Of The Mipmap +Changes\ in\ %1$s\:\\n\\n%2$s=Changes in %1$s\:\\n\\n%2$s +ME\ Fluid\ Export\ Bus=ME Fluid Export Bus +First\ steps=First steps +Fool's\ Gold\ Gear=Fool's Gold Gear +%1$s\ was\ blown\ up\ by\ %2$s\ using\ %3$s=%1$s it's been blown up %2$s please help %3$s +Something\ hurts=The person you hurt +Obtaining\ Rose\ Gold=Obtaining Rose Gold +Wandering\ Trader\ drinks\ milk=Strolling by the Professional of the milk +Steps\ are\ a\ smaller\ version\ of\ platforms.\ They\ can\ be\ used\ to\ build\ staircases\ with\ posts\ and\ platforms.=Steps are a smaller version of platforms. They can be used to build staircases with posts and platforms. +Incorrect\ argument\ for\ command=Neveljaven ukaz argument +Redwood\ Fence=Redwood Fence +Diamond\ Excavator=Diamond Excavator +Sandstone\ Step=Sandstone Step +Potted\ Black\ Bat\ Orchid=Potted Black Bat Orchid +White\ Oak\ Diagonal\ Timber\ Frame=White Oak Diagonal Timber Frame +This\ mod\ id\ will\ make\ the\ recipes\ attempt\ to\ output\ items\ such\ as\ dusts\ and\ plates\ of\ the\ target\ mod.=This mod id will make the recipes attempt to output items such as dusts and plates of the target mod. +Explosions=Explosions +Cell\ Workbench=Cell Workbench +Scrap=Scrap +Applicable\ Tooltip\ Icons\ Mode=Applicable Tooltip Icons Mode +Reload\ Cts=Reload Cts +Red\ Sand=The Red Sand +Obsidian\ Excavator=Obsidian Excavator +Obtain\ a\ Metite\ Ingot=Obtain a Metite Ingot +Charcoal=Tree england +Arrow\ of\ Strength=Arrow power +Invalid\ book\!=Invalid book\! +Level\ shouldn't\ be\ negative=The level must be non-negative +Golden\ Carrot=The Golden Carrot +Sort\:\ %s=Form\: %s +Get\ a\ Condenser=Get a Condenser +Creative\ Buffer=Creative Buffer +Multiple\ rewards=Multiple rewards +Disable\ death\ chests=Disable death chests +Scrapboxes\ can\ be\ opened\ by\ either\ a\ simple\ use\ in\ hand,\ or\ by\ dispensers.\ That's\ right,\ just\ throw\ your\ scrapboxes\ into\ dispensers\ and\ give\ them\ a\ redstone\ signal,\ and\ boom\!\ Random\ item\!=Scrapboxes can be opened by either a simple use in hand, or by dispensers. That's right, just throw your scrapboxes into dispensers and give them a redstone signal, and boom\! Random item\! +Smelt\ sap\ into\ rubber=Smelt sap into rubber +Options...=Opportunities... +Gray\ Stained\ Glass=Grey Glass +Blue\ Sage=Blue Sage +Do\ you\ want\ to\ copy\ the\ following\ mods\ into\ the\ mods\ directory?=If you want to copy and paste the following content, the content of the book? +Fluix\ ME\ Glass\ Cable=Fluix ME Glass Cable +Items\ Enchanted=Items Enchanted +\u00A77\u00A7oan\ enderman\ drop\ this?"\u00A7r=\u00A77\u00A7oan enderman drop this?"\u00A7r +Zelkova\ Stairs=Zelkova Stairs +Minecraft\ %1$s=Minecraft %1$s +The\ set\ will\ be\ removed\ from\ current\ world.=The set will be removed from current world. +End\ Stone\ Brick\ Platform=End Stone Brick Platform +AMPLIFIED=ADDED +Collect\:\ Ender\ Transmitter=Collect\: Ender Transmitter +Lime\ Shingles\ Stairs=Lime Shingles Stairs +%s\ cannot\ support\ that\ enchantment=%s no, the spell can help +Industrial\ Tank\ Unit=Industrial Tank Unit +Irreality\ Crystal=Irreality Crystal +Soul\ o'Lantern=Soul o'Lantern +Xorcite\ Roots=Xorcite Roots +Potted\ Oak=Potted Oak +Show\ Game\ Status=Show Game Status +Daffodil=Daffodil +White\ ME\ Covered\ Cable=White ME Covered Cable +Zoom\ Mode=Zoom Mode +Basic\ Machine\ Frame=Basic Machine Frame +Fool's\ Gold\ Ingot=Fool's Gold Ingot +Light\ Blue\ Glazed\ Terracotta=A Pale Blue Glazed Terracotta +No\ blocks\ were\ cloned=No of blocks to be cloned +Accessibility=In +Hydrogen=Hydrogen +Video\ Settings=Video +Old\ Mojang\ Cape\ Wing=Old Mojang Cape Wing +Zinc\ Ingot=Zinc Ingot +Add\ Nether\ Pyramid\ to\ Modded\ Biomes=Add Nether Pyramid to Modded Biomes +Biotite\ Pillar=Biotite Pillar +Light\ Blue\ Base\ Dexter\ Canton=The Light Blue Base Dexter Canton +Iridium\ Reinforced\ Stone\ Stairs=Iridium Reinforced Stone Stairs +Match\ NBT=Match NBT +Jungle\ Planks\ Glass=Jungle Planks Glass +Heart\ of\ the\ Sky\ -\ Ticks\ per\ Damage\ (Positive,\ Greater\ than\ Zero)=Heart of the Sky - Ticks per Damage (Positive, Greater than Zero) +Floored\ Caverns=Floored Caverns +16\u00B3\ Spatial\ Storage\ Cell=16\u00B3 Spatial Storage Cell +Universal\ anger=The universal rage +Block\ of\ Asterite=Block of Asterite +Revoked\ criterion\ '%s'\ of\ advancement\ %s\ from\ %s=To Cancel The Criteria"%ssuccess %s by %s +Sakura\ Coffee\ Table=Sakura Coffee Table +Crimson\ Cutting\ Board=Crimson Cutting Board +Rainbow\ Eucalyptus\ Crafting\ Table=Rainbow Eucalyptus Crafting Table +Oak\ Wood=Oak Wood +Updated\ the\ name\ of\ team\ %s=Update by the name of the computer %s +Hex\ Code\:=Hex Code\: +Pickaxe=Pickaxe +Coal\ Generator=Coal Generator +Dungeons\ Configs=Dungeons Configs +Basic\ Circuit\ Recipe=Basic Circuit Recipe +%s\ LF/tick=%s LF/tick +Add\ End\ Shipwreck\ to\ Modded\ End\ Biomes=Add End Shipwreck to Modded End Biomes +Redwood\ Drawer=Redwood Drawer +Basic\ Alloy\ Smelter=Basic Alloy Smelter +Prompt\ on\ Links=The invitation for links +Basic\ Capacitor=Basic Capacitor +Skyris\ Trapdoor=Skyris Trapdoor +\u00A72\u00A7lCraftPresence\ has\ been\ shutdown\!\\n\ \u00A76\u00A7lUse\ /cp\ reboot\ to\ reboot=\u00A72\u00A7lCraftPresence has been shutdown\!\\n \u00A76\u00A7lUse /cp reboot to reboot +%s\ left\ the\ game=%s he left the game +More\ options=For more options +Red\ Redstone\ Lamp=Red Redstone Lamp +Redstone\ Comparator=Redstone Fqinje +$.3fK\ Energy=$.3fK Energy +Block\ of\ Iron=A block of iron +Would\ you\ like\ to\ download\ and\ install\ it\ automagically?=If you want to download it and install it for you? +Cave\ Air=The Cave Air +Light\ Gray\ Dye=Gray +Martian\ Stone\ Slab=Martian Stone Slab +Craft\ any\ other\ Transformer=Craft any other Transformer +Purple\ Topped\ Tent\ Pole=Purple Topped Tent Pole +Polished\ Andesite\ Camo\ Door=Polished Andesite Camo Door +Lime\ Banner=Var Banner +Light\ Gray\ Lawn\ Chair=Light Gray Lawn Chair +Invisible\ until\ %s\ [[task\ has||tasks\ have]]\ been\ completed.=Invisible until %s [[task has||tasks have]] been completed. +Makes\ the\ machine\ use\ less\ energy=Makes the machine use less energy +Silver\ Plate=Silver Plate +Copy\ of\ original=A copy of the original +...\ and\ %s\ more\ ...=... i %s read more ... +Magenta\ Lozenge=Purple Brilliant +Soul\ Sandstone\ Stairs=Soul Sandstone Stairs +Arrow\ of\ Poison=The Poison Arrow +Website=The home page of the website +%s\ Pocket\ Computer=%s Pocket Computer +Short-burst\ Booster=Short-burst Booster +Leather\ Boots=Leather boots +Cypress\ Swamplands=Cypress Swamplands +Willow\ Coffee\ Table=Willow Coffee Table +Show\ trading\ station\ tooltips=Show trading station tooltips +Unable\ to\ save\ structure\ '%s'=No management structure '%s' +Lettuce=Lettuce +Zombie\ Friendly\ Cost=Zombie Friendly Cost +Craft\ a\ Basic\ Circuit=Craft a Basic Circuit +Deprecated=Has passed +Gold\ Plates=Gold Plates +Diamond\ Block\ (Legacy)=Diamond Block (Legacy) +Molten\ Gold\ Bucket=Molten Gold Bucket +Iron\ Golem\ dies=Iron Golem d\u00F8r +Your\ time\ is\ almost\ up\!=Time slowly ends\! +Savanna\ Plateau=From The Savanna Plateau +Item\ Tooltip\ Settings=Item Tooltip Settings +Click\ on\ a\ quest\ to\ select\ it\ and\ then\ click\ on\ the\ quests\ you\ want\ as\ requirements\ for\ the\ selected\ quest.\\n\\nHold\ shift\ and\ click\ on\ the\ selected\ quest\ to\ remove\ its\ requirements.=Click on a quest to select it and then click on the quests you want as requirements for the selected quest.\\n\\nHold shift and click on the selected quest to remove its requirements. +Yellow\ Dye=Yellow +Boreal\ Forest=Boreal Forest +Raids\ Won=Raids S' +Potted\ Azure\ Bluet=Pan Azure Bl +Crafting\ Monitor=Crafting Monitor +Pink\ Carpet=Na Pink Tepih +Select\ All=Select All +Advance\ in-game\ time=In advance of game time +\nSize\ of\ average\ Stronghold\ as\ a\ percentage.\ Note\:\ RS\ Stonghold\ is\ much\ larger\ by\ default.\ To\ get\ closer\ to\ vanilla's\ size,\ enter\ 60\ here.\ 10\ for\ supertiny\ and\ 2000\ for\ supermassive\ Strongholds.=\nSize of average Stronghold as a percentage. Note\: RS Stonghold is much larger by default. To get closer to vanilla's size, enter 60 here. 10 for supertiny and 2000 for supermassive Strongholds. +Illager\ Pristine\ Matter=Illager Pristine Matter +Magenta\ Shingles\ Slab=Magenta Shingles Slab +Horn\ Coral\ Fan=Horn Coral Fan +Dark\ Oak\ Glass\ Trapdoor=Dark Oak Glass Trapdoor +Zinc\ Slab=Zinc Slab +Custom\ bossbar\ %s\ has\ no\ players\ currently\ online=Each bossbar %s none of the players are online at the moment +Removed\ %s\ members\ from\ team\ %s=Remove %s the members of the team %s +Rose\ Gold\ Gear=Rose Gold Gear +Dark\ Oak\ Sapling=Dark Oak Sapling +Pling\ Configuration=Pling Configuration +Hide/Show\ REI\:=Hide/Show REI\: +Advance\ time\ of\ day=Advance time of day +Server\ icon\ to\ default\ to\ when\ in\ an\ unsupported\ server=Server icon to default to when in an unsupported server +Cyan\ Shingles\ Slab=Cyan Shingles Slab +Ebony\ Woods=Ebony Woods +Cut\ Red\ Sandstone\ Slab=The Reduction Of The Slab Of The Red Sandstone +Sandwich...\ ?=Sandwich... ? +Orange\ Base\ Indented=Color-Base Included +\ \n\u00A77Press\ %s\ to\ remove\ this\ from\ favorites.=\ \n\u00A77Press %s to remove this from favorites. +A\ rare\ gem\ with\ a\ deep,\ overwhelming\ dark\ shine.\ Extraordinarily\ dense,\ this\ material\ is\ theorized\ to\ be\ obtained\ from\ large\ clusters\ at\ the\ center\ of\ galaxies.$(p)There\ are\ no\ records\ of\ such\ phenomena,\ but\ one's\ journey\ holds\ the\ keys\ to\ many\ secrets\ never\ thought\ of\ before.=A rare gem with a deep, overwhelming dark shine. Extraordinarily dense, this material is theorized to be obtained from large clusters at the center of galaxies.$(p)There are no records of such phenomena, but one's journey holds the keys to many secrets never thought of before. +Brown\ Glazed\ Terracotta\ Ghost\ Block=Brown Glazed Terracotta Ghost Block +Spruce\ Button=Button Boot +Lime\ Creeper\ Charge=Of The Lime, The Vine-Free +Always\ backup\ your\ worlds\ before\ updating=Always backup your worlds before updating +Blue\ Sand=Blue Sand +Gray\ Pale\ Dexter=Bled Siba Dexter +Bronze\ Wrench=Bronze Wrench +Dead\ Horn\ Coral\ Fan=Dead Africa, Coral Fan +This\ quest\ will\ be\ invisible\ until\ it\ is\ enabled\ (all\ its\ parent\ quests\ are\ completed).\ This\ way\ you\ can\ make\ a\ secret\ quest\ line\ appear\ all\ of\ a\ sudden\ when\ a\ known\ quest\ is\ completed.=This quest will be invisible until it is enabled (all its parent quests are completed). This way you can make a secret quest line appear all of a sudden when a known quest is completed. +Orange\ Terracotta\ Camo\ Trapdoor=Orange Terracotta Camo Trapdoor +Target\ does\ not\ have\ this\ tag=The purpose of tags +There\ are\ %s\ data\ packs\ available\:\ %s=U %s Data packages are available\: %s +Gray\ Stone\ Bricks=Gray Stone Bricks +Whether\ non-full\ blocks\ (stairs,\ slabs)\ should\ be\ represented\ by\ a\ full\ cube\ in\ extended\ hitboxes.=Whether non-full blocks (stairs, slabs) should be represented by a full cube in extended hitboxes. +Blue\ Inverted\ Chevron=A Blue Inverted Chevron +Ending\ minigame...=The end of the game... +The\ locale\ or\ language\ ID\ to\ be\ used\ for\ translating\ this\ mod's\ strings=The locale or language ID to be used for translating this mod's strings +Pink\ Chiseled\ Sandstone=Pink Chiseled Sandstone +Potted\ Dead\ Bush=Roog On Surnud Bush +Packed\ Black\ Ice=Packed Black Ice +Fluid\ Blacklist=Fluid Blacklist +Block\ %s\ does\ not\ have\ property\ '%s'=Enhed %s no, I have a family"%s' +Asterite\ Sword=Asterite Sword +Custom\ value\ for\ water\ region\ size.\ Smaller\ value\ \=\ larger\ regions.=Custom value for water region size. Smaller value \= larger regions. +%s\ has\ been\ removed\ as\ a\ trusted\ member\ from\ this\ claim.=%s has been removed as a trusted member from this claim. +When\ Inactive=When Inactive +Fish\ Caught=Fish +Rain\ falls=The rain is falling +Delete\ Sub-world=Delete Sub-world +Increases\ speed\ at\ the\ cost\ of\ more\ energy=Increases speed at the cost of more energy +Language=Language +Add\ lives\ to\ a\ player,\ defaults\:\ user,\ 1=Add lives to a player, defaults\: user, 1 +Enable\ Per-Entity\ System=Enable Per-Entity System +Liquid\ Caverns=Liquid Caverns +Cika\ Wood=Cika Wood +Bucket\ of\ Pufferfish=\u0534\u0578\u0582\u0575\u056C Pufferfish +Netherite\ Mining=Netherite Mining +Enchanted\ Golden\ Apple\ Slices=Enchanted Golden Apple Slices +Various\ commands\ for\ controlling\ computers.=Various commands for controlling computers. +Red\ Per\ Fess\ Inverted=Red Per Fess Inverted +Ravines=Need +Red\ Glazed\ Terracotta\ Ghost\ Block=Red Glazed Terracotta Ghost Block +Golden\ Leggings=Gold Leggings +hi\ %=hi +Couldn't\ revoke\ advancement\ %s\ from\ %s\ as\ they\ don't\ have\ it=I didn't get my progress back %s on %s I don't like +Cyan\ Terracotta\ Camo\ Trapdoor=Cyan Terracotta Camo Trapdoor +Dying=Do +Green\ Glazed\ Terracotta\ Camo\ Trapdoor=Green Glazed Terracotta Camo Trapdoor +Basic\ Display=Basic Display +Granite\ Brick\ Stairs=Granite Brick Stairs +White\ Stained\ Glass\ Pane=White Stained Glass +Underwater\ Haste=Underwater Haste +Client\ incompatible\!=The client isn't in accordance\! +Pickaxe\ Attack\ Speed=Pickaxe Attack Speed +Pink\ Topped\ Tent\ Pole=Pink Topped Tent Pole +HOVER=HOVER +Craft\ a\ Portable\ Cell=Craft a Portable Cell +Clear\ on\ each\ opening.=Clear on each opening. +Golden\ Gate=Golden Gate +Orange\ Creeper\ Charge=A Narancs Creeper \u00C1r +Brewing\ Stand=The Company's Products Stand +Light\ Gray\ Rose\ Campion=Light Gray Rose Campion +Polished\ Blackstone\ Platform=Polished Blackstone Platform +Cat\ dies=The cat is dying +Super\ Space\ Slime\ Shooter=Super Space Slime Shooter +Ametrine\ Chestplate=Ametrine Chestplate +Insulated\ Gold\ Cable=Insulated Gold Cable +Bronze\ Tiny\ Dust=Bronze Tiny Dust +Glorified\ blender\nMixes\ fluids\ and\ dusts\ together=Glorified blender\nMixes fluids and dusts together +Failed\ to\ locate\ changelog\ data\ for\ %1$s\ @\ %2$s=Failed to locate changelog data for %1$s @ %2$s +Light\ Blue\ ME\ Smart\ Cable=Light Blue ME Smart Cable +Spectator\ Mode=The Display Mode Will Only +Stretches\ caverns\ horizontally.\ Lower\ value\ \=\ more\ open\ caverns\ with\ larger\ features.=Stretches caverns horizontally. Lower value \= more open caverns with larger features. +Peridot\ Plate=Peridot Plate +Magenta\ Per\ Pale\ Inverted=A Light Red With Reverse +No\ longer\ spectating\ an\ entity=You should never be considered as a whole, +Green\ Flat\ Tent\ Top=Green Flat Tent Top +Light\ Gray\ Glazed\ Terracotta=Light Gray Glass With A +Text\ Field\ Modifications=Text Field Modifications +Upgrades=Upgrades +Arrow\ of\ Slow\ Falling=The arrow falls slowly +Right=Even +Lime\ Bend=The Day Bent +Guzmania=Guzmania +Choose\ Page=Choose Page +What\ moves\ one's\ world.=What moves one's world. +Green\ Field\ Masoned=Green Area, Built Underground Of Brick +A\ task\ where\ the\ player\ can\ hand\ in\ items\ or\ fluids.\ This\ is\ a\ normal\ consume\ task\ where\ manual\ submit\ has\ been\ disabled\ to\ teach\ the\ player\ about\ the\ QDS=A task where the player can hand in items or fluids. This is a normal consume task where manual submit has been disabled to teach the player about the QDS +Lime\ Elevator=Lime Elevator +Enchantment\ Colors=Enchantment Colors +Import\ Settings=To Import The Settings +Nether\ Quartz\ Seed=Nether Quartz Seed +Light\ Blue\ Bundled\ Cable=Light Blue Bundled Cable +Fall\ damage\ is\ negated\ at\ cost\ of\ energy.=Fall damage is negated at cost of energy. +Circuit\ Maker=Circuit Maker +Jungle\ Planks\ Camo\ Door=Jungle Planks Camo Door +/hqm\ lives=/hqm lives +Orange\ Concrete\ Camo\ Door=Orange Concrete Camo Door +Sunstreak=Sunstreak +Skyris\ Bookshelf=Skyris Bookshelf +Display\ Fluids=Display Fluids +Trident\ returns=It also gives +Chest\ opens=The trunk opens +Pine\ Crafting\ Table=Pine Crafting Table +Crimson\ Planks\ Ghost\ Block=Crimson Planks Ghost Block +Note\ Block=Note Block +Render\ compass\ letters\ (N,\ E,\ S,\ W)\ over\ the\ on-map\ waypoints.=Render compass letters (N, E, S, W) over the on-map waypoints. +Grass=Grass +Has\ loot\ table=Has loot table +Enable\ Commands=Enable Commands +Orange\ Terracotta\ Camo\ Door=Orange Terracotta Camo Door +Savanna\ Mineshaft=Savanna Mineshaft +Build=Build +Keybindings=Keybindings +Lead\ Helmet=Lead Helmet +Debug\ Stick=Some Of These Pictures +Nether\ Fortress\ Map=Nether Fortress Map +Web\ Links=Links +Toggles\ Verbose\ Mode,\ showing\ more\ detailed\ logging\ as\ well\ as\ stack\ traces\ and\ deeper\ exception\ messages\\n\\nOverriden\ Status\ ->\ %1$s=Toggles Verbose Mode, showing more detailed logging as well as stack traces and deeper exception messages\\n\\nOverriden Status -> %1$s +\u00A7cRedstone\ \u00A74Off=\u00A7cRedstone \u00A74Off +Large\ Fern=Big Fern +Dark\ Amaranth\ Vertical\ Slab=Dark Amaranth Vertical Slab +%1$s\ was\ pummeled\ by\ %2$s=%1$s it was a hack %2$s +Accept=Accept it +Fabric\ Furnaces=Fabric Furnaces +Book\ and\ Quill=Paper and pencil +Scoria\ Cobblestone=Scoria Cobblestone +Orange\ Per\ Bend\ Sinister=Orange Bend Sinister Biridir +Accessibility\ Settings...=The Availability Of Settings,... +Diamond\ Tiny\ Dust=Diamond Tiny Dust +Blue\ Banner=Blue Flag +Stripped\ Acacia\ Wood=Section Of Acacia +A\ PairOfInts=\u0535\u0582 PairOfInts +The\ width\ of\ the\ bedrock\ layer.\ Only\ works\ if\ Flatten\ Bedrock\ is\ true.=The width of the bedrock layer. Only works if Flatten Bedrock is true. +Loot\ Data\ Block=Loot Data Block +Cart\ at\ [%s,\ %s,\ %s]\ linked\ as\ child\ of\ [%s,\ %s,\ %s]\!=Cart at [%s, %s, %s] linked as child of [%s, %s, %s]\! +Craft\ a\ Storage\ Bus=Craft a Storage Bus +All\ Quests\ Completed=All Quests Completed +Vibranium\ Hammer=Vibranium Hammer +Mule\ hee-haws=Masha hee-haws +Oak\ Glass\ Door=Oak Glass Door +Light\ Blue\ Terracotta=Light Blue, And Terra Cotta +Charred\ Wooden\ Slab=Charred Wooden Slab +Frequency\ Transmitter=Frequency Transmitter +Acacia\ Sign=Black Locusts, It Is A Sign +Something\ went\ wrong\ while\ trying\ to\ recreate\ a\ world.=What happens when you try to play in the world. +Hardcore\ Questing\ Mode=Hardcore Questing Mode +Customize\ the\ theme\ by\ specify\ what\ block\ this\ block\ should\ look\ like.=Customize the theme by specify what block this block should look like. +Evoker\ hurts=The figures of evil +Right\ Control=Right Management +Elite\ Presser=Elite Presser +Quantum\ Leggings=Quantum Leggings +Colored\ Tiles\ (Rainbow)=Colored Tiles (Rainbow) +Light\ Ring=Light Ring +Hotbar=Hotbar +Zombie\ Villager=Zombie Villager Rode +Crying\ Obsidian=Crying Obsidian +Small\ Pile\ of\ Charcoal\ Dust=Small Pile of Charcoal Dust +REI\ Synchronized\ Auto\ Keep=REI Synchronized Auto Keep +Nitrofuel=Nitrofuel +Unable\ to\ summon\ entity=You can also summon the entity +Mooshroom\ transforms=The Promen Mooshroom +"Default"\ resets\ to\ the\ default.="Default" resets to the default. +Factory.\ Must.\ Grow.=Factory. Must. Grow. +Pendorite\ Shovel=Pendorite Shovel +Poison=GIF animat +Anvil\ destroyed=Anvil m\u0259hv +Settings\ used\ in\ the\ generation\ of\ water\ regions.=Settings used in the generation of water regions. +Is\ This\ A\ Tesseract?=Is This A Tesseract? +What\ surrounds\ one.=What surrounds one. +Sterling\ Silver\ Helmet=Sterling Silver Helmet +Falling\ Block=Blok Padec +Phantom\ Wing=Phantom Wing +Brass\ Stairs=Brass Stairs +Emerald\ Fragment=Emerald Fragment +Light\ Gray\ Wool=Grey Wool +4k\ ME\ Fluid\ Storage\ Component=4k ME Fluid Storage Component +White\ Cherry\ Oak\ Forest=White Cherry Oak Forest +Dead\ Horn\ Coral=Died In Cape Coral +Stone\ Staff\ of\ Building=Stone Staff of Building +Green\ Asphalt=Green Asphalt +Dead\ Bubble\ Coral\ Fan=A Dead Bubble Coral, And A Fan +Pink\ Inverted\ Chevron=The Pink Chevron Inverted +Auto-Jump=Automatic Jump +Netherite\ Puller\ Pipe=Netherite Puller Pipe +Invar\ Slab=Invar Slab +Potion\ of\ Resilience=Potion of Resilience +This\ world\ was\ last\ played\ in\ version\ %s\ and\ loading\ it\ in\ this\ version\ could\ cause\ corruption\!=This world was played the last time %s and download this version, it may cause damage\! +Warped\ Warty\ Blackstone\ Brick\ Slab=Warped Warty Blackstone Brick Slab +Light\ Blue\ Per\ Bend\ Inverted=The Blue Curve, Which Is +Extend\ subscription=Renew your subscription +Small\ Pile\ of\ Silver\ Dust=Small Pile of Silver Dust +Brown\ Asphalt\ Stairs=Brown Asphalt Stairs +Metite\ Leggings=Metite Leggings +Weeping\ Milkcap\ Mushroom\ Block=Weeping Milkcap Mushroom Block +Could\ not\ find\ a\ biome\ of\ type\ "%s"\ within\ reasonable\ distance=I can't find the type of \u0431\u0438\u043E\u043C\u0430 "%swithin a reasonable distance +Furnace\ crackles=The oven heats up +%1$s\ fell\ from\ a\ high\ place=%1$s it fell from a high place +Found\ in\ salty\ sand,\ and\ can\ be\ crafted\ into\ Salt.=Found in salty sand, and can be crafted into Salt. +Stonebrick\ Strongholds=Stonebrick Strongholds +End\ Portal\ opens=In the end, the portal will open +Panda\ whimpers=The panda cries +Distance\ by\ Pig=Distance +There\ are\ no\ teams=None of the teams +Skeleton\ Spawn\ Egg=The Skeleton Spawn Egg +\u00A7bInput=\u00A7bInput +Stripped\ Ebony\ Log=Stripped Ebony Log +Space\ Suit\ Helmet=Space Suit Helmet +White\ Oak\ Fence\ Gate=White Oak Fence Gate +Small\ Pile\ of\ Magnesium\ Dust=Small Pile of Magnesium Dust +Refined\ Iron\ Slab=Refined Iron Slab +Andesite=Andesite +One's\ physical\ assistance\ in\ their\ journey.=One's physical assistance in their journey. +Lantern\ Block=Lantern Block +\nDetermines\ if\ Wells\ can\ have\ a\ chance\ of\ spawning\ a\ Bell.=\nDetermines if Wells can have a chance of spawning a Bell. +Light\ Blue\ Asphalt=Light Blue Asphalt +Birch\ Slab=Birch Run +Lime\ Paint\ Ball=Lime Paint Ball +Delete\ Selected=To Delete The Selected +Taiga\ Hills=Taiga-The Mountains +Polished\ Blackstone\ Stairs=Polished Blackstone Stairs +Zombified\ Piglin\ Spawn\ Egg=Piglin Zombie Spawn Vejce +No\ one\ has\ died\ this\ way,\ yet.=No one has died this way, yet. +Blue\ Enchanted\ Crafting\ Table=Blue Enchanted Crafting Table +A\ handy\ place\ for\ everyday\ items=A handy place for everyday items +%s\ -\ %sx\ %s=%s - %sx %s +\u00A79Torch\ Percentage\:\ =\u00A79Torch Percentage\: +Failed\ to\ log\ in\:\ %s=At the beginning of the session error\: %s +Cyan\ Concrete\ Glass=Cyan Concrete Glass +Hardcore\ worlds\ can't\ be\ uploaded\!=Hardcore worlds, you can download. +%s\ graphics\ uses\ screen\ shaders\ for\ drawing\ weather,\ clouds,\ and\ particles\ behind\ translucent\ blocks\ and\ water.\nThis\ may\ severely\ impact\ performance\ for\ portable\ devices\ and\ 4K\ displays.=%s graphics uses screen shaders for drawing weather, clouds, and particles behind translucent blocks and water.\nThis may severely impact performance for portable devices and 4K displays. +Blue\ Creeper\ Charge=Dachshund Sina Creeper +Primary\ Power=Key Performance Indicator +5x5\ (Normal)=5x5 (Normalno) +Nitro\ Diesel=Nitro Diesel +Bricks\ and\ Smoke=Bricks and Smoke +%s's\ Head=%s"in my head +Polar\ Bear\ Spawn\ Egg=Polar Bear ?????????? Caviar +Nether\ Bricks=Sub-Murstein +Sky\ Stone\ Block\ Stairs=Sky Stone Block Stairs +Void\ Air=Null And Void In The Air +Previous\ Category=Previous Category +Polished\ Diorite\ Camo\ Trapdoor=Polished Diorite Camo Trapdoor +Add\ Reputation\ Bar=Add Reputation Bar +Format\ Words=Format Words +Currently\ Selected=Currently Selected +Portuguese=Portuguese +Zoglin\ growls=Life Zoglin +Raw\ Netherite\ Tiny\ Dust=Raw Netherite Tiny Dust +Do\ you\ really\ want\ to\ load\ this\ world?=Want to download the world is it? +Shrub\ Generation=Shrub Generation +Nothing\ changed.\ That\ IP\ is\ already\ banned=Nothing has changed. The IP is already banned +Items\ Requestable\:\ %s=Items Requestable\: %s +commands=commands +Basic\ Machine\ Upgrade\ Kit=Basic Machine Upgrade Kit +Green\ ME\ Glass\ Cable=Green ME Glass Cable +A\ fierce\ adversary\ which\ inhabits\ large\ sections\ of\ traversable\ space.=A fierce adversary which inhabits large sections of traversable space. +The\ nearest\ %s\ is\ at\ %s\ (%s\ blocks\ away)=The nearest %s this %s (%s a block away +Andesite\ Ghost\ Block=Andesite Ghost Block +Stone\ Glass=Stone Glass +LESU\ Controller=LESU Controller +Progress\ Tracker\ (Close)=Progress Tracker (Close) +Llama\ bleats\ angrily=Vzroki balidos od ljutito +You\ cannot\ trigger\ this\ objective\ yet=No, no, no, you can run this mission +Orange\ Glider=Orange Glider +Toggle\ Filter\ Options=Filtri Opsionet +Permanently\ invisible=Permanently invisible +Update\ fire=Update On The Fire +Controls\ if\ the\ contents\ of\ the\ configuration\ pane\ are\ cleared\ when\ you\ remove\ the\ cell.=Controls if the contents of the configuration pane are cleared when you remove the cell. +rewards=rewards +Stone\ Shore=Stones On The Beach +Purpur\ Pillar\ Ghost\ Block=Purpur Pillar Ghost Block +Chainmail\ Helmet=Chain Slam +Red\ Glazed\ Terracotta\ Pillar=Red Glazed Terracotta Pillar +Warped\ Worshipping=Warped Worshipping +Diamond\ Axe=The Diamond Axe +Some\ settings\ are\ disabled\ since\ your\ current\ world\ is\ an\ experience=Some of the settings are disabled, as is present in the world to experience the +Dark\ Ethereal\ Glass=Dark Ethereal Glass +Light\ Blue\ Dye=The Pale Blue Color Of The +Blue\ Enchanted\ Leaves=Blue Enchanted Leaves +Black\ Chief\ Indented=Black Head In The Blood, +Better\ Diamond\ Recipe=Better Diamond Recipe +Customized\ Filtering=Customized Filtering +Light\ Blue\ Chief\ Indented=Light Blue Base, Mit Offset +Cobblestone\ (Legacy)=Cobblestone (Legacy) +Golden\ Excavator=Golden Excavator +Spruce\ Chair=Spruce Chair +Iron\ Staff\ of\ Building=Iron Staff of Building +This\ will\ replace\ the\ current\ world\ of\ your\ realm=It replaces the current world empire +Message\ to\ use\ for\ the\ &health&\ argument\ for\ the\ &playerinfo&\ placeholder\ in\ server\ settings\\n\ Available\ placeholders\:\\n\ -\ ¤t&\ \=\ Your\ current\ in-game\ health\\n\ -\ &max&\ \=\ Your\ current\ in-game\ maximum\ health=Message to use for the &health& argument for the &playerinfo& placeholder in server settings\\n Available placeholders\:\\n - ¤t& \= Your current in-game health\\n - &max& \= Your current in-game maximum health +New\ Chapters=New Chapters +Wolf\ hurts=Wolf ' s smerte +A\ machine\ which\ consumes\ $(thing)energy$()\ to\ pick\ up\ $(thing)fluids$()\ from\ the\ world.=A machine which consumes $(thing)energy$() to pick up $(thing)fluids$() from the world. +Used\ to\ cut\ items\ on\ a\ Cutting\ Board.\ Interact\ with\ a\ Cutting\ Board\ with\ an\ item\ on\ it\ to\ cut\ the\ item.\ Can\ be\ used\ in\ the\ off-hand.=Used to cut items on a Cutting Board. Interact with a Cutting Board with an item on it to cut the item. Can be used in the off-hand. +Saw\ Dust=Saw Dust +Shulker\ lurks=Shulker show +Purple\ Redstone\ Lamp=Purple Redstone Lamp +Search\ Filtering=Search Filtering +Elite\ Machine\ Chassis=Elite Machine Chassis +Slime\ Chunks=Slime Chunks +Evergreen\ Clearing=Evergreen Clearing +Gold\ Wire=Gold Wire +Birch\ Planks\ Camo\ Door=Birch Planks Camo Door +Ethereal\ Glass=Ethereal Glass +White\ Filtered\ Pipe=White Filtered Pipe +Invalid\ name\ for\ set.\ Set\ names\ must\ be\ unique.\ Sets\ cannot\ be\ named\ "sets",\ "reputations",\ "bags",\ any\ of\ the\ Windows\ reserved\ filenames,\ or\ contain\ the\ characters\ <\ >\ \:\ "\ \\\ /\ |\ ?\ or\ *.=Invalid name for set. Set names must be unique. Sets cannot be named "sets", "reputations", "bags", any of the Windows reserved filenames, or contain the characters < > \: " \\ / | ? or *. +Small\ Warped\ Stems=Small Warped Stems +Ocean\ Data\ Model=Ocean Data Model +There\ are\ no\ members\ on\ team\ %s=None of the members of the team %s +Removed\ custom\ bossbar\ %s=Removed custom bossb\u00F3l %s +Not\ a\ valid\ value\!\ (Blue)=Ni veljavna vrednost. (Modra) +Blacklisted\ Outpost\ Biomes=Blacklisted Outpost Biomes +Charred\ Diagonal\ Timber\ Frame=Charred Diagonal Timber Frame +Targets\ Hit=The Goal Here +Blue\ Enchanted\ Boat=Blue Enchanted Boat +Only\ drop\ if\ Killed\ by\ a\ Player=Only drop if Killed by a Player +White\ Field\ Masoned=The White Field Masoned +Interface\ Terminal=Interface Terminal +Advanced\ Capacitor=Advanced Capacitor +Red\ Asphalt\ Stairs=Red Asphalt Stairs +Annihilation\ Core=Annihilation Core +Explosive\ Shard=Explosive Shard +Old\ graphics\ card\ detected;\ this\ WILL\ prevent\ you\ from=The old graphics card detected; this prevents the +Stripped\ Fir\ Log=Stripped Fir Log +Entry\ Panel\ Debug\ Mode\:=Entry Panel Debug Mode\: +Requires\ all=Requires all +Soul\ Sand\ Valley=Spirit Of The Sand, +Light\ Gray\ Concrete\ Powder=The Light-Gray Concrete Powder +Tungsten\ Shovel=Tungsten Shovel +Shift\ +\ Right-Click\ to\ select\ as\ parent;=Shift + Right-Click to select as parent; +Finished\ Scanning\!=Finished Scanning\! +Jump\ with\ %s=Years %s +Jungle\ Edge=On the edge, in the woods, +Magenta\ Tent\ Top=Magenta Tent Top +Hard\ Hat=Hard Hat +Craftable=Craftable +Max\ Energy=Max Energy +%s\ has\ %s\ %s=%s it is %s %s +Cracked\ Stone\ Bricks\ Ghost\ Block=Cracked Stone Bricks Ghost Block +Cartographer=Cartographer +Top\ -\ %s=Top %s +Scrapbox=Scrapbox +Primitive\ Rocket=Primitive Rocket +Blue\ Elevator=Blue Elevator +Shingles\ Slab=Shingles Slab +Stop\ tracking\ all\ computers'\ events\ and\ execution\ times=Stop tracking all computers' events and execution times +Breed\ all\ the\ animals\!=The race of all the animals\! +Reversed\ Sort\ Order=Reversed Sort Order +Take\ Aim=The purpose of +Polished\ Andesite\ Camo\ Trapdoor=Polished Andesite Camo Trapdoor +Used\ to\ grow\ Flonters.=Used to grow Flonters. +Hold\ %s=Hold %s +World\ map\ needs\ confirmation\!=World map needs confirmation\! +Cracked\ Red\ Rock\ Brick\ Slab=Cracked Red Rock Brick Slab +Red\ Lozenge=The Red One +Other\ /\ Unknown=Other / Unknown +Meteor\ Stone=Meteor Stone +Z-A=S +Added\ %s\ to\ the\ whitelist=Added %s the white list +Set\ to\ true\ to\ enable\ flooded\ underground\ in\ ocean\ biomes.=Set to true to enable flooded underground in ocean biomes. +Purple\ Glowshroom\ Block=Purple Glowshroom Block +Customize\ the\ format\ and\ location\ of\ messages\ in\ the\ Rich\ Presence.=Customize the format and location of messages in the Rich Presence. +Craft\ an\ MFE=Craft an MFE +Black\ Tent\ Top\ Flat=Black Tent Top Flat +Skyris\ Planks=Skyris Planks +Fir\ Fence=Fir Fence +Prismarine\ Hammer=Prismarine Hammer +Fluid\ Type\:=Fluid Type\: +%1$s\ withered\ away\ whilst\ fighting\ %2$s=%1$s dry the entire area of the %2$s +Pink\ Concrete\ Ghost\ Block=Pink Concrete Ghost Block +Marble=Marble +ME\ Identity\ Annihilation\ Plane=ME Identity Annihilation Plane +Reset\ Icon=To Restore The Icon +Leave\ at\ 0\ for\ no\ restriction=Leave at 0 for no restriction +MK4\ Machine\ Upgrade=MK4 Machine Upgrade +Pitch=Pitch +Block=Block +Elder\ Guardian\ curses=The most high, the owner of the damn +Gray\ Roundel=Grey Washers +Spectator=Viewers +Scoria\ Stone=Scoria Stone +Lime\ Per\ Fess=Lime Is The Fess +Warped\ Coffee\ Table=Warped Coffee Table +Enter\ a\ Icy\ Mineshaft=Enter a Icy Mineshaft +Mango=Mango +Yellow\ Wool=Yellow Wool +Rainbow\ Eucalyptus\ Step=Rainbow Eucalyptus Step +Stored\ Power=Stored Power +Campfire=Campfire +Nothing\ changed.\ The\ player\ isn't\ banned=Nothing will change. The player in the ban +Open\ your\ inventory=Open your inventory +Distance\ cannot\ be\ negative=Distance cannot be negative +Witch\ Hazel\ Boat=Witch Hazel Boat +Checking\ for\ valid\ MCUpdater\ instance\ data...=Checking for valid MCUpdater instance data... +Red\ Rock\ Stairs=Red Rock Stairs +Flopper=The dough +Received\ update\ data\:\ %1$s=Received update data\: %1$s +Zelkova\ Log=Zelkova Log +Golden\ Chestplate=Golden Bib +Blue\ Enchanted\ Planks=Blue Enchanted Planks +Hired\ Help=You Are Working On, It Can Help You +Ravager\ steps=The evil of their actions +White\ Dendrobium\ Orchid=White Dendrobium Orchid +Edit\ item=Edit item +Removed\ %s\ items\ from\ player\ %s=Ukloniti %s the items the player has %s +Emits\ a\ redstone\ signal\ depending\ on\ the\ progress\ of\ this\ quest\ for\ the\ player/team\ that\ has\ the\ highest\ progress.\ This\ will\ only\ emit\ at\ full\ strength\ if\ someone\ has\ completed\ the\ quest.=Emits a redstone signal depending on the progress of this quest for the player/team that has the highest progress. This will only emit at full strength if someone has completed the quest. +Chiseled\ Bluestone=Chiseled Bluestone +Transfer\ Rate=Transfer Rate +Failed\ to\ verify\ username\!=Don't check the name\! +Ocean\ Explorer\ Map=The map of the ocean explorer +Basic\ energy\ storage=Basic energy storage +Fiery\ Excavator=Fiery Excavator +Easy=Easy +Tiny\ Potatoz=Tiny Potatoz +Deep\ Learner=Deep Learner +This\ entry\ is\ auto\ generated\ from\ an\ enum\ field=Record type this field is automatically generated numbering +Black\ Topped\ Tent\ Pole=Black Topped Tent Pole +Prismarine\ Post=Prismarine Post +Pumpkin\ Chest=Pumpkin Chest +String=String +Expected\ a\ block\ position=The inevitable doom of the predicted block for the installation of the +Silver\ Mining\ Tool=Silver Mining Tool +Stripped\ Rubber\ Wood=Stripped Rubber Wood +Toggles\ the\ shulker\ box\ preview.\nEffectively\ disables\ the\ mod.=Toggles the shulker box preview.\nEffectively disables the mod. +Check\ a\ player's\ current\ lives\ remaining.=Check a player's current lives remaining. +API\ Key=API key +Yellow\ Glazed\ Terracotta\ Camo\ Trapdoor=Yellow Glazed Terracotta Camo Trapdoor +Reloading\ all\ chunks=To load all the pieces +Tall\ Crimson\ Forest=Tall Crimson Forest +Revoked\ %s\ advancements\ from\ %s\ players=Downloaded from %s d' %s player +Potted\ Acacia\ Sapling=Acacia Cuttings In Pots +Blue\ Snout=The Blue On The Front +Lime\ Asphalt\ Slab=Lime Asphalt Slab +Fir\ Post=Fir Post +Pulverizing=Pulverizing +Items-Tools=Items-Tools +\u00A77\u00A7o"America's\ favorite,\ deadliest\ bird."\u00A7r=\u00A77\u00A7o"America's favorite, deadliest bird."\u00A7r +Iridium\ Ore=Iridium Ore +Displays\ this\ help\ message=Displays this help message +Brewing=Cook +$(l)Tools$()$(br)Mining\ Level\:\ 2$(br)Base\ Durability\:\ 539$(br)Mining\ Speed\:\ 7$(br)Attack\ Damage\:\ 2.5$(br)Enchantability\:\ 20$(p)$(l)Armor$()$(br)Durability\ Multiplier\:\ 20$(br)Total\ Defense\:\ 15$(br)Toughness\:\ 0.7$(br)Enchantability\:\ 18=$(l)Tools$()$(br)Mining Level\: 2$(br)Base Durability\: 539$(br)Mining Speed\: 7$(br)Attack Damage\: 2.5$(br)Enchantability\: 20$(p)$(l)Armor$()$(br)Durability Multiplier\: 20$(br)Total Defense\: 15$(br)Toughness\: 0.7$(br)Enchantability\: 18 +Purple\ Chevron=Purple Chevron +Blue\ Nether\ Bricks=Blue Nether Bricks +2x\ Compressed\ Cobblestone=2x Compressed Cobblestone +Panda\ hurts=Panda, I'm sorry +Invalid\ position\ for\ teleport=Invalid in the status of the gate +White\ Saltire=Bela St. Andrews Zastavo +%s%%\ done=%s%% done +Latest\ Death=Latest Death +Palo\ Verde\ Wall=Palo Verde Wall +Respawn\ location\ radius=The radius of the spawn point +Blue\ Bordure=Blue Edge +Zinc\ Stairs=Zinc Stairs +Vindicator=The Vindicator +Mud\ Bricks=Mud Bricks +Distance\ by\ Strider=Att\u0101lums no Stryder +Crocus=Crocus +Modded=Modded +Aspen\ Fence=Aspen Fence +Added\ %s\ to\ %s\ for\ %s\ entities=Added %s it is %s of %s people +Netherite\ Crook=Netherite Crook +Diamond\ Chestplate=Diamond Bib Clothing +The\ keybind\ to\ access\ the\ config\ screen=The keybind to access the config screen +Button\ %1$s=The key to the %1$s +Drop\ a\ Fluix\ Seed\ made\ from\ Fluix\ Dust\ and\ Sand\ into\ a\ puddle\ of\ water;\ to\ make\ the\ process\ faster\ add\ Crystal\ Growth\ Accelerators.=Drop a Fluix Seed made from Fluix Dust and Sand into a puddle of water; to make the process faster add Crystal Growth Accelerators. +Move\ a\ Bee\ Nest,\ with\ 3\ bees\ inside,\ using\ Silk\ Touch=Move the jack bees 3 bees inside with a touch of silk +15x15\ (Maximum)=15\u044515 (Max.) +Lava\ Brick\ Wall=Lava Brick Wall +Iron\ Mining\ Tool=Iron Mining Tool +Flint\ and\ Steel=Flint and Steel +Obtaining\ Silver=Obtaining Silver +You\ can\ replace\ it\ by\ pressing\ %s.=You can replace it by pressing %s. +Randomly\ teleports\ the\ user\ upon\ receiving\ damage=Randomly teleports the user upon receiving damage +Certus\ Quartz\ Cutting\ Knife=Certus Quartz Cutting Knife +Attempt\ to\ mine\ Metite\ Ore\ with\ an\ insufficient\ pickaxe\ (You\ need\ Netherite\!)=Attempt to mine Metite Ore with an insufficient pickaxe (You need Netherite\!) +Russian=Russian +Legacy=Legacy +Black\ Bat\ Orchid=Black Bat Orchid +Right\ click\ to\ deselect\ an\ interface.=Right click to deselect an interface. +Elite\ Triturator=Elite Triturator +Red\ Rock\ Slab=Red Rock Slab +Animals\ Bred=Wild Animals +Don't\ Sort=Don't Sort +Oak\ Planks=Oak Planks +Movement\ Speed\ Factor=Movement Speed Factor +Max\ time=Max time +Bottle\ of\ Cheese\ Culture=Bottle of Cheese Culture +Red\ Wool=Crvena Nit +Surface\ Cave\:\ Emerald\ Block=Surface Cave\: Emerald Block +Red\ Shingles\ Stairs=Red Shingles Stairs +Steel\ Gear=Steel Gear +Andesite\ Camo\ Door=Andesite Camo Door +Uncraftable\ Potion=Uncraftable Ting +Changed\ title\ display\ times\ for\ %s=Changed the name of the screen time %s +CraftPresence\ has\ encountered\ the\ following\ RPC\ error,\ and\ has\ been\ shut\ down\ to\ prevent\ a\ crash\:\ %1$s=CraftPresence has encountered the following RPC error, and has been shut down to prevent a crash\: %1$s +Disable\ death\ message=Disable death message +Christmas\ Chest=Christmas Chest +Pine\ Post=Pine Post +Cyan\ Per\ Bend\ Sinister=Plava-Off, Sinister +Pink\ Sand=Pink Sand +Horse\ armor\ equips=Armor for horse equipment +Molten\ Netherite\ Bucket=Molten Netherite Bucket +Removed\ every\ effect\ from\ %s=Take each and every one of them, which has the effect of %s +Hemlock\ Table=Hemlock Table +Blue\ Tang=Blue, Brown +Maple\ door=Maple door +Please\ make\ sure\ you\ don't\ expose\ a\ secret\ location.=Please make sure you don't expose a secret location. +Villager\ agrees=The villagers agree with +Can't\ connect\ to\ server=Do not know how to connect to the server +%s\ has\ %s\ experience\ points=%s it is not a %s Erfaring poeng +Lead\ Ore=Lead Ore +Ebony\ Pressure\ Plate=Ebony Pressure Plate +Raw\ Pumpkin\ Pie=Raw Pumpkin Pie +Export\ World\ Generation\ Settings=The Export Settings Of World Production +Iron\ to\ Netherite\ upgrade=Iron to Netherite upgrade +Adventure=Avantura +Colored\ Tiles\ (Lime\ &\ Yellow)=Colored Tiles (Lime & Yellow) +A\ metal\ with\ significant\ electrical\ conductivity\ and\ rose,\ pink\ texture.=A metal with significant electrical conductivity and rose, pink texture. +Redwood\ Bookshelf=Redwood Bookshelf +Witch-hazel\ door=Witch-hazel door +Scroll\ Down=Scroll Down +Display\ Flowers=Display Flowers +Cursed\ Droplets=Cursed Droplets +Enter\ a\ End\ Mineshaft=Enter a End Mineshaft +Birch\ Shelf=Birch Shelf +White=White +Copper\ Nugget=Copper Nugget +Boost\ Block=Boost Block +Buying=Buying +Wooden\ Gear=Wooden Gear +Wolf\ Spawn\ Egg=The Llop Is Generated Ou +Max\ Capacity\:=Max Capacity\: +Platforms\ have\ a\ thin\ platform\ part\ over\ a\ post.=Platforms have a thin platform part over a post. +Refill\ rules=Refill rules +Silver\ Chestplate=Silver Chestplate +Cyan\ ME\ Dense\ Smart\ Cable=Cyan ME Dense Smart Cable +Pistons\ have\ an\ effective\ tool=Pistons have an effective tool +2x\ Compressed\ Gravel=2x Compressed Gravel +Gray\ ME\ Covered\ Cable=Gray ME Covered Cable +\nAdd\ the\ ID/resource\ location\ of\ the\ biome\ you\ don't\ want\ RS's\ villages\ to\ spawn\ in.\ Separate\ each\ ID\ with\ a\ comma\ ,\ Example\:\ "minecraft\:ice_spikes,awesome_mod\:awesome_biome"=\nAdd the ID/resource location of the biome you don't want RS's villages to spawn in. Separate each ID with a comma , Example\: "minecraft\:ice_spikes,awesome_mod\:awesome_biome" +Acacia\ Diagonal\ Timber\ Frame=Acacia Diagonal Timber Frame +Upgrade\ a\ machine\ to\ MK2=Upgrade a machine to MK2 +Acacia\ Wall\ Sign=The Acacia Of The Wall Of The Session +Ghast\ dies=Ghast sureb +Zigzagged\ Bricks=Zigzagged Bricks +Upgrade\ a\ machine\ to\ MK3=Upgrade a machine to MK3 +Upgrade\ a\ machine\ to\ MK4=Upgrade a machine to MK4 +Weather\ Command\:=Weather Command\: +Compressed\ Plantball=Compressed Plantball +Pink\ Cherry\ Foliage=Pink Cherry Foliage +Small\ Fireball=A Small Ball Of Fire +Found\ no\ elements\ matching\ %s=It was noted that there is no struggle %s +Trader\ Llama=The Dealer In The Mud +Arrow\ hits=Dart hit +Sky\ Stone\ Block=Sky Stone Block +Enter\ a\ Birch\ Mineshaft=Enter a Birch Mineshaft +No\ relevant\ score\ holders\ could\ be\ found=Not the owners, the result can be found +Smooth\ Teal\ Nether\ Bricks=Smooth Teal Nether Bricks +\nMin\ Y\ height\ that\ the\ starting\ point\ can\ spawn\ at.\ Default\ is\ 0.=\nMin Y height that the starting point can spawn at. Default is 0. +Polished\ Blackstone\ Post=Polished Blackstone Post +Select\ settings\ file\ (.json)=Select The Configuration File (.in JSON) +Light\ Gray\ Bundled\ Cable=Light Gray Bundled Cable +Give\ yourself\ a\ book\ in\ edit\ mode,\ defaults\:\ user.=Give yourself a book in edit mode, defaults\: user. +-%s%%\ %s=-%s%% %s +The\ Hovering\ Withering\ Vessel=The Hovering Withering Vessel +Basic\ Tank\ Unit=Basic Tank Unit +Tall\ Warped\ Forest=Tall Warped Forest +Red\ Tent\ Top=Red Tent Top +Dead\ Tube\ Coral\ Fan=Dead-Tube Coral, Fan +Upload\ done=What do we do +Play\ Demo\ World=Play The Demo To The World +Crafting\ Status=Crafting Status +Oak\ Platform=Oak Platform +local=local +Ender=Ender +An\ item\ used\ to\ pickle\ cucumbers.\ Used\ by\ interacting\ with\ a\ cucumber-filled\ Pickle\ Jar,\ and\ waiting\ roughly\ one\ minute.=An item used to pickle cucumbers. Used by interacting with a cucumber-filled Pickle Jar, and waiting roughly one minute. +Ol'\ Betsy=For Betsy +Prevents\ you\ from\ die=Prevents you from die +Colored\ Tiles\ (Magenta\ &\ Black)=Colored Tiles (Magenta & Black) +Light\ Gray\ Asphalt\ Stairs=Light Gray Asphalt Stairs +Hardcore\ Mode\ disabled.=Hardcore Mode disabled. +Highlight\ Color\:=Highlight Color\: +Produces\ energy\ from\ the\ burnables\nWorks\ with\ what\ you\ would\ normally\ use\ to\ fuel\ a\ furnace=Produces energy from the burnables\nWorks with what you would normally use to fuel a furnace +Glowing=Lighting +Show\ Unbound=Show Unbound +Rainbow\ Brick\ Stairs=Rainbow Brick Stairs +Green\ Saltire=Green Saltire +Strafe\ Right=Strafe To The Right +Coiling=Coiling +Green\ Enchanted\ Slab=Green Enchanted Slab +Light\ Gray\ Per\ Pale\ Inverted=Light-Gray To Light-A Reverse Order Of +Green\ Mushroom=Green Mushroom +Willow\ Table=Willow Table +Available\ commands\ are\:=Available commands are\: +Brown\ Bend\ Sinister=Brown Bend Sinister +Go\ on\ in,\ what\ could\ happen?=You are going, what could it be? +Worlds=The world +Flowering\ Palo\ Verde\ Leaves=Flowering Palo Verde Leaves +Block\ of\ Diamond=Blocks Of Diamond +Purple\ Concrete\ Powder=Purple Cement Dust +Tomato=Tomato +Red\ Gradient=Red Gradient +Acacia\ Small\ Hedge=Acacia Small Hedge +4x\ Compressed\ Gravel=4x Compressed Gravel +Unable\ to\ get\ MultiMC\ instance\ data\ (ignore\ if\ not\ using\ a\ MultiMC\ Pack)=Unable to get MultiMC instance data (ignore if not using a MultiMC Pack) +Entangled\ Tank=Entangled Tank +Showing\ new\ actionbar\ title\ for\ %s\ players=The new actionbar to display the title of the %s the players +Chest\ closes=The chest is closed +Brown\ Table\ Lamp=Brown Table Lamp +Chopper\ MK1=Chopper MK1 +Chopper\ MK2=Chopper MK2 +Couldn't\ save\ screenshot\:\ %s=You can not save the photo\: %s +Explosion=Eksplosion +Test\ passed=The test data +Chopper\ MK3=Chopper MK3 +C418\ -\ mall=C418 - mall +Chopper\ MK4=Chopper MK4 +Formatting=Formatting +Yellow\ Thing=Yellow +Durability=Durability +Black\ Per\ Pale=Color Is Black, Light +Skip=Mass +Blue\ Per\ Bend\ Sinister\ Inverted=Bend Sinister Substitute, Blue +Silver\ Helmet=Silver Helmet +Stone\ Platform=Stone Platform +Dark\ Purple=Dark Purple +'%s'\ is\ too\ big\!='%s"it's a great\!\!\! +ComputerCraft=ComputerCraft +Small\ Pile\ of\ Olivine\ Dust=Small Pile of Olivine Dust +Craft\ a\ P2P\ Tunnel=Craft a P2P Tunnel +Orange\ Lawn\ Chair=Orange Lawn Chair +Jump\ Boost\ %s=Jump Boost %s +Golden\ Apple=Apples Of Gold +Mule\ neighs=The donkey laughs +Rainbow\ Beach=Rainbow Beach +Silver\ Dust=Silver Dust +Player\ is\ not\ whitelisted=The player is not on the white list +Water\ Lakes=The Water In The Lake +Sugar=Sugar +Multi-block\ wood\ processing\ machine=Multi-block wood processing machine +Foreign\ bodies\ found\ cruising\ through\ interstellar\ space,\ in\ rings,\ clusters\ and\ many\ other\ formations;\ said\ to\ contain\ large\ quantities\ of\ $(thing)$(l\:world/asteroid_ores)ores$().=Foreign bodies found cruising through interstellar space, in rings, clusters and many other formations; said to contain large quantities of $(thing)$(l\:world/asteroid_ores)ores$(). +Skyris\ Boat=Skyris Boat +C418\ -\ stal=C418 - kontinuirano +Yellow\ Carpet=Yellow Carpet +Mountain\ Madness=The Mountains Of Madness. +Contractor\ Pants=Contractor Pants +Undying=Undying +Gold\ Furnace=Gold Furnace +Desert=Desert +Rainbow\ Eucalyptus\ Log=Rainbow Eucalyptus Log +Cyan\ Bordure=Blue Edge +Pink\ Color\ Module=Pink Color Module +Numeral=Numeral +Team\ suffix\ set\ to\ %s=The team is a suffix %s +Fullscreen\ Resolution=In full-screen mode +Debug\ Mode=Debug Mode +Rose\ Gold\ can\ be\ obtained\ by\ combining\ 1\ Gold\ Ingot\ and\ 1\ Silver\ Ingot\ in\ an\ $(item)$(l\:machinery/alloy_smelter)Alloy\ Smelter$().\ This\ produces\ 2\ $(item)Rose\ Gold\ Ingots$().=Rose Gold can be obtained by combining 1 Gold Ingot and 1 Silver Ingot in an $(item)$(l\:machinery/alloy_smelter)Alloy Smelter$(). This produces 2 $(item)Rose Gold Ingots$(). +Orange\ Concrete\ Camo\ Trapdoor=Orange Concrete Camo Trapdoor +Black\ Banner=Black Flag +Stone\ Spear=Stone Spear +Orange\ Snout=Orange Nose +Note\:=Note\: +Redwood\ Coffee\ Table=Redwood Coffee Table +Night\ Vision\ %s=Night Vision %s +Loading\ forced\ chunks\ for\ dimension\ %s=Download forced pieces of measurement %s +Cheats=Triki +Basalt\ Speleothem=Basalt Speleothem +Bottom-Left=Bottom-Left +Electrum\ Shovel=Electrum Shovel +Trial\ Affixes=Trial Affixes +Gray\ Fess=Paint, Gray +Dark\ Amaranth\ Planks=Dark Amaranth Planks +Yellow\ Beveled\ Glass=Yellow Beveled Glass +Aspen\ Sapling=Aspen Sapling +Refund=Refund +Conduit=The Wii +Diorite\ Brick\ Slab=Diorite Brick Slab +Thorns=Treet. +View\ Bobbing=Cm. Smiling +Refill\ when\ dropping\ items=Refill when dropping items +%s/%s\ E=%s/%s E +Stripped\ Holly\ Wood=Stripped Holly Wood +Yellow\ Lawn\ Chair=Yellow Lawn Chair +Exact\ Count\:\ %s=Exact Count\: %s +Always\ Disp.\ WP\ Dist.=Always Disp. WP Dist. +%1$s\ per\ %2$s=%1$s per %2$s +Rubber\ Leaves=Rubber Leaves +Solid\ Canning\ Machine=Solid Canning Machine +Martian\ Stone=Martian Stone +Opens\ up\ the\ task\ creation\ menu.=Opens up the task creation menu. +Block\ of\ Refined\ Iron=Block of Refined Iron +Target\ either\ already\ has\ the\ tag\ or\ has\ too\ many\ tags=The lens is tag sticker +Cypress\ Sapling=Cypress Sapling +Inverted=Inverted +Our\ discord=Our discord +Flower\ Pot=A Pot Of Flowers +Mundane\ Lingering\ Potion=Mundane Potion Of Slowing +Bat\ Wing=Bat Wing +Dev.PartPlacer=Dev.PartPlacer +You\ have\ been\ IP\ banned\ from\ this\ server=Was IP blocked on the server +Purple\ Amaranth\ Bush=Purple Amaranth Bush +Light\ Blue\ Per\ Fess=The Color Is Light-Blue With Refill +ME\ Fluid\ Storage\ Bus=ME Fluid Storage Bus +Black\ Sofa=Black Sofa +You\ whisper\ to\ %s\:\ %s=I'll whisper you %s\: %s +Option\ '%s'\ isn't\ applicable\ here=OK."%s"this is not the topic here +Ghast\ Spawn\ Egg=Ghast Spawn Eggs +Distillation\ Tower=Distillation Tower +Jungle\ Cutting\ Board=Jungle Cutting Board +Blue\ Concrete\ Glass=Blue Concrete Glass +Server\ task\ time=Server task time +Warped\ Slab=The Voltage From The Boiler +Pumpkin=Pumpkin +Copy\ to\ clipboard=Copy to clipboard +Elite\ Circuit\ Recipe=Elite Circuit Recipe +Asteroid\ Lapis\ Cluster=Asteroid Lapis Cluster +Arrow\ of\ Luck=OK, good luck +Purple\ Per\ Fess\ Inverted=The Color Purple In Honor Of You +Cutting=Cutting +Asphalt=Asphalt +Red\ Glider=Red Glider +Gadgets=Gadgets +Crimson\ Platform=Crimson Platform +\nAdds\ a\ wood\ themed\ wells\ to\ Forest\ and\ Birch\ Forest\ biomes.=\nAdds a wood themed wells to Forest and Birch Forest biomes. +\nPercentage\ of\ Stonebrick-styled\ Strongholds\ is\ Silverfish\ Blocks.\ Note\:\ Mossy\ Stone\ Bricks\ block\ cannot\ be\ infected\ by\ Silverfish.\ 0\ for\ no\ Silverfish\ Blocks\ and\ 100\ for\ max\ spawnrate.=\nPercentage of Stonebrick-styled Strongholds is Silverfish Blocks. Note\: Mossy Stone Bricks block cannot be infected by Silverfish. 0 for no Silverfish Blocks and 100 for max spawnrate. +Right\ click\ while\ hovering\ in\ Inventory=Right click while hovering in Inventory +Superflat\ Customization=Superflat Settings +Obsidian\ Decorated\ Glass=Obsidian Decorated Glass +Terminal\ Module=Terminal Module +Evoker\ prepares\ summoning=The numbers to call +You\ died\!=You're dead\! +No\ player\ was\ found=No one has been found +Industrial\ Electrolyzer=Industrial Electrolyzer +Seed\ for\ the\ world\ generator=Family, the world generator +\ \n\u00A77Press\ %s\ to\ add\ this\ to\ favorites.=\ \n\u00A77Press %s to add this to favorites. +C418\ -\ strad=C418 - strad +\u00A7dMetite=\u00A7dMetite +Yes=As well as the +Low\ Air\ Notification=Low Air Notification +Orange\ Insulated\ Wire=Orange Insulated Wire +Left\ click\ an\ interface\ to\ select\ it.=Left click an interface to select it. +Smithing\ Table\ used=The Forge on the Table, which is used for +Fox\ dies=Fox mirties +Schema\ Version=Schema Version +\u00A77\u00A7o"Attendee's\ cape\ of\ MINECON\ 2012."\u00A7r=\u00A77\u00A7o"Attendee's cape of MINECON 2012."\u00A7r +Night\ Vision\ Cost=Night Vision Cost +Maple\ Taiga=Maple Taiga +Wing\ used\ by\ %1$s\ set\ to\ %2$s=Wing used by %1$s set to %2$s +Lime\ Shingles\ Slab=Lime Shingles Slab +Potion\ of\ Night\ Vision=Potion night vision +Bone\ Meal=Bone milt\u0173 +Cancelled=Below +Heatsink=Heatsink +Glass\ Pane=The glass +Waypoint\ Opacity\ On\ Map=Waypoint Opacity On Map +Set\ the\ center\ of\ the\ world\ border\ to\ %s,\ %s=Located on the edge of the world %s, %s +White\ ME\ Smart\ Cable=White ME Smart Cable +Fluid\ Advancements\:=Fluid Advancements\: +Condenser=Condenser +Controls\ visibility\ of\ facades\ while\ the\ network\ tool\ is\ on\ your\ toolbar.=Controls visibility of facades while the network tool is on your toolbar. +Red\ Oak\ Sapling=Red Oak Sapling +FPS\:\ %s=FPS\: %s +Slimy\ Data\ Model=Slimy Data Model +Green=Green +Strength=Food +Donkey\ eats=Thus, +Canyons=Canyons +Manual=Manual +Metite\ Mining\ Tool=Metite Mining Tool +Wandering\ Trader\ drinks\ potion=Chapman drink, drink +Lime\ Per\ Pale=Pale Lime +Stone\ Farmland=Stone Farmland +Wither\ Skeleton\ Wall\ Skull=Wither Skeleton In The Wall Of The Skull +Wooden\ Bucket=Wooden Bucket +Wind\ Mill=Wind Mill +Set\ %s\ experience\ points\ on\ %s=Sept %s experience points %s +Cika\ Crafting\ Table=Cika Crafting Table +y\ position=the position +Better\ Than\ Chests=Better Than Chests +Change\ Size=Change Size +Downloading\ "%1$s"\ to\ "%2$s"...\ (From\:\ "%3$s")=Downloading "%1$s" to "%2$s"... (From\: "%3$s") +%sx\ Pickle=%sx Pickle +Zombie\ Reinforcements=Your Help +White\ ME\ Dense\ Smart\ Cable=White ME Dense Smart Cable +A\ bit\ like\ a\ fence\ post=A bit like a fence post +White\ Redstone\ Lamp=White Redstone Lamp +Shape=Shape +Rotate=Rotate +Mossy\ End\ Stone=Mossy End Stone +Full\ potential=Full potential +Spawn\ attempts\ per\ chunk.\ 0\ for\ no\ Dungeons\ at\ all\ and\ 1000\ for\ max\ spawnrate.\ Note\:\ When\ set\ to\ 0,\ Vanilla\ Dungeons\ spawns\ again.\n\nReplaces\ vanilla\ dungeon\ in\ Badlands\ biomes.=Spawn attempts per chunk. 0 for no Dungeons at all and 1000 for max spawnrate. Note\: When set to 0, Vanilla Dungeons spawns again.\n\nReplaces vanilla dungeon in Badlands biomes. +Baobab\ Slab=Baobab Slab +Donkey\ Chest\ equips=Out of the Box and mounted +Lime\ Rune=Lime Rune +Hemlock\ Drawer=Hemlock Drawer +task\ items=task items +Custom\ predicate=Customs wheels +Small\ Sandstone\ Brick\ Slab=Small Sandstone Brick Slab +Game\ Menu=The Game Menu +This\ is\ your\ last\ day\!=It's the last day\! +Held\ Item\ Full\ Amount=Held Item Full Amount +Pink\ Terracotta\ Camo\ Trapdoor=Pink Terracotta Camo Trapdoor +Fish\ captured=The catch +Milk\ Bucket=A Bucket Of Milk +Turtle\ Spawn\ Egg=Turtle, Eggs, Egg +User\ can\ access\ and\ modify\ the\ security\ terminal\ of\ the\ network.=User can access and modify the security terminal of the network. +Dynamic\ FPS\:\ Forcing\ 1\ FPS=Dynamic FPS\: Forcing 1 FPS +Arrow\ of\ Weakness=The Arrows Of Weakness +Purple\ Mushroom\ Block=Purple Mushroom Block +Stripped\ Redwood\ Log=Stripped Redwood Log +Vanilla\ Cave\ Priority=Vanilla Cave Priority +Grass\ Block=Grass Block +Chrome\ Ingot=Chrome Ingot +Weak\ attack=Slab napad +Pyrope\ Dust=Pyrope Dust +Piglin\ Tricker\ %s=Piglin Tricker %s +Soul\ Wall\ Torch=In-Soul-On-Wall-Light +Fern=Fern +Potion\ of\ Slowness=Drink delay the +Selected\ projector\ at\ %s\!=Selected projector at %s\! +Share=Share +Magnalium\ Plate=Magnalium Plate +Strawberry\ \u0421ream=Strawberry \u0421ream +Ebony\ Wood=Ebony Wood +Modular\ Helmet=Modular Helmet +Strawberry\ Cake=Strawberry Cake +Get\ Enriched\ Nikolite\ Ingot=Get Enriched Nikolite Ingot +Red\ Glowcane=Red Glowcane +Loaded\:\ %s=Loaded\: %s +Aspen\ Fence\ Gate=Aspen Fence Gate +Maximum=Max. +White\ Skull\ Charge=Valge Kolju Valves +Cyan\ Dye=Colour\: Blue +Unknown\ slot\ '%s'=Unknown socket '%s' +Asterite\ Axe=Asterite Axe +There\ are\ %s\ whitelisted\ players\:\ %s=It %s be whitelisted players\: %s +Blacklisted\ Pyramid\ Biomes=Blacklisted Pyramid Biomes +Showing\ %s\ mod\ and\ %s\ library=Presentation %s the function %s library +\u00A7cNo\ mobs\ are\ able\ to\ spawn=\u00A7cNo mobs are able to spawn +Filtering=Filtering +Roast\ a\ marshmallow\ over\ a\ campfire,\ but\ be\ careful\ not\ to\ burn\ it\!=Roast a marshmallow over a campfire, but be careful not to burn it\! +Green\ Base\ Dexter\ Canton=Green Base, Dexter In The Interests Of The Country And Its People +Weaken\ and\ then\ cure\ a\ Zombie\ Villager=To restore, to cure the zombies resident +Gray\ Elytra\ Wing=Gray Elytra Wing +White\ Chief=Cap Blanc +Goggles\ of\ (Claim)\ Revealing=Goggles of (Claim) Revealing +Dimension\ Messages=Dimension Messages +Orange\ Wool=Orange Wool +Cursed\ Dirt=Cursed Dirt +to\ pick\ a\ quest\ then=to pick a quest then +Questing\ mode\ is\ already\ activated.=Questing mode is already activated. +Green\ Glazed\ Terracotta=The Green Glass Tiles +Brown\ Per\ Pale=Cloudy, Brown +Fabulous\!=I love it\! +Embur\ Gel\ Ball=Embur Gel Ball +You've\ died\ %s\ of\ %s\ [[time||times]].=You've died %s of %s [[time||times]]. +Make\ Backup=If You Want To Create A Backup Copy Of The +Iron\ Leggings=Iron Leggings +Redstone\ Toaster=Redstone Toaster +5x\ Compressed\ Gravel=5x Compressed Gravel +Cart\ at\ [%s,\ %s,\ %s]\ unlinked\ as\ child\ of\ [%s,\ %s,\ %s]\!=Cart at [%s, %s, %s] unlinked as child of [%s, %s, %s]\! +When\ on\ feet\:=If you are on foot\: +Wet\ Sponge=With A Wet Sponge +Save\ your\ changes\ by\ clicking\ the\ "Confirm"\ button.=Save your changes by clicking the "Confirm" button. +End\ City\ Treasures=End City Treasures +Coords\ Mode=Coords Mode +Please\ confirm\ deletion\ by\ press\ Yes\ again.=Please confirm deletion by press Yes again. +Game\ State\ Message\ Format=Game State Message Format +Failed\ to\ connect\ projector\ at\ %s\ with\ projector\ at\ %s.=Failed to connect projector at %s with projector at %s. +Server\ Name=The Nom Server +Toasty\ Marshmallow\ on\ a\ Stick=Toasty Marshmallow on a Stick +Blocks\ will\ be\ placed\ as\ block.=Blocks will be placed as block. +Spruce\ Crate=Spruce Crate +Sub-World\ Coordinates\ /\ 8=Sub-World Coordinates / 8 +X\ target=X target +Not\ Editable\!=You don't have to go back\! +Polished\ Soapstone=Polished Soapstone +Black\ Patterned\ Wool=Black Patterned Wool +Small\ Pile\ of\ Emerald\ Dust=Small Pile of Emerald Dust +Blue\ Shingles\ Slab=Blue Shingles Slab +Fungal\ Patch=Fungal Patch +Red\ Terracotta\ Ghost\ Block=Red Terracotta Ghost Block +Rose\ Gold\ Excavator=Rose Gold Excavator +Load\ Flowers=Load Flowers +Advanced\ Tank\ Unit=Advanced Tank Unit +Mooshroom\ gets\ milked\ suspiciously=Mooshroom is, after a suspicious +Requires\ %s\ [[quest||quests]]\ to\ be\ completed.\ This\ is\ more\ than\ there\ are,\ weird.=Requires %s [[quest||quests]] to be completed. This is more than there are, weird. +built-in=internal +Loaded\ display\ data\ with\ ID\:\ %1$s\ (Logged\ in\ as\ %2$s)=Loaded display data with ID\: %1$s (Logged in as %2$s) +will\ cause\ it's\ contents=will cause it's contents +Thick\ Neutron\ Reflector=Thick Neutron Reflector +ME\ Annihilation\ Plane=ME Annihilation Plane +Player\ burns=Player care +Smooth\ Soul\ Sandstone\ Stairs=Smooth Soul Sandstone Stairs +Iron\ Ingot=Iron Blocks +Yellow\ Base\ Gradient=Yellow Base, Tilt +Improved\ Fisher=Improved Fisher +Warped\ Wart\ Block=Twisted, Warts Points +Depth\ Strider=Diepte Strider +Sound=Sound +Show\ range=Show range +Carrot\ Crate=Carrot Crate +Soul\ Sandstone\ Wall=Soul Sandstone Wall +Presence\ Settings=Presence Settings +Toggles\ automatic\ capitalizing\ of\ words\ and\ general\ formatting\ with\ strings=Toggles automatic capitalizing of words and general formatting with strings +Click\ here\ to\ show\ quests=Click here to show quests +Damage\ Taken=The damage +Cold\ Ocean=Arcticchat The Ocean +Birch\ Leaves=Birkeblade +Lime\ Glazed\ Terracotta\ Pillar=Lime Glazed Terracotta Pillar +Astromine\ Manual=Astromine Manual +Advanced\ Machine\ Frame=Advanced Machine Frame +Pink\ Bend\ Sinister=Pink Curve Looks +Left\ Alt=Left Alt Key +Blue\ Stone\ Bricks=Blue Stone Bricks +Obtaining\ Tin=Obtaining Tin +MP\ Cross-Dimensional\ TP=MP Cross-Dimensional TP +Skyris\ Vine=Skyris Vine +Error\ importing\ settings=Settings import error +A\ remote\ controller\ which\ allows\ you\ to\ link\ together\ $(item)$(l\:machinery/holographic_bridge_projector)Holographic\ Bridge\ Projectors$().\ They\ must\ be\ facing\ each\ other\ in\ the\ same\ line,\ but\ can\ have\ different\ heights.=A remote controller which allows you to link together $(item)$(l\:machinery/holographic_bridge_projector)Holographic Bridge Projectors$(). They must be facing each other in the same line, but can have different heights. +The\ configuration\ screen\ is\ incompatible\ with\ your\ instance\ of\ OptiFine\ /\ OptiFabric.=The configuration screen is incompatible with your instance of OptiFine / OptiFabric. +Underestimating\ Alien\ Ores=Underestimating Alien Ores +Iron\ Plating=Iron Plating +A\ player\ is\ required\ to\ run\ this\ command\ here=For the players, for the execution of this command +\u00A77\u00A7o"Definitively\ not\ a\ SAO\ wing."\u00A7r=\u00A77\u00A7o"Definitively not a SAO wing."\u00A7r +Vexes\ (Vex\ Essence)=Vexes (Vex Essence) +Sliding\ down\ a\ honey\ block=Access to the entry of honey +Teleport\ Minimum\ Distance=Teleport Minimum Distance +\nHow\ rare\ are\ Nether\ Pyramids\ in\ Nether.\ 1\ for\ spawning\ in\ most\ chunks\ and\ 1001\ for\ none.=\nHow rare are Nether Pyramids in Nether. 1 for spawning in most chunks and 1001 for none. +Sign\ and\ Close=To get to the next +Red\ Paint\ Ball=Red Paint Ball +Polished\ Blackstone\ Brick\ Step=Polished Blackstone Brick Step +Wireless\ Terminal=Wireless Terminal +Birch\ Barrel=Birch Barrel +Tame\ an\ animal=The control animal +Announce\ advancements=A report on the results +Light\ Blue\ Pale=Light blue +Tungsten\ Axe=Tungsten Axe +The\ depth\ of\ the\ collision\ checking\ children\ will\ be\ subject\ to.=The depth of the collision checking children will be subject to. +Baobab\ Button=Baobab Button +Warped\ Diagonal\ Timber\ Frame=Warped Diagonal Timber Frame +Light\ Blue\ Paly=Senate Paly +Talked\ to\ Villagers=He said that the villagers +Add\ a\ new\ Command=Add a new Command +Saving\ %s\ failed=Saving %s failed +Jungle\ Fortress\ Map=Jungle Fortress Map +Configure\ how\ bedrock\ generates.=Configure how bedrock generates. +Miscellaneous=Different +Panda\ bites=Panda bites +Network\ Engineer=Network Engineer +1\ for\ spawning\ in\ most\ chunks\ and\ 1001\ for\ none.\n\nHow\ rare\ are\ End\ Shipwreck\ in\ End\ Highlands\ biomes.=1 for spawning in most chunks and 1001 for none.\n\nHow rare are End Shipwreck in End Highlands biomes. +Excavator\ Durability\ Modifier=Excavator Durability Modifier +Snow\ Well=Snow Well +Unknown\ or\ incomplete\ command,\ see\ below\ for\ error=Unknown or incomplete command, you can see the below error +Bone\ Block=Glass Block +Toggle\ Light\ Overlay=Toggle Light Overlay +HTTP\ upload=HTTP upload +Aspen\ Stairs=Aspen Stairs +Mule\ Spawn\ Egg=The Mule Spawn Egg +The\ time\ is\ %s=Time %s +Splash\ Potion\ of\ Slowness=Splash potion of slowness +Spawn\ pillager\ patrols=Spawn the Marauder patrols +Fermented\ Spider\ Eye=Fermented Spider Eye +Iron\ Spikes=Iron Spikes +Purple\ Shulker\ Box=In Shulker Box +Override=Override +Intentional\ Game\ Design=It Is Intentional Game Design +Spruce\ Leaves=Gran Pages +Unable\ to\ open\ game\ mode\ switcher;\ no\ permission=Unable to open game mode switcher; no permission +Adorn+EP\:\ Steps=Adorn+EP\: Steps +Glitch\ Chestplate=Glitch Chestplate +Baobab\ Sapling=Baobab Sapling +Orange\ Calla\ Lily=Orange Calla Lily +Dark\ Amaranth\ Stairs=Dark Amaranth Stairs +%s\ item(s)=%s item(s) +Obtaining\ Metite=Obtaining Metite +Palm\ Wood\ Vertical\ Slab=Palm Wood Vertical Slab +Red\ Tulip=Red Tulips +Ignored\ if\ Global\ Whitelisting\ is\ enabled.=Ignored if Global Whitelisting is enabled. +Honey\ \u0421ream=Honey \u0421ream +Green\ Per\ Pale\ Inverted=Green-Light Inverted +Luck\ of\ the\ Sea=Happiness must +Light\ Blue\ Carpet=The Light Blue Of The Carpet +Device\ Online=Device Online +Crimson\ Hopper=Crimson Hopper +Load\ Hotbar\ Activator=The Activator Panel Download +Piglin\ hurts=Piglin bad +White\ Elytra\ Wing=White Elytra Wing +Inscriber=Inscriber +Are\ you\ sure\ you\ want\ to\ delete\ this\ world?=Are you sure you want to remove you from this world?" +Green\ Per\ Bend=The Green Way +Salad=Salad +Green\ Enchanted\ Button=Green Enchanted Button +Quitting=How to quit Smoking +Libraries\:\ %s=Library\: %s +Jungle\ Chair=Jungle Chair +Crafting\ Maestro=Crafting Maestro +6x\ Compressed\ Cobblestone=6x Compressed Cobblestone +Modified\ block\ data\ of\ %s,\ %s,\ %s=The changes of data in a single %s, %s, %s +Golden\ Marshmallow\ on\ a\ Stick=Golden Marshmallow on a Stick +Distance\ Flown=Flown Distances +Loading...=Loading... +Purple\ Tent\ Side=Purple Tent Side +Black\ Roundel=Qara Roundel +White\ Dye=White Farba +Aspen\ Bookshelf=Aspen Bookshelf +Pine\ Button=Pine Button +\u00A77Stone=\u00A77Stone +Ogana\ Fruit=Ogana Fruit +Limestone=Limestone +Coniferous\ Clearing=Coniferous Clearing +Red\ Maple\ Sapling=Red Maple Sapling +Caves\ Zoom-in=Caves Zoom-in +Printed\ Pages=Printed Pages +Stripped\ Rainbow\ Eucalyptus\ Log=Stripped Rainbow Eucalyptus Log +Cheating=Cheating +Honey\ drips=Dripping honey +Settings\ used\ in\ the\ generation\ of\ vanilla-like\ caves\ near\ the\ surface.=Settings used in the generation of vanilla-like caves near the surface. +No\ bossbar\ exists\ with\ the\ ID\ '%s'=Not bossbar may be found in ID%s' +Allow\ Cheats=Allow Cheats +Crafting\ Station=Crafting Station +Electrum\ Axe=Electrum Axe +Tin\ Gear=Tin Gear +Japanese\ Maple\ Shelf=Japanese Maple Shelf +Slimy\ Pristine\ Matter=Slimy Pristine Matter +Items\ Dropped=All Items Have Been Removed +Magenta\ Banner=The Series Is A Red Flag +Cypress\ Chair=Cypress Chair +Dacite\ Cobblestone\ Stairs=Dacite Cobblestone Stairs +Onion=Onion +Portuguese,\ Brazilian=Portuguese, Brazilian +Detect\ MCUpdater\ Instance=Detect MCUpdater Instance +Message\ to\ use\ for\ the\ &ign&\ general\ placeholder\ in\ Presence\ settings\ and\ the\ &playerinfo&\ placeholder\ in\ server\ settings\\n\ Available\ placeholders\:\\n\ -\ &name&\ \=\ Your\ username=Message to use for the &ign& general placeholder in Presence settings and the &playerinfo& placeholder in server settings\\n Available placeholders\:\\n - &name& \= Your username +RGBable=RGBable +Contents=Contents +Gold\ Dust=Gold Dust +Gained\ or\ lost\ experience\ flies\ across\ your\ screen.=Gained or lost experience flies across your screen. +Landing\ text\!\ It\ even\ supports\ $(2)colors$()\ and\ $(4)the\ $(bold)like$()\!=Landing text\! It even supports $(2)colors$() and $(4)the $(bold)like$()\! +Send\ command\ feedback=To send your comments +Construction\ Mode=Construction Mode +Craft\ a\ thermal\ generator=Craft a thermal generator +Passive\ Drain=Passive Drain +Staff\ Of\ Time=Staff Of Time +Bee\ enters\ hive=The structure, in order to get +Tall\ Seagrass=Tall Grass +$(l)Tools$()$(br)Mining\ Level\:\ 2$(br)Base\ Durability\:\ 185$(br)Mining\ Speed\:\ 11$(br)Attack\ Damage\:\ 1.0$(br)Enchantability\:\ 21$(p)$(l)Armor$()$(br)Durability\ Multiplier\:\ 13$(br)Total\ Defense\:\ ?$(br)Toughness\:\ 0$(br)Enchantability\:\ 25=$(l)Tools$()$(br)Mining Level\: 2$(br)Base Durability\: 185$(br)Mining Speed\: 11$(br)Attack Damage\: 1.0$(br)Enchantability\: 21$(p)$(l)Armor$()$(br)Durability Multiplier\: 13$(br)Total Defense\: ?$(br)Toughness\: 0$(br)Enchantability\: 25 +Dark\ Gray=Dark Gray +Message\ to\ display\ while\ in\ a\ LAN\ game\\n\ Available\ placeholders\:\\n\ -\ &ip&\ \=\ Server\ IP\\n\ -\ &name&\ \=\ Server\ name\\n\ -\ &motd&\ \=\ Server\ MOTD\\n\ -\ &icon&\ \=\ Default\ server\ icon\\n\ -\ &players&\ \=\ Server\ player\ counter\\n\ -\ &playerinfo&\ \=\ Your\ in-world\ player\ info\ message\\n\ -\ &worldinfo&\ \=\ Your\ in-world\ game\ info=Message to display while in a LAN game\\n Available placeholders\:\\n - &ip& \= Server IP\\n - &name& \= Server name\\n - &motd& \= Server MOTD\\n - &icon& \= Default server icon\\n - &players& \= Server player counter\\n - &playerinfo& \= Your in-world player info message\\n - &worldinfo& \= Your in-world game info +Bad\ Omen=A Bad Sign +You've\ killed\ %s\ [[player||players]].=You've killed %s [[player||players]]. +Magenta\ Shingles=Magenta Shingles +World\ is\ out\ of\ date=The world's out-of-date +Smooth\ Stone\ Ghost\ Block=Smooth Stone Ghost Block +Caves\ of\ Chaos=Jama Chaos +Pink\ Roundel=Pink Shopping Bag +Tools=Tools +Added\ by\ %s=Added by %s +Jetpack=Jetpack +Endorium\ Crystal=Endorium Crystal +Yellow\ Bend\ Sinister=Yellow Sinister Region +Gift=Gift +Invalid\ long\ '%s'=For too long%s' +Coroutines\ created=Coroutines created +Glitch\ Armor=Glitch Armor +Willow\ Step=Willow Step +Pink\ Base\ Gradient=The Pink Base Of The Gradient +Iron\ Helmet=Iron Kaciga +Disable\ Smooth\ Scroll=Off And A Good Paint Job +Diamond\ Furnace=Diamond Furnace +Hide\ Address=In Order To Hide The Title +Picket\ Fence=Picket Fence +Pull\ items\ toward\ the\ player=Pull items toward the player +Whether\ connected\ pipes\ inherit\ this\ pipe's\ filter=Whether connected pipes inherit this pipe's filter +Galaxium\ Crook=Galaxium Crook +Silverfish\ dies=This is a fish, silver +Shulker\ Friendly=Shulker Friendly +dannyBstyle's\ Cape\ Wing=dannyBstyle's Cape Wing +Podzol\ Dacite=Podzol Dacite +Provided\ values\:=Provided values\: +Type\ Match=Type Match +Yellow\ Concrete\ Ghost\ Block=Yellow Concrete Ghost Block +Iridium\ Reinforced\ Stone\ Wall=Iridium Reinforced Stone Wall +Marble\ Slab=Marble Slab +ME\ Interface\ Terminal=ME Interface Terminal +Cat\ begs=Katt tigger +CraftPresence\ -\ Select\ an\ Icon=CraftPresence - Select an Icon +Small\ Pile\ of\ Copper\ Dust=Small Pile of Copper Dust +Energy\ Blacklist=Energy Blacklist +Craft\ a\ Triturator=Craft a Triturator +Slipperiness=Slipperiness +Small\ Pile\ of\ Redstone=Small Pile of Redstone +Unable\ to\ detect\ any\ usable\ icons\!\ Please\ submit\ a\ mod\ issue\ if\ this\ is\ a\ mistake=Unable to detect any usable icons\! Please submit a mod issue if this is a mistake +Chain\ Plate=Chain Plate +Rose\ Gold\ Pickaxe=Rose Gold Pickaxe +Tooltips=Tooltips +Nether\ Crook=Nether Crook +Click\ on\ an\ item\ or\ item\ slot\ to\ open\ the\ item\ selector.\ This\ works\ for\ quest\ rewards\ and\ task\ items\ to\ give\ some\ examples.=Click on an item or item slot to open the item selector. This works for quest rewards and task items to give some examples. +Wolframium=Wolframium +%s\ Kitchen\ Counter=%s Kitchen Counter +No\ force\ loaded\ chunks\ were\ found\ in\ %s=No, they have not been loaded, the objects have been found in %s +Pickle\ Chips=Pickle Chips +Stripped\ Willow\ Wood=Stripped Willow Wood +Polished\ Netherrack=Polished Netherrack +Issues=The problem +Ebony\ Log=Ebony Log +Red\ Spruce\ Leaves=Red Spruce Leaves +Machinery=Machinery +Successfully\ filled\ %s\ blocks=A great success %s series +Upper\ bounds=Upper bounds +Golden\ Beetle\ Wing=Golden Beetle Wing +Auto\ Extinguish\ Cost=Auto Extinguish Cost +Craft\ a\ rolling\ machine=Craft a rolling machine +There\ are\ no\ whitelisted\ players=No players in the White list). +Hemlock\ Post=Hemlock Post +\u00A77\u00A7o"There\ are\ only\ ten\ users\ with\ this\ cape."\u00A7r=\u00A77\u00A7o"There are only ten users with this cape."\u00A7r +Purple\ Cross=The Purple Kors +A\ task\ where\ the\ player\ has\ to\ reach\ a\ certain\ reputation.=A task where the player has to reach a certain reputation. +Potion\ of\ Harming=The drink of the poor +Keeps\ chunks\ loaded,\ allows\ machines\ to\ run\ when\ you're\ not\ nearby=Keeps chunks loaded, allows machines to run when you're not nearby +\u00A77\u00A7oAngel\ means\ gold,\ aye?"\u00A7r=\u00A77\u00A7oAngel means gold, aye?"\u00A7r +Lingering\ Potion\ of\ Weakness=Constantly Broth For Slabost +Yellow\ Glazed\ Terracotta\ Camo\ Door=Yellow Glazed Terracotta Camo Door +Middle-click\ to\ the\ correct\ tool\ while\ holding\ a\ tool=Middle-click to the correct tool while holding a tool +Water\ Mill=Water Mill +Vindicator\ mutters=Defender of the mother +Lime\ Elytra\ Wing=Lime Elytra Wing +Bookshelf=Libraries +Vibrant\ Swamplands=Vibrant Swamplands +Zigzagged\ Andesite=Zigzagged Andesite +Lava\ Brick\ Stairs=Lava Brick Stairs +Acacia\ Coffee\ Table=Acacia Coffee Table +Camping\ Pack=Camping Pack +Small\ Pile\ of\ Sulfur\ Dust=Small Pile of Sulfur Dust +Mahogany\ Wall=Mahogany Wall +More\ Passive\ Energy=More Passive Energy +Tamed\ animals\ will\ heal\ from\ Beacons=Tamed animals will heal from Beacons +Smooth\ Dots=Smooth Dots +JulianClark's\ Alternative\ Cape\ Wing=JulianClark's Alternative Cape Wing +Never=I never +Short-burst\ Boosters=Short-burst Boosters +Continue\ without\ support=Without the support to continue +Orange\ Elytra\ Wing=Orange Elytra Wing +Iron\ armor\ clanks=And Clank armour Iron +Fisherman\ works=A fisherman working +Tier\ value=Tier value +Iron\ Paxel=Iron Paxel +Those\ Were\ the\ Days=Those Were The Days +Totem\ of\ Returning=Totem of Returning +Dark\ Oak\ Planks=Tamni Hrasta STO +Gray\ Pale=Light grey +Customize\ messages\ to\ display\ when\ pointing\ at\ an\ entity\\n\ (Manual\ format\:\ entity;message)\\n\ Available\ placeholders\:\\n\ -\ &entity&\ \=\ Entity\ name\ (or\ player\ UUID)\\n\\n\ %1$s=Customize messages to display when pointing at an entity\\n (Manual format\: entity;message)\\n Available placeholders\:\\n - &entity& \= Entity name (or player UUID)\\n\\n %1$s +Copy\ Identifier\ Toast\:=Copy Identifier Toast\: +Light\ Gray\ Bed=Light Grey Sofa Bed +Deep\ Warm\ Ocean=The Deep Cold Sea +Dead\ Fire\ Coral\ Block=\u00D6de Coral Block +Tiers\ must\ have\ unique\ values=Tiers must have unique values +Bottomless\ Pit=Better +Gold\ Chest=Gold Chest +Potted\ Tall\ White\ Dendrobium\ Orchid=Potted Tall White Dendrobium Orchid +Gray\ Paly=Gray Paly +Chopper=Chopper +Superconductor\ Cable=Superconductor Cable +Magenta\ Shield=The Purple Shield +Piglin\ snorts\ angrily=Piglin furiosament snorts +Green\ Apple\ Skyris\ Leaves=Green Apple Skyris Leaves +Palm\ Trapdoor=Palm Trapdoor +\u00A77%s\ Unit=\u00A77%s Unit +Crowdin\ Cape\ Wing=Crowdin Cape Wing +Light\ Blue\ Per\ Pale=Light Blue +%1$s\ was\ squashed\ by\ a\ falling\ block\ whilst\ fighting\ %2$s=%1$s he was in despair, the entry into the fight %2$s +Item\ Frame=Item Frame +Panda\ bleats=Panda bleats +Granite\ Step=Granite Step +Warped\ Planks\ Camo\ Trapdoor=Warped Planks Camo Trapdoor +Soul\ Sandstone\ Brick\ Stairs=Soul Sandstone Brick Stairs +Sandstone\ Wall=Sandstone Wall +Brown\ Base\ Dexter\ Canton=The Cafe Is Located In The Country Dexter +Blast\ Furnace=On +Acacia\ Stairs=Acacia Wood Stairs +Low\ Health=Low Health +Glass\ Shards=Glass Shards +Wood\ to\ Obsidian\ upgrade=Wood to Obsidian upgrade +Ring=Ring +Cyan\ Stained\ Glass\ Pane=Blue Color Glass +Clickable\ Recipe\ Arrows\:=Clickable Recipe Arrows\: +Cyan\ Per\ Bend\ Sinister\ Inverted=Blue On The Crook Of \u0417\u043B\u044B\u0434\u0435\u043D\u044C Inverted +Toggle\ sorting\ direction=Toggle sorting direction +Message\ Team=The posts +Energy\ Usage=Energy Usage +Team\ Error=Team Error +Entities\ between\ z\ and\ z\ +\ dz=Unit, and between z and z + dz +Meteoric\ Steel\ Gear=Meteoric Steel Gear +White\ Tulip=White Tulip +Clear\ All=Clear All +Nitrocoalfuel=Nitrocoalfuel +Industrial\ Machine\ Frame=Industrial Machine Frame +Spruce\ Shelf=Spruce Shelf +Energy\ Efficiency\ Upgrade=Energy Efficiency Upgrade +Nausea=Hadena +Hot\ Tungstensteel\ Nugget=Hot Tungstensteel Nugget +Embur\ Wart=Embur Wart +Holly\ Stairs=Holly Stairs +ME\ Fluid\ Interface=ME Fluid Interface +Pink\ Stained\ Pipe=Pink Stained Pipe +Your\ world\ will\ be\ restored\ to\ date\ '%s'\ (%s)=Your world will be restored, this meeting"%s' (%s) +Parrot\ scuttles=Parrot bulls Eye +Andradite\ Dust=Andradite Dust +Inmis=Inmis +You\ must\ enter\ a\ name\!=You must enter a name\! +If\ on,\ the\ preview\ is\ always\ displayed,\nregardless\ of\ the\ preview\ key\ being\ pressed.=If on, the preview is always displayed,\nregardless of the preview key being pressed. +Attack\ Speed=Attack Speed +Slot\ Highlight=Slot Highlight +Palm\ Pressure\ Plate=Palm Pressure Plate +Spawn\ weight\ of\ the\ extra\ mobs\ in\ Roofed\ Forests=Spawn weight of the extra mobs in Roofed Forests +Silverfish\ hurts=Fish-Money is evil +Inventory\ Tweaks=Inventory Tweaks +Blacklisted\ Fortress\ Biomes=Blacklisted Fortress Biomes +%1$s\ fell\ too\ far\ and\ was\ finished\ by\ %2$s=%1$s also fell and finished %2$s +Diorite\ Dust=Diorite Dust +Rocket\ Fuel\ Bucket=Rocket Fuel Bucket +Polished\ Andesite\ Platform=Polished Andesite Platform +Book\ Coloring\ Settings=Book Coloring Settings +\ Currently\ Harvestable=\ Currently Harvestable +White\ Per\ Bend\ Sinister=The White Color On A Bend Sinister +Please\ select\ a\ singleplayer\ world\ to\ upload=Please choose one, alone in the world, and the position +Lime\ Tent\ Top\ Flat=Lime Tent Top Flat +Command\ Computer=Command Computer +Brown\ Base\ Gradient=Brun-Baseret Tone +Items\ Stored\:\ %s=Items Stored\: %s +Are\ you\ sure\ you\ want\ to\ open\ the\ following\ website?=Are you sure you want to open these web pages? +Light\ Gray\ Shulker\ Box=Polje, Svetlosiva, Shulker +While\ the\ recipe\ shown\ is\ clearly\ for\ $(item)Iron\ Plates$(),\ simply\ substituting\ the\ $(item)Iron\ Ingots$()\ with\ any\ other\ $(thing)Ingots$()\ will\ create\ plates\ of\ that\ type.=While the recipe shown is clearly for $(item)Iron Plates$(), simply substituting the $(item)Iron Ingots$() with any other $(thing)Ingots$() will create plates of that type. +Salmon\ Crate=Salmon Crate +Custom\ Texture\ Enabled\:=Custom Texture Enabled\: +Do\ not\ push\ crafting\ items\ if\ inventory\ contains\ items.=Do not push crafting items if inventory contains items. +Colored\ Tiles\ (Black\ &\ Blue)=Colored Tiles (Black & Blue) +Formation\ Plane=Formation Plane +Bee\ Our\ Guest=The Bees Guest +Entity\ Distance=The Object In The Distance +Give=Give +Vulcan\ Stone\ Slab=Vulcan Stone Slab +Match\ Item\ Tag\ (does\ nothing)=Match Item Tag (does nothing) +Green\ Concrete\ Camo\ Trapdoor=Green Concrete Camo Trapdoor +Item\ Frame\ placed=The scope of this article are determined +8x\ Compressed\ Sand=8x Compressed Sand +Downloaded=Download +Heat\ Generator=Heat Generator +An\ edible\ version\ of\ the\ Crimson\ Fungus,\ obtained\ by\ toasting\ one.\ Can\ be\ sliced.=An edible version of the Crimson Fungus, obtained by toasting one. Can be sliced. +Change\ the\ configurations\ for\ a\ reputation\ target\ for\ the\ selected\ reputation\ task=Change the configurations for a reputation target for the selected reputation task +Roasted\ to\ Perfection=Roasted to Perfection +Splash\ Potion\ of\ Resilience=Splash Potion of Resilience +The\ Hero\ Next\ Door=The Hero Next Door +Redwood\ Trapdoor=Redwood Trapdoor +Rough\ Sandstone\ Slab=Rough Sandstone Slab +Teleport\ to\ this\ computer=Teleport to this computer +Fluid\ Storage\ Bus=Fluid Storage Bus +Started\ debug\ profiling=Debug queue started +Resources=Resources +Arrow\ of\ Water\ Breathing=The direction of the water to breathe +Pink\ Cherry\ Oak\ Sapling=Pink Cherry Oak Sapling +Winter\ Rose=Winter Rose +Volcanic\ Rock\ Post=Volcanic Rock Post +Realms\ could\ not\ be\ opened\ right\ now,\ please\ try\ again\ later=The person is not able to open it now, try it again at a later time +Golden\ Spear=Golden Spear +\u00A77\u00A7o"You\ can\ hear\ them,\u00A7r=\u00A77\u00A7o"You can hear them,\u00A7r +Opens\ about\ page\ on\ the\ Revolutionary\ Guide=Opens about page on the Revolutionary Guide +End\ Portal=Portals +Birch\ Wall\ Sign=Stick, Wall, Sign, +Coral\ Mangroves=Coral Mangroves +Giant\ Blue\ Taiga=Giant Blue Taiga +Nothing\ changed.\ The\ world\ border\ warning\ is\ already\ that\ distance=It made no difference. The council, in the limit, a warning message is displayed that the distance between the +Comfy\ Sitting=Comfy Sitting +Reduce\ Sensitivity=Reduce Sensitivity +Invalid\ or\ unknown\ game\ mode\ '%s'=In order to play the invalid or unknown type",%s' +Nothing\ changed.\ That\ display\ slot\ is\ already\ empty=Nothing has changed. The screen, the nest is already empty +6\ to\ 7=6 to 7 +Teleporter=Teleporter +6x\ Compressed\ Dirt=6x Compressed Dirt +Purpur\ Navigator=Purpur Navigator +Osiria\ Rose=Osiria Rose +Colored\ Tiles\ (Blue\ &\ Cyan)=Colored Tiles (Blue & Cyan) +Beacon\ Payment=Beacon Payment +Cherry\ Oak\ Wood\ Vertical\ Slab=Cherry Oak Wood Vertical Slab +Please\ update\ to\ the\ most\ recent\ version\ of\ Minecraft.=Please upgrade to the latest version of Minecraft. +Cannot\ locate\ computer\ in\ the\ world=Cannot locate computer in the world +Nothing\ changed.\ That\ display\ slot\ is\ already\ showing\ that\ objective=In General, nothing has changed. To view the view already is, in order to +Display\ Players=Display Players +Iron\ Golem\ hurts=The iron Golem, it hurts +Magenta\ Chief\ Dexter\ Canton=Magenta Chief Dexter Canton +Green\ Glider=Green Glider +Silver\ Sword=Silver Sword +Cracker=Cracker +\u00A77\u00A7oShould\ work\ as\ intended."\u00A7r=\u00A77\u00A7oShould work as intended."\u00A7r +Mining\ Level=Mining Level +Dark\ Oak\ Timber\ Frame=Dark Oak Timber Frame +Stonecutter\ used=Mason-pou\u017E\u00EDv\u00E1 +Pyrite\ Dust=Pyrite Dust +Blue\ Enchanted\ Fence=Blue Enchanted Fence +Warped\ Fence\ Gate=Couple, Fence, Port" +Reading\ History=Reading History +Archery=Archery +Customize\ messages\ to\ display\ with\ biomes\\n\ (Manual\ format\:\ biome_name;message)\\n\ Available\ placeholders\:\\n\ -\ &biome&\ \=\ Biome\ name\\n\ -\ &id&\ \=\ Biome\ ID=Customize messages to display with biomes\\n (Manual format\: biome_name;message)\\n Available placeholders\:\\n - &biome& \= Biome name\\n - &id& \= Biome ID +Closed\ realm=Closed territory +Unknown\ function\ tag\ '%s'=Unknown sign in function '%s' +Makeshift\ Claim\ Anchor=Makeshift Claim Anchor +%1$s\ on\ a\ Gold\ Chest\ to\ convert\ it\ to\ a\ Diamond\ Chest.=%1$s on a Gold Chest to convert it to a Diamond Chest. +Lime\ Globe=Cal On Light +Comprehensive\ Test\ Book=Comprehensive Test Book +Iridium\ Reinforced\ Tungstensteel\ Stairs=Iridium Reinforced Tungstensteel Stairs +Smooth\ Quartz\ Stairs=The Smooth Quartz Stairs +White\ Terracotta=White And Terra Cotta +Rose\ Gold\ Axe=Rose Gold Axe +Energy\ cost\:\ =Energy cost\: +Dark\ Theme=Dark Theme +Multiplayer\ is\ disabled.\ Please\ check\ your\ launcher\ settings.=Multiplayer is disabled. Please check your launcher settings. +Sodium\ Persulfate=Sodium Persulfate +3x\ Compressed\ Gravel=3x Compressed Gravel +Spider\ Eye=The eyes of the spider +$(l)Tools$()$(br)Mining\ Level\:\ 1$(br)Base\ Durability\:\ 200$(br)Mining\ Speed\:\ 4$(br)Attack\ Damage\:\ 1.5$(br)Enchantability\:\ 10$(p)$(l)Armor$()$(br)Durability\ Multiplier\:\ 12$(br)Total\ Defense\:\ 12$(br)Toughness\:\ 0$(br)Enchantability\:\ 15=$(l)Tools$()$(br)Mining Level\: 1$(br)Base Durability\: 200$(br)Mining Speed\: 4$(br)Attack Damage\: 1.5$(br)Enchantability\: 10$(p)$(l)Armor$()$(br)Durability Multiplier\: 12$(br)Total Defense\: 12$(br)Toughness\: 0$(br)Enchantability\: 15 +Amaranth\ Wart\ Block=Amaranth Wart Block +Diamond\ Mining\ Tool=Diamond Mining Tool +Length\ too\ long\!\ Current\ '%s',\ max\ '%s'=Length too long\! Current '%s', max '%s' +Upgrade\ Gear=How To Upgrade Equipment +Gray\ Chief\ Dexter\ Canton=Gray Editor-In-Chief Dexter Canton +Something\ went\ wrong\ while\ trying\ to\ load\ a\ world\ from\ a\ future\ version.\ This\ was\ a\ risky\ operation\ to\ begin\ with;\ sorry\ it\ didn't\ work.=An error occurred while trying to access a version of the future. It was a tricky operation to begin with, and I'm sorry it didn't work. +White\ Oak\ Door=White Oak Door +player=player +Dolphin\ splashes=Delfinov dom +Corner\ mode\ -\ placement\ and\ size\ marker=The way the angular position and the size of the print +Unlock\ Items=Unlock Items +Witch\ throws=The witch is playing games +\u00A77None=\u00A77None +End\ of\ stream=At the end of the stream +Orange\ Redstone\ Lamp=Orange Redstone Lamp +\u00A77\u00A7o"I\ hope\ this\ wing\ won't\ break."\u00A7r=\u00A77\u00A7o"I hope this wing won't break."\u00A7r +Iron\ Puller\ Pipe=Iron Puller Pipe +reputations=reputations +Page\ Turns=Page Turns +Scrolls\ Cape\ Wing=Scrolls Cape Wing +Maple\ Slab=Maple Slab +Warped\ Pressure\ Plate=A Sick Pressure Plate +Purple\ Elevator=Purple Elevator +Enter\ Key...=Enter Key... +Sky\ Stone\ Brick\ Slabs=Sky Stone Brick Slabs +Cursed\ Seeds=Cursed Seeds +$.3fG\ Energy=$.3fG Energy +Ethereal\ Furnace=Ethereal Furnace +There\ are\ no\ valid\ reputations\ to\ choose\ from.\ Please\ go\ to\ the\ reputation\ menu\ (click\ on\ the\ reputation\ button\ on\ the\ left\ hand\ side\ of\ the\ book\ when\ browsing\ the\ main\ menu)\ and\ create\ at\ least\ one\ first.=There are no valid reputations to choose from. Please go to the reputation menu (click on the reputation button on the left hand side of the book when browsing the main menu) and create at least one first. +Galaxium\ Leggings=Galaxium Leggings +Airlock\ Door=Airlock Door +Orange\ Chief=Orange Cap +No\ Permissions\ Selected=No Permissions Selected +Basalt\ Step=Basalt Step +Glowstone\ Lantern=Glowstone Lantern +Enabled\ friendly\ fire\ for\ team\ %s=You know, that friendly fire team %s +Furnace=The oven +Selected\ %s\ (%s,\ %s,\ %s)=Selected %s (%s, %s, %s) +Current\ Usetype\:\ %s=Current Usetype\: %s +Arrow\ of\ Invisibility=The Invisible Hand +Charred\ Timber\ Frame=Charred Timber Frame +Save\ Hotbar\ Activator=Save As Hotbar % W / W +Brass\ Nugget=Brass Nugget +Enter\ a\ Badlands\ Pyramid=Enter a Badlands Pyramid +Quest\ Book\ -\ OP\ Edition=Quest Book - OP Edition +Sneak\ Time=I Take This Opportunity, As The +Bedrock\ Generation=Bedrock Generation +White\ Gradient=White Gradient +Yellow\ Birch\ Leaves=Yellow Birch Leaves +Eggshell\ Fertilizer=Eggshell Fertilizer +Cover\ Me\ With\ Diamonds=Cover Me Almaz +Endstone\ Dust=Endstone Dust +%s\ generated/tick=%s generated/tick +Light\ Gray\ ME\ Covered\ Cable=Light Gray ME Covered Cable +Oxygen=Oxygen +Cave\ Roots=Cave Roots +Wooden\ Frame=Wooden Frame +Steel\ Block=Steel Block +Liquid\ Altitude=Liquid Altitude +Stone\ Brick\ Pillar=Stone Brick Pillar +Frozen\ in\ the\ Deep\ Hole=Frozen in the Deep Hole +Effect\ Duration=Effect Duration +Layout=Layout +Orange\ Oak\ Sapling=Orange Oak Sapling +Condense\ Into\ Singularities\n%s\ per\ item=Condense Into Singularities\n%s per item +Blueberries=Blueberries +While\ the\ recipe\ shown\ is\ clearly\ for\ an\ $(item)Iron\ Gear$(),\ simply\ substituting\ the\ $(item)Iron\ Ingots$()\ with\ any\ other\ $(thing)Ingots$()\ will\ create\ a\ gear\ of\ that\ type.=While the recipe shown is clearly for an $(item)Iron Gear$(), simply substituting the $(item)Iron Ingots$() with any other $(thing)Ingots$() will create a gear of that type. +Oak\ Planks\ Ghost\ Block=Oak Planks Ghost Block +Ambient/Environment=On The Surrounding Environment, +Frequency\:\ %s=Frequency\: %s +Pressure\ Plate\ clicks=The touchpad to click +Gilded\ Blackstone\ Ghost\ Block=Gilded Blackstone Ghost Block +Just\ a\ normal\ quest.=Just a normal quest. +Small\ Pile\ of\ Basalt\ Dust=Small Pile of Basalt Dust +Sofas\ are\ a\ comfortable\ place\ to\ sit.\ You\ can\ also\ take\ a\ nap\ on\ a\ wide\ sofa\ if\ you\ use\ it\ with\ an\ empty\ hand\ while\ sneaking.=Sofas are a comfortable place to sit. You can also take a nap on a wide sofa if you use it with an empty hand while sneaking. +By\ Alphabet=By Alphabet +Removed\ every\ effect\ from\ %s\ targets=To remove each and every one of which will have the effect of %s the goal +Active\ with\ signal=Active with signal +Orange\ Base\ Sinister\ Canton=The Orange Base To The Canton Sinister +Maximum\ Mobs\ in\ Arena=Maximum Mobs in Arena +Trigger\ Quest=Trigger Quest +Refill\ with\ same\ stack\ (nbt)=Refill with same stack (nbt) +Meteor\ Stone\ Stairs=Meteor Stone Stairs +Gray\ Per\ Bend\ Sinister\ Inverted=Grey, On A Bend Sinister Inverted +Narrator\ Disabled=Personer med handicap +Survival\ Inventory=Survival Food +Iridium\ Reinforced\ Tungstensteel\ Wall=Iridium Reinforced Tungstensteel Wall +Pink\ Base\ Sinister\ Canton=The Pink Color On The Basis Of The Data Of The Sinister Canton +Red\ Rock\ Brick\ Wall=Red Rock Brick Wall +Solid\ while\ sneaking=Solid while sneaking +<<\ Prev=<< Prev +Mined\:\ %s=Mined\: %s +Orange\ Dye=The Bright Orange Color +Info\ Text\ Alignment=Info Text Alignment +Nothing\ changed.\ Targets\ either\ have\ no\ item\ in\ their\ hands\ or\ the\ enchantment\ could\ not\ be\ applied=Nothing has changed. The goal should be on hand, or charm, which could not be applied to +Turtle\ Egg\ breaks=The turtle, the egg breaks +Light\ Blue\ Base=The Light Blue Base +Purpur\ Slab=Levy Hopea +Health\ In\ Numbers=Health In Numbers +Dead\ Leaf\ Pile=Dead Leaf Pile +%s\ has\ been\ added\ as\ an\ owner\ to\ this\ claim.=%s has been added as an owner to this claim. +Dark\ Amaranth\ Hyphae\ Slab=Dark Amaranth Hyphae Slab +Redwood\ Kitchen\ Counter=Redwood Kitchen Counter +Lime\ Inverted\ Chevron=La Cal\u00E7 Invertida Chevron, +Enable\ Mob\ Strength=Enable Mob Strength +Novice=Beginners +Display\ the\ item\ gotten\ from\ the\ block=Display the item gotten from the block +Terracotta\ Ghost\ Block=Terracotta Ghost Block +Tooltip\ Icons\ Settings=Tooltip Icons Settings +Meteor\ Metite\ Ore=Meteor Metite Ore +Light\ Blue\ Concrete=The Blue Light Is Cool +Regeneration=Regeneration +Hoe\ Attack\ Damage\ Factor=Hoe Attack Damage Factor +Platinum\ Wall=Platinum Wall +Selected\ suggestion\ %s\ out\ of\ %s\:\ %s\ (%s)=The success of the proposals are %s it is %s\: %s (%s) +1x\ Compressed\ Dirt=1x Compressed Dirt +Get\ a\ Rancher=Get a Rancher +Run-Delay=Run-Delay +Linked\ (Input\ Side)=Linked (Input Side) +World\ Map\ Name=World Map Name +Stone\ Bricks\ Glass=Stone Bricks Glass +Blackstone\ Wall=Blackstone Wall +Customize\ messages\ relating\ to\ different\ game\ states=Customize messages relating to different game states +Steak\ Taco=Steak Taco +Light\ Gray\ Tent\ Top\ Flat=Light Gray Tent Top Flat +A\ stack\ of\ items\ cased\ in\ bread,\ which\ can\ be\ consumed\ all\ at\ once\ to\ restore\ as\ much\ hunger\ as\ the\ items\ inside\ restore\ combined.=A stack of items cased in bread, which can be consumed all at once to restore as much hunger as the items inside restore combined. +Whether\ only\ a\ single\ block\ should\ be\ disabled\ when\ the\ player\ is\ sneaking.=Whether only a single block should be disabled when the player is sneaking. +Rabbit\ squeaks=Bunny Peeps +Cypress\ Kitchen\ Cupboard=Cypress Kitchen Cupboard +Paginated=Paginated +Evoker\ prepares\ charming=Evoker prepares wonderful +11x11\ (Extreme)=11x11 (Extreme) +Sword=Sword +Limestone\ Brick\ Stairs=Limestone Brick Stairs +Slot\:=Slot\: +Delay\:\ %s=Delay\: %s +Failed\ to\ create\ folder\:\ %s=Failed to create folder\: %s +Available=Available +Chiseled\ Quartz\ Block=Chiseled Quartz Block +Granted\ the\ advancement\ %s\ to\ %s\ players=Progress was %s for %s players +Pyrite\ Ore=Pyrite Ore +Magenta\ Glazed\ Terracotta\ Glass=Magenta Glazed Terracotta Glass +Entangled\ Bucket=Entangled Bucket +Entities\ with\ scores=The assessment +Primitive\ Rocket\ Booster=Primitive Rocket Booster +Hardcore\ Mode\ isn't\ enabled\ yet.\ use\ '/hqm\ hardcore'\ to\ enable\ it.=Hardcore Mode isn't enabled yet. use '/hqm hardcore' to enable it. +Reloading\!=Reloading\! +Black\ Terracotta\ Camo\ Trapdoor=Black Terracotta Camo Trapdoor +\u00A77\u00A7o"Attendee's\ cape\ of\ MINECON\ 2015."\u00A7r=\u00A77\u00A7o"Attendee's cape of MINECON 2015."\u00A7r +Dried\ Kelp=Dried Seaweed +Thunderstorm\ Lightning\ Chance=Thunderstorm Lightning Chance +\u00A76Self\ Aware\u00A7r=\u00A76Self Aware\u00A7r +Activate\ once\ per\ pulse=Activate once per pulse +/hqm\ hardcore=/hqm hardcore +Purple\ Flower\ Charge=The Purple Of The Flowers, Which Are +Industrial\ Circuit=Industrial Circuit +Zoom\ Out\ When\ Enlarged=Zoom Out When Enlarged +Stone\ Brick\ Post=Stone Brick Post +Green\ Pale=Green +Generate\ Core\ of\ Flights\ on\ Dungeons=Generate Core of Flights on Dungeons +Enable\ Thunderstorm=Enable Thunderstorm +Customize\ accessibility\ settings\ of\ the\ mod\\n\ Includes\:\\n\ -\ Language\ ID\\n\ -\ Keybinds\\n\ -\ Additional\ Gui\ customization\ options=Customize accessibility settings of the mod\\n Includes\:\\n - Language ID\\n - Keybinds\\n - Additional Gui customization options +End\ Stone\ Brick\ Slab=At The End Of Stone, Brick, Stove +Lower\ Limit\ Scale=The Lower Limit Of The Scale +Fade\ Duration\:=Fade Duration\: +Lime\ Per\ Bend\ Sinister\ Inverted=Client License In Bending The Wrong Way, That +Team\ Tracker=Team Tracker +Pink\ Concrete\ Camo\ Trapdoor=Pink Concrete Camo Trapdoor +Book\ Editor=Book Editor +Shingles=Shingles +Black\ Table\ Lamp=Black Table Lamp +Green\ Paint\ Ball=Green Paint Ball +Green\ Paly=Light Green +Univite\ Axe=Univite Axe +$fluid$\ Cell=$fluid$ Cell +Block\ of\ Quartz=The block of quartz +You\ are\ already\ allowed\ in\ this\ claim\!=You are already allowed in this claim\! +Could\ not\ close\ your\ realm,\ please\ try\ again\ later=Don't be closed to the world, please, please, please try later +view\ contents=view contents +Multiplayer\ game\ is\ already\ hosted\ on\ port\ %s=In this game, is on the house %s +Random\ player=A casual player +Small\ Pile\ of\ Andesite\ Dust=Small Pile of Andesite Dust +Fool's\ Gold\ can\ be\ obtained\ by\ combining\ 1\ Iron\ Ingot\ and\ 1\ Gunpowder\ in\ an\ $(item)$(l\:machinery/alloy_smelter)Alloy\ Smelter$().\ This\ produces\ 2\ $(item)Fool's\ Gold\ Ingots$().=Fool's Gold can be obtained by combining 1 Iron Ingot and 1 Gunpowder in an $(item)$(l\:machinery/alloy_smelter)Alloy Smelter$(). This produces 2 $(item)Fool's Gold Ingots$(). +Red\ Chief\ Indented=Red Heart +Gray\ Concrete\ Powder=The Gr\u00E5 Concrete Powder +Lime\ Glazed\ Terracotta=Lime Glaz\u016Bra, Terakota +Parrot\ roars=Parrot noise +Type\ 2\ Cave\ Maximum\ Altitude=Type 2 Cave Maximum Altitude +Cod\ flops=Cod flops +Light\ Gray\ Rune=Light Gray Rune +Craft\ a\ LV\ Transformer=Craft a LV Transformer +Hoglin\ hurts=Hogl hurts +Turtle\ baby\ dies=The ancient city, in which is the death of the child +(pr.\ F)=(pr. F) +Yellow\ Tent\ Top\ Flat=Yellow Tent Top Flat +Determines\ how\ frequently\ Liquid\ Caverns\ spawn.\ 0\ \=\ will\ not\ spawn\ at\ all.=Determines how frequently Liquid Caverns spawn. 0 \= will not spawn at all. +C418\ -\ chirp=C418 - chirp +Delphinium=Delphinium +Ivis\ Phylium=Ivis Phylium +Map\ Selection=Map Selection +A\ bucket\ used\ to\ store\ and\ transport\ milk\ that\ is\ in\ the\ process\ of\ turning\ into\ cheese.\ Obtained\ by\ interacting\ with\ a\ fermenting\ basin\ with\ an\ empty\ bucket,\ and\ can\ be\ poured\ back\ into\ the\ basin.\ Can\ be\ drank\ to\ gain\ nausea\ based\ on\ how\ much\ the\ cheese\ has\ fermented.=A bucket used to store and transport milk that is in the process of turning into cheese. Obtained by interacting with a fermenting basin with an empty bucket, and can be poured back into the basin. Can be drank to gain nausea based on how much the cheese has fermented. +Mining\ Speed\ Multiplier=Mining Speed Multiplier +Crimson\ Cross\ Timber\ Frame=Crimson Cross Timber Frame +F3\ +\ D\ \=\ Clear\ chat=F3 + D \= Clear chat +Taiga=In the forest +Rubber\ Kitchen\ Counter=Rubber Kitchen Counter +Refined\ Iron\ Ingot=Refined Iron Ingot +I,\ Robot\ farmer=I, Robot farmer +CraftPresence\ -\ Edit\ Biome\ (%1$s)=CraftPresence - Edit Biome (%1$s) +Alternator=Alternator +Slime\ Block=Slime Block +HV\ Cable=HV Cable +\u00A77\u00A7o"It\ has\ winglets\!"\u00A7r=\u00A77\u00A7o"It has winglets\!"\u00A7r +Horse\ Jump\ Strength=At, Jump G\u00FCc +Allow\ sending/receiving\ join\ requests\ in\ Discord?=Allow sending/receiving join requests in Discord? +Read\ out\ block\ and\ entity\ names\ with\ the\ system's\ text\ to\ speech\ processor=Read out block and entity names with the system's text to speech processor +Some\ features\ used\ are\ deprecated\ and\ will\ stop\ working\ in\ the\ future.\ Do\ you\ wish\ to\ proceed?=Some of the features that are used as legacy, and will work in the near future. If you really want to do this? +Pink\ Asphalt=Pink Asphalt +Quartz\ Pillar\ Camo\ Trapdoor=Quartz Pillar Camo Trapdoor +Missing\ critical\ metadata\ for\ Mod\ "%1$s",\ supplying\ dummy\ data...\ (Ignore\ if\ in\ Deobfuscated\ Environment)=Missing critical metadata for Mod "%1$s", supplying dummy data... (Ignore if in Deobfuscated Environment) +Orange\ Terracotta\ Glass=Orange Terracotta Glass +Detect\ MultiMC\ Instance=Detect MultiMC Instance +Cherry\ Crafting\ Table=Cherry Crafting Table +Smooth\ Stone\ Stairs=Smooth Stone Stairs +Gold\ Bars=Gold Bars +The\ max\ number\ of\ items\ in\ a\ row\nMay\ not\ affect\ modded\ containers=The max number of items in a row\nMay not affect modded containers +Modified\ Badlands\ Plateau=Changed The Barren Land Of The Highlands +World\ Map=World Map +Trinkets=Trinkets +\u00A72\u00A7lCraftPresence\ has\ been\ rebooted\!=\u00A72\u00A7lCraftPresence has been rebooted\! +Dragon\ roars=The dragon screams +(pr.\ C)=(pr. C) +Cooked\ Salmon=Ready For Salmon +Onion\ Seeds=Onion Seeds +You\ can\ later\ return\ to\ your\ original\ world\ without\ losing\ anything.=Later, you can return to your private world, nothing to lose. +Magma\ Ring=Magma Ring +An\ interface\ displaying\ info\ about\ your\ currently\ worn\ armour\ and\ item\ held\ at\ the\ time.=An interface displaying info about your currently worn armour and item held at the time. +Embur\ Pedu=Embur Pedu +Spectate\ World=Spectate World +%s\:\ +%s%%=%s\: +%s +Scroll\ factor=Scroll factor +Scute=Libra +White\ Oak\ Planks=White Oak Planks +Lingering\ Sugar\ Water\ Bottle=Lingering Sugar Water Bottle +Brown\ Futurneo\ Block=Brown Futurneo Block +Modified\ storage\ %s=Changed it from the store %s +Northern\ Forest=Northern Forest +Andesite\ Speleothem=Andesite Speleothem +Guardian\ flops=Guardian-flip flops +Netherite\ Wolf\ Armor=Netherite Wolf Armor +Pink\ Lawn\ Chair=Pink Lawn Chair +Edit=Edit +Lunum\ Chestplate=Lunum Chestplate +Astromine\:\ Discoveries=Astromine\: Discoveries +Open\ Mods\ Folder=Open The Folder Changes +Unknown\ origin...=Unknown origin... +Worlds\ using\ Experimental\ Settings\ are\ not\ supported=The world of Experimental, with a configuration are not supported +This\ command\ now\ toggles\ edit\ mode\ in\ single-player.\ To\ receive\ an\ operator\ quest\ book,\ use\ /hqm\ op\ instead.\ This\ message\ can\ be\ disabled\ in\ the\ configuration.=This command now toggles edit mode in single-player. To receive an operator quest book, use /hqm op instead. This message can be disabled in the configuration. +Orange\ Roundel=The Orange Circle +Pendorite\ Ore=Pendorite Ore +Purple\ Pale\ Dexter=Violet, Roz Pal Dexter +\u00A74\u00A7oMultiple\ rings\ enabled=\u00A74\u00A7oMultiple rings enabled +S'more\ than\ a\ Treat=S'more than a Treat +Pink\ Cherry\ Leaves=Pink Cherry Leaves +Blue\ side\ means\ input.=Blue side means input. +Larger\ \=\ more\ cave\ interconnectivity\ for\ a\ given\ area,\ but\ less\ variation.=Larger \= more cave interconnectivity for a given area, but less variation. +Acacia\ Wood=The Acacia Trees Of The +Failed\ to\ delete\ "%1$s",\ things\ may\ not\ work\ well...=Failed to delete "%1$s", things may not work well... +Asteroid\ Silver\ Ore=Asteroid Silver Ore +Previous\ Page=In The Previous Page +Pine\ Bookshelf=Pine Bookshelf +Glistering\ Melon\ Slice=Bright Watermelon Slices +Quarter\ of\ a\ heart=Quarter of a heart +Dev.EnergyGen=Dev.EnergyGen +Use\ a\ treetap\ on\ a\ sticky\ spot\ on\ a\ rubber\ tree=Use a treetap on a sticky spot on a rubber tree +Clear\ &\ Paste=Clear & Paste +LIMITED\ POWER\!=LIMITED POWER\! +Highlight=Highlight +Set\ the\ world\ border\ damage\ to\ %s\ per\ block\ each\ second=Damage to the nerves in the world is set %s seconds of the block +Shrublands=Shrublands +Meteoric\ Steel\ Hammer=Meteoric Steel Hammer +\u00A79Chunk\ at\:\ =\u00A79Chunk at\: +Texture=Texture +Tin\ Slab=Tin Slab +Statistic=Statistics +Network\ Administrator=Network Administrator +Render\ Helmet\ Armor=Render Helmet Armor +Red\ Begonia=Red Begonia +Provides\ luminance,\ when\ given\ power=Provides luminance, when given power +Vanilla\ Excavators=Vanilla Excavators +Set\ to\ 0\ to\ disable\ the\ damage\ limiter=Set to 0 to disable the damage limiter +Silver\ Pickaxe=Silver Pickaxe +Copper\ Hoe=Copper Hoe +Structure\ Void=The Structure Of The Vacuum +%1$s\ was\ skewered=%1$s was skewered +Obtain\ a\ Fool's\ Gold\ Ingot=Obtain a Fool's Gold Ingot +Soapstone\ Brick\ Slab=Soapstone Brick Slab +Can't\ get\ %s;\ only\ numeric\ tags\ are\ allowed=No puc %s only numeric labels that allow you +Left\ Win=Left To Win +Cika\ Sapling=Cika Sapling +Could\ not\ parse\ command\:\ %s=It can be a process of the type\: %s +Cyan\ Paint\ Ball=Cyan Paint Ball +Metite\ can\ be\ used\ to\ create\ standard\ tooling;\ however,\ it\ is\ of\ much\ more\ use\ in\ creating\ astronautical\ technology.=Metite can be used to create standard tooling; however, it is of much more use in creating astronautical technology. +Potted\ Tall\ Red\ Begonia=Potted Tall Red Begonia +Potted\ Lime\ Lily=Potted Lime Lily +Frozen\ River=Spored River +Begin\ your\ fiery\ conquest\ with\ a\ Quartz\ Hammer.=Begin your fiery conquest with a Quartz Hammer. +Blue\ ME\ Smart\ Cable=Blue ME Smart Cable +Xp\ Drain=Xp Drain +Sandwichable\ Config=Sandwichable Config +Enchanting\ Table=Magic Table +Blue\ Paint\ Ball=Blue Paint Ball +Vindicator\ hurts=The defender was injured +\u00A77\u00A7o"Gotta\ go\ fast\!"\u00A7r=\u00A77\u00A7o"Gotta go fast\!"\u00A7r +Red\ Shingles\ Slab=Red Shingles Slab +Redwood\ Fence\ Gate=Redwood Fence Gate +Name\:=Name\: +Blaze\ Brick\ Slab=Blaze Brick Slab +Enable\ death\ message=Enable death message +\u00A77\u00A7o"It\ flies,\ somehow."\u00A7r=\u00A77\u00A7o"It flies, somehow."\u00A7r +Potted\ Brown\ Gladiolus=Potted Brown Gladiolus +Sneak\ to\ view=Sneak to view +Player\ Head=Player-Manager +Blue\ Redstone\ Lamp=Blue Redstone Lamp +Your\ client\ ID\ is\ empty,\ things\ may\ not\ work\ well...=Your client ID is empty, things may not work well... +General\ icon\ formatting\ arguments\:\\n*\ Placeholders\ configurable\ in\ status\ messages\ and\ other\ areas\\n*\ Some\ placeholders\ are\ empty\ unless\ they\ are\ assigned\\n\\n\ -\ &DEFAULT&\ \=\ The\ default\ icon,\ specified\ in\ config\\n\ -\ &MAINMENU&\ \=\ The\ icon\ used\ in\ the\ main\ menu\\n\ \ *\ Use\ this\ instead\ of\ &DEFAULT&\ to\ only\ show\ the\ default\ icon\ in\ the\ main\ menu\\n\ -\ &PACK&\ \=\ The\ pack's\ icon,\ if\ using\ a\ pack\\n\ -\ &DIMENSION&\ \=\ The\ current\ dimension\ icon\\n\ -\ &SERVER&\ \=\ The\ current\ server\ icon=General icon formatting arguments\:\\n* Placeholders configurable in status messages and other areas\\n* Some placeholders are empty unless they are assigned\\n\\n - &DEFAULT& \= The default icon, specified in config\\n - &MAINMENU& \= The icon used in the main menu\\n * Use this instead of &DEFAULT& to only show the default icon in the main menu\\n - &PACK& \= The pack's icon, if using a pack\\n - &DIMENSION& \= The current dimension icon\\n - &SERVER& \= The current server icon +Shift-Click\ to\ return\ to\ Home=Shift-Click to return to Home +Affect\ Inventories\:=Affect Inventories\: +Smooth\ Lines\:=Smooth Lines\: +Zombie\ Horse\ cries=The zombie Horse is crying +Block\ of\ Chrome=Block of Chrome +This\ pack\ was\ made\ for\ a\ newer\ version\ of\ Minecraft\ and\ may\ not\ work\ correctly.=This pack was made for a newer version of Minecraft and may not work correctly. +Hoglin\ growls=Hoglin of the show +Yellow\ Per\ Bend\ Inverted=Yellow Reverse Bending +Orange\ ME\ Dense\ Covered\ Cable=Orange ME Dense Covered Cable +Blue\ Enchanted\ Wood=Blue Enchanted Wood +\nReplaces\ Mineshafts\ in\ Jungle\ biomes.\ How\ often\ Mineshafts\ will\ spawn.=\nReplaces Mineshafts in Jungle biomes. How often Mineshafts will spawn. +Eye\ Spy\ The\ Nether=Eye Spy The Nether +Block\ broken=The unit does not work +You've\ killed\ %s\ of\ %s\ [[player||players]].=You've killed %s of %s [[player||players]]. +Winged\:\ Items=Winged\: Items +Toggle\ Free=Toggle Free +Trader\ Llama\ Spawn\ Egg=Sat\u0131c\u0131 Lama Spawn Spawn +Orange\ Patterned\ Wool=Orange Patterned Wool +Rubber\ Table=Rubber Table +%s\ Lapis\ Lazuli=%s Stone Stone +White\ Cherry\ Oak\ Sapling=White Cherry Oak Sapling +Purpur\ Block\ Ghost\ Block=Purpur Block Ghost Block +Enriched\ Nikolite\ Dust=Enriched Nikolite Dust +Maximum\ Spawnheight=Maximum Spawnheight +Cyan\ ME\ Glass\ Cable=Cyan ME Glass Cable +Gray\ Chief\ Indented=Grey Main Paragraph +Phantom\ Spawn\ Egg=Egg-The Spirit Of The Game +Debug\ Clear=Debug Clear +Lantern\ Button=Lantern Button +Tooltip\ Enchantment\ Sorting=Tooltip Enchantment Sorting +Ingots=Ingots +Oak\ Diagonal\ Timber\ Frame=Oak Diagonal Timber Frame +Vanilla\ Excavators\ Config=Vanilla Excavators Config +Cyan\ Glazed\ Terracotta=The Blue Glaze Ceramic +Green\ Lumen\ Paint\ Ball=Green Lumen Paint Ball +Silver\ Hoe=Silver Hoe +Gilded\ Blackstone\ Camo\ Door=Gilded Blackstone Camo Door +Silver\ Maple\ Sapling=Silver Maple Sapling +Bees\ work=Api for work +Play\ Selected\ World=The Play Selected World +Shift\ +\ middle\ mouse\ click=Shift + middle mouse click +Data\ Storage\ Core=Data Storage Core +Small\ Pile\ of\ Dark\ Ashes=Small Pile of Dark Ashes +Only\ one\ entity\ is\ allowed,\ but\ the\ provided\ selector\ allows\ more\ than\ one=Only a business settled, however, until the state of choice means that you may be more than one +Raw\ Beef=It Was Raw Beef +Item\ Frame\ clicks=A point to hit the frame of the +Meteor\ Metite\ Cluster=Meteor Metite Cluster +Splash\ Uncraftable\ Potion=The Wave Of Alcohol That Can Be Used In The Preparation +Peridot\ Axe=Peridot Axe +Zelkova\ Slab=Zelkova Slab +Player\ Coordinate\ Placeholder=Player Coordinate Placeholder +Red\ cables\!=Red cables\! +Advanced\ Fisher=Advanced Fisher +Light\ Blue\ Per\ Bend\ Sinister\ Inverted=Light Blue Bend Sinister Inverted +Energy\ Flow\ Chip=Energy Flow Chip +Lapis\ Lazuli\ Hammer=Lapis Lazuli Hammer +Light\ Gray\ Terracotta=Light Siwa, Terracotta, +Adds\ zoom\ manipulation\ keys\ along\ with\ the\ zoom\ key.=Adds zoom manipulation keys along with the zoom key. +Lime\ Per\ Bend\ Inverted=Lime Per Bend Inverted +[Go\ Up]=[Go Up] +Lit\ Light\ Gray\ Redstone\ Lamp=Lit Light Gray Redstone Lamp +Distance\ Sprinted=Distance De Course +Mason=Hi +Redstone\ Wall\ Torch=Redstone Torch Ant Sienos +Lock\ World\ Difficulty=The Key Problems Of The World +Zelkova\ Forest=Zelkova Forest +Moon\ Stone\ Slab=Moon Stone Slab +Salmon\ flops=Gold flip flops +Rubber\ Step=Rubber Step +Etheric\ Gem=Etheric Gem +%1$s\ fell\ off\ scaffolding=%1$s he fell from a scaffold +Granite\ Brick\ Slab=Granite Brick Slab +A\ caramelized,\ campfire-cooked\ version\ of\ the\ Chopped\ Onion,\ which\ restores\ more\ hunger.=A caramelized, campfire-cooked version of the Chopped Onion, which restores more hunger. +Mahogany\ Planks=Mahogany Planks +Orange\ Glazed\ Terracotta=The Orange Glazed-Terracotta Tiles +Orange\ Color\ Module=Orange Color Module +Enter\ a\ Crimson\ Shipwreck=Enter a Crimson Shipwreck +Feeding\ Trough=Feeding Trough +search\ for\ worlds=survey of the universe +Glowshroom\ Bayou=Glowshroom Bayou +Lime\ Terracotta\ Camo\ Trapdoor=Lime Terracotta Camo Trapdoor +Green\ Tent\ Top=Green Tent Top +Metite\ Nugget=Metite Nugget +Sandstone\ Brick\ Stairs=Sandstone Brick Stairs +Tall\ Centered\ Terminal=Tall Centered Terminal +Revoked\ %s\ advancements\ from\ %s=Withdrawal %s Progress %s +Spawn\ Size=Caviar Square +Reset\ title\ options\ for\ %s=Name-Recovery Settings %s +Back\ to\ title\ screen=To return to fabric title +Jump\ by\ pressing\ the\ %1$s\ key=Jump by pressing %1$s key +Jungle\ Planks\ Camo\ Trapdoor=Jungle Planks Camo Trapdoor +Lava\ hisses=Lava sizzles +Time\ left=The time of the +Cherry\ Fence=Cherry Fence +An\ interface\ displaying\ information\ about\ the\ living\ entity\ that\ you\ are\ pointing\ at\ including\ players.=An interface displaying information about the living entity that you are pointing at including players. +Flat\ Ingots=Flat Ingots +Caution\:\ Online\ play\ is\ offered\ by\ third-party\ servers\ that\ are\ not\ owned,\ operated,\ or\ supervised\ by\ Mojang\ or\ Microsoft.\ During\ online\ play,\ you\ may\ be\ exposed\ to\ unmoderated\ chat\ messages\ or\ other\ types\ of\ user-generated\ content\ that\ may\ not\ be\ suitable\ for\ everyone.=Please note\: the online games, which are third-party servers that are not owned, operated or controlled by Mojang, or Microsoft. During the online game, you may be exposed to the media message, or any other type of user generated content, which may not be suitable for all. +Enter\ a\ Giant\ Taiga\ Village=Enter a Giant Taiga Village +Toolsmith\ works=Toolsmith erfarenhet +Tripwire\ detaches=The presence of this +Smooth\ Purpur\ Slab=Smooth Purpur Slab +View\ the\ terminal\ of\ a\ computer.=View the terminal of a computer. +Aqua\ Affinity=Aqua Affinity +You\ are\ not\ white-listed\ on\ this\ server\!=On serverot, not white\! +Diorite\ Stairs=Diorite Laiptai +Superconductor=Superconductor +Off-hand\ Item=Off-hand Item +%s/%s=%s/%s +Teleported\ %s\ entities\ to\ %s,\ %s,\ %s=It %s the device %s, %s, %s +Input=Input +Warped\ Planks\ Glass=Warped Planks Glass +Zombie\ Horse\ dies=The zombie horse to death +%s\ sec=%s sec +Structure\ Integrity=Structure, Integrity +Green\ Enchanted\ Fence\ Gate=Green Enchanted Fence Gate +Bluestone\ Slab=Bluestone Slab +Ring\ of\ Speed=Ring of Speed +Crimson\ Pressure\ Plate=Ketoni Paine +Tech\ Theme=Tech Theme +White\ Anemone=White Anemone +Sync\ Config=Sync Config +Oak\ Barrel=Oak Barrel +Ruby\ Crook=Ruby Crook +Pufferfish\ dies=If the fish ball is +Priority=Priority +Potted\ Magenta\ Mushroom=Potted Magenta Mushroom +Birch\ Log=Berezovy Log +Green\ Enchanted\ Pressure\ Plate=Green Enchanted Pressure Plate +Device\ Missing\ Channel=Device Missing Channel +Units=Units +to\ be\ dropped=to be dropped +White\ Bend\ Sinister=The White Layer On The Left +Configure\ realm\:=Configuration Area\: +Save\ hotbar\ with\ %1$s+%2$s=To save the panel %1$s+%2$s +Edit\ the\ target\ location\ for\ location\ tasks,\ or\ edit\ the\ specified\ advancement\ for\ advancement\ tasks.=Edit the target location for location tasks, or edit the specified advancement for advancement tasks. +Crossbow=These +Magenta\ Beveled\ Glass\ Pane=Magenta Beveled Glass Pane +Blast\ Protection=Explosion proof +Whitelist\ is\ now\ turned\ on=White list is now included in +Grossular\ Dust=Grossular Dust +Birch\ Planks\ Camo\ Trapdoor=Birch Planks Camo Trapdoor +east=east +Respawn\ point\ set=Short set +Blaze\ Bricks=Blaze Bricks +Electrum\ Stairs=Electrum Stairs +Night\ Vision=Night vision +Red\ Garnet\ Stairs=Red Garnet Stairs +Wooden\ Lance=Wooden Lance +Data=Information +Helium=Helium +Purpur\ Platform=Purpur Platform +Blasting\ Upgrade=Blasting Upgrade +Collect\:\ End\ Stone=Collect\: End Stone +Sticky\ Piston=Piestov\u00E9 Sticky +Applying\ migration\ data\ for\ data\ matching\ %1$s\ with\ action\ ID\ %2$s\ ->\ Converting\ %3$s\ from\ %4$s\ to\ %5$s=Applying migration data for data matching %1$s with action ID %2$s -> Converting %3$s from %4$s to %5$s +Weather=Time +Add\ Nether\ Crimson\ Temples\ to\ Modded\ Biomes=Add Nether Crimson Temples to Modded Biomes +Copper\ Stairs=Copper Stairs +Single=Single +Blue\ Chief=Bl\u00E5 Boss +Light\ Gray\ Banner=And Light Grey Banner +Text\ Field\ Border\:=Text Field Border\: +Require\ recipe\ for\ crafting=It requires a prescription for development +Enter\ a\ Savanna\ Mineshaft=Enter a Savanna Mineshaft +Add\ Bookmark=Add Bookmark +Abandoned\ crate\ generation\ chance=Abandoned crate generation chance +Display\ Mode=Display Mode +"Multiplied"\ is\ a\ multiplied\ variant\ of\ "Vanilla".="Multiplied" is a multiplied variant of "Vanilla". +Demo\ time's\ up\!=The demo is finished\! +"Smooth"\ replicates\ Vanilla's\ dynamic\ FOV.="Smooth" replicates Vanilla's dynamic FOV. +Button=Taste +Protection\ %s=Protection %s +Depth\ Noise\ Scale\ Z=Depth Noise Scale +Pink\ Banner=Roz Banner +Craft\ a\ Pattern\ Terminal=Craft a Pattern Terminal +Grants\ Water\ Breathing\ Effect=Grants Water Breathing Effect +Strider\ warbles=On the contrary, in the e +Snow\ Golem\ dies=Snow Golem die +Totem\ of\ Undying=The Language, However, The +Magenta=Purple +Compressor=Compressor +Electrum\ Hoe=Electrum Hoe +Iron\ Bars=Iron +BYG\ Islands=BYG Islands +Entity\ Radar=Entity Radar +Butterflyfish=Butterfly +Play\ Multiplayer=To Play In Multiplayer Mode +Bi-Directional=Bi-Directional +Redstone\ Lamp=Lamps And Redstone +Block\ of\ Sterling\ Silver=Block of Sterling Silver +Asteroid\ Coal\ Ore=Asteroid Coal Ore +Expected\ quote\ to\ start\ a\ string=It is expected a quote to start the string +Open\ held\ Shulker\ Box=Open held Shulker Box +Metal\ From\ The\ Stars=Metal From The Stars +Open\ Backpack=Open Backpack +Basic\ Card=Basic Card +Granite\ Stairs=Stairs Made Of Granite +Panda\ steps=Panda steps in the +Proceed=D\u00E1l +Dark\ Oak\ Wall\ Sign=Dark Oak Wood Sign Wall +Blue\ Pale\ Sinister=Son Pale Evil +Leather\ Tanner=Leather Tanner +Enter\ a\ Warped\ Village=Enter a Warped Village +Days=Dny +Purple\ Orchid=Purple Orchid +Sky\ Stone\ Block\ Chest=Sky Stone Block Chest +Shows\ information\ about\ trading\ stations\ when\ you\ look\ at\ them.=Shows information about trading stations when you look at them. +Gain\ a\ water\ bottle\ from\ a\ Cactus=Gain a water bottle from a Cactus +%1$s\ was\ killed\ by\ magic\ whilst\ trying\ to\ escape\ %2$s=%1$s was killed with the help of magic, if you try to save %2$s +Foundations=Foundations +Magenta\ Pale\ Sinister=Pale Purple Color, Bad +Tin\ Hammer=Tin Hammer +Successfully\ loaded\ character\ and\ glyph\ width\ data\!=Successfully loaded character and glyph width data\! +Univite\ Ingot=Univite Ingot +Add\ JF\ to\ Modded\ Biomes=Add JF to Modded Biomes +Japanese\ Maple\ Chair=Japanese Maple Chair +Could\ not\ spread\ %s\ entities\ around\ %s,\ %s\ (too\ many\ entities\ for\ space\ -\ try\ using\ spread\ of\ at\ most\ %s)=Managed break %s the community %s, %s (too many people for space - try using spread of most %s) +CraftPresence\ was\ unable\ to\ retrieve\ system\ info,\ things\ may\ not\ work\ well...=CraftPresence was unable to retrieve system info, things may not work well... +Fish\ Taco=Fish Taco +Ender\ Puller\ Pipe=Ender Puller Pipe +Rubber\ Button=Rubber Button +Cyan\ Mushroom\ Block=Cyan Mushroom Block +Charred\ Wooden\ Trapdoor=Charred Wooden Trapdoor +Palm\ Planks=Palm Planks +Lead\ Axe=Lead Axe +Sakura\ Step=Sakura Step +%1$s\ fell\ too\ far\ and\ was\ finished\ by\ %2$s\ using\ %3$s=%1$s very fell, and, finally, %2$s the use of the %3$s +Cyan\ Shield=Blue Shield +Fircracker\ Bush=Fircracker Bush +Potion\ of\ Luck=Drink Succes +Small\ Pile\ of\ Pyrope\ Dust=Small Pile of Pyrope Dust +Magenta\ Stained\ Pipe=Magenta Stained Pipe +%s\ was\ dissolved\ in\ sulfuric\ acid=%s was dissolved in sulfuric acid +Asteroid\ Emerald\ Ore=Asteroid Emerald Ore +Protection=Protection +Message\ to\ use\ for\ the\ &coords&\ argument\ for\ the\ &playerinfo&\ placeholder\ in\ server\ settings\\n\ Available\ placeholders\:\\n\ -\ &xPosition&\ \=\ Your\ current\ in-game\ X\ position\\n\ -\ &yPosition&\ \=\ Your\ current\ in-game\ Y\ position\\n\ -\ &zPosition&\ \=\ Your\ current\ in-game\ Z\ position=Message to use for the &coords& argument for the &playerinfo& placeholder in server settings\\n Available placeholders\:\\n - &xPosition& \= Your current in-game X position\\n - &yPosition& \= Your current in-game Y position\\n - &zPosition& \= Your current in-game Z position +Fir\ Platform=Fir Platform +Raw\ Melon\ Pie=Raw Melon Pie +Light\ Blue\ Roundel=Light Blue Rondelu +Green\ Chief\ Dexter\ Canton=Zelena Glavni Dexter Kantonu +Black\ Base\ Indented=Black Base \u012Etrauk\u0173 +Jungle\ Log=A Log In The Jungle +Iridium\ Ingot=Iridium Ingot +Aquilorite\ Armor=Aquilorite Armor +Lime\ Terracotta=The Lemon Juice, The Vanilla And The +%1$s\ starved\ to\ death=%1$s how would die of hunger +This\ will\ swap\ all\ waypoint\ data\ of\ the\ selected\ world/server\ and\ the\ automatic\ world/server,\ thus\ simulate\ making\ the\ selected\ world\ automatic.\ Make\ sure\ you\ know\ what\ you're\ doing.=This will swap all waypoint data of the selected world/server and the automatic world/server, thus simulate making the selected world automatic. Make sure you know what you're doing. +Increases\ energy\ flow\ rate=Increases energy flow rate +\u00A77\u00A7oNobody\ will\ care\ to\ look\ it\ up."\u00A7r=\u00A77\u00A7oNobody will care to look it up."\u00A7r +You\ already\ have\ maximum\ lives.=You already have maximum lives. +Automatically\ craft\ recipes\ given\ power\ and\ resources=Automatically craft recipes given power and resources +Calculating\ Please\ Wait...=Calculating Please Wait... +Allow\ spectators\ to\ generate\ terrain=Allows viewers, and in order to create a landscape +Rabbit\ hops=The rabbit jumps +relative\ Position\ x=the relative position x +Birch\ Stairs=Birch Stairs +Orange\ Tulip=Orange Tulips +Zombie\ converts\ to\ Drowned=The Zombie converts Are +Horse\ eats=To eat a horse +Lime\ Carpet=Lime Floor +Display\ Mobs=Display Mobs +Shulker\ dies=Shulk moet sterven +Nylium\ Soul\ Soil=Nylium Soul Soil +Show\ Bounding\ Box\:=Show Bounding Box\: +Fir\ Stairs=Fir Stairs +Auto\ Feeder\ %s=Auto Feeder %s +Galaxium\ Mattock=Galaxium Mattock +Crying\ Obsidian\ (Legacy)=Crying Obsidian (Legacy) +Size\:\ \u00A77Small\u00A7r=Size\: \u00A77Small\u00A7r +Filled=Filled +White\ Sand=White Sand +Crystal\ Emerald\ Furnace=Crystal Emerald Furnace +Dirt\ Path=Dirt Path +Hardcore\ Mode\!=Modo Hardcore\! +Aquilorite=Aquilorite +Illuminated\ Panel=Illuminated Panel +Retrieving\ statistics...=Used statistics in... +Brown\ Elevator=Brown Elevator +Get\ a\ MK2\ Circuit=Get a MK2 Circuit +Stripped\ Palo\ Verde\ Wood=Stripped Palo Verde Wood +Free\ the\ End=In The End, Free Download +Cyan\ Asphalt\ Stairs=Cyan Asphalt Stairs +Some\ entities\ might\ have\ separate\ rules=Some assets that may be separate rules +Coordinate\ Scale=Coordinate In The Volume +Fletcher\ works=It is unlikely that this apparently +Minecart\ with\ TNT=O Minecart com TNT. +Conduit\ deactivates=Management off +Distance=Distance +Failed\ to\ log\ in=No signs +\u00A76\u00A7lYou\ do\ not\ have\ any\ available\ join\ requests\!=\u00A76\u00A7lYou do not have any available join requests\! +Eye\ Spy=Eye Spy +Peat=Peat +Zombified\ Piglin\ grunts=Your Piglin care +A\ vegetable\ food\ item\ that\ can\ be\ pickled\ in\ a\ pickle\ jar.=A vegetable food item that can be pickled in a pickle jar. +Chrome\ Slab=Chrome Slab +Rainbow\ Eucalyptus\ Boat=Rainbow Eucalyptus Boat +\nAdd\ Jungle\ Fortress\ to\ modded\ jungle\ biomes.=\nAdd Jungle Fortress to modded jungle biomes. +Can't\ get\ %s;\ tag\ doesn't\ exist=You may not obtain, %s* a label does not exist +F3\ +\ N\ \=\ Cycle\ previous\ gamemode\ <->\ spectator=F3 + N \= av forrige Syklus) < - > vis +Chain=Chain +server=server +Leash\ Knot=Krage Og Knute +Not\ Enough\ Energy\:=Not Enough Energy\: +Confirm=Confirm +Set\ the\ world\ spawn\ point\ to\ %s,\ %s,\ %s\ [%s]=Set the world spawn point to %s, %s, %s [%s] +targets=targets +Basic\ Machine\ Chassis=Basic Machine Chassis +Polished\ Andesite\ Slab=Slab Andesite Pul\u0113ta +Energy=Energy +Charred\ Planks=Charred Planks +Twisted\ Townsfolks=Twisted Townsfolks +Industrial\ Sawmill=Industrial Sawmill +Crafting\:\ %1$s=Crafting\: %1$s +Growing\ the\ world\ border\ to\ %s\ blocks\ wide\ over\ %s\ seconds=The increase in light %s blokovi Shire %s seconds +Chunk\ Scanner=Chunk Scanner +You\ are\ trying\ to\ teleport\ to\ a\ sub-world\ which\ isn't\ connected\ to\ the\ current\ "auto"\ one.\ If\ you\ are\ sure\ that\ this\ sub-world\ is\ from\ the\ same\ sub-server/world\ save,\ then\ you\ can\ enable\ teleportation\ by\ adding\ a\ connection\ in\ the\ waypoints\ menu\ ->\ Options\ ->\ Add\ Sub-World\ Connection.\ However,\ if\ you\ connect\ unrelated\ sub-worlds\ and\ teleport,\ then\ you\ might\ suffocate\ in\ a\ block\ or\ die\ from\ fall\ damage,\ so\ don't\ do\ that.=You are trying to teleport to a sub-world which isn't connected to the current "auto" one. If you are sure that this sub-world is from the same sub-server/world save, then you can enable teleportation by adding a connection in the waypoints menu -> Options -> Add Sub-World Connection. However, if you connect unrelated sub-worlds and teleport, then you might suffocate in a block or die from fall damage, so don't do that. +White\ Concrete=White Concrete +Mouse\ Settings...=The Configuration Of The Mouse... +Willow\ Trapdoor=Willow Trapdoor +The\ beginning=The beginning +Iron\ Golem=The Iron Golem +Crafting\ Unit=Crafting Unit +Click\ to\ play\ again=Click to play again +Light\ Blue\ Saltire=A Light Blue Saltire +Scoria\ Cobblestone\ Wall=Scoria Cobblestone Wall +Steel=Steel +Magenta\ Stained\ Glass=Purple Stained Glass +Dolphin\ hurts=The dolphin won't hurt +Purple\ ME\ Covered\ Cable=Purple ME Covered Cable +Process\ natural\ resources\ into\ another\ useful\ product\nOften\ more\ efficient\ than\ other\ means=Process natural resources into another useful product\nOften more efficient than other means +Teal\ Nether\ Bricks=Teal Nether Bricks +Cross-dimensional\ teleportation\ is\ disabled\ in\ multiplayer\ by\ default.\ Imperfections\ in\ the\ multi-world\ detection\ can\ easily\ kill\ your\ character\ if\ you\ teleport\ while\ in\ the\ wrong\ sub-server\ or\ world.\ You\ can\ enable\ it\ in\ the\ mod\ settings.\ Use\ at\ your\ own\ risk\!=Cross-dimensional teleportation is disabled in multiplayer by default. Imperfections in the multi-world detection can easily kill your character if you teleport while in the wrong sub-server or world. You can enable it in the mod settings. Use at your own risk\! +Essence=Essence +Hemlock\ Kitchen\ Sink=Hemlock Kitchen Sink +Snow=Neve +White\ Oak\ Timber\ Frame=White Oak Timber Frame +Russian\ Hat=Russian Hat +Dipped\ Ceremonial\ Knife=Dipped Ceremonial Knife +Smooth\ Red\ Sandstone=Smooth Red Stone. +Minecon\ 2019\ Cape\ Wing=Minecon 2019 Cape Wing +\nReplaces\ vanilla\ dungeon\ in\ Jungle\ biomes.=\nReplaces vanilla dungeon in Jungle biomes. +Vein\ type\:\ %s=Vein type\: %s +Restore\ previous\ search\ filter.=Restore previous search filter. +Controls\ whether\ the\ preview\ window\ should\ be\ colored.=Controls whether the preview window should be colored. +Connecting\ to\ the\ server...=To establish a connection with the server... +Manually\ select\ what\ to\ hide\ and\ show.=Manually select what to hide and show. +\u00A79Come\ join\ us\:=\u00A79Come join us\: +Glowstone\ Excavator=Glowstone Excavator +Nether\ Mineshaft=Nether Mineshaft +Hoglin\ Spawn\ Egg=Hogl, Jajce, Kaviar +View\ Source=View Source +Brown\ Tent\ Top=Brown Tent Top +Mountain\ Edge=Horseback Riding At The End +Wandering\ Trader\ trades=The wandering Trader's trades +Brown\ Sofa=Brown Sofa +\u00A7eUse\ while\ airborne\ to\ deactivate\u00A7r=\u00A7eUse while airborne to deactivate\u00A7r +Zoom\ Out\ (alternative)=Zoom Out (alternative) +%1$s\ was\ stung\ to\ death\ by\ %2$s=%1$s it is evil to death on the side of the %2$s +Hardcore\ Mode\ has\ been\ activated.\ Enjoy\!=Hardcore Mode has been activated. Enjoy\! +\nAdd\ RS\ Mineshafts\ to\ modded\ biomes\ of\ same\ categories/type.=\nAdd RS Mineshafts to modded biomes of same categories/type. +A\ Warped\ View\ from\ an\ Outpost=A Warped View from an Outpost +Crimson\ Village\ Spawnrate=Crimson Village Spawnrate +Golden\ Hammer=Golden Hammer +Water\ Bricks=Water Bricks +Expected\ end\ of\ options=As one would expect, in the end, the choice +Hold\ shift\ for\ more\ info=Hold shift for more info +Min\ WP\ Draw\ Dist.=Min WP Draw Dist. +%1$s\ on\ an\ Obsidian\ Chest\ to\ convert\ it\ to\ a\ Netherite\ Chest.=%1$s on an Obsidian Chest to convert it to a Netherite Chest. +Birch\ Hopper=Birch Hopper +Click\ on\ the\ reputation\ reward\ icon\ to\ bring\ up\ the\ reputation\ reward\ menu.=Click on the reputation reward icon to bring up the reputation reward menu. +Sound\ Alert\ Min\ Light\ Level=Sound Alert Min Light Level +Inverter\ Card=Inverter Card +Ocelot\ Spawn\ Egg=Dry Ocelot Egg +\u00A77\u00A7o"Now\ you're\ an\ Wasp\ from\ Cobalt."\u00A7r=\u00A77\u00A7o"Now you're an Wasp from Cobalt."\u00A7r +Right\ click\ on\ covered\ cable\ to\ apply=Right click on covered cable to apply +End\ Portal\ Frame=The Final Picture Of The Portal +Sky\ Stone=Sky Stone +Eco-friendly=Eco-friendly +Depth\ Noise\ Scale\ X=Djup Buller Skala X +Steak=Steak +Error=Error +Red\ Elevator=Red Elevator +Z\ Range=Z Range +A\ pickled\ version\ of\ the\ cucumber,\ which\ can\ be\ eaten\ to\ restore\ more\ hunger.=A pickled version of the cucumber, which can be eaten to restore more hunger. +\u00A7lCurrent\ RPC\ Data\ (Logged\ in\ as\ %1$s)\:\u00A7r\\n\ \u00A76\u00A7lDetails\:\u00A7r\ %2$s\\n\ \u00A76\u00A7lGame\ State\:\u00A7r\ %3$s\\n\ \u00A76\u00A7lStart\ Timestamp\:\u00A7r\ %4$s\\n\ \u00A76\u00A7lClient\ ID\:\u00A7r\ %5$s\\n\ \u00A76\u00A7lLarge\ Icon\ Key\:\u00A7r\ %6$s\\n\ \u00A76\u00A7lLarge\ Icon\ Text\:\u00A7r\ %7$s\\n\ \u00A76\u00A7lSmall\ Icon\ Key\:\u00A7r\ %8$s\\n\ \u00A76\u00A7lSmall\ Icon\ Text\:\u00A7r\ %9$s\\n\ \u00A76\u00A7lParty\ ID\:\u00A7r\ %10$s\\n\ \u00A76\u00A7lParty\ Size\:\u00A7r\ %11$s\\n\ \u00A76\u00A7lParty\ Max\:\u00A7r\ %12$s\\n\ \u00A76\u00A7lJoin\ Secret\:\u00A7r\ %13$s\\n\ \u00A76\u00A7lEnd\ Timestamp\:\u00A7r\ %14$s\\n\ \u00A76\u00A7lMatch\ Secret\:\u00A7r\ %15$s\\n\ \u00A76\u00A7lSpectate\ Secret\:\u00A7r\ %16$s\\n\ \u00A76\u00A7lInstance\:\u00A7r\ %17$s=\u00A7lCurrent RPC Data (Logged in as %1$s)\:\u00A7r\\n \u00A76\u00A7lDetails\:\u00A7r %2$s\\n \u00A76\u00A7lGame State\:\u00A7r %3$s\\n \u00A76\u00A7lStart Timestamp\:\u00A7r %4$s\\n \u00A76\u00A7lClient ID\:\u00A7r %5$s\\n \u00A76\u00A7lLarge Icon Key\:\u00A7r %6$s\\n \u00A76\u00A7lLarge Icon Text\:\u00A7r %7$s\\n \u00A76\u00A7lSmall Icon Key\:\u00A7r %8$s\\n \u00A76\u00A7lSmall Icon Text\:\u00A7r %9$s\\n \u00A76\u00A7lParty ID\:\u00A7r %10$s\\n \u00A76\u00A7lParty Size\:\u00A7r %11$s\\n \u00A76\u00A7lParty Max\:\u00A7r %12$s\\n \u00A76\u00A7lJoin Secret\:\u00A7r %13$s\\n \u00A76\u00A7lEnd Timestamp\:\u00A7r %14$s\\n \u00A76\u00A7lMatch Secret\:\u00A7r %15$s\\n \u00A76\u00A7lSpectate Secret\:\u00A7r %16$s\\n \u00A76\u00A7lInstance\:\u00A7r %17$s +Purple\ Wool="Lana, Violet, +Individual\ lives=Individual lives +Red\ Chief\ Sinister\ Canton=Red Chief Sinister Canton +Making\ Request...=The application... +Gray\ Banner=Sivo Banner +Message\ to\ display\ while\ on\ the\ main\ menu=Message to display while on the main menu +Place\ an\ alarm\ in\ the\ world=Place an alarm in the world +Black\ Per\ Fess\ Inverted=Black And Kanim VI VI Da Teach +Light\ Blue\ Bordure=Light Blue Trim +History=History +Tin\ Axe=Tin Axe +Caps\ Lock=Caps Lock +Stripped\ Mangrove\ Log=Stripped Mangrove Log +Tomato\ Slice=Tomato Slice +Red\ ME\ Smart\ Cable=Red ME Smart Cable +Drowned\ Spawn\ Egg=Spawn Eggs +Black\ Base\ Gradient=Black Shades On +Categories=Categories +Deal\ the\ final\ blow\ to\ a\ mob\ with\ a\ stone\ that\ has\ skipped\ 6\ or\ more\ times=Deal the final blow to a mob with a stone that has skipped 6 or more times +Interval\ repeat=Interval repeat +World\ options=The world's choice +Silverfish\ hisses=Argentine hiss +%s\ Frame=%s Frame +Orange\ Glazed\ Terracotta\ Glass=Orange Glazed Terracotta Glass +Magenta\ Redstone\ Lamp=Magenta Redstone Lamp +Rainbow\ Eucalyptus\ Planks=Rainbow Eucalyptus Planks +Inspiration=The Inspiration +Hold\ right\ click\ to\ start\ scanning\ this\ chunk=Hold right click to start scanning this chunk +Gray\ Shingles\ Slab=Gray Shingles Slab +Ghostly\ Glass=Ghostly Glass +Number\ of\ Deaths=Death room +Tripwire\ clicks=Click the wireless +Silver\ Stairs=Silver Stairs +The\ Crimson\ House\ of\ Prayer=The Crimson House of Prayer +Magenta\ Skull\ Charge=Purple Skull Charge +Cyan\ Glider=Cyan Glider +\u00A77\u00A7oWing\ by\ %1$s\u00A7r=\u00A77\u00A7oWing by %1$s\u00A7r +Auto\ wood\ farm=Auto wood farm +Composter\ emptied=Composting is the distance of the +Keypad\ +=Keyboard + +Keypad\ *=*Keyboard +HTTP\ requests=HTTP requests +Light\ Gray\ Thing=Light Gray Fabric +%s\ [[quest||quests]]\ with\ unclaimed\ rewards=%s [[quest||quests]] with unclaimed rewards +\u00A79Owner\:\ =\u00A79Owner\: +\u00A76\u00A7lReloading\ CraftPresence\ data,\ depending\ on\ settings\!=\u00A76\u00A7lReloading CraftPresence data, depending on settings\! +Light\ Blue\ ME\ Dense\ Covered\ Cable=Light Blue ME Dense Covered Cable +Pig\ Spawn\ Egg=Sika Spawn Muna +Green\ Beveled\ Glass\ Pane=Green Beveled Glass Pane +Multi-block\ structure\ for\ crafting\ at\ extreme\ frigid\ temperatures=Multi-block structure for crafting at extreme frigid temperatures +Acacia\ Planks\ Camo\ Trapdoor=Acacia Planks Camo Trapdoor +Display\ Tooltip=Display Tooltip +Player\ is\ already\ whitelisted=Player from you +Determines\ whether\ the\ in-game\ viewer\ or\ the\ system's\ default\ text\ editor\ will\ be\ used\ to\ viewer\ notes.=Determines whether the in-game viewer or the system's default text editor will be used to viewer notes. +Taming\ task=Taming task +Deciduous\ Forest=Deciduous Forest +Smooth\ Sandstone\ Platform=Smooth Sandstone Platform +Quick\ Eat=Quick Eat +F3\ +\ C\ is\ held\ down.\ This\ will\ crash\ the\ game\ unless\ released.=To F3 + c. This leads to the collapse of the game, and if it is released. +Rainbow\ Block=Rainbow Block +Dead\ Bubble\ Coral\ Wall\ Fan=Dead Bubble Coral, Which Can Be Mounted On The Wall Fan +Blaze\ dies=This is the door of the Fire +Zoom\ Divisor=Zoom Divisor +Jungle\ Cross\ Timber\ Frame=Jungle Cross Timber Frame +\u00A7lCraftPresence\ -\ Sub-Commands\:\\n\ \u00A7rSyntax\:\ \u00A76/\ \\n\\n\ \u00A76\u00A7lreboot\ \u00A7r-\ Reboot\ RPC\\n\ \u00A76\u00A7lshutdown\ \u00A7r-\ Shut\ down\ RPC\\n\ \u00A76\u00A7lreload\ \u00A7r-\ Reloads\ CraftPresence\ data\ based\ on\ settings\\n\ \u00A76\u00A7lrequest\ \u00A7r-\ View\ join\ request\ info\\n\ \u00A76\u00A7lview\ \u00A7r-\ View\ a\ variety\ of\ display\ data\\n\ \u00A76\u00A7lhelp\ \u00A7r-\ Views\ this\ page=\u00A7lCraftPresence - Sub-Commands\:\\n \u00A7rSyntax\: \u00A76/ \\n\\n \u00A76\u00A7lreboot \u00A7r- Reboot RPC\\n \u00A76\u00A7lshutdown \u00A7r- Shut down RPC\\n \u00A76\u00A7lreload \u00A7r- Reloads CraftPresence data based on settings\\n \u00A76\u00A7lrequest \u00A7r- View join request info\\n \u00A76\u00A7lview \u00A7r- View a variety of display data\\n \u00A76\u00A7lhelp \u00A7r- Views this page +First=Before that +Wooded\ Hills=The Wooded Hills +Pink\ Concrete=Sex +Ruby\ Slab=Ruby Slab +Corn\ Block=Corn Block +No\ chunks\ were\ marked\ for\ force\ loading=Not to be a part of a granted on the load +Pumpkin\ Pie=Pumpkin pie +Toxic\ Mud=Toxic Mud +\u00A77\u00A7mDisabled=\u00A77\u00A7mDisabled +Vertical\ Ratio=Vertical Ratio +Use\ a\ Netherite\ ingot\ to\ upgrade\ a\ hoe,\ and\ then\ reevaluate\ your\ life\ choices=The use of rods in Netherite to update hoe, and then to reflect on their choices in life +Internal\ Error\:\ %s=Internal Error\: %s +Vulcan\ Stone\ Wall=Vulcan Stone Wall +\ \ Small\:\ 0.01=\ Small\: 0.01 +Jacaranda\ Stairs=Jacaranda Stairs +Failed\ to\ go\ to\ page\:\ %1$s=Failed to go to page\: %1$s +Liquid\ Xp=Liquid Xp +Holiday\ Drops=Holiday Drops +<--[HERE]=<--[Her] +(Hidden)=(Hide) +Stone\ Brick\ Stairs=The Stone-And-Brick-Short +Cleared\ any\ objectives\ in\ display\ slot\ %s=The aim of the network on the lock screen %s +Creating\ world...=The foundation of the world... +Recipe\ Screen\ Type\:=Recipe Screen Type\: +Light\ Blue\ Concrete\ Camo\ Trapdoor=Light Blue Concrete Camo Trapdoor +Hardcore\ Questing=Hardcore Questing +Autumn\ Oak\ Sapling=Autumn Oak Sapling +Quantum\ Tunneling=Quantum Tunneling +Slime\ attacks=Was of tears of attacks +Control=Control +Nothing\ changed.\ Collision\ rule\ is\ already\ that\ value=Nothing has changed since then. The rules in the front, as well as the values of the +Lava\ Polished\ Blackstone\ Brick\ Wall=Lava Polished Blackstone Brick Wall +For\ help\ with\ all\ available\ commands.=For help with all available commands. +(Hover\ for\ info)=(Hover for info) +Cherry\ Oak\ Stairs=Cherry Oak Stairs +Gray\ Gradient=Grey Gradient +Eating=No +Infinite\ Staff\ of\ Building=Infinite Staff of Building +Mossy\ Cobblestone\ Platform=Mossy Cobblestone Platform +Unable\ to\ open.\ Loot\ not\ generated\ yet.=It is not possible to enter. Prey, he was not created. +Fallback\ Pack\ Placeholder=Fallback Pack Placeholder +Salmon\ Spawn\ Egg=Salmon Spawn Egg +The\ depth\ from\ a\ given\ point\ on\ the\ surface\ at\ which\ type\ 1\ caves\ start\ to\ close\ off.=The depth from a given point on the surface at which type 1 caves start to close off. +Some\ servers\ put\ custom\ values\ in\ the\ world\ heightmaps,\ which\ can\ cause\ incorrectly\ rendered\ maps.\ Sometimes\ it\ can\ even\ happen\ in\ heavily\ modded\ singleplayer\ worlds.\ This\ option\ should\ fix\ such\ issues\ at\ the\ expense\ of\ a\ bit\ of\ performance.\ Do\ not\ use\ unless\ you\ need\ to.\ Reenter\ the\ world\ after\ toggling\ the\ option\!=Some servers put custom values in the world heightmaps, which can cause incorrectly rendered maps. Sometimes it can even happen in heavily modded singleplayer worlds. This option should fix such issues at the expense of a bit of performance. Do not use unless you need to. Reenter the world after toggling the option\! +Attached\ Melon\ Stem=Depending on the mother's melons +Certus\ Quartz\ Pillar\ Slabs=Certus Quartz Pillar Slabs +Orange\ Per\ Bend\ Inverted=The Orange Curve Upside Down +Pine\ Chair=Pine Chair +Red\ Sofa=Red Sofa +Sweeping\ Edge=The Beautiful Border +Total\ time=Total time +Lunum\ Sword=Lunum Sword +Process\ Time=Process Time +Security=Security +\nControls\ whether\ loot\ chests\ spawn\ or\ not\ in\ the\ Stronghold.=\nControls whether loot chests spawn or not in the Stronghold. +Torch=Lamp +Black\ Paint\ Ball=Black Paint Ball +Dark\ Amaranth\ Pressure\ Plate=Dark Amaranth Pressure Plate +Received\ changelog\:\ %1$s=Received changelog\: %1$s +Arrow\ of\ Swiftness=Arrow-Speed +Purple\ Stained\ Glass\ Pane=The Stained Glass +Asterite\ Leggings=Asterite Leggings +Pink\ Base=The Base Of Pink +Netherite\ Spear=Netherite Spear +Soul\ Sandstone\ Bricks=Soul Sandstone Bricks +Realms\ is\ a\ safe,\ simple\ way\ to\ enjoy\ an\ online\ Minecraft\ world\ with\ up\ to\ ten\ friends\ at\ a\ time.\ \ \ It\ supports\ loads\ of\ minigames\ and\ plenty\ of\ custom\ worlds\!\ Only\ the\ owner\ of\ the\ realm\ needs\ to\ pay.=The areas of security, easy way to enjoy online Minecraft world with ten friends simultaneously. It supports loads of mini-games, and much the order of the world. Only the owner of the domain to pay. +Forgive\ dead\ players=Please forgive me for the players dead +Birch\ Cross\ Timber\ Frame=Birch Cross Timber Frame +Block\ Light\ Show=Block Light Show +Potted\ Large\ Fern=Potted Large Fern +\u00A7cNo=\u00A7cNot +Small\ Red\ Sandstone\ Bricks=Small Red Sandstone Bricks +Distance\ by\ Minecart=Distance on the stroller +Monsters=Monsters +White\ Sage=White Sage +Use\ Default=Use Default +Black\ Terracotta\ Camo\ Door=Black Terracotta Camo Door +Structure\ Seed=Toxum Ev +Display\ Game\ Time=Display Game Time +Blockfish=Blockfish +Magenta\ Bundled\ Cable=Magenta Bundled Cable +Click\ the\ button\ below\ to\ create\ a\ new\ empty\ quest\ set.=Click the button below to create a new empty quest set. +Light\ Gray\ ME\ Dense\ Smart\ Cable=Light Gray ME Dense Smart Cable +Strawberry\ Donut=Strawberry Donut +Unknown\ block\ type\ '%s'=Unknown unit type"%s' +Jungle\ Sign=The Forest Of Symbols, +Small\ Pile\ of\ Iron\ Dust=Small Pile of Iron Dust +Weaponsmith's\ Eyepatch=Weaponsmith's Eyepatch +\u00A7lPinned=\u00A7lPinned +Custom\ Title\ Elements=Custom Title Elements +Crystal\ Diamond\ Furnace=Crystal Diamond Furnace +Enchant=Enchant +Could\ Not\ Find\ biome\:\ %s=Could Not Find biome\: %s +Villages\ Configs=Villages Configs +Velocity\ being\ constantly\ applied,=Velocity being constantly applied, +Your\ ticket\ to\ the\ final\ frontier.=Your ticket to the final frontier. +Dark\ Green=Dark Green +White\ Asphalt=White Asphalt +\nAdd\ Nether\ Basalt\ Temples\ to\ modded\ Nether\ Basalt\ biomes.=\nAdd Nether Basalt Temples to modded Nether Basalt biomes. +Saved\ recently=Saved recently +Fluix\ Lumen\ Paint\ Ball=Fluix Lumen Paint Ball +Farmer=Farmer +Light\ Blue\ Pale\ Dexter=Light Sina Bled Dexter +Galena\ Dust=Galena Dust +Light\ Blue\ Paint\ Ball=Light Blue Paint Ball +Failed\ to\ connect\ to\ the\ realm=The district is not able to connect to the +Green\ Enchanted\ Wall=Green Enchanted Wall +Missing\ selector\ type=Missing type selection +Steel\ Dust=Steel Dust +Light\ Gray\ Bend=Light Gray Bend +Cyan\ Thing=Blue Midagi +Keypad\ \==Teclat \= +Alpha\ Color\ Value=Alpha Color Value +Keypad\ 9=Keyboard 9 +Jungle\ Coffee\ Table=Jungle Coffee Table +Keypad\ 8=8 keyboard +Keypad\ 7=Tastatura 7 +Red\ Sandstone\ Bricks=Red Sandstone Bricks +Keypad\ 6=Keyboard 6 +Keypad\ 5=Tipkovnice, 5 +Strider=Strider +Keypad\ 4=The keyboard 4 is +Display\ Sort\ Button\ Tooltip=Display Sort Button Tooltip +Keypad\ 3=Keyboard 3 +Black\ Tent\ Top=Black Tent Top +Diamond\ Spear=Diamond Spear +Keypad\ 2=The keyboard 2 to the +Reset\ Defaults=Reset Defaults +Keypad\ 1=The keyboard is 1 +Enable\ default\ auto\ jump=Enable default auto jump +Keypad\ 0=Key 0 +Aspen\ Wood=Aspen Wood +Keypad\ /=Keyboard +Spruce\ Step=Spruce Step +The\ Lost\ Civilization=The Lost Civilization +Keypad\ -=Keyboard - +Red\ Stained\ Glass\ Pane=Red, Tinted Glass +Advanced\ Alloy\ Plate=Advanced Alloy Plate +Activator\ Rail=The Activator Rail +Enter\ a\ Ocean\ Mineshaft=Enter a Ocean Mineshaft +Smelt\ an\ iron\ ingot\ in\ a\ furnace\ to\ refine\ impurities\ out\ of\ it=Smelt an iron ingot in a furnace to refine impurities out of it +Radius\ of\ Blocks\ to\ Teleport\ Around\ Player=Radius of Blocks to Teleport Around Player +$(l)Tools$()$(br)Mining\ Level\:\ 5$(br)Base\ Durability\:\ 2015$(br)Mining\ Speed\:\ 10$(br)Attack\ Damage\:\ 5$(br)Enchantability\:\ 20$(p)$(l)Armor$()$(br)Durability\ Multiplier\:\ 22$(br)Total\ Defense\:\ 23$(br)Toughness\:\ 4$(br)Enchantability\:\ 20=$(l)Tools$()$(br)Mining Level\: 5$(br)Base Durability\: 2015$(br)Mining Speed\: 10$(br)Attack Damage\: 5$(br)Enchantability\: 20$(p)$(l)Armor$()$(br)Durability Multiplier\: 22$(br)Total Defense\: 23$(br)Toughness\: 4$(br)Enchantability\: 20 +Skipped\ chunks\:\ %s=You Have Missed Part Of It. %s +Light\ Blue\ Gradient=The Light Blue Gradientn\u00ED +Blue\ Ice=The Blue-Ice +Brighter\ than\ a\ wooden\ torch=Brighter than a wooden torch +Maple\ Log=Maple Log +Can\ be\ placed\ on\:=Install the open end\: +Jacaranda\ Log=Jacaranda Log +Red\ Rock\ Canyon=Red Rock Canyon +Fangs\ snap=Canines snap-in +Advanced\ Drill=Advanced Drill +Steps=Steps +Basic=Basic +Executed\ %s\ commands\ from\ %s\ functions=Fact %s the team %s funktioner +Traveller\ Ring=Traveller Ring +Orange\ Tent\ Top\ Flat=Orange Tent Top Flat +The\ exquisite\ materials\ that\ one\ channels\ for\ power.=The exquisite materials that one channels for power. +Redwood\ Log=Redwood Log +Too\ many\ lines=Too many lines +Skeleton\ Skull=Skeleton Skull +Decoration\ Blocks=Decorative Blocks +Insert\ New=With The Introduction Of A New +Do\ you\ want\ to\ add\ the\ following\ packs\ to\ Minecraft?=Do you want to add the following packs to Minecraft? +Place\ an\ implosion\ compressor\ down=Place an implosion compressor down +A\ stack\ of\ items\ cased\ in\ bread,\ which\ can\ be\ consumed\ all\ at\ once\ to\ restore\ as\ much\ hunger\ as\ the\ items\ inside\ restore\ combined.\ This\ specific\ one\ is\ unusually\ pathetic.=A stack of items cased in bread, which can be consumed all at once to restore as much hunger as the items inside restore combined. This specific one is unusually pathetic. +Clear\ Config/Settings=Clear Config/Settings +Requires\ specified\ amount=Requires specified amount +%1$s\ hit\ the\ ground\ too\ hard\ whilst\ trying\ to\ escape\ %2$s=%1$s it is very difficult to do when trying to save %2$s +MK2\ Machine\ Upgrade=MK2 Machine Upgrade +Fluix\ Dust=Fluix Dust +Shear=Shear +A\ vegetable\ food\ item\ that\ can\ be\ sliced\ into\ leaves.=A vegetable food item that can be sliced into leaves. +Light\ Blue\ Lumen\ Paint\ Ball=Light Blue Lumen Paint Ball +Slime\ Hammer=Slime Hammer +Basics=Basics +Diamond\ Helmet=The Diamond Helmet +Dolphin\ attacks=Dolphin \u00FAtoky +Clock=Watch +Oak\ Chest\ Boat=Oak Chest Boat +Parrot\ flaps=Parrot care +Iris=Iris +Potted\ Palm\ Sapling=Potted Palm Sapling +Silverfish\ Blocks\ Spawnrate=Silverfish Blocks Spawnrate +Yellow\ Per\ Fess\ Inverted=- Groc Inversa-Fess +Poisonous\ Potato=The Poisonous Potato +Green\ Asphalt\ Stairs=Green Asphalt Stairs +Rainbow\ Bricks=Rainbow Bricks +Black\ Flat\ Tent\ Top=Black Flat Tent Top +Grinds\ Your\ Gears=Grinds Your Gears +Picked\ Up=I took the +Click\ here\ for\ more\ info=Click here for more info +Soul\ Sandstone\ Brick\ Slab=Soul Sandstone Brick Slab +The\ radius\ required\ to\ trigger\ the\ location\ is\ hidden\ from\ the\ user.\ The\ location\ is\ however\ still\ visible,\ and\ therefore\ even\ the\ distance\ to\ it.=The radius required to trigger the location is hidden from the user. The location is however still visible, and therefore even the distance to it. +Bamboo\ Button=Bamboo Button +Mahogany\ Fence=Mahogany Fence +You\ have\ %s\ remaining=You have %s remaining +Gameplay=About the game +Jungle=Jungle +%1$s\ fell\ off\ some\ vines=%1$s fell on the vineyards +Lingering\ Potion\ of\ Swiftness=The Rest Of The Morning At The Rate Of +Blaze\ Lantern=Blaze Lantern +No\ value\ of=No value of +Toggle\ death\ message=Toggle death message +Lit\ Green\ Redstone\ Lamp=Lit Green Redstone Lamp +Couldn't\ revoke\ criterion\ '%s'\ of\ advancement\ %s\ from\ %s\ players\ as\ they\ don't\ have\ it=No one can come out of a person%spromotion %s on the %s the players, as I don't have to +Disable\ if\ this\ is\ a\ simple\ server\ with\ a\ single\ world\ (no\ lobbies,\ game\ mode\ worlds\ etc).\ Multiworld\ detection\ can\ only\ cause\ issues\ on\ such\ servers.\ Installing\ the\ mod\ on\ server\ side\ should\ prevent\ the\ issues\ though.=Disable if this is a simple server with a single world (no lobbies, game mode worlds etc). Multiworld detection can only cause issues on such servers. Installing the mod on server side should prevent the issues though. +Instant\ Damage=Consequential Damages +Mini\ Cactus=Mini Cactus +CraftPresence\ -\ Select\ a\ Dimension=CraftPresence - Select a Dimension +Brown\ Asphalt=Brown Asphalt +Rock\ Solid\ Hammer=Rock Solid Hammer +Spruce\ Cutting\ Board=Spruce Cutting Board +Black\ Elevator=Black Elevator +Wood\ Blewit\ Mushroom\ Block=Wood Blewit Mushroom Block +1k\ ME\ Fluid\ Storage\ Component=1k ME Fluid Storage Component +Jump=Hoppe +Lapis\ Lazuli=Lapis lazuli +Registry\ Name=Registry Name +Brown\ Concrete\ Camo\ Door=Brown Concrete Camo Door +Appearance\ Theme\:=Appearance Theme\: +Advanced\ Monitor=Advanced Monitor +Please\ use\ only\ positive\ numbers.=Please use only positive numbers. +Bundled\ Cable=Bundled Cable +Message\ to\ use\ for\ the\ &tileentity&\ general\ placeholder\ from\ Presence\ settings\\n\ Available\ placeholders\:\\n\ -\ &main&\ \=\ Current\ main\ hand\ item\\n\ -\ &offhand&\ \=\ Current\ offhand\ item\\n\ -\ &helmet&\ \=\ Currently\ equipped\ helmet\\n\ -\ &chest&\ \=\ Currently\ equipped\ chestpiece\\n\ -\ &legs&\ \=\ Currently\ equipped\ leggings\\n\ -\ &boots&\ \=\ Currently\ equipped\ boots=Message to use for the &tileentity& general placeholder from Presence settings\\n Available placeholders\:\\n - &main& \= Current main hand item\\n - &offhand& \= Current offhand item\\n - &helmet& \= Currently equipped helmet\\n - &chest& \= Currently equipped chestpiece\\n - &legs& \= Currently equipped leggings\\n - &boots& \= Currently equipped boots +White\ Per\ Pale=White, White, +Make\ Sub-world\ Auto=Make Sub-world Auto +Floppy\ Disk=Floppy Disk +Pine\ Shelf=Pine Shelf +Villagers\ restock\ up\ to\ two\ times\ per\ day.=Residents reconstruction twice a day. +Polished\ Diorite\ Glass=Polished Diorite Glass +Phantom\ screeches=The spirit cries out +Swaps\ the\ preview\ modes.\nIf\ true,\ pressing\ the\ preview\ key\ will\ show\ the\ full\ preview\ instead.=Swaps the preview modes.\nIf true, pressing the preview key will show the full preview instead. +Gunpowder\ Sack=Gunpowder Sack +Yes\:\ Items\ that\ cannot\ be\ extracted\ will\ be\ visible.=Yes\: Items that cannot be extracted will be visible. +Orange\ ME\ Glass\ Cable=Orange ME Glass Cable +Swimming=Swimming +60k\ Water\ Coolant\ Cell=60k Water Coolant Cell +Meteoric\ Steel\ Tiny\ Dust=Meteoric Steel Tiny Dust +Open\ Configs\ Folder=Open The Folder On Your Instagram +Giant\ Boulder\ Diamond\ Chance=Giant Boulder Diamond Chance +Light\ Blue\ Bordure\ Indented=Light Blue Bordure Indented +Withered\ Backpack=Withered Backpack +Value\ of\ attribute\ %s\ for\ entity\ %s\ is\ %s=Atribut vrednost %s on this subject %s it %s +Lodestone\ Compass=The Magnet In The Compass +Stellum\ Axe=Stellum Axe +Squid\ dies=Squid devient +\u00A7eUse\ to\ deactivate\u00A7r=\u00A7eUse to deactivate\u00A7r +%1$s\ tried\ to\ swim\ in\ lava=%1$s try to swim in lava +Blue\ Enchanted\ Pressure\ Plate=Blue Enchanted Pressure Plate +Jack\ o'Lantern=Selle Laterna Ja Jack O ' connell +Steel\ Wrench=Steel Wrench +Drawers=Drawers +Growth\:\ %s=Growth\: %s +Andesite\ Bricks=Andesite Bricks +Pickup\ All=Pickup All +Iron=Iron +What\ A\ Steel=What A Steel +\u00A7cNever=\u00A7cNever +playing\ in\ the\ future\ as\ OpenGL\ 3.2\ will\ be\ required\!=play it in the future if OpenGL 3.2 is required\!\!\! +Useful\ for\ Nether-like\ dimensions\ with\ no\ real\ "surface".=Useful for Nether-like dimensions with no real "surface". +Warped\ Fungus=Fuzzy +Potted\ Red\ Begonia=Potted Red Begonia +Home=Home +Raw\ Strawberry\ Donut=Raw Strawberry Donut +Red\ Lumen\ Paint\ Ball=Red Lumen Paint Ball +Lead\ Apple=Lead Apple +Evoker\ murmurs=Evoker Rutuliukai +Kill\:\ Purpur\ Guardian=Kill\: Purpur Guardian +Skeleton\ Wall\ Skull=The Skull Of The Skeleton On The Wall +Scrollbar\ Fade\:=Scrollbar Fade\: +Take\ me\ back=Bring me back to +Certus\ Quartz\ Wrench=Certus Quartz Wrench +Pink\ Chief\ Sinister\ Canton=Color, The Head Was On The Left +This\ server\ currently\ has\ Hardcore\ Questing\ Mode\ enabled\!=This server currently has Hardcore Questing Mode enabled\! +Potion\ of\ Fire\ Resistance=Potion Of Fire Resistance +Painting\ breaks=The image breaks +Enable\ Linker=Enable Linker +Cavern\ Spawn\ Chance=Cavern Spawn Chance +%s\ Enchantment\ Levels=%s Spell Level +Gray\ Shingles=Gray Shingles +Printed\ Book=Printed Book +Hold=Keep it up +Customized\ worlds\ are\ no\ longer\ supported=The world is no longer supported +Potted\ Blue\ Bellflower=Potted Blue Bellflower +White\ Lumen\ Paint\ Ball=White Lumen Paint Ball +Weaponsmith\ works=The author of the guns of the work, +Zinc\ Dust=Zinc Dust +Using\ Substitutions\:=Using Substitutions\: +The\ split\ character\ for\ the\ arrays\ in\ CraftPresence's\ messages\ configs=The split character for the arrays in CraftPresence's messages configs +Module\ Enabled\:=Module Enabled\: +Winter\ Cyclamen=Winter Cyclamen +Pathfinding\ Distance=Pathfinding Distance +Adorn+EP\:\ Kitchen\ Counters=Adorn+EP\: Kitchen Counters +Green\ Lawn\ Chair=Green Lawn Chair +Slime\ Sling=Slime Sling +Buried\ Treasure\ Map=Buried Treasure Map +Vex\ dies=Vex d\u00F8 +Focus\ Search\ Field\:=Focus Search Field\: +Allows\ to\ increase\ or\ decrease\ zoom\ by\ scrolling.=Allows to increase or decrease zoom by scrolling. Lime\ Bend\ Sinister=Lime Bend Sinister -Yellow\ Garnet\ Dust=Yellow With Pomegranate Powder -Heart\ of\ the\ Machine=The heart of the machine -= \ No newline at end of file +Ring\ of\ Slow\ Falling=Ring of Slow Falling +Ender\ Dust=Ender Dust +Primitive\ Rocket\ Fuel\ Tank=Primitive Rocket Fuel Tank +Black\ Insulated\ Wire=Black Insulated Wire +That\ position\ is\ not\ loaded=This entry was posted +Primitive\ Liquid\ Generator=Primitive Liquid Generator +Mahogany\ Wood=Mahogany Wood +Blackened\ Marshmallow\ on\ a\ Stick=Blackened Marshmallow on a Stick +Dragon\ flaps=Dragon year +Lime\ Per\ Bend=The Cement Of The Corner +Use\ "@e"\ to\ target\ all\ entities=Use "@E" for all partitions +Witch\ drinks=These drinks +Undying\ Cost=Undying Cost +Lantern=Flashlight +\u00A77\u00A7o"TODO"\u00A7r=\u00A77\u00A7o"TODO"\u00A7r +Message\ to\ use\ for\ the\ &pack&\ placeholder\ in\ Presence\ settings\\n\ (If\ a\ Curse,\ Twitch,\ Technic,\ MCUpdater,\ or\ MultiMC\ Pack\ is\ detected)\\n\ Available\ placeholders\:\\n\ -\ &name&\ \=\ The\ pack's\ name=Message to use for the &pack& placeholder in Presence settings\\n (If a Curse, Twitch, Technic, MCUpdater, or MultiMC Pack is detected)\\n Available placeholders\:\\n - &name& \= The pack's name +Orange\ Spruce\ Sapling=Orange Spruce Sapling +%s,\ %s,\ %s\ has\ the\ following\ block\ data\:\ %s=%s, %s, %s you have nasleduj\u00FAce block put\: %s +Seed\ (Optional)=Semen Analysis (If Necessary) +Zigzagged\ Stone\ Bricks=Zigzagged Stone Bricks +and\ caverns\ would\ be\ carved\ out\ in\ a\ regular\ world.=and caverns would be carved out in a regular world. +Silver\ Shovel=Silver Shovel +Polished\ Blackstone\ Brick\ Wall=Polished Blackstone Wall +Black\ Concrete\ Glass=Black Concrete Glass +Green\ Table\ Lamp=Green Table Lamp +Green\ Enchanted\ Sapling=Green Enchanted Sapling +%s\ has\ no\ tags=%s I don't have the tags +Outdated\ client\!\ Please\ use\ %s=The date for the client\! Please do not use it %s +Cyan\ Patterned\ Wool=Cyan Patterned Wool +Swamp\ Village\ Spawnrate=Swamp Village Spawnrate +Purpur\ Block\ Glass=Purpur Block Glass +Husk\ Spawn\ Egg=Oysters Spawn Egg +'%s'\ is\ not\ a\ structure='%s' is not a structure +Sleeping\ Bag=Sleeping Bag +Loot\ Table=Loot Table +Sterling\ Silver\ Hoe=Sterling Silver Hoe +Smelter=Smelter +This\ entity\ is\ protected\ by\ a\ claim\!=This entity is protected by a claim\! +Teleport=Teleport +Create\ Group=Create Group +Prismarine\ chimneys\ make\ bubbles\ underwater.\ Like\ other\ chimneys,\ you\ can\ stack\ them\ on\ top\ of\ each\ other.\ Some\ prismarine\ chimneys\ can\ also\ create\ bubble\ columns.=Prismarine chimneys make bubbles underwater. Like other chimneys, you can stack them on top of each other. Some prismarine chimneys can also create bubble columns. +%1$s\ drowned\ whilst\ trying\ to\ escape\ %2$s=%1$s as a result of drowning when trying to save %2$s +If\ this\ is\ enabled,\ the\ Whitelisted\ Dimension\ IDs\ option\ is\ ignored.=If this is enabled, the Whitelisted Dimension IDs option is ignored. +Sort=Sort +New\ Super\ Circuit\ Maker\ U\ Deluxe=New Super Circuit Maker U Deluxe +Players\ with\ gamemode=Players gamemode +Hide\ the\ tooltip\ while\ the\ debug\ menu\ is\ open=Hide the tooltip while the debug menu is open +Blue\ Enchanted\ Bookshelf=Blue Enchanted Bookshelf +Use\ InGame\ Editor=Use InGame Editor +Green\ Asphalt\ Slab=Green Asphalt Slab +Primitive\ Electric\ Smelter=Primitive Electric Smelter +Sheep\ Spawn\ Egg=Get The Spawn Eggs +Triggered\ %s\ (added\ %s\ to\ value)=Active %s (add %s the price of every single one of them) +Light\ Blue\ Mushroom\ Block=Light Blue Mushroom Block +Maximum\ energy\ stored=Maximum energy stored +Bronze\ Mining\ Tool=Bronze Mining Tool +Warped\ Fungus\ on\ a\ Stick=Strain Mushrooms Busy +Back\ to\ Page\ 1=Back to Page 1 +destroy\ blocks\ instantly=destroy the blocks at the moment +Yellow\ Per\ Fess=Yellow Per Fess +Brown\ Shield=The Brown Dial +Sodium=Sodium +CraftPresence\ -\ Edit\ Server\ (%1$s)=CraftPresence - Edit Server (%1$s) +rep\ tiers=rep tiers +Yellow\ Glazed\ Terracotta=A Yellow-Glazed, Pan-Fried +Unknown\ effect\:\ %s=I Do Not Know The Effect Of\: %s +Galaxium\ Dust=Galaxium Dust +Get\ a\ Empty\ Upgrade=Get a Empty Upgrade +%1$s\ was\ squashed\ by\ a\ falling\ anvil\ whilst\ fighting\ %2$s=%1$s he was squeezed into a smaller table, in order to fight against the %2$s +No\ Entries=No Entries +Advanced\ Vertical\ Conveyor=Advanced Vertical Conveyor +Hoe\ Speed=Hoe Speed +Crimson\ Hyphae=Worldwide Still +Y\ Range=Y Range +Gold\ Paxel\ Damage=Gold Paxel Damage +Potted\ Orange\ Tulip=Potted Tulip Orange +Pink\ Pale\ Sinister=The Bled Ros\u00E9 And Slocombe +Warped\ Cross\ Timber\ Frame=Warped Cross Timber Frame +Panda\ huffs=Posar huff amb l' +White\ Glazed\ Terracotta\ Glass=White Glazed Terracotta Glass +Autumn\ Birch\ Leaves=Autumn Birch Leaves +Blue\ ME\ Covered\ Cable=Blue ME Covered Cable +Silicon=Silicon +Nickel\ Plate=Nickel Plate +Bluestone\ Pillar=Bluestone Pillar +Brown\ Field\ Masoned=Brown Field, So You +Select\ a\ team\ to\ teleport\ to=The team is on the way in, is to be preferred +Guardian\ dies=Standard die +Purple\ Table\ Lamp=Purple Table Lamp +\u00A77\u00A7owith\ some\ fuel."\u00A7r=\u00A77\u00A7owith some fuel."\u00A7r +Your\ guide\ to\ the\ stars\!=Your guide to the stars\! +Render\ Chestplate\ Shield=Render Chestplate Shield +Brown\ Per\ Bend=Brown Flac +Chinese\ Traditional=Chinese Traditional +Sheep=Sheep +Nether\ Quartz\ Axe=Nether Quartz Axe +Lime\ Glazed\ Terracotta\ Camo\ Door=Lime Glazed Terracotta Camo Door +This\ item\ has\ been\ blacklisted\ from\ storage\!=This item has been blacklisted from storage\! +Green\ Terracotta\ Ghost\ Block=Green Terracotta Ghost Block +Stripped\ Pine\ Log=Stripped Pine Log +Front=Front +Unknown\ team\ '%s'=Unknown team%s' +Cyan\ Lawn\ Chair=Cyan Lawn Chair +Glitch\ Helmet=Glitch Helmet +\u00A75Obsidian=\u00A75Obsidian +Cherry\ Wall=Cherry Wall +Villager\ Like=Villager Like +Squid\ hurts=Squid it hurts +Prismarine\ Step=Prismarine Step +Compass\ Over\ Waypoints=Compass Over Waypoints +Integer\ must\ not\ be\ more\ than\ %s,\ found\ %s=The letter should not be more than %s find %s +Silver\ is\ very\ useful\ for\ basic\ electronics\ and\ tools.\ When\ combined\ with\ $(item)$(l\:resources/copper)Copper$()\ in\ an\ $(item)$(l\:machinery/alloy_smelter)Alloy\ Smelter$(),\ it\ can\ make\ $(item)$(l\:resources/electrum)Electrum$().\ When\ combined\ with\ $(item)$(l\:resources/copper)Copper$()\ in\ an\ $(item)$(l\:machinery/alloy_smelter)Alloy\ Smelter$(),\ it\ can\ make\ $(item)$(l\:resources/sterling_silver)Sterling\ Silver$().=Silver is very useful for basic electronics and tools. When combined with $(item)$(l\:resources/copper)Copper$() in an $(item)$(l\:machinery/alloy_smelter)Alloy Smelter$(), it can make $(item)$(l\:resources/electrum)Electrum$(). When combined with $(item)$(l\:resources/copper)Copper$() in an $(item)$(l\:machinery/alloy_smelter)Alloy Smelter$(), it can make $(item)$(l\:resources/sterling_silver)Sterling Silver$(). +Fir\ Wood=Fir Wood +Dark\ Ashes=Dark Ashes +%1$s\ on\ a\ Wooden\ Chest\ to\ convert\ it\ to\ an\ Iron\ Chest.=%1$s on a Wooden Chest to convert it to an Iron Chest. +Whitelisted\ Dimensions=Whitelisted Dimensions +Moon\ Stone=Moon Stone +Small\ Image\ Text\ Format=Small Image Text Format +Cyan\ Glazed\ Terracotta\ Pillar=Cyan Glazed Terracotta Pillar +Construct\ and\ place\ a\ Beacon=The fabrication and installation of a light on the hill +Snowy\ Coniferous\ Forest=Snowy Coniferous Forest +Machine\ upgrades=Machine upgrades +Dungeon\ Count=In The Dungeon Of The Count +Cika\ Mountains=Cika Mountains +Potted\ Purple\ Mushroom=Potted Purple Mushroom +Charred\ Cross\ Timber\ Frame=Charred Cross Timber Frame +Minecraft\ Demo\ Mode=Den Demo-Version Af Minecraft +%1$s\ was\ shot\ by\ a\ %2$s's\ skull=%1$s he was killed by and %2$sthe back of his head, +Smooth\ Bluestone\ Slab=Smooth Bluestone Slab +Sour=Sour +Yellow\ Bundled\ Cable=Yellow Bundled Cable +Pink\ Lumen\ Paint\ Ball=Pink Lumen Paint Ball +Gave\ %s\ %s\ to\ %s\ players=The dose %s %s for %s the players +Dark\ Amaranth\ Stem=Dark Amaranth Stem +Cyan\ Table\ Lamp=Cyan Table Lamp +Restoring\ your\ realm=The restoration of your world +Tricks\ Piglins\ into\ thinking\ you\ are\ wearing\ gold.=Tricks Piglins into thinking you are wearing gold. +Craft\ a\ chair.=Craft a chair. +3x\ Compressed\ Dirt=3x Compressed Dirt +Charred\ Wooden\ Button=Charred Wooden Button +Purple\ Asphalt\ Stairs=Purple Asphalt Stairs +Toasted\ Bread\ Slice=Toasted Bread Slice +Selected\ a\ group\ and\ then\ click\ on\ a\ tier\ to\ set\ the\ group's\ tier.=Selected a group and then click on a tier to set the group's tier. +Dark\ Amaranth\ Fence\ Gate=Dark Amaranth Fence Gate +Enable=Enable +Spawnrates=Spawnrates +Warped\ Planks=Deformation Av Disk +Galaxium\ Mining\ Tool=Galaxium Mining Tool +A\ machine\ which\ consumes\ $(thing)energy$()\ to\ smelt\ $(thing)items$()\ into\ useful\ materials.=A machine which consumes $(thing)energy$() to smelt $(thing)items$() into useful materials. +The\ user\ becomes\ immune\ to\ Levitation,\ Slow\ Falling=The user becomes immune to Levitation, Slow Falling +Restart\ Required=You Need To Again +Baby\ animals\ eat\ from\ Feeding\ Trough=Baby animals eat from Feeding Trough +Redstone\ Module=Redstone Module +Coal\ Dust=Coal Dust +Farmer\ works=Farmer at work +Show\ All=Show All +Next\ Page\:=Next Page\: +\u00A77\u00A7oa\ slimeball\ and\ a\ diamond?"\u00A7r=\u00A77\u00A7oa slimeball and a diamond?"\u00A7r +6x\ Compressed\ Sand=6x Compressed Sand +Pink\ Globe=Part Of The Rose Of The World +Fire=Foc +Obsidian\ Plate=Obsidian Plate +Magma\ Brick\ Wall=Magma Brick Wall +Not\ a\ valid\ value\!\ (Red)=It is not a valid value. (Red) +Custom\ bossbar\ %s\ is\ currently\ hidden=Custom bossb\u00F3l %s at the moment, hidden in the +Jungle\ Trapdoor=Jungle-The Hatch +Iron\ Excavator=Iron Excavator +Tall\ Light\ Blue\ Nikko\ Hydrangea=Tall Light Blue Nikko Hydrangea +Pink\ Concrete\ Glass=Pink Concrete Glass +Rabbit\ Spawn\ Egg=Rabbit Spawn Egg +Sythian\ Nylium=Sythian Nylium +Light\ Gray\ Elytra\ Wing=Light Gray Elytra Wing +Brown\ Per\ Bend\ Sinister=Brown On The Fold Of The Sinister +\u00A76\u00A7o(Deactivates\ on\ landing)\u00A7r=\u00A76\u00A7o(Deactivates on landing)\u00A7r +Cherry\ Log=Cherry Log +Skyris\ Fence\ Gate=Skyris Fence Gate +A\ stack\ of\ items\ cased\ in\ bread,\ which\ can\ be\ consumed\ all\ at\ once\ to\ restore\ as\ much\ hunger\ as\ the\ items\ inside\ restore\ combined.\ This\ specific\ one\ contains\ an\ item\ that\ is\ not\ a\ food\ item.=A stack of items cased in bread, which can be consumed all at once to restore as much hunger as the items inside restore combined. This specific one contains an item that is not a food item. +Alpine\ Bellflower=Alpine Bellflower +Quartz\ Bricks\ Camo\ Door=Quartz Bricks Camo Door +Grants\ Luck\ Effect=Grants Luck Effect +Yellow\ Redstone\ Lamp=Yellow Redstone Lamp +Smooth\ Multiplier=Smooth Multiplier +Turn\ on\ the\ listed\ computers.\ You\ can\ specify\ the\ computer's\ instance\ id\ (e.g.\ 123),\ computer\ id\ (e.g\ \#123)\ or\ label\ (e.g.\ "@My\ Computer").=Turn on the listed computers. You can specify the computer's instance id (e.g. 123), computer id (e.g \#123) or label (e.g. "@My Computer"). +Martian\ Stone\ Wall=Martian Stone Wall +Rainbow\ Eucalyptus\ Chair=Rainbow Eucalyptus Chair +Mangrove\ Bookshelf=Mangrove Bookshelf +On-screen\ notifications\ for\ various\ things\ such\ as\ low\ hunger,\ low\ HP,\ danger\ of\ explosion,\ being\ shot\ by\ (an)\ arrow(s).=On-screen notifications for various things such as low hunger, low HP, danger of explosion, being shot by (an) arrow(s). +Determines\ how\ frequently\ Type\ 2\ Caves\ spawn.\ 0\ \=\ will\ not\ spawn\ at\ all.=Determines how frequently Type 2 Caves spawn. 0 \= will not spawn at all. +Orange\ Birch\ Sapling=Orange Birch Sapling +Evergreen\ Hills=Evergreen Hills +Elite\ Downward\ Vertical\ Conveyor=Elite Downward Vertical Conveyor +Operator=Services +Warped\ Shipwreck\ Spawnrate=Warped Shipwreck Spawnrate +Elite\ Conveyor=Elite Conveyor +Yellow\ Spruce\ Sapling=Yellow Spruce Sapling +%s\ starved\ to\ death\ in\ a\ land\ of\ plenty=%s starved to death in a land of plenty +Error\ Communicating\ with\ Network.=Error Communicating with Network. +Palm\ Wood\ Slab=Palm Wood Slab +Factors=Factors +Moving\ Piston=The Movement Of The Piston +Tropical\ Fish\ Crate=Tropical Fish Crate +Show\ Elapsed\ Time=Show Elapsed Time +Invalid\ boolean,\ expected\ 'true'\ or\ 'false'\ but\ found\ '%s'=Nepareiza bula, paredzams, ka "true" vai "false", bet neatradu"%s' +Blue\ Base=Base Color Azul +Cancel\ your\ changes\ by\ clicking\ the\ "Cancel"\ button.=Cancel your changes by clicking the "Cancel" button. +more\ with\ %s=more with %s +Volcanic\ Rock\ Platform=Volcanic Rock Platform +Rabbit\ Stew=Ragout Rabbit +Impulse=To make this +Customize\ messages\ to\ display\ with\ dimensions\\n\ (Manual\ format\:\ dimension_name;message)\\n\ Available\ placeholders\:\\n\ -\ &dimension&\ \=\ Dimension\ name\\n\ -\ &id&\ \=\ Dimension\ ID\\n\ -\ &icon&\ \=\ Default\ dimension\ icon=Customize messages to display with dimensions\\n (Manual format\: dimension_name;message)\\n Available placeholders\:\\n - &dimension& \= Dimension name\\n - &id& \= Dimension ID\\n - &icon& \= Default dimension icon +Light\ Gray\ Chief=A Light Gray Color, And High +An\ alloy\ of\ $(item)Iron$()\ and\ $(thing)Carbon$(),\ Steel\ is\ incredibly\ strong\ for\ a\ metal\ of\ terrestrial\ origin.=An alloy of $(item)Iron$() and $(thing)Carbon$(), Steel is incredibly strong for a metal of terrestrial origin. +Chunk\ at\ %s\ in\ %s\ is\ marked\ for\ force\ loading=Running %s on %s it is estimated that the supply of electric power to the load +Purchase\ Now\!=Buy Now\! +Firework\ Rocket=Rocket Fireworks +Detector\ Rail=The Sensor Of The Tracks +Tooltip\ Sorting\ Mode\:=Tooltip Sorting Mode\: +Height\ Stretch=Stretch Magass\u00E1g +Data\ Model=Data Model +Settings\ used\ in\ the\ generation\ of\ caverns.=Settings used in the generation of caverns. +Incinerator=Incinerator +Warped\ Outpost\ Spawnrate=Warped Outpost Spawnrate +Stone\ Igloo\ Spawnrate=Stone Igloo Spawnrate +Deep\ Ocean=Deep Ocean +White\ Oak\ Trapdoor=White Oak Trapdoor +Fade\ In\:=Fade In\: +Crafting\ Table=In The Table Below The Development Of The +Parrot\ moans=A game of groans +If\ you\ leave\ this\ realm\ you\ won't\ see\ it\ unless\ you\ are\ invited\ again=If you leave this field you will not see, if you don't ask for it back +rep\ bar=rep bar +Subscribe=Sign up +Dark\ Illuminated\ Panel=Dark Illuminated Panel +One-by-one=One-by-one +Crop\ planted=The crops to be planted +Bread=The bread +Parent\ count=Parent count +Red\ Base\ Dexter\ Canton=Red Base Dexter Guangzhou +Gui\ Messages=Gui Messages +Experience\ Orb=Experience In The Field +Errors\ in\ currently\ selected\ datapacks\ prevented\ the\ world\ from\ loading.\nYou\ can\ either\ try\ to\ load\ it\ with\ only\ the\ vanilla\ data\ pack\ ("safe\ mode"),\ or\ go\ back\ to\ the\ title\ screen\ and\ fix\ it\ manually.=Errors in currently selected datapacks prevented the world from loading.\nYou can either try to load it with only the vanilla data pack ("safe mode"), or go back to the title screen and fix it manually. +BIOMES=BIOMES +Space\ Suit\ Pants=Space Suit Pants +Blue\ Bundled\ Cable=Blue Bundled Cable +Asteroid\ Redstone\ Cluster=Asteroid Redstone Cluster +Charred\ Nether\ Pillar=Charred Nether Pillar +\u00A77\u00A7o"The\ Firework\ Rocket\ Killer."\u00A7r=\u00A77\u00A7o"The Firework Rocket Killer."\u00A7r +Local=Local +Debug\ Information=Debug Information +Honeycomb\ Brick\ Wall=Honeycomb Brick Wall +Failed\ to\ link\ cats;\ cannot\ recursively\ link\ them\!=Failed to link cats; cannot recursively link them\! +Scoria\ Stone\ Slab=Scoria Stone Slab +Opening\ the\ realm...=Research... +Quartz\ Grindstone=Quartz Grindstone +A\ Mine\ that\ is\ Coarse\ and\ Rough...=A Mine that is Coarse and Rough... +Right\ Sleeve=The Right Sleeve +Minigames=Mini-games +Hemlock\ Step=Hemlock Step +Security\ Term=Security Term +Pristine\ Exchange\ Rate=Pristine Exchange Rate +Polished\ Granite\ Glass=Polished Granite Glass +Copper\ Hammer=Copper Hammer +TNT\ fizzes=TNT sist +ME\ Storage\ Monitor=ME Storage Monitor +Create\ Filtering\ Rule=Create Filtering Rule +%s\ slider=%s cursor +Magenta\ Glazed\ Terracotta\ Pillar=Magenta Glazed Terracotta Pillar +Reload\ failed,\ keeping\ old\ data=Once he was lost, and the old in the database +Water\ Bottle=A Bottle Of Water +Light\ Gray\ Mushroom=Light Gray Mushroom +Blue\ Concrete\ Camo\ Trapdoor=Blue Concrete Camo Trapdoor +Potion\ of\ Leaping=It's Hard To Work On Faces The Risk Of Gout In +Attack\ Damage=The damage +Reset\ the\ quest\ progress\ for\ the\ entire\ party.=Reset the quest progress for the entire party. +Powered\ Rail=Drive Chain +Scrapboxes\ can\ be\ opened\ by\ a\ simple\ use\ in\ hand\!=Scrapboxes can be opened by a simple use in hand\! +Requires\ reloading\ the\ world\ to\ take\ effect\!\ Lower\ =Requires reloading the world to take effect\! Lower +Ignore=Ignore +Kovan\ Flower=Kovan Flower +Electrum\ Leggings=Electrum Leggings +Warped\ Cutting\ Board=Warped Cutting Board +Mangrove\ Slab=Mangrove Slab +Old\ Man\ Atom=Old Man Atom +Green\ Elevator=Green Elevator +Stripped\ Pine\ Wood=Stripped Pine Wood +Custom\ bossbar\ %s\ no\ longer\ has\ any\ players=Customs bossbar %s anymore players +Vacuum=Vacuum +Orange\ side\ means\ output.=Orange side means output. +Minigame\:=The game\: +Cooked\ Mutton=Lamb Cooked With +Black\ Concrete\ Camo\ Trapdoor=Black Concrete Camo Trapdoor +Better\ Sprint=Better Sprint +Potted\ Autumn\ Birch\ Sapling=Potted Autumn Birch Sapling +To\ add\ support\ for\ this\ icon,\ please\ request\ for\ this\ icon\ to\ be\ added\ to\ the\ default\ client\ ID\ or\ add\ the\ icon\ under\ the\ following\ name\:\ "%1$s".=To add support for this icon, please request for this icon to be added to the default client ID or add the icon under the following name\: "%1$s". +Use\ tag\ grouping=Use tag grouping +Brazil\ Wing=Brazil Wing +Open\ Stack\ Full\ Preview=Open Stack Full Preview +Rubber\ Pressure\ Plate=Rubber Pressure Plate +Love\ Block\ \u00A74<3=Love Block \u00A74<3 +Use\ VBOs=Use VBO'S +Subtractor=Subtractor +Pink\ Shingles=Pink Shingles +Villager\ cheers=Resident health +Triggered\ %s\ (set\ value\ to\ %s)=Odgovor %s (in order to determine whether the %s) +Potted\ Fern=Potted Fern +Integer\ must\ not\ be\ less\ than\ %s,\ found\ %s=An integer should not be less than %s this %s +Press\ %1$s\ to\ dismount=Pres %1$s in order to remove the +Standard\ Search\ Keep=Standard Search Keep +Light\ Gray\ Per\ Pale=The Gray Light From The Light +Argument\ expected=Argument expected +Joshua\ Sapling=Joshua Sapling +World\ backups=World copy +Show\ Dimension=Show Dimension +Lime\ Wool=Up Uld +Lime\ Thing=Lime, Then +Splitter=Splitter +Prismarine\ Brick\ Post=Prismarine Brick Post +Potted\ Tall\ Magenta\ Begonia=Potted Tall Magenta Begonia +HTTP\ download=HTTP download +Invalid\ unit=Incorrect block +Leaf\ Pile=Leaf Pile +Magenta\ Shingles\ Stairs=Magenta Shingles Stairs +Purpur\ Pillar\ Camo\ Door=Purpur Pillar Camo Door +Power\ I/O=Power I/O +Count\:\ %s=Count\: %s +Current\ Version\ ->\ %1$s\ (Schema\ v%2$s)=Current Version -> %1$s (Schema v%2$s) +Netherite\ Plates=Netherite Plates +Disable\ elytra\ movement\ check=If you want to disable \u043D\u0430\u0434\u043A\u0440\u044B\u043B\u044C\u044F air traffic control +Dark\ Oak\ Barrel=Dark Oak Barrel +Nothing\ changed.\ The\ specified\ properties\ already\ have\ these\ values=Something has changed. These features already these values +Property\:\ %1$s=Property\: %1$s +(Space)\ Stone\ Age=(Space) Stone Age +Enchanting\ Table\ used=A magical Table used +Use\ stocked\ items,\ or\ craft\ items\ while\ exporting.=Use stocked items, or craft items while exporting. +Quartz\ Fragment=Quartz Fragment +Accessibility\ Settings=Accessibility Settings +Item\ takes\ damage\ every\ ticks.=Item takes damage every ticks. +Certus\ Quartz\ Pillar\ Stairs=Certus Quartz Pillar Stairs +Orange\ Beveled\ Glass=Orange Beveled Glass +Bright=Use +Cherry\ Planks=Cherry Planks +Light\ Blue\ Shingles=Light Blue Shingles +Aluminium\ Plate=Aluminium Plate +Zoglin\ steps=Zoglin web +Stripped\ Blue\ Enchanted\ Log=Stripped Blue Enchanted Log +Showing\ smeltable=Mostra smeltable +Nether\ Basalt\ Temple\ Spawnrate=Nether Basalt Temple Spawnrate +You\ logged\ in\ from\ another\ location=You can connect to other local +Intermediate\ tier\ energy\ storage=Intermediate tier energy storage +Hot\ Topic\ 2\:\ Electric\ Boogaloo=Hot Topic 2\: Electric Boogaloo +Decrease\ Zoom=Decrease Zoom +Greenwing\ Macaw\ Wing=Greenwing Macaw Wing +Singularity\ Impending=Singularity Impending +Value\:\ %1$s=Value\: %1$s +Reset\ Demo\ World=Reset Demo World +Diorite\ Slab=Government +Grind\ ores\ and\ other\ materials\ into\ dusts=Grind ores and other materials into dusts +Green\ Stained\ Glass=Yesil Vitrais +Green\ Stained\ Pipe=Green Stained Pipe +Set\ the\ world\ border\ warning\ time\ to\ %s\ seconds=Put the world on the edge of the warning can be %s seconds +Donkey\ hurts=Pain at the bottom of the +Deciduous\ Forest\ Hills=Deciduous Forest Hills +Spread\ Height=Reproduction, Growth, +Redwood\ Slab=Redwood Slab +Palm\ Wood\ Stairs=Palm Wood Stairs +Black\ Beveled\ Glass=Black Beveled Glass +Expected\ integer=It is expected that the number of +Advancements=Progress +Enchanted\ books\ in\ seperate\ tab=Enchanted books in seperate tab +tiers=tiers +Astromine=Astromine +Custom\ Scaling=Custom Scaling +Flowering\ Enchanted\ Grove=Flowering Enchanted Grove +\u00A77\u00A7o"Looks\ real\ enough\ to\ me.\u00A7r=\u00A77\u00A7o"Looks real enough to me.\u00A7r +Gray\ Snout=Grey Muzzle +Ender\ Block=Ender Block +Distance\ Walked=The Distance To Go +Ring\ of\ Experience=Ring of Experience +Applied\ Energistics\ 2\ -\ Facades=Applied Energistics 2 - Facades +Upper=Upper +Light\ Blue\ Terracotta\ Camo\ Trapdoor=Light Blue Terracotta Camo Trapdoor +Burnt\ Food=Burnt Food +Craft\ a\ Crystal\ Growth\ Accelerator=Craft a Crystal Growth Accelerator +Light\ Gray\ Glider=Light Gray Glider +Must\ be\ greater\ than\ zero=Must be greater than zero +Depth\ Noise\ Exponent=The Depth Of The Noise Is From The Us +Yellow\ Concrete\ Glass=Yellow Concrete Glass +Tall\ Cyan\ Calla\ Lily=Tall Cyan Calla Lily +\u00A77\u00A7oMust...\ not...\ eat..."\u00A7r=\u00A77\u00A7oMust... not... eat..."\u00A7r +Choose\ an\ Interface=Choose an Interface +Display\ distance\ even\ when\ the\ waypoint\ is\ very\ close.\ This\ does\ not\ override\ the\ "Distance\ To\ WP"\ option.=Display distance even when the waypoint is very close. This does not override the "Distance To WP" option. +Entities\ of\ type=Organizations that +Unexpected\ token=Unexpected token +Types=Types +Allow\ Snooper=Let Snooper +Gas\ Turbine=Gas Turbine +\nAdd\ the\ ID/resource\ location\ of\ the\ biome\ you\ don't\ want\ RS's\ dungeons\ to\ spawn\ in.\ Separate\ each\ ID\ with\ a\ comma\ ,\ Example\:\ "minecraft\:ice_spikes,awesome_mod\:awesome_biome"=\nAdd the ID/resource location of the biome you don't want RS's dungeons to spawn in. Separate each ID with a comma , Example\: "minecraft\:ice_spikes,awesome_mod\:awesome_biome" +Couldn't\ grant\ criterion\ '%s'\ of\ advancement\ %s\ to\ %s\ players\ as\ they\ already\ have\ it=You can grant'%spromotion %s the %s players who have already +Comparator=Comparator +Rainbow\ Eucalyptus\ door=Rainbow Eucalyptus door +Diamond\ Leggings=Diamantini Leggins +Mining\ Drill\ MK1=Mining Drill MK1 +Jungle\ Kitchen\ Sink=Jungle Kitchen Sink +Mining\ Drill\ MK2=Mining Drill MK2 +Piglin\ Spawn\ Egg=Piglin, Add The Eggs +UNUSED=UNUSED +Hemlock\ Coffee\ Table=Hemlock Coffee Table +Holly\ Crafting\ Table=Holly Crafting Table +Golden\ Paxel=Golden Paxel +Refined\ Iron\ Nugget=Refined Iron Nugget +Gears=Gears +Cyan\ Gradient=Blue Gradient +(&health&)=(&health&) +Dense\ Pipe=Dense Pipe +\u00A77\u00A7o"Looks\ like\ the\ tables\ have\ turned."\u00A7r=\u00A77\u00A7o"Looks like the tables have turned."\u00A7r +Stone\ Mattock=Stone Mattock +Purple\ Per\ Bend=The Cats In The Corral +Light\ Blue\ Per\ Pale\ Inverted=Blue, Pale, Has Become A +Green\ Elytra\ Wing=Green Elytra Wing +Command\ Suggestions=The Team Has The Available +White\ Per\ Fess=Fess Hvid +Suit\ Up=Make Sure That The +before\ intersecting\ with\ a\ cave\ system\ of\ another\ type.=before intersecting with a cave system of another type. +Maximum\ render\ distance\ for\ local\ waypoints.\ Global\ waypoints\ are\ not\ affected.=Maximum render distance for local waypoints. Global waypoints are not affected. +Teal\ Nether\ Brick\ Slab=Teal Nether Brick Slab +Set\ the\ weather\ to\ rain\ &\ thunder=To set the time-out in the rain and thunder +One\ Small\ Step\ For\ Man...=One Small Step For Man... +There\ are\ %s\ of\ a\ max\ of\ %s\ players\ online\:\ %s=It %s Number %s the players in the online mode\: %s +Birch\ Sign=The Birch Tree Is A Symbol Of The +Fool's\ Gold\ is\ often\ used\ for\ coins.=Fool's Gold is often used for coins. +Mining\ Drill\ MK3=Mining Drill MK3 +Mining\ Drill\ MK4=Mining Drill MK4 +Knowledge\ Book=The Book Of Knowledge +Entity\ Attacking\ Messages=Entity Attacking Messages +%s\ Color=%s Color +Asteroid\ Lapis\ Ore=Asteroid Lapis Ore +%1$s\ was\ skewered\ by\ %2$s=%1$s was skewered by %2$s +Sea\ Pickle=Krastavec Great +Sun\ Light\ Show=Sun Light Show +Cocoa\ Beans\ Sack=Cocoa Beans Sack +Crimson\ Fungus=Crimson Gljiva +Sharpness=Me +Preparing\ your\ world=Get ready for the world +Primary\ Modifier\ Key=Primary Modifier Key +Credits=Credits +Command=Command +A\ task\ where\ the\ player\ has\ to\ craft\ specific\ items.=A task where the player has to craft specific items. +How\ Did\ We\ Get\ Here?=How Did We Get Here? +Invalid\ swizzle,\ expected\ combination\ of\ 'x',\ 'y'\ and\ 'z'=Void presents, it is assumed that the mixture of "x", " y " and "z" +Bamboo\ Jungle=Bamboo Is A Kind Of +Dark\ Oak\ Table=Dark Oak Table +Use\ custom\ grouping=Use custom grouping +Potion\ of\ Resistance=Potion of Resistance +Solid\ Generating=Solid Generating +Max\ mined\ blocks=Max mined blocks +Fluix\ Slabs=Fluix Slabs +Other\ Teams=Other Teams +Insert\ Only=Insert Only +Conditional=Shareware +Birch\ Pressure\ Plate=Birch Drive +All\ the\ waypoints\ will\ be\ deleted\ from\ the\ set.=All the waypoints will be deleted from the set. +Mining=Mining +Key\ bindings\:=A combination of both. +Mahogany\ Button=Mahogany Button +Found\ Technic\ pack\ data\!\ (Name\:\ "%1$s"\ -\ Icon\:\ "%2$s")=Found Technic pack data\! (Name\: "%1$s" - Icon\: "%2$s") +Yellow\ Per\ Pale=Light Yellow +Chunk\ at\ %s\ in\ %s\ is\ not\ marked\ for\ force\ loading=Work %s in the %s this means that they have been labelled in the past +Peripheral\ "%s"\ connected\ to\ network=Peripheral "%s" connected to network +Zombie\ Spawn\ Egg=Zombie Mizel Egg +$.3fK\ WU=$.3fK WU +Invalid\ or\ unknown\ entity\ type\ '%s'=Invalid or unknown item type '%s' +Volcanic\ Rock\ Step=Volcanic Rock Step +Triggerfish=Triggerfish +Cooked\ Rabbit=Stew The Rabbit +Orange\ Saltire=Orange SS. Flagge Andrews +Refill\ with\ same\ item\ (no\ nbt)=Refill with same item (no nbt) +%1$s\ on\ an\ Iron\ Chest\ to\ convert\ it\ to\ a\ Gold\ Chest.=%1$s on an Iron Chest to convert it to a Gold Chest. +Cycle\ Tertiary\ Modifier\ Key=Cycle Tertiary Modifier Key +\u00A77Sprint\ Modifier\:\ \u00A7a%s=\u00A77Sprint Modifier\: \u00A7a%s +Martian\ Stone\ Stairs=Martian Stone Stairs +Cherry\ Oak\ Slab=Cherry Oak Slab +Light\ Gray\ Tent\ Side=Light Gray Tent Side +Cancel=The cancellation of +Saving\ the\ game\ (this\ may\ take\ a\ moment\!)=To save the game (this can take some time\!) +Craft\ a\ matter\ fabricator=Craft a matter fabricator +Bluestone\ Stairs=Bluestone Stairs +Bane\ of\ Arthropods=Arachnid nightmare +Upload=Download +Fir\ Kitchen\ Counter=Fir Kitchen Counter +Thatch=Thatch +Turtle\ Egg\ stomped=Cherries and eggs, to make them in +Cypress\ Planks=Cypress Planks +Missing\ the\ Revolutionary\ Guide\!=Missing the Revolutionary Guide\! +Fir\ Fence\ Gate=Fir Fence Gate +Refined\ Iron\ Stairs=Refined Iron Stairs +Iron\ Sledgehammer=Iron Sledgehammer +Interactions\ with\ Campfire=The interaction with the camp-fire +DETECT=At OPDAGE +Holly\ Berries=Holly Berries +\u00A77\u00A7o"Fuel\ for\ empty\ boosters."\u00A7r=\u00A77\u00A7o"Fuel for empty boosters."\u00A7r +Skyris\ Crafting\ Table=Skyris Crafting Table +Bubble\ Coral=The Bubble Coral +Dirt\ Ghost\ Block=Dirt Ghost Block +Instructions/Help=Instructions/Help +Elite\ Electric\ Smelter=Elite Electric Smelter +Ripe\ Orchard\ Leaves=Ripe Orchard Leaves +\nAdd\ the\ ID/resource\ location\ of\ the\ biome\ you\ don't\ want\ RS's\ mineshafts\ to\ spawn\ in.\ Separate\ each\ ID\ with\ a\ comma\ ,\ Example\:\ "minecraft\:ice_spikes,awesome_mod\:awesome_biome"=\nAdd the ID/resource location of the biome you don't want RS's mineshafts to spawn in. Separate each ID with a comma , Example\: "minecraft\:ice_spikes,awesome_mod\:awesome_biome" +Metite\ Excavator=Metite Excavator +Mossy\ Red\ Rock\ Brick\ Stairs=Mossy Red Rock Brick Stairs +Spruce\ Glass\ Door=Spruce Glass Door +Increases\ the\ machine's\ internal\ buffer=Increases the machine's internal buffer +Portal\ whooshes=The portal call +Stellum\ Mining\ Tool=Stellum Mining Tool +Warped\ Hyphae=Warped Gifs +White\ Stone\ Bricks=White Stone Bricks +Kanthal\ Heating\ Coil=Kanthal Heating Coil +Blackstone\ Basin=Blackstone Basin +Right\ Side=Right Side +Recharges\ your\ armor\ and\ held\ item\ when\ under\ sunlight.=Recharges your armor and held item when under sunlight. +Smithing\ Table=On The Adulteration Of The Table +Logging\ in...=The session... +Lit\ White\ Redstone\ Lamp=Lit White Redstone Lamp +\u00A77\u00A7o"I\ need\ to\ get\ out\ of\ here\ NOW."\u00A7r=\u00A77\u00A7o"I need to get out of here NOW."\u00A7r +Add/Edit=Add/Edit +Felling=Felling +You\ must\ be\ on\ a\ team\ to\ message\ your\ team=You must be a team team message +Starvation=Starvation +months=months +Spawning=Friction +End\:\ Rebellion=End\: Rebellion +General\ message\ formatting\ arguments\:\\n*\ Placeholders\ configurable\ in\ status\ messages\ and\ other\ areas\\n*\ Some\ placeholders\ are\ empty\ unless\ they\ are\ assigned\\n\\n\ -\ &MAINMENU&\ \=\ The\ main\ menu\ message,\ while\ in\ the\ main\ menu\\n\ -\ &MCVERSION&\ \=\ The\ Minecraft\ version\ label\\n\ -\ &BRAND&\ \=\ The\ Minecraft\ branding\ label\\n\ -\ &IGN&\ \=\ The\ non-world\ player\ info\ message\\n\ -\ &MODS&\ \=\ The\ message\ displaying\ your\ mod\ count\\n\ -\ &PACK&\ \=\ The\ pack's\ message,\ if\ using\ a\ pack\\n\ -\ &DIMENSION&\ \=\ The\ current\ dimension\ message\\n\ -\ &BIOME&\ \=\ The\ current\ biome\ message\\n\ -\ &SERVER&\ \=\ The\ current\ server\ message\\n\ -\ &SCREEN&\ \=\ The\ current\ Gui\ Screen\ message\\n\ -\ &TILEENTITY&\ \=\ The\ current\ TileEntity\ (block/item/armor)\ message\\n\ -\ &TARGETENTITY&\ \=\ The\ current\ targeted\ entity\ message\\n\ -\ &ATTACKINGENTITY&\ \=\ The\ current\ attacking\ entity\ message\\n\ -\ &RIDINGENTITY&\ \=\ The\ current\ riding\ entity\ message=General message formatting arguments\:\\n* Placeholders configurable in status messages and other areas\\n* Some placeholders are empty unless they are assigned\\n\\n - &MAINMENU& \= The main menu message, while in the main menu\\n - &MCVERSION& \= The Minecraft version label\\n - &BRAND& \= The Minecraft branding label\\n - &IGN& \= The non-world player info message\\n - &MODS& \= The message displaying your mod count\\n - &PACK& \= The pack's message, if using a pack\\n - &DIMENSION& \= The current dimension message\\n - &BIOME& \= The current biome message\\n - &SERVER& \= The current server message\\n - &SCREEN& \= The current Gui Screen message\\n - &TILEENTITY& \= The current TileEntity (block/item/armor) message\\n - &TARGETENTITY& \= The current targeted entity message\\n - &ATTACKINGENTITY& \= The current attacking entity message\\n - &RIDINGENTITY& \= The current riding entity message +A\ machine\ which\ produces\ $(thing)energy$()\ infinitely.=A machine which produces $(thing)energy$() infinitely. +%s\ Platform=%s Platform +%s%%\ Fermented=%s%% Fermented +Red\ Maple\ Leaves=Red Maple Leaves +Oak\ Fence=Under Denna Period, Jan Runda +The\ world\ border\ is\ currently\ %s\ blocks\ wide=On the edge of Svetla %s block for a wide range +F3\ +\ H\ \=\ Advanced\ tooltips=F3 + h \= (powee of sugestii +Cleared=Cleared +Stripped\ Maple\ Log=Stripped Maple Log +Magma\ Cream=The Cream Of The Food +Not\ heated\ up=Not heated up +Target\ name\:=Name ime\: +Uvarovite\ Dust=Uvarovite Dust +Set\ spawn\ point\ to\ %s,\ %s,\ %s\ in\ %s\ for\ %s=Part of the game %s, %s, %s in %s for %s +Book\ Opens=Book Opens +Pendorite\ Horse\ Armor=Pendorite Horse Armor +**Press\ ENTER\ to\ Refresh\ Values**=**Press ENTER to Refresh Values** +for\ more\ info=for more info +Bee\ hurts=Bol have utrobe +Potion\ of\ Weakness=Drink Weakness +Maximum\ input\ (LF/tick)=Maximum input (LF/tick) +Determines\ whether\ the\ in-game\ editor\ or\ the\ system's\ default\ text\ editor\ will\ be\ used\ to\ edit\ notes.=Determines whether the in-game editor or the system's default text editor will be used to edit notes. +Please\ make\ a\ selection=Please make your selection +Reach=Reach +Hardcore=Hardcore +Dead\ Bush=Dead In The Bush +Generate\ Nikolite=Generate Nikolite +Example\ Category\ A=An Example Of A Category +Insulated\ Copper\ Cable=Insulated Copper Cable +Example\ Category\ B=For Example, In Category B +Gold\ to\ Obsidian\ upgrade=Gold to Obsidian upgrade +Plugins\ are\ reloading\!=Plugins are reloading\! +%1$s\ was\ shot\ by\ %2$s=%1$s it was a hit %2$s +%1$s\ fell\ out\ of\ the\ world=%1$s the fallen peace of mind +Networking\ Cable=Networking Cable +Unsorted=Unsorted +Transformer\ Upgrade=Transformer Upgrade +A\ bomb\ capable\ of\ devastating\ destruction,\ terminating\ all\ life-forms\ in\ the\ process.=A bomb capable of devastating destruction, terminating all life-forms in the process. +Decoration\ block=Decoration block +Light\ Gray\ Elevator=Light Gray Elevator +Nickel\ Stairs=Nickel Stairs +Use\ coolers\ to\ never\ loose\ efficiency=Use coolers to never loose efficiency +Mason\ works=Mason works for +Spruce\ Planks\ Ghost\ Block=Spruce Planks Ghost Block +Acacia\ Log=The Acacia Journal +Grants\ Jump\ Boost\ Effect=Grants Jump Boost Effect +Lever\ State=Lever State +Wooden\ Paxel=Wooden Paxel +Pink\ Concrete\ Powder=The Rose In The Concrete, The Dust +Light\ Blue\ Glazed\ Terracotta\ Ghost\ Block=Light Blue Glazed Terracotta Ghost Block +Blue\ Enchanted\ Stairs=Blue Enchanted Stairs +CraftPresence\ -\ Available\ Items=CraftPresence - Available Items +Lunum\ Excavator=Lunum Excavator +Green\ Lozenge=Green Diamond +Distance\ by\ Boat=Distance boat +Generation\:\ =Generation\: +Rocket\ Fuel\ Bottle=Rocket Fuel Bottle +Magenta\ Wool=Red Wave +Successfully\ copied\ mods=He successfully copied on the spot +Return\ items\ on\ the\ crafting\ grid\ to\ network\ storage.=Return items on the crafting grid to network storage. +Data\ Amount\ to\:\ Basic=Data Amount to\: Basic +Magenta\ Concrete=The Black On The Concrete +Light\ Blue\ Bend\ Sinister=Niebieski Bend Sinister +Chat\ Animation\:=Chat Animation\: +White\ Wool=Vovna +Close=Near +Illusioners\ and\ Vindicators\ in\ Roofed\ Forests=Illusioners and Vindicators in Roofed Forests +This\ argument\ accepts\ a\ single\ NBT\ value=Acest argument are o valoare NBT +Llama\ Chest\ equips=Flame in the chest equip +Cake=Cake +Birch\ Kitchen\ Sink=Birch Kitchen Sink +Create\ Backup\ and\ Load=\u041A\u0440\u0435\u0438. The Backup and Upload it +Tag\ Fuzzy\ detection=Tag Fuzzy detection +How\ large\ is\ your\ monitor\ even?=How large is your monitor even? +Tropical\ Fish\ hurts=Tropical Fish +Would\ you\ like\ to\ delete\ all\ waypoints\ data\ for\ the\ selected\ sub-world?=Would you like to delete all waypoints data for the selected sub-world? +Red\ Sandstone\ Slab=The Kitchen-The Red Sands. +Solid\ Infuser\ MK4=Solid Infuser MK4 +Solid\ Infuser\ MK3=Solid Infuser MK3 +Requires\ all\ %s\ [[quest||quests]]\ to\ be\ completed.=Requires all %s [[quest||quests]] to be completed. +Progress=Progress +Black\ Bed=Kravet Crna +A\ campfire-cooked\ version\ of\ the\ Chopped\ Beetroot,\ which\ restores\ more\ hunger\ and\ can\ also\ be\ eaten\ quickly.=A campfire-cooked version of the Chopped Beetroot, which restores more hunger and can also be eaten quickly. +Solid\ Infuser\ MK2=Solid Infuser MK2 +Sleep\ through\ the\ night\ in\ a\ Sleeping\ Bag=Sleep through the night in a Sleeping Bag +Solid\ Infuser\ MK1=Solid Infuser MK1 +The\ Hammer\ Above\ All=The Hammer Above All +Light\ Blue\ Bend=The Light Blue Curve +Biome\ Blend=Mix Of Species Of Plants, Animals +Badlands\ Village\ Spawnrate=Badlands Village Spawnrate +Number\ of\ items=Number of items +Download\ latest=Download the latest +\nOcean\ dungeon\ note\:\ Vanilla\ Dungeons\ will\ still\ generate\ in\ ocean\ biomes.=\nOcean dungeon note\: Vanilla Dungeons will still generate in ocean biomes. +%sx\ Cucumber=%sx Cucumber +Auto\ Pickup=Auto Pickup +Default\ Key=Default Key +Blank\ Data\ Model=Blank Data Model +Tiny\ Lily\ Pads=Tiny Lily Pads +Pink\ Snout=Nose Pink +Allow\ substitutions\ of\ input\ components.=Allow substitutions of input components. +Baobab\ Crafting\ Table=Baobab Crafting Table +Name=The name +Want\ to\ get\ your\ own\ realm?=You want to make your own Kingdom? +Press\ %s\ to\ change\ usetype=Press %s to change usetype +CraftPresence\ -\ Available\ Guis=CraftPresence - Available Guis +A\ team\ already\ exists\ by\ that\ name=The team is there with this name +Marshmallow=Marshmallow +Pink\ Per\ Fess\ Inverted=Park Fess, Is In The Process Of Healing +Stellum\ Mattock=Stellum Mattock +Arrow\ fired=The arrow was fired +Sub-World/Dimension=Sub-World/Dimension +Chrome\ Stairs=Chrome Stairs +Default\ Server\ Message=Default Server Message +Hitboxes\:\ hidden=Hitboxes\: peidetud +Allium=Garlic +Tropical\ Fungal\ Rainforest=Tropical Fungal Rainforest +Common=Common +AE2\ In\ World\ Crafting=AE2 In World Crafting +Gives\ you\ Speed\ effect\ at\ cost\ of\ energy.=Gives you Speed effect at cost of energy. +Upper\ Limit\ Scale=On Gornata Border On Psagot +\u00A77\u00A7o"billyK_\ owns\ this\ cape.\ We\ owe\ him\ for\ the\ turtles."\u00A7r=\u00A77\u00A7o"billyK_ owns this cape. We owe him for the turtles."\u00A7r +\nAdd\ Nether\ Pyramids\ to\ modded\ Nether\ biomes.=\nAdd Nether Pyramids to modded Nether biomes. +Deal\ fall\ damage=Val claims +Galaxium\ Excavator=Galaxium Excavator +Toggle\ All\ WP\ Sets\ Render=Toggle All WP Sets Render +Fox\ Ears=Fox Ears +Switch\ Weather=Switch Weather +\nHow\ rare\ are\ Jungle\ Fortresses.\ 1\ for\ spawning\ in\ most\ chunks\ and\ 1001\ for\ none.=\nHow rare are Jungle Fortresses. 1 for spawning in most chunks and 1001 for none. +Hides\ the\ zoom\ overlay\ while\ the\ HUD's\ hidden.=Hides the zoom overlay while the HUD's hidden. +Grants\ Creative\ Flight=Grants Creative Flight +Univite\ Gear=Univite Gear +Andesite\ Step=Andesite Step +Spread\ %s\ teams\ around\ %s,\ %s\ with\ an\ average\ distance\ of\ %s\ blocks\ apart=Distribution %s commands for all %s, %s the average distance from the %s in addition to the blocks +Yellow\ Asphalt\ Stairs=Yellow Asphalt Stairs +Splash\ Potion\ of\ Night\ Vision=Splash Potion Night Vision +Quartz\ Pillar=Quartz Samba +Brown\ Insulated\ Wire=Brown Insulated Wire +Brown\ Stained\ Pipe=Brown Stained Pipe +Lunum\ Plates=Lunum Plates +Spawn\ phantoms=Spawn duhova +Slow\ Falling=Slowly Falling +Items-Battery=Items-Battery +Cinnabar\ Ore=Cinnabar Ore +Not\ currently\ tracking\ computers=Not currently tracking computers +Cape=Cape +Parrot\ snorts=Midnatt snorts +Alpine\ Foothills=Alpine Foothills +8x\ Compressed\ Netherrack=8x Compressed Netherrack +Enable\ Crates=Enable Crates +Magenta\ Asphalt\ Slab=Magenta Asphalt Slab +Gravelly\ Mountains=La Monta\u00F1a Gravelly +Loading\ "%1$s"\ as\ a\ DLL...=Loading "%1$s" as a DLL... +Gray\ ME\ Smart\ Cable=Gray ME Smart Cable +White\ Sandstone=White Sandstone +64k\ ME\ Fluid\ Storage\ Component=64k ME Fluid Storage Component +Make\ a\ sofa\ from\ wool\ and\ sticks.=Make a sofa from wool and sticks. +Version\:=Version\: +Obtain\ Galaxium=Obtain Galaxium +Rotten\ heart=Rotten heart +Copy\ of\ a\ copy=Copy +\n%\ of\ fortress\ is\ Silverfish\ Blocks.\ Note\:\ Mossy\ Stone\ Bricks\ block\ cannot\ be\ infested.\ 0\ for\ no\ Silverfish\ Blocks\ and\ 100\ for\ max\ spawnrate.=\n% of fortress is Silverfish Blocks. Note\: Mossy Stone Bricks block cannot be infested. 0 for no Silverfish Blocks and 100 for max spawnrate. +Item=Item +4k\ ME\ Fluid\ Storage\ Cell=4k ME Fluid Storage Cell +\nReplaces\ Mineshafts\ in\ Ocean\ biomes.\ How\ often\ Mineshafts\ will\ spawn.=\nReplaces Mineshafts in Ocean biomes. How often Mineshafts will spawn. +Chunk\ borders\:\ hidden=Protege the border, skrivena camera +Lead\ Dust=Lead Dust +Lime\ Per\ Fess\ Inverted=Reverse Fess Lime +Red\ Rock\ Wall=Red Rock Wall +%1$s\ was\ blown\ up\ by\ %2$s=%1$s it exploded %2$s +Kitchen\ Knife=Kitchen Knife +Fire\ Extinguisher\ opens=Fire Extinguisher opens +Printed\ Silicon=Printed Silicon +Render\ Tooltips=Render Tooltips +Normal\ user=A normal user +Reverse\ Ethereal\ Glass=Reverse Ethereal Glass +Authentication\ servers\ are\ down.\ Please\ try\ again\ later,\ sorry\!=On the servers, and then to the bottom. Please try again later, I'm so sorry\! +Iron\ Jetpacks=Iron Jetpacks +Green\ Enchanted\ Leaves=Green Enchanted Leaves +Will\ display\ the\ location\ of\ the\ target\ to\ the\ player\ and\ therefore\ the\ distance\ to\ it\ as\ well.\ The\ maximum\ distance\ the\ player\ can\ be\ from\ the\ target\ (the\ radius)\ is\ also\ displayed.=Will display the location of the target to the player and therefore the distance to it as well. The maximum distance the player can be from the target (the radius) is also displayed. +Fluid\ Extractor=Fluid Extractor +This\ will\ overwrite\ your\ current=This newly write the existing +Pig\ oinks=Pig oinks +Collect\:\ Endorium\ Block=Collect\: Endorium Block +Spawn\ animals=Spawn de animales +Flowering\ Ancient\ Forest=Flowering Ancient Forest +Dark\ Oak\ Step=Dark Oak Step +Yellow\ Glazed\ Terracotta\ Pillar=Yellow Glazed Terracotta Pillar +Water\ Region\ Spawn\ Chance=Water Region Spawn Chance +Brown\ Bordure\ Indented=Coffee, A Bordure Of The Shelter +Electric\ Furnace=Electric Furnace +Wooden\ Hopper=Wooden Hopper +A\ metal\ with\ high\ electrical\ conductivity\ and\ a\ distinct\ white,\ lustrous\ texture.=A metal with high electrical conductivity and a distinct white, lustrous texture. +Husk\ converts\ to\ Zombie=Shell turn you into a zombie +F3\ +\ Esc\ \=\ Pause\ without\ pause\ menu\ (if\ pausing\ is\ possible)=F3 + Esc \= Pause without Pause menu, (in the case where the exposure is not possible) +Type\ 2\ Cave\:\ Cobblestone=Type 2 Cave\: Cobblestone +Soapstone\ Tile\ Wall=Soapstone Tile Wall +Use\ "@s"\ to\ target\ the\ executing\ entity=Use "@C the real purpose of the organization +Available\ Keys=Available Keys +Brown\ Lumen\ Paint\ Ball=Brown Lumen Paint Ball +Parrot\ hurts=A parrot is sick +Allows\ you\ to\ skip\ the\ night\ when\ you\ sleep\ on\ a\ sofa.=Allows you to skip the night when you sleep on a sofa. +Iron\ Golem\ attacks=The iron Golem attacks +Tungsten\ Sword=Tungsten Sword +Lapotron\ Crystal=Lapotron Crystal +Nitrocoal\ Fuel=Nitrocoal Fuel +Illusioner\ hurts=Search of the truth is hurt +A\ bossbar\ already\ exists\ with\ the\ ID\ '%s'=In bossbar ID already exists '%s' +Titanium\ Ingot=Titanium Ingot +Rainbow\ Eucalyptus\ Kitchen\ Counter=Rainbow Eucalyptus Kitchen Counter +Almandine\ Dust=Almandine Dust +Certus\ Quartz\ Axe=Certus Quartz Axe +Bluestone\ Bricks=Bluestone Bricks +Andesite\ Basin=Andesite Basin +Block\ of\ Lead=Block of Lead +\u00A79Data\:\u00A7r\ %s/%s=\u00A79Data\:\u00A7r %s/%s +Potted\ Tall\ Purple\ Foxglove=Potted Tall Purple Foxglove +When\ equipped\ on\ a\ wolf\:=When equipped on a wolf\: +Min\ Y\ height\ of\ Mineshaft.=Min Y height of Mineshaft. +Netherite\ Pickaxe=Netherit Photos +Light\ Blue\ Banner=The Bright Blue Banner +Error\ loading\ server\ world\ map\ properties.\ Please\ retry.=Error loading server world map properties. Please retry. +No\ Effects=Not The Effect +Ruby\ Boots=Ruby Boots +Electrum\ Wire=Electrum Wire +Ring\ of\ Regeneration=Ring of Regeneration +Use\ Vanilla\ Stronghold=Use Vanilla Stronghold +Light\ Blue\ Lawn\ Chair=Light Blue Lawn Chair +End\ Tungsten\ Ore=End Tungsten Ore +Craft\ a\ grinder.\ Maybe\ try\ throwing\ ore\ in\ it?=Craft a grinder. Maybe try throwing ore in it? +Favorite=Favorite +High\ to\ Medium\ energy\ tier=High to Medium energy tier +Sterling\ Silver\ Sword=Sterling Silver Sword +Tool\ Material=Tool Material +Acacia\ Pressure\ Plate=Bagrem Pp +Can\ be\ upgraded\ with\ powered\ lamps\nCheck\ multiblock\ hologram\ for\ details=Can be upgraded with powered lamps\nCheck multiblock hologram for details +Nether\ Bricks\ Camo\ Door=Nether Bricks Camo Door +Magenta\ Bordure\ Indented=The Purple On The Lid Of The Indentation. +End\ minigame=At the end of the game +Aglet=Aglet +Sapphire\ Axe=Sapphire Axe +Overworld\ Mobs=Overworld Mobs +Emerald\ Tiny\ Dust=Emerald Tiny Dust +Precise\ detection=Precise detection +Cika\ Wall=Cika Wall +%1$s\ went\ up\ in\ flames=%1$s the man took it +Parrot\ dies=Papagal die +White\ Cherry\ Oak\ Leaves=White Cherry Oak Leaves +\nAdd\ Nether\ Soul\ Temple\ to\ modded\ Nether\ Soul\ Sand\ Valley\ biomes.=\nAdd Nether Soul Temple to modded Nether Soul Sand Valley biomes. +groups=groups +Purpur\ Block\ Camo\ Door=Purpur Block Camo Door +Warped\ Timber\ Frame=Warped Timber Frame +Bluestone\ Lines=Bluestone Lines +Rose\ Gold\ Hammer=Rose Gold Hammer +locations=locations +Nether\ Quartz\ Wrench=Nether Quartz Wrench +Attack/Destroy=To Attack And Destroy +Light\ Blue\ Globe=Blue World +Mossy\ Cobblestone\ Stairs=Their Mossy Cobble Stone, Stairs +Looting=Robbery +Orchard\ Leaves=Orchard Leaves +Astromine\:\ Foundations=Astromine\: Foundations +Height\ Scale=The Number And Height +Helmet=Helmet +Scoria\ Stairs=Scoria Stairs +Cauldrons\ Filled=Pots +Butcher=Butcher +Fir\ Chair=Fir Chair +Black\ Feather=Black Feather +Jungle\ Wood=Jungle, Treet +Nether\ Brick\ Slab=The Void, Brick, Table +Pumpkin\ Pastures=Pumpkin Pastures +Tilling=Tilling +Craft\ a\ Network\ Tool=Craft a Network Tool +Set\ %s\ experience\ levels\ on\ %s\ players=Set %s level of experience %s players +You\ need\ to\ be\ in-game\ to\ use\ edit\ mode\!=You need to be in-game to use edit mode\! +Soul\ Speed=The Speed Of The Soul +Bamboo\ Wall=Bamboo Wall +Galaxium\ can\ be\ used\ to\ create\ extremely\ resistant\ tooling\ and\ exquisite\ technology.=Galaxium can be used to create extremely resistant tooling and exquisite technology. +Dark\ Oak\ Glass\ Door=Dark Oak Glass Door +A\ fragment\ of\ a\ long\ dead\ star,\ this\ red\ gem\ may\ look\ frail\ to\ an\ untrained\ observer\ -\ one\ who\ does\ not\ know\ its\ significant\ strengths.\ $(p)Its\ properties\ allow\ for\ qualified\ craftsmen\ to\ create\ powerful\ tooling.=A fragment of a long dead star, this red gem may look frail to an untrained observer - one who does not know its significant strengths. $(p)Its properties allow for qualified craftsmen to create powerful tooling. +Crate=Crate +Ruby\ Chestplate=Ruby Chestplate +Steel\ Ingot=Steel Ingot +Spatial\ IO\ Port=Spatial IO Port +\nReplaces\ boulders\ in\ Giant\ Tree/Spruce\ Taiga\ Hills\ biomes\ with\ giant\ boulders\ that\ can\ contain\ Coal,\ Iron,\ and\ extremely\ rarely,\ Diamond\ Ores.=\nReplaces boulders in Giant Tree/Spruce Taiga Hills biomes with giant boulders that can contain Coal, Iron, and extremely rarely, Diamond Ores. +Damage\ Factor=Damage Factor +Allows\ passage\ while\ sneaking=Allows passage while sneaking +Yellow\ Shingles\ Stairs=Yellow Shingles Stairs +\u00A77\u00A7o"Good\ for\ really\ long\ flights."\u00A7r=\u00A77\u00A7o"Good for really long flights."\u00A7r +Light\ Gray\ Shingles\ Stairs=Light Gray Shingles Stairs +\u00A7eUse\ to\ activate\u00A7r=\u00A7eUse to activate\u00A7r +Redwood\ Leaves=Redwood Leaves +Electrum\ Mattock=Electrum Mattock +Rocky\ Stone\ Wall=Rocky Stone Wall +Invar\ Nugget=Invar Nugget +Diamond\ Grinding\ Head=Diamond Grinding Head +Diesel\ Generator=Diesel Generator +Customize\ messages\ to\ display\ with\ servers\\n\ (Manual\ format\:\ server_IP;message;icon)\\n\ Available\ placeholders\:\\n\ -\ &ip&\ \=\ Server\ IP\\n\ -\ &name&\ \=\ Server\ name\\n\ -\ &motd&\ \=\ Server\ MOTD\\n\ -\ &icon&\ \=\ Default\ server\ icon\\n\ -\ &players&\ \=\ Server\ player\ counter\\n\ -\ &playerinfo&\ \=\ Your\ in-world\ player\ info\ message\\n\ -\ &worldinfo&\ \=\ Your\ in-world\ game\ info=Customize messages to display with servers\\n (Manual format\: server_IP;message;icon)\\n Available placeholders\:\\n - &ip& \= Server IP\\n - &name& \= Server name\\n - &motd& \= Server MOTD\\n - &icon& \= Default server icon\\n - &players& \= Server player counter\\n - &playerinfo& \= Your in-world player info message\\n - &worldinfo& \= Your in-world game info +Save\ As\:\ {save-name}=Save As\: {save-name} +days=days +Meteoric\ Steel\ Leggings=Meteoric Steel Leggings +Sweet\ Berry\ Jam\ Bottle=Sweet Berry Jam Bottle +Mossy\ Cobblestone=Herbal Rocks +Open\ Notes\ Menu=Open Notes Menu +This\ bed\ is\ obstructed=The bed is the clogging of the blood +Toggle\ Engine=Toggle Engine +Toggle\ auto\ jump=Toggle auto jump +Cowboy\ Hat=Cowboy Hat +Painting\ placed=The picture on the site +Lever\ clicks=Press down on the handle +Crossbow\ charges\ up=The crossbow is loaded +Light\ Blue\ Asphalt\ Slab=Light Blue Asphalt Slab +Console\ Command=The Console Command +Yellow\ Elytra\ Wing=Yellow Elytra Wing +Wheat\ Crops=Wheat Crops +Generation\ ratio\ (LF/tick)=Generation ratio (LF/tick) +Turtle=Costenaro +Jungle\ Hills=In The Jungle, And The Mountains +Paper\ Door=Paper Door +2x\ Compressed\ Sand=2x Compressed Sand +7x\ Compressed\ Dirt=7x Compressed Dirt +Config\ Button\ Position\:=Config Button Position\: +Fir\ Crafting\ Table=Fir Crafting Table +Cyan\ Bundled\ Cable=Cyan Bundled Cable +ManualUI=ManualUI +Ocelot=Ocelot +Swamp\ Dungeons=Swamp Dungeons +Craft\ some\ Plates=Craft some Plates +Drowned=Drowning +Magenta\ Paint\ Ball=Magenta Paint Ball +White\ Glazed\ Terracotta\ Ghost\ Block=White Glazed Terracotta Ghost Block +Bottom=Bottom +Lime\ Concrete=Limestone, Concrete +Light\ Gray\ Asphalt\ Slab=Light Gray Asphalt Slab +Univite\ Says\ Gay\ Rights=Univite Says Gay Rights +Showing\ %s\ mod\ and\ %s\ libraries=Example %s am %s the library +Enable\ Flooded\ Underground=Enable Flooded Underground +Aspen\ door=Aspen door +Sakura\ Drawer=Sakura Drawer +Black\ Glazed\ Terracotta\ Ghost\ Block=Black Glazed Terracotta Ghost Block +Prismarine\ Stairs=Prismarine Ladder +Better\ PVP\ Settings=Better PVP Settings +Super\ Critical=Super Critical +Websocket\ incoming=Websocket incoming +Sandstone\ Slab=Displays Faianta +Nitrogendioxide=Nitrogendioxide +Added\ %s\ to\ %s\ for\ %s\ (now\ %s)=Published %s in %s for %s (currently %s) +Cika\ Planks=Cika Planks +Crack\ oil\ into\ its\ various\ components=Crack oil into its various components +Block\ of\ Netherite=Netherite Blokke +Data\ pack\ validation\ failed\!=Packet inspection data-not working\! +Orange\ Shield=The Orange Shield +Fool's\ Gold\ Sword=Fool's Gold Sword +Tattered=Partenza +Set\ to\ -1\ to\ disable\ an\ effect=Set to -1 to disable an effect +Bluff\ Mountains=Bluff Mountains +Switch\ Waypoint\ Set=Switch Waypoint Set +Andesite\ Platform=Andesite Platform +Click\ on\ the\ item\ task\ type\ you\ want\ to\ change\ to.=Click on the item task type you want to change to. +Strider\ eats=On the contrary, there are +and\ %s\ more...=a %s for more details on... +Shulker\ Boxes\ Cleaned=Shulk Printer, The Clipboard, Cleaning Products, +Wither\ Skull=Dry Skull +\u00A77Use\ a\ book\ on\ a\ controller\ block\ to\ get\ a\ copy.=\u00A77Use a book on a controller block to get a copy. +Small\ Pile\ of\ Saltpeter\ Dust=Small Pile of Saltpeter Dust +Mossy\ Stone\ Stairs=Mossy Stone Stairs +The\ End...\ Again...=At The End Of The... Again In The... +Pine\ Platform=Pine Platform +%s\ has\ no\ sub-commands=%s has no sub-commands +Ametrine\ Helmet=Ametrine Helmet +Purple\ Per\ Bend\ Sinister\ Inverted=Gut, Um Bend Sinister Umgekehrt +Upload\ cancelled=Download, cancel, +Cobblestone\ Brick\ Wall=Cobblestone Brick Wall +Crimson\ Table=Crimson Table +Dank\ 6=Dank 6 +Dank\ 7=Dank 7 +Showing\ new\ title\ for\ %s\ players=To specify the name %s hulcy +Diorite\ Basin=Diorite Basin +Electrum\ Plate=Electrum Plate +A\ task\ where\ the\ player\ has\ to\ complete\ a\ specific\ advancement.=A task where the player has to complete a specific advancement. +Green\ Dragon\ Wing=Green Dragon Wing +Piglin's\ Watchtower=Piglin's Watchtower +A\ Complete\ Catalogue=Full List +Dank\ 2=Dank 2 +Dank\ 3=Dank 3 +Dank\ 4=Dank 4 +Weeping\ Roots=Weeping Roots +Dank\ 5=Dank 5 +Poison\ Ivy=Poison Ivy +Illager\ Mobs=Illager Mobs +Nickel\ Slab=Nickel Slab +Construct\ a\ better\ pickaxe=Make the world a better pick +Dank\ 1=Dank 1 +Start\ date=Start date and end date +Tube\ Coral\ Fan=Tube Coral, Fan +Only\ matching\ monsters\ with\ the\ selected\ type,\ subtypes\ are\ not\ counted\ towards\ the\ killing\ count.=Only matching monsters with the selected type, subtypes are not counted towards the killing count. +Vex\ shrieks=I just want to \u0432\u0438\u0437\u0433\u0430\u043C\u0438 +Asterite\ Hoe=Asterite Hoe +Cow\ dies=It's about to die +Only\ the\ latest\ deleted\ map\ is\ backed\ up.=Only the latest deleted map is backed up. +Title\ Screen=The Display Section +%1$s\ was\ struck\ by\ lightning=%1$s he had been struck by lightning +Acacia\ Boat=Acacia Boat +Pink\ Field\ Masoned=Pink Box, Bricked Up Underground +Oak\ Slab=Apartment In Oak +Swap\ Item\ With\ Offhand=The Element Of Changes In The Off-The-Cuff +Armour\ In\ Numbers=Armour In Numbers +Minecart\ with\ Hopper=Cargo trolley, casting a funnel +Inscriber\ Engineering\ Press=Inscriber Engineering Press +Rose\ Gold\ Hoe=Rose Gold Hoe +I\ want\ a\ refund=I want a refund +Meteoric\ Steel\ Sword=Meteoric Steel Sword +Cannot\ identify\ recipe=Cannot identify recipe +Magma\ Cube\ dies=Magma cube-il cubo. +Dark\ Oak\ Post=Dark Oak Post +Green\ Per\ Bend\ Sinister=A Green Bend Sinister +Damaged\ Anvil=Corupt Nicovala +Kill\ a\ raid\ captain.\nMaybe\ consider\ staying\ away\ from\ villages\ for\ the\ time\ being...=To kill RAID master.\nMaybe that overview far from the village below during the... +One-Coin=One-Coin +Block\ of\ Lunum=Block of Lunum +Light\ Blue\ ME\ Glass\ Cable=Light Blue ME Glass Cable +Gilded\ Backpack=Gilded Backpack +Open\ to\ LAN=NETWORK +Network\ Tool=Network Tool +Green\ Enchanted\ Planks=Green Enchanted Planks +view\ full\ contents=view full contents +Show\ Registry\ Names=Show Registry Names +Netherite\ Hoe=To Get Netherite +Crafting\ Behavior=Crafting Behavior +Cyan\ Terracotta\ Glass=Cyan Terracotta Glass +Screwdriver=Screwdriver +Smooth\ Red\ Sandstone\ Slab=Elegant Red Sandstone Plate +Salmon=Salmon +Resetting\ world...=Delete the world... +Warning\!\ These\ settings\ are\ using\ experimental\ features=Attention\!\!\! For this purpose, technical characteristics overview +Stripped\ Birch\ Log=Naked Birch-Log-Number +Jacaranda\ Wood=Jacaranda Wood +You\ have\ %s\ new\ invites=Its %s new calls +Clay\ Camo\ Trapdoor=Clay Camo Trapdoor +Polished\ Andesite\ Stairs=Polished Andesite Stairs +loading\ this\ world\ could\ cause\ problems\!=the burden of this world, and it may not be the cause of your problems. +Pick\ one=Pick one +Angel\ Wing=Angel Wing +Rose\ Gold\ Apple=Rose Gold Apple +White\ Per\ Pale\ Inverted=Pale White Draw +Return\ to\ Sender=Back To The Sender. +Crystal\ Plant\ Seeds=Crystal Plant Seeds +Move\ to\ output\ when\ work\ is\ done.=Move to output when work is done. +Leather\ armor\ rustles=Leather armor creaks +Added\ tag\ '%s'\ to\ %s=Add a bookmark%s"a %s +Add\ Nether\ Basalt\ Temples\ to\ Modded\ Biomes=Add Nether Basalt Temples to Modded Biomes +Primitive\ Buffer=Primitive Buffer +\u00A77\u00A7o"Dip\ it\ in\ dragon\ breath,\u00A7r=\u00A77\u00A7o"Dip it in dragon breath,\u00A7r +Launch\ a\ Rocket=Launch a Rocket +Andesite\ Wall=Steni From Andesite +Failed\ to\ export\ resources=Failed to export resources +Acacia\ Timber\ Frame=Acacia Timber Frame +Stripped\ Spruce\ Log=He Took The Magazine Dishes +Orange\ Paint\ Ball=Orange Paint Ball +Wandering\ Trader\ Spawn\ Egg=Izlazni Podaci Prodavatelja Spawn Jaje +Craft=Craft +Illusioner\ displaces=Of Ovaa Illusioner +Asteroid\ Diamond\ Ore=Asteroid Diamond Ore +Replaced\ a\ slot\ at\ %s,\ %s,\ %s\ with\ %s=Jack, instead of the %s, %s, %s and %s +Stone\ Slab=Stone Tile +Save\:\ %s=Village\: %s +You\ have\ no\ home\ bed\ or\ charged\ respawn\ anchor,\ or\ it\ was\ obstructed=You are not at home, in bed, or a fee is charged for the rebirth of the anchors, or use the +These\ have\ much\ more\ ground\ to\ walk\ on\ than\ Liquid\ Caverns.=These have much more ground to walk on than Liquid Caverns. +Brown\ Redstone\ Lamp=Brown Redstone Lamp +Basic\ Electrolyzer=Basic Electrolyzer +Rough\ Sandstone=Rough Sandstone +before\ you\ load\ it\ in\ this\ snapshot.=before you can download in this image. +Fuzzy=Fuzzy +User\ can\ initiate\ new\ crafting\ jobs.=User can initiate new crafting jobs. +Poseidon\ Pristine\ Matter=Poseidon Pristine Matter +Lit\ Red\ Redstone\ Lamp=Lit Red Redstone Lamp +Primitive\ Alloy\ Smelter=Primitive Alloy Smelter +Get\ a\ Solid\ Infuser=Get a Solid Infuser +Primitive\ Solid\ Generator=Primitive Solid Generator +Distance\ Fallen=Decreased Distance +Gray\ Glazed\ Terracotta=Glazed Tile-Slate Grey +It's\ getting\ dusty=It's getting dusty +By\ default,\ caves\ spawn\ in\ 100%\ of\ regions.=By default, caves spawn in 100% of regions. +Polished\ Andesite\ Pillar=Polished Andesite Pillar +Used\ when\ the\ zoom\ divisor\ is\ above\ the\ starting\ point.=Used when the zoom divisor is above the starting point. +megane=megane +Smooth=Smooth +Purpur\ Chain=Purpur Chain +Command\ chain\ size\ limit=The group consists of\: chain +Drought=A seca +Show\ specific\ game\ data\ in\ Rich\ Presence?=Show specific game data in Rich Presence? +Cypress\ Step=Cypress Step +Blue\ Roundel=Blue Shield +Parrot\ squishes=Parrot chew +Now\ playing\:\ %s=Plays\: %s +Stripped\ Rubber\ Log=Stripped Rubber Log +Splash\ Potion\ of\ Swiftness=Drink speed +Miner=Miner +Those\ beyond\ our\ wildest\ realm\ of\ imagination.=Those beyond our wildest realm of imagination. +Tweaks=Tweaks +Prevent\ substitutions\ of\ input\ components.=Prevent substitutions of input components. +Fluid\ Potion\ Effects\:=Fluid Potion Effects\: +Snowy\ Kingdom=Snowy Kingdom +Settings\ used\ in\ the\ generation\ of\ Floored\ Caverns\ found\ at\ low\ altitudes.=Settings used in the generation of Floored Caverns found at low altitudes. +Polished\ Blackstone\ Pressure\ Plate=Polished \u0411\u043B\u0435\u043A\u0441\u0442\u043E\u0443\u043D Press +Progress\ Blacklist=Progress Blacklist +Locked\ by\ another\ running\ instance\ of\ Minecraft=Only one other instance of +Lunum\ Gear=Lunum Gear +Polished\ Blackstone\ Brick\ Post=Polished Blackstone Brick Post +Winter\ Grass=Winter Grass +Orange\ Mushroom\ Block=Orange Mushroom Block +Orange\ Asphalt\ Stairs=Orange Asphalt Stairs +Yellow\ Paly=Pale Yellow +Caverns\ are\ spacious\ caves\ at\ low\ altitudes\ (by\ default).=Caverns are spacious caves at low altitudes (by default). +Steel\ Wire=Steel Wire +Checking\ for\ valid\ MultiMC\ instance\ data...=Checking for valid MultiMC instance data... +Successfully\ exported\ resources\!=Successfully exported resources\! +Zelkova\ Clearing=Zelkova Clearing +Rose\ Gold\ Dust=Rose Gold Dust +Snowy\ Taiga\ Hills=Sneg Gozd Gore +Stellum\ Hoe=Stellum Hoe +-%s\ %s=-%s %s +Iron\ Pickaxe=The Pickaxe Iron +Acacia\ Table=Acacia Table +Ravager\ cheers=Ravager sk\u00E5l +Skyris\ Wall=Skyris Wall +Load\ Anyway=The Task In Each Case +Adds\ a\ new\ Command\ to\ be\ executed\ on\ quest\ claim.\\n@p\ will\ be\ replaced\ by\ the\ player's\ name.=Adds a new Command to be executed on quest claim.\\n@p will be replaced by the player's name. +Shutdown\ computers\ remotely.=Shutdown computers remotely. +Acacia\ Chair=Acacia Chair +Stone\ Cutting=Stone Cutting +Old\ Death=Old Death +Yellow\ Pale=Light Yellow +Some\ Serious\ Tankage=Some Serious Tankage +Long\ must\ not\ be\ more\ than\ %s,\ found\ %s=For a long time, it's not much more to it than that %s you don't have been found %s +Large\ Image\ Key\ Format=Large Image Key Format +Add\ Crimson\ Shipwreck\ to\ Modded\ End\ Biomes=Add Crimson Shipwreck to Modded End Biomes +Lime\ Chief\ Dexter\ Canton=The Most Important Of Which Is The Lime County-Dexter +Space\ Suit\ Boots=Space Suit Boots +Asteroid\ Iron\ Cluster=Asteroid Iron Cluster +Beach=A +Line\ Width\:=Line Width\: +Tungsten\ Wall=Tungsten Wall +Potion\ Effect\ Names=Potion Effect Names +Block\ of\ Charcoal=Block of Charcoal +Couldn't\ grant\ %s\ advancements\ to\ %s\ as\ they\ already\ have\ them=Could not give %s improvement %s you already have +Green\ Pale\ Sinister=Green Pale Sinister +Ebony\ door=Ebony door +Weeping\ Witch\ Forest=Weeping Witch Forest +Cat\ purrs=The cat purrs +Dark\ Amaranth\ Button=Dark Amaranth Button +Paper\ Block=Paper Block +Baby\ Backpack=Baby Backpack +ShulkerBoxTooltip\ Configuration=ShulkerBoxTooltip Configuration +Zigzagged\ Red\ Nether\ Bricks=Zigzagged Red Nether Bricks +Medium=Medium +Raiders\ Remaining\:\ %s=Raiders Remaining\: %s +Expected\ list,\ got\:\ %s=It is expected that there was one from the list\: %s +End\ Highlands=Son Highland +Old\ Netherite\ Chest=Old Netherite Chest +Lime\ Glazed\ Terracotta\ Camo\ Trapdoor=Lime Glazed Terracotta Camo Trapdoor +\u00A7eUse\ while\ crouching\ to\ craft\u00A7r=\u00A7eUse while crouching to craft\u00A7r +Lime\ Lily=Lime Lily +Asset\ name\ "%1$s"\ does\ not\ exist,\ attempting\ to\ use\ an\ alternative\ icon\ "%2$s"...=Asset name "%1$s" does not exist, attempting to use an alternative icon "%2$s"... +Adventures\ to\ infinity\ and\ beyond=Adventures to infinity and beyond +Polished\ Soapstone\ Wall=Polished Soapstone Wall +Showing\ new\ actionbar\ title\ for\ %s=Allows you to enter a new name in the ActionBar %s +Continue=Continue +Aluminium\ Slab=Aluminium Slab +Add\ Mineshafts\ to\ Modded\ Biomes=Add Mineshafts to Modded Biomes +quest\ icons=quest icons +Small\ Pile\ of\ Electrum\ Dust=Small Pile of Electrum Dust +Reward\ Bags=Reward Bags +Item\ takes\ Damage\ every\ ticks.=Item takes Damage every ticks. +Skeleton\ Horse\ Spawn\ Egg=Skeleton Of A Horse \u0421\u043F\u0430\u0443\u043D Eggs +Armor=Armor +Silverfish\ Spawn\ Egg=Eggs Silver Fish Eggs +Rainbow\ Eucalyptus\ Table=Rainbow Eucalyptus Table +Default\ Biome\ Message=Default Biome Message +Cannot\ mix\ world\ &\ local\ coordinates\ (everything\ must\ either\ use\ ^\ or\ not)=You can't mix the world and the local coordinates (all of which you need to use ^ or, not) +$(item)Stellum\ Ore$()\ can\ be\ found\ inside\ $(thing)$(l\:world/asteroids)Asteroids$()\ in\ $(thing)Space$().$(p)Mining\ requires\ an\ $(item)Asterite\ Pickaxe$()\ (Mining\ Level\ 5)\ or\ better,\ usually\ resulting\ in\ a\ single\ $(item)$(l\:world/ore_clusters)Stellum\ Cluster$()\ which\ can\ be\ forged\ into\ a\ $(item)Stellum\ Ingot$().=$(item)Stellum Ore$() can be found inside $(thing)$(l\:world/asteroids)Asteroids$() in $(thing)Space$().$(p)Mining requires an $(item)Asterite Pickaxe$() (Mining Level 5) or better, usually resulting in a single $(item)$(l\:world/ore_clusters)Stellum Cluster$() which can be forged into a $(item)Stellum Ingot$(). +Red\ Terracotta=Red Terracotta +Advanced\ Fluid\ Mixer=Advanced Fluid Mixer +Controls...=Management... +Unknown\ display\ slot\ '%s'=Is not known, the view to the castle"%s' +Open\ Settings=Open Settings +Brown\ Globe=Brown, The World +Purple\ Paint\ Ball=Purple Paint Ball +Oak\ Shelf=Oak Shelf +Failed\ to\ copy\ packs=Error when you copy and packages +Ghost\ Data\ Model=Ghost Data Model +Fox\ eats=The fox has to eat it +Limestone\ Brick\ Slab=Limestone Brick Slab +Successfully\ trade\ with\ a\ Villager=To trade successfully on the line +Dacite=Dacite +Expected\ closing\ ]\ for\ block\ state\ properties=The expected closing ] the block state information of the +\u00A7aBasic\u00A7r=\u00A7aBasic\u00A7r +Colored\ Tiles\ (Green\ &\ Brown)=Colored Tiles (Green & Brown) +Distortion\ Effects=Distortion Effects +Spruce\ Table=Spruce Table +Potted\ Tall\ Gray\ Lungwort=Potted Tall Gray Lungwort +Extra\ Vanilla\ Material\ Hammers=Extra Vanilla Material Hammers +Holly\ Bookshelf=Holly Bookshelf +Change\ existing\ Commands.\\n@p\ will\ be\ replaced\ by\ the\ player's\ name.=Change existing Commands.\\n@p will be replaced by the player's name. +A\ negative\ radius\ ignores\ the\ player's\ location=A negative radius ignores the player's location +Sapphire\ Crook=Sapphire Crook +Showing\ Smokable=Showing Smokable +Lime\ Concrete\ Glass=Lime Concrete Glass +Univite=Univite +Enables\ generation\ of\ flooded\ ravines\ in\ ocean\ biomes.=Enables generation of flooded ravines in ocean biomes. +Terrain\ Slopes=Terrain Slopes +Potted\ Shrub=Potted Shrub +Bottle=Bottle +Orange\ Mushroom=Orange Mushroom +%s\ Configuration=%s Configuration +Stellum\ Crook=Stellum Crook +Take\ me\ Back=Take me Back +Marble\ Dust=Marble Dust +Purple\ Insulated\ Wire=Purple Insulated Wire +Holding\ %s=Holding %s +Added\ %s\ to\ team\ %s=That is %s made %s +Floored\ Cavern\ Minimum\ Altitude=Floored Cavern Minimum Altitude +Librarian's\ Book=Librarian's Book +Enter\ a\ Jungle\ Fortress=Enter a Jungle Fortress +An\ unexpected\ error\ occurred\ trying\ to\ execute\ that\ command=The error run the following command +Armor\ Pieces\ Cleaned=A Piece Of Armor, Clean +Please\ use\ only\ positive\ numbers\ and\ /\ or\ a\ correct\ Playername.=Please use only positive numbers and / or a correct Playername. +Mangrove\ Leaves=Mangrove Leaves +Asterite\ Dust=Asterite Dust +Gray\ Creeper\ Charge=Siva Creeper Besplatno Preuzimanje +Command\ Block=A Blokk Parancsok +Current=Today +Block\ of\ Sapphire=Block of Sapphire +Gray\ Globe=Siwa Globe +Lime\ Dye=Var Of Otvetite +Chiseled\ Biotite\ Block=Chiseled Biotite Block +Yellow\ Per\ Bend\ Sinister=The Yellow Curve Will Be Worse +Reset\ Zoom\ with\ Mouse=Reset Zoom with Mouse +Advanced\ Pocket\ Computer=Advanced Pocket Computer +Velocity\ Multiplier=Velocity Multiplier +Distance\ Walked\ on\ Water=The distance walked on the water +Left\ Button=The Left Button +Ender\ Plant=Ender Plant +unbound\ if\ there's\ a\ conflict\ with\ the\ zoom\ key.=unbound if there's a conflict with the zoom key. +Flonters=Flonters +Cypress\ Pressure\ Plate=Cypress Pressure Plate +%1$s\ was\ squashed\ by\ %2$s=%1$s it has been discontinued %2$s +Witch=Witch +Touchscreen\ Mode=The Touch Screen Function +Sterling\ Silver\ can\ be\ obtained\ by\ combining\ 3\ Silver\ Ingots\ and\ 1\ Copper\ Ingot\ in\ an\ $(item)$(l\:machinery/alloy_smelter)Alloy\ Smelter$().\ This\ produces\ 4\ $(item)Sterling\ Silver\ Ingots$().=Sterling Silver can be obtained by combining 3 Silver Ingots and 1 Copper Ingot in an $(item)$(l\:machinery/alloy_smelter)Alloy Smelter$(). This produces 4 $(item)Sterling Silver Ingots$(). +Green\ Bordure\ Indented=The Green Board Is The Reduction Of The +End\ Data\ Model=End Data Model +Donkey\ dies=Ass sureb +Hardcore\ Questing\ Mode\ -\ Version\ \:\ %s=Hardcore Questing Mode - Version \: %s +Requires\ %s/%s\ [[quest||quests]]\ to\ be\ completed\ elsewhere.=Requires %s/%s [[quest||quests]] to be completed elsewhere. +A\ List=List +White\ Chief\ Dexter\ Canton=Black-And-Feel Faster +'%s'\ will\ be\ lost\ forever\!\ (A\ long\ time\!)='%s"it is lost forever. (For a long time\!\!) +Enter\ a\ Warped\ Outpost=Enter a Warped Outpost +Cyan\ Tulip=Cyan Tulip +\u00A7aAlways=\u00A7aAlways +Music\ &\ Sound\ Options=The Music And Sound Options +Trebuchet=Trebuchet +Structure\ Integrity\ and\ Seed=The integrity of the structure, and the Seeds +Skeleton\ rattles=There is the skeleton of st. john's wort +\u00A7eYou\ need\ to\ visit\ this\ dimension\ first\ to\ convert\ it\ to\ the\ new\ format\!=\u00A7eYou need to visit this dimension first to convert it to the new format\! +Press\ %s\ to\ Lock=Press %s to Lock +Are\ you\ sure\ you\ would\ like\ to\ reset\ default\ settings?=Are you sure you would like to reset default settings? +Meteoric\ Steel\ Pickaxe=Meteoric Steel Pickaxe +Items=Data +Spectate\ world=Look At The World +Shulker\ hurts=Shulker smerte +Challenge\ Complete\!=\ The Task Will Be Accomplished\! +Chorus\ Fruit=Shell E Frutave +task\ type=task type +A\ machine\ used\ to\ extract\ salt\ from\ beach\ and\ ocean\ water.\ Is\ fueled\ by\ redstone\ dust\ as\ an\ item,\ unlike\ the\ Redstone\ Toaster,\ and\ can\ be\ waterlogged\ to\ fill\ its\ tank.\ Will\ produce\ salt\ if\ it\ is\ in\ a\ salty\ biome.=A machine used to extract salt from beach and ocean water. Is fueled by redstone dust as an item, unlike the Redstone Toaster, and can be waterlogged to fill its tank. Will produce salt if it is in a salty biome. +Copper\ Chestplate=Copper Chestplate +Potted\ White\ Oak=Potted White Oak +World\ border\ cannot\ be\ smaller\ than\ 1\ block\ wide=Outside world, it cannot be less than 1 unit of width +Ametrine\ Ore=Ametrine Ore +Plants\ Potted=Planter +Wrap\ Note=Wrap Note +Goody\ Bag=Goody Bag +CraftPresence\ -\ Edit\ Dimension\ (%1$s)=CraftPresence - Edit Dimension (%1$s) +Warped\ Coral\ Fan=Warped Coral Fan +Silver\ Plates=Silver Plates +Reward\ value=Reward value +%1$s\ on\ an\ Iron\ Chest\ to\ convert\ it\ to\ a\ Netherite\ Chest.=%1$s on an Iron Chest to convert it to a Netherite Chest. +Building\ Blocks=The Building Blocks +Jungle\ Pressure\ Plate=He Lives In The Jungle, Right Click On The +Load\ mode\ -\ Load\ from\ File=Load mode - Load from File +Dacite\ Cobblestone\ Slab=Dacite Cobblestone Slab +Oak\ Timber\ Frame=Oak Timber Frame +Blue\ Enchanted\ Trapdoor=Blue Enchanted Trapdoor +Cyan\ Elytra\ Wing=Cyan Elytra Wing +Pendorite\ Scraps=Pendorite Scraps +Dark\ Amaranth\ Fence=Dark Amaranth Fence +Cyan\ Stained\ Pipe=Cyan Stained Pipe +It's\ getting\ hotter=It's getting hotter +Scroll\ Sensitivity=The Sensitivity Of The Weight +Display\ Zoom\ Level=Display Zoom Level +Composter\ filled=The composter is full +Some\ settings\ are\ disabled\ since\ your\ current\ world\ is\ an\ inspiration=Some of the parameters of the system, because in the modern world is a source of inspiration +Shepherd=Real +Old\ Obsidian\ Chest=Old Obsidian Chest +Threadfin=Threadfin +Sphalerite\ Ore=Sphalerite Ore +Are\ you\ sure\ you\ would\ like\ to\ MULTIPLY\ all\ sub-world\ coordinates\ by\ 8?=Are you sure you would like to MULTIPLY all sub-world coordinates by 8? +Strawberry\ Bush=Strawberry Bush +Overclocker\ Upgrade=Overclocker Upgrade +Prevents\ other\ players\ from\ breaking\ your\ trading\ stations.=Prevents other players from breaking your trading stations. +Maximum\ Cobblestone=Maximum Cobblestone +Horse\ neighs=Let's go +The\ server\ is\ full\!=The server is full\! +Magenta\ Elytra\ Wing=Magenta Elytra Wing +Shovel\ flattens=Shovel moisturizes the skin +Wooden\ Mining\ Tool=Wooden Mining Tool +Seed\ To\ Use\:=Seed To Use\: +Trigger\ Quests=Trigger Quests +Splash\ Potion\ of\ Resistance=Splash Potion of Resistance +Iron\ to\ Obsidian\ upgrade=Iron to Obsidian upgrade +Silver\ Leggings=Silver Leggings +Green\ Glazed\ Terracotta\ Pillar=Green Glazed Terracotta Pillar +Speedometer's\ Velocity\ Unit=Speedometer's Velocity Unit +Meteoric\ Steel\ Nugget=Meteoric Steel Nugget +Rose\ Gold\ Helmet=Rose Gold Helmet +Red\ Pale=The Red Light +Select\ a\ preset\ by\ clicking\ the\ "Choose\ a\ preset"\ button.=Select a preset by clicking the "Choose a preset" button. +Shelves\ can\ be\ used\ to\ show\ your\ fancy\ items\ to\ guests.=Shelves can be used to show your fancy items to guests. +Enchantment\ Cost\:\ %1$s=Spell Check Includes The Following\: %1$s +Overgrown\ Netherrack=Overgrown Netherrack +Crystal\ Upgrade\ Kit=Crystal Upgrade Kit +All\ killed=All killed +Red\ Paly=Rot +Lukewarm\ Ocean=Warm Ocean +Dark\ Oak\ Pressure\ Plate=Dark Oak Under Pressure Edge +Cyan\ Amaranth\ Bush=Cyan Amaranth Bush +Univite\ Plates=Univite Plates +Enderman\ vwoops="For me," vwoops +Emeritus\ Hat=Emeritus Hat +Elytra=Elytra +No\ blocks\ were\ filled=There are no blocks filled +Cyan\ Bend=Blue Bend +Fir\ Table=Fir Table +These\ options\ are\ for\ the\ servers\ to\ set.\ On\ multiplayer,\ changing\ these\ options\ from\ this\ menu\ will\ not\ affect\ the\ server's\ configuration.=These options are for the servers to set. On multiplayer, changing these options from this menu will not affect the server's configuration. +Shoot\ a\ crossbow=Shoot it with a bow +Cyan\ Chief=Among The Main +Sun++=Sun++ +Is\ this\ even\ a\ sandwich?=Is this even a sandwich? +Iron\ Shovel=Blade Of Iron +Black\ Dye=Black Is The Color +Used\:\ =Used\: +List\ Players=The List Of Players +Bonus\ Chest\:=The Prize Chest\: +Nether\ Gold\ Ore=Invalid Ore +Wall\ Torch=The Walls Of The Flashlight +Skeleton\ Horse\ hurts=Horse skeleton sorry +Oak\ Chair=Oak Chair +Download=Lae alla +Red\ Carpet=On The Red Carpet +Eagle\ Wing=Eagle Wing +???=??? +Removed\ claim\ in\ %s\ with\ origin\ of\ %s.=Removed claim in %s with origin of %s. +Mending=Herstel +Steel\ Chestplate=Steel Chestplate +Go\ look\ for\ a\ Temple\!=Go look for a Temple\! +Pink\ Redstone\ Lamp=Pink Redstone Lamp +Full\ heart=Full heart +Set\ %s\ experience\ levels\ on\ %s=File %s The experience of working for your levels %s +Red\ Table\ Lamp=Red Table Lamp +Dirt\ Camo\ Trapdoor=Dirt Camo Trapdoor +Red\ Per\ Fess=Vermelho Fess +Scanning...=Scanning... +Corn\ Kernels=Corn Kernels +You\ have\ added\ %s\ [[live||lives]]\ to\ %s.=You have added %s [[live||lives]] to %s. +Raw\ Chocolate\ Donut=Raw Chocolate Donut +Are\ you\ sure\ you\ want\ to\ load\ this\ pack?=If you are not sure that you can download this package? +Ender\ Excavator=Ender Excavator +Dough=Dough +Vanilla\ Paxels=Vanilla Paxels +Electric\ Smelter=Electric Smelter +Orange\ Base\ Dexter\ Canton=Oranges The Base Dexter Canton +Scheduled\ tag\ '%s'\ in\ %s\ ticks\ at\ gametime\ %s=We have planned for the day%s this %s mites on the discs %s +Turtle\ Egg\ cracks=The eggs of the turtle crack +Lava\ Block=Lava Block +Bronze\ Wall=Bronze Wall +Mountains\ Village\ Spawnrate=Mountains Village Spawnrate +Not\ a\ valid\ color\!\ (Missing\ \#)=This is not the right time. (No \#) +Magenta\ Per\ Fess=Purple Headband +Biome\ data\ for\ %s\ has\ been\ saved\ in\:\ %s=Biome data for %s has been saved in\: %s +Unable\ to\ read\ or\ access\ folder\ where\ game\ worlds\ are\ saved\!=I don't know how to read, or to have access to the folder where your worlds are saved\! +Crimson\ Planks\ Glass=Crimson Planks Glass +Creamy=Creamy +Green\ ME\ Dense\ Smart\ Cable=Green ME Dense Smart Cable +Max\ Size\ Reached\!=Max Size Reached\! +Clay\ Ghost\ Block=Clay Ghost Block +%s\ whispers\ to\ you\:\ %s=%s whispers to you\: %s +Gold=Gold +Upgrades\ MK1\ machines\ to\ MK2=Upgrades MK1 machines to MK2 +Smooth\ Sandstone\ Stairs=Smooth Sandstone Steps +Wired=Wired +Display\ Coordinates=Display Coordinates +Cave\ Region\ Size\ Custom\ Value=Cave Region Size Custom Value +Transfer\ data\ to\ Network=Transfer data to Network +Potted\ Cyan\ Calla\ Lily=Potted Cyan Calla Lily +Bamboo\ Block=Bamboo Block +5\ to\ 6=5 to 6 +Stick=Pal +Endorium\ Paxel=Endorium Paxel +Red\ Mushroom\ Block=The Red Of The Mushroom Group +Click\ here\ for\ more\ info\!=Please click here for more information\! +Lava\ Oceans=Lava And The Ocean +Rocky\ Grass\ Block=Rocky Grass Block +Dwarf\ Torch=Dwarf Torch +Zombie\ Doctor=Zombie Medical +Yellow\ Terracotta\ Camo\ Door=Yellow Terracotta Camo Door +Left\ Pants\ Leg=The Left Leg Of The Pants +Barrier=The barrier +Structure\ Size=Dimensions In A Context Of +Conveyor=Conveyor +Large\ Flower\ Pot=Large Flower Pot +Roof=Roof +Peony=Peony +Show\ Invisible\ Blocks\:=Show Invisible Blocks\: +\u00A77\u00A7o"This\ small\ core\ appears\ to\u00A7r=\u00A77\u00A7o"This small core appears to\u00A7r +Changes\ how\ often\ wells\ attempt\ to\ spawn\ per\ chunk.\ Chance\ of\ a\ well\ generating\ in\ a\ chunk\ is\ 1/spawnrate.\ 1\ for\ spawning\ in\ every\ chunk\ and\ 10000\ for\ no\ wells.\n\nAdds\ Badlands\ themed\ wells\ to\ Badlands\ biomes.=Changes how often wells attempt to spawn per chunk. Chance of a well generating in a chunk is 1/spawnrate. 1 for spawning in every chunk and 10000 for no wells.\n\nAdds Badlands themed wells to Badlands biomes. +Stripped\ White\ Oak\ Wood=Stripped White Oak Wood +Rocket\ experienced\ rapid\ unscheduled\ disassembly\:\ incorrect\ fuel\ loaded\!=Rocket experienced rapid unscheduled disassembly\: incorrect fuel loaded\! +Capacity\:\ %sx%sx%s=Capacity\: %sx%sx%s +Unlinked=Unlinked +Add\ RS's\ 2x2\ Swamp\ Trees\ to\ Modded\ Biomes=Add RS's 2x2 Swamp Trees to Modded Biomes +Energy\ Acceptor=Energy Acceptor +Comparator\ clicks=Rates comparison +Spruce\ Small\ Hedge=Spruce Small Hedge +Diorite=Diorite +Drop\ 1\ Charged\ Certus\ Quartz\ +\ 1\ Nether\ Quartz\ +\ Redstone\ Dust\ into\ a\ puddle\ next\ to\ one\ another\ and\ wait\ a\ moment\ to\ receive\ 2\ Fluix\ Crystals.=Drop 1 Charged Certus Quartz + 1 Nether Quartz + Redstone Dust into a puddle next to one another and wait a moment to receive 2 Fluix Crystals. +Treetap=Treetap +Dragon\ growls=The dragon itself +Ring\ of\ Magnetism=Ring of Magnetism +Good=Good +Chest=In the bosom of the +Cyan\ Per\ Pale\ Inverted=Blue, The Color Of The Light To The +Potted\ Light\ Gray\ Mushroom=Potted Light Gray Mushroom +Small\ Pile\ of\ Brass\ Dust=Small Pile of Brass Dust +Purple\ Cut\ Sandstone=Purple Cut Sandstone +%s\ joined\ the\ game=%s combo games +Forest\ Well=Forest Well +Remove=To remove +Crate\ of\ Honeycombs=Crate of Honeycombs +Univite\ Hammer=Univite Hammer +That\ player\ does\ not\ exist=This player does not exist +Short-burst\ Booster\ (Active)=Short-burst Booster (Active) +About\ this\ Configuration\ Gui=About this Configuration Gui +Sand\ Camo\ Trapdoor=Sand Camo Trapdoor +Updated\ the\ color\ for\ team\ %s\ to\ %s=Color refresh command %s for %s +Zombified\ Piglin\ hurts=Zombified pigli mul on valus +Added\ tag\ '%s'\ to\ %s\ entities=If you want to add the tag"%s"that %s device +Clay\ Camo\ Door=Clay Camo Door +Special\ Drops\ on\ Christmas\ and\ Halloween=Special Drops on Christmas and Halloween +%1$s\ was\ killed\ by\ magic=%1$s he was killed by magic +Unbanned\ IP\ %s=To cancel the prohibition of buildings IP %s +Block\ of\ Ruby=Block of Ruby +Light\ Blue\ Flat\ Tent\ Top=Light Blue Flat Tent Top +"Linear"\ removes\ the\ smoothness.="Linear" removes the smoothness. +Japanese=Japanese +Kill\ two\ Phantoms\ with\ a\ piercing\ arrow=Piercing Arrow killed two ghosts +Adorn+EP\:\ Posts=Adorn+EP\: Posts +Rope=Rope +\u00A74\u00A7lTentative\ Release\ (%1$s),\ functionality\ may\ change=\u00A74\u00A7lTentative Release (%1$s), functionality may change +Purple\ Glowcane\ Dust=Purple Glowcane Dust +Tungsten\ Hoe=Tungsten Hoe +Stripped\ Baobab\ Wood=Stripped Baobab Wood +Craft\ a\ compressor=Craft a compressor +Brown\ Asphalt\ Slab=Brown Asphalt Slab +Pink\ Lathyrus=Pink Lathyrus +Light\ Gray\ Stained\ Pipe=Light Gray Stained Pipe +Harder\ than\ vibranium=Harder than vibranium +Rose=Rose +/hqm\ edit\ =/hqm edit +Craft\ a\ Crafting\ Terminal=Craft a Crafting Terminal +Mossy\ Stone\ Slab=Mossy Stone Slab +Light\ Gray\ Beveled\ Glass=Light Gray Beveled Glass +Acacia\ Trapdoor=Luke Acacia +Max\ Height=Max Height +Orange\ Daisy=Orange Daisy +Unformatted=Unformatted +Water\ Block=Water Block +Quick\ Item\ Use=Quick Item Use +Cattail=Cattail +Rubber\ Post=Rubber Post +Opening\ Scrapboxes=Opening Scrapboxes +Plant\ Stem=Plant Stem +Trial\ Failed\:\ Time\ is\ Out\!=Trial Failed\: Time is Out\! +Device\ is\ not\ a\ wireless\ terminal.=Device is not a wireless terminal. +Blue\ Per\ Fess\ Inverted=The Blue Bar Is Upside Down +Yellow\ Mushroom=Yellow Mushroom +Red\ Stone\ Bricks=Red Stone Bricks +Showcase\ your\ uniqueness\ with\ a\ Emerald\ Hammer.=Showcase your uniqueness with a Emerald Hammer. +Showing\ Smeltable=Showing Smeltable +Hammer\ Durability\ Modifier=Hammer Durability Modifier +Polar\ Bear\ roars=Bear roars +Pink\ Bend=G\u00FCl-Bend +Yellow\ Bordure\ Indented=The Yellow Border Lace +Manual\ submit=Manual submit +Ametrine\ Battleaxe=Ametrine Battleaxe +Pufferfish\ Crate=Pufferfish Crate +Black\ Flower\ Charge=Black-Price - +Brown\ Bundled\ Cable=Brown Bundled Cable +State\:\ %s=State\: %s +Copper\ Shovel=Copper Shovel +The\ heart\ and\ story\ of\ the\ game=The heart of the history of the game +Faux\ Angel\ Feather=Faux Angel Feather +Subsets=Subsets +Set\ the\ world\ spawn\ point\ to\ %s,\ %s,\ %s=At the end of the world, the essence of the renaissance %s, %s, %s +Downloading\ Resource\ Pack=T\u00F6ltse Le A Resource Pack +Suffocation=Suffocation +Zelkova\ Pressure\ Plate=Zelkova Pressure Plate +Pink\ Pale\ Dexter=Svetlo Roza Dexter +Nether\ Brick\ Platform=Nether Brick Platform +Beetroot\ Soup=Beetroot Soup +Quartz\ Plate=Quartz Plate +Diamond\ Ring=Diamond Ring +Other\ changes\:\ %s=Other changes\: %s +Matter\ Cannon=Matter Cannon +Pink=Pink +assets/okzoomer/textures/misc/zoom_overlay.png=assets/okzoomer/textures/misc/zoom_overlay.png +Foreign\ bodies\ that,\ cruising\ through\ the\ stairs,\ collided\ with\ a\ planetary\ body;\ said\ to\ contain\ $(thing)$(l\:world/meteor_ores)extraterrestrial\ ores$().=Foreign bodies that, cruising through the stairs, collided with a planetary body; said to contain $(thing)$(l\:world/meteor_ores)extraterrestrial ores$(). +true=true +Wandering\ Trader\ mumbles=Visit the Seller mambo +\u00A79\u00A7oShift\ click\ to\ disable=\u00A79\u00A7oShift click to disable +Fool's\ Gold\ Dust=Fool's Gold Dust +Yellow\ Saltire=D'Un Color Groc Saltire +Flowering\ Meadow=Flowering Meadow +Delete\ World/Server=Delete World/Server +Lime\ Gradient=\u018Fh\u0259ng Slope +Golden\ Hoe=Zlato Hoe +Remote=Remote +Door\ shakes=The door is shaking +Shulker=Shulker +Acacia\ Chest\ Boat=Acacia Chest Boat +Fool's\ Gold\ Mattock=Fool's Gold Mattock +hour=hour +Jacaranda\ Forest=Jacaranda Forest +Create=To create +Changed=Changed +Gas\ Canister=Gas Canister +Sandwich\ Table=Sandwich Table +Blue\ Enchanted\ Sapling=Blue Enchanted Sapling +Changes=Changes +Client\ outdated\!=Computerul client a expirat\! +Orange\ Concrete\ Ghost\ Block=Orange Concrete Ghost Block +Sweet\ Berry\ Bush=Sladk\u00E9-Berry Bush +Pipe=Pipe +Crimson\ Stairs=Statement Of Profit And Violet +Pendorite\ Battleaxe=Pendorite Battleaxe +Incomplete\ Multiblock=Incomplete Multiblock +Render\ Boots\ Armor=Render Boots Armor +Teleported\ %s\ entities\ to\ %s=Example\: %s teme %s +Dark\ Prismarine\ Slab=See The Dark-It Is Prismarine +Crate\ of\ Cocoa\ Beans=Crate of Cocoa Beans +Lime\ Tent\ Top=Lime Tent Top +Potion\ of\ Invisibility=A potion of invisibility +Ametrine\ Pickaxe=Ametrine Pickaxe +Cursed\ Kibe=Cursed Kibe +%1$s\ on\ a\ Gold\ Chest\ to\ convert\ it\ to\ an\ Obsidian\ Chest.=%1$s on a Gold Chest to convert it to an Obsidian Chest. +Woodland\ Mansion\ Chests=Woodland Mansion Chests +Honeycomb\ Block=Honeycomb Design +Game\ Paused=Game Paused +Makes\ the\ Electric\ Furnace\ accept\ Smoker\ recipes.=Makes the Electric Furnace accept Smoker recipes. +Dark\ Oak\ Planks\ Ghost\ Block=Dark Oak Planks Ghost Block +Discrete\ Scrolling=Dyskretna Prakruti +Reward\ setting\:\ %s=Reward setting\: %s +ONLY\ WORKS\ IF\ Cavern\ Region\ Size\ IS\ SET\ TO\ Custom\!=ONLY WORKS IF Cavern Region Size IS SET TO Custom\! +Builder's\ apparel\ rustles=Builder's apparel rustles +Gray\ Flower\ Charge=Gray Motherboard +Potted\ Pink\ Mushroom=Potted Pink Mushroom +Witch\ giggles=\u053E\u056B\u056E\u0561\u0572 witch +Unsaved\ changes\:\ %s=Unsaved changes\: %s +Purple\ Roundel=Purple Medallion +Silver\ Hammer=Silver Hammer +Librarian=Librarian +Cotton\ Candy\ Betta=Cotton Candy Betta +Utils\ Buttons\:=Utils Buttons\: +Basalt\ Post=Basalt Post +"Toggle"\ has\ the\ zoom\ key\ toggle\ the\ zoom.="Toggle" has the zoom key toggle the zoom. +Construction=Construction +Red\ ME\ Dense\ Smart\ Cable=Red ME Dense Smart Cable +Cyan\ Rune=Cyan Rune +Scrollable\ Screen=Scrollable Screen +Block\ of\ Brass=Block of Brass +Nothing\ changed.\ That's\ already\ the\ value\ of\ this\ bossbar=Nothing has been changed. It is already a value in the bossbar +Grants\ Immunity\ to\ Slowness=Grants Immunity to Slowness +Chiseled\ Limestone=Chiseled Limestone +Steel\ Paxel=Steel Paxel +Sapphire\ Leggings=Sapphire Leggings +Interactions\ with\ Smoker=Interact with the pot smoker +Spruce\ Timber\ Frame=Spruce Timber Frame +Mod\ Name=Mod Name +Yellow\ Insulated\ Wire=Yellow Insulated Wire +Wheel\ of\ Cheese=Wheel of Cheese +Light\ Blue\ Stained\ Glass=Blue Linssit +Volcanic\ Cobblestone\ Step=Volcanic Cobblestone Step +Giant\ Tree\ Taiga=The Forest Of Giant Trees +Distance\ by\ Elytra=The distance from the elytra +Haste=Rush +Realms\ Mapmaker\ Cape\ Wing=Realms Mapmaker Cape Wing +Dump\ the\ latest\ track\ results=Dump the latest track results +Show\ death\ messages=View death sheet +Smooth\ Stone\ Platform=Smooth Stone Platform +Are\ you\ sure\ you\ would\ like\ to\ delete\ current\ set=Are you sure you would like to delete current set +Magenta\ Snout=Red Pig +Hemlock\ Shelf=Hemlock Shelf +Rainbow\ Eucalyptus\ Trapdoor=Rainbow Eucalyptus Trapdoor +Flower\ Forest=The Flowers Of The Forest +Enderman\ teleports=Enderman teleport +Brown\ Mushroom\ Stem=Brown Mushroom Stem +Auto\ Extinguish=Auto Extinguish +This\ action\ cannot\ be\ reverted.\ Make\ sure\ you\ know\ what\ you're\ doing.=This action cannot be reverted. Make sure you know what you're doing. +Coastal\ Redwood\ Tropics=Coastal Redwood Tropics +Red\ Pale\ Sinister=Red, Light, Bad +Crystal\ Ethereal\ Furnace=Crystal Ethereal Furnace +Left\ Side=Left Side +Light\ Blue\ Beveled\ Glass\ Pane=Light Blue Beveled Glass Pane +Potted\ Tall\ Light\ Blue\ Nikko\ Hydrangea=Potted Tall Light Blue Nikko Hydrangea +Illusioner\ prepares\ blindness=Illusioner the preparation of the glare +Click\ to\ add\ a\ new\ reputation\ bar\ to\ display\ on\ the\ set\ page.=Click to add a new reputation bar to display on the set page. +Stray\ rattles=Hobo, Saint. St. John's wort +Jungle\ Fence=Jungle Round +Exported=Export +Display=Display +Snowy\ Deciduous\ Forest=Snowy Deciduous Forest +Unhandled\ exception\ (%s)=Unhandled exception (%s) +Ticks=Ticks +Blacklisted\ Dungeon\ Biomes=Blacklisted Dungeon Biomes +The\ %s\ entities\ have\ %s\ total\ tags\:\ %s=I %s the technology is %s the total number of from\: http\: / / %s +Spruce\ Stairs=The Trees On The Steps +Industrial\ Machine\ Casing=Industrial Machine Casing +descriptions=descriptions +Commands\ provided\ by\ Applied\ Energistics\ 2\ -\ use\ /ae2\ list\ for\ a\ list,\ and\ /ae2\ help\ _____\ for\ help\ with\ a\ command.=Commands provided by Applied Energistics 2 - use /ae2 list for a list, and /ae2 help _____ for help with a command. +\u00A75\u00A7oLet\ you\ keep\ a\ 5x5\ chunk\ area\ loaded.=\u00A75\u00A7oLet you keep a 5x5 chunk area loaded. +Disabling\ data\ pack\ %s=You can close the data packet %s +Portable\ Cell=Portable Cell +Dark\ Amaranth\ Hyphae\ Stairs=Dark Amaranth Hyphae Stairs +Worst\ Players=Worst Players +Salty\ Sand=Salty Sand +Iron\ Hammer=Iron Hammer +Liquid\ Hydrogen\ Bucket=Liquid Hydrogen Bucket +Center\ When\ Enlarged=Center When Enlarged +Online\ wiki=Online wiki +Memory\ Card=Memory Card +Unable\ to\ modify\ player\ data=You can't change the data in the player +Secret\ Rooms=Secret Rooms +Teleportation=Teleportation +Yellow\ Fess=Of Zsolt Fess +Cyan\ Inverted\ Chevron=Azul Invertida Chevron +Pine\ Wood=Pine Wood +Stopped\ all\ sounds=The sound should stop +Y\ target=Y target +Show\ For=Show For +Stripped\ Willow\ Log=Stripped Willow Log +Unrotten\ Flesh=Unrotten Flesh +\u00A77\u00A7o"Don't\ tell\ PETA\ about\ it."\u00A7r=\u00A77\u00A7o"Don't tell PETA about it."\u00A7r +Mahogany\ Boat=Mahogany Boat +Cucumber\ Seeds=Cucumber Seeds +Tater\ Hammer=Tater Hammer +Adds\ an\ overlay\ in\ the\ screen\ during\ zoom.=Adds an overlay in the screen during zoom. +Bubbles\ flow=A stream of bubbles +Report\ Bugs=Report An Error +Fishy\ Business=The fish business +CraftPresence\ -\ Select\ a\ Gui=CraftPresence - Select a Gui +Soapstone\ Tile\ Stairs=Soapstone Tile Stairs +%s\ on\ two\ adjacent\ chests\ to\ merge\ them.=%s on two adjacent chests to merge them. +Chiseled\ Lava\ Polished\ Blackstone=Chiseled Lava Polished Blackstone +In\ compact\ mode,\ how\ should\ items\ with\ the\ same\ ID\nbut\ different\ NBT\ data\ be\ compacted?\nIgnored\:\n\ Ignores\ NBT\ data\nFirst\ Item\:\n\ Items\ are\ displayed\ as\ all\ having\n\ the\ same\ NBT\ as\ the\ first\ item\nSeparate\:\n\ Separates\ items\ with\ different\ NBT\ data=In compact mode, how should items with the same ID\nbut different NBT data be compacted?\nIgnored\:\n Ignores NBT data\nFirst Item\:\n Items are displayed as all having\n the same NBT as the first item\nSeparate\:\n Separates items with different NBT data +\nReplaces\ vanilla\ dungeon\ in\ icy/snowy\ biomes.=\nReplaces vanilla dungeon in icy/snowy biomes. +[%s]=[%s] +Entity\ Shadows=Device Shadows +\nReplaces\ vanilla\ dungeon\ in\ Swamp\ biomes.=\nReplaces vanilla dungeon in Swamp biomes. +Reset\ title\ options\ for\ %s\ players=The name-the selection will be Reset%s player +Changed\ the\ block\ at\ %s,\ %s,\ %s=Change the block %s, %s, %s +The\ party\ has\ already\ received\ this\ reputation.=The party has already received this reputation. +White\ Chief\ Sinister\ Canton=Sustinuta On Surovina And White In The Township On +360k\ NaK\ Coolant\ Cell=360k NaK Coolant Cell +Fluix\ ME\ Smart\ Cable=Fluix ME Smart Cable +Rainbow\ Eucalyptus\ Coffee\ Table=Rainbow Eucalyptus Coffee Table +Advanced\ Conveyor=Advanced Conveyor +The\ number\ which\ is\ de/incremented\ by\ zoom\ scrolling.=The number which is de/incremented by zoom scrolling. +Smoldering\ Mines=Smoldering Mines +Pink\ Sandstone=Pink Sandstone +Skyris\ Leaves=Skyris Leaves +Expected\ double=Twice, as expected +Toolsmith=Toolsmith +Engineering\ Processor=Engineering Processor +Editor=Editor +Location=Features +Fence\ Gate\ creaks=The fences, the Gates, the gates of her +Item\ name=Item name +Iridium\ Reinforced\ Stone\ Slab=Iridium Reinforced Stone Slab +Green\ Per\ Bend\ Sinister\ Inverted=Yesil Head To Make Me Look Bad +Orange\ Pale=Light Orange +Zoglin\ dies=Zoglin na +Brown\ Base=Brown Base +Basalt=Basalt +Nothing\ changed.\ That\ team\ can\ already\ see\ invisible\ teammates=Nothing's changed. Team can see invisible teammates +Sakura\ Kitchen\ Sink=Sakura Kitchen Sink +CraftPresence\ -\ Select\ Server\ IP=CraftPresence - Select Server IP +Iridium\ Alloy\ Plate=Iridium Alloy Plate +Tall\ Prairie\ Grass=Tall Prairie Grass +Quartz\ Stairs=Quars Escales +The\ Town\ in\ the\ Red\ Forest=The Town in the Red Forest +Inscriber\ Calculation\ Press=Inscriber Calculation Press +Dropped\ %s\ %s=For %s %s +Blaze\ breathes=Soul Vatra +Are\ you\ sure\ you\ want\ to\ quit?=Are you sure to want to stop you? +Bullseye=For +Nothing\ changed.\ The\ world\ border\ damage\ is\ already\ that\ amount=There has been no change. The world is on the threshold of the injury, the amount of the +Orange\ Paly=Amber Enterprises +The\ debug\ profiler\ hasn't\ started=Sins profiler not e zapoceta +Adventure\ Mode=The Adventure Mode +Asteroid\ Stone=Asteroid Stone +Redstone\ Tiny\ Dust=Redstone Tiny Dust +Industrial\ Blast\ Furnace=Industrial Blast Furnace +Copied\ server-side\ block\ data\ to\ clipboard=Copy server-side blocks of information to clipboard +Craft\ an\ iron\ furnace=Craft an iron furnace +Slime\ Excavator=Slime Excavator +%s/%s\ Unlocked=%s/%s Unlocked +Show\ Light\ Level=Show Light Level +CraftPresence\ -\ Edit\ Gui\ (%1$s)=CraftPresence - Edit Gui (%1$s) +Invalid\ NBT\ path\ element=Invalid NBT-element of the path, +The\ server\ might\ have\ disabled\ some\ of\ the\ mod\ features.=The server might have disabled some of the mod features. +Controls\ whether\ the\ key\ hints\ in\ the\ container's\ tooltip\ should\ be\ displayed.=Controls whether the key hints in the container's tooltip should be displayed. +Fiery\ Hammer=Fiery Hammer +Dark\ Oak\ Coffee\ Table=Dark Oak Coffee Table +Gray\ Base\ Sinister\ Canton=Gray Base Sinister Canton +Load\ mode\ -\ load\ from\ file=Load the file +Wooden\ Crook=Wooden Crook +Trash\ Can=Trash Can +Red\ Oak\ Forest\ Hills=Red Oak Forest Hills +Red\ Per\ Pale=Red, Light +Black\ Lumen\ Paint\ Ball=Black Lumen Paint Ball +The\ Dark\ Settlement=The Dark Settlement +Ruby\ Shovel=Ruby Shovel +Dark\ Amaranth\ Door=Dark Amaranth Door +Nikolite\ Dust=Nikolite Dust +Crab\ Shell=Crab Shell +Kill\ a\ Skeleton\ from\ at\ least\ 50\ meters\ away=Killed the skeleton, at least 50 meters +20\ Minecraft\ ticks\ are\ equals\ 1\ Second.=20 Minecraft ticks are equals 1 Second. +Contents\:=Contents\: +Stone\ Brick\ Step=Stone Brick Step +Firework\ Star=Fireworks Stars +Light\ Blue\ Stained\ Glass\ Pane=Panelen Lyser Bl\u00E5tt Stained Glas +Allow\ Mobs\ Leaving\ Arena=Allow Mobs Leaving Arena +Drowned\ hurts=Push me pain +Brown\ Oak\ Leaves=Brown Oak Leaves +Enable\ Preview=Enable Preview +Unfocused\ Height=The Value Of Blur +Brown\ Carpet=Rjavo Preprogo +Skeleton\ hurts=The skeleton of a pain +Dispenser\ failed=The walls of the Pharmacist may not +ME\ Import/Export\ Bus=ME Import/Export Bus +Pink\ Rune=Pink Rune +Titanium\ Dust=Titanium Dust +Not\ so\ mediocre\ energy\ storage=Not so mediocre energy storage +Strider\ Spawn\ Egg=Holster Spawn CRU +\u00A7aCheating\ Enabled\ (Using\ Creative)=\u00A7aCheating Enabled (Using Creative) +Seasonal\ Forest\ Hills=Seasonal Forest Hills +Player\ Kills=The Player Is Killed +Horse\ jumps=Horse jumps +Chain\ armor\ jingles=The current in the armature of the jingle +Energy\ Generation=Energy Generation +Find\ Charged\ Quartz=Find Charged Quartz +Quest\ Delivery\ System=Quest Delivery System +Attribute\ %s\ for\ entity\ %s\ has\ no\ modifier\ %s=Attributt %s for the device %s no modification of the %s +Small\ Pile\ of\ Ashes=Small Pile of Ashes +Purple\ Chiseled\ Sandstone=Purple Chiseled Sandstone +A\ bottle\ of\ mayonnaise,\ which\ can\ be\ spread\ on\ a\ Sandwich.=A bottle of mayonnaise, which can be spread on a Sandwich. +Ruby\ Leggings=Ruby Leggings +Pine\ Drawer=Pine Drawer +Brown\ Concrete\ Glass=Brown Concrete Glass +Structure\ '%s'\ is\ not\ available=Structure%sI don't +Oak\ Wall\ Sign=Oak Wall Merkki +The\ Golden\ Hammer\ doesn't\ work\ well,\ but\ it\ sure\ does\ look\ cool\!=The Golden Hammer doesn't work well, but it sure does look cool\! +You\ do\ not\ have\ adequate\ permissions\ to\ run\ this\ command.=You do not have adequate permissions to run this command. +You\ can\ sleep\ only\ at\ night\ or\ during\ thunderstorms=You will have the ability to go to sleep at night or during a storm +Cobblestone\ Camo\ Trapdoor=Cobblestone Camo Trapdoor +You\ have\ never\ killed\ %s=You were never killed %s +Magenta\ Concrete\ Powder=Prah V Concrete +Composter\ composts=Peat, compost +Magenta\ Concrete\ Ghost\ Block=Magenta Concrete Ghost Block +User\ can\ modify\ the\ physical\ structure\ of\ the\ network,\ and\ make\ configuration\ changes.=User can modify the physical structure of the network, and make configuration changes. +Red\ Garnet\ Slab=Red Garnet Slab +Type\ 2\ Cave\ Minimum\ Altitude=Type 2 Cave Minimum Altitude +Diamond\ Puller\ Pipe=Diamond Puller Pipe +Something\ trips=Tour +Disable/Enable=Disable/Enable +Magenta\ Elevator=Magenta Elevator +\nReplaces\ vanilla\ dungeon\ in\ Desert\ biomes.=\nReplaces vanilla dungeon in Desert biomes. +\u00A77\u00A7o"Flying-lickin'\ good."\u00A7r=\u00A77\u00A7o"Flying-lickin' good."\u00A7r +Enter\ a\ Crimson\ Outpost=Enter a Crimson Outpost +Warped\ Wall\ Sign=The Deformation Of The Wall Of The Session +%1$s\ was\ impaled\ by\ %2$s=%1$s he was stabbed to death %2$s +Birch\ Wood=The tree +Pillager\ hurts=The thief is injured +Husk\ dies=The seed dies +Realistic\ Physics=Realistic Physics +File\ not\ found=File not found +Greater=Greater +Red\ Color\:=Red Color\: +Fluix\ Pearl=Fluix Pearl +Piglin\ steps=Stap Piglin +%1$s\ was\ fireballed\ by\ %2$s=%1$s it was fireballed.%2$s +The\ Pyramid\ that\ Bridges\ Worlds=The Pyramid that Bridges Worlds +On-map\ Waypoints=On-map Waypoints +Light\ Blue\ Shingles\ Slab=Light Blue Shingles Slab +Pine\ Boat=Pine Boat +Escape\ the\ island=Escape from the island +Sky\ Stone\ Stairs=Sky Stone Stairs +Quest\ Complete=Quest Complete +Univite\ Excavator=Univite Excavator +Green\ Bend\ Sinister=Green Bend Sinister +Postmortal=Death +Light\ Blue\ Asphalt\ Stairs=Light Blue Asphalt Stairs +Couldn't\ revoke\ %s\ advancements\ from\ %s\ players\ as\ they\ don't\ have\ them=Do not be in a position to get to the bottom %s advances in the field of %s for the players, why not +Mossy\ Cobblestone\ Brick\ Wall=Mossy Cobblestone Brick Wall +Right\ Click\ while\ holding\ item=Right Click while holding item +Wooded\ Meadow=Wooded Meadow +Metite\ Axe=Metite Axe +This\ feature\ is\ not\ supported\ in\ this\ version\ of\ Minecraft=This feature is not supported in this version of Minecraft +Select\ Map=Select Map +Japanese\ Maple\ Drawer=Japanese Maple Drawer +Holly\ Trapdoor=Holly Trapdoor +Unlocked=And +Evoker\ Spawn\ Egg=Simvol\u00ED Spawn Egg +Purple\ Paly=White To Play +Turtle\ Shell\ thunks=Turtle Shell thunks +Capacity\:\ =Capacity\: +Biotite=Biotite +%s\ is\ locked\!=%s it's locked\! +CraftPresence\ -\ Color\ Editor\ (%1$s)=CraftPresence - Color Editor (%1$s) +Warped\ Roots=Deformed Roots +Blackstone\ Post=Blackstone Post +Miscellaneous\ Features=Miscellaneous Features +These\ are\ minecraft\ days\ and\ hours.=These are minecraft days and hours. +Scroll\ Lock=A Key To Lock +Zelkova\ Sapling=Zelkova Sapling +A\ vegetable\ food\ item\ that\ can\ be\ chopped.=A vegetable food item that can be chopped. +Spawn\ Eggs=Spawn Eggs +Purple\ Pale=Purple +Brown\ Glazed\ Terracotta\ Camo\ Door=Brown Glazed Terracotta Camo Door +Stone\ Brick\ Wall=Guri, Come To, Concern +WARNING\!=WARNING\! +Husk\ hurts=The projectile, unfortunately +\u00A77\u00A7o"Redstone\ Propellers\ not\ included."\u00A7r=\u00A77\u00A7o"Redstone Propellers not included."\u00A7r +Secondary\ Light\ Level\:=Secondary Light Level\: +Contains\ %s\ stack(s)=Contains %s stack(s) +Smooth\ Sandstone\ Post=Smooth Sandstone Post +FE\ P2P\ Tunnel=FE P2P Tunnel +Lives=Lives +Red\ Petal\ Block=Red Petal Block +The\ multiplier\ used\ for\ smooth\ transitions.=The multiplier used for smooth transitions. +Interactions\ with\ Stonecutter=Bendradarbiavimo Stonecutter +Unknown\ entity\:\ %s=Unknown\: %s +TechReborn\ Energy=TechReborn Energy +Fir\ Boat=Fir Boat +Reverse\ Dark\ Ethereal\ Glass=Reverse Dark Ethereal Glass +(Made\ for\ an\ older\ version\ of\ Minecraft)=(In earlier versions in Minecraft) +Shift=Shift +Right-Click\ a\ Block\ to\ anchor\ the\ Structure=Right-Click a Block to anchor the Structure +Enter\ a\ Nether\ Mineshaft=Enter a Nether Mineshaft +\u00A77\u00A7o"Attendee's\ cape\ of\ MINECON\ 2016."\u00A7r=\u00A77\u00A7o"Attendee's cape of MINECON 2016."\u00A7r +16k\ Crafting\ Storage=16k Crafting Storage +Jacaranda\ Trapdoor=Jacaranda Trapdoor +Black\ Globe=Black Balls +Reach\ Distance=Reach Distance +Bayou=Bayou +Red\ Fess=Chervony Bandage +Force\ Regenerate=Recovery +Click\ here\ to\ open\ party\ window=Click here to open party window +Pulls\ any\ fluid\ directly\ above\ it,\ pairs\ nicely\ with\ a\ tank\ unit\ underneath=Pulls any fluid directly above it, pairs nicely with a tank unit underneath +Andesite\ Post=Andesite Post +Mangrove\ Fence\ Gate=Mangrove Fence Gate +Creeper\ Charge=Puzavac Besplatno +Add\ Stone\ Igloo\ to\ Modded\ Biomes=Add Stone Igloo to Modded Biomes +Polished\ Blackstone\ Brick\ Stairs=Soft,, Bricks, Stairs, +Orange\ Fess=Orange-Fess +Farmland=The country +Patreon\ Capes=Patreon Capes +Meadow\ Dirt=Meadow Dirt +Recipe\ has\ no\ output=Recipe has no output +Colored\ Tiles\ (Black\ &\ Gray)=Colored Tiles (Black & Gray) +Orange\ Stained\ Glass\ Pane=The Orange Tile In The Bath Area +Chickens\ (Black\ Feathers)=Chickens (Black Feathers) +\u00A7eUse\ while\ on\ ground\ to\ launch\ yourself\u00A7r=\u00A7eUse while on ground to launch yourself\u00A7r +Space\ Slime\ Spawn\ Egg=Space Slime Spawn Egg +Boosters=Boosters +Orange\ Per\ Pale\ Inverted=Light Orange Inverted +Fire\ Resistance\ %s=Fire Resistance %s +Minimap\ Size=Minimap Size +%s\:\ ON=%s\: ON +Edit\ Note=Edit Note +Was\ kicked\ from\ the\ game=And he was thrown out from the game +Magenta\ Per\ Fess\ Inverted=A Purple One With Gold On Its Head +Create\ party=Create party +Potted\ Allium=Pot Ashita +Torch\ Ginger=Torch Ginger +Can't\ find\ any\ space\ for\ item\ in\ the\ inventory=Can't find any space for item in the inventory +Silver\ Gear=Silver Gear +%1$s\ fell\ while\ climbing=%1$s he fell while climbing +The\ End?=At the end of? +Main\ Menu\ Message=Main Menu Message +Light\ Blue\ Per\ Bend\ Sinister=The Blue Light In Bend Sinister +Smooth\ Biotite\ Stairs=Smooth Biotite Stairs +Yellow\ Garnet\ Plate=Yellow Garnet Plate +Distance\ to\ entity=The distance to the object +Stop\ before\ tool\ breaks=Stop before tool breaks +Hit\ the\ bullseye\ of\ a\ Target\ block\ from\ at\ least\ 30\ meters\ away=Hit the bullseye of the target block is not less than 30 metres +Cyan\ Stone\ Bricks=Cyan Stone Bricks +Place\ a\ watermill\ surrounded\ by\ 4\ water\ sources=Place a watermill surrounded by 4 water sources +4k\ ME\ Storage\ Component=4k ME Storage Component +Gray\ Glazed\ Terracotta\ Pillar=Gray Glazed Terracotta Pillar +Horse\ Info=Horse Info +Cleared\ selected\ projectors\!=Cleared selected projectors\! +Jungle\ Planks=The Jungle In The Community +Craft\ a\ Spatial\ IO\ Port=Craft a Spatial IO Port +Back=In the background +Large\ Tent=Large Tent +Pink\ Gradient=Gradient Color Pink +Pink\ Bundled\ Cable=Pink Bundled Cable +Settings=Definition +Iron\ Crook=Iron Crook +Purple\ Gradient=It's Purple For You +Nether\ Quartz\ Dust=Nether Quartz Dust +Blue\ Bend=Bleu-Bend +Gray\ Inverted\ Chevron=Siva Obrnuti Chevron +Biotite\ Bricks=Biotite Bricks +Be\ careful\ with\ this\ one,\ things\ you\ click\ on\ will\ be\ deleted.\ Works\ with\ quest\ sets,\ quests,\ tasks,\ rewards,\ task\ items\ and\ just\ about\ everything.=Be careful with this one, things you click on will be deleted. Works with quest sets, quests, tasks, rewards, task items and just about everything. +1.0x=1.0x +Sphalerite\ Dust=Sphalerite Dust +Enable\ Party\ Poison=Enable Party Poison +Biometric\ Card\ Editor=Biometric Card Editor +No\ Crafting\ CPUs\ are\ Available=No Crafting CPUs are Available +Lead\ Wire=Lead Wire +Pine\ Planks=Pine Planks +Magenta\ Stone\ Bricks=Magenta Stone Bricks +A\ List=Lista " PairOfInts> +Lazuli\ Flux=Lazuli Flux +Lime\ Bed=Lime Bed, +Dome\ of\ the\ Strider=Dome of the Strider +Windows\ /\ Menu=Windows / Menu +Oak\ Crate=Oak Crate +be\ added\ or\ removed=in the add or remove +Tall\ Lime\ Lily=Tall Lime Lily +Polished\ Netherrack\ Stairs=Polished Netherrack Stairs +Alloy\ Furnace=Alloy Furnace +Extreme\ to\ High\ energy\ tier=Extreme to High energy tier +White\ Chevron=White, Sedan, +If\ on,\ the\ client\ will\ try\ to\ send\ packets\ to\ servers\nto\ allow\ extra\ preview\ information\nsuch\ as\ ender\ chest\ previews.=If on, the client will try to send packets to servers\nto allow extra preview information\nsuch as ender chest previews. +Append\ Mod\ Names\:=Append Mod Names\: +Brown\ Oak\ Sapling=Brown Oak Sapling +Appearance=Appearance +Obtain\ a\ Wither\ Skeleton's\ skull=For Yes get dry skeleton on skull +\u00A75\u00A7oUsed\ to\ change\ the\ entangled\ chest\ code=\u00A75\u00A7oUsed to change the entangled chest code +Llama\ spits=In the llama spits +Left\ click\ and\ drag\ to\ move\ an\ interface\ around.=Left click and drag to move an interface around. +Pink\ Terracotta=Pink, Terracotta +Whether\ to\ use\ custom\ texture\:=Whether to use custom texture\: +Updated\ %s\ for\ %s\ entities=Update %s per %s the device +Panel\ obstructed\ from\ sky=Panel obstructed from sky +Void\ Pickup=Void Pickup +Cyan\ Per\ Bend=Blue Pleated +Craft\ a\ Storage\ Cell=Craft a Storage Cell +Green\ Enchanted\ Trapdoor=Green Enchanted Trapdoor +Block\ Name=Block Name +Copper\ Ore=Copper Ore +Parrot\ cries=Cries no papagailis +Rotten\ Flesh\ Block=Rotten Flesh Block +Placement\ range\:\ %s\ blocks=Placement range\: %s blocks +Collect\:\ Endorium\ Ingot=Collect\: Endorium Ingot +Roughly\ Enough\ Items\ Config=Roughly Enough Items Config +Obtain\ Ancient\ Debris=Old Garbage +Minimum\ Spawnheight=Minimum Spawnheight +Purpur\ Lines=Purpur Lines +Plenty\ Cost=Plenty Cost +Wooden\ Axe=Wood With An Axe +White\ Glazed\ Terracotta\ Pillar=White Glazed Terracotta Pillar +Kitchen\ counters,\ cupboards\ and\ sinks\ can\ be\ used\ to\ decorate\ your\ kitchens.\ You\ can\ store\ items\ in\ cupboards.=Kitchen counters, cupboards and sinks can be used to decorate your kitchens. You can store items in cupboards. +Spider\ dies=The spider died +Golden\ Boots=The Gold Of The Shoes +Aspen\ Forest=Aspen Forest +Disable\ default\ auto\ jump=Disable default auto jump +Baobab\ Wood=Baobab Wood +Option=Option +Brown\ Chief\ Dexter\ Canton=Brown Head Of The Municipality Of Dexter +Which\ ingame\ waypoints\ to\ show\ the\ distance\ to\ for.=Which ingame waypoints to show the distance to for. +Raids\ Triggered=Raids Were Caused +Pink\ Tent\ Top=Pink Tent Top +Creeper=Creeper +Data\ Amount\ to\:\ Advanced=Data Amount to\: Advanced +Skyris\ Highlands=Skyris Highlands +A-Z=A-Z +Green\ Per\ Fess\ Inverted=Green Per Fess Inverted +Cypress\ Log=Cypress Log +Monitor=Monitor +and=and +Default\ icon\\n\ (Used\ in\ main\ menu,\ dimensions\ and\ servers)=Default icon\\n (Used in main menu, dimensions and servers) +Willow\ Stairs=Willow Stairs +Jungle\ Fence\ Gate=The Jungle Around The Port +Emit\ Redstone\ to\ craft\ item.=Emit Redstone to craft item. +Potion\ of\ Regeneration=Drink reform +Ender\ Shard=Ender Shard +Spruce\ Kitchen\ Counter=Spruce Kitchen Counter +Zinc\ Plate=Zinc Plate +Create\ world=Armenia +Enter\ a\ Mountains\ Village=Enter a Mountains Village +Append\ Favorites\ Hint\:=Append Favorites Hint\: +Crab\ Spawn\ Egg=Crab Spawn Egg +Main=Main +Use\ Item/Place\ Block=The Item And Use It Instead Of A Block +Asteroid\ Lead\ Ore=Asteroid Lead Ore +Saddle\ equips=Updated the president +Aspen\ Boat=Aspen Boat +Invisible\ while\ locked=Invisible while locked +quest\ sets=quest sets +Hoppers\ Searched=Search For Sales Reps +Martian\ Soil=Martian Soil +Underground\ Generation=Underground Generation +%s\ was\ banned\ by\ %s\:\ %s=%s banned %s\: %s +Potion\ of\ the\ Turtle\ Master=Smoking, Drinking, Lord +The\ minimum\ y-coordinate\ at\ which\ Liquid\ Caverns\ can\ generate.=The minimum y-coordinate at which Liquid Caverns can generate. +Lead\ Chestplate=Lead Chestplate +Long-duration\ Booster\ (Active)=Long-duration Booster (Active) +Ring\ of\ Poison\ Resistance=Ring of Poison Resistance +Elder\ Guardian\ flops=Elder-Guardian-Slippers. +\u00A75\u00A7oA\ magical\ lasso\ that\ hold\ monsters=\u00A75\u00A7oA magical lasso that hold monsters +Item\ breaks=Click on the pause +Sprint=Sprint +Lime\ Field\ Masoned=Var Oblastta On Masoned +Bucket\ of\ Tropical\ Fish=The Bucket Of Tropical Fish +Gray\ Per\ Bend\ Inverted=Silver, If You Want To View +Go\ look\ for\ a\ Pyramid\!=Go look for a Pyramid\! +%s\ Capacitor=%s Capacitor +The\ minimum\ y-coordinate\ at\ which\ vanilla\ caves\ can\ generate.=The minimum y-coordinate at which vanilla caves can generate. +Long\ Slider=This Long-Volume +Old\ Diamond\ Chest=Old Diamond Chest +Aquilorite\ Gem=Aquilorite Gem +Golden\ Kibe=Golden Kibe +Surface\ Cave\ Minimum\ Altitude=Surface Cave Minimum Altitude +%1$s\ on\ a\ Diamond\ Chest\ to\ convert\ it\ to\ an\ Obsidian\ Chest.=%1$s on a Diamond Chest to convert it to an Obsidian Chest. +Autumn\ Birch\ Leaf\ Pile=Autumn Birch Leaf Pile +Chunk\ Loader=Chunk Loader +%s\ (%s)\ generated/tick=%s (%s) generated/tick +You\ can't\ give\ %s\ more\ than\ %s\ lives.=You can't give %s more than %s lives. +Blue\ Shingles\ Stairs=Blue Shingles Stairs +Default\ Server\ Icon=Default Server Icon +Asteroid\ Metite\ Ore=Asteroid Metite Ore +Automation=Automation +Editing\ mode\ is\ now\ disabled.=Editing mode is now disabled. +\u00A77\u00A7o"Have\ a\ spooky\ halloween\!"\u00A7r=\u00A77\u00A7o"Have a spooky halloween\!"\u00A7r +Sweet\ Dreams=Sweet Dreams +Asteroid\ Coal\ Cluster=Asteroid Coal Cluster +Report\ Inaccessible\ Items=Report Inaccessible Items +Lingering\ Potion\ of\ Resilience=Lingering Potion of Resilience +Music=The music of the +Switch\ to\ world=Change the world +Large\ Chest=Big Tits +Percent\ chance\ of\ caverns\ spawning\ in\ a\ given\ region.=Percent chance of caverns spawning in a given region. +From\ %s\ to\ %s=From %s to %s +Obtain\ a\ Univite\ Ingot=Obtain a Univite Ingot +Mine\ Meteor\ Stone\ with\ a\ strong\ pickaxe=Mine Meteor Stone with a strong pickaxe +Extinguish\ a\ mob\ that's\ on\ fire=Extinguish a mob that's on fire +Potted\ Tall\ Pink\ Lathyrus=Potted Tall Pink Lathyrus +Red\ Sandstone\ Platform=Red Sandstone Platform +Red\ Alloy\ Compound=Red Alloy Compound +Blue\ Lawn\ Chair=Blue Lawn Chair +Obsidian\ Furnace=Obsidian Furnace +Great\ Lake\ Isles=Great Lake Isles +Limestone\ Circle\ Pavement=Limestone Circle Pavement +Plates=Plates +World\ templates=Models Of The World +Language...=Language... +Edit\ Waypoint=Edit Waypoint +Red\ ME\ Glass\ Cable=Red ME Glass Cable +Pine\ Sapling=Pine Sapling +Go\ look\ for\ a\ Fortress\!=Go look for a Fortress\! +Magenta\ Base\ Sinister\ Canton=Magenta Base Skummel Canton +Rope\ Bridge\ Post=Rope Bridge Post +Multiplayer\ (LAN)=Multiplayer LAN () +Server\ closed=The Server is already closed +Gray\ Wool=Brown Wool +Not\ a\ valid\ color\!=Not a safe color\! +Potted\ Oak\ Sapling=Hidden Oak +The\ sound\ is\ too\ far\ away\ to\ be\ heard=The sound is very far away from the headphones +The\ target\ does\ not\ have\ slot\ %s=The goal is not a socket %s +Get\ an\ Energy\ Upgrade=Get an Energy Upgrade +Adventure,\ exploration\ and\ combat=Adventure, exploration, and combat +This\ Configuration\ Gui\ was\ made\ from\ scratch\ by\\n\ Jonathing,\ and\ will\ continue\ to\ be\ maintained\ by\\n\ CDAGaming.\ A\ lot\ of\ effort\ went\ into\ making\ this\\n\ custom\ Gui,\ so\ show\ him\ some\ support\!\ Thanks.\\n\\n\ Feel\ free\ to\ learn\ from\ this\ Gui's\ code\ on\\n\ the\ CraftPresence\ GitLab\ repository.=This Configuration Gui was made from scratch by\\n Jonathing, and will continue to be maintained by\\n CDAGaming. A lot of effort went into making this\\n custom Gui, so show him some support\! Thanks.\\n\\n Feel free to learn from this Gui's code on\\n the CraftPresence GitLab repository. +Cyan\ Field\ Masoned=Blue Boxes Have Been Replaced With Brick Underground +Remote\ Getaway=Distance Recreation +We\ Have\ Liftoff=We Have Liftoff +Chainmail\ Recipe=Chainmail Recipe +Burst=Burst +Seagrass=Algae +No\ items\ were\ found\ on\ player\ %s=Not in items, the player %s +Green\ Banner=Selenate Banner +Sweet\ Berry\ Pie=Sweet Berry Pie +Selected\:\ %s=Selected\: %s +"Hold"\ needs\ the\ zoom\ key\ to\ be\ hold.="Hold" needs the zoom key to be hold. +Day\ Two=The Two Days Of +Base=Base +Warped\ Platform=Warped Platform +Sakura\ Table=Sakura Table +Obsidian\ Decorated\ Glass\ Pane=Obsidian Decorated Glass Pane +Lime\ Per\ Bend\ Sinister=Go To The Bend Sinister +A\ metal\ with\ significant\ electrical\ conductivity\ and\ silvery\ texture.=A metal with significant electrical conductivity and silvery texture. +Villager\ hurts=The city is in a mess +Creative\ Energy\ Cell=Creative Energy Cell +Grinder=Grinder +Reloaded\ the\ whitelist=To be added to the list of rights +Tag\ entry\ unavailable.=Tag entry unavailable. +Piglin\ Tricker\ Module=Piglin Tricker Module +Copper\ Plate=Copper Plate +Advanced\ %s\ %s\ Turtle=Advanced %s %s Turtle +Molten\ Copper\ Bucket=Molten Copper Bucket +Chicken\ dies=The chicken dies +Fluix\ Paint\ Ball=Fluix Paint Ball +Polluted\ Lake=Polluted Lake +Buckets=Buckets +Regular\ Conveyor\ Belt=Regular Conveyor Belt +Brown\ ME\ Dense\ Covered\ Cable=Brown ME Dense Covered Cable +Charges\ up\ to\ 6\ items\ simultaneously=Charges up to 6 items simultaneously +Snowy\ Blue\ Giant\ Taiga=Snowy Blue Giant Taiga +Pressing=Pressing +Jump\ Boost\ Cost=Jump Boost Cost +Flame=Flames +A\ basic\ electric\ circuit\ board,\ built\ for\ general\ systems\ with\ no\ special\ requirements,\ whose\ architecture\ is\ based\ on\ graphene.=A basic electric circuit board, built for general systems with no special requirements, whose architecture is based on graphene. +Snowy\ Deciduous\ Forest\ Hills=Snowy Deciduous Forest Hills +Charred\ Bricks=Charred Bricks +Sea\ Lantern=More, Svjetionik +Down\ Arrow=Pil Ned +Mask=Mask +The\ maximum\ value\ which\ the\ linear\ transition\ step\ can\ reach.=The maximum value which the linear transition step can reach. +Opening\ the\ config\ screen\ with\ the\ keybinding\ is\ currently\ unavailable.=Opening the config screen with the keybinding is currently unavailable. +Wooded\ Mountains=The Wooded Mountains Of The +Purple\ Color\ Module=Purple Color Module +\nReplaces\ Mineshafts\ in\ Savanna\ biomes.\ How\ often\ Mineshafts\ will\ spawn.=\nReplaces Mineshafts in Savanna biomes. How often Mineshafts will spawn. +Birch\ Trapdoor=Fishing Should Be Conducted +Steel\ Leggings=Steel Leggings +Set\ the\ time\ to\ %s=You can set the %s +Day\ Pack=Day Pack +Spear\ hits\ flesh=Spear hits flesh +Acacia\ Barrel=Acacia Barrel +Japanese\ Maple\ Platform=Japanese Maple Platform +Found\ MCUpdater\ instance\ data\!\ (Name\:\ "%1$s")=Found MCUpdater instance data\! (Name\: "%1$s") +Bamboo\ Trapdoor=Bamboo Trapdoor +Diorite\ Camo\ Trapdoor=Diorite Camo Trapdoor +Check\ the\ 'rei_exports'\ folder.=Check the 'rei_exports' folder. +Generate\ Core\ of\ Flights\ on\ Abandoned\ Mineshafts\ Chests=Generate Core of Flights on Abandoned Mineshafts Chests +Mob\ Strength=Mob Strength +Red\ Per\ Bend\ Sinister\ Inverted=Red Bend Male Capovolto +Multiplayer\ (3rd-party\ Server)=Multiplayer (3rd party Server) +Peridot\ Wall=Peridot Wall +\u00A7e%s%%\ Chance=\u00A7e%s%% Chance +Light\ Blue\ Topped\ Tent\ Pole=Light Blue Topped Tent Pole +Pufferfish\ stings=Food, fish +\nHow\ rare\ are\ Nether\ Brick\ Outposts\ in\ Nether\ biomes.\ 1\ for\ spawning\ in\ most\ chunks\ and\ 1001\ for\ none.=\nHow rare are Nether Brick Outposts in Nether biomes. 1 for spawning in most chunks and 1001 for none. +Cracked\ Diorite\ Bricks=Cracked Diorite Bricks +Biome=BIOM +Zombie\ Horse\ hurts=Zombie Hest +Blaze\ Spawn\ Egg=Fire Spawn Egg +Lunum\ Axe=Lunum Axe +Hide\ Waypoint\ Coords=Hide Waypoint Coords +Mahogany\ Bookshelf=Mahogany Bookshelf +Tin\ Sword=Tin Sword +Disband\ Party=Disband Party +Logic=Logic +Steel\ can\ be\ obtained\ by\ combining\ an\ Iron\ Ingot\ and\ 2\ $(item)Coal\ Dust$()\ or\ $(item)Charcoal\ Dust$()\ in\ an\ $(item)$(l\:machinery/alloy_smelter)Alloy\ Smelter$().\ This\ produces\ a\ single\ $(item)Steel\ Ingot$().=Steel can be obtained by combining an Iron Ingot and 2 $(item)Coal Dust$() or $(item)Charcoal Dust$() in an $(item)$(l\:machinery/alloy_smelter)Alloy Smelter$(). This produces a single $(item)Steel Ingot$(). +Blue\ Rune=Blue Rune +\ Fuel\ usage\:\ %sx=\ Fuel usage\: %sx +Poppy=Sai +A\ campfire-cooked\ food\ item,\ obtained\ by\ cooking\ Tomato\ Slices.\ Can\ be\ eaten\ faster.=A campfire-cooked food item, obtained by cooking Tomato Slices. Can be eaten faster. +Lit\ Gray\ Redstone\ Lamp=Lit Gray Redstone Lamp +Bricks=Brick +Pickle\ Jar=Pickle Jar +Check\ your\ current\ lives\ remaining.=Check your current lives remaining. +Rockcutter=Rockcutter +Stone\ Brick\ Platform=Stone Brick Platform +Respiration=Breathing +Glyceryl=Glyceryl +(Locked)=(Locked) +Bricks\ (Legacy)=Bricks (Legacy) +White\ Glazed\ Terracotta\ Camo\ Trapdoor=White Glazed Terracotta Camo Trapdoor +Lord\ of\ The\ End=Lord of The End +Time\ Since\ Last\ Death=The Latest Death +Type\:\ %s=Type\: %s +Coal\ Ore=Coal, Iron Ore +Minecon\ 2012\ Cape\ Wing=Minecon 2012 Cape Wing +Invalid\ float\ '%s'=Error-float '%s' +Lapis\ Lazuli\ Block\ (Legacy)=Lapis Lazuli Block (Legacy) +%s\ has\ been\ added\ as\ a\ trusted\ member\ to\ this\ claim.=%s has been added as a trusted member to this claim. +%s\ Table=%s Table +Small\ Pile\ of\ Almandine\ Dust=Small Pile of Almandine Dust +Click\ on\ the\ text\ you\ want\ to\ edit.\ Works\ with\ names\ and\ descriptions\ for\ quest\ sets,\ quests,\ tasks,\ main\ lore,\ reward\ groups\ and\ reward\ tiers.=Click on the text you want to edit. Works with names and descriptions for quest sets, quests, tasks, main lore, reward groups and reward tiers. +Customize=Custom +Desert\ Dungeons=Desert Dungeons +Magma\ Cube\ Spawn\ Egg=Magma Cube Spawn Muna +Yellow\ Glazed\ Terracotta\ Ghost\ Block=Yellow Glazed Terracotta Ghost Block +\nAdd\ Nether\ themed\ Mineshafts\ to\ Nether\ biomes.=\nAdd Nether themed Mineshafts to Nether biomes. +Colored\ Tiles\ (Red\ &\ Blue)=Colored Tiles (Red & Blue) +Basalt\ Platform=Basalt Platform +Please\ try\ restarting\ Minecraft=Please try again Minecraft +Purple\ Globe=Purple Color Is In The World +Press\ %1$s\ to\ Dismount=Press %1$s to Dismount +Interactions\ with\ Lectern=The Interaction With The Reception Staff +Expected\ value\ for\ option\ '%s'=The expected value of the option is"".%s' +Stripped\ Jacaranda\ Log=Stripped Jacaranda Log +Lead\ Mattock=Lead Mattock +Update\ account=For that you need to increase your score +Skeleton\ Friendly=Skeleton Friendly +Stripped\ Jacaranda\ Wood=Stripped Jacaranda Wood +Dark\ Blue=Dark Blue +Electrum\ is\ often\ used\ for\ coins.=Electrum is often used for coins. +Enable\ old\ stone\ rods\ for\ backwards\ compatibility.=Enable old stone rods for backwards compatibility. +Crystal\ Item=Crystal Item +Temples=The church +Cika\ Woods=Cika Woods +Dolphin\ dies=Dolphin and his death +Would\ you\ like\ to\ delete\ the\ following\ connection\ between\ sub-worlds?=Would you like to delete the following connection between sub-worlds? +Stopped\ all\ '%s'\ sounds=He stopped all the%sthe whole +Endorium\ Ingot=Endorium Ingot +Damage\ Absorbed=The Damage Is Absorbed +Tritium=Tritium +Endermen\ Proof\ Vision=Endermen Proof Vision +Pink\ Insulated\ Wire=Pink Insulated Wire +Teleport\ Chat\ Command=Teleport Chat Command +A\ machine\ which\ consumes\ $(thing)energy$()\ to\ place\ $(thing)blocks$()\ in\ the\ world.=A machine which consumes $(thing)energy$() to place $(thing)blocks$() in the world. +Vanilla\ Cave\ Maximum\ Altitude=Vanilla Cave Maximum Altitude +Yellow\ Roundel=Yellow, Round +Sapphire\ Stairs=Sapphire Stairs +Black\ Stone\ Bricks=Black Stone Bricks +Block\ Transparency=Block Transparency +Five-Coin=Five-Coin +Scan\ output=Scan output +Red\ Rock\ Lowlands=Red Rock Lowlands +Set\ loot\ table\:\ %s=Set loot table\: %s +Pufferfish\ inflates=Puffer fish inflate +Brick=The brick +for\ %s=for %s +Electric\ Smelting=Electric Smelting +What\ will\ hopefully\ become\ a\ comprehensive\ test\ book\ for\ all\ of\ Patchouli,\ instead\ of\ the\ mishmash\ of\ random\ spaghetti\ we\ have\ right\ now.=What will hopefully become a comprehensive test book for all of Patchouli, instead of the mishmash of random spaghetti we have right now. +Magenta\ Glider=Magenta Glider +Interactions\ with\ Cartography\ Table=Work that complies with the table +%s\ of\ %s\ (%s)=%s of %s (%s) +Invalid\ integer\ '%s'=Invalid number%s' +Amount\:=Amount\: +Tanned\ Leather\ Pouch=Tanned Leather Pouch +Collision\ rule\ for\ team\ %s\ is\ now\ "%s"=Standards impact staff %s it is now."%s" +Invalid\ structure\ name\ '%s'=Invalid estructura nom"%s' +\ \ Small\:\ 0.008=\ Small\: 0.008 +The\ station\ doesn't\ have\ enough\ products.=The station doesn't have enough products. +bar=bar +Lunum\ Mattock=Lunum Mattock +Heavy\ Weighted\ Pressure\ Plate=Heavy Weighted Pressure Plate +Power\ Level=Power Level +Bamboo\ Jungle\ Hills=Bamboo, Forest, Hills, Mountains +Nether\ Quartz\ Cutting\ Knife=Nether Quartz Cutting Knife +Alt\ +\ %s=ALT + %s +Fermenting\ Milk=Fermenting Milk +Baobab\ Savanna=Baobab Savanna +Switch\ to\ %s=Switch to %s +Defaults=The default value +Door\ creaks=This creaking door +Reeds=Reeds +Hoe\ tills=Robs +Yellow\ Glazed\ Terracotta\ Glass=Yellow Glazed Terracotta Glass +\u00A7lCraftPresence\ -\ View\ Sub-Commands\:\\n\\n\ \u00A76\u00A7lcurrentData\ \u00A7r-\ Shows\ your\ current\ RPC\ data,\ in\ text\\n\ \u00A76\u00A7lassets\ \u00A7r-\ Displays\ all\ asset\ icons\ available\\n\ \u00A76\u00A7ldimensions\ \u00A7r-\ Displays\ available\ dimension\ names\\n\ \u00A76\u00A7lbiomes\ \u00A7r-\ Displays\ available\ biome\ names\\n\ \u00A76\u00A7lservers\ \u00A7r-\ Displays\ available\ server\ addresses\\n\ \u00A76\u00A7lscreens\ \u00A7r-\ Displays\ available\ Gui\ names\\n\ \u00A76\u00A7litems\ \u00A7r-\ Displays\ available\ item\ names\\n\ \u00A76\u00A7lentities\ \u00A7r-\ Displays\ available\ entity\ names=\u00A7lCraftPresence - View Sub-Commands\:\\n\\n \u00A76\u00A7lcurrentData \u00A7r- Shows your current RPC data, in text\\n \u00A76\u00A7lassets \u00A7r- Displays all asset icons available\\n \u00A76\u00A7ldimensions \u00A7r- Displays available dimension names\\n \u00A76\u00A7lbiomes \u00A7r- Displays available biome names\\n \u00A76\u00A7lservers \u00A7r- Displays available server addresses\\n \u00A76\u00A7lscreens \u00A7r- Displays available Gui names\\n \u00A76\u00A7litems \u00A7r- Displays available item names\\n \u00A76\u00A7lentities \u00A7r- Displays available entity names +Unknown\ scoreboard\ objective\ '%s'=We do not know of a system is the goal '%s' +Bronze\ Crook=Bronze Crook +\u00A74\u00A7oBeware\!\ They\ may\ come\ out\ cursed=\u00A74\u00A7oBeware\! They may come out cursed +Yellow\ Shulker\ Box=\u017Duta Polja Shulker +Click\ on\ slot\ to\ configure.=Click on slot to configure. +Black\ Concrete=Black Concrete +Craft\ a\ Fire\ Extinguisher=Craft a Fire Extinguisher +Factory.\ Must.\ Grow=Factory. Must. Grow +Adorn+EP\:\ Platforms=Adorn+EP\: Platforms +Blacklisted\ Igloos\ Biomes=Blacklisted Igloos Biomes +Fall\ Immunity=Fall Immunity +Bucket\ fills=The bucket fills up +Aquilorite\ Gun=Aquilorite Gun +Expires\ in\ %s\ days=This is the stuff %s days ago +Blue\ Shulker\ Box=Blue Type Shulker +Statistics=Statistics +Push\ other\ teams=To execute the command +\u00A7bInput\ \u00A77/\ \u00A76Output=\u00A7bInput \u00A77/ \u00A76Output +Text\ Background\ Opacity=Text Opacity +View\ All\ Categories=View All Categories +Hardcore\ mode\ is\ not\ active,\ you\ have\ an\ infinite\ amount\ of\ lives.=Hardcore mode is not active, you have an infinite amount of lives. +Tags\ aren't\ allowed\ here,\ only\ actual\ items=Tags are not allowed here, only real elements +Primitive\ machine\ to\ make\ alloys\ from\ ingots\ or\ dusts=Primitive machine to make alloys from ingots or dusts +Hold\ Ctrl\ to\ see\ this\ as\ a\ non-editor.=Hold Ctrl to see this as a non-editor. +Lunum\ Helmet=Lunum Helmet +Red\ Bend\ Sinister=A Red Bend Sinister +%s\ is\ not\ holding\ any\ item=%s do not keep any type of object +%s\ (%s)=%s (%s) +%s\ has\ reached\ the\ goal\ %s=%s reached the goal %s +Wither\ Skeleton=Wither Skeleton +Banned\ %s\:\ %s=As a %s\: %s +Crimson\ Door=Ketone Door +Holly\ Fence\ Gate=Holly Fence Gate +Hemlock\ Chair=Hemlock Chair +Change\ the\ task\ type\ of\ item\ tasks.=Change the task type of item tasks. +Diamond\ to\ Netherite\ upgrade=Diamond to Netherite upgrade +1\ Lapis\ Lazuli=1 lapis-Lazur +A\ restart\ will\ be\ required\ in\ order\ to\ apply\ the\ changes.=A restart will be required in order to apply the changes. +The\ QDS\ is\ currently\ bound\ to\ '%s'=The QDS is currently bound to '%s' +New\ Chapters\ Unlocked=New Chapters Unlocked +Fill\ a\ bucket\ with\ lava=A bucket of lava +There\ are\ %s\ teams\:\ %s=I don't %s command\: %s +Diamond\ Crook=Diamond Crook +An\ elite\ electric\ circuit\ board,\ built\ for\ systems\ with\ high\ throughput\ and\ low\ latency\ in\ mind,\ whose\ architecture\ makes\ use\ of\ coveted,\ laboratory-made\ materials.=An elite electric circuit board, built for systems with high throughput and low latency in mind, whose architecture makes use of coveted, laboratory-made materials. +One\ of\ your\ modified\ settings\ requires\ Minecraft\ to\ be\ restarted.\ Do\ you\ want\ to\ proceed?=The change of one of parameters, a restart is required. Do you want to continue? +between\ sets=between sets +Small\ Spruce\ Logs=Small Spruce Logs +Last\ synchronized\:=Last synchronized\: +Mashed\ Potatoes=Mashed Potatoes +Always\ active=Always active +Crimson\ Warty\ Blackstone\ Brick\ Stairs=Crimson Warty Blackstone Brick Stairs +Mossy\ Cobblestone\ Post=Mossy Cobblestone Post +Stripped\ Dark\ Amaranth\ Hyphae=Stripped Dark Amaranth Hyphae +Golden\ Taco=Golden Taco +Cable\ Anchor=Cable Anchor +Pufferfish\ hurts=For the base, it hurts so much +Stack\ Limit\:\ %s=Stack Limit\: %s +Diamond=Diamond +Bluestone=Bluestone +Evergreen\ Taiga=Evergreen Taiga +The\ Final\ Frontier=The Final Frontier +Linear=Linear +Bamboo\ Cross\ Timber\ Frame=Bamboo Cross Timber Frame +Books\ reloaded\ in\ %s\ ms.=Books reloaded in %s ms. +Pillager\ Spawn\ Egg=Pillager Spawn Egg +Purple=Dark purple +Skeletons\ strafe\ while\ attacking=Skeletons strafe while attacking +Customize\ Status\ Messages=Customize Status Messages +Black\ Snout=Black Muzzle +Timer\ Module=Timer Module +Tin\ Mining\ Tool=Tin Mining Tool +Cracked\ Andesite\ Bricks=Cracked Andesite Bricks +Raw\ Berries\ Pie=Raw Berries Pie +%s/%s\ completed\ tasks.=%s/%s completed tasks. +Toggle\ Cinematic\ Camera=Endre Film Camera +%%s\ %%%s\ %%%%s\ %%%%%s=%%s %%%s %%%%s %%%%%s +Redstone\ Card=Redstone Card +'Slight'\ Gui\ Modifications='Slight' Gui Modifications +End\ Crystal=At The End Of The Crystal +Granite\ Camo\ Trapdoor=Granite Camo Trapdoor +%s/t\:\ %s=%s/t\: %s +%s\:\ %s=%s\: %s +Netherite\ Dust=Netherite Dust +tasks=tasks +Durability\ Factor=Durability Factor +Raw\ Cake=Raw Cake +Chiseled\ Red\ Rock\ Bricks=Chiseled Red Rock Bricks +Mouse\ Settings=Mouse Settings +Blue\ Glowcane=Blue Glowcane +Light\ Blue\ Stained\ Pipe=Light Blue Stained Pipe +Barrels\ Opened=The Barrel Opened +Showing\ %s\ libraries=Shows %s library +Pipe\ Probe=Pipe Probe +Tooltip\ Border\ Color=Tooltip Border Color +System\ Glitch=System Glitch +Are\ you\ sure\ you\ want\ to\ delete\ this?=Are you sure you want to delete this? +Requirement=Requirement +Splash\ Potion=Cracks Brew +Maintain\ counts=Maintain counts +\nAdd\ Nether\ Warped\ Temple\ to\ modded\ Nether\ Warped\ Forest\ biomes.=\nAdd Nether Warped Temple to modded Nether Warped Forest biomes. +Distract\ Piglins\ with\ gold=Abstract Piglins gold +Potted\ Huge\ Red\ Mushroom=Potted Huge Red Mushroom +Smooth\ Stone\ Glass=Smooth Stone Glass +Carbon\ Fiber=Carbon Fiber +Failed\ to\ find\ primary\ Curse\ manifest\ data,\ attempting\ to\ use\ fallback\ resource...=Failed to find primary Curse manifest data, attempting to use fallback resource... +White\ Asphalt\ Slab=White Asphalt Slab +Linked\ Ender\ Shard\ to\ %1$s,\ %2$s,\ %3$s=Linked Ender Shard to %1$s, %2$s, %3$s +Show\ Selected=Show Selected +Purple\ Base\ Gradient=The Purple Foot Of The Mountain +Opaque\ to\ light=Opaque to light +Interactions\ with\ Smithing\ Table=The Interaction Of The Blacksmith Table +Horn\ Coral=Cornul Coral +Black\ Bend=Black Bending +Select\ Data\ Packs=Select The Data In The Packet +Shrinking\ the\ world\ border\ to\ %s\ blocks\ wide\ over\ %s\ seconds=The fall of the world border %s the blocks %s seconds +Fast\ graphics\ reduces\ the\ amount\ of\ visible\ rain\ and\ snow.\nTransparency\ effects\ are\ disabled\ for\ various\ blocks\ such\ as\ tree-leaves.=Fast graphics, it reduces the size of the sum shows up in rain and snow.\nTransparency-effect disable various blocks, for example, the leaves of the trees. +Magenta\ Globe=Lilla Verden +Craft\ an\ industrial\ machine\ frame=Craft an industrial machine frame +%1$s\ hit\ the\ ground\ too\ hard=%1$s the ground is too hard +Basic\ Fluid\ Mixer=Basic Fluid Mixer +Dacite\ Slab=Dacite Slab +Shulker\ Shell=Shulker Download +Warped\ Warty\ Blackstone\ Brick\ Stairs=Warped Warty Blackstone Brick Stairs +Red\ Cross=The Red Cross +Storage\ Nomad=Storage Nomad +Open\ Config\ Screen\n\u00A77Shift-Click\ to\ toggle\ cheat\ mode=Open Config Screen\n\u00A77Shift-Click to toggle cheat mode +Gauntlets\ which\ can\ repel\ opponents.\ One\ must\ be\ worn\ on\ each\ hand,\ and\ they\ must\ be\ charged\ before\ they\ can\ activate$(p)Charging\ is\ done\ by\ holding\ right\ click\ with\ one\ in\ each\ hand,\ and\ takes\ energy.=Gauntlets which can repel opponents. One must be worn on each hand, and they must be charged before they can activate$(p)Charging is done by holding right click with one in each hand, and takes energy. +Move\ Items=Move Items +\nAdd\ Mob\ Spawners\ to\ rooms\ other\ than\ the\ Portal\ Room.\ Note\:\ Spawners\ in\ Portal\ Room\ will\ always\ spawn.=\nAdd Mob Spawners to rooms other than the Portal Room. Note\: Spawners in Portal Room will always spawn. +Demonic\ Flesh=Demonic Flesh +Magenta\ Asphalt=Magenta Asphalt +Copper\ Slab=Copper Slab +Sync\ %1$s=Sync %1$s +Splash\ Potion\ of\ Water\ Breathing=Splash Potion Of Water Breathing +Holly\ Slab=Holly Slab +Quartz\ Dust=Quartz Dust +Enderman\ dies=Enderman dies +Icy\ Mineshaft=Icy Mineshaft +Block\ of\ Steel=Block of Steel +Red\ Nether\ Brick\ Slab=Red Nether Tegel Plattor +Today\ Junior=Today Junior +Aspen\ Forest\ Hills=Aspen Forest Hills +Leather\ Pants=Leather Pants +Pink\ Daffodil=Pink Daffodil +Invalid\ array\ type\ '%s'=Bad table type '%s' +Water\ Region\ Size\ Custom\ Value=Water Region Size Custom Value +Zombie=Zombik +White\ Per\ Bend\ Inverted=The White Bend Reversed, +Speed\ Module=Speed Module +Blackstone=Common +DEBUG\ Settings=DEBUG Settings +Normal\ Quest=Normal Quest +Yellow\ Color\ Module=Yellow Color Module +Blue\ Mushroom=Blue Mushroom +Locked\ Quest=Locked Quest +Cyan\ Per\ Bend\ Inverted=Lok-Modra In Prodajo +Orange\ Beveled\ Glass\ Pane=Orange Beveled Glass Pane +Lead\ Hoe=Lead Hoe +\u00A79Stored\:\ =\u00A79Stored\: +%1$s\ blew\ up=%1$s explode +Welcome\ to\ Edit\ Mode\!=Welcome to Edit Mode\! +%1$s\ was\ poked\ to\ death\ by\ a\ sweet\ berry\ bush=%1$s the death of berry bush sweet \u0441\u0443\u043D\u0443\u043B\u0441\u044F +Small\ Pile\ of\ Peridot=Small Pile of Peridot +Holographic\ Connector\ clicks=Holographic Connector clicks +Quartz\ Pillar\ Ghost\ Block=Quartz Pillar Ghost Block +Dark\ Amaranth\ Fungus=Dark Amaranth Fungus +Small\ Pile\ of\ Steel\ Dust=Small Pile of Steel Dust +Grants\ Night\ Vision\ Effect=Grants Night Vision Effect +Diamond\ Saw\ Blade=Diamond Saw Blade +Crimson\ Kitchen\ Sink=Crimson Kitchen Sink +Polished\ End\ Stone=Polished End Stone +Granite\ Slab=Granite Floor +Rabbit\ dies=The dead rabbit +Sterling\ Silver\ Mining\ Tool=Sterling Silver Mining Tool +Elite\ Machine\ Upgrade\ Kit=Elite Machine Upgrade Kit +Velocity\ interpolating\ also\ occurs\ slowly.=Velocity interpolating also occurs slowly. +Height=Height +Asteroid\ Stone\ Wall=Asteroid Stone Wall +Displaying\ particle\ %s=The shape of the particles %s +Block\ of\ Zinc=Block of Zinc +Electrum\ Excavator=Electrum Excavator +Peripheral\ "%s"\ disconnected\ from\ network=Peripheral "%s" disconnected from network +\nReplaces\ Mineshafts\ in\ Desert\ biomes.\ How\ often\ Mineshafts\ will\ spawn.=\nReplaces Mineshafts in Desert biomes. How often Mineshafts will spawn. +Crimson\ Shipwreck\ Spawnrate=Crimson Shipwreck Spawnrate +%1$s\ was\ roasted\ in\ dragon\ breath\ by\ %2$s=%1$s roast the dragon's breath %2$s +Backpack=Backpack +Stone\ Camo\ Door=Stone Camo Door +Diamond\ Mattock=Diamond Mattock +Unknown\ item\ tag\ '%s'=Unknown tag item '%s' +Light\ Gray\ Roundel=Light Gray Rondelle +Customize\ messages\ to\ display\ with\ items\\n\ (Manual\ format\:\ item;message)\\n\ Available\ placeholders\:\\n\ -\ &item&\ \=\ Item\ name\\n\\n\ %1$s=Customize messages to display with items\\n (Manual format\: item;message)\\n Available placeholders\:\\n - &item& \= Item name\\n\\n %1$s +\nAdds\ Nether\ themed\ wells\ to\ Nether\ biomes.=\nAdds Nether themed wells to Nether biomes. +Chickens\ drops\ Black\ Feathers=Chickens drops Black Feathers +Deflect\ a\ projectile\ with\ a\ shield=In order to reject the anti-missile shield +Banned\ IP\ %s\:\ %s=The public IP address of the %s\: %s +Block\ of\ Galaxium=Block of Galaxium +Light\ Blue\ Lozenge=Blue Diamond +Replacement\ State=Replacement State +Mooshroom\ gets\ milked=Milked Mooshroom +Lime\ Table\ Lamp=Lime Table Lamp +Attempting\ to\ attack\ an\ invalid\ entity=I'm trying to get the error message, that the person +Delay\ Between\ Teleports=Delay Between Teleports +Alternative\ Bat\ Wing=Alternative Bat Wing +Overlay=Overlay +Lime\ Cross=Through The Lime +Block\ of\ Yellow\ Garnet=Block of Yellow Garnet +Change\ if\ a\ quest\ should\ be\ repeatable\ or\ not,\ and\ if\ so,\ the\ properties\ of\ the\ repeatability.=Change if a quest should be repeatable or not, and if so, the properties of the repeatability. +Stone\ Rod=Stone Rod +Phantom\ dies=The spirit of the +Curse\ of\ Vanishing=The Curse Of The Leakage +Orange\ Inverted\ Chevron=Portokal Chevron On Segnata Country +Brown\ Snout=Brown Boca +Smooth\ Purpur\ Stairs=Smooth Purpur Stairs +End\ Stone\ Brick\ Step=End Stone Brick Step +Repair\ &\ Disenchant=Remonts, Disenchant +Tapping\ Time=Tapping Time +Fairy\ Slipper=Fairy Slipper +Tin\ Helmet=Tin Helmet +/hqm\ enable=/hqm enable +Orange\ Bed=The Orange Bed +Mods\ Placeholder=Mods Placeholder +Grab=Grab +Copper\ Sword=Copper Sword +\ Dupe\ chance\:\ %s=\ Dupe chance\: %s +Data\ Storage\ Chip=Data Storage Chip +Small\ Beginnings=Small Beginnings +Mangrove\ Button=Mangrove Button +Rubber\ Trapdoor=Rubber Trapdoor +Requires\ tool=Requires tool +Silver\ Ingot=Silver Ingot +Green\ Chevron=The Green \u0428\u0435\u0432\u0440\u043E\u043D +Magenta\ Bend\ Sinister=Purple Bend Sinister +Pinned\ Height\ Scale=Pinned Height Scale +Arrow\ of\ Rocket\ Fuel=Arrow of Rocket Fuel +Aspen\ Trapdoor=Aspen Trapdoor +Set\ %s\ experience\ points\ on\ %s\ players=In General %s experience points %s players +Hunger\ Notification=Hunger Notification +Blocking\ Mode=Blocking Mode +Netherite\ Shovel=Netherite Knife +Ivy\ Patch=Ivy Patch +Hoglin\ dies=Hoglin to die +Rounds=Toranj +Shattered\ Savanna\ Plateau=Part Of The Plateau Savanna +Server\ Resource\ Packs=The Resource Packs For The Server +Cypress\ Drawer=Cypress Drawer +Nikolite\ Ingot=Nikolite Ingot +Purple\ Tent\ Top=Purple Tent Top +Party\ Poison\ Chance=Party Poison Chance +Show\ current\ biome\ in\ Rich\ Presence?=Show current biome in Rich Presence? +%1$s\ experienced\ kinetic\ energy\ whilst\ trying\ to\ escape\ %2$s=%1$s experienced kinetic energy, while she tried to escape %2$s +Polished\ Andesite\ Glass=Polished Andesite Glass +Dark\ Amaranth\ Hyphae=Dark Amaranth Hyphae +Resulted\ Potion=Resulted Potion +Magic\ Theme=Magic Theme +%s[%s%%]\ killed=%s[%s%%] killed +Craft\ a\ Quantum\ Link=Craft a Quantum Link +Purpur\ Pillar\ Glass=Purpur Pillar Glass +Gray=Grey +Chance\ that\ a\ rare\ crate\ will\ spawn=Chance that a rare crate will spawn +Shulker\ Spawn\ Egg=Shulk For Caviar Eggs +Tier\:=Tier\: +Red\ Stained\ Pipe=Red Stained Pipe +Tool\ Mode\:\ %s=Tool Mode\: %s +ME\ Terminal=ME Terminal +180k\ NaK\ Coolant\ Cell=180k NaK Coolant Cell +Pink\ Glazed\ Terracotta\ Glass=Pink Glazed Terracotta Glass +More\ World\ Options...=A Number Of Options. +General=In General +REQUIRES\ MINECRAFT\ RESTART\ TO\ TAKE\ EFFECT\!=REQUIRES MINECRAFT RESTART TO TAKE EFFECT\! +Purified\ Copper\ Ore=Purified Copper Ore +Pine\ Fence=Pine Fence +Energy\ stored\:=Energy stored\: +Hide\ from\ Debug=Hide from Debug +\u00A7cCheating\ Enabled=\u00A7cCheating Enabled +You\ are\ banned\ from\ this\ server.\nReason\:\ %s=You are banned on this server.\nReason\: %s +Witch-hazel\ Wall=Witch-hazel Wall +Rainbow\ Eucalyptus\ Kitchen\ Cupboard=Rainbow Eucalyptus Kitchen Cupboard +Green\ Wool=Yesil Wool +Rubber\ Coffee\ Table=Rubber Coffee Table +Skeleton\ Horse\ cries=Horse skeleton Creek +Lime\ Lawn\ Chair=Lime Lawn Chair +Too\ many\ chunks\ in\ the\ specified\ area\ (maximum\ %s,\ specified\ %s)=In many places in the area (up to %s in %s) +\u00A77Sprint\ Fuel\ Modifier\:\ \u00A7a%s=\u00A77Sprint Fuel Modifier\: \u00A7a%s +The\ limit\ per\ each\ entity\ category.=The limit per each entity category. +Crystal\ Plant=Crystal Plant +Station\ can\ not\ be\ located.=Station can not be located. +Huge=Huge +Target\ Set=Target Set +Terracotta\ Camo\ Trapdoor=Terracotta Camo Trapdoor +Gravelly\ Mountains+=The Gravel Of The Mountain+ +Wither\ Skeleton\ hurts=The top of a Skeleton, it hurts +Slime\ squishes=Slime squishes +Empty\ Crunchy\ Shell=Empty Crunchy Shell +Page\ %1$s\ of\ %2$s=Page %1$s it %2$s +Fireball\ whooshes=The ball of fire is called +Shutdown\ the\ listed\ computers\ or\ all\ if\ none\ are\ specified.\ You\ can\ specify\ the\ computer's\ instance\ id\ (e.g.\ 123),\ computer\ id\ (e.g\ \#123)\ or\ label\ (e.g.\ "@My\ Computer").=Shutdown the listed computers or all if none are specified. You can specify the computer's instance id (e.g. 123), computer id (e.g \#123) or label (e.g. "@My Computer"). +Specify\ any\ properties\ for\ trigger\ quests.=Specify any properties for trigger quests. +\u00A7aAlphabetically=\u00A7aAlphabetically +Required\ parents=Required parents +Red\ Patterned\ Wool=Red Patterned Wool +Zoglin\ Spawn\ Egg=Do Not Play With Eggs Brought Zog +Meteor\ Stone\ Wall=Meteor Stone Wall +Craft\ an\ Alloy\ Smelter=Craft an Alloy Smelter +Carbon\ Mesh=Carbon Mesh +Smooth\ Stone\ Post=Smooth Stone Post +Invalid\ opcode=Invalid opcode +Cyan\ Redstone\ Lamp=Cyan Redstone Lamp +Plus\ %s\ Secrets=Plus %s Secrets +Fluid\ Infusing=Fluid Infusing +Black\ Lawn\ Chair=Black Lawn Chair +Roughly\ Enough\ Items\ (Set\ Modifiers\ at\ Config\ Screen)=Roughly Enough Items (Set Modifiers at Config Screen) +Dolphin\ Spawn\ Egg=Egg Cubs +TechReborn\ Category=TechReborn Category +Finished=This is the end of the +Craft\ a\ scrapboxinator=Craft a scrapboxinator +Endermen\ Proof\ Vision\ Cost=Endermen Proof Vision Cost +Flowing\ Power=Flowing Power +Satisfying\ Screenshots\:=Satisfying Screenshots\: +Purple\ Dye=Purple Paint +Quests=Quests +Main\ Hand\ Item=Main Hand Item +Purple\ Saltire=Purple Saltire +Dead\ Sea=Dead Sea +Gray\ Lungwort=Gray Lungwort +\nAdd\ the\ ID/resource\ location\ of\ the\ biome\ you\ don't\ want\ RS's\ fortresses\ to\ spawn\ in.\ Separate\ each\ ID\ with\ a\ comma\ ,\ Example\:\ "minecraft\:ice_spikes,awesome_mod\:awesome_biome"=\nAdd the ID/resource location of the biome you don't want RS's fortresses to spawn in. Separate each ID with a comma , Example\: "minecraft\:ice_spikes,awesome_mod\:awesome_biome" +Granted\ %s\ advancements\ to\ %s\ players=To give %s the progress of the %s players +Smooth\ Quartz\ Slab=Narechena Quartz Place +A\ sliced\ tomato\ food\ item,\ which\ is\ more\ hunger-efficient\ than\ a\ whole\ tomato.=A sliced tomato food item, which is more hunger-efficient than a whole tomato. +Crystal\ Nether\ Furnace=Crystal Nether Furnace +Orange\ Carpet=Orange Carpet +Map\ selection\ is\ automatically\ controlled\ by\ the\ server.\ You\ can\ turn\ this\ off\ with\ "ignoreServerLevelId"\ in\ the\ server-specific\ config\ in\ the\ XaeroWorldMap\ directory.=Map selection is automatically controlled by the server. You can turn this off with "ignoreServerLevelId" in the server-specific config in the XaeroWorldMap directory. +Eye\ of\ Ender\ attaches=Eyes, Fully complies with +Total\ Beelocation=Usually Beelocation +Next=Next +Small\ Pile\ of\ Calcite\ Dust=Small Pile of Calcite Dust +Package=Package +Summon\ an\ Iron\ Golem\ to\ help\ defend\ a\ village=For help, call the Iron Golem to defend the village +Block\ of\ Osmium=Block of Osmium +Optimize\ world=To optimize the world +Shingles\ Stairs=Shingles Stairs +A\ Button-Like\ Enum=Button Type Enum +Async\ Search\:=Async Search\: +Black\ Rune=Black Rune +Potted\ Warped\ Roots=In Pot The Roots +Default\ Server\ MOTD=Default Server MOTD +Fancy\ graphics\ balances\ performance\ and\ quality\ for\ the\ majority\ of\ machines.\nWeather,\ clouds\ and\ particles\ may\ not\ appear\ behind\ translucent\ blocks\ or\ water.=Beautiful graphics, balance, performance, and quality, for the most part of the experiment.\nAt that time, the clouds and the particles may not be clear in the blocks or in the water. +Enter\ a\ Grassy\ Igloo=Enter a Grassy Igloo +Play=Yes agree +Produces\ energy\ from\ various\ basic\ fluids,\ like\ Oil\ and\ others=Produces energy from various basic fluids, like Oil and others +First\ Item=First Item +Blue\ Concrete\ Camo\ Door=Blue Concrete Camo Door +Cooked\ Chopped\ Beetroot=Cooked Chopped Beetroot +Refill\ by\ item\ groups=Refill by item groups +Elder\ Guardian\ Spawn\ Egg=Guardian Spawn Egg +Back\ to\ the\ menu=Back to the menu +8x\ Compressed\ Cobblestone=8x Compressed Cobblestone +Bubbles\ underwater=Bubbles underwater +Tin\ Plate=Tin Plate +ME\ Inverted\ Toggle\ Bus=ME Inverted Toggle Bus +Obsidian\ Hammer=Obsidian Hammer +Ring\ of\ Jump\ Boost=Ring of Jump Boost +Data\ mode\ -\ Game\ Logic\ Marker=Data mode - Game Logic Marker +Deal\ drowning\ damage=The rates of drowning damage +There\ is\ no\ biome\ with\ type\ "%s"=This is not a lived experience, a kind of%s" +Great\ Lakes=Great Lakes +Iron\ Alloy\ Furnace=Iron Alloy Furnace +Enchanting=Enchanting +Potion\ of\ Slow\ Falling=Potion Faller Sakte +Required\ kill\ count=Required kill count +Waypoint\ Name=Waypoint Name +Swamp/Dark\ Forest\ Mineshaft=Swamp/Dark Forest Mineshaft +Serial\ Protocols=Serial Protocols +Magenta\ Topped\ Tent\ Pole=Magenta Topped Tent Pole +%1$s\ burned\ to\ death=%1$s burned in a +Potted\ Tall\ Orange\ Calla\ Lily=Potted Tall Orange Calla Lily +Sandy\ Brick\ Stairs=Sandy Brick Stairs +Change\ Icon=Change Icon +Turtle\ lays\ egg=Turtles also come to lay their eggs on the beaches, in the +Get\ Enriched\ Nikolite\ Dust=Get Enriched Nikolite Dust +With\ Our\ Metals\ Combined=With Our Metals Combined +Humming=Humming +Limits\ contents\ of\ debug\ screen=The contents of the screen, search for to resolve the problem +Electric\ Treetap=Electric Treetap +Select\ an\ item\ task\ you\ want\ to\ change\ the\ type\ of.=Select an item task you want to change the type of. +White\ Cross=Cross +Ultimate\ clean\ energy=Ultimate clean energy +Charred\ Fence=Charred Fence +Melon\ Seeds=The seeds of the melon are +Leave\ realm=Let The Kingdom Of God +Mouse\ Wheelie\ Config=Mouse Wheelie Config +Message\ to\ use\ for\ the\ &mods&\ placeholder\ in\ Presence\ settings\\n\ Available\ placeholders\:\\n\ -\ &modcount&\ \=\ The\ amount\ of\ mods\ currently\ in\ your\ mods\ folder=Message to use for the &mods& placeholder in Presence settings\\n Available placeholders\:\\n - &modcount& \= The amount of mods currently in your mods folder +Cow\ Spawn\ Egg=Makarov Spawn EIC +Brown\ Topped\ Tent\ Pole=Brown Topped Tent Pole +Interactions\ with\ Crafting\ Table=Interactions with other Development Table +Deep\ Lukewarm\ Ocean=Deep, Warm Sea +Golden\ Helmet=The Golden Helmet +Torch\ Lever=Torch Lever +Red\ Desert=Red Desert +Unnatural=Unnatural +Data\ Required\ for\ Tier\:\ Basic=Data Required for Tier\: Basic +Blue\ Table\ Lamp=Blue Table Lamp +Crate\ of\ Nether\ Wart=Crate of Nether Wart +%s%%\ %s=%s%% %s +Cinnabar\ Dust=Cinnabar Dust +Location\ task=Location task +Now\ Playing\:\ %s=Now Playing\: %s +Willow\ Slab=Willow Slab +This\ ban\ affects\ %s\ players\:\ %s=Is this ban going to affect you %s players\: %s +Mangrove\ Sapling=Mangrove Sapling +Brown\ Terracotta\ Camo\ Door=Brown Terracotta Camo Door +Persistent=Persistent +Piston\ Head=Head Cylinder +Chairs\ are\ a\ nice\ spot\ for\ miners\ and\ farmers\ to\ sit\ down\ after\ a\ hard\ day\ of\ work.=Chairs are a nice spot for miners and farmers to sit down after a hard day of work. +Insert\ desired\ module\ here=Insert desired module here +Potted\ Tall\ Yellow\ Ranunculus=Potted Tall Yellow Ranunculus +Diamond\ Hoe=Diamant Hakke +Friction\ Factor\ (Between\ 0.0\ and\ 1.0)=Friction Factor (Between 0.0 and 1.0) +Lava\ Polished\ Blackstone\ Brick\ Stairs=Lava Polished Blackstone Brick Stairs +Llama\ is\ decorated=Film, interior design to do +Produce\ energy\ from\ sunlight=Produce energy from sunlight +Giant\ Boulders\ per\ Chunk=Giant Boulders per Chunk +Planks\ (Legacy)=Planks (Legacy) diff --git a/src/main/resources/namecache.ini.vanilla b/src/main/resources/namecache.ini.vanilla deleted file mode 100644 index 7979ece..0000000 --- a/src/main/resources/namecache.ini.vanilla +++ /dev/null @@ -1,4900 +0,0 @@ -#---Lang--- -#Mon Jul 13 16:56:43 CEST 2020 -Break\ your\ way\ into\ a\ Nether\ Fortress=Smash your way into a Fortress is a Nether -Evoker\ murmurs=Evoker Rutuliukai -Light\ Gray\ Bed=Light Grey Sofa Bed -Please\ wait\ for\ the\ realm\ owner\ to\ reset\ the\ world=Please wait for the kingdom of the owner, in order to restore the world -Conduit\ deactivates=Management off -Sweet\ Dreams=Sweet Dreams -A\ force\ loaded\ chunk\ was\ found\ in\ %s\ at\:\ %s=Part of the power load, which is %s when\: %s -Blue\ Chief\ Dexter\ Canton=Bl\u00E5 Hoved Dexter Canton -Ocean\ Ruins=Ruinele Ocean -Removed\ %s\ from\ any\ team=Remove the %s the whole team -Open\ in\ Browser=To open it in the browser -Cyan\ Bordure\ Indented=In Blue Plate, And Dived Into -Spruce\ Sign=Under The Trees -%1$s\ was\ blown\ up\ by\ %2$s\ using\ %3$s=%1$s it's been blown up %2$s please help %3$s -Orange\ Bordure\ Indented=Orange Bordure Indented -Pillager\ cheers=Pillager Cheers -Slime\ attacks=Was of tears of attacks -You\ died\!=You're dead\! -Something\ hurts=The person you hurt -Leather\ Tunic=Tunics, Leather -Cut\ Red\ Sandstone\ Slab=The Reduction Of The Slab Of The Red Sandstone -Water\ flows=The water flows -Vindicator=The Vindicator -World\ border\ cannot\ be\ smaller\ than\ 1\ block\ wide=Outside world, it cannot be less than 1 unit of width -Wandering\ Trader\ hurts=A salesman is wrong -Lime\ Gradient=\u018Fh\u0259ng Slope -Gray\ Snout=Grey Muzzle -Enderman\ teleports=Enderman teleport -Illegal\ characters\ in\ chat=Incredible characters in the chat -Beacon=Lighthouse -Search\ Items=Elements -Book=Book -Red\ Per\ Fess\ Inverted=Red Per Fess Inverted -Black\ Bordure\ Indented=Black Shelf With Indent -Sheep\ hurts=It will work for you -Incomplete\ (expected\ 2\ coordinates)=Incomplete (planned 2, the coordinates of this) -Guardian\ hurts=Damage To The Guardian -Prismarine=Prismarine -Unable\ to\ open\ game\ mode\ switcher,\ no\ permission=You can open last year's game without permission. -Only\ one\ player\ is\ allowed,\ but\ the\ provided\ selector\ allows\ more\ than\ one=Is allowed only one player, provided, however, finder allows more than -Load\:\ %s=Tasks\: %s -%1$s\ hit\ the\ ground\ too\ hard\ whilst\ trying\ to\ escape\ %2$s=%1$s it is very difficult to do when trying to save %2$s -Upgrading\ all\ chunks...=An update of all the... -Vex=Vex -End\ Highlands=Son Highland -Bone=Bones -Page\ %1$s\ of\ %2$s=Page %1$s it %2$s -Button=Taste -Shulker\ bullet\ explodes=Shulker bomba esplode in -Giant=Stor -Whitelist\ is\ already\ turned\ on=White list-to je -Butcher=Butcher -Click\ here\ for\ more\ info\!=Please click here for more information\! -Corner\ mode\ -\ placement\ and\ size\ marker=The way the angular position and the size of the print -Preparing\ your\ world=Get ready for the world -Pillager\ murmurs=Raider mutters -Name=The name -Too\ Large\!\ (Maximum\:\ %s)=Zelo Kul\! (Max\: %s) -Unknown\ color\ '%s'=- Color Unknown."%s' -+%s\ %s=+%s %s -Something\ fell=Bir \u015Fey fell off -Beaconator=Beaconator -Gameplay=About the game -Block\ of\ Coal=A piece of coal -Red\ Tulip=Red Tulips -Black\ Base\ Indented=Black Base \u012Etrauk\u0173 -Max\ Health=The Maximum Health -Eating=No -Setting\ unavailable=This option is available -Elder\ Guardian\ Spawn\ Egg=Guardian Spawn Egg -Removed\ effect\ %s\ from\ %s=To remove the effect %s from %s -Brown\ Concrete\ Powder=Brown, Concrete Powder -Take\ me\ back=Bring me back to -That\ name\ is\ already\ taken=This name is already taken -Item\ Frame\ breaks=The item Frame breaks -Structure\ Void=The Structure Of The Vacuum -%s\ can\ only\ stack\ up\ to\ %s=%s you can stack up to %s -Basalt\ Deltas=Basalt-Delity -Biome\ Depth\ Offset=A Biome Shift In Depth -Options...=Opportunities... -Creative\ Mode=A Creative Way -Ghast\ dies=Ghast sureb -Banner\ Pattern=Predlo\u017Eak Banner -Spruce\ Button=Button Boot -A\ PairOfInts=\u0535\u0582 PairOfInts -Are\ you\ sure\ you\ want\ to\ open\ the\ following\ website?=Are you sure you want to open these web pages? -Cornflower=Wheat flower -Potion\ of\ Invisibility=A potion of invisibility -There\ are\ %s\ data\ packs\ available\:\ %s=U %s Data packages are available\: %s -Brown\ Globe=Brown, The World -Betty=Betty -Wolf\ Spawn\ Egg=The Llop Is Generated Ou -Nothing\ changed.\ The\ bossbar\ is\ already\ hidden=Nothing's changed. Bossbar this, they already in ambush -Raw\ Beef=It Was Raw Beef -Snow\ Golem\ hurts=Snow Golem hurt -Lukewarm\ Ocean=Warm Ocean -Parrot\ eats=Food For Parrots -A\ Complete\ Catalogue=Full List -HYPERSPEED\!\!\!=Super FAST\!\!\!\! -Light\ Gray\ Carpet=The Light-Gray Carpet -Expected\ list,\ got\:\ %s=It is expected that there was one from the list\: %s -Open\ Backups\ Folder=Open The Folder That Contains The Backup -Pink\ Flower\ Charge=Pink Flower-Free - -Breed\ two\ animals\ together=Tie together two animals -Creeper\ dies=The reptile is dying -Mason=Hi -Title\ Screen=The Display Section -Dead\ Horn\ Coral\ Wall\ Fan=Dood Koraal Fan Wall -Footsteps=The steps of -%1$s\ was\ pummeled\ by\ %2$s\ using\ %3$s=%1$s he was one of the %2$s help %3$s -Cat\ begs=Katt tigger -Drought=A seca -Spruce\ Log=Pine-Tree-Of-Log -Tube\ Coral\ Block=Tube Coral Points -Minecart\ with\ Spawner=Minecart a spawn -Customize=Custom -Are\ you\ sure\ you\ want\ to\ load\ this\ pack?=If you are not sure that you can download this package? -Green\ Inverted\ Chevron=Green Inverted Chevron, -Falling\ Block=Blok Padec -Lapis\ Lazuli\ Block=Det Lapis Lazuli Blok -Brown\ Lozenge=The Diamond-Brown -Ignore\ Restart=Ignorisati Lead -Move\ by\ pressing\ the\ %1$s,\ %2$s,\ %3$s,\ %4$s\ keys=Go to click on %1$s, %2$s, %3$s, %4$s keys -Light\ Blue\ Saltire=A Light Blue Saltire -Pink\ Banner=Roz Banner -Settings\ for\ Other\ Players=The Settings For Other Players -Cyan\ Stained\ Glass=Azul Do Windows -Whitelist\ is\ now\ turned\ on=White list is now included in -C418\ -\ cat=C418 - cat -Biome\ Scale\ Weight=Is \u0411\u0438\u043E\u043C Weight On The Scale -Joint\ type\:=General appearance\: -Stripped\ Dark\ Oak\ Log=For The Removal Of Dark Oak Logs -White\ Bend\ Sinister=The White Layer On The Left -Automatic\ saving\ is\ now\ disabled=Auto-registration is disabled -Pufferfish\ inflates=Puffer fish inflate -Nautilus\ Shell=The Nautilus Shell -Blue\ Base\ Gradient=Blue Base Gradient -Blue\ Fess=Bleu Fess -Saved\ the\ game=The game will be saved -Skeleton\ Horse=The Skeleton Of A Horse -The\ demo\ time\ has\ expired.\ Buy\ the\ game\ to\ continue\ or\ start\ a\ new\ world\!=The demo time expired. To purchase the game to continue, or to start a new world\! -Horse\ Spawn\ Egg=Horse Gives Birth To Eggs -Cat\ eats=The cat is eating -Gray\ Pale\ Dexter=Bled Siba Dexter -Wither\ Skeleton\ Spawn\ Egg=Dry Skeleton Span Eggs -Fox\ hurts=Fox of pain -Light\ Blue\ Field\ Masoned=Purple Field From The Bricks Under The Earth -Enabled\ friendly\ fire\ for\ team\ %s=You know, that friendly fire team %s -Scute=Libra -Crossbow=These -%1$s\ suffocated\ in\ a\ wall=%1$s embedded in the wall -Applies\ to\ command\ block\ chains\ and\ functions=Current command-Block-chain and options -Leash\ knot\ tied=Leash the -Fire\ crackles=O fogo crackles -Nether=The only -Kill\ any\ hostile\ monster=To kill a monster, the enemy -Redstone\ Torch=Flare -Ice=Led -Brown\ Per\ Fess=Cafea Recunosc -Can't\ play\ this\ minigame\ in\ %s=Do not play this game for years %s -Base\ value\ for\ attribute\ %s\ for\ entity\ %s\ set\ to\ %s=Attribute value %s the company %s kit %s -Red\ Bed=Red Bed -Quartz\ Stairs=Quars Escales -Shulker\ bullet\ breaks=Shulker ball to be destroyed -The\ End...\ Again...=At The End Of The... Again In The... -Dropped\ %s\ items=Falls %s elements -Triggered\ %s\ (set\ value\ to\ %s)=Odgovor %s (in order to determine whether the %s) -Gray\ Saltire=Saltire \u0393\u03BA\u03C1\u03B9 -destroy\ blocks\ instantly=destroy the blocks at the moment -Vex\ shrieks=I just want to \u0432\u0438\u0437\u0433\u0430\u043C\u0438 -Mule\ hee-haws=Masha hee-haws -Firework\ Rocket=Rocket Fireworks -Select\ Data\ Packs=Select The Data In The Packet -The\ source\ and\ destination\ areas\ cannot\ overlap=The source of the label must not overlap -Bee\ stings=Bee stings -consider\ submitting\ something\ yourself=imagine something for yourself on the screen -C418\ -\ stal=C418 - kontinuirano -Set\ %s\ experience\ levels\ on\ %s=File %s The experience of working for your levels %s -Unknown\ block\ type\ '%s'=Unknown unit type"%s' -Red\ Nether\ Brick\ Wall=Red Nether Brick -Attached\ Pumpkin\ Stem=It Is Attached To The Stem Of The Pumpkin -Blue\ Wool=The Blue Hair -Iron\ Golem\ hurts=The iron Golem, it hurts -Direct\ Connection=Direct -Brown\ Mushroom=Brown Bolets -Light\ Gray\ Chief\ Dexter\ Canton=Light-The Chief Dexter Canton -Light\ Gray\ Base\ Dexter\ Canton=Light Grey, Based In Canton Dexter -Country\ Lode,\ Take\ Me\ Home=In The Land Of The Living, To Take Me Home. -Lime\ Chevron=Lime Chevron -Fabric\ mod=Fabric mode -Decoration\ Blocks=Decorative Blocks -Light\ Blue\ Bend=The Light Blue Curve -Nether\ Star=Under The Stars -Toggle\ Cinematic\ Camera=Endre Film Camera -Blue\ Base=Base Color Azul -Light\ Gray\ Concrete\ Powder=The Light-Gray Concrete Powder -Hold\ down\ %s=Keep %s -Creeper\ hurts=Creeper \u03BA\u03B1\u03BA\u03CC -Boat=The ship -Lime\ Bordure\ Indented=O Sol Bordure Recuado -Pig\ hurts=Pigs sorry -White\ Pale\ Dexter=The Light Means White -Cooked\ Cod=Boiled Cod -Couldn't\ revoke\ advancement\ %s\ from\ %s\ as\ they\ don't\ have\ it=I didn't get my progress back %s on %s I don't like -Saving\ is\ already\ turned\ on=Memory already included -Witch\ hurts=The witch from pain -Sea\ Pickle=Krastavec Great -Something\ trips=Tour -Right\ Control=Right Management -Subscription=Subscribe -Loading\:\ %s=Growth. %s -Break\ Fully=Absolutely Will Not Break -Small\ End\ Islands=Malyk Edge On The Island -Allow\ Snooper=Let Snooper -Magenta\ Per\ Pale=Light Purple -C418\ -\ mall=C418 - mall -Acquire\ diamonds=To get a diamond -Switch\ to\ minigame=Just log into the game -Phantom\ bites=The Phantom is a bit of -\nYour\ ban\ will\ be\ removed\ on\ %s=\nThe ban will be removed %s -Players=Player --%s%%\ %s=-%s%% %s -Brown\ Thing=The one Thing That's Brown -Months=Months ago -Protect\ yourself\ with\ a\ piece\ of\ iron\ armor=Protect yourself with iron armor -Purple\ Per\ Bend=The Cats In The Corral -Item\ Frame\ placed=The scope of this article are determined -Cannot\ divide\ by\ zero=You can not divide by zero. -Slime\ dies=Mucus mor -Cotton\ Candy\ Betta=Cotton Candy Betta -Jump\ into\ a\ Honey\ Block\ to\ break\ your\ fall=Jump on a fresh block to break your fall -Finished=This is the end of the -Red\ Snapper=Red Cocktail -Cloth\ Mod\ Config\ Config=Boards Fashion In Configuration -The\ Next\ Generation=The Next Generation -Getting\ an\ Upgrade=In order to get the update -Spider=Spider -Kill\ two\ Phantoms\ with\ a\ piercing\ arrow=Piercing Arrow killed two ghosts -Torch=Lamp -Dottyback=Dottyback -Glass\ Bottle=Glass Bottle -Yellow\ Chief\ Dexter\ Canton=Gul, Kapital-Distriktet, Dexter -Netherite\ Axe=Netherite Axe -Upload\ done=What do we do -Set\ the\ time\ to\ %s=You can set the %s -Critical\ attack=Critical strike -Minecart\ with\ Furnace=It's great that you're in a -Lily\ of\ the\ Valley=Pearl flower -Dolphin\ plays=Mas Efekt -Dead\ Fire\ Coral\ Block=\u00D6de Coral Block -Brown\ Pale\ Dexter=Rjava, Svetlo Dexter -Banned\ IP\ %s\:\ %s=The public IP address of the %s\: %s -Talked\ to\ Villagers=He said that the villagers -Orange\ Concrete\ Powder=Orange Bollards Concrete -Spruce\ Fence\ Gate=Ellie, For Fence, Gate -Glistering\ Melon\ Slice=Bright Watermelon Slices -Diamond\ Leggings=Diamantini Leggins -Blaze\ Spawn\ Egg=Fire Spawn Egg -Hoglin\ growls\ angrily=Have hogla in anger scolds -%1$s\ went\ off\ with\ a\ bang=%1$s fire-many of the high - -Prismarine\ Shard=Prismarit Not Shine -Black\ Per\ Bend\ Sinister\ Inverted=Nero Unico Inverso Bend Sinister -z\ position=The Z-position -World\ template=In the world pattern -Nothing\ changed.\ The\ world\ border\ damage\ is\ already\ that\ amount=There has been no change. The world is on the threshold of the injury, the amount of the -Pink\ Lozenge=Pink Pills -Piglin\ retreats=Piglin pensions -%1$s\ was\ doomed\ to\ fall=%1$s he was convicted and sentenced in the fall -Enderman\ dies=Enderman dies -%s\ has\ %s\ experience\ levels=%s there %s levels of experience -Orange\ Flower\ Charge=Orange Blossom, Fresh -Invalid\ operation=An invalid operation -Starting\ minigame...=The Mini-games, and so on and so forth. -Reset\ all\ scores\ for\ %s=Make sure that the quality of the %s -Fire\ Aspect=The Fire Aspect -Failed\ to\ log\ in\:\ %s=At the beginning of the session error\: %s -Stopped\ sound\ '%s'=Silent"%s' -Pink\ Per\ Bend\ Inverted=Increase Of The Bending Of The Vice Versa -Twisting\ Vines=The Twisting Of The Vines -Potted\ White\ Tulip=A Pot Of White Tulip -Must\ be\ an\ opped\ player\ in\ creative\ mode=This is geopt players in creative mode -Black\ Fess=Black Paint -Orange\ Shulker\ Box=The Orange Box, Shulker -Entities\ between\ z\ and\ z\ +\ dz=Unit, and between z and z + dz -Red\ Gradient=Red Gradient -Distance\ Sprinted=Distance De Course -Building\ Blocks=The Building Blocks -Pink\ Per\ Bend\ Sinister=Rose Or Worse -Commands\ like\ /gamemode,\ /experience=Commands like /gamemode, /exp. -Redstone\ Lamp=Lamps And Redstone -Wither=Wither -Dead\ Fire\ Coral=The Dead Corals, And Fire -Yellow\ Glazed\ Terracotta=A Yellow-Glazed, Pan-Fried -Stone\ Hoe=Stone Pickaxe -Decreased=Reduces -Nametag\ visibility\ for\ team\ %s\ is\ now\ "%s"=In a nod to its name, it must be part of the team %s I don't "%s" -Stripped\ Jungle\ Log=The Sides Of The Face -Dragon\ growls=The dragon itself -Damage\ Blocked\ by\ Shield=It's A Shame To Block The Shield -Llama\ dies=It is lame to die -Items\ Enchanted=Items Enchanted -%s\ has\ no\ tags=%s I don't have the tags -Skeleton\ Horse\ cries=Horse skeleton Creek -Magenta\ Per\ Bend\ Inverted=Purple Per Bend Inverted -A\ Boolean=Logical -Strafe\ Right=Strafe To The Right -*yawn*=*prosave* -Polar\ Bear\ hurts=White bear disadvantages -Lock\ World\ Difficulty=The Key Problems Of The World -Smooth\ Stone\ Slab=Smooth Plate Gray -Cut\ Red\ Sandstone=Cut Red Sandstone -Bucket\ empties=And placed it in the bucket -Upload\ cancelled=Download, cancel, -Something\ went\ wrong\ while\ trying\ to\ recreate\ a\ world.=What happens when you try to play in the world. -Magenta\ Per\ Bend\ Sinister=\u03A4\u03BF \u039C\u03C9\u03B2 \u03A7\u03C1\u03CE\u03BC\u03B1 Bend Sinister -Light\ Gray\ Flower\ Charge=Light Grey Flower Cargo -Drop\ Selected\ Item=The Finish An Element Is Selected -Arrow\ of\ Levitation=The arrows fly -Invalid\ NBT\ path\ element=Invalid NBT-element of the path, -Commands\ Only=The Only Team To Have -Previous\ Output=Before The Start Of The -Showing\ %s\ mods\ and\ %s\ library=The presentation of the %s and home %s the library -Red\ Cichlid=The Red Cichlids -Quartz\ Pillar=Quartz Samba -Birch\ Trapdoor=Fishing Should Be Conducted -Angered\ neutral\ mobs\ attack\ any\ nearby\ player,\ not\ just\ the\ player\ that\ angered\ them.\ Works\ best\ if\ forgiveDeadPlayers\ is\ disabled.=Irritated, the neutral creatures to attack all the nearby players, not just players who make you angry. It works best if you can forgive a dead player is useless to me. -Light\ Blue\ Glazed\ Terracotta=A Pale Blue Glazed Terracotta -Snooper\ Settings...=These Settings... -Aligned=Rediger -Do\ you\ want\ to\ download\ it\ and\ play?=If you would like to download it, and play the game? -Salmon\ hurts=Or mal -Drowned\ throws\ Trident=Lord throws a trident -Selected\:\ %s=Selected\: %s -Area\ Effect\ Cloud=The Zone Of Influence Of The Cloud -Black\ Wool=Wool Black -Acacia\ Leaves=The Acacia Leaves -Check\ your\ recipe\ book=Kolla in min retseptiraamat -OFF\ (Fastest)=Faster shutdown). -Fox\ spits=The Fox spits out -Selected\ minigame\:=Some of the mini-games\: -Hardcore\ Mode\!=Modo Hardcore\! -White\ Chevron=White, Sedan, -Crop\ planted=The crops to be planted -Yellow\ Field\ Masoned=Yellow Brick Metro -Acacia\ Fence\ Gate=Acacia Fence Portata -Powered\ Rail=Drive Chain -Knockback\ Resistance=Knockback Resistance -Hoglin\ Spawn\ Egg=Hogl, Jajce, Kaviar -Warped\ Hyphae=Warped Gifs -Black\ Base=Black Bottom -Horn\ Coral\ Block=Horn Coral-Block -Pumpkin\ Seeds=The Seeds Of The Pumpkin -Banners\ Cleaned=Distance -Cat\ hurts=The cat is expected to -Magenta\ Bend=Arc -Backed\ up\:\ %s=Backup\: %s -Hostile\ Creatures=The Enemy Creatures -Push\ other\ teams=To execute the command -Pink\ Shulker\ Box=Rosa Navn Shulk Esken -Couldn't\ save\ screenshot\:\ %s=You can not save the photo\: %s -Armor\ Pieces\ Cleaned=A Piece Of Armor, Clean -Potted\ Red\ Tulip=A-Pot-Red-Daisy -Successfully\ filled\ %s\ blocks=A great success %s series -Hoglin\ dies=Hoglin to die -Left\ Alt=Left Alt Key -Conduit\ pulses=Pulse -Applied\ enchantment\ %s\ to\ %s\ entities=The Magic %s the %s equipment -Blue\ Banner=Blue Flag -Lingering\ Potion\ of\ Slowness=The Long-Term Portion Of The Slowdown In -%s\ edit\ box\:\ %s=%s in the room\: %s -Finishing\ up...=The output... -Disconnect=Demo dag -This\ Boat\ Has\ Legs=This Is The Boat, The Feet Of The -Unfortunately,\ we\ do\ not\ support\ customized\ worlds\ in\ this\ version\ of\ Minecraft.\ We\ can\ still\ load\ this\ world\ and\ keep\ everything\ the\ way\ it\ was,\ but\ any\ newly\ generated\ terrain\ will\ no\ longer\ be\ customized.\ We're\ sorry\ for\ the\ inconvenience\!=Unfortunately, we don't have the support of the worlds, it is a version of Minecraft. We as before we can send out into this world and leave everything as it was, but the new earth will not adapt. I'm sorry for the inconvenience\! -Bad\ Omen=A Bad Sign -Orange\ Per\ Fess=The Orange Colour In Fess -Lodestone=Guri magnet -End\ of\ stream=At the end of the stream -Added\ %s\ to\ %s\ for\ %s\ entities=Added %s it is %s of %s people -Upgrade\ Gear=How To Upgrade Equipment -Custom\ bossbar\ %s\ is\ currently\ hidden=Custom bossb\u00F3l %s at the moment, hidden in the -Dragon\ Egg=Oul De Dragon -Dead\ Bush=Dead In The Bush -Edit\ Sign\ Message=Edit The Message To Join -Bring\ summer\ clothes=To wear summer clothes -Brown\ Cross=Brown, A -Savanna=Savannah -%s\ Enchantment\ Levels=%s Spell Level -Whitelist\ is\ now\ turned\ off=The white is now -Parrot\ cries=Cries no papagailis -Your\ client\ is\ not\ compatible\ with\ Realms.=The client is not compatible with the world. -Dying=Do -Netherite\ Pickaxe=Netherit Photos -Ornate\ Butterflyfish=Ornate Butterfly -Bee\ Spawn\ Egg=Eggs, Eggs, Bee -Mineshafts=The tree -Light\ Gray\ Concrete=The Pale Grey Of The Concrete -Hold\ the\ Dragon\ Egg=Keep the dragon egg -Fox\ squeaks=\ Fox, creaking -Light\ Gray\ Lozenge=A Light Grey Diamond -Bubble\ Column=Bubble Column -Pink\ Terracotta=Pink, Terracotta -Selector\ not\ allowed=The defense is not allowed, -Yellow\ Per\ Fess=Yellow Per Fess -bar=bar -Piglin\ steps=Stap Piglin -Mountain\ Edge=Horseback Riding At The End -%s\ (formerly\ known\ as\ %s)\ joined\ the\ game=%s (formerly known as the %s) has joined the game -Acacia\ Sign=Black Locusts, It Is A Sign -Right\ Button=Right-click on the -Unable\ to\ detect\ structure\ size.\ Add\ corners\ with\ matching\ structure\ names=To be the u the state of the identified strukturu, veli\u010Dinu. Add ugla, the correct structure of the i in the title -Bubbles\ zoom=Bobler film -Fern=Fern -Save\ hotbar\ with\ %1$s+%2$s=To save the panel %1$s+%2$s -New\ world=One Of The New World -%s\ has\ %s\ experience\ points=%s it is not a %s Erfaring poeng -Structure\ Seed=Toxum Ev -Progress\ Renderer\ \ =The Progress Of The Work -%s\ says\ %s=%s victory %s -Normal\ user=A normal user -%s\ in\ storage\ %s\ after\ scale\ factor\ of\ %s\ is\ %s=%s in stock %s when the scaling factor %s it %s -VII=VII -Piglin\ snorts\ enviously=Piglin she smokes envy -Restoring\ your\ realm=The restoration of your world -Expected\ literal\ %s=Don't expect a change in the %s -Trades=The transaction -%1$s\ was\ pummeled\ by\ %2$s=%1$s it was a hack %2$s -We\ always\ want\ to\ improve\ Minecraft\ and,\ to\ help\ us\ do\ that,\ we'd\ like\ to\ collect\ some\ information.\ This\ lets\ us\ know\ what\ hardware\ to\ support\ and\ where\ the\ big\ problems\ are.\ It\ also\ gives\ us\ a\ sense\ of\ the\ size\ of\ our\ active\ player\ base,\ so\ we\ know\ if\ we're\ doing\ a\ good\ job.\ You\ can\ view\ all\ the\ information\ we\ collect\ below.\ If\ you\ want\ to\ opt\ out\ then\ you\ can\ simply\ toggle\ it\ off\!=Always wanted to improve Minecraft, and to help us do this, we may collect certain information from you. This allows us to know what hardware is supported and there is a big problem. We also thought the amount of our active players, so we know we did a good job. You can also all information that we collect in the following sections. If you want you can change it\! -Not\ Editable\!=You don't have to go back\! -Yellow\ Carpet=Yellow Carpet -Punch\ it\ to\ collect\ wood=A lot of the meeting point of the three -Door\ shakes=The door is shaking -Made\ %s\ no\ longer\ a\ server\ operator=It %s this is not the server of the operator -Dragon\ Wall\ Head=Wall, Kite, Shot In The Head -Phantom\ Membrane=Ghost-Membrane -Foodstuffs=Products -Nothing\ changed.\ The\ specified\ properties\ already\ have\ these\ values=Something has changed. These features already these values -Attack\ Damage=The damage -Guardian\ moans=The tutor groans -This\ will\ replace\ the\ current\ world\ of\ your\ realm=It replaces the current world empire -Pinging...=Ping... -Light\ Blue\ Bordure=Light Blue Trim -Black\ Bend\ Sinister=Negro Bend Sinister -Purple\ Snout=A -Revoked\ %s\ advancements\ from\ %s=Withdrawal %s Progress %s -Iron\ Leggings=Iron Leggings -Random\ player=A casual player -Entity\ %s\ has\ no\ attribute\ %s=The device %s this is not a panel %s -F3\ +\ A\ \=\ Reload\ chunks=F3 + O \= Reload piese -Trail=Course -Splash\ Potion\ of\ Slow\ Falling=Spray Beverages, Which Is Gradually -Potted\ Cornflower=Preserved Lemon -Zombified\ Piglin\ dies=Zombified Piglio mor -Seed\:\ %s=Zaad\: %s -Ender\ Chest=Edge Of The Breast -Wither\ Skull=Dry Skull -Multiplayer\ (LAN)=Multiplayer LAN () -Press\ %s=Press %s -Not\ a\ valid\ value\!\ (Blue)=Ni veljavna vrednost. (Modra) -Crimson\ Slab=Dark Red Plate, -Phantom\ hurts=Phantom damage -Stray=I lost -White\ Fess=White Gold -Hoglin\ attacks=Hogl I attack -Light\ Blue\ Per\ Bend=The Blue Light On The -Unable\ to\ save\ the\ game\ (is\ there\ enough\ disk\ space?)=It is not possible for you to save your game (there is not enough space.) -Yellow\ Per\ Pale\ Inverted=The Yellow Light Is Reversed -Smithing\ Table=On The Adulteration Of The Table -Obtain\ Crying\ Obsidian=\u053C\u0561\u0581, Obsidianas -Horse\ neighs=Let's go -Chicken\ clucks=Saw Clucks -Respawn\ Anchor\ is\ charged=Use for the control of the game, is -Block\ %s\ does\ not\ accept\ '%s'\ for\ %s\ property=The device %s I don't accept,'%s of %s real estate -Rabbit\ hurts=Rabbit damage -Delete=Euroopa -Minecraft\ Demo\ Mode=Den Demo-Version Af Minecraft -Nether\ Brick\ Wall=A Nearby Wall -Key\ bindings\:=A combination of both. -Lime\ Base\ Sinister\ Canton=Lime Poverty Database Name -Use\ "@r"\ to\ target\ random\ player=Use "@p" to target random player -Light\ Gray\ Bordure\ Indented=Light Gray Bordure Indented -Butterflyfish=Butterfly -Cyan\ Per\ Bend\ Inverted=Lok-Modra In Prodajo -Chain=Chain -Wolf=Wolf -Brown\ Bed=Brown Bed -Gray\ Bordure=Grau Border -Nothing\ changed.\ That's\ already\ the\ max\ of\ this\ bossbar=Nothing has changed. Currently, high bossbar -Weather=Time -Pufferfish\ flops=Elegant fish -Firework\ launches=To start the fireworks -Spawn\ NPCs=\u0421\u043F\u0430\u0432\u043D transition, the board of -Block\ of\ Emerald=Blok Smaragdno -Zombie\ Villager\ dies=Zombie selski residents no -Cyan\ Per\ Bend\ Sinister=Plava-Off, Sinister -Quitting=How to quit Smoking -Yellow\ Stained\ Glass=The Last Of The Yellow -III=III -Purple\ Concrete=Specific -Item\ Frame\ clicks=A point to hit the frame of the -Light\ Blue\ Concrete\ Powder=Blue, Concrete, Sand, -Granted\ the\ advancement\ %s\ to\ %s\ players=Progress was %s for %s players -Hoglin\ hurts=Hogl hurts -F3\ +\ C\ \=\ Copy\ location\ as\ /tp\ command,\ hold\ F3\ +\ C\ to\ crash\ the\ game=F3 + C \= Copy the location of the /tp command, and then press F3 + C in order to block the game -Dark\ Oak\ Sign=Mark Dark Oak -Light\ Blue\ Per\ Pale\ Inverted=Blue, Pale, Has Become A -Render\ Distance\:\ %s=Render Distance\: %s -Light\ Blue\ Chief=Blue Light No No No No No. -Golden\ Helmet=The Golden Helmet -Sniper\ Duel=The Dol-The Franctirador -Warped\ Stem=The Rebellion Is A Mess -Nothing\ changed.\ That\ display\ slot\ is\ already\ empty=Nothing has changed. The screen, the nest is already empty -Magenta\ Inverted\ Chevron=Roxo Invertido Chevron -Hotbar=Hotbar -Vindicator\ dies=The reward of death -Alt\ +\ %s=ALT + %s -Mushroom\ Stew=The Mushrooms In The Sauce -This\ minigame\ is\ no\ longer\ supported=This is a game that is no longer supported -Diamond\ armor\ clangs=Diamond armor, you see -When\ on\ legs\:=If you are on foot\: -Some\ settings\ are\ disabled\ since\ your\ current\ world\ is\ an\ inspiration=Some of the parameters of the system, because in the modern world is a source of inspiration -Turtle\ baby\ shambles=Boy chaos turtle -Lime\ Pale\ Sinister=Lime Light-Sinister -Mushroom\ Stem=The Mushroom Stem -Tame\ all\ cat\ variants\!=The types of domestic cats\! -Day\ Four=On The Fourth Day -Door\ creaks=This creaking door -Depth\ Noise\ Exponent=The Depth Of The Noise Is From The Us -White\ Wool=Vovna -Changed\ the\ render\ type\ of\ objective\ %s=The target type will be changed %s -Lime\ Glazed\ Terracotta=Lime Glaz\u016Bra, Terakota -Incompatible=Incompatible -Mossy\ Stone\ Brick\ Slab=Moss On Stone, Brick, Tiles -Materials=Material -Failed\ to\ create\ debug\ report=Failed to create report with debug -Brown\ Base\ Gradient=Brun-Baseret Tone -Warped\ Forest=Curves In The Woods -Dried\ Kelp\ Block=Torkning Micro-Enhet -White\ Base=White Background -Obsidian=Obsidian -Text\ Background=The Text In The Background -Green\ Per\ Pale\ Inverted=Green-Light Inverted -Advancement\ Made\!=Progression\! -Anvil\ destroyed=Anvil m\u0259hv -The\ time\ is\ %s=Time %s -Purple\ Gradient=It's Purple For You -Jump\ Boost=The Switch For The Lift -Granted\ criterion\ '%s'\ of\ advancement\ %s\ to\ %s=Policy%sprogress %s for %s -Soul\ Fire=The Fire In My Soul -Polished\ Blackstone\ Brick\ Wall=Polished Blackstone Wall -Cyan\ Bed=Zila Gulta -Target\ has\ no\ effects\ to\ remove=The purpose of the effects, and in order to remove it -search\ for\ worlds=survey of the universe -%s\ slider=%s cursor -Diamond\ Chestplate=Diamond Bib Clothing -Brown\ Base\ Dexter\ Canton=The Cafe Is Located In The Country Dexter -White\ Globe=The Cue Ball -Showing\ new\ actionbar\ title\ for\ %s\ players=The new actionbar to display the title of the %s the players -Redstone\ Repeater=Redstone Repeater -Version\:=Version\: -Silverfish\ Spawn\ Egg=Eggs Silver Fish Eggs -Steak=Steak -Optimize\ World=Select World -Turtle=Costenaro -DETECT=At OPDAGE -Blue\ Paly=Plavo-Siva -Could\ not\ find\ that\ structure\ nearby=I don't think this structure -Squid=The project -Blue\ Pale=Light blue -Tall\ Grass=Tall Grass -Bee\ buzzes\ angrily=Abelles brunzint furiosament -%1$s\ starved\ to\ death\ whilst\ fighting\ %2$s=%1$s the famine, in times of conflict %2$s -Shulker\ dies=Shulk moet sterven -Couldn't\ revoke\ %s\ advancements\ from\ %s\ as\ they\ don't\ have\ them=He couldn't regret it %s this development %s it's not enough -Fire\ Charge=The Cost Of The Fire -Yellow\ Bed=Yellow Bed -Hat=Auf -Unlocked\ %s\ recipes\ for\ %s=If you %s recipe %s -Pause\ on\ lost\ focus\:\ enabled=The investigator will focus on the following\: - active (enabled) -Set\ the\ world\ border\ warning\ distance\ to\ %s\ blocks=Set the world border warning distance %s blocks -Black\ Terracotta=Svart Terracotta -Infested\ Stone=Mysterious Stone -Minecraft\ Server=Minecraft Server -Jack\ o'Lantern=Selle Laterna Ja Jack O ' connell -No\ longer\ spectating\ an\ entity=You should never be considered as a whole, -13x13\ (Showoff)=13-Xray-13 (GOOSE) -Potted\ Warped\ Fungus=The Plants Have Curled Into A Mold -Skip=Mass -Llama\ steps=Llama stay -Acacia\ Sapling=Acacia Ampua -Cyan\ Pale\ Sinister=Pale Blue Bad -Light\ Gray\ Pale\ Dexter=Light Gray Pale Dexter -Cannot\ set\ experience\ points\ above\ the\ maximum\ points\ for\ the\ player's\ current\ level=It is not possible to create the experience, the more points, the more points the player and current level -Leather\ Pants=Leather Pants -Fireball\ whooshes=The ball of fire is called -Space=Area -Peaceful=Nice -Spider\ Eye=The eyes of the spider -Spectator=Viewers -Custom\ bossbar\ %s\ has\ %s\ players\ currently\ online\:\ %s=Bossbar user %s this %s i dag, online spill er\: %s -The\ world\ will\ be\ downloaded\ and\ added\ to\ your\ single\ player\ worlds.=The people must be carried over and added to your single-player worlds. -Brown\ Per\ Bend\ Sinister\ Inverted=Brown-This Curve, Selling Fake -Refresh=In order to increase the -Brown\ Per\ Pale=Cloudy, Brown -Orange\ Stained\ Glass\ Pane=The Orange Tile In The Bath Area -%s\ joined\ the\ game=%s combo games -Bring\ Home\ the\ Beacon=Bring home the beacon -Red\ Bend=The Red Curve -Magenta\ Dye=The Color Purple -Show\ death\ messages=View death sheet -Swamp=Photo -Villager\ agrees=The villagers agree with -Menu=Meni -Wooden\ Axe=Wood With An Axe -End\ Midlands=The Final Of The Midlands -%1$s\ hit\ the\ ground\ too\ hard=%1$s the ground is too hard -Poison=GIF animat -Lantern=Flashlight -Yellow\ Base\ Dexter\ Canton=Yellow Base Dexter Canton -Lingering\ Potion\ of\ Swiftness=The Rest Of The Morning At The Rate Of -There\ are\ no\ more\ data\ packs\ available=Has more information than what is -Executed\ %s\ commands\ from\ %s\ functions=Fact %s the team %s funktioner -The\ particle\ was\ not\ visible\ for\ anybody=The particles that are not visible to everyone -Same\ as\ Survival\ Mode,\ locked\ at\ hardest=The same, as in the survival mode, closes heavy -%s\ on\ %s\ after\ scale\ factor\ of\ %s\ is\ %s=%s it %s after the coefficients of the %s it %s -Your\ realm\ will\ become\ unavailable.=Your domain is no longer available. -Ctrl\ +\ %s="Ctrl" + %s -Stripped\ Acacia\ Log=I Am The Lobster Magazine -Composter=On -Generate\ Structures\:=Like building\: -Thrown\ Ender\ Pearl=Thrown Ender Pearl -Splashing=Squishes -Re-Create=Again -Cancel=The cancellation of -No\ chunks\ were\ marked\ for\ force\ loading=Not to be a part of a granted on the load -Unclosed\ quoted\ string=Open quotation marks -Desert=Desert -Pink\ Stained\ Glass\ Pane=Pink-Tinted Glass -Closing\ the\ realm...=Closer to the ground... -Quit\ &\ Discard\ Changes=Off To Go Back To Make Changes -Extracting=Extraction of the -Lime\ Saltire=The Horse \u0421\u0430\u043B\u0442\u0430\u0439\u0440 -Creeper\ hisses=The Creeper Hiss -Chunk\ at\ %s\ in\ %s\ is\ marked\ for\ force\ loading=Running %s on %s it is estimated that the supply of electric power to the load -Painting=Fig. -Ravager\ dies=The ravager dies -Narrates\ System=Sa System -Look\ around\ using\ the\ mouse=With the mouse -Ghast\ hurts=Ghast dolor -Parrot\ screeches=Parrot, beautiful -Bubbles\ woosh=Ilmapallo, hop, -Teleported\ %s\ entities\ to\ %s=Example\: %s teme %s -Removed\ every\ effect\ from\ %s=Take each and every one of them, which has the effect of %s -Minecraft\ Realms=Minecraft Realms -Back=In the background -Please\ select\ a\ biome=Please select the biome -Night\ Vision=Night vision -A\ player\ is\ required\ to\ run\ this\ command\ here=For the players, for the execution of this command -Oak\ Fence\ Gate=Oak Handrails, And Doors -Golden\ Shovel=Gold Shovel -F3\ +\ F4\ \=\ Open\ game\ mode\ switcher=F3 + F4 \= open the play mode button -Compass=Kompas -Float\ must\ not\ be\ less\ than\ %s,\ found\ %s=Sail shall not be less than %s search %s -%s\ fps=%s fps -Ghast\ Tear=Problems Tear -Note\ Blocks\ Played=Laptops -Yellow\ Chief=The Base Of The Yellow -Rabbit's\ Foot=Feet-the rabbit -Dead\ Brain\ Coral\ Block=A Dead Brain Coral Block -White\ Thing=What is White -Pink\ Carpet=Na Pink Tepih -Trident\ returns=It also gives -Revoked\ criterion\ '%s'\ of\ advancement\ %s\ from\ %s=To Cancel The Criteria"%ssuccess %s by %s -Black\ Saltire=\u010Cierna Saltire -Firework\ blasts=The explosion of fireworks -Respawning=The renaissance -List\ Players=The List Of Players -Potted\ Dead\ Bush=Roog On Surnud Bush -Light\ Gray\ Per\ Bend=The Light Gray Curve -Iron\ Helmet=Iron Kaciga -This\ world\ is\ empty,\ choose\ how\ to\ create\ your\ world=The world is empty, you will need to choose how you can create your own world -Book\ thumps=Paper punches -Modifier\ %s\ is\ already\ present\ on\ attribute\ %s\ for\ entity\ %s=Changement %s I %s programa %s -Down=Down -Insert\ New=With The Introduction Of A New -Gray\ Bend=Grey Leaned Over. -%s\ graphics\ uses\ screen\ shaders\ for\ drawing\ weather,\ clouds\ and\ particles\ behind\ translucent\ blocks\ and\ water.\nThis\ may\ severely\ impact\ performance\ for\ portable\ devices\ and\ 4K\ displays.=%s the chart uses the shader for the preparation of the wind, the clouds and particles in the transparent unit, and of the water.\nThis can have a big impact on the performance of mobile devices and 4K displays. -Blue\ Shield=Blue Shield -Coarse\ Dirt=In The Urpes Of The Fang -Block\ of\ Diamond=Blocks Of Diamond -Deal\ fall\ damage=Val claims -Lingering\ Potion\ of\ Harming=Fixed potion of damage -Black\ Concrete\ Powder=Black Cement Powder -Chorus\ Flower\ grows=Blind. The flower grows -Edit\ Game\ Rules=Change The Rules Of The Game -Lime\ Per\ Pale\ Inverted=You're Going With A Pale-Reverse -Removed\ effect\ %s\ from\ %s\ targets=Removed %s that %s meta -Entity\ can't\ hold\ any\ items=The device is not in a position to have the item -Layer\ Material=Made Out Of A Material -Door\ breaks=The door breaks down -Smooth\ Red\ Sandstone\ Slab=Elegant Red Sandstone Plate -Green\ Terracotta=Green -Beetroot\ Seeds=Sugar Beet Seed, For -Enchanted\ Book=Magic Book -Pink\ Globe=Part Of The Rose Of The World -Tripwire\ Hook=Napetost Cook -Soul\ Soil=The Soul Of The Earth -Evoker\ prepares\ summoning=The numbers to call -Chiseled\ Stone\ Bricks=Engraved Stone, Brick -Iron\ Golem=The Iron Golem -Bamboo\ Jungle=Bamboo Is A Kind Of -'%s'\ is\ too\ big\!='%s"it's a great\!\!\! -Oh\ Shiny=Oh, Great -Brown\ Stained\ Glass=Brown Tinted Glass -Orange\ Fess=Orange-Fess -Blue\ Chief=Bl\u00E5 Boss -Swimming=Swimming -Failed\ to\ verify\ username\!=Don't check the name\! -Black\ Paly=Black And Light -Dispenser\ failed=The walls of the Pharmacist may not -Cover\ Me\ in\ Debris=Captured by me in the waste -Parrot\ flutters=The parrot flutters -Netherite\ Leggings=Netherite Dokolenke -Enderman\ vwoops="For me," vwoops -Blue\ Field\ Masoned=The Blue Field Mason You -Switch\ to\ world=Change the world -\u00A7cNo=\u00A7cNot -Bell\ rings=The bell rings -Black\ Pale=Pale, Black -Dead\ Tube\ Coral=And Dead Corals, Pipe -Return\ to\ Sender=Back To The Sender. -Gold\ armor\ clinks=The seat is a golden ring -Jump=Hoppe -Orange\ Per\ Fess\ Inverted=Portokal At Fess Prevrteno -Stone\ Shore=Stones On The Beach -Mycelium=Going on a trip -Edit\ Server\ Info=Change The Server Information -Set\ spawn\ point\ to\ %s,\ %s,\ %s\ in\ %s\ for\ %s=Part of the game %s, %s, %s in %s for %s -Raiders\ remaining\:\ %s=Raiders remain\: %s -Empty\ Map=Blank Map -Pumpkin=Pumpkin -Light\ Blue\ Concrete=The Blue Light Is Cool -Removed\ %s\ members\ from\ any\ team=Deleted %s the members of each team -Reset\ %s\ for\ %s\ entities=To cancel %s v %s People -Skeleton\ dies=The skeleton dies -Creating\ the\ realm...=In order to create a rich... -Obtain\ Ancient\ Debris=Old Garbage -Not\ a\ valid\ color\!=Not a safe color\! -Invalid\ list\ index\:\ %s=Invalid list index %s -The\ difficulty\ is\ %s=The problem %s -Removed\ team\ %s=The command to remove %s -Light\ Blue\ Pale\ Sinister=Light Sina Bled Dark -Purchase\ Now\!=Buy Now\! -Golden\ Leggings=Gold Leggings -Select\ Resource\ Packs=Izaberite A Resource Bundle -Peony=Peony -Customize\ World\ Presets=Settings Light -Purple\ Fess=Depending On The Band -Orange\ Wool=Orange Wool -en_us=speech -Soul\ Speed=The Speed Of The Soul -Yellow\ Pale\ Dexter=- Yellow Light-\u0414\u0435\u043A\u0441\u0442\u0435\u0440 -Generate\ world=The creation of the world -Lime\ Base\ Indented=Var Base Odsadenie -Opening\ the\ realm...=Research... -Invalid\ session=Session invalid -Crimson\ Nylium=Frambuesa Nylium -Unable\ to\ open.\ Loot\ not\ generated\ yet.=It is not possible to enter. Prey, he was not created. -Superflat\ Customization=Superflat Settings -Golden\ Horse\ Armor=Golden Horse Armor -Unknown\ function\ tag\ '%s'=Unknown sign in function '%s' -Looting=Robbery -Orange\ Base=The Orange Colour Is The Main -Bookshelf=Libraries -Redstone\ Ore=Mineral / Redstone -Lime\ Shulker\ Box=Max Shulker Kalk -Gray\ Roundel=Grey Washers -Narrates\ Chat=He Said That In Chat -C418\ -\ 13=C418 - 13 -C418\ -\ 11=C418 - 11 -Blue\ Shulker\ Box=Blue Type Shulker -Gray\ Terracotta=Slate Grey, Terracotta -Fox\ screeches=Fox Creek -General=In General -Birch\ Sapling=Seedlings Of Birch -Snowy\ Taiga\ Hills=Sneg Gozd Gore -Transportation=Transport -Primary\ Power=Key Performance Indicator -Saturation=The saturation -Displaying\ particle\ %s=The shape of the particles %s -White\ Saltire=Bela St. Andrews Zastavo -Selected\ %s,\ last\ played\:\ %s,\ %s,\ %s,\ version\:\ %s=Selected %s the latest\: %s, %s, %s version\: %s -Respawn=Also -Use\ the\ %1$s,\ %2$s,\ %3$s,\ %4$s\ keys\ and\ the\ mouse\ to\ move\ around=The use of the %1$s, %2$s, %3$s, %4$s function keys and mouse to move -Dispensers\ Searched=Atomisers In Search Of -Download\ cancelled=Download cancelled -Dragon\ roars=The dragon screams -Potted\ Fern=Potted Fern -by\ %1$s=of %1$s -Custom\ bossbar\ %s\ no\ longer\ has\ any\ players=Customs bossbar %s anymore players -Expected\ end\ of\ options=As one would expect, in the end, the choice -Done=Made -White\ Dye=White Farba -Added\ tag\ '%s'\ to\ %s\ entities=If you want to add the tag"%s"that %s device -The\ nearest\ %s\ is\ at\ %s\ (%s\ blocks\ away)=The nearest %s this %s (%s a block away -Entity's\ y\ rotation=Q is a rotation of the object -Sheep\ dies=The sheep becomes -Potatoes=Her -Orange\ Per\ Pale=The Orange Light In The -Quick\ Charge=Fast Loading -Unable\ to\ read\ or\ access\ folder\ where\ game\ worlds\ are\ saved\!=I don't know how to read, or to have access to the folder where your worlds are saved\! -Width=The width of the -Levitation=Levitation -Poisonous\ Potato=The Poisonous Potato -Purple\ Wool="Lana, Violet, -Husk\ groans=Groaning, Balance Sheet -Map\ trailer=Trailer Map -Preparing\ for\ world\ creation...=The creation of the world prepares for the... -Failed\ to\ log\ in=No signs -%1$s\ was\ killed\ by\ %2$s\ using\ %3$s=%1$s he was killed %2$s the use of %3$s -Chat=The Conversation -Challenge\ Complete\!=\ The Task Will Be Accomplished\! -Purple\ Base=Lila Bas -Open\ Mods\ Folder=Open The Folder Changes -Lava\ pops=The Lava will appear -String=String -Slime=Fun -Ol'\ Betsy=For Betsy -Trapdoor\ closes=The door closed -Cyan\ Base\ Indented=Blue Base Indented -Pink\ Thing=The Pink Thing -%s\ is\ locked\!=%s it's locked\! -Saving\ world=Save the world -Unable\ to\ summon\ entity=You can also summon the entity -Yellow\ Per\ Pale=Light Yellow -Remote\ Getaway=Distance Recreation -Polished\ Andesite\ Slab=Slab Andesite Pul\u0113ta -Error\ importing\ settings=Settings import error -White\ Cross=Cross -Light\ Gray=Light Grey -Toolsmith=Toolsmith -%s\ is\ not\ in\ spectator\ mode=%s so -Custom\ bossbar\ %s\ has\ a\ value\ of\ %s=The end of the bossbar %s the value of the %s -Scroll\ Lock=A Key To Lock -Quartz\ Bricks=Quartz Stone -Changed\ the\ block\ at\ %s,\ %s,\ %s=Change the block %s, %s, %s -The\ End=The end of the -Polished\ Andesite=Polit Andesite -Wither\ released=Published disappears -Start\ date=Start date and end date -Brown\ Snout=Brown Boca -Zombie\ Spawn\ Egg=Zombie Mizel Egg -Giant\ Tree\ Taiga\ Hills=A Giant Tree In The Forest -Nothing\ changed.\ Nametag\ visibility\ is\ already\ that\ value=Nothing at all has changed. Sterling silver charm of the sight, is the fact that the value of the -Brick\ Stairs=Tiles, Step -be\ added\ or\ removed=in the add or remove -Mountain\ Madness=The Mountains Of Madness. -Caver's\ Delight=Turkish delight, electrical insulation -Select\ a\ player\ to\ teleport\ to=Select the player, the position of the beam -Zoglin\ Spawn\ Egg=Do Not Play With Eggs Brought Zog -Gray\ Base\ Dexter\ Canton=Gray Canton In The Dexter -Don't\ forget\ to\ back\ up\ this\ world=Don't forget to return to the world -White\ Per\ Bend\ Sinister\ Inverted=White The Great Villain, Who Became -Zoglin=Zoglin -Blue\ Stained\ Glass=The Blue Of The Stained Glass -Badlands\ Plateau=The Edge Of The Badlands -Arrow\ of\ Splashing=Arrow On The Inside. -Leave\ blank\ for\ a\ random\ seed=Free to leave a random seed -Chat\ Delay\:\ None=Chat Delay\: No -Invalid\ unit=Incorrect block -Grass=Grass -Basalt=Basalt -Wandering\ Trader\ trades=The wandering Trader's trades -More\ options=For more options -Main\ Noise\ Scale\ Z=The Main Noise Is Of The Scale Of The -Server\ Name=The Nom Server -Main\ Noise\ Scale\ Y=The Main Noise Scale Y -Triggered\ %s\ (added\ %s\ to\ value)=Active %s (add %s the price of every single one of them) -Main\ Noise\ Scale\ X=Main Noise Scale X -Weaken\ and\ then\ cure\ a\ Zombie\ Villager=To restore, to cure the zombies resident -Tab=Karti -White\ Paly=The pale -Purple\ Per\ Fess\ Inverted=The Color Purple In Honor Of You -hi\ %\ \ s=to % s -Mushroom\ Field\ Shore=The Fungus In The Area -End\ Stone=The Bottom Stone -Caution\:\ Online\ play\ is\ offered\ by\ third-party\ servers\ that\ are\ not\ owned,\ operated,\ or\ supervised\ by\ Mojang\ or\ Microsoft.\ During\ online\ play,\ you\ may\ be\ exposed\ to\ unmoderated\ chat\ messages\ or\ other\ types\ of\ user-generated\ content\ that\ may\ not\ be\ suitable\ for\ everyone.=Please note\: the online games, which are third-party servers that are not owned, operated or controlled by Mojang, or Microsoft. During the online game, you may be exposed to the media message, or any other type of user generated content, which may not be suitable for all. -Gray\ Flower\ Charge=Gray Motherboard -Copy\ of\ a\ copy=Copy -Nether\ Wart\ Block=The Bottom Of The Wart Block -White\ Pale=The White Light -Snow\ Golem\ dies=Snow Golem die -Item\ Frame=Item Frame -Bounce\ Multiplier=Hit Multiplier -Unknown\ criterion\ '%s'=Unknown norm"%s' -Luck\ of\ the\ Sea=Happiness must -Dragon\ Head=The Head Of The Dragon -Evoker\ Fangs=Evoker's Teeth -Sandstone\ Stairs=The Tiles, Stairs And -Zombie\ Horse\ cries=The zombie Horse is crying -Lingering\ Potion\ of\ Healing=The rest of the healing potion -Glitter=Glow in the -There\ are\ %s\ bans\:=There %s Ban Ki-Moon.\: -Honeycomb\ Block=Honeycomb Design -Daylight\ Detector=The Indicator In The Light Of Day -Hitboxes\:\ shown=Hitboxes\: false -Dead\ Bubble\ Coral=Dead Bubble Coral -Green\ Glazed\ Terracotta=The Green Glass Tiles -Couldn't\ revoke\ %s\ advancements\ from\ %s\ players\ as\ they\ don't\ have\ them=Do not be in a position to get to the bottom %s advances in the field of %s for the players, why not -Dark\ Oak\ Fence=Tmavo-Drevo-Plot -Donkey\ Spawn\ Egg=Donkey, Egg, Eggs -Yellow\ Lozenge=Gula Batteries -Cyan\ Fess=Cyan Ink -Blue\ Carpet=Blue Carpet -Potted\ Azure\ Bluet=Pan Azure Bl -Download=Lae alla -White\ Concrete\ Powder=The White Cement Powder -Charcoal=Tree england -Mule\ Chest\ equips=With the breast armed -Find\ a\ tree=If you want to find the -Toggle\ Filter\ Options=Filtri Opsionet -Jungle=Jungle -(%s\ Loaded)=(%s Baixar) -Wandering\ Trader\ disagrees=A sale is not agreed, the -There\ is\ no\ biome\ with\ type\ "%s"=This is not a lived experience, a kind of%s" -Enchantment\ Cost\:\ %1$s=Spell Check Includes The Following\: %1$s -Damage\ Dealt\ (Absorbed)=Unfortunately, The Business (Absorbed) -Dead\ Tube\ Coral\ Fan=Dead-Tube Coral, Fan -Mule\ dies=The animals are dying -Distance\ by\ Minecart=Distance on the stroller -Quartz\ Slab=The Number Of Quartz -Purple\ Base\ Gradient=The Purple Foot Of The Mountain -Nether\ Wastes=The Language Of Waste -Donkey=Ass -Demo\ time's\ up\!=The demo is finished\! -Adventure\ Mode=The Adventure Mode -Stripped\ Acacia\ Wood=Section Of Acacia -Purple\ Chief\ Dexter\ Canton=Purple Main Dexter Canton -Property\ '%s'\ can\ only\ be\ set\ once\ for\ block\ %s=The property"%s it can only be installed for a device %s -Yellow\ Pale\ Sinister=Yellow, Light Matte -Server\ Resource\ Packs=The Resource Packs For The Server -Orange\ Per\ Bend\ Sinister\ Inverted=Orange Bending Poorly Made -Crimson\ Door=Ketone Door -Granite\ Slab=Granite Floor -Lime\ Banner=Var Banner -Magenta\ Per\ Bend\ Sinister\ Inverted=Each Bend Sinister In Red -Lime\ Bordure=Lime Grensen -Chorus\ Flower=[Chorus] The Flower -Gold\ Nugget=Gold Grain -Expected\ value\ or\ range\ of\ values=The expected value or range of values -Player\ hit=The player -Red\ Base\ Sinister\ Canton=The Red Left Canton -Stonecutter\ used=Mason-pou\u017E\u00EDv\u00E1 -Gear\ equips=The coating provides -Stopping\ the\ server=To stop the server -Iron\ armor\ clanks=And Clank armour Iron -Retrieving\ statistics...=Used statistics in... -Adventure,\ exploration\ and\ combat=Adventure, exploration, and combat -Expected\ value\ for\ option\ '%s'=The expected value of the option is"".%s' -Spruce\ Leaves=Gran Pages -Golden\ Pickaxe=Golden Shovel -Cyan\ Wool=The Blue Wave -Was\ kicked\ from\ the\ game=And he was thrown out from the game -Sweet\ Berries=Slatka Of Bobince -Custom\ bossbar\ %s\ has\ changed\ value\ to\ %s=A custom bossbar %s changed price %s -This\ is\ your\ last\ day\!=It's the last day\! -The\ heart\ and\ story\ of\ the\ game=The heart of the history of the game -Wolf\ hurts=Wolf ' s smerte -Shulker\ Shell=Shulker Download -Sheep=Sheep -Block\ of\ Iron=A block of iron -Revoked\ %s\ advancements\ from\ %s\ players=Downloaded from %s d' %s player -Cyan\ Base=CYANOGEN based -Discover\ every\ biome=To investigate all the species of plants, animals, -White=White -Couldn't\ revoke\ criterion\ '%s'\ of\ advancement\ %s\ from\ %s\ as\ they\ don't\ have\ it=I can't stop '%s"the first %s also %s because they are not -Light\ Gray\ Gradient=Light Grey Gradient -Nothing\ changed.\ The\ world\ border\ warning\ is\ already\ that\ distance=It made no difference. The council, in the limit, a warning message is displayed that the distance between the -Black\ Bordure=Black Outline -Day\ Three=Three Days -Notice\:\ Just\ for\ fun\!\ Requires\ a\ beefy\ computer.=Note\: just for the fun of it\!\!\! Requires a powerful COMPUTER. -New\ invites\!=New conversations\! -C418\ -\ strad=C418 - strad -Pink\ Cross=Pink Cross -There\ are\ no\ whitelisted\ players=No players in the White list). -Nitwit=Berk -%1$s\ was\ killed\ by\ %2$s\ using\ magic=%1$s he was slain from the foundation %2$s the charm of -%s%%=%s -Data\:\ %s=Read more\: %s -Light\ Blue\ Base\ Indented=Blue Light Key Blank -An\ error\ occurred,\ please\ try\ again\ later.=An error occurred, try again later. -Bell\ resonates=The bell sounds -%1$s\ tried\ to\ swim\ in\ lava\ to\ escape\ %2$s=%1$s he tried to swim in lava to escape %2$s -Strider\ warbles=On the contrary, in the e -Elder\ Guardian=Senior Security Guard -Chainmail\ Boots=From Crochet Batusi -Player\ drowning=The Player will drown -Continue\ Playing\!=Continue To Play\!\!\! -Narrator=On -Bright=Use -Showing\ %s\ mods\ and\ %s\ libraries=Showing %s mods and %s library -Oak\ Fence=Under Denna Period, Jan Runda -Firework\ twinkles=Fireworks light flashing -The\ %s\ entities\ have\ %s\ total\ tags\:\ %s=I %s the technology is %s the total number of from\: http\: / / %s -An\ unexpected\ error\ occurred\ trying\ to\ execute\ that\ command=The error run the following command -Your\ time\ is\ almost\ up\!=Time slowly ends\! -Dark\ Prismarine\ Stairs=Dark Prismarit Stairs -Master=Master -Your\ realm\ will\ be\ permanently\ deleted=In the region, it is permanently deleted -Magenta\ Banner=The Series Is A Red Flag -Dark\ Oak\ Button=Dark Oak, Keys -Distance\ Swum=Distance Swam -Spruce\ Trapdoor=El Hatch -Target\ pool\:=The purpose of the System\: -Times\ Used=This Time Is Used -Minecart\ rolls=Car racing -%s\ cannot\ support\ that\ enchantment=%s no, the spell can help -Blue\ Creeper\ Charge=Dachshund Sina Creeper -Blue\ Chief\ Indented=Blue Head Removal -Pig\ Spawn\ Egg=Sika Spawn Muna -Gray\ Per\ Fess\ Inverted=Black, With A Fess On The Back Of The -Set\ the\ weather\ to\ rain\ &\ thunder=To set the time-out in the rain and thunder -Threadfin=Threadfin -Not\ a\ valid\ number\!\ (Float)=The right number\! (Float) -Escape\ the\ island=Escape from the island -Leather\ Cap=The Leather Cover -Drowned\ hurts=Push me pain -Could\ not\ put\ %s\ in\ slot\ %s=I don't want to %s spilleautomat %s -Nothing\ changed.\ That\ IP\ is\ already\ banned=Nothing has changed. The IP is already banned -Modified\ Jungle\ Edge=Changes At The Edge Of The Jungle -Endermite\ scuttles=Endermite spragas -Nothing\ changed.\ That's\ already\ the\ style\ of\ this\ bossbar=It makes no difference. This is not a style, it's bossbar -Husk\ Spawn\ Egg=Oysters Spawn Egg -%1$s\ went\ off\ with\ a\ bang\ whilst\ fighting\ %2$s=%1$s he was "alive" during the battle %2$s -Potion\ of\ Night\ Vision=Potion night vision -A\ Furious\ Cocktail=\u00CDmpios Cocktails -Use\ the\ Nether\ to\ travel\ 7\ km\ in\ the\ Overworld=Use the box at the bottom of the travel the 7 miles to the Overworld -Cleared\ any\ objectives\ in\ display\ slot\ %s=The aim of the network on the lock screen %s -Trapdoor\ opens=The opening of the door -Purpur\ Slab=Levy Hopea -Spotty=Not -Structure\ Integrity=Structure, Integrity -Dolphin\ hurts=The dolphin won't hurt -Showing\ %s\ library=Reflex %s library -Strider\ hurts=Strider pacienta -Chain\ Command\ Block=The Chain-Of-Command Within The Group -Expected\ long=Long -Red\ Sand=The Red Sand -Distance\ Climbed=Ja Climbed -Armor\ Toughness=Armor Hardness -Arbalistic=Arbalistic -Total\ chunks\:\ %s=In total, units\: %s -Blaze\ breathes=Soul Vatra -Green\ Base\ Gradient=Um Yesil Baseado No Gradiente -Eroded\ Badlands=He Said, Exhaustion -Server\ Address=Naslov Stre\u017Enika Exchange Server -Replaced\ a\ slot\ at\ %s,\ %s,\ %s\ with\ %s=Jack, instead of the %s, %s, %s and %s -Item\ Frame\ fills=The item fills the frame -Restart\ game\ to\ load\ mods=Once again, the game is to download the mod -Line\ Spacing=In between -Light\ Blue\ Stained\ Glass\ Pane=Panelen Lyser Bl\u00E5tt Stained Glas -Removed\ %s\ items\ from\ %s\ players=To remove %s statii %s players -%1$s\ fell\ off\ scaffolding=%1$s he fell from a scaffold -Shield\ blocks=The shield blocks -Unable\ to\ save\ structure\ '%s'=No management structure '%s' -Yellow\ Per\ Bend\ Inverted=Yellow Reverse Bending -Damage\ Taken=The damage -Red\ Lipped\ Blenny=The Red Lip Blenny -Brightness=The brightness -Libraries\:\ %s=Library\: %s -Fancy\ graphics\ balances\ performance\ and\ quality\ for\ the\ majority\ of\ machines.\nWeather,\ clouds\ and\ particles\ may\ not\ appear\ behind\ translucent\ blocks\ or\ water.=Beautiful graphics, balance, performance, and quality, for the most part of the experiment.\nAt that time, the clouds and the particles may not be clear in the blocks or in the water. -Play\ Demo\ World=Play The Demo To The World -Stone\ Slab=Stone Tile -Save\ &\ Quit=Shranite In Zapustite -Preparing\ spawn\ area\:\ %s%%=Training in the field of beef\: %s -Brewing\ Stand\ bubbles=The use of bubbles coming out of -Kill\ a\ Skeleton\ from\ at\ least\ 50\ meters\ away=Killed the skeleton, at least 50 meters -Save\ and\ Quit\ to\ Title=Save & exit section -Splash\ Potion\ of\ Strength=A Splash Of Power Drink Came To -Yellow\ Per\ Bend\ Sinister=The Yellow Curve Will Be Worse -White\ Bordure=White Border -Purple\ Base\ Sinister\ Canton=Purple, On The Left Side Of Hong Kong -Snowy\ Beach=Snow On The Beach -Warm\ Ocean=The Dates Of Your Stay -Miscellaneous=Different -Brown\ Field\ Masoned=Brown Field, So You -(Level\ %s/%s)=(Level %s/%s) -%1$s\ was\ poked\ to\ death\ by\ a\ sweet\ berry\ bush\ whilst\ trying\ to\ escape\ %2$s=%1$s it was \u0441\u0443\u043D\u0443\u043B\u0441\u044F on the way to the berry bush, when we're trying to get rid of %2$s -Stripped\ Spruce\ Wood=In Addition To The Gran -Discard\ Changes=To Cancel The Changes -Item\ breaks=Click on the pause -Light\ Blue\ Terracotta=Light Blue, And Terra Cotta -Armor=Armor -Red\ Terracotta=Red Terracotta -That\ position\ is\ not\ loaded=This entry was posted -Black\ Pale\ Dexter=Nero Pallido Dexter -Nothing\ changed.\ The\ world\ border\ damage\ buffer\ is\ already\ that\ distance=It, no difference. The world border buffer, there was a breach, this is the distance -Soul\ Sand=Soul Sand -Llama\ eats=It's a razor blade in the food industry -Infested\ Chiseled\ Stone\ Bricks=Hit By A Piece Of Sculpture, In Stone, Brick, -Crimson\ Fence\ Gate=Raspberry-Fence And Gate -Repair\ &\ Name=Repair and the Name of -Light\ Blue\ Per\ Bend\ Inverted=The Blue Curve, Which Is -Purple\ Stained\ Glass=Violet Vitraliu -Orange\ Paly=Amber Enterprises -playing\ future\ updates\ as\ OpenGL\ 2.0\ will\ be\ required\!=to play, future updates, Issues with the 2.0 have to be\! -Do\ you\ want\ to\ open\ this\ link\ or\ copy\ it\ to\ your\ clipboard?=Would you like to open the following link, or copy it to the clipboard? -structure\ size\ z=the whole structure of the z -structure\ size\ y=the structure, size y -Days=Dny -structure\ size\ x=Structure, size X -Blue=Blue -Your\ realm\ will\ be\ switched\ to\ another\ world=The empire is going to go to a different world -Riptide=Desert -TNT=Photos -Spawn\ pillager\ patrols=Spawn the Marauder patrols -Shulker\ hurts=Shulker smerte -This\ server\ recommends\ the\ use\ of\ a\ custom\ resource\ pack.=This server is recommended to use the custom package sources. -Lava\ Bucket=Spaini Lava -Distance\ by\ Horse=Now -Validating\ selected\ data\ packs...=After confirming the selected data packets... -levels,\ health\ and\ hunger=the level of health and hunger -Extra\ Advanced\ Settings\ (Expert\ Users\ Only\!)=For More Advanced Settings (For Advanced Users Only\!) -Lime\ Bend\ Sinister=Lime Bend Sinister -Light\ Blue\ Per\ Bend\ Sinister=The Blue Light In Bend Sinister -Orange\ Pale=Light Orange -Panda\ sneezes=Panda sneezed -Carrot=Root -Killed\ %s=Kill %s -Beacon\ power\ selected=Beacon energy is chosen -Arrow\ of\ Regeneration=To The Left Is The Rain -%1$s\ went\ up\ in\ flames=%1$s the man took it -Chicken\ plops=Toyuq splatties -I\ know\ what\ I'm\ doing\!=I don't know what I'm doing. -Interactions\ with\ Furnace=Interaction with the Oven -Cracked\ Polished\ Blackstone\ Bricks=Cracks Polished Blackstone Brick -Brown\ Pale\ Sinister=Brown, To The Poor The Worst -Bottle\ thrown=Threw the bottle -Composter\ emptied=Composting is the distance of the -World\ templates=Models Of The World -Require\ recipe\ for\ crafting=It requires a prescription for development -This\ argument\ accepts\ a\ single\ NBT\ value=Acest argument are o valoare NBT -When\ on\ feet\:=If you are on foot\: -An\ entity\ is\ required\ to\ run\ this\ command\ here=The essence of what you need to run this command -Red\ Concrete\ Powder=Crveni Dust Concrete -Lily\ Pad=Lily Forgery -Anvil=The anvil -Potion=Drink -Lime\ Per\ Fess=Lime Is The Fess -Skeleton\ Horse\ hurts=Horse skeleton sorry -Wither\ Skeleton\ dies=Umrah skeleton no -Mod\ ID\:\ %s=Id ministarstva obrane\: %s -Unable\ to\ host\ local\ game=A space for local games -Fangs\ snap=Canines snap-in -A\ Balanced\ Diet=A Well-Balanced Diet -Into\ Fire=The hearth -Brain\ Coral\ Wall\ Fan=The Brain Coral, Fan To The Wall -Magenta\ Flower\ Charge=The Purple Flowers Of The Load -Witch\ Spawn\ Egg=The Second, At The Request Of The Eggs -Elytra=Elytra -Creeper\ Head=The Creeper Head -White\ Flower\ Charge=Hvid Blomst Award -Lime=The sun -Fox=Forest -Hay\ Bale=The Bales Of Hay. -Foo=Foo -Purple\ Paly=White To Play -Old\ graphics\ card\ detected;\ this\ WILL\ prevent\ you\ from=The old graphics card detected; this prevents the -Fullscreen\ Resolution=In full-screen mode -Fullscreen=Screen full -Red\ Base\ Gradient=D\u00E9grad\u00E9 Rouge Foundation -Purple\ Pale=Purple -Red\ Bordure\ Indented=The Red Border Version -Enderman=Ender -Mossy\ Stone\ Brick\ Wall=Mossy Stone Brick In The Wall -Float\ must\ not\ be\ more\ than\ %s,\ found\ %s=The float should not be more than %s we found %s -Magma\ Cube\ dies=Magma cube-il cubo. -Experience\ level=The level of experience. -World\ name=Name -Previous\ Page=In The Previous Page -Pack\ '%s'\ is\ not\ enabled\!=Packaging%s"is not enabled. -Created\ custom\ bossbar\ %s=To create a custom bossbar %s -Yellow\ Base\ Indented=Yellow Database Fields -Blue\ Chevron=Blu Navy Chevron -11x11\ (Extreme)=11x11 (Extreme) -Data=Information -Lime\ Skull\ Charge=Lima Set Of The Skull -Rabbit\ hops=The rabbit jumps -Use\ "@e"\ to\ target\ all\ entities=Use "@E" for all partitions -World\ %s=The world %s -Acacia\ Trapdoor=Luke Acacia -It\ is\ %s.\ The\ maximum\ allowed\ size\ is\ %s.=It is %s. The maximum size of the file %s. -Zombie\ Villager\ groans=The zombie Population of the moaning -Light\ Blue\ Base\ Sinister\ Canton=Blue Light Main Gods Of Canton -Trapped\ Chest=Access To The Breasts -Knockback=Use -Purple\ Concrete\ Powder=Purple Cement Dust -Light\ Blue\ Shulker\ Box=Light Blue Ray Shulker -Elytra\ rustle=Elytra rustle -Friendly\ Creatures=The Friendly Beasts -Primed\ TNT=Primer of TNT -Shulker\ opens=Shulker, otvoreni -Dragon's\ Breath=Andning dragon -Erase\ cached\ data=To delete all data stored in the cache -Thunder\ roars=The Thunder Roars -Blue\ Ice=The Blue-Ice -Target\ Language=Language -Green\ Base\ Sinister\ Canton=The Green Base Is In Guangzhou, The Claim -Do\ you\ want\ to\ copy\ the\ following\ mods\ into\ the\ mods\ directory?=If you want to copy and paste the following content, the content of the book? -Website=The home page of the website -Light\ Gray\ Per\ Pale\ Inverted=Light-Gray To Light-A Reverse Order Of -Warning\!\ These\ settings\ are\ using\ experimental\ features=Attention\!\!\! For this purpose, technical characteristics overview -Mending=Herstel -%s\ has\ reached\ the\ goal\ %s=%s reached the goal %s -United\ States=Of sin a -Make\ Backup=If You Want To Create A Backup Copy Of The -Custom\ bossbar\ %s\ has\ changed\ style=The user bossbar %s changing the style -Blue\ Bordure\ Indented=The Blue Edge Of The Indentation -Could\ not\ spread\ %s\ entities\ around\ %s,\ %s\ (too\ many\ entities\ for\ space\ -\ try\ using\ spread\ of\ at\ most\ %s)=Managed break %s the community %s, %s (too many people for space - try using spread of most %s) -Lime\ Roundel=Limestone Rondo -Evoker\ Spawn\ Egg=Simvol\u00ED Spawn Egg -Yellow\ Creeper\ Charge=The Yellow Creeper Charges -Chicken\ dies=The chicken dies -Yellow\ Chief\ Indented=Yellow Chapter Indentation -Caves\ of\ Chaos=Jama Chaos -Shears=Pair of scissors -An\ Enum=Enum -Illusioner\ dies=The Illusion is to die -An\ Object's\ First=The Object Of The First -Squid\ hurts=Squid it hurts -Locked\ by\ another\ running\ instance\ of\ Minecraft=Only one other instance of -Beacon\ hums=Beacon buzz -Color=Color -Warning\!\ These\ settings\ are\ using\ deprecated\ features=Warning\! These options, with less potential for -Slime\ squishes=Slime squishes -Weeping\ Vines\ Plant=Crying Planting Grapes -Toolsmith\ works=Toolsmith erfarenhet -Left\ Arrow=This Is The Left Arrow Key -Parrot\ hurts=A parrot is sick -Green\ Stained\ Glass=Yesil Vitrais -Eye\ of\ Ender\ falls=Ochite on Ender PAA -Resistance=Resistance -Shovel\ flattens=Shovel moisturizes the skin -Zoglin\ steps=Zoglin web -Minecart\ with\ Hopper=Cargo trolley, casting a funnel -Exit\ Minecraft=Stop -World\ was\ saved\ in\ a\ newer\ version,=The world is to be saved in a newer version -Want\ to\ share\ your\ preset\ with\ someone?\ Use\ the\ box\ below\!=You want to share it with someone beforehand? Please use the box below. -No\ blocks\ were\ filled=There are no blocks filled -Lime\ Shield=Lima Is The Shield Of The -Shield=Shield -Tags\ aren't\ allowed\ here,\ only\ actual\ blocks=The tag is not possible, even here, the real drive -Flint\ and\ Steel=Flint and Steel -Black\ Roundel=Qara Roundel -Gravel=Shot -Crafting\ Table=In The Table Below The Development Of The -Distance\ by\ Strider=Att\u0101lums no Stryder -Light\ Blue\ Roundel=Light Blue Rondelu -Green\ Creeper\ Charge=Green Gad Of The Card -Cyan\ Per\ Bend\ Sinister\ Inverted=Blue On The Crook Of \u0417\u043B\u044B\u0434\u0435\u043D\u044C Inverted -Wooded\ Mountains=The Wooded Mountains Of The -Green\ Chief\ Indented=Yes The Master Retreat -Open/Close\ Inventory=Open/Close Inventory -Some\ settings\ are\ disabled\ since\ your\ current\ world\ is\ an\ adventure=Some of the settings are disabled in the current world of adventure -Potion\ of\ Leaping=It's Hard To Work On Faces The Risk Of Gout In -Iron\ Ore=Iron ore -Not\ a\ valid\ value\!\ (Green)=Is not a valid value\! (Yesil) -Water\ Lakes=The Water In The Lake -Torch\ fizzes=Side hiss -Grindstone=Grinding stone -Mule\ neighs=The donkey laughs -Set\ the\ center\ of\ the\ world\ border\ to\ %s,\ %s=Located on the edge of the world %s, %s -Brain\ Coral\ Block=Brain Coral-Block -Damaged\ Anvil=Corupt Nicovala -Wither\ Skeleton\ Skull=Wither Skeleton Skull -(Made\ for\ a\ newer\ version\ of\ Minecraft)=This is a newer version of Swimming) -Enchanting\ Table=Magic Table -Potted\ Jungle\ Sapling=Reclaimed Potted Sapling -Potion\ of\ Strength=Potion of strength -When\ on\ head\:=When head\: -Blaze\ shoots=Flame blast -%s\ is\ bound\ to\ %s=%s l' %s -White\ Concrete=White Concrete -Magenta\ Base\ Sinister\ Canton=Magenta Base Skummel Canton -Tripwire=Germ -Tools=Tools -Pink\ Base\ Sinister\ Canton=The Pink Color On The Basis Of The Data Of The Sinister Canton -White\ Snout=At The Top Of The Head, White In Color -API\ Key=API key -Potted\ Oak\ Sapling=Hidden Oak -No\ bossbar\ exists\ with\ the\ ID\ '%s'=Not bossbar may be found in ID%s' -Wither\ attacks=Glebti ataka -Ice\ Spikes=The Ice Peak -Warped\ Button=The Curved Button -Lime\ Per\ Bend\ Inverted=Lime Per Bend Inverted -Spawn\ animals=Spawn de animales -Update\ account=For that you need to increase your score -Unknown\ Shape=An Unknown Form Of -Command\ Block=A Blokk Parancsok -Seed\ for\ the\ world\ generator=Family, the world generator -Light\ Blue\ Gradient=The Light Blue Gradientn\u00ED -Blue\ Pale\ Sinister=Son Pale Evil -Played\ sound\ %s\ to\ %s\ players=For the reproduction of sound %s a %s player -Splash\ Potion\ of\ Poison=A Splash Poison Potion -Lingering\ Water\ Bottle=Stable And Water Bottles -Unbanned\ %s=Unban %s -Particles=Pm -Red\ Shulker\ Box=Red Shulker Area -Rescue\ a\ Ghast\ from\ the\ Nether,\ bring\ it\ safely\ home\ to\ the\ Overworld...\ and\ then\ kill\ it=Keep Swimming story about why she was killed, after Pikachu and his home, and a responsibility for... -Nothing\ changed.\ Death\ message\ visibility\ is\ already\ that\ value=Nothing has changed. Death already the visibility of the message, these values -Potted\ Oxeye\ Daisy=Home Oxeye Daisy -Water\ Bucket=Hot Water -A\ Button-Like\ Enum=Button Type Enum -relative\ position\ z=den relative position p\u00E5 Z-aksen -relative\ position\ y=the position of the relative and -%1$s\ withered\ away\ whilst\ fighting\ %2$s=%1$s dry the entire area of the %2$s -Customize\ World\ Settings=Edit World Settings -Magenta\ Shield=The Purple Shield -Dragon\ Fireball=Fire Dragon -Cyan\ Paly=The Son Bled Slovenia -Upgrade\ your\ pickaxe=The update of the progress of the -Goal\ Reached\!=This Goal Was Achieved. -Polished\ Blackstone\ Stairs=Polished Blackstone Stairs -Uneasy\ Alliance=The Union Of Each Other -Attack/Destroy=To Attack And Destroy -Cyan\ Pale=Light Blue -Cancelled=Below -Potion\ of\ Poison=Napoj Strup -Prismarine\ Stairs=Prismarine Ladder -White\ Skull\ Charge=Valge Kolju Valves -Jungle\ Boat=The Jungle, Boats -Remove=To remove -Victory=Victoria -Invite\ player=We invite all the users of the -Enchant\ an\ item\ at\ an\ Enchanting\ Table=Enchant the item, not the Table -Upgraded\ chunks\:\ %s=Updated components\: %s -Wooden\ Sword=The Sword Is Made Of Wood -Strider\ Spawn\ Egg=Holster Spawn CRU -Team\ suffix\ set\ to\ %s=The team is a suffix %s -Strafe\ Left=Enable, To The Left -Illusioner\ displaces=Of Ovaa Illusioner -Gray\ Lozenge=Grey Diamond -Flint=Flint -Bedrock=Gunnar -Find\ elytra=Nai elytra -Red\ Stained\ Glass=Red The Last -Please\ reset\ or\ select\ another\ world.=Please reset or change the world. -Failed\ to\ access\ world=Failed to get the world -Set\ display\ slot\ %s\ to\ show\ objective\ %s=The set of the game %s obektivno show %s -Hunger=The hunger -Netherite\ Helmet=Netherite Ruha -Light\ Blue\ Bend\ Sinister=Niebieski Bend Sinister -Llama\ Chest\ equips=Flame in the chest equip -%1$s\ fell\ off\ some\ vines=%1$s fell on the vineyards -Parrot\ mutters=Parrot murmur\u00F3 -Iron\ Golem\ repaired=Build the iron Golem -Bee\ enters\ hive=The structure, in order to get -Blackstone=Common -This\ realm\ doesn't\ have\ any\ backups\ currently.=This is the kingdom of god, and which had no back-up time. -Arrow\ of\ Fire\ Resistance=Arrow Durability -Evoker\ prepares\ attack=Summoner, preparing the assault -Fill\ a\ bucket\ with\ lava=A bucket of lava -Lever=Poluga -Glowstone\ Dust=Glowstone Dust -Showing\ new\ title\ for\ %s\ players=To specify the name %s hulcy -White\ Roundel=The White Round -You\ have\ no\ home\ bed\ or\ charged\ respawn\ anchor,\ or\ it\ was\ obstructed=You are not at home, in bed, or a fee is charged for the rebirth of the anchors, or use the -Diamond\ armor\ saves\ lives=Armor of diamond is to save lives -Iron\ Shovel=Blade Of Iron -Sign=Sign up -%1$s\ was\ poked\ to\ death\ by\ a\ sweet\ berry\ bush=%1$s the death of berry bush sweet \u0441\u0443\u043D\u0443\u043B\u0441\u044F -Structure\ '%s'\ position\ prepared=Form%s"to prepare for this situation -Invalid\ move\ vehicle\ packet\ received=A step in the wrong box, the car received a -item\ %s\ out\ of\ %s=the item %s in the end %s -Multiplayer\ game\ is\ already\ hosted\ on\ port\ %s=In this game, is on the house %s -Lava\ Lake\ Rarity=The Lakes Of Lava Rock, Rare -Expert=Expert -Skeleton\ hurts=The skeleton of a pain -Realm\ name=The Name Of The Rose -Nothing\ changed.\ That\ team\ is\ already\ empty=And nothing has changed. In this command, it is empty -Gold\ Ore=Zolata, Zalesny Ore -Cat\ meows=Cat miauna -Slimeball=Mucus -Blackstone\ Stairs=Blackstone \u039A\u03BB\u03AF\u03BC\u03B1\u03BA\u03B1 -Close=Near -Black\ Chief\ Sinister\ Canton=Central Black Sinister Canton -Gave\ %s\ experience\ points\ to\ %s\ players=Given %s experience shows that %s player -New\ World=In The New World -Parrot\ breathes=\u041F\u043E\u043F\u0443\u0433\u0430\u0439 breathe -Awkward\ Lingering\ Potion=Uncomfortable For A Long Time In A Decoction Of -%s's\ Head=%s"in my head -Lime\ Base\ Dexter\ Canton=The Sun Is The Basis Of The District Dexter -before\ you\ load\ it\ in\ this\ snapshot.=before you can download in this image. -Cyan\ Creeper\ Charge=Blue Creek Kostenlos -Ice\ Bucket\ Challenge=Ice Bucket-Haaste -Cyan\ Chief\ Indented=The Blue Chief Indented -Client=Clientt -%1$s\ was\ doomed\ to\ fall\ by\ %2$s=%1$s he decided that he wanted to go away %2$s -Selected\ suggestion\ %s\ out\ of\ %s\:\ %s\ (%s)=The success of the proposals are %s it is %s\: %s (%s) -Strength=Food -Oops,\ it\ looks\ like\ this\ content\ category\ is\ currently\ empty.\nPlease\ check\ back\ later\ for\ new\ content,\ or\ if\ you're\ a\ creator,\n%s.=Oh, and it turns out that the content of birds of a feather, and at the present time it is empty.\nI ask you to go to, and then some new content for you, or if you are a creative person\n%s. -A\ player\ with\ the\ provided\ name\ does\ not\ exist=Player with the supplied name is not -Lure=Charm -Expected\ quote\ to\ start\ a\ string=It is expected a quote to start the string -Realms\ news=In the context of the report of the -Focused\ Height=Concentrate Height -[+%s\ pending\ lines]=[+%s on the eve of the line] -Set\ the\ weather\ to\ clear=The alarm should be removed -Parrot\ talks=Speak -Red\ Per\ Fess=Vermelho Fess -Search\ for\ resources,\ craft,\ gain=Find resources for treatment -Painting\ breaks=The image breaks -Will\ be\ saved\ in\:=It will be stored in the -Sneak\ Time=I Take This Opportunity, As The -Tropical\ Fish\ hurts=Tropical Fish -Block\ of\ Gold=There Is A Block Of Gold -Axe\ scrapes=Axe s\u0131yr\u0131qlarla -Nether\ Quartz\ Ore=Leegte, Erts, Quartz -Chiseled\ Sandstone=Carved In Stone The Past -Invalid\ float\ '%s'=Error-float '%s' -Sign\ and\ Close=To get to the next -Distance\ Walked=The Distance To Go -Dolphin\ jumps=Dolphin jumping -Jungle\ Slab=Rady Jungle -Invalid\ long\ '%s'=For too long%s' -Fletching\ Table=The Plumage At The Top Of The Table -Dead\ Brain\ Coral\ Wall\ Fan=The Brain-Dead Coral Wall Fan -Barrel=Old -Get\ a\ full\ suit\ of\ Netherite\ armor=To get a full Netherite armor -Oak\ Stairs=Soap Ladder -Potted\ Crimson\ Fungus=Purple Mushroom Birth -Expected\ '%s'=It is expected%s' -Light\ Blue\ Globe=Blue World -Optimizing\ World\ '%s'=The Optimisation Of The Peace%s' -Structure\ '%s'\ is\ not\ available=Structure%sI don't -Incorrect\ argument\ for\ command=Neveljaven ukaz argument -Corner=Angle -Red\ Mushroom=Red Mushroom -Light\ Blue\ Skull\ Charge=Open Charging, Blue Skull -There\ are\ no\ data\ packs\ enabled=Active data packages -Husk\ hurts=The projectile, unfortunately -Orange\ Base\ Sinister\ Canton=The Orange Base To The Canton Sinister -Dead\ Tube\ Coral\ Wall\ Fan=Dead Pipe Coral, Wall Fan Ventilation -Pink\ Snout=Nose Pink -Music\ Discs\ Played=Music Cds, Board Games -Configure\ realm=Configure kingdom -Polished\ Blackstone\ Bricks=Polishing To Say The Bricks -Infested\ Stone\ Bricks=Its Stone, Brick -Players\ with\ gamemode=Players gamemode -Drowned\ swims=The floating body -Chat\ Settings...=Options... -Triggerfish=Triggerfish -Old\ Customized=An Old Tune -We\ Need\ to\ Go\ Deeper=We need to go deeper -Showing\ new\ subtitle\ for\ %s\ players=Show new subtitles to %s players -Changed\ title\ display\ times\ for\ %s\ players=It was changed to the name to show for the times %s players -Prismarine\ Bricks=Prismarine Bricks -Survival=Survival -This\ bed\ is\ obstructed=The bed is the clogging of the blood -Stone=Came -By\ %s=V %s -Nothing\ changed.\ That\ IP\ isn't\ banned=Nothing has changed. This IP is not ban -Can't\ get\ %s;\ only\ numeric\ tags\ are\ allowed=No puc %s only numeric labels that allow you -AMPLIFIED=ADDED -Dolphin\ swims=The user interface of the dolphin -Jungle\ Log=A Log In The Jungle -Buy\ a\ realm\!=You can buy a Kingdom\! -Butcher\ works=On the part of the work -Move\ a\ Bee\ Nest,\ with\ 3\ bees\ inside,\ using\ Silk\ Touch=Move the jack bees 3 bees inside with a touch of silk -White\ Chief\ Sinister\ Canton=Sustinuta On Surovina And White In The Township On -Unmarked\ %s\ chunks\ in\ %s\ from\ %s\ to\ %s\ for\ force\ loading=Labeled %s part of the %s v %s that %s the force of the load -Left\ Shift=Left -Lime\ Carpet=Lime Floor -Dark\ Oak\ Wall\ Sign=Dark Oak Wood Sign Wall -Upper\ Limit\ Scale=On Gornata Border On Psagot -Showing\ %s\ mod\ and\ %s\ libraries=Example %s am %s the library -Fireball=Fire Ball -No\ Alpha\ Allowed\!=None Of The Alpha Is Prohibited\! -Water\ Bottle=A Bottle Of Water -Cat\ hisses=The cat's boil -Power=Power -Invalid\ double\ '%s'=Illegal double"%s' -Red\ Stained\ Glass\ Pane=Red, Tinted Glass -Sensitivity=Sensitivity -Strongholds=Strong -This\ world\ was\ last\ played\ in\ version\ %s\ and\ loading\ it\ in\ this\ version\ could\ cause\ corruption\!=This world was played the last time %s and download this version, it may cause damage\! -Create=To create -Purple\ Field\ Masoned=Lievi Flight Masoned -Beacon\ activates=Particles of light, to activate the -Taiga\ Mountains=The Mountains, In The Forest -Button\ clicks=Please click on the button -Walk\ Forwards=Before You Go -Auto\ Config\ Example=Auto Config For An Example. -Scaling\ at\ 1\:%s=Route 1\:%s -Hide\ Address=In Order To Hide The Title -Cyan\ Chief\ Dexter\ Canton=Plava-Chief Dexter Goingo -Saved\ Hotbars=Bars Shortcut To Save -Trapped\ Chests\ Triggered=Stumbled Upon A Treasure Chest, That Hole Will Open -Zoglin\ attacks=Zoglin ataques -Elder\ Guardian\ flops=Elder-Guardian-Slippers. -Cyan\ Base\ Dexter\ Canton=The Blue Canton To The Bottom Of The Importance -Stone\ Pressure\ Plate=Stone Pressure Plate -Scroll\ Duration=The Search Term -Polar\ Bear\ dies=Polar bear dies -Zombie\ Villager\ hurts=Pain-Zombie Villagers -%s\ button=%s button -Phantom\ dies=The spirit of the -Optionally,\ select\ what\ world\ to\ put\ on\ your\ new\ realm=The world, the new world, and all you have to do it. -%1$s\ was\ squashed\ by\ a\ falling\ block\ whilst\ fighting\ %2$s=%1$s he was in despair, the entry into the fight %2$s -*\ Invalid\ book\ tag\ *=* Invalid book tag * -Instant\ Health=Emergency Medical Care -Aborted=Aborted -Crimson\ Sign=Crimson Tekenen -Maximum=Max. -Summon\ an\ Iron\ Golem\ to\ help\ defend\ a\ village=For help, call the Iron Golem to defend the village -Height\ Stretch=Stretch Magass\u00E1g -Command\ blocks\ are\ not\ enabled\ on\ this\ server=Command blocks are not enabled on this server -Shulker\ shoots=Disparar Shulker -Polished\ Blackstone\ Pressure\ Plate=Polished \u0411\u043B\u0435\u043A\u0441\u0442\u043E\u0443\u043D Press -Remove\ Layer=To Remove A Layer -Survival\ Inventory=Survival Food -Export\ World\ Generation\ Settings=The Export Settings Of World Production -Unknown\ item\ '%s'=The unknown factor '%s' -Tick\ count\ must\ be\ non-negative=For a number of cycles, it must be non-negative -Magenta\ Carpet=The Purple Carpet -Brewing\ Stand=The Company's Products Stand -Cod\ dies=Cod is dying -Blue\ Base\ Indented=Blue Base Indented -Created\ team\ %s=This group created %s -Vindicator\ hurts=The defender was injured -Infested\ Cracked\ Stone\ Bricks=Been Made With Holes, In Stone And Brick -Showing\ new\ title\ for\ %s=With a new name %s -Crimson\ Roots=The Strawberry, The Raspberry, The Base Of The -Yellow\ Bend\ Sinister=Yellow Sinister Region -Forge=On the dark side -Zombie\ Doctor=Zombie Medical -Large\ Chest=Big Tits -Example\ Category\ B=For Example, In Category B -Example\ Category\ A=An Example Of A Category -Toggle\ Perspective=The Possibility Of Change -Turtle\ Shell=The Shell Of The Turtle -Unfocused\ Height=The Value Of Blur -Cow\ moos=The cow goes moo -Small\ Ball=Small Ball -Reload\ failed,\ keeping\ old\ data=Once he was lost, and the old in the database -Sunflower=Sunflower oil -You\ need\ a\ custom\ resource\ pack\ to\ play\ on\ this\ realm=If you have a custom package of resources to play in this area -White\ Per\ Bend=Bijela Nantes -Light\ Blue\ Thing=Light Sina Work -Goatfish=A mullet -%1$s\ was\ burnt\ to\ a\ crisp\ whilst\ fighting\ %2$s=%1$s it was burnt to a crisp whilst fighting %2$s -Donkey\ Chest\ equips=Out of the Box and mounted -Painting\ placed=The picture on the site -Yellow\ Bend=Curve Yellow -End=Finally -Respawn\ the\ Ender\ Dragon=Respawn SME Ender -Diamond\ Hoe=Diamant Hakke -FOV=Pz -Interactions\ with\ Beacon=Interaction with the Beacon -Lime\ Per\ Pale=Pale Lime -Hardcore=Hardcore -Cannot\ mix\ world\ &\ local\ coordinates\ (everything\ must\ either\ use\ ^\ or\ not)=You can't mix the world and the local coordinates (all of which you need to use ^ or, not) -Skeleton\ Horse\ swims=The skeleton of the Horse, and every thing -%1$s\ was\ pricked\ to\ death=%1$s slaughtered -F3\ +\ I\ \=\ Copy\ entity\ or\ block\ data\ to\ clipboard=F3 + S \=, in order to Copy an object or data table to the clipboard -Clock=Watch -%1$s\ drowned=%1$s drowned -Mouse\ Settings=Mouse Settings -Polar\ Bear\ roars=Bear roars -Parrot\ murmurs=Parrot rookwolken -Jungle\ Wood=Jungle, Treet -Deal\ drowning\ damage=The rates of drowning damage -Lime\ Chief=Lime Male. -Light\ Gray\ Glazed\ Terracotta=Light Gray Glass With A -Luck=Good luck -No\ player\ was\ found=No one has been found -Loading\ forced\ chunks\ for\ dimension\ %s=Download forced pieces of measurement %s -Mule\ Spawn\ Egg=The Mule Spawn Egg -Lena\ Raine\ -\ Pigstep=Lena Ren - Pigstep -Thrown\ Egg=Put An Egg -Repair\ &\ Disenchant=Remonts, Disenchant -Rail=DGP transport -Modified\ block\ data\ of\ %s,\ %s,\ %s=The changes of data in a single %s, %s, %s -Lime\ Dye=Var Of Otvetite -Raid=USE -Polished\ Diorite\ Slab=Tla Iz Poliranega Diorite -Red=Red -Video\ Settings=Video -Cyan\ Shulker\ Box=Blu Vendosur Shulker -Mob\ Follow\ Range=Mafia To Perform A Number Of -Granite\ Wall=Wall Of Granite -Wheat\ Seeds=Wheat Seeds -Yellow\ Globe=Yellow World -Keypad\ Enter=The keyboard -Oak\ Planks=Oak Planks -Spruce\ Pressure\ Plate=Fir Pressure -No\ items\ were\ found\ on\ player\ %s=Not in items, the player %s -White\ Stained\ Glass\ Pane=White Stained Glass -Savanna\ Plateau=From The Savanna Plateau -Brown\ Bordure\ Indented=Coffee, A Bordure Of The Shelter -Nothing\ changed.\ That's\ already\ the\ value\ of\ this\ bossbar=Nothing has been changed. It is already a value in the bossbar -Deep\ Frozen\ Ocean=Deep-Sea Food -Parrot\ scuttles=Parrot bulls Eye -Respawn\ immediately=Respawn immediately -Magenta\ Bed=Black Queen Size Bed -You\ have\ never\ killed\ %s=You were never killed %s -Skin\ Customization=Adaptation Of The Skin -Moving\ Piston=The Movement Of The Piston -Mooshroom\ gets\ milked\ suspiciously=Mooshroom is, after a suspicious -Light\ Blue\ Fess=The Light Blue Fess -Smooth\ Red\ Sandstone=Smooth Red Stone. -No\ items\ were\ found\ on\ %s\ players=No items were found %s players -Rabbit\ Hide=Rabbit Hide -Blue\ Saltire=Blu Saltire Me -Spectral\ Arrow=Spectral Arrow -local=local -Husbandry=Animal / ?????????? -playing\ in\ the\ future\ as\ OpenGL\ 3.2\ will\ be\ required\!=play it in the future if OpenGL 3.2 is required\!\!\! -Charge\ a\ Respawn\ Anchor\ to\ the\ maximum=Download respawn at anchors up -Use\ your\ mouse\ to\ turn=Use the arrow keys to rotate the -Flopper=The dough -Brown\ Mushroom\ Block=Brown Mushroom Blocks -Create\ New\ World=If You Want A New World -Scheduled\ function\ '%s'\ in\ %s\ ticks\ at\ gametime\ %s=Planned Feature '%s this %s pliers for playing time %s -Basic\ Settings=The Most Important Parameters -Dead\ Horn\ Coral=Died In Cape Coral -Play=Yes agree -Hide\ for\ other\ teams=Hiding behind the other teams, with the -Green\ Field\ Masoned=Green Area, Built Underground Of Brick -Pufferfish\ Spawn\ Egg=Puffer-Fish, Fish, Fish Eggs, And The Eggs -Parrot\ moans=A game of groans -Join\ Server=Union Server -%1$s\ fell\ off\ some\ twisting\ vines=%1$s he dropped a small coil of wires -Blue\ Globe=Blue World -Page\ Down=On The Bottom Of The Page -Bee\ buzzes=In the buzzing beer -Invited=Visit -Purple\ Per\ Fess=Lila Fess -Pig\ oinks=Pig oinks -Squid\ swims=Experience floating -Long\ must\ not\ be\ less\ than\ %s,\ found\ %s=For a long time can not be less than the %s find %s -Egg=The first -Kelp\ Plant=Plants, Vodorosli -Splash\ Potion\ of\ Swiftness=Drink speed -Fire\ Resistance=Fire-Resistance -Honey\ drips=Dripping honey -Iron\ Axe=Iron Axe -Panda\ pants=Panda Kalhoty -Blackstone\ Slab=The Blackstone Council -\u00A7cNo\ suggestions=\u00A7cThere is no provision -Ravager\ steps=The evil of their actions -Detector\ Rail=The Sensor Of The Tracks -Data\ mode\ -\ game\ logic\ marker=Mode information and logic games, Ph. -When\ in\ off\ hand\:=According to the site\: -Delete\ Selected=To Delete The Selected -Show\ bounding\ box\:=The window displays the disclaimer\: -Light\ Blue\ Wool=The Llum Blava Of Flat -Default=For Parasurama -Emerald=Emerald -Parrot\ vexes=Parrots prefer -Orange\ Skull\ Charge=Orange Download Skull -Fox\ snores=Fox Russisk -Loot\ a\ chest\ in\ a\ Bastion\ Remnant=Loot the chest for the Rest of the fort -Light\ Blue\ Base=The Light Blue Base -Green\ Per\ Bend\ Inverted=The Green One I Did In Reverse Order -Green\ Pale\ Sinister=Green Pale Sinister -Open\ Command=If You Want To Open A Window, The Command -world=light -%s\ is\ not\ a\ valid\ entity\ for\ this\ command=%s no, not really, it's easy for this team -Pink\ Per\ Fess\ Inverted=Park Fess, Is In The Process Of Healing -Lingering\ Potion\ of\ Regeneration=Long-Term Drinking For Recovery -Netherite\ Sword=Netherite MAh -What\ a\ Deal\!=How Cool\! -Green\ Per\ Bend\ Sinister=A Green Bend Sinister -Distance\ by\ Elytra=The distance from the elytra -Nothing\ changed.\ The\ world\ border\ warning\ is\ already\ that\ amount\ of\ time=Nothing has changed. The limits of the world, with a warning this time, but during this period -Water=Your -Issues=The problem -Distance\ to\ entity=The distance to the object -Use\ "@s"\ to\ target\ the\ executing\ entity=Use "@C the real purpose of the organization -Select\ another\ minigame=Please select a different mini-game -Jump\ with\ %s=Years %s -Loyalty=The loyalty of the customers -Nearest\ player=The nearest player -Removed\ %s\ items\ from\ player\ %s=Ukloniti %s the items the player has %s -Reloaded\ resource\ packs=Re-source packages -Turtle\ hurts=The turtle hurts -Damage\ Dealt\ (Resisted)=The Damage (From Strength) -Red\ Chevron=Sedan, Red, -Eye\ of\ Ender\ shoots=Eye in the end to shoot -Arrow\ of\ the\ Turtle\ Master=Arrow Is A Master Of The Turtle -Magenta\ Per\ Fess\ Inverted=A Purple One With Gold On Its Head -Honeycomb=Honeycomb -Tall\ Birch\ Forest=High-Brez -Jungle\ Fence\ Gate=The Jungle Around The Port -Local\ Brewery=Local Beer -Play\ Selected\ World=The Play Selected World -Wandering\ Trader\ agrees=First, I agree with -Light\ Blue\ Cross=Light Blue Cross -Yellow\ Thing=Yellow -Cyan\ Bend\ Sinister=Azul Bend Sinister -Potted\ Red\ Mushroom=The Pot For The Red Mushroom -Mule\ eats=And eat it -Accessibility\ Settings...=The Availability Of Settings,... -Distance\ Flown=Flown Distances -Campfire=Campfire -Light\ Blue\ Inverted\ Chevron=Light Blue Inverted Sedan -Removed\ objective\ %s=Nie %s -You\ killed\ %s\ %s=Shot %s %s -Orange\ Creeper\ Charge=A Narancs Creeper \u00C1r -Lingering\ Potion=Yes, Behold Preodoleem, Boil -Blue\ Stained\ Glass\ Pane=Blue Stained Glass -Orange\ Chief\ Indented=The Orange-Head Of The Group -Ocelot=Ocelot -Nothing\ changed.\ The\ world\ border\ is\ already\ that\ size=Nothing has changed there. Peace on the border was already this size -Chunk\ at\ %s\ in\ %s\ is\ not\ marked\ for\ force\ loading=Work %s in the %s this means that they have been labelled in the past -Purple\ Base\ Dexter\ Canton=Purple Base Dexter Canton -Damage\ Resisted=In Order To Prevent Damage To The -Cartography\ Table=Maps Table -Polar\ Bear\ groans=The polar bear is -Zombie\ Horse\ hurts=Zombie Hest -The\ server\ is\ full\!=The server is full\! -Red\ Field\ Masoned=The Red Box Mason -A\ Throwaway\ Joke=The Inadequate Joke -Golden\ Hoe=Zlato Hoe -Nothing\ changed.\ That\ display\ slot\ is\ already\ showing\ that\ objective=In General, nothing has changed. To view the view already is, in order to -Polished\ Blackstone\ Slab=The Cleaning Of The Blackstone Fees, -Max\ Framerate=Max. The Number Of Frames Per Second (Fps -Removed\ custom\ bossbar\ %s=Removed custom bossb\u00F3l %s -Verifying\ your\ world=Check the world -Ocean\ Monuments=Pamatyti On The Ocean -Librarian\ works=The librarian works -Dead\ Horn\ Coral\ Fan=Dead Africa, Coral Fan -Unmarked\ chunk\ %s\ in\ %s\ for\ force\ loading=Is Marked In Units Of The %s see %s to be in charge of the force -Cod\ flops=Cod flops -Don't\ agree=I do not agree with the -Shears\ scrape=De schaar scratch -Blue\ Thing=Something Blue -Publisher\ website=On the website of the publisher -Purple\ Banner=Blue Advertising -Arrow\ of\ Slow\ Falling=The arrow falls slowly -Fishing\ Bobber\ splashes=Ribolov Flasher Zagon -Unknown\ block\ tag\ '%s'=Blocks unknown tag '%s' -Accept=Accept it -Durability\:\ %s\ /\ %s=Useful life\: %s / %s -Name\:=Name\: -Magenta\ Fess=Magenta Fess -Buffet\ world\ customization=Breakfast buffet, settings in the world -Snowy\ Taiga=Taiga Snow -Invalid\ chat\ component\:\ %s=Not a valid Component of conversation\: %s -%1$s\ was\ squished\ too\ much=%1$s Just also wiped out the earth -Open\ to\ LAN=NETWORK -Stopped\ all\ '%s'\ sounds=He stopped all the%sthe whole -Pillager=Pillager -Splash\ Water\ Bottle=A Spray Bottle With Water -Dropped\ %s\ %s\ from\ loot\ table\ %s=Street %s %s the loot-table %s -Good\ luck=Good luck -Brown\ Terracotta=Brown Terracotta -Left\ Button=The Left Button -Orange\ Chevron=Orange Chevron -Magenta\ Chevron=Fioletowa And Yellow Chevron -Villages,\ dungeons\ etc.=Hail tunice, etc.). -Left\ Win=Left To Win -Acacia\ Log=The Acacia Journal -Pink\ Pale\ Dexter=Svetlo Roza Dexter -Mods=Mo -Mossy\ Stone\ Brick\ Stairs=Mossy Stone Brick Stairs -Piglin\ celebrates=Piglio, and the eu is committed to -Combat=The battle -Illusioner\ prepares\ mirror\ image=Illusioner prepare the image in the mirror of the -Interactions\ with\ Brewing\ Stand=The interaction with the beer Stand -Upload\ world=Download the world -Withering\ Heights=Withering Heights -Acacia\ Stairs=Acacia Wood Stairs -Horn\ Coral\ Wall\ Fan=Coral Horns On The Wall, Fan -The\ target\ block\ is\ not\ a\ block\ entity=The last block, the block, in fact, -Download\ limit\ reached=Download limit is obtained -Game\ Rules=The Rules Of The Game -Distance\ by\ Pig=Distance -Available=Available -Nether\ Sprouts=Below The Blade -Fox\ angers=Fox, I Don't -Vex\ Spawn\ Egg=I Want To Spawn Eggs -Guardian\ Spawn\ Egg=A Sentinel In The Laying Of The Eggs -Silverfish\ dies=This is a fish, silver -Showing\ all=With the participation of all -White\ Bed=Logic White -%1$s\ was\ slain\ by\ %2$s\ using\ %3$s=%1$s she was the one who killed him %2$s please help %3$s -relative\ Position\ x=the relative position x -Dropped\ %s\ %s=For %s %s -Entities\ with\ tag=The label for the contact -Magenta\ Creeper\ Charge=Lilla-Creeper-Gratis -Mobs=People -Shown=Shows -Data\ Packs=Data Packets -Magenta\ Chief\ Indented=The Primary Transfer Of The Magenta -Flower\ Forest=The Flowers Of The Forest -Leather\ Boots=Leather boots -Couldn't\ grant\ advancement\ %s\ to\ %s\ as\ they\ already\ have\ it=I didn't want to drag it %s the %s if you already have -Splash\ Potion\ of\ Leaping=Splash Potion \u0386\u03BB\u03BC\u03B1 -Blaze\ hurts=\ To bad -Pause=Dec -Magenta\ Wool=Red Wave -Tame\ an\ animal=The control animal -White\ Creeper\ Charge=The Duty Of The White Man To The Creeper. -White\ Chief\ Indented=White Chief Indented -Sticky\ Piston=Piestov\u00E9 Sticky -Blast\ Furnace=On -Replaced\ a\ slot\ on\ %s\ entities\ with\ %s=To change the housing %s the operators of the %s -Unknown\ data\ pack\ '%s'=The unknown data of the pack"%s' -Magenta\ Base=Red Clothing -Craft\ wooden\ planks=The ship boards -Journeyman=A bachelor's degree in -Lilac=Purple -Red\ Per\ Pale=Red, Light -Light\ Gray\ Skull\ Charge=The Light Gray Skull Charge -Villager\ cheers=Resident health -Black\ Lozenge=\u039C\u03B1\u03CD\u03C1\u03BF Tablet -Rounds=Toranj -Next\ Page=Next Page -Light\ Blue\ Lozenge=Blue Diamond -Blue\ Chief\ Sinister\ Canton=The Blue Canton Is The Main Bad -Cyan\ Chevron=Blue Chevron -Double\ must\ not\ be\ less\ than\ %s,\ found\ %s=Accepted, must not be less than %s on %s -Black\ Banner=Black Flag -Saving\ chunks=Shranite deli -Connecting\ to\ the\ server...=To establish a connection with the server... -Unknown\ team\ '%s'=Unknown team%s' -Your\ client\ is\ outdated\ and\ not\ compatible\ with\ Realms.=The client is outdated and does not match the worlds. -%s\ ms=%s The LADY -Reject=Ago -Ocean\ Explorer\ Map=The map of the ocean explorer -Gamerule\ %s\ is\ now\ set\ to\:\ %s=The castle %s right now, it is defined as follows\: %s -Melon\ Slice=Cut, Then -Back\ to\ server\ list=Back to serverot for sheet -Turtle\ baby\ hurts=Tortoise baby pain -Snowy\ Mountains=A Lot Of Snow -Conditional=Shareware -An\ Object's\ Second=Another object -Lime\ Per\ Bend\ Sinister=Go To The Bend Sinister -You\ are\ banned\ from\ this\ server=You're banned from this server -Kicked\ by\ an\ operator=It is struck by the operator of the -Insert=To add to the -Cave\ Spider=Cave Of The Spider, -Iron\ Golem\ breaks=The iron Golem breaks the -Soul\ escapes=The soul that is saved -A\ team\ already\ exists\ by\ that\ name=The team is there with this name -Salmon\ Spawn\ Egg=Salmon Spawn Egg -White\ Gradient=White Gradient -Bottle\ fills=The bottle is filled with -Depth\ Base\ Size=The Depth Of The Base Size -Interactions\ with\ Cartography\ Table=Work that complies with the table -Cracked\ Nether\ Bricks=The Cracks At The Bottom Of The Brick -Leather\ armor\ rustles=Leather armor creaks -Diamond=Diamond -Drop\ entity\ equipment=The fall of the object from the device -Restore=Recover -Master\ Volume=Captain Tom's -Snowy\ Kingdom=Snowy Kingdom -This\ entry\ is\ auto\ generated\ from\ an\ enum\ field=Record type this field is automatically generated numbering -Music\ Disc=Cd-rom -Expected\ float=Planned to go swimming -Custom\ bossbar\ %s\ has\ a\ maximum\ of\ %s=Team bossbar %s large %s -Spectate\ world=Look At The World -Dark\ Oak\ Leaves=The Dark Oak Leaves -Invalid\ structure\ name\ '%s'=Invalid estructura nom"%s' -Mossy\ Cobblestone\ Slab=Bemoste No Leisteen -Deep\ Cold\ Ocean=Hladno Deep Ocean -Light\ Blue\ Per\ Fess=The Color Is Light-Blue With Refill -Dead\ Tube\ Coral\ Block=The Dead Tube, And The Barrier Block -This\ demo\ will\ last\ 5\ in-game\ days\ (about\ 1\ hour\ and\ 40\ minutes\ of\ real\ time).\ Check\ the\ advancements\ for\ hints\!\ Have\ fun\!=This show will last 5 days (about 1 hour 40 minutes of real time). Look at the success traces\! Good luck\!\!\! -Generate=Set -Angered\ neutral\ mobs\ stop\ being\ angry\ when\ the\ targeted\ player\ dies\ nearby.=Outraged, neutral monsters, don't be upset if a player dies in the game). -LOAD=Load -Yellow\ Cross=Yellow Cross -Red\ Chief\ Dexter\ Canton=From The Corner, Red-Dexter -Cobweb=The website -Cyan\ Per\ Fess\ Inverted=The \u0424\u0435\u0441\u0441\u0430 Blue, Should Be The Opposite -Gray\ Creeper\ Charge=Siva Creeper Besplatno Preuzimanje -Bee\ Nest=Kosher For Pcheli -Failed\ to\ connect\ to\ the\ server=This can be in the server log -Gray\ Chief\ Indented=Grey Main Paragraph -Black\ Chief=Day Boss -Postmortal=Death -Stone\ Button=RA Button -Brown\ Skull\ Charge=A Brown Skull Wage -Yellow\ Concrete\ Powder=A Yellow Dust In Concrete -Stripped\ Dark\ Oak\ Wood=The Nerves-Dark Oak -Burst=Burst -Birch\ Forest\ Hills=Maple Forest Hills -Yellow\ Inverted\ Chevron=Yellow Inverted Chevron -Test\ passed,\ count\:\ %s=Proof ex to consider\: %s -Light\ Gray\ Base\ Gradient=A Light Gray Gradient Base -Jungle\ Door=Forest Gate -Green\ Base\ Dexter\ Canton=Green Base, Dexter In The Interests Of The Country And Its People -Dragon\ flaps=Dragon year -Debug\ Mode=Debug Mode -Rabbit\ attacks=Bunny angrep -Jungle\ Wall\ Sign=The Wall Of The Jungle, Sign -Blue\ Bend\ Sinister=Blue Bend Sinister -Select\ a\ Preset=Select predefined -Client\ outdated=The customer from the date of the -Thrown\ Bottle\ o'\ Enchanting=Threw a bottle of enchanting -Smithing\ Table\ used=The Forge on the Table, which is used for -Leave\ Bed=You're Bed -Add\ Server=To Add A Server -Drop\ blocks=The blocks fall off -Giant\ Tree\ Taiga=The Forest Of Giant Trees -Multiplayer\ Settings...=Settings For Multiplayer Games... -Lingering\ Potion\ of\ Luck=Time to cook it, good luck -Brick\ Slab=Brick Oven -Blue\ Cross=Blue Cross -Slime\ hurts=The abomination of evil -Automatic\ saving\ is\ now\ enabled=Auto save is currently owned by -Successfully\ copied\ mods=He successfully copied on the spot -Old\ graphics\ card\ detected;\ this\ may\ prevent\ you\ from=My old graphics card detected; this may prevent you from -Brown\ Base\ Indented=Brown's Most Important Features -Skeleton\ Horse\ Spawn\ Egg=Skeleton Of A Horse \u0421\u043F\u0430\u0443\u043D Eggs -Anvil\ landed=Support is grounded -Blue\ Bordure=Blue Edge -Tropical\ Fish\ Spawn\ Egg=Tropical Fish And Eggs, Poured It Over The Caspian Sea Eggs -Force\ Unicode\ Font=The Power Of Unicode Font -Conduit\ Power=The conduit -Showing\ %s\ mod=Of %s mode -Fast=Fast -Lingering\ Potion\ of\ Strength=The long-term strength of the drink -White\ Tulip=White Tulip -Magenta\ Chief=Primary Magenta -You\ may\ not\ rest\ now;\ the\ bed\ is\ too\ far\ away=Now a bit \u043E\u0442\u0434\u043E\u0445\u043D\u0443; the bed is too far away. -Dead\ Fire\ Coral\ Wall\ Fan=Dead Fire Coral Fan Wall -Spawn\ phantoms=Spawn duhova -Cleared\ titles\ for\ %s=Deleted names %s -Lava\ hisses=Lava sizzles -Dark\ Prismarine=Dark Prismarine -Target=The Goal -Unknown\ particle\:\ %s=Unknown Particles\: %s -Polished\ Granite\ Stairs=The Stairs Are Of Polished Granite -Red\ Per\ Bend\ Sinister\ Inverted=Red Bend Male Capovolto -Crossbow\ charges\ up=The crossbow is loaded -F25=F25 -Brain\ Coral\ Fan=Truri Koral Varg -F24=F24 -F23=F23 -End\ Portal=Portals -F22=F22 -F21=Lewisite F21 -F20=F20 -Use\ a\ Totem\ of\ Undying\ to\ cheat\ death=Use the totem of the Immortal and cheat death -Hired\ Help=You Are Working On, It Can Help You -Turtle\ shell\ thunks=Furniture, turtle shell -Reduce\ debug\ info=To reduce the debug info -Mob\ Kills=Mafia Killed -Crimson\ Fungus=Crimson Gljiva -F19=F19 -F18=F18 -F17=F17 -F16=F16 -F15=F15 -Snowy\ Taiga\ Mountains=The Snow-Covered Mountains, Taiga -More\ World\ Options...=A Number Of Options. -F14=\u042414 -F13=A few years is protected -Magenta\ Base\ Dexter\ Canton=Magenta Znanja Dexter Kantonu -F12=F12 -F11=F11 -F10=F10 -Entities\ between\ x\ and\ x\ +\ dx=Units between X and X + DX is -Chain\ armor\ jingles=The current in the armature of the jingle -This\ ban\ affects\ %s\ players\:\ %s=Is this ban going to affect you %s players\: %s -Operator=Services -Distance\ cannot\ be\ negative=Distance cannot be negative -Nausea=Hadena -%%s\ %%%s\ %%%%s\ %%%%%s=%%s %%%s %%%%s %%%%%s -Guardian\ flops=Guardian-flip flops -Turtle\ Egg\ stomped=Cherries and eggs, to make them in -Acacia\ Planks=Acacia Lentos -Custom=Individual -Splash\ Potion\ of\ Levitation=Explosion potion of levitation -Green\ Per\ Bend\ Sinister\ Inverted=Yesil Head To Make Me Look Bad -Packed\ Ice=Dry Ice -Debug\ Stick=Some Of These Pictures -Dyed=The color -Diamond\ Helmet=The Diamond Helmet -Potted\ Wither\ Rose=A Wilted Potted Plants Rose -Stripped\ Birch\ Log=Naked Birch-Log-Number -Too\ many\ chunks\ in\ the\ specified\ area\ (maximum\ %s,\ specified\ %s)=In many places in the area (up to %s in %s) -Can't\ get\ value\ of\ %s\ for\ %s;\ none\ is\ set=Retrieve the value of %s for %s someone else is not installed -Dead\ Fire\ Coral\ Fan=Of The Dead Fire-Coral Fan -Fade\ to=Ne -Zombie\ Horse\ dies=The zombie horse to death -Elder\ Guardian\ flaps=The old Guardian green -Armorer\ works=Zahirtsi work -Soul\ Torch=Can (And -Spawn\ protection=Part of the protection of the -Shift\ +\ %s=Pomak + %s -Gave\ %s\ experience\ points\ to\ %s=The view of l' %s experience points %s -1\ Enchantment\ Level=1 Provide For A Level Of -Sweeping\ attack=Fast -Open\ Pack\ Folder=Open The Folder Of The Package -Brick=The brick -Right\ Click\ for\ more=Zasto not -A\ Seedy\ Place=Shabby Miejsce -Giant\ Spruce\ Taiga\ Hills=The Giant Spruce Taiga, Mountains, -Are\ you\ sure\ that\ you\ want\ to\ uninvite=Da Li STE Sigourney gelite Yes Yes call -Chest\ opens=The trunk opens -Illusioner=Illusioner -Gray\ Bordure\ Indented=Gray, The Fee Will Be -Black\ Flower\ Charge=Black-Price - -Dead\ Brain\ Coral\ Fan=Brain Dead Coral Fan -Red\ Fess=Chervony Bandage -Infested\ Mossy\ Stone\ Bricks=Teaming With Moss-Covered Stone Bricks -Gold\ Ingot=Gold -Golden\ Apple=Apples Of Gold -Toggle\ Fullscreen=To Switch To Full Screen Mode -Reset\ title\ options\ for\ %s\ players=The name-the selection will be Reset%s player -Serious\ Dedication=Resno Pozornost -unknown=I don't know -Crimson\ Pressure\ Plate=Ketoni Paine -%1$s\ didn't\ want\ to\ live\ in\ the\ same\ world\ as\ %2$s=%1$s I don't want to live in this world, and that the %2$s -This\ demo\ will\ last\ five\ game\ days.\ Do\ your\ best\!=This shows that in the last race within the next five days. Just try your best\!\!\!\! -Reloaded\ the\ whitelist=To be added to the list of rights -%1$s\ was\ killed\ trying\ to\ hurt\ %2$s=%1$s was killed trying to hurt %2$s -Zombie=Zombik -Unlocked\ %s\ recipes\ for\ %s\ players=Detailed information %s a prescription %s players -Frozen\ River=Spored River -Cleared\ titles\ for\ %s\ players=The deleted titles are %s player -Blue\ Tang=Blue, Brown -Reset\ Keys=Buttons Remove -Donkey\ hee-haws=Donkey Hee-haws -Trader\ Llama\ Spawn\ Egg=Sat\u0131c\u0131 Lama Spawn Spawn -No\ chunks\ were\ removed\ from\ force\ loading=The parts that were removed from the power supply system workload -Ore\ Settings=The Mineral And The Configuration Of -Light\ Blue\ Paly=Senate Paly -Bubbles\ pop=Bobler -Stripped\ Birch\ Wood=Directions\: Breza -Absorption=We -Panda\ dies=Panda die -Orange\ Chief=Orange Cap -Respiration=Breathing -Gray\ Base\ Sinister\ Canton=Gray Base Sinister Canton -Gravelly\ Mountains+=The Gravel Of The Mountain+ -Light\ Blue\ Pale=Light blue -You\ have\ %s\ new\ invites=Its %s new calls -Multiplayer\ (3rd-party\ Server)=Multiplayer (3rd party Server) -Enter\ a\ Bastion\ Remnant=To Leave The Fort, And The Remains Of The -Netherite\ Shovel=Netherite Knife -F3\ +\ D\ \=\ Clear\ chat=F3 + D \= Clear chat -Cyan\ Inverted\ Chevron=Azul Invertida Chevron -Biome\ Blend=Mix Of Species Of Plants, Animals -River\ Size=On The River The Size Of The -Book\ and\ Quill=Paper and pencil -Gray\ Chief\ Sinister\ Canton=Silver Chief Sinister Canton -%1$s\ was\ roasted\ in\ dragon\ breath=%1$s it wasn't a roast, breath of the dragon -Wither\ Skeleton\ Wall\ Skull=Wither Skeleton In The Wall Of The Skull -Piglin\ hurts=Piglin bad -Pink\ Inverted\ Chevron=The Pink Chevron Inverted -%s\ Next=%s Further, -Red\ Wool=Crvena Nit -Select\ settings\ file\ (.json)=Select The Configuration File (.in JSON) -Negotiating...=To bargain... -Moody=Moody ' s -There\ are\ %s\ teams\:\ %s=I don't %s command\: %s -Granted\ %s\ advancements\ to\ %s=Comes out on top %s Progres %s -Parrot\ Spawn\ Egg=Parrot's Spawn Egg. -Red\ Base=Rote Basis -Spawn\ monsters=Spawn monsters -Modified\ storage\ %s=Changed it from the store %s -Loading\ terrain...=Loading terrain... -Entities\ with\ NBT=NBT from people -Bat\ screeches=Knocking noise -Ominous\ Banner=The Sinister Name -Purple\ Per\ Pale=The Red Light -Netherite\ Ingot=Poluga Netherite -Realms\ is\ a\ safe,\ simple\ way\ to\ enjoy\ an\ online\ Minecraft\ world\ with\ up\ to\ ten\ friends\ at\ a\ time.\ \ \ It\ supports\ loads\ of\ minigames\ and\ plenty\ of\ custom\ worlds\!\ Only\ the\ owner\ of\ the\ realm\ needs\ to\ pay.=The areas of security, easy way to enjoy online Minecraft world with ten friends simultaneously. It supports loads of mini-games, and much the order of the world. Only the owner of the domain to pay. -Purple\ Shield=The Shield-Purple -Set\ the\ world\ spawn\ point\ to\ %s,\ %s,\ %s=At the end of the world, the essence of the renaissance %s, %s, %s -Interactions\ with\ Blast\ Furnace=The part in the oven -Ghast=Minecraft -Green\ Bend=Green Wire -Template=Definition of -Endermite\ hurts=Endermite evil -BROKEN\ ASSETS\ DETECTED=OF THE UNPRODUCTIVE ASSETS WHICH HAVE BEEN IDENTIFIED -Parrot\ snorts=Midnatt snorts -Read\ more\ about\ Mojang\ and\ privacy\ laws=Learn more about Mojang and data protection legislation -Warped\ Roots=Deformed Roots -Pink\ Tulip=Pink, Pink, Pink Tulip -Warped\ Nylium=Warped Nylium -This\ map\ is\ unsupported\ in\ %s=This map is based on %s -Modified\ Badlands\ Plateau=Changed The Barren Land Of The Highlands -Light\ Gray\ Per\ Fess=Light Gray Fess -Reset\ %s\ button=Reset %s button -Quit\ Game=The Outcome Of The Game -Redstone\ Comparator=Redstone Fqinje -Failed\!\ \:(=See\! \:( -Purple\ Pale\ Sinister=Pink-Purple-Evil -Black\ Base\ Dexter\ Canton=Black Base Dexter Canton -Gray\ Fess=Paint, Gray -Cactus=Cactus -Chorus\ Plant=The Choir Of The Plant -Not\ a\ valid\ color\!\ (Missing\ \#)=This is not the right time. (No \#) -Page\ Up=Page -Time\ left=The time of the -Drowned\ gurgles=Drowning gurgles -Black\ Per\ Pale\ Inverted=The Black On The Leaves At The Same Time -Day=Today -Unbanned\ IP\ %s=To cancel the prohibition of buildings IP %s -Download\ latest=Download the latest -Block\ of\ Quartz=The block of quartz -Expected\ value\ for\ property\ '%s'\ on\ block\ %s=It is expected that real estate prices",%s"the unity of the %s -Shoot\ a\ crossbow=Shoot it with a bow -Nothing\ changed.\ That\ team\ already\ has\ that\ color=Nothing has changed since then. The fact that the team is already in place, color -Beetroot\ Soup=Beetroot Soup -Reloading\!=Reloading\! -Dead\ Horn\ Coral\ Block=The Dead Horn Coral-Unit -Downloading=Download -Composter\ composts=Peat, compost -Data\ pack\ validation\ failed\!=Packet inspection data-not working\! -Mundane\ Potion=Every Day To Drink -Squid\ dies=Squid devient -Purple\ Shulker\ Box=In Shulker Box -GUI\ Scale=GUI scale -Stripped\ Warped\ Hyphae=Their Distortion Of The Structure, -Thorns\ prick=Kokot is climbing -Diamond\ Shovel=Diamant Skovl -Turtle\ swims=Der Floating Turtle -Smooth\ Sandstone=Ljusa Sand -No\ relevant\ score\ holders\ could\ be\ found=Not the owners, the result can be found -Unlocked=And -Mountains=Mountain -Vex\ hurts=The leash will not hurt -Spawn\ mobs=Spawn of the crowd -Throw\ a\ trident\ at\ something.\nNote\:\ Throwing\ away\ your\ only\ weapon\ is\ not\ a\ good\ idea.=Trident or something similar.\nIt\: ___________________________ note\: throw away the only weapon that is not a good idea. -Disable\ raids=Newsmore raid -Creating\ world...=The foundation of the world... -Tags\ aren't\ allowed\ here,\ only\ actual\ items=Tags are not allowed here, only real elements -Diorite=Diorite -Brown\ Stained\ Glass\ Pane=Brown Vidrieras -Right\ Alt=In The Lower Right. -Splash\ Potion\ of\ Invisibility=Splash Potion Of Invisibility -Magma\ Cube=Magma Kub -Lime\ Flower\ Charge=La Chaux-Flowers-Last -Building\ terrain=The building on the ground -Creative=Creative -This\ will\ overwrite\ your\ current=This newly write the existing -Warped\ Wall\ Sign=The Deformation Of The Wall Of The Session -Gray\ Wool=Brown Wool -Barrel\ closes=Locked in the trunk -Multiplayer\ (Realms)=Multiplayer (Mons). -Gamerule\ %s\ is\ currently\ set\ to\:\ %s=Gamerule %s currently it is configured to\: %s -Unable\ to\ load\ worlds=You can't load the world -Rabbit\ dies=The dead rabbit -Something\ went\ wrong\ while\ trying\ to\ load\ a\ world\ from\ a\ future\ version.\ This\ was\ a\ risky\ operation\ to\ begin\ with;\ sorry\ it\ didn't\ work.=An error occurred while trying to access a version of the future. It was a tricky operation to begin with, and I'm sorry it didn't work. -Black\ Shield=Shield -Purple\ Inverted\ Chevron=The Inverted Chevron -Piglin\ snorts=Piglin sniff -Caves=Cave -There\ are\ no\ teams=None of the teams -Trailer=Save the date -Light\ Gray\ Bend=Light Gray Bend -Gray\ Base=Gray Background -Singleplayer=Singleplayer -Light\ Gray\ Per\ Bend\ Sinister\ Inverted=Bend Sinister In The Early Light Gray -Stripped\ Crimson\ Hyphae=Striped Red Mycelium -Custom\ bossbar\ %s\ has\ no\ players\ currently\ online=Each bossbar %s none of the players are online at the moment -%s\ <%s>\ %s=%s <%s> %s -White\ Glazed\ Terracotta=White Enamel Is -An\ Object=Object -Cobblestone\ Stairs=On The Stairs Of Stone -Bottle\ o'\ Enchanting=The bottle o' Enchanting -Needs\ Redstone=Needs Redstone -Long\ must\ not\ be\ more\ than\ %s,\ found\ %s=For a long time, it's not much more to it than that %s you don't have been found %s -Biome\ Depth\ Weight=Biome Gylis Svoris -Shears\ carve=The scissors to cut it -Back\ to\ title\ screen=To return to fabric title -The\ target\ block\ is\ not\ a\ container=The purpose of the block is not a container -Started\ debug\ profiling=Debug queue started -War\ Pigs=The War Of The Porc -Black\ Tang=Musta, L -Black\ Chief\ Dexter\ Canton=Basic Black Canton Dexter -Strong\ attack=Strong attack -%s\ chunks=%s Pc ' s -Horse\ dies=The horse is dead -End\ Stone\ Bricks=At The End Of The Stone-Brick -Unlimited\ resources,\ free\ flying\ and=Unlimited resources, free flying and -Gray\ Shield=Defend-Grey -Oak\ Boat=Oak Ship -Smoker=Smokers -Reset\ Icon=To Restore The Icon -Regenerate\ health=To restore health -Removed\ %s\ schedules\ with\ id\ %s=For it to be removed %s Programs with the id of the %s -y\ position=the position -Birch\ Forest=Forest Beech -Magenta\ Paly=Purple Bled -Light\ Blue\ Snout=Light Blue Mouth -No\ blocks\ were\ cloned=No of blocks to be cloned -Fox\ Spawn\ Egg=Fox Spawn Egg -Dried\ Kelp=Dried Seaweed -Cut\ Sandstone\ Slab=Reduction Of Slabs Of Sandstone -Cut\ Sandstone=Cut The Stone Out Of The Sand -Magenta\ Pale=Dark Red And Light -Lime\ Pale\ Dexter=Kalk Bleg Dexter -Trident\ clangs=Trident clangs -Gunpowder=The dust -Creeper\ Charge=Puzavac Besplatno -Blue\ Pale\ Dexter=Light Blue-Meaning Of The -Cobblestone=Stone cladding -Added\ %s\ to\ the\ whitelist=Added %s the white list -Integer\ must\ not\ be\ less\ than\ %s,\ found\ %s=An integer should not be less than %s this %s -Load\ Anyway=The Task In Each Case -Phantom\ screeches=The spirit cries out -Moorish\ Idol=Moorish Idol -Revoked\ the\ advancement\ %s\ from\ %s=Set Up A Meeting %s from %s -Interactions\ with\ Lectern=The Interaction With The Reception Staff -Glass\ Pane=The glass -Targets\ Hit=The Goal Here -Blue\ Roundel=Blue Shield -End\ Rod=At The End Of The Auction -Growing\ the\ world\ border\ to\ %s\ blocks\ wide\ over\ %s\ seconds=The increase in light %s blokovi Shire %s seconds -Empty=Empty -Do\ you\ want\ to\ continue?=Do you want it? -Dark\ Oak\ Log=Dark Oak Log -Dropper=Dropper -Crossbow\ loads=Crossbow compared to -Cow\ gets\ milked=The cows are milked -%1$s\ was\ shot\ by\ %2$s=%1$s it was a hit %2$s -Dropped=Error -Brinely=Brinely -Llama\ hurts=Depresija were -Turtle\ Egg\ breaks=The turtle, the egg breaks -Copied\ server-side\ block\ data\ to\ clipboard=Copy server-side blocks of information to clipboard -Construct\ and\ place\ a\ Beacon=The fabrication and installation of a light on the hill -%s\ Lapis\ Lazuli=%s Stone Stone -SAVE=Save -Strider=Strider -%1$s\ experienced\ kinetic\ energy\ whilst\ trying\ to\ escape\ %2$s=%1$s experienced kinetic energy, while she tried to escape %2$s -Set\ %s\ experience\ levels\ on\ %s\ players=Set %s level of experience %s players -White\ Bordure\ Indented=Version Of The White, And The Edge Of The -Terms\ of\ Service=Terms of use -Husk\ dies=The seed dies -Enabled\ trigger\ %s\ for\ %s=A trigger that contains %s by %s -Fishing\ Bobber=Fishing On The Float -Banned\ %s\:\ %s=As a %s\: %s -Pink\ Base\ Gradient=The Pink Base Of The Gradient -Applied\ effect\ %s\ to\ %s\ targets=Effects %s you %s goal -Villager\ Spawn\ Egg=A Resident Of The Laying Of Eggs. -Chiseled\ Quartz\ Block=Chiseled Quartz Block -Alternatively,\ here's\ some\ we\ made\ earlier\!=As an alternative, here are a few of what we have done in the past\! -Difficulty\ lock=The weight of the castle -Nothing\ changed.\ Friendly\ fire\ is\ already\ enabled\ for\ that\ team=It made no difference. Friendly fire is enabled, which it is, can you run the following command -Disconnected=Closed -Not\ a\ valid\ number\!\ (Integer)=This is not the right number\! (Integer) -Pig\ dies=The pig dies -Jungle\ Button=Button Jungle -Crimson\ Stem=Raspberry Ketone \u0394\u03AD\u03BD\u03C4\u03C1\u03BF -Expected\ closing\ ]\ for\ block\ state\ properties=The expected closing ] the block state information of the -Bone\ Meal=Bone milt\u0173 -Lodestone\ Compass\ locks\ onto\ Lodestone=Magnetic compass, magnet of the hard disk drive -Bubble\ Coral\ Fan=Bubble Coral Fan -Fishy\ Business=The fish business -Month=A month ago -Brown\ Glazed\ Terracotta=Brown Glass -Conduit\ attacks=Wireless attacks -server=server -Salmon\ flops=Gold flip flops -Right\ Sleeve=The Right Sleeve -Chiseled\ Red\ Sandstone=Chiseled Red Sand -Orange\ Pale\ Dexter=Amber Dexter -Rose\ Bush=Rose Bush -Nothing\ changed.\ Targets\ either\ have\ no\ item\ in\ their\ hands\ or\ the\ enchantment\ could\ not\ be\ applied=Nothing has changed. The goal should be on hand, or charm, which could not be applied to -Oak\ Slab=Apartment In Oak -Item\ Frame\ empties=Frame of the cleaning -Parrotfish=In The Morning -Sort\:\ %s=Form\: %s -Sort\ the\ entities=The principle of sorting -\u00A7aYes=\u00A7aAlso -Narrator\ Enabled=The Narrative Included In The Price -Smooth\ Quartz\ Block=Soft Block Of Quartz -Counting\ chunks...=A Number Of Parts Of... -Items\ Dropped=All Items Have Been Removed -Fence\ Gate\ creaks=The fences, the Gates, the gates of her -Purple\ Chevron=Purple Chevron -Resource\ reload\ failed=Source d - -Crimson\ Stairs=Statement Of Profit And Violet -World\ is\ deleted\ upon\ death=World deleted by death -Dispenser=Dispenser -Locked=Locked -Please\ make\ a\ selection=Please make your selection -Chicken\ hurts=When it hurts -Please\ update\ to\ the\ most\ recent\ version\ of\ Minecraft.=Please upgrade to the latest version of Minecraft. -Home=Home -Drowned\ dies=You drown -Up\ Arrow=Up Arrow -Punch=Please -Brown\ Bend=Brown ' s Perspektiv. -Brown\ Bend\ Sinister=Brown Bend Sinister -Vindicator\ mutters=Defender of the mother -Andesite\ Slab=Andesite Vestit -15x15\ (Maximum)=15\u044515 (Max.) -Blindness=Blindness -Shepherd\ works=The real work -Purple\ Carpet=On The Purple Carpet -Hold=Keep it up -Light\ Blue\ Per\ Pale=Light Blue -Dolphin\ attacks=Dolphin \u00FAtoky -Upload\ failed\!\ (%s)=Download not\! (%s) -Please\ select\ a\ singleplayer\ world\ to\ upload=Please choose one, alone in the world, and the position -Ambient/Environment=On The Surrounding Environment, -Highlight\ Players\ (Spectators)=Select One Of The Players (And Spectators) -Animals\ Bred=Wild Animals -Skeleton\ Wall\ Skull=The Skull Of The Skeleton On The Wall -Panda\ bleats=Panda bleats -[%s]\ %s=[%s] %s -Dark\ Forest\ Hills=The Dark Forest In The Mountains -Pig=Pig -Green\ Concrete="Green" Concrete -Zombie\ infects=The game, which is infectious -Cow=Makarov and -Lingering\ Potion\ of\ Slow\ Falling=The balance of the wine is slowly Decreasing -Cover\ Me\ With\ Diamonds=Cover Me Almaz -Unknown\ function\ %s=The function of the unknown %s -Blackstone\ Wall=Blackstone Wall -Warped\ Pressure\ Plate=A Sick Pressure Plate -No\ activity\ for\ the\ past\ %s\ days=No activity in the past %s Tag -Rotten\ Flesh=Rotten Meat -This\ will\ attempt\ to\ optimize\ your\ world\ by\ making\ sure\ all\ data\ is\ stored\ in\ the\ most\ recent\ game\ format.\ This\ can\ take\ a\ very\ long\ time,\ depending\ on\ your\ world.\ Once\ done,\ your\ world\ may\ play\ faster\ but\ will\ no\ longer\ be\ compatible\ with\ older\ versions\ of\ the\ game.\ Are\ you\ sure\ you\ wish\ to\ proceed?=He will seek to optimise the use of the world, which makes sure that all data is stored in the last of the games in the format. It can take a very long period of time, depending on the type of the world. If it is in your world, play in a faster and more in line with the earlier versions of the play. Are you sure you want to continue? -Pause\ on\ lost\ focus\:\ disabled=During the break, harm, attention\: closed -Barrel\ opens=The barrel is open -Snow\ Block=Snow Block -Cod=Cod -Spruce\ Wall\ Sign=Eat Wall Sign -There\ doesn't\ seem\ to\ be\ anything\ here...=There seems to be nothing can be... -Interactions\ with\ Anvil=Interaction with the dungeon -Command\ blocks=Command blocks -%1$s\ fell\ while\ climbing=%1$s he fell while climbing -Gray\ Per\ Bend\ Sinister\ Inverted=Grey, On A Bend Sinister Inverted -White\ Per\ Pale\ Inverted=Pale White Draw -Netherite\ Chestplate=Netherit Of The Bib -Wooden\ Shovel=Wooden Paddle -Red\ Pale\ Sinister=Red, Light, Bad -%1$s\ was\ impaled\ by\ %2$s\ with\ %3$s=%1$s va ser pierced %2$s with %3$s -Random\ tick\ speed\ rate=Random tick rate -Birch\ Wall\ Sign=Stick, Wall, Sign, -Multishot=Burst -Purple\ Base\ Indented=The Color Purple Main Fields -Hidden\ in\ the\ Depths=Hidden in the Depths -Light\ Gray\ Stained\ Glass\ Pane=Light Gray Stained Glass Panel -Traded\ with\ Villagers=To trade with the villagers -Blast\ Protection=Explosion proof -Jungle\ Sapling=Gungate Sapling -Lime\ Lozenge=Lemon, Honey -You\ must\ be\ on\ a\ team\ to\ message\ your\ team=You must be a team team message -Times\ Slept\ in\ a\ Bed=While I Was Lying In Bed, -Yellow\ Snout=The Yellow Metal -Protection=Protection -Too\ many\ blocks\ in\ the\ specified\ area\ (maximum\ %s,\ specified\ %s)=Many blocks in the specified range (to %s identifikovane %s) -Unbreaking=Unbreaking -Double\ must\ not\ be\ more\ than\ %s,\ found\ %s=Twice he must not be much more %s found %s -Wolf\ dies=The wolf dies -Orange=Orange -Open\ Configs\ Folder=Open The Folder On Your Instagram -Cyan\ Chief\ Sinister\ Canton=The Blue Of The Head Of The Canton To The Left -Prismarine\ Crystals=Prismarine Crystals -Showing\ %s\ mods=The presentation %s mods -Light\ Gray\ Per\ Bend\ Inverted=Light Grey \u0421\u0433\u0438\u0431 Upside Down -Cocoa\ Beans=Paso Cocoa -Statistics=Statistics -%1$s\ was\ squashed\ by\ a\ falling\ anvil\ whilst\ fighting\ %2$s=%1$s he was squeezed into a smaller table, in order to fight against the %2$s -Respawn\ Anchor\ depletes=Anchors respawn consumption -Villagers\ restock\ up\ to\ two\ times\ per\ day.=Residents reconstruction twice a day. -Type\:\ %s=Type\: %s -Minecraft=Minecraft -Invalid\ boolean,\ expected\ 'true'\ or\ 'false'\ but\ found\ '%s'=Nepareiza bula, paredzams, ka "true" vai "false", bet neatradu"%s' -Button\ %1$s=The key to the %1$s -Desert\ Lakes=In The Desert Lake -Joining\ world...=To join the global... -Light\ Gray\ Per\ Bend\ Sinister=Light Gray Color, On A Bend Sinister -Light\ Blue\ Flower\ Charge=Light, Energy, Flower, Blue -Black\ Carpet=The Carpet In Black -Report\ Bugs=Report An Error -Salmon=Salmon -Piglin\ converts\ to\ Zombified\ Piglin=Piglin becomes Zombified Piglin -Skeleton\ Horse\ dies=The skeleton of a Horse that never dies -Jumps=Go -Blue\ Snout=The Blue On The Front -Set\ spawn\ point\ to\ %s,\ %s,\ %s\ in\ %s\ for\ %s\ players=Vennligst point lager %s, %s, %s in the %s in %s play -Hide\ for\ own\ team=In order to hide their own command -%1$s\ was\ struck\ by\ lightning=%1$s he had been struck by lightning -Wither\ Skeleton=Wither Skeleton -Green\ Skull\ Charge=Free Green Skull -Piglin\ dies=The piglio -Jungle\ Pressure\ Plate=He Lives In The Jungle, Right Click On The -Novice=Beginners -Continue\ without\ support=Without the support to continue -Flower\ Pot=A Pot Of Flowers -Connection\ closed=End connection -Orange\ Base\ Gradient=Orange Base Of The Slope -Parrot\ angers=Tutuqu\u015Fu Angers -%1$s\ drowned\ whilst\ trying\ to\ escape\ %2$s=%1$s as a result of drowning when trying to save %2$s -Red\ Per\ Pale\ Inverted=The Red, Open, Inverted -Polished\ Blackstone\ Wall=Polirani Zid Blackstone -Gray\ Banner=Sivo Banner -Page\ %s/%s=Page %s/%s -Catch\ a\ fish=In order to catch the fish -Select=Select -Fire\ Coral=Fire Coral -Bottle\ smashes=Breaks a bottle -Spruce\ Stairs=The Trees On The Steps -Copied\ client-side\ block\ data\ to\ clipboard=Show the client the block of data to the clipboard. -Pink\ Stained\ Glass=Pink Stained Glass -Water\ Breathing=Water Breathing -Bullseye=For -Oak\ Wood=Oak Wood -Red\ Paly=Rot -Armorer=Armorer -Brown\ Per\ Pale\ Inverted=A Light Brown On Both Sides, The Second -Llama\ spits=In the llama spits -Delete\ realm=To remove the drawer -%1$s\ was\ blown\ up\ by\ %2$s=%1$s it exploded %2$s -Red\ Pale=The Red Light -The\ world\ border\ is\ currently\ %s\ blocks\ wide=On the edge of Svetla %s block for a wide range -Item\ Selection=Select The Item -Magenta\ Chief\ Dexter\ Canton=Magenta Chief Dexter Canton -Red\ Creeper\ Charge=The Cost Of The Red Creeper -Guardian\ flaps=Vartija gate -Red\ Chief\ Indented=Red Heart -Biome\ Scale\ Offset=The Overall Level Of Mobility -This\ will\ temporarily\ replace\ your\ world\ with\ a\ minigame\!=This will allow you to temporarily change your world and mini-games. -Warped\ Fence\ Gate=Couple, Fence, Port" -Netherite\ Boots=Netherite Ayaqqab\u0131 -Command\ chain\ size\ limit=The group consists of\: chain -->\ %s\ <%s>\ %s=-> %s <%s> %s -Spread\ %s\ players\ around\ %s,\ %s\ with\ an\ average\ distance\ of\ %s\ blocks\ apart=Levis %s Players from different countries %s, %s the average distance %s other blocks -You\ Need\ a\ Mint=Do You Need A Mint -Panda\ steps=Panda steps in the -Summoned\ new\ %s=New news %s -Crimson\ Planks=Ketone Tej Strani -Client\ outdated\!=Computerul client a expirat\! -Structure\ Name=Structure Name -Spawning=Friction -Push\ own\ team=Push your own team -Light\ Blue\ Banner=The Bright Blue Banner -Raw\ Chicken=Prior To The Launch -Spruce\ Fence=Spruce Fence -Trader\ Llama=The Dealer In The Mud -Green\ Chief=The Name Of The Green -Reset\ Demo\ World=Reset Demo World -Gray\ Stained\ Glass\ Pane=Gray Of The Stained Glass Windows In The Area Of The -Fisherman\ works=A fisherman working -Export\ failed=Export failed -Cyan\ Chief=Among The Main -%s\ killed\ you\ %s\ time(s)=%s the kill %s time(s) -Enchanter=Three wise men from the East -Player\ burns=Player care -Arrow\ of\ Leaping=The arrows on the field -Chest\ locked=The chest is locked -Green\ Base\ Indented=Yesil Indented Base -Preparing\ download=To download the preparation of the -%s\ has\ the\ following\ entity\ data\:\ %s=%s below is the data for the assets are\: %s -One\ of\ your\ modified\ settings\ requires\ Minecraft\ to\ be\ restarted.\ Do\ you\ want\ to\ proceed?=The change of one of parameters, a restart is required. Do you want to continue? -Second=Second -The\ City\ at\ the\ End\ of\ the\ Game=It was late in the game -Portal\ whooshes=The portal call -Turtle\ Egg=Turtle Vez\u00EB -Turns\ into\:=Back to\: -Green\ Bordure\ Indented=The Green Board Is The Reduction Of The -F3\ +\ C\ is\ held\ down.\ This\ will\ crash\ the\ game\ unless\ released.=To F3 + c. This leads to the collapse of the game, and if it is released. -Black\ Glazed\ Terracotta=Black Glazed Terracotta -Center\ Height=Height From The Center Of The City -Yellow\ Per\ Fess\ Inverted=- Groc Inversa-Fess -Mossy\ Stone\ Bricks=Mossig Most, Tegel, Tegel, -Nether\ Brick=Nether Brick -Status=Status -Updated\ the\ color\ for\ team\ %s\ to\ %s=Color refresh command %s for %s -Score=The result -Pink\ Bend=G\u00FCl-Bend -Iron\ Horse\ Armor=Zhelezniyat Con Armor -White\ Lozenge=White Tablet -Yellow\ Skull\ Charge=Yellow Tulips Collection -Min\ cannot\ be\ bigger\ than\ max=The Min can not be greater than the maximum -Cat=Cat -Wither\ Skeleton\ rattles=Dried-up skeleton are rattling -settings\ and\ cannot\ be\ undone.=the settings cannot be canceled. -Bricks=Brick -Stripped\ Warped\ Stem=Removed From The Tribe Swollen -Deep\ Lukewarm\ Ocean=Deep, Warm Sea -Not\ a\ valid\ number\!\ (Long)=Not the exact number. (Long) -Jungle\ Sign=The Forest Of Symbols, -Piglin=Piglin -Blue\ Glazed\ Terracotta=\u053F\u0561\u057A\u0578\u0582\u0575\u057F Glazed Terracotta -Clouds=Clouds -Custom\ predicate=Customs wheels -Leash\ Knot=Krage Og Knute -Shattered\ Savanna\ Plateau=Part Of The Plateau Savanna -Written\ Book=He Has Written A Book. -Reloading\ all\ chunks=To load all the pieces -Parrot\ roars=Parrot noise -Destroy\ a\ Ghast\ with\ a\ fireball=To destroy a Ghast with a fireball -Trident\ thunder\ cracks=The Trident cracks of thunder -Gray\ Paly=Gray Paly -Shulker\ Box=Box Shulker -Light\ Gray\ Inverted\ Chevron=The Grey Bar On The Opposite Side -Light\ Gray\ Per\ Pale=The Gray Light From The Light -Leatherworker\ works=Leatherworker V Prac\u00EDch -Spider\ dies=The spider died -Light\ Blue\ Per\ Fess\ Inverted=Light Blue Fess Inverted -Black\ Per\ Bend=Black Pleated -Player\ hurts=The player is bad -Limit\ must\ be\ at\ least\ 1=On the border should not be less than 1 -Gray\ Pale=Light grey -Lime\ Globe=Cal On Light -Select\ another\ minigame?=Choose from any of the other games. -Player\ Wall\ Head=Player The Wall-Manager -Raw\ Salmon=Gold Crude -There\ are\ no\ custom\ bossbars\ active=No hi ha Cap acte bossbars activa -Zombified\ Piglin=Zombies Flycatchers -Plants\ Potted=Planter -Light\ Gray\ Chief=A Light Gray Color, And High -Stripey=Striped -Adventure=Avantura -(Made\ for\ an\ older\ version\ of\ Minecraft)=(In earlier versions in Minecraft) -Copied\ server-side\ entity\ data\ to\ clipboard=Up your server data are in the clipboard -Secondary\ Power=Power New -Mossy\ Cobblestone\ Wall=Mossy Cobbles Of De Muur -Smooth\ Sandstone\ Stairs=Smooth Sandstone Steps -Use\ VBOs=Use VBO'S -Swamp\ Hills=Marsh, Hills -Expected\ a\ coordinate=There will be an extra fee -Cooked\ Porkchop=Virti Kiauliena Chop -Disconnected\ by\ Server=Disconnected from the server -Splash\ Potion\ of\ Night\ Vision=Splash Potion Night Vision -Teleport\ to\ Team\ Member=Teleport team member -Ender\ Chests\ Opened=Ender Chests Open -The\ player\ idle\ timeout\ is\ now\ %s\ minutes=The players of now %s minuts -Hardcore\ worlds\ can't\ be\ uploaded\!=Hardcore worlds, you can download. -Those\ Were\ the\ Days=Those Were The Days -If\ you\ leave\ this\ realm\ you\ won't\ see\ it\ unless\ you\ are\ invited\ again=If you leave this field you will not see, if you don't ask for it back -Skipped\ chunks\:\ %s=You Have Missed Part Of It. %s -Block\ of\ Netherite=Netherite Blokke -Weaponsmith=Shop -Mooshroom=Mooshroom -Blaze=Thanks -PVP=PARTY -Azure\ Bluet=Azure Bluet -Shulker\ Boxes\ Cleaned=Shulk Printer, The Clipboard, Cleaning Products, -Turtle\ baby\ dies=The ancient city, in which is the death of the child -Pink\ Concrete=Sex -Hitboxes\:\ hidden=Hitboxes\: peidetud -Shears\ click=For the components, click on the -Green\ Chevron=The Green \u0428\u0435\u0432\u0440\u043E\u043D -Interactions\ with\ Campfire=The interaction with the camp-fire -Your\ world\ will\ be\ restored\ to\ date\ '%s'\ (%s)=Your world will be restored, this meeting"%s' (%s) -End\ Barrens=And Finally, In The Pine Forest -Vex\ vexes=Tamara sad -%1$s\ was\ fireballed\ by\ %2$s\ using\ %3$s=%1$s \u03B5\u03AF\u03BD\u03B1\u03B9 fireballed \u03C3\u03C4\u03BF %2$s use %3$s -Entity\ cramming\ threshold=Bit u srcu, -End\ Stone\ Brick\ Slab=At The End Of Stone, Brick, Stove -Zombie\ Villager=Zombie Villager Rode -Move\ with\ %s,\ %s,\ %s\ and\ %s=To move to the %s, %s, %s and %s -Fishing\ Rod=Auction -Revoked\ the\ advancement\ %s\ from\ %s\ players=Cancel company %s so %s players -Expected\ whitespace\ to\ end\ one\ argument,\ but\ found\ trailing\ data=I'm hoping that the square end of the argument, but when I saw the final result and the information -Tomato\ Clownfish=Tomat Clown Fisk -Red\ Base\ Indented=Red And Basic Indent -Brick\ Wall=The Confidence That Wall -Teleported\ %s\ to\ %s=Player %s for %s -Spruce\ Planks=Spruce Point -Orange\ Stained\ Glass=Glass Of Orange -Cyan\ Bordure=Blue Edge -Entity\ Distance=The Object In The Distance -Death\ message\ visibility\ for\ team\ %s\ is\ now\ "%s"=Death message, growth of authority in the team %s most "%s" -Crosshair=Mouse -%1$s\ was\ squashed\ by\ a\ falling\ anvil=%1$s he was bruised, for the fall and a hard place -Orange\ Inverted\ Chevron=Portokal Chevron On Segnata Country -Netherite\ Hoe=To Get Netherite -Triggered\ %s=OIE %s -Downloading\ Resource\ Pack=T\u00F6ltse Le A Resource Pack -Isle\ Land=This Island Earth -Green\ Per\ Bend=The Green Way -Librarian=Librarian -Conduit=The Wii -Realms\ is\ not\ compatible\ with\ snapshot\ versions.=Universes that do not correspond to the version of highlights. -Not\ a\ valid\ number\!\ (Double)=This is not the right number\! (Dual), -Clayfish=Clayfish -Invalid\ or\ unknown\ sort\ type\ '%s'=Sequencing error, or an unknown type"%s' -Dead\ Brain\ Coral=The Dead Brain Coral -%1$s\ was\ killed\ by\ %2$s=%1$s he died at the hands of the %2$s -Yellow\ Terracotta=Yellow, White Cement -Iron\ Sword=Iron Sword -Agree=In accordance with the -Burp=Hiccup -Sugar=Sugar -Scaffolding=The scaffold -Black\ Inverted\ Chevron=Negre Chevron Inversa -Unknown\ or\ incomplete\ command,\ see\ below\ for\ error=Unknown or incomplete command, you can see the below error -Tripwire\ detaches=The presence of this -The\ authentication\ servers\ are\ currently\ down\ for\ maintenance.=Currently, the server-authentication is enabled for maintenance. -Leash\ knot\ breaks=String knot bread -Lime\ Bed=Lime Bed, -Guardian=Porter -Drop\ mob\ loot=Efter\u00E5ret mob loot -Dead\ Bubble\ Coral\ Wall\ Fan=Dead Bubble Coral, Which Can Be Mounted On The Wall Fan -Woodland\ Explorer\ Map=Forest Explorer Map -Modified\ Jungle=Change The Jungle -Couldn't\ grant\ criterion\ '%s'\ of\ advancement\ %s\ to\ %s\ as\ they\ already\ have\ it=Is not a criterion"%s"with the arrival of %s a %s as it is already there -Lime\ Terracotta=The Lemon Juice, The Vanilla And The -The\ Void=This may not be the -Time\ Since\ Last\ Death=The Latest Death -Your\ IP\ address\ is\ banned\ from\ this\ server.\nReason\:\ %s=IP address banned on this server.\nReason\: %s -Changed\ title\ display\ times\ for\ %s=Changed the name of the screen time %s -Mine\ stone\ with\ your\ new\ pickaxe=My stone with a new hoe -Light\ Gray\ Stained\ Glass=Light Grey Tinted Glass -Crashing\ in\ %s...=Crash %s... -Nothing\ changed.\ The\ player\ already\ is\ an\ operator=Nothing has changed. Player where the carrier -Light\ Blue\ Pale\ Dexter=Light Sina Bled Dexter -Pink=Pink -Arrow\ hits=Dart hit -Raw\ Mutton=Raw Lamb, -Lime\ Bend=The Day Bent -Cichlid=Cichlids -Nothing\ changed.\ The\ world\ border\ is\ already\ centered\ there=Not much has changed since then. The world border is now centered on the -Controls\ drops\ from\ minecarts\ (including\ inventories),\ item\ frames,\ boats,\ etc.=In order to verify the drops, minecarts (including the shares), item frames, boats, etc -Reset=Reset -Switching\ world...=The rest of the world does -Lime\ Thing=Lime, Then -Distance\ Walked\ under\ Water=The trip over the Water -Farmer=Farmer -Gray\ Per\ Bend=Grijs Gyrus -Red\ Sandstone\ Slab=The Kitchen-The Red Sands. -Bobber\ retrieved=Float-test -Teleported\ %s\ to\ %s,\ %s,\ %s=Teleporta %s for %s, %s, %s -Expires\ in\ a\ day=Most importantly, the next day -Test\ failed,\ count\:\ %s=The Test is not successful, and they are the following\: %s -Selected=This protection -Narrator\ Disabled=Personer med handicap -Arrow\ of\ Water\ Breathing=The direction of the water to breathe -World=The world -Purple\ Per\ Bend\ Sinister\ Inverted=Gut, Um Bend Sinister Umgekehrt -Silverfish=River Silverfish -Old=Stari -Orange\ Chief\ Sinister\ Canton=The Main Orange, The Bad, The Canton Of -Kill\ one\ of\ every\ hostile\ monster=To kill every monster is hostile -Cartographer\ works=Qatar is working -Zombified\ Piglin\ hurts=Zombified pigli mul on valus -Red\ Chief=The Red Head -<--[HERE]=<--[Her] -Sliding\ down\ a\ honey\ block=Access to the entry of honey -Hot\ Stuff=Hot Stuff -Start\ LAN\ World=In order to begin connecting to the Internet around the world -%1$s\ suffocated\ in\ a\ wall\ whilst\ fighting\ %2$s=%1$s the anger wall is complete %2$s -Blue\ Per\ Pale\ Inverted=Blue To Pay To The -Too\ Small\!\ (Minimum\:\ %s)=A Lot Of Low\! Of not less than\: %s) -Polar\ Bear\ Spawn\ Egg=Polar Bear ?????????? Caviar -Campfire\ crackles=Constructor -Weak\ attack=Slab napad -Nothing\ changed.\ The\ player\ isn't\ banned=Nothing will change. The player in the ban -Nothing\ changed.\ That\ trigger\ is\ already\ enabled=Nothing has changed. As the trigger is associated with -Granite\ Stairs=Stairs Made Of Granite -Strider\ dies=Strider mor -Dandelion=Dandelion -Base\ value\ of\ attribute\ %s\ for\ entity\ %s\ is\ %s=The base value of the attribute %s this topic %s it is %s -Logging\ in...=The session... -Bee\ Our\ Guest=The Bees Guest -Objective\ names\ cannot\ be\ longer\ than\ %s\ characters=The name can not be more %s the characters -Red\ Saltire=Red Cross -Projectile\ Protection=Shell Protection -Game\ Interface=The Game Interface -hi\ %=hi -loading\ this\ world\ could\ cause\ problems\!=the burden of this world, and it may not be the cause of your problems. -Splash\ Uncraftable\ Potion=The Wave Of Alcohol That Can Be Used In The Preparation -Popped\ Chorus\ Fruit=The Structure Is Viewed As A Fruit Of The -Expected\ double=Twice, as expected -Music=The music of the -Illusioner\ murmurs=Illusioner tales -Hard=Hard -Piston\ Head=Head Cylinder -Gray\ Dye=SIV -Day\ Two=The Two Days Of -Import\ Settings=To Import The Settings -Furnace=The oven -Blue\ Concrete=Blue, Concrete -Bow=Arch -Parrot\ groans=Parrot moans -[\ F4\ ]=[ F4 ] -Times\ Broken=Once Broken -Purple\ Bend\ Sinister=It's Bad -Rain\ falls=The rain is falling -Corner\:\ %s=Angle\: %s -Entity's\ x\ rotation=Entity X rotate -Beach=A -Plant\ a\ seed\ and\ watch\ it\ grow=To see plant a seed and it will grow -Chat\ Text\ Size=Conversation And Goleman On Tekstot -Entity\ Shadows=Device Shadows -%s\ has\ completed\ the\ challenge\ %s=%s complete the problem %s -Spread\ %s\ teams\ around\ %s,\ %s\ with\ an\ average\ distance\ of\ %s\ blocks\ apart=Distribution %s commands for all %s, %s the average distance from the %s in addition to the blocks -Zombie\ converts\ to\ Drowned=The Zombie converts Are -Integer\ must\ not\ be\ more\ than\ %s,\ found\ %s=The letter should not be more than %s find %s -Dolphin\ dies=Dolphin and his death -Purple\ Saltire=Purple Saltire -Potted\ Poppy=Kitchen Utensils, It Seems -Hot\ Tourist\ Destinations=Popular Tourist Destinations -Prompt=Fast -Hoglin\ converts\ to\ Zoglin=Hogl around And I zogla -Use\ the\ %1$s\ key\ to\ open\ your\ inventory=Use %1$s click to open your inventory -Download\ done=Download -C418\ -\ chirp=C418 - chirp -<%s>\ %s=<%s> %s -%1$s\ walked\ into\ fire\ whilst\ fighting\ %2$s=%1$s they went into the fire during the battle %2$s -Can't\ schedule\ for\ current\ tick=You can design the layout of the current offerings -Mojang\ implements\ certain\ procedures\ to\ help\ protect\ children\ and\ their\ privacy\ including\ complying\ with\ the\ Children\u2019s\ Online\ Privacy\ Protection\ Act\ (COPPA)\ and\ General\ Data\ Protection\ Regulation\ (GDPR).\n\nYou\ may\ need\ to\ obtain\ parental\ consent\ before\ accessing\ your\ Realms\ account.\n\nIf\ you\ have\ an\ older\ Minecraft\ account\ (you\ log\ in\ with\ your\ username),\ you\ need\ to\ migrate\ the\ account\ to\ a\ Mojang\ account\ in\ order\ to\ access\ Realms.=Mojang was required to apply certain procedures that will help kids in defence, and in his personal life, including, in accordance with their children about online privacy protection act children online (COPPA), as well as the General law On personal data protection (General data).\n\nMaybe you should obtain parental consent before you approach the matter. \n\nIf you have an old Minecraft account (user access), then you have to move at its own expense and for its own account in Mojang, to enter the Kingdom.... -White\ Terracotta=White And Terra Cotta -%1$s\ blew\ up=%1$s explode -Reset\ world=To Save The World -Chiseled\ Nether\ Bricks=The Bricks Hack -Distance\ Walked\ on\ Water=The distance walked on the water -Potion\ of\ Fire\ Resistance=Potion Of Fire Resistance -Unknown\ slot\ '%s'=Unknown socket '%s' -%s\ %s=%s %s -Wheat=Wheat -Red\ Pale\ Dexter=Red Lights-Dexter -Off=No exterior -Attack\ Indicator=Index Attack -Command\ set\:\ %s=The number of teams. %s -Pending\ Invites=Waiting For A Call -Unknown\ selector\ type\ '%s'=Unknown type selector '%s' -Magenta\ Base\ Gradient=The Purple Gradient In The Database -%s\ was\ banned\ by\ %s\:\ %s=%s banned %s\: %s -Oak\ Door=Oak Doors -Ghast\ Spawn\ Egg=Ghast Spawn Eggs -Tipped\ Arrow=The Tip Of The Arrow -Smooth\ Sandstone\ Slab=Them, And The Slabs Of Sandstone -Zombie\ Villager\ vociferates=Zombie-\u03BA\u03AC\u03C4\u03BF\u03B9\u03BA\u03BF\u03C2 vociferated -Light\ Blue\ Chief\ Sinister\ Canton=Lys Bl\u00E5, Chief Skummel Canton -End\ Gateway=The Last Trumpet -Yellow\ Stained\ Glass\ Pane=Yellow Stained Glass -%1$s\ was\ roasted\ in\ dragon\ breath\ by\ %2$s=%1$s roast the dragon's breath %2$s -Enchanting\ Table\ used=A magical Table used -Cyan\ Flower\ Charge=Blue Flower Free -Bucket\ fills=The bucket fills up -Local\ game\ hosted\ on\ port\ %s=Part of the game took place in the port %s -Take\ Screenshot=Take Out Of The Exhibition -Shulker\ Spawn\ Egg=Shulk For Caviar Eggs -Wandering\ Trader\ mumbles=Visit the Seller mambo -Orange\ Saltire=Orange SS. Flagge Andrews -Evoker\ casts\ spell=Summoner spells -Magenta\ Saltire=Purple Cross -White\ Base\ Sinister\ Canton=White-Dark-Blue-The Basis Of The Data -Enchanted\ Golden\ Apple=Enchanted Zalatoe Ableg -Player=Games -Block\ breaking=The partnership for the breach of -Horse\ hurts=Horse-this is a very bad -Fire\ Protection=Fire safety -Backspace=Cut -Light\ Blue\ Shield=Light Blue Shield -Auto-Jump=Automatic Jump -Backup\ failed=Backup -Set\ Default\ Smooth\ Scroll=The Default Is Smooth Scrolling -Red\ Glazed\ Terracotta=The Red Glazed One -Lime\ Inverted\ Chevron=La Cal\u00E7 Invertida Chevron, -Black\ Concrete=Black Concrete -Left=To the left -Burning=This burning -Composter\ filled=The composter is full -Expected\ object,\ got\:\ %s=It is expected that the project is bought. %s -Tube\ Coral\ Fan=Tube Coral, Fan -Two\ by\ Two=Two-on-two -Limits\ contents\ of\ debug\ screen=The contents of the screen, search for to resolve the problem -Killed\ %s\ entities=Dead %s equipment -Lingering\ Potion\ of\ Levitation=Long mix of levitation -Magma\ Block=Magma Bloc -The\ advancement\ %1$s\ does\ not\ contain\ the\ criterion\ '%2$s'=Rast %1$s do not include the criteria"%2$s' -Suit\ Up=Make Sure That The -Disabled\ friendly\ fire\ for\ team\ %s=Forbidden to attack the team %s -Lava\ Lakes=Lava Lake -Showing\ %s\ libraries=Shows %s library -Purple=Dark purple -Create\ world=Armenia -Saved\ screenshot\ as\ %s=To save the image as %s -Lime\ Cross=Through The Lime -That\ position\ is\ out\ of\ this\ world\!=This place is out of this world\!\!\!\!\! -Pink\ Field\ Masoned=Pink Box, Bricked Up Underground -Ender\ Pearl=This Is A Ender Pearl -Render\ Distance=Render Distance -Deprecated=Has passed -Black\ Gradient=The Curve In Black -Flight\ Duration\:=For The Duration Of The Trip\: -Mossy\ Cobblestone=Herbal Rocks -Orange\ Terracotta=Orange, Terra Cotta -Cyan\ Saltire=Turquoise Casserole -A\ String=Line -Found\ %s\ matching\ items\ on\ %s\ players=Found %s points %s The game -Zoglin\ growls\ angrily=Zogl growled with anger for -Structure\ Block=The Design Of The Building -Only\ players\ may\ be\ affected\ by\ this\ command,\ but\ the\ provided\ selector\ includes\ entities=Players can influence these actions, but on the condition that the vehicles, which include people -Gray\ Chief\ Dexter\ Canton=Gray Editor-In-Chief Dexter Canton -Skull\ Charge=The Account's Sake -Experience\ Orb=Experience In The Field -Shepherd=Real -Shulker\ Boxes\ Opened=Box, Shulker, Swimming Pool -Bubbles\ whirl=The bubbles in the distribution system. -Golden\ Sword=Golden Sword. -Clay\ Ball=The Argila Bola -Tube\ Coral=In Relation To Coral -Shulker=Shulker -Black\ Globe=Black Balls -Not\ a\ valid\ value\!\ (Alpha)=Is not a correct value\! (Alpha) -Potion\ of\ Swiftness=Potion of speed -Bee=Bee -Green\ Bend\ Sinister=Green Bend Sinister -Dasher=Dasher -Give\ a\ Pillager\ a\ taste\ of\ their\ own\ medicine=Gives Alcoa a taste of their own medicine -Your\ subscription\ has\ expired=If your subscription runs out -Update\ fire=Update On The Fire -Panda\ eats=The Panda ate -%s\ (%s)=%s (%s) -Drops=Kapky -Cave\ Air=The Cave Air -Do\ you\ really\ want\ to\ load\ this\ world?=Want to download the world is it? -Granted\ %s\ advancements\ to\ %s\ players=To give %s the progress of the %s players -Switch\ minigame=Vire mini -Pink\ Per\ Bend=Pink Ribbon -Guardian\ dies=Standard die -chat=in chat, -3x3\ (Fast)=3x3 (Speed) -Bells\ Rung=Bells, He -Black=Crna -Dungeons=Die Landschaft -Giant\ Spruce\ Taiga=A Huge Tree \u0422\u0430\u0439\u0433\u0430 -Orange\ Dye=The Bright Orange Color -Light\ Blue\ Chief\ Dexter\ Canton=White Board Canton Dexter Blue -Pufferfish\ dies=If the fish ball is -Regeneration=Regeneration -Current\ entity=V actually -%1$s\ experienced\ kinetic\ energy=%1$s the experience is the kinetic energy of the -Lead=Guide -Unexpected\ custom\ data\ from\ client=Unexpected personal information -Phantom\ flaps=Phantom vinnen -Player\ is\ already\ whitelisted=Player from you -Light\ Blue\ Creeper\ Charge=Luce Blu Creeper -Vines=Grapes -Light\ Blue\ Chief\ Indented=Light Blue Base, Mit Offset -Pink\ Pale\ Sinister=The Bled Ros\u00E9 And Slocombe -This\ pack\ was\ made\ for\ a\ newer\ version\ of\ Minecraft\ and\ may\ no\ longer\ work\ correctly.=This set is in the new version of Minecraft and is no longer able to function properly. -Fancy=Fantasy -(no\ connection)=(no link) -Expected\ integer=It is expected that the number of -Yellowtail\ Parrotfish=Yellowtail Papagal -Blue\ Dye=Blue Tint -Copy\ of\ original=A copy of the original -There\ are\ %s\ objectives\:\ %s=It %s tasks\: %s -Fire\ extinguishes=Put on the fire -Yellow\ Chief\ Sinister\ Canton=Yellow Main Claim To Canton -Enderman\ cries\ out=Enderman screams -Potion\ of\ Harming=The drink of the poor -Enter\ Book\ Title\:=Enter The Name Of The Book. -Magenta\ Globe=Lilla Verden -Fire\ extinguished=Put on the fire, -Showing\ %s\ mod\ and\ %s\ library=Presentation %s the function %s library -Cracked\ Stone\ Bricks=Napuknut Kamena I Cigle -Voluntary\ Exile=A Self-Chosen Exile -Birch\ Fence\ Gate=The Birch, The Fence, The Door Of -Bat=Letuchaya mouse -Bar=Bar -Blast\ Furnace\ crackles=Crackles soba -Keypad\ Decimal=Features Of The Keyboard -Mule\ hurts=The mule-it hurts me -Stone\ Axe=The Book I -Splash\ Potion\ of\ Harming=Splash potion of damage -Sunstreak=Sunstreak -VIII=I -Spectator\ Mode=The Display Mode Will Only -Uncraftable\ Potion=Uncraftable Ting -Green\ Gradient=Shades Of Green -Jump\ by\ pressing\ the\ %1$s\ key=Jump by pressing %1$s key -Attack\ Speed=Attack Speed -Mundane\ Lingering\ Potion=Mundane Potion Of Slowing -Zoglin\ hurts=Zogla hurt -Switch\ realm\ to\ minigame=Switch kingdom in game -Height\ Scale=The Number And Height -Diamond\ Pickaxe=Peak Of Diamond -Load\ mode\ -\ load\ from\ file=Load the file -Pufferfish=Fish bowl -Chest\ closes=The chest is closed -Brown\ Chevron=Brown Chevron" -Controls\ resource\ drops\ from\ blocks,\ including\ experience\ orbs=A Source confirms that the points of the islands, including the experience of the spheres -Player\ dies=The player can't die -Blue\ Skull\ Charge=On The Blue Side -Spooky\ Scary\ Skeleton=Horrible Skeleton -Gray\ Concrete=Grey Concrete -Purpur\ Stairs=The stairs -Potted\ Warped\ Roots=In Pot The Roots -Mooshroom\ Spawn\ Egg=Mooshroom ?????????? Caviale -Wheat\ Crops=Wheat Crops -F3\ +\ G\ \=\ Show\ chunk\ boundaries=F3 + A \= a View component boundaries -You\ can\ look\ but\ don't\ touch=You can also see, but not touch -Cyan\ Per\ Bend=Blue Pleated -The\ difficulty\ did\ not\ change;\ it\ is\ already\ set\ to\ %s=The complexity hasn't changed, and it is registered in the %s -Blue\ Base\ Sinister\ Canton=The Blue Base Sinister Canton -Evoker=Evoker -Mipmap\ Levels=The Level Of The Mipmap -Saddle=The saddle -Scoreboard\ objective\ '%s'\ is\ read-only=The purpose of the scoreboard"%s"it is only for reading -Custom\ bossbar\ %s\ is\ now\ visible=Customs bossbar %s now, on its face, -Target\ does\ not\ have\ this\ tag=The purpose of tags -Arrow\ of\ Invisibility=The Invisible Hand -Magenta\ Stained\ Glass=Purple Stained Glass -The\ default\ game\ mode\ is\ now\ %s=By default, during the game %s -Iron\ Trapdoor=Iron Door -Iron\ Pickaxe=The Pickaxe Iron -Spider\ hisses=The spider hisses -Black\ Creeper\ Charge=Nero CREEPER Gratis -Interactions\ with\ Stonecutter=Bendradarbiavimo Stonecutter -Lime\ Concrete\ Powder=Lime Powder, Concrete -Black\ Chief\ Indented=Black Head In The Blood, -Invert\ Mouse=Do -Maximum\ number\ of\ entities\ to\ return=Maximum number of people in order to bring them back -Lava\ Oceans=Lava And The Ocean -Wooden\ Hoe=Use Of Lifting -Copied\ client-side\ entity\ data\ to\ clipboard=A copy of the part of the customer, the organisation and the transfer of the data to the clipboard -Destroy\ the\ tree=The goal is to destroy the tree -Cyan\ Skull\ Charge=El Carregador Blue Crani -Use\ a\ Netherite\ ingot\ to\ upgrade\ a\ hoe,\ and\ then\ reevaluate\ your\ life\ choices=The use of rods in Netherite to update hoe, and then to reflect on their choices in life -Twisting\ Vines\ Plant=The Twist In The Vines Of The Plant -White\ Per\ Bend\ Inverted=The White Bend Reversed, -Gray\ Carpet=Tepih Siva -Wither\ dies=Breaking the decayed -Oak\ Sapling=Baby Oak -Search...=Look... -Unlimited=Unlimited -Gray\ Gradient=Grey Gradient -Red\ Bend\ Sinister=A Red Bend Sinister -Drag\ and\ drop\ files\ into\ this\ window\ to\ add\ packs=The drag-and-drop your files into the window to add more packages -Overworld=Pikachu -Id\ \#%s=Id \#%s -Cod\ Spawn\ Egg=Cod Spawn Egg -Ancient\ Debris=Ancient Ruins -Not\ Today,\ Thank\ You=No, Not Today, Thank You -Andesite\ Wall=Steni From Andesite -Graphics=Schedule -\ (Modded)=\ (Mod) -White\ Per\ Bend\ Sinister=The White Color On A Bend Sinister -Birch\ Button=The Like Button -Shulker\ lurks=Shulker show -Light\ Gray\ Chief\ Sinister\ Canton=Light Of Siva, The Head, The Sinister Canton -Black\ Thing=Black Back -Added\ %s\ members\ to\ team\ %s=Added %s members of the team %s -Nether\ Brick\ Stairs=Nether Brick Stairs -Birch\ Boat=Birch Ship -Obtain\ a\ block\ of\ obsidian=The benefit of a single piece of obsidian -Dark\ Oak\ Pressure\ Plate=Dark Oak Under Pressure Edge -Sandstone\ Slab=Displays Faianta -Efficiency=Efficiency -Nether\ Portal=Nether Portal -Lapis\ Lazuli=Lapis lazuli -Player\ dings=The player a break -Oxeye\ Daisy=\u015Alazy Daisy -Taiga\ Hills=Taiga-The Mountains -The\ debug\ profiler\ hasn't\ started=Sins profiler not e zapoceta -Turtle\ dies=The turtle will die -Flint\ and\ Steel\ click=Flint and Steel, click the button -Orange\ Globe=Orange Ball -Potted\ Dandelion=The Flowers Of Dandelion -Orange\ Field\ Masoned=Orange In The Country, The Brick, Floor -Ravager\ grunts=Ravager Grunts -River=River -Horse\ eats=To eat a horse -Vindicator\ cheers=Magazine here -White\ Per\ Fess=Fess Hvid -Acacia\ Wall\ Sign=The Acacia Of The Wall Of The Session -Potted\ Birch\ Sapling=Getopften Birch-Trees, -Blue\ Per\ Bend=Blue Stripes -Projectile\:=Brand\: -Chiseled\ Polished\ Blackstone=Acute Blackstone Gentle -Click\ to\ start\ your\ new\ realm\!=Click here to start the new world. -Attached\ Melon\ Stem=Depending on the mother's melons -Yellow\ Fess=Of Zsolt Fess -Couldn't\ revoke\ criterion\ '%s'\ of\ advancement\ %s\ from\ %s\ players\ as\ they\ don't\ have\ it=No one can come out of a person%spromotion %s on the %s the players, as I don't have to -Potted\ Pink\ Tulip=The Flowers Of Pink Tulips -Soul\ Campfire=The Fire Of The Soul -Tripwire\ clicks=Click the wireless -Oak\ Pressure\ Plate=Hrasta On Wrhu -Iron\ Ingot=Iron Blocks -Respawn\ location\ radius=The radius of the spawn point -Birch\ Log=Berezovy Log -Barrier=The barrier -Cleric\ works=The priest is -Andesite\ Stairs=Andesite Prices -Config=The input -Edit=Edit -Multiplayer\ game\ is\ now\ hosted\ on\ port\ %s=Multiplayer is currently hosted on %s -Emerald\ Ore=Emerald Rudy -Red\ Bordure=The Red Edge Of The -Light\ Blue\ Carpet=The Light Blue Of The Carpet -Magenta\ Thing=The Magenta Thing -Levels\:\ %s=Level\: %s -No\ new\ recipes\ were\ learned=Learned new recipes every -Single\ Biome=This Unique Ecosystem -Slime\ Spawn\ Egg=Lyme Spawn Egg -Fox\ teleports=Fox sign up to the rays of the -%1$s\ was\ killed\ by\ magic=%1$s he was killed by magic -Cauldrons\ Filled=Pots -Green\ Saltire=Green Saltire -Piercing=Piercing -Parrot\ gurgles=Toepassing gorgelt -Gray\ Base\ Gradient=Gray Gradient In The Database -Unexpected\ trailing\ data=Unexpectedly, the most recent information -Pink\ Chief\ Dexter\ Canton=The Prime Minister-The Pink Canton Dexter -Create\ Backup\ and\ Load=\u041A\u0440\u0435\u0438. The Backup and Upload it -You\ may\ not\ rest\ now;\ there\ are\ monsters\ nearby=There you can relax, nearby are the monsters -Activator\ Rail=The Activator Rail -Close\ realm=Luk websted -Light\ Gray\ Field\ Masoned=Light Gray Field Masoned -Note\ Block\ plays=Blocks play -Game\ Menu=The Game Menu -Prismarine\ Brick\ Slab=Prismarine Bricks Is One Of The Worst -Green\ Dye=Yesil Farba -Use\ VSync=I Use VSync -Structure\ Integrity\ and\ Seed=The integrity of the structure, and the Seeds -Purple\ Bordure=Purple Edge -Magenta\ Concrete=The Black On The Concrete -Magma\ Cube\ hurts=Magma cube-TSE nasty -Zombie\ Villager\ snuffles=Zombie-Resident, snork -Piston\ moves=Piston to move -Cyan\ Pale\ Dexter=Modra, Svetlo, Dexter -Send\ command\ feedback=To send your comments -Snow\ Golem=The Snow Golem -Milk\ Bucket=A Bucket Of Milk -Marked\ chunk\ %s\ in\ %s\ to\ be\ force\ loaded=He did a bit of %s in %s this is the strength of the charge -Brown\ Per\ Bend\ Inverted=Brown Make Up Look -F3\ +\ T\ \=\ Reload\ resource\ packs=F3 + T \= " Resources-Package -Shulker\ Bullet=Shulker, You -Yellow\ Wool=Yellow Wool -Birch\ Pressure\ Plate=Birch Drive -This\ is\ an\ example\ of\ a\ config\ GUI\ generated\ with\ Auto\ Config\ API=A sample configuration is made of graphics it auto-Config-API -Dark\ Oak\ Fence\ Gate=Dark Oak Gate Fence -Custom\ Data\ Tag\ Name=For Specific Information -Enter\ the\ End\ Portal=Place The End Of The Portal -Attempting\ to\ attack\ an\ invalid\ entity=I'm trying to get the error message, that the person -Coal=Anglies -Copy\ to\ Clipboard=Copy it to the clipboard -Controls\ resource\ drops\ from\ mobs,\ including\ experience\ orbs=The management has divided the audience, including the experience of top -"%s"\ to\ %s="%s" %s -Brown\ Per\ Bend\ Sinister=Brown On The Fold Of The Sinister -Yellow\ Base=Yellow Background -Dirt=Blato -Jungle\ Trapdoor=Jungle-The Hatch -World\ updates=\u039A\u03CC\u03C3\u03BC\u03BF update -Birch\ Slab=Birch Run -Showing\ blastable=The screen blastable -Pink\ Chevron=Rosa Chevron -%s%%\ %s=%s%% %s -Petrified\ Oak\ Slab=Petrified Eik Styrene -Unknown\ Map=Unknown Card -Blaze\ crackles=The fire is crackling -Survival\ Mode=How To Survive -Orange\ Bordure=L'Orange De La Fronti\u00E8re -Magenta\ Bordure=Magenta Fronti\u00E8re -Potted\ Cactus=Built-in -Netherrack=Netherrack -Light\ Gray\ Pale\ Sinister=Svetlo-\u0160ed\u00E1 Bledo-Sinister -Villager\ dies=Of local residents, dies -Chipped\ Anvil=Perskelta S -Worlds=The world -Purpur\ Pillar=Post-Black -Teleport\ to\ Player=Teleporta Player -Your\ trial\ has\ ended=The completion of the -Redstone=Redstone -Fortune=Good luck to you -Skin\ Customization...=The Adaptation Of The Skin... -Acacia\ Fence=Valla Acacia -Parrot\ lurks=Parrot wait -Ravager\ bites=Reaver \u057E\u0580\u0561 -Dead\ Bubble\ Coral\ Block=Dead Of The Bubble Of The Blocks Of Coral -Join=United -Invalid\ IP\ address\ or\ unknown\ player=Incorrect IP address or an unknown player -Potion\ of\ Healing=Potion Of Healing -Set\ the\ world\ border\ to\ %s\ blocks\ wide=To install the world on Board %s blocks wide -Hero\ of\ the\ Village=The Hero Of The Village -Intentional\ Game\ Design=It Is Intentional Game Design -This\ bed\ is\ occupied=The bed is in use -Star-shaped=The stars in the form of a -Floating\ Islands=The Floating Islands -Value\ of\ attribute\ %s\ for\ entity\ %s\ is\ %s=Atribut vrednost %s on this subject %s it %s -%1$s\ fell\ too\ far\ and\ was\ finished\ by\ %2$s=%1$s also fell and finished %2$s -Green\ Per\ Fess\ Inverted=Green Per Fess Inverted -Nothing\ changed.\ Those\ players\ are\ already\ on\ the\ bossbar\ with\ nobody\ to\ add\ or\ remove=Nothing has changed. Players who already have the bossbar to add or remove -Couldn't\ revoke\ advancement\ %s\ from\ %s\ players\ as\ they\ don't\ have\ it=He didn't know that there is progress %s v %s those players who are not the -Weaponsmith\ works=The author of the guns of the work, -%1$s\ was\ killed\ by\ %3$s\ trying\ to\ hurt\ %2$s=%1$s to kill %3$s do not try to hurt you %2$s -Stone\ Age=Stone Age -Splash\ Potion\ of\ Healing=Splash Healing \u053D\u0574\u0565\u056C\u056B\u0584 -%1$s\ fell\ out\ of\ the\ world=%1$s the fallen peace of mind -Guardian\ shoots=Shoots -Orange\ Thing=The Thing Is, Orange -Snowy\ Tundra=The Snow-Covered Tundra -Error\!=Sins\! -Firework\ Star=Fireworks Stars -Set\ the\ weather\ to\ rain=To set the time in the rain -Wandering\ Trader\ Spawn\ Egg=Izlazni Podaci Prodavatelja Spawn Jaje -Name\ Tag=Naziv Sign -Polished\ Diorite=Polished Diorite -Spawner=Type -Light\ Gray\ Terracotta=Light Siwa, Terracotta, -Nothing\ changed.\ That\ team\ already\ can't\ see\ invisible\ teammates=Nothing has changed. I don't see this team, a team that don't already know -Polished\ Diorite\ Stairs=The Prices Of Polished \u0414\u0438\u043E\u0440\u0438\u0442 -Crimson\ Fence=Purple Fence -Cow\ dies=It's about to die -Save\ Hotbar\ Activator=Save As Hotbar % W / W -Brain\ Coral=Brain Coral -Jungle\ Leaves=Jungle Leaves -Yellow\ Flower\ Charge=Yellow Flower, And Expenses -Beacon\ deactivates=The engine is turned off,the -White\ Banner=White Flag -You\ can\ sleep\ only\ at\ night\ or\ during\ thunderstorms=You will have the ability to go to sleep at night or during a storm -Black\ Cross=Black Cross -Sea\ Lantern=More, Svjetionik -Chorus\ Flower\ withers=Choir the Flowers wither -Warped\ Wart\ Block=Twisted, Warts Points -Cyan\ Stained\ Glass\ Pane=Blue Color Glass -Hoglin\ retreats=Hoglin retreats -Horse\ Jump\ Strength=At, Jump G\u00FCc -All=All -Drowned=Drowning -Black\ Base\ Sinister\ Canton=The Base Color Of Black, In The Canton Of The Left -Granite=Granite -Expected\ value=The expected value -End\ Portal\ opens=In the end, the portal will open -Pink\ Gradient=Gradient Color Pink -Free\ the\ End=In The End, Free Download -Marked\ %s\ chunks\ in\ %s\ from\ %s\ to\ %s\ to\ be\ force\ loaded=The photos %s pieces %s i %s it %s the zorak -Green\ Chief\ Sinister\ Canton=The Main Sinister Green County -Horse\ jumps=Horse jumps -Set\ the\ world\ border\ damage\ to\ %s\ per\ block\ each\ second=Damage to the nerves in the world is set %s seconds of the block -Crimson\ Wall\ Sign=Dark Red Wall Of The Session -Yellow\ Chevron=Yellow Chevron -OFF=OFF -Bamboo=Bamboo -Desert\ Hills=Hills Of The Desert -Sugar\ Cane=Sugar, Sugar From Sugar Cane-Of-Sugar - -Not\ Quite\ "Nine"\ Lives=It Is Not Enough, "The Nine" Of Life -Edit\ Config=Edit Config File -Rabbit=Kani -Expected\ key=The key is to expect -Crossbow\ fires=Crossbow -Added\ %s\ to\ team\ %s=That is %s made %s -Time\ Since\ Last\ Rest=At The Time, Just Like The Last -Magenta\ Cross=Kryzh -Cyan\ Banner=Blue Advertising -Netherite\ Scrap=Down-Tone -Air=Air -Dark\ Forest=In The Dark Forest -Potted\ Blue\ Orchid=Potted Plant, Blue Orchid, -Hoppers\ Searched=Search For Sales Reps -Tactical\ Fishing=The Tactics Of Fishing -No\ entity\ was\ found=No-a can be found -Creeper\ Wall\ Head=The Creeper Against A Wall In My Head -Magma\ Cream=The Cream Of The Food -Want\ to\ get\ your\ own\ realm?=You want to make your own Kingdom? -Red\ Shield=Red Shield -Magma\ Cube\ Spawn\ Egg=Magma Cube Spawn Muna -Actually,\ message\ was\ too\ long\ to\ deliver\ fully.\ Sorry\!\ Here's\ stripped\ version\:\ %s=In fact, the message is too long to be given completely. This is the worst\! Here is the version\: %s -Light\ Gray\ Chevron=Ljusgr\u00E5 Chevron -Portal\ noise\ intensifies=The portal-to-noise amplified -Quake\ Pro=Earthquake -Cyan\ Concrete=Blue, Cool. -Suspicious\ Stew=Fish Goulash -Enabled\ trigger\ %s\ for\ %s\ entities=The trigger value %s for %s Operators -%s\ has\ no\ scores\ to\ show=%s the assessment doesn't seem -Evoker\ dies=K boy death -Entity\ name=Program name -Gray\ Stained\ Glass=Grey Glass -Totem\ of\ Undying=The Language, However, The -Thorns=Treet. -Farmer\ works=Farmer at work -Dolphin\ chirps=Dolphin sounds -Set\ %s\ experience\ points\ on\ %s=Sept %s experience points %s -Knockback\ attack=Razdevanie on attack -Apprentice=Student -Wither\ hurts=The pain in the back -Target\ name\:=Name ime\: -Minimum=At least -I\ agree\ to\ the\ Minecraft\ Realms=I agree that the world of Minecraft -Purple\ Dye=Purple Paint -Birch\ Wood=The tree -Red\ Inverted\ Chevron=Red, Sedan, Or -Set\ own\ game\ mode\ to\ %s=Set the mode of the games %s -Brown\ Shulker\ Box=Brown, Shulk Impressora Caixa -Cyan\ Gradient=Blue Gradient -Can't\ deliver\ chat\ message,\ check\ server\ logs\:\ %s=You are not able to deliver your message in the chat, and check out the server logs\: %s -Parrot=Parrot -Polar\ Bear\ hums=Polar beer bromt -Stonecutter=Mason -Please\ try\ restarting\ Minecraft=Please try again Minecraft -Gray\ Glazed\ Terracotta=Glazed Tile-Slate Grey -Go\ Back=Again -Follow\ an\ Eye\ of\ Ender=Makes The Eye Of Ends -Your\ game\ mode\ has\ been\ updated\ to\ %s=The gaming mode is updated %s -Andesite=Andesite -Dolphin\ splashes=Delfinov dom -Wolf\ growls=The wolf in me-even -Arrow\ of\ Weakness=The Arrows Of Weakness -Potted\ Spruce\ Sapling=They Planted The Seedlings Of The -End\ Stone\ Brick\ Wall=Brick, Wall, Stone -Entities\ of\ type=Organizations that -Soul\ Wall\ Torch=In-Soul-On-Wall-Light -Melon\ Seeds=The seeds of the melon are -Narrates\ All=It Says It All -Potion\ of\ Regeneration=Drink reform -Polished\ Blackstone=Polit, Total -Trident\ zooms=Trident, zoom in -This\ is\ an\ example\ tooltip.=For example, the tool tip will be displayed. -Monsters\ Hunted=Monsters Should Be A Victim -Hardcore\:=Hardcore\: -Lime\ Per\ Fess\ Inverted=Reverse Fess Lime -Inspiration=The Inspiration -Sneak=Sneak -Publisher=Editor -Multiple\ Issues\!=For More Questions\! -Same\ as\ Survival\ Mode,\ but\ blocks\ can't=The same, and Survival, but the pad can't -Arrow\ of\ Slowness=Arrow low -Zombie\ Horse=Zombi-At -Two\ Birds,\ One\ Arrow=Two Birds, One Arrow -Interactions\ with\ Smithing\ Table=The Interaction Of The Blacksmith Table -Purpur\ Block=Purpur-Block -Black\ Per\ Bend\ Inverted=The Black Cart In The Opposite Order -Server\ closed=The Server is already closed -Dolphin=Dolphin -%s\ whispers\ to\ you\:\ %s=%s whispers to you\: %s -Orange\ Cross=Orange Croix -Force\ Regenerate=Recovery -...\ and\ %s\ more\ ...=... i %s read more ... -Invalid\ array\ type\ '%s'=Bad table type '%s' -Slime\ Block=Slime Block -Black\ Per\ Bend\ Sinister=Black \u0421\u0433\u0438\u0431 Disturbing -%s\ left\ the\ game=%s he left the game -Lime\ Snout=The Sun Estuary -Gray\ Chief=Gray Head -Red\ Roundel=In The Red Circle -Blue\ Gradient=Gradient Albastru -Birch\ Leaves=Birkeblade -Lingering\ Potion\ of\ Fire\ Resistance=Slow to drink, what to smoke, resistance -%s\ is\ not\ holding\ any\ item=%s do not keep any type of object -Pillager\ dies=Raider morre -Very\ Very\ Frightening=Very, Very, Very Scary -Blue\ Per\ Bend\ Inverted=This Is The Reverse Bend Over To Blue -Switch=Bryter -Expired=Date -Minecart=He was -Bubble\ Coral\ Wall\ Fan=Bubble Coral-Wall Mounted Fan -Collision\ rule\ for\ team\ %s\ is\ now\ "%s"=Standards impact staff %s it is now."%s" -White\ Base\ Gradient=Gradient On A White Background -Renderer\ detected\:\ [%s]=Converter found\: [%s] -Not\ Available=Not -Warped\ Fungus=Fuzzy -Prefix,\ %s%2$s\ again\ %s\ and\ %1$s\ lastly\ %s\ and\ also\ %1$s\ again\!=Code %s%2$s again %s and %1$s finally, %s a %1$s over and over again. -Item=Item -Iron\ Chestplate=Iron Apron -Bottom\ -\ %s=Below %s -You\ are\ not\ white-listed\ on\ this\ server\!=On serverot, not white\! -Raw\ Rabbit=The First Rabbit -Blue\ Per\ Bend\ Sinister=Blu-Fold Sinistro -When\ Applied\:=If S'escau\: -Snooper=Chicken -Spawn\ wandering\ traders=In order to spawn, that the wandering merchants -There\ are\ no\ tracked\ entities=Are not reporting entities -Making\ Request...=The application... -Restart\ Required=You Need To Again -Brown\ Chief\ Dexter\ Canton=Brown Head Of The Municipality Of Dexter -Created\ debug\ report\ in\ %s=Made from a relative of the well %s -Large\ Biomes=Suuri Biomes -Expected\ boolean=It is believed that logic -Potion\ of\ the\ Turtle\ Master=Smoking, Drinking, Lord -Gray\ Skull\ Charge=Gray-Skull For Free -Strider\ retreats=Outside pension -Magenta\ Per\ Bend=Mr. Black -Fire\ Coral\ Fan=Fire Coral Fan -Diorite\ Stairs=Diorite Laiptai -Dark\ Oak\ Sapling=Dark Oak Sapling -Iron\ Golem\ dies=Iron Golem d\u00F8r -Select\ World=Vyberite Light -Green\ Bordure=Mars Has -Red\ Sandstone\ Wall=There Are Red Sandstone Walls -Iron\ Golem\ attacks=The iron Golem attacks -Magenta\ Field\ Masoned=In The Area Of The Seas, The Installation Of Brick Flooring -Vendor\ detected\:\ [%s]=Sale find\: - [%s] -Heavy\ Weighted\ Pressure\ Plate=Heavy Weighted Pressure Plate -Light\ Gray\ Base\ Indented=Light Gray Base Indented -Skeleton\ Spawn\ Egg=The Skeleton Spawn Egg -Team\ %s\ can\ now\ see\ invisible\ teammates=Team %s now you can see invisible team -[Debug]\:=[Debug]\: -Globe=Svet -Brown\ Flower\ Charge=The Brown Floral Is Free Of Charge -Ravager\ hurts=With regard to will be sick -Breed\ all\ the\ animals\!=The race of all the animals\! -Smelt\ an\ iron\ ingot=It smelled of iron,and -Can't\ insert\ %s\ into\ %s=Man pavyko gauti %s this %s -Buffer\ overflow=Overflow -Entity\ %s\ has\ no\ loot\ table=The substance %s table rescue -Cape=Cape -Soul\ Sand\ Valley=Spirit Of The Sand, -Test\ passed=The test data -Thick\ Splash\ Potion=At The Beginning Of This Thickness -Randomize=It -Aqua\ Affinity=Aqua Affinity -Blue\ Lozenge=Blue Diamond -Bone\ Block=Glass Block -There\ are\ no\ tags\ on\ the\ %s\ entities=Not on the label\: %s organizations -Purple\ Terracotta=Purple Beach -Dark\ Oak\ Stairs=The Dark Oak Wood Stairs -Zoglin\ growls=Life Zoglin -Brown\ Saltire=Coffee Can -Terms\ of\ service\ not\ accepted=Terms of service does not accept -Oak\ Sign=The Characters Of Oak -Blaze\ dies=This is the door of the Fire -Sleep\ in\ a\ bed\ to\ change\ your\ respawn\ point=He was lying down on the bed that can change your spawn point -Explosion=Eksplosion -Tropical\ Fish\ flops=Tropske ribe-flop -Orange\ Roundel=The Orange Circle -Magenta\ Roundel=Red Medallion -A\ List=Lista " PairOfInts> -Frosted\ Ice=Satin Ice -Iron\ Boots=Iron-On Shoes With Them -Beetroot=Red beet -Changed\ the\ display\ name\ of\ %s\ to\ %s=Change the display name %s in order to %s -Bamboo\ Jungle\ Hills=Bamboo, Forest, Hills, Mountains -Flying\ is\ not\ enabled\ on\ this\ server=The fights are banned from the server -Some\ settings\ are\ disabled\ since\ your\ current\ world\ is\ an\ experience=Some of the settings are disabled, as is present in the world to experience the -TNT\ fizzes=TNT sist -Stone\ Brick\ Slab=Stone, Brick, Tile -Reduced\ Debug\ Info=Vermindering In De Debug Info -Stray\ hurts=On the street it hurts -Orange\ Base\ Dexter\ Canton=Oranges The Base Dexter Canton -Gray=Grey -Mason\ works=Mason works for -F3\ +\ F\ \=\ Cycle\ render\ distance\ (Shift\ to\ invert)=\u04243 + F \= cycle distance from the work (the transition to the \u0438\u043D\u0432\u0435\u0440\u0442\u043D\u044B\u0439) -Missing\ selector\ type=Missing type selection -Not\ a\ valid\ value\!\ (Red)=It is not a valid value. (Red) -Fabulous\!=I love it\! -Could\ not\ close\ your\ realm,\ please\ try\ again\ later=Don't be closed to the world, please, please, please try later -Gray\ Per\ Pale\ Inverted=The Gray Light Of The Opposite -Summon\ the\ Wither=Cause Dry -Cake=Cake -Frost\ Walker=Frost Walker -Raw\ Porkchop=Raw Pork Chops -Sheep\ Spawn\ Egg=Get The Spawn Eggs -Black\ Skull\ Charge=Black Skull For -There\ are\ %s\ custom\ bossbars\ active\:\ %s=There are %s le bossbars active. %s -Taiga=In the forest -Anvil\ used=The prison was used -Yellow\ Paly=Pale Yellow -Green\ Globe=Green World. -Magenta\ Bordure\ Indented=The Purple On The Lid Of The Indentation. -Defeat=Defeat -Pink\ Skull\ Charge=Pink Kafk\u00EBs Post -White\ Per\ Pale=White, White, -Seagrass=Algae -Cyan\ Globe=The World Of The Blue -Cyan\ Roundel=Blue Ball -Only\ one\ entity\ is\ allowed,\ but\ the\ provided\ selector\ allows\ more\ than\ one=Only a business settled, however, until the state of choice means that you may be more than one -Red\ Banner=Red Flag -Upload\ limit\ reached=Load limit reached -Depth\ Noise\ Scale\ Z=Depth Noise Scale -Yellow\ Pale=Light Yellow -Depth\ Noise\ Scale\ X=Djup Buller Skala X -Sunflower\ Plains=Solros Plains -Pink\ Base\ Dexter\ Canton=La Base Rosa Dexter Cantone -Diorite\ Slab=Government -Bubble\ Coral\ Block=Bubble Coral Blocks -Subspace\ Bubble=Subspace \u0553\u0578\u0582\u0579\u056B\u056F\u0568 -Sharpness=Me -Extend\ subscription=Renew your subscription -Total\ Beelocation=Usually Beelocation -Phantom=Ghost -Magenta\ Shulker\ Box=Cutie Shulk Printer Magenta -Depth\ Strider=Diepte Strider -Select\ Server=Select The Server -Inventory=The composition of the -Arrow\ of\ Swiftness=Arrow-Speed -Always=All -Parrot\ rattles=Parrot zegt -Llama\ bleats=Lama, the buzzing of a bee, -Llama\ bleats\ angrily=Vzroki balidos od ljutito -Lime\ Chief\ Sinister\ Canton=Principal De La Cal Sinister Cant\u00F3n -7x7\ (High)=7 x 7 (Height) -Yellow=Yellow -White\ Shield=White Screen -Hopper=Heels -Shroomlight=Shroomlight -Stripped\ Oak\ Wood=Sections Oak -Magenta=Purple -Tall\ Seagrass=Tall Grass -Curse\ of\ Vanishing=The Curse Of The Leakage -Podzol=Podzol -Green\ Shulker\ Box=Zelene Travnike, Shulker -Acacia\ Pressure\ Plate=Bagrem Pp -Skeleton\ shoots=Bones footage -Stripped\ Oak\ Log=Devoid Of An Oak Log -Splash\ Potion\ of\ the\ Turtle\ Master=Splash Drink Turtle Master -Thing=Business -Have\ every\ potion\ effect\ applied\ at\ the\ same\ time=Their drink be applied simultaneously -Knowledge\ Book=The Book Of Knowledge -Swap\ Item\ With\ Offhand=The Element Of Changes In The Off-The-Cuff -Bane\ of\ Arthropods=Arachnid nightmare -Invalid\ or\ unknown\ game\ mode\ '%s'=In order to play the invalid or unknown type",%s' -Minimal=Minimum -Panda's\ nose\ tickles=The Panda's nose, tickle -Zombie\ Horse\ Spawn\ Egg=Horse-Zombies Spawn Egg -%1$s\ was\ stung\ to\ death\ by\ %2$s=%1$s it is evil to death on the side of the %2$s -Unable\ to\ apply\ this\ effect\ (target\ is\ either\ immune\ to\ effects,\ or\ has\ something\ stronger)=You can also make use of this purpose of the immune system, adverse effects, or something more powerful) -Everywhere=Everywhere -Wolf\ pants=The wolf in shorts -Prompt\ on\ Links=The invitation for links -When\ on\ body\:=When in the body\: -Updated\ the\ name\ of\ team\ %s=Update by the name of the computer %s -Orange\ Glazed\ Terracotta=The Orange Glazed-Terracotta Tiles -Unknown\ dimension\ '%s'=Unknown size"%s' -Can't\ connect\ to\ server=Do not know how to connect to the server -Chainmail\ Chestplate=Tor Chestplate -Authors\:\ %s=Authors\: %s -Bucket\ of\ Tropical\ Fish=The Bucket Of Tropical Fish -Storage\ %s\ has\ the\ following\ contents\:\ %s=Shop %s it has the following contents\: %s -Light\ Gray\ Globe=Light Gray Parts Of The World -White\ Stained\ Glass=The White Glass In The Middle Of The -Relative\ Position=The Relative Position Of -Potted\ Dark\ Oak\ Sapling=Plants Sapling Dark Oak -Hidden=Skrivene -Items=Data -Cyan\ Shield=Blue Shield -Are\ you\ sure\ you\ want\ to\ remove\ this\ server?=Are you sure you want to delete from the server? -Blue\ Flower\ Charge=Free Roses In Blue -Slow\ Falling=Slowly Falling -Universal\ anger=The universal rage -There\ are\ %s\ whitelisted\ players\:\ %s=It %s be whitelisted players\: %s -Green\ Concrete\ Powder=Green Concrete Dust -Your\ current\ world\ is\ no\ longer\ supported=In the world of today is no longer supported -Nothing\ changed.\ That's\ already\ the\ color\ of\ this\ bossbar=It made no difference. It's not the color bossb\u00F3l -Strider\ eats=On the contrary, there are -Phantom\ swoops=The spirit dives -Wandering\ Trader\ appears=Wandering through the exhibition -Successfully\ cloned\ %s\ blocks=Successfully cloned %s bloki -Nether\ Brick\ Fence=Below, Brick Fence -Ink\ Sac=Contribution Bag -Use\ a\ Campfire\ to\ collect\ Honey\ from\ a\ Beehive\ using\ a\ Bottle\ without\ aggravating\ the\ bees=To gather with a fire, honey, beehive, bottle, and without to aggravate the bees -Pufferfish\ hurts=For the base, it hurts so much -Failed\ to\ copy\ packs=Error when you copy and packages -Pink\ Saltire=The Color Of The Blade -Green\ Banner=Selenate Banner -Tropical\ Fish=Tropical Fish -Bat\ Spawn\ Egg=A Bat Spawn Egg -Red\ Sandstone\ Stairs=Red Sandstone Stairs -Large\ Fern=Big Fern -Redstone\ Wall\ Torch=Redstone Torch Ant Sienos -Not\ bound=This is not a mandatory requirement -Minecart\ with\ TNT=O Minecart com TNT. -Green\ Fess=Green Dye -Dark\ Oak\ Planks=Tamni Hrasta STO -Levitate\ up\ 50\ blocks\ from\ the\ attacks\ of\ a\ Shulker=Marketing up to 50 blocks in the attack, Shulker -Light\ Blue=Light blue -Gave\ %s\ %s\ to\ %s\ players=The dose %s %s for %s the players -Experiences=Ervaring -Diamond\ Sword=The Diamond Sword -Polished\ Granite\ Slab=The Slab Of Polished Granite -Received\ unrequested\ status=Got an unwanted area -Tall\ Birch\ Hills=Birch, High Mountain -Now\ spectating\ %s=And now, for the first %s -Keypad\ \==Teclat \= -Leather\ Horse\ Armor=Leather Horse Armor -Fish\ captured=The catch -Keypad\ 9=Keyboard 9 -Keypad\ 8=8 keyboard -Honey\ Bottle=Honey Bottle -Keypad\ 7=Tastatura 7 -Keypad\ 6=Keyboard 6 -Keypad\ 5=Tipkovnice, 5 -Dolphin\ eats="Dolphin" -Keypad\ 4=The keyboard 4 is -Keypad\ 3=Keyboard 3 -Keypad\ 2=The keyboard 2 to the -Keypad\ 1=The keyboard is 1 -Keypad\ 0=Key 0 -Green\ Chief\ Dexter\ Canton=Zelena Glavni Dexter Kantonu -Keypad\ /=Keyboard -Health\ Boost=The Health Of The Crew -Green\ Thing=The Green Stuff -Keypad\ -=Keyboard - -Keypad\ +=Keyboard + -Keypad\ *=*Keyboard -Sponge=Svamp -Witch\ drinks=These drinks -Zombified\ Piglin\ grunts=Your Piglin care -Cyan\ Thing=Blue Midagi -Unmarked\ all\ force\ loaded\ chunks\ in\ %s=Anonymous, all the power is loaded into bits and pieces %s -Made\ %s\ a\ server\ operator=Made %s the server of the operator -Smooth\ Quartz\ Stairs=The Smooth Quartz Stairs -Birch\ Door=Maple Doors To The -Light\ Blue\ Dye=The Pale Blue Color Of The -Ending\ minigame...=The end of the game... -Sandstone=Sand and stone -Invalid\ IP\ address=The IP address is no longer valid -Brown\ Banner=Bruin Banner -Structure\ Size=Dimensions In A Context Of -Arrow\ of\ Harming=Arrow damage -Lime\ Stained\ Glass\ Pane=Plates, Pickled Lime -Eye\ of\ Ender=Ender's Eyes -Queen\ Angelfish=The Queen Of The Angels -Splash\ Potion\ of\ Fire\ Resistance=A splash potion of fire resistance -Go\ on\ in,\ what\ could\ happen?=You are going, what could it be? -Lingering\ Uncraftable\ Potion=Slowly, Uncraftable Drink -Zombie\ Villager\ Spawn\ Egg=Zombie-Resident Of The Spawn Eggs -Panda\ Spawn\ Egg=The Panda Lay Eggs, The Eggs -The\ recipe\ book\ can\ help=Recipe book you may be able to help you -%s,\ %s,\ %s=%s, %s, %s -Green\ Wool=Yesil Wool -Played\ sound\ %s\ to\ %s=The sound %s v %s -Purple\ Pale\ Dexter=Violet, Roz Pal Dexter -Gave\ %s\ %s\ to\ %s=Let %s %s have %s -Nothing\ changed.\ That\ team\ can\ already\ see\ invisible\ teammates=Nothing's changed. Team can see invisible teammates -Llama\ Spit=Llamas Spit -Thick\ Lingering\ Potion=Strong, Long-Lasting Filter -Red\ Per\ Bend\ Inverted=The Red And The Euro Is On Her Way To The Top To The Bottom -Presets=Presets -The\ difficulty\ has\ been\ set\ to\ %s=Difficulties not otherwise %s -selected\ "%s"\ (%s)=selected%s" (%s) -Right\ Win=The Real Winner -Skeleton\ Skull=Skeleton Skull -Bread=The bread -Green\ Base=The Green Base Of The -Bamboo\ Shoot=BU -Smite=Prodavnica -Parrot\ squishes=Parrot chew -Orange\ Pale\ Sinister=Orange Pale Sinister -An\ error\ occurred\!=An error has occurred\! -%s\ .\ .\ .\ ?=%s . . . ? -Glass=Glass -Map=Mapata -Red\ Per\ Bend\ Sinister=First Red To Do It Right -Lodestone\ Compass=The Magnet In The Compass -Donkey\ dies=Ass sureb -Experience\ gained=Art -Light\ Gray\ Fess=Light Grey And Gold -Applied\ enchantment\ %s\ to\ %s's\ item=Use the spell %s have %s"in the article -Magenta\ Skull\ Charge=Purple Skull Charge -Stripped\ Jungle\ Wood=Disadvantaged People, In A Tree In The Jungle -Advanced\ tooltips\:\ hidden=More tips\: hidden -Golden\ Boots=The Gold Of The Shoes -Granted\ criterion\ '%s'\ of\ advancement\ %s\ to\ %s\ players=Criteria '%s"add %s for %s players -Dolphin's\ Grace=Dolphin Mercy -Jukebox=This -Gray\ Field\ Masoned=Pledged To The Brick In The Ground A Gray Area -Dolphin\ Spawn\ Egg=Egg Cubs -Black\ Snout=Black Muzzle -Select\ a\ team\ to\ teleport\ to=The team is on the way in, is to be preferred -Target\ either\ already\ has\ the\ tag\ or\ has\ too\ many\ tags=The lens is tag sticker -Interactions\ with\ Loom=The Interaction Frame -Obtain\ a\ Wither\ Skeleton's\ skull=For Yes get dry skeleton on skull -Entities\ between\ y\ and\ y\ +\ dy=Operators between y and y + dy -%s\ has\ %s\ tags\:\ %s=%s is %s bookmarks\: %s -Green\ Roundel=Roheline Rondelle -Black\ Base\ Gradient=Black Shades On -Chainmail\ Helmet=Chain Slam -Jukebox/Note\ Blocks=Machine/Block -Light\ Gray\ Thing=Light Gray Fabric -Colors=Farve -Bad\ Luck=Not make for a bad chance -Note\!\ When\ you\ sign\ the\ book,\ it\ will\ no\ longer\ be\ editable.=Attention\! When I connect the card, and can no longer be edited. -Eye\ of\ Ender\ attaches=Eyes, Fully complies with -%1$s\ tried\ to\ swim\ in\ lava=%1$s try to swim in lava -Pink\ Per\ Bend\ Sinister\ Inverted=Rosa Per Bend Sinister Invertito -Bring\ a\ beacon\ to\ full\ power=In order to get a signal, complete in place -Can't\ resolve\ hostname=I don't know to resolve the host name -Failed\ to\ connect\ to\ the\ realm=The district is not able to connect to the -Magenta\ Gradient=Mor Degrade -The\ target\ does\ not\ have\ slot\ %s=The goal is not a socket %s -Trident\ vibrates=Trident vibration -Enderman\ Spawn\ Egg=Enderman Spawn Egg -Biome=BIOM -Settings=Definition -Red\ Globe=The Red In The World -Orange\ Concrete=Orange Is The Cement -Option\ '%s'\ isn't\ applicable\ here=OK."%s"this is not the topic here -Selected\ suggestion\ %s\ out\ of\ %s\:\ %s=The selected template %s with %s\: %s -Cartographer=Cartographer -Are\ you\ sure\ you\ want\ to\ quit\ editing\ the\ config?\ Changes\ will\ not\ be\ saved\!=Are you sure you want to exit the edit configuration? The changes are not saved\! -Illusioner\ hurts=Search of the truth is hurt -Light\ Gray\ Saltire=The Grey Light In Decus -Cow\ Spawn\ Egg=Makarov Spawn EIC -foo=foo -Lingering\ Potion\ of\ the\ Turtle\ Master=Strong Drink, The Owner Of The Turtle -Purple\ Glazed\ Terracotta=Purple Glazed Terracotta -Polished\ Andesite\ Stairs=Polished Andesite Stairs -Superflat=Extra-flat - -Sandstone\ Wall=Sandstone Wall -Warped\ Stairs=Warped Stairs -Phantom\ Spawn\ Egg=Egg-The Spirit Of The Game -Magenta\ Snout=Red Pig -Working...=It works... -Horn\ Coral\ Fan=Horn Coral Fan -Large\ Ball=Magic -Fire\ Coral\ Wall\ Fan=Gaisro Coral Fan Sienos -Orange\ Per\ Pale\ Inverted=Light Orange Inverted -Light\ Gray\ Wool=Grey Wool -%1$s\ was\ killed\ by\ even\ more\ magic=%1$s he was killed, and even more magic -%1$s\ withered\ away=%1$s withered -Fisherman=Peshkatari -Wither\ Rose=The Crest Of The Rose -Yellow\ Concrete=Yellow Clothes -Invalid\ escape\ sequence\ '\\%s'\ in\ quoted\ string=Invalid escape sequence '\\%s Quote -Nothing\ changed.\ That\ team\ already\ has\ that\ name=There nothing has changed. The team already has that name -Mouse\ Settings...=The Configuration Of The Mouse... -Parrot\ flaps=Parrot care -Mooshroom\ gets\ milked=Milked Mooshroom -Long\ Slider=This Long-Volume -Invalid\ entity\ anchor\ position\ %s=An invalid Object, which Connects positions %s -Light\ Gray\ Base=Light Grey Base -Kill\ five\ unique\ mobs\ with\ one\ crossbow\ shot=Five of the original one-shot crossbow to kill monsters -Pink\ Dye=Pink -Left\ Sleeve=On The Left Sleeve -Warped\ Slab=The Voltage From The Boiler -Gray\ Shulker\ Box=Box, Gray, Printer Shulk -Zombie\ dies=Zombies die -Pink\ Base\ Indented=Pink Base Indented -A\ Terrible\ Fortress=A Terrible Battle -Spider\ Spawn\ Egg=Spider Creates Eggs -Brown\ Bordure=Brown Desk -Are\ you\ sure\ you\ want\ to\ delete\ this\ world?=Are you sure you want to remove you from this world?" -Blue\ Bend=Bleu-Bend -Warped\ Fence=Wrapped In The Fence -Team\ names\ cannot\ be\ longer\ than\ %s\ characters=The team name should not be more %s heroes -Nether\ Bricks=Sub-Murstein -White\ Carpet=White Carpet -Bees\ work=Api for work -Baked\ Potato=Baked Kartof -Purple\ Chief\ Sinister\ Canton=The Main Purple Canton Sinister -Set\ %s\ for\ %s\ to\ %s=Fayl %s v %s for %s -Max.\ Height=Max. Height -Polished\ Basalt=The Polished Basalt -'%s'\ will\ be\ lost\ forever\!\ (A\ long\ time\!)='%s"it is lost forever. (For a long time\!\!) -Bee\ hurts=Bol have utrobe -Chicken\ Spawn\ Egg=Chicken, Egg, Caviar -Potted\ Lily\ of\ the\ Valley=In a bowl, lily of the Valley -Endermite\ dies=\u0531\u0575\u057D Endermite -Wandering\ Trader\ dies=\u0412\u044B\u0435\u0437\u0434\u043D\u043E\u0439 the seller dies -Tube\ Coral\ Wall\ Fan=The Fan In The Tube Wall Of Coral -Gilded\ Blackstone=Auksas Blackstone -Took\ %s\ recipes\ from\ %s\ players=Get %s recipes %s players -Brown\ Per\ Bend=Brown Flac -Snowball\ flies=The ball of snow flies -You\ have\ never\ been\ killed\ by\ %s=It has never been killed %s -Removed\ %s\ from\ the\ whitelist=To remove %s white list -Purple\ Chief=Purple-Head -Blue\ Terracotta=Blue, Terracota -Green\ Cross=La creu -Bucket\ of\ Pufferfish=\u0534\u0578\u0582\u0575\u056C Pufferfish -Cyan\ Cross=Blue Cross -Flying\ Speed=The Speed Of The Aircraft -Changes=Changes -Enter=Write -Wolf\ shakes=Related -Use\ "@a"\ to\ target\ all\ players=The use of the " @ " is the goal of all members of the -Weeping\ Vines=Jok Trte -Allium=Garlic -Bee\ leaves\ hive=The Queen bee leaves the hive, -Black\ Dye=Black Is The Color -Take\ Aim=The purpose of -Cyan\ Carpet=Modro Preprogo -Successfully\ trade\ with\ a\ Villager=To trade successfully on the line -White\ Shulker\ Box=Box Vit Shulker -Game\ over\!=The game is over\! -Redstone\ Wire=Redstone Wire -Encrypting...=Encryption... -Chunk\ borders\:\ hidden=Protege the border, skrivena camera -Yellow\ Per\ Bend\ Sinister\ Inverted=Yellow Bend Sinister Back -Purple\ Creeper\ Charge=The Red Creeper Charge -Advanced\ tooltips\:\ shown=More advice\: look at the -Announce\ advancements=A report on the results -Copied\ location\ to\ clipboard=To be copied to the clipboard -Purple\ Chief\ Indented=Purple Head Removal -Chunk\ borders\:\ shown=Work on the borders\: what the -Time\ Played=It's About Time -Brown\ Fess=Brown, Fess -Deep\ Warm\ Ocean=The Deep Cold Sea -Unknown\ enchantment\:\ %s=Unknown, Of Admiration, Of %s -Thick\ Potion=The Thickness Of The Broth -Client\ incompatible\!=The client isn't in accordance\! -Gray\ Bed=Siwa Kravet -Controls...=Management... -Page\ rustles=The pages are clear -Status\ request\ has\ been\ handled=Request about the situation in the hands of -Orange\ Snout=Orange Nose -Cauldron=Women -Red\ Sandstone=The Red Stone -View\ Bobbing=Cm. Smiling -Scheduled\ tag\ '%s'\ in\ %s\ ticks\ at\ gametime\ %s=We have planned for the day%s this %s mites on the discs %s -Red\ Thing=Red Things -Stray\ dies=Camera the -Dolphin\ whistles=Dolphin -Light\ Gray\ Creeper\ Charge=Light Grey-For-Free -Light\ Gray\ Chief\ Indented=Light Gray Base Indented -Are\ you\ sure\ you\ want\ to\ continue?=Are you sure you want to continue? -Illusioner\ casts\ spell=There is illusia magic -Never\ open\ links\ from\ people\ that\ you\ don't\ trust\!=I don't open links from people that you don't believe me. -Eat\ everything\ that\ is\ edible,\ even\ if\ it's\ not\ good\ for\ you=Eat everything that is edible, even if it's not good for you -%s\:\ %s=%s\: %s -%1$s\ was\ stung\ to\ death=%1$s he was crushed to death -Chest=In the bosom of the -Ravager=Ravager -Pink\ Creeper\ Charge=Preis Rose Killer -Arrow\ of\ Healing=With the boom in the healing process -Egg\ flies=Easter egg -Pink\ Chief\ Indented=Pink Chief Indented -Squid\ shoots\ ink=The octopus will shoot ink, -Loom=Slowly -Witch\ cheers=Yay, Halloween -%1$s\ was\ impaled\ by\ %2$s=%1$s he was stabbed to death %2$s -Creeper-shaped=In The Form Of Cracks -Horn\ Coral=Cornul Coral -Netherite\ armor\ clanks=Netherite armor, cold -Took\ too\ long\ to\ log\ in=It took a long time to log in. -Llama\ is\ decorated=Film, interior design to do -Light\ Gray\ Cross=The Light Gray Cross -Could\ not\ set\ the\ block=I can't come -Accessibility=In -Potted\ Crimson\ Roots=Plants, Their Roots Do -Bottomless\ Pit=Better -Junk\ Fished=Fragments Caught -The\ minigame\ will\ end\ and\ your\ realm\ will\ be\ restored.=The game will come to an end, and peace will be restored. -Brown\ Wool=Brown Hair -Diamond\ Ore=Diamond Ore -Translater=Translator -Statistic=Statistics -Lectern=Lectern -End\ Portal\ Frame=The Final Picture Of The Portal -Black\ Stained\ Glass=The Black Stained Glass -Hoglin\ steps=Hogl I act -Bee\ dies=The bee dies -Brown\ Base=Brown Base -Light\ Gray\ Per\ Fess\ Inverted=Light Gray In The Picture Of The Upside Fess -Cooked\ Chicken=Cooked Chicken -Took\ %s\ recipes\ from\ %s=Names %s recipes %s -Magenta\ Concrete\ Powder=Prah V Concrete -Explore\ all\ Nether\ biomes=Descobreix tots els Nether biomes -Woodland\ Mansions=In The Forest Of The Fairies -Pillager\ Spawn\ Egg=Pillager Spawn Egg -Bonus\ Chest\:=The Prize Chest\: -Spruce\ Boat=Spruce Up The Ship -Mooshroom\ eats=Mooshroom jedan -Deflect\ a\ projectile\ with\ a\ shield=In order to reject the anti-missile shield -Purple\ Per\ Pale\ Inverted=Color-Pale Purple-Upside-Down -Failed\ to\ delete\ world=Can't delete the world -Wooden\ Pickaxe=The Forest Of The Fall -Pack\ '%s'\ is\ already\ enabled\!=Package"%s"al\! -F3\ +\ N\ \=\ Cycle\ previous\ gamemode\ <->\ spectator=F3 + N \= av forrige Syklus) < - > vis -Polished\ Blackstone\ Brick\ Stairs=Soft,, Bricks, Stairs, -Warped\ Planks=Deformation Av Disk -There\ are\ no\ objectives=I don't have goals -Loom\ used=Looms used -Realm\ description=Empire Description -F3\ +\ P\ \=\ Pause\ on\ lost\ focus=F3 + P \= pause, gubitak focus -Right=Even -Magenta\ Chief\ Sinister\ Canton=Magenta, Headed By The Evil Canton -Blue\ Inverted\ Chevron=A Blue Inverted Chevron -Worlds\ using\ Experimental\ Settings\ are\ not\ supported=The world of Experimental, with a configuration are not supported -Showing\ craftable=The sample is made -Warning\!=Warning\! -Pink\ Bordure=Pink Border -Fire=Foc -Black\ Bend=Black Bending -Removed\ %s\ from\ %s\ for\ %s\ (now\ %s)=In %s from the %s for %s (now %s) -Glowing=Lighting -Pumpkin\ Stem=The Stem Of The Pumpkin -Green\ Shield=The Green Shield -Piston=Parsani -Golden\ Chestplate=Golden Bib -Stone\ Pickaxe=Stone Peak -Red\ Chief\ Sinister\ Canton=Red Chief Sinister Canton -Orange\ Chief\ Dexter\ Canton=The Main, Orange, Canton, Dexter -Orange\ Base\ Indented=Color-Base Included -Toggle=Turn -Give\ Feedback=Leave A Review -built-in=internal -Cave\ Spider\ Spawn\ Egg=Cave Spider Spawn Egg -Configure\ realm\:=Configuration Area\: -%1$s\ was\ squashed\ by\ a\ falling\ block=%1$s it was crushed by the falling blocks -Yes=As well as the -Villager\ hurts=The city is in a mess -Top\ -\ %s=Top %s -Stone\ Sword=The Sword In The Stone -Beetroots=Peet -Up=All -Cat\ purrs=The cat purrs -Red\ Skull\ Charge=The Red Skull-Charge -VI=Chi\u1EC1u R\u1ED8NG -Distract\ Piglins\ with\ gold=Abstract Piglins gold -Could\ not\ spread\ %s\ teams\ around\ %s,\ %s\ (too\ many\ entities\ for\ space\ -\ try\ using\ spread\ of\ at\ most\ %s)=What can you give %s the team of the round %s, %s (a person, a place, to, use, disseminate, most %s) -Pillager\ hurts=The thief is injured -Tunnelers'\ Dream=\ Tunnelers Vis -Purple\ Skull\ Charge=Purple Skull Weight -Look\ around=Look around -Beehive=Beehive -Remaining\ time\:\ %s=The rest of the time\: %s -Couldn't\ grant\ criterion\ '%s'\ of\ advancement\ %s\ to\ %s\ players\ as\ they\ already\ have\ it=You can grant'%spromotion %s the %s players who have already -Block\ %s\ does\ not\ have\ property\ '%s'=Enhed %s no, I have a family"%s' -Saving\ is\ already\ turned\ off=The saving is already turned off -Brown\ Shield=The Brown Dial -Lower\ Limit\ Scale=The Lower Limit Of The Scale -Purple\ Roundel=Purple Medallion -Connecting\ to\ the\ realm...=The community of the Kingdom of Thailand. -Horse\ armor\ equips=Armor for horse equipment -Smoker\ smokes=Not drinking, not Smoking, not drinking, not Smoking -C418\ -\ mellohi=C418 - mellohi -Closed\ realm=Closed territory -Open\ Chat=Open Discussion -Infested\ Cobblestone=Walk On The Sidewalk -The\ debug\ profiler\ is\ already\ started=Debug-profiler is already started -Feather=The spring -White\ Field\ Masoned=The White Field Masoned -Green\ Flower\ Charge=Green Flowers Free -Panda\ bites=Panda bites -C418\ -\ ward=C418 - Ward -Relieve\ a\ Blaze\ of\ its\ rod=Facilitate fire rods -Do\ not\ show\ this\ screen\ again=Don't show this screen -[%s\:\ %s]=[%s\: %s] -Players\ with\ advancements=Players who are successful -Message\ Team=The posts -Arrow\ of\ Night\ Vision=With night vision -Potion\ of\ Slow\ Falling=Potion Faller Sakte -Configure...=To adjust the... -Spruce\ Slab=Gran Boards -Frozen\ Ocean=Zamrznut\u00E9 More -Orange\ Bed=The Orange Bed -Team\ %s\ can\ no\ longer\ see\ invisible\ teammates=The team %s many friends can not see the invisible -Observer=The observer -Nether\ Wart=Nether Vorte -Renewed\ automatically\ in=This often means that the -Trident=Diamond -Classic\ Flat=Classic Apartments -Stripped\ Spruce\ Log=He Took The Magazine Dishes -Item\ hotbar\ saved\ (restore\ with\ %1$s+%2$s)=The panel is held (reprise %1$s+%2$s) -Prismarine\ Slab=Prismarit La Taula -Nothing\ changed.\ The\ player\ is\ already\ banned=Nothing much has changed. The player was already banned -Custom\ bossbar\ %s\ is\ now\ hidden=Still, as a rule, bossbar %s now that is hidden -Kill\ a\ raid\ captain.\nMaybe\ consider\ staying\ away\ from\ villages\ for\ the\ time\ being...=To kill RAID master.\nMaybe that overview far from the village below during the... -Kicked\ for\ spamming=Sparket for spamming -Bottle\ empties=The bar is empty bottle -Crafting=To do this -Sipping=Drank a little of -%1$s\ was\ doomed\ to\ fall\ by\ %2$s\ using\ %3$s=%1$s it was decided that in the fall %2$s using %3$s -Bat\ dies=Bats dies -Map\ drawn=Drawn on the map -Blue\ Bed=The Blue Bed -Purple\ Stained\ Glass\ Pane=The Stained Glass -Custom\ bossbar\ %s\ is\ currently\ shown=Costum bossbar %s at the present time is displayed in -Orange\ Per\ Bend=Orange In The Crease -Trader's\ current\ level=The current level of the trader -Uploading\ '%s'=The load on demand '%s' -Stopped\ debug\ profiling\ after\ %s\ seconds\ and\ %s\ ticks\ (%s\ ticks\ per\ second)=Stopped debugging, modelled after the %s seconds %s tick (%s ticks per second) -Red\ Cross=The Red Cross -Plains=Fields -Turtle\ shambles=The turtle, upset -Smooth\ Lighting=Even Lighting -Oak\ Log=Oak Log -Reading\ world\ data...=Reading the data in the world... -Must\ be\ converted\!=Need to translate\! -%1$s\ fell\ off\ a\ ladder=%1$s he fell down the stairs -Cookie=Cookies -On=And -Ender\ Pearl\ flies=Letenje Edaja Biser -C418\ -\ far=Nga C418 -Showing\ smeltable=Mostra smeltable -Ok=OK -Magenta\ Pale\ Sinister=Pale Purple Color, Bad -Pink\ Fess=Color Pink -Unknown\ ID\:\ %s=Unknown id\: %s -Leatherworker=Leatherworker -Stick=Pal -Gave\ %s\ experience\ levels\ to\ %s=You %s level of experience %s -White\ Pale\ Sinister=White Pale Sinister -Yellow\ Per\ Bend=Yellow Mirror -Light\ Gray\ Dye=Gray -Cooked\ Salmon=Ready For Salmon -Rabbit\ Stew=Ragout Rabbit -Trident\ stabs=Trident stikker -Some\ entities\ might\ have\ separate\ rules=Some assets that may be separate rules -Invalid\ or\ unknown\ entity\ type\ '%s'=Invalid or unknown item type '%s' -Green\ Paly=Light Green -Infinity=Infinity -You\ won't\ be\ able\ to\ upload\ this\ world\ to\ your\ realm\ again=It will be download this world again -No=Never, never, never, never, never, never, never, never, never, never, never, never. -ON=The european -Pink\ Chief\ Sinister\ Canton=Color, The Head Was On The Left -Paper=Paper -Destroy\ Item=Blast The Dots -Light\ Gray\ Bordure=Grey Reduction -A-Z=A-Z -Green\ Pale=Green -1\ Lapis\ Lazuli=1 lapis-Lazur -Gave\ %s\ experience\ levels\ to\ %s\ players=The dose %s level of experience %s the players -Bell=Ringer -Polished\ Blackstone\ Button=Polished Blackstone " Press Duym\u0259sini -Load=Add -Bobber\ thrown=The Cast Of A Float -Created\ new\ objective\ %s=I have created a new lens %s -Curse\ of\ Binding=The curse of bond -Orange\ Lozenge=Orange Diamond -No\ pending\ invites\!=Does not require a long time to wait for the invitation\! -Num\ Lock=Local President -Black\ Per\ Fess=Crna Fess -F3\ +\ Esc\ \=\ Pause\ without\ pause\ menu\ (if\ pausing\ is\ possible)=F3 + Esc \= Pause without Pause menu, (in the case where the exposure is not possible) -Brown\ Concrete=The Beam Of The Concrete -Wandering\ Trader\ drinks\ potion=Chapman drink, drink -A\ List=List -Crimson\ Hyphae=Worldwide Still -Wither\ angers=Free angers -Speed=The -Red\ Carpet=On The Red Carpet -Scroll\ Step=Not -Reset\ title\ options\ for\ %s=Name-Recovery Settings %s -Outdated\ client\!\ Please\ use\ %s=The date for the client\! Please do not use it %s -Item\ plops=From the point slaps -Furnace\ crackles=The oven heats up -Iron\ Bars=Iron -No\ advancement\ was\ found\ by\ the\ name\ '%1$s'=No progress to name%1$s' -Set\ %s's\ game\ mode\ to\ %s=S %s"in the mode of the game %s -Download\ failed=Could not be loaded -Your\ subscription=Subscription -Player\ Head=Player-Manager -Pink\ Wool=Pink Wool -Unable\ to\ modify\ player\ data=You can't change the data in the player -Invalid\ UUID=It is not a valid UUID -Fire\ Coral\ Block=Fogo Coral Blocos -Jungle\ Fence=Jungle Round -C418\ -\ wait=C418 - wait -Pink\ Base=The Base Of Pink -Red\ Flower\ Charge=Free Red Flower -Brown\ Gradient=Brown Gradient -Advanced\ Settings\ (Expert\ Users\ Only\!)=Advanced Settings (For Advanced Users Only\!) -%1$s\ was\ shot\ by\ a\ %2$s's\ skull=%1$s he was killed by and %2$sthe back of his head, -White\ Bend=White To The Knee -Panda\ huffs=Posar huff amb l' -Cannot\ send\ chat\ message=This is not possible, the message Conversation -Player\ Kills=The Player Is Killed -Disabled=Off -Stray\ rattles=Hobo, Saint. St. John's wort -*\ %s\ %s=* %s %s -Hoglin\ growls=Hoglin of the show -Dropped\ %s\ items\ from\ loot\ table\ %s=The fall %s the items on the table rescue %s -Chicken=Chicken -Bubbles\ flow=A stream of bubbles -Tropical\ Fish\ dies=Tropical fish will die -Eye\ Spy=Eye Spy -Detect\ structure\ size\ and\ position\:=In order to determine the structure, size, and location)\: -Cyan\ Lozenge=Blue Diamond -Jacket=The jacket -IX=THEIR -IV=B. -Light\ Gray\ Paly=Light Gray Satellite -Clownfish=Clown fish -Who's\ the\ Pillager\ Now?=Dat looter? -II=II -difficulty,\ and\ one\ life\ only=it is a difficult one, and the one and only -Red\ Nether\ Bricks=Red-Brick, Nether -Barrels\ Opened=The Barrel Opened -Light\ Gray\ Pale=Light Gray, Light -Gray\ Per\ Bend\ Inverted=Silver, If You Want To View -Show\ Subtitles=In Order To See The Subtitles In English. -OpenGL\ Version\ detected\:\ [%s]=OpenGL version outdoors\: [%s] -Now\ playing\:\ %s=Plays\: %s -Scrolling=Roll -Open\ realm=Open the kingdom -Lingering\ Potion\ of\ Leaping=A long time for the soup to leap -Iron\ Hoe=The Owner Of Iron -Generating\ world=Generation world -Skeleton\ rattles=There is the skeleton of st. john's wort -Cyan\ Base\ Sinister\ Canton=Blue Base Bad Guangzhou -Edit\ World=World Order -Gray\ Per\ Bend\ Sinister=Gray Bend Sinister -Sprint=Sprint -Pink\ Bend\ Sinister=Pink Curve Looks -Strike\ a\ Villager\ with\ lightning=Hit vistelse med faster -Nothing\ changed.\ Collision\ rule\ is\ already\ that\ value=Nothing has changed since then. The rules in the front, as well as the values of the -Green\ Per\ Fess=Groene Fess -Original=The original -Dead\ Bubble\ Coral\ Fan=A Dead Bubble Coral, And A Fan -and\ %s\ more...=a %s for more details on... -Lingering\ Potion\ of\ Invisibility=Stayed for a drink in the Invisible -Ravines=Need -Can\ break\:=Can be divided into\: -Downloading\ file\ (%s\ MB)...=In order to download the file. (%s Megabytes (MB)... -Cooked\ Mutton=Lamb Cooked With -Wither\ Skeleton\ hurts=The top of a Skeleton, it hurts -Spruce\ Wood=Gran -Updated\ %s\ for\ %s\ entities=Update %s per %s the device -Stone\ Brick\ Wall=Guri, Come To, Concern -Cake\ Slices\ Eaten=A Piece Of Cake Ate -Mossy\ Cobblestone\ Stairs=Their Mossy Cobble Stone, Stairs -Easy=Easy -Team\ %s\ has\ %s\ members\:\ %s=The team %s it %s members\: %s -Note\ Block=Note Block -Green\ Carpet=Green Carpet -Added\ modifier\ %s\ to\ attribute\ %s\ for\ entity\ %s=Added %s include %s people %s -Turtle\ Egg\ hatches=The turtle will hatch the egg -Open\ World\ Folder=Open The World Folder -Gray\ Concrete\ Powder=The Gr\u00E5 Concrete Powder -Load\ Hotbar\ Activator=The Activator Panel Download -Wooded\ Hills=The Wooded Hills -F9=F9 -F8=F8 -F7=F7 -Always\ Active=To Ni Aktivna. -Oak\ Button=Toets Jan -F6=F6 -F5=F5 -F4=F-4. -Evoker\ hurts=The figures of evil -F3=F3 -F2=F2 -F1=F1 -Donkey\ hurts=Pain at the bottom of the -Potion\ of\ Water\ Breathing=Potion of water breathing -Hoglin=Hoglin -Green\ Bed=The Green Couch -Press\ %1$s\ to\ dismount=Pres %1$s in order to remove the -Interactions\ with\ Crafting\ Table=Interactions with other Development Table -There\ are\ no\ members\ on\ team\ %s=None of the members of the team %s -Melon\ Stem=Melons Owners -Incomplete\ (expected\ 3\ coordinates)=Incomplete expect, 3, contact information) -Poppy=Sai -Your\ graphics\ device\ is\ detected\ as\ unsupported\ for\ the\ %s\ graphics\ option.\n\nYou\ may\ ignore\ this\ and\ continue,\ however\ support\ will\ not\ be\ provided\ for\ your\ device\ if\ you\ choose\ to\ use\ %s\ graphics.=Graphics device supports is defined as %s it's a graphical version of the text.\n\nIf you want to help just ignore it and if you decide to use them I'm not going to give support for your device if you can %s graphics. -Times\ Crafted=Most Of The Times, Created The -Wall\ Torch=The Walls Of The Flashlight -Pink\ Per\ Pale\ Inverted=A Start In This World -Respawn\ Anchor=Horgony Spawn -Lime\ Fess=Vapno Fess -Difficulty=The difficulty -Green\ Stained\ Glass\ Pane=The Green Glass Panel -Haste=Rush -Potted\ Brown\ Mushroom=The Container Put The Mushrooms In -Impaling=Impale -Server\ out\ of\ date\!=The server is up-to-date\! -Fox\ sniffs=\u0531\u0572\u057E\u0565\u057D\u0568 sniffs -Comparator\ clicks=Rates comparison -Orange\ Banner=The Orange Banner -You\ can\ also\ choose\ to\ download\ the\ world\ to\ singleplayer.=You can also download it from the game. -Snout=I -Gray\ Per\ Fess=Gr\u00E5 Fess -Diorite\ Wall=This Diorite Walls -World\ Name=The Name Of The World -Disable\ elytra\ movement\ check=If you want to disable \u043D\u0430\u0434\u043A\u0440\u044B\u043B\u044C\u044F air traffic control -Brown\ Carpet=Rjavo Preprogo -Lapis\ Lazuli\ Ore=Lapis Lazuli Lapis PM -%s\ is\ higher\ than\ the\ maximum\ level\ of\ %s\ supported\ by\ that\ enchantment=%s more level %s in order to maintain these spells -Light\ Gray\ Shulker\ Box=Polje, Svetlosiva, Shulker -Red\ Dye=Red -Buried\ Treasure\ Map=Buried Treasure Map -Discrete\ Scrolling=Dyskretna Prakruti -Attribute\ %s\ for\ entity\ %s\ has\ no\ modifier\ %s=Attributt %s for the device %s no modification of the %s -Pink\ Roundel=Pink Shopping Bag -Test\ failed=Error when test -Potion\ of\ Weakness=Drink Weakness -Parrot\ giggles=Riu to the I cry -9x9\ (Very\ High)=The 9x9 (Very High) -Custom\ bossbar\ %s\ now\ has\ %s\ players\:\ %s=A custom bossbar %s now %s spelare\: %s -Light\ Blue\ Bordure\ Indented=Light Blue Bordure Indented -Color\:\ %s=Color\: %s -Brown\ Chief=Coffee, Head -Turtle\ chirps=Yelp tartaruga -Timed\ out=Stocks -Trapdoor\ creaks=The opening is on the rocks -Brown\ Chief\ Sinister\ Canton=\u018F, Ba\u015F Canton Sinister -That\ player\ does\ not\ exist=This player does not exist -Blaze\ Rod=Blaze Rod -Enderman\ hurts=Loches Enderman -First=Before that -%s\ on\ block\ %s,\ %s,\ %s\ after\ scale\ factor\ of\ %s\ is\ %s=%s points %s, %s, %s following the scaling factor %s to %s -x\ position=in the case of X -Arrow=OK -Repeat=Comments -Resource\ Packs...=Resource Pack Je... -Piglin\ admires\ item=Piglin admire the entry of a -Disable\ Smooth\ Scroll=Off And A Good Paint Job -Panda\ hurts=Panda, I'm sorry -Fox\ dies=Fox mirties -Right\ Arrow=Right Arrow -Potion\ of\ Slowness=Drink delay the -Channeling=Conveyor -Polished\ Granite=Polished Granite -Parrot\ growls=De Parrot gromt -Silverfish\ hurts=Fish-Money is evil -Lime\ Wool=Up Uld -Down\ Arrow=Pil Ned -Magenta\ Stained\ Glass\ Pane=Magenta-Tinted Glass -You\ have\ been\ IP\ banned\ from\ this\ server=Was IP blocked on the server -Sheep\ baahs=On BAA sheep old -Crimson\ Forest=The Color Of The Mahogany -Shulker\ teleports=Shulk op de teleporter -Cyan=Cena -Lime\ Base=On The Basis Of Lime -size\:\ %s\ MB=size\: %s MB -Armor\ Stand=Armor Stand -Set\ the\ world\ border\ warning\ time\ to\ %s\ seconds=Put the world on the edge of the warning can be %s seconds -Potted\ Bamboo=Bambus I Vase -Witch\ throws=The witch is playing games -%1$s\ walked\ into\ danger\ zone\ due\ to\ %2$s=%1$s he went to the danger zone, because %2$s -Warped\ Door=Warped Uksed, -Yellow\ Saltire=D'Un Color Groc Saltire -Endermite\ Spawn\ Egg=Endermite Spawn-Eieren -Brown\ Paly=Light Brown -Villager\ trades=The farmer in the contract -Defaults=The default value -Birch\ Sign=The Birch Tree Is A Symbol Of The -Sweet\ Berry\ Bush=Sladk\u00E9-Berry Bush -Gray\ Chevron=Szary Chevron -Hit\ the\ bullseye\ of\ a\ Target\ block\ from\ at\ least\ 30\ meters\ away=Hit the bullseye of the target block is not less than 30 metres -Cyan\ Terracotta=Turquoise Terracotta -Bucket\ of\ Cod=Bucket of cod -Leave\ realm=Let The Kingdom Of God -Brown\ Pale=Light brown -Lava=Lava -Brown\ Creeper\ Charge=Brown, The Free -Elder\ Guardian\ curses=The most high, the owner of the damn -Brown\ Chief\ Indented=Brown, Glavna Jedinica -Impulse=To make this -Arrow\ fired=The arrow was fired -A\ bossbar\ already\ exists\ with\ the\ ID\ '%s'=In bossbar ID already exists '%s' -Raids\ Triggered=Raids Were Caused -Stopped\ all\ sounds=The sound should stop -Graphics\ Device\ Unsupported=Diagram Of The Device Is Compatible With -Spider\ hurts=Pauk boli -We\ couldn't\ retrieve\ the\ list\ of\ content\ for\ this\ category.\nPlease\ check\ your\ internet\ connection,\ or\ try\ again\ later.=We were able to bring in a list of objects in this category.\nPlease Check your internet connection or try again later. -Found\ %s\ matching\ items\ on\ player\ %s=It %s are such elements as the player %s -Saddle\ equips=Updated the president -Green\ Snout=Green Color -Z-A=S -Magenta\ Base\ Indented=The Purple Base Of The Target -The\ sound\ is\ too\ far\ away\ to\ be\ heard=The sound is very far away from the headphones -Isn't\ It\ Iron\ Pick=This Iron-Press -Evoker\ cheers=A sign of salvation -Cyan\ Snout=Blue Nose -Carved\ Pumpkin=Pumpkins Gdhendur -Shattered\ Savanna=Nitrogen Shroud -The\ End?=At the end of? -Diamond\ Axe=The Diamond Axe -Forgive\ dead\ players=Please forgive me for the players dead -Witch\ dies=On the death of the -Jungle\ Edge=On the edge, in the woods, -%s\ has\ %s\ scores\:=%s it is %s results\: -Reset\ all\ scores\ for\ %s\ entities=Reset all comments %s Organisation -Black\ Field\ Masoned=The Black Box, Planted Brick Underground -Less\ than\ a\ day=In less than a day -Advance\ in-game\ time=In advance of game time -Or\ the\ beginning?=Or at the beginning? -Acacia\ Boat=Acacia Boat -Potato=Bulba -Apple=Apple -Kob=COBH -Flower\ Charge=Click The Left Mouse Button -Left\ Pants\ Leg=The Left Leg Of The Pants -Downloading\ latest\ world=Download new world -Gray\ Pale\ Sinister=The Grey Light Of The Dark -Invalid\ ID=Id invalid -%1$s\ died\ because\ of\ %2$s=%1$s he died because %2$s -Game\ paused=To stop the game -Brown\ Inverted\ Chevron=Sme\u0111a Obrnuti Chevron -Orange\ Bend\ Sinister=Orange Bend Sinister -Text\ Background\ Opacity=Text Opacity -%1$s\ burned\ to\ death=%1$s burned in a -Orange\ Gradient=This Orange Gradient -Emperor\ Red\ Snapper=The Car Is Red Snapper -Include\ entities\:=Topics include the following\: -Default\:\ %s=Standard\: %s -Cold\ Ocean=Arcticchat The Ocean -Command\ Suggestions=The Team Has The Available -Cobblestone\ Slab=Cobbled Plate -Some\ features\ used\ are\ deprecated\ and\ will\ stop\ working\ in\ the\ future.\ Do\ you\ wish\ to\ proceed?=Some of the features that are used as legacy, and will work in the near future. If you really want to do this? -Cat\ Spawn\ Egg=Kotka Spawn EIC -Ghast\ shoots=In the Gast shot -Size\ successfully\ detected\ for\ '%s'=All success to find%s' -Grass\ Block=Grass Block -Clay=Dirt -Weakness=Weakness -World\ Specific\ Resources=Council asset -Player\ is\ not\ whitelisted=The player is not on the white list -Light\ Gray\ Roundel=Light Gray Rondelle -Forest=I Skogen -When\ in\ main\ hand\:=However, if it is\: -Yellow\ Gradient=Yellow Gradient -Pumpkin\ Pie=Pumpkin pie -Gray\ Globe=Siwa Globe -Orange\ Bend=Orange Bend -Dark\ Prismarine\ Slab=See The Dark-It Is Prismarine -Showing\ smokable=Shaw Smoking -Zombie\ groans=Zombies gemir -Upload=Download -Invalid\ move\ player\ packet\ received=Step the wrong package -You\ logged\ in\ from\ another\ location=You can connect to other local -Broadcast\ admin\ commands=Gear box administrator team -Who\ is\ Cutting\ Onions?=Who is cutting onions? -Light\ Gray\ Snout=Light Gray Face -Slowness=Lent -Client\ out\ of\ date\!=Outdated client\! -Are\ you\ sure\ you\ want\ to\ lock\ the\ difficulty\ of\ this\ world?\ This\ will\ set\ this\ world\ to\ always\ be\ %1$s,\ and\ you\ will\ never\ be\ able\ to\ change\ that\ again.=Are you sure you want to close the weight in the first place? These are presented to the world, forever %1$s and again, you can't change it back. -Eerie\ noise=Terrible noise -Can't\ get\ %s;\ tag\ doesn't\ exist=You may not obtain, %s* a label does not exist -Purple\ Bed=Purple Bed -World\ Type\:=The World, Such As\: -Adventuring\ Time=Draws All The Time -Stone\ Stairs=Stone Stairs -Light\ Gray\ Bend\ Sinister=Light Gray, Ominous District -Nothing\ changed.\ The\ bossbar\ is\ already\ visible=Nothing else to it. Bossbar is already visible -%1$s\ went\ off\ with\ a\ bang\ due\ to\ a\ firework\ fired\ from\ %3$s\ by\ %2$s=%1$s or the next day because the fireworks go up %3$s pro %2$s -Repeating\ Command\ Block=Repetition Of The Block Of Commands -Game\ Mode=In The Game -Only\ whole\ numbers\ allowed,\ not\ decimals=It can only be in whole numbers without any decimal places -Parrot\ dies=Papagal die -Respawn\ point\ set=Short set -Creeper=Creeper -Build,\ light\ and\ enter\ a\ Nether\ Portal=For construction, light, and entered into the Hole of the Portal -Showing\ new\ subtitle\ for\ %s=To come up with new titles for the %s -Click\ to\ teleport=Click on the teleport to tele -Uncraftable\ Tipped\ Arrow=You Can Also Use When Crafting Arrows -(Hidden)=(Hide) -Wooded\ Badlands\ Plateau=In The Forest, Not Plateau -Orange\ Per\ Bend\ Inverted=The Orange Curve Upside Down -version\ %s=version %s -Treasure\ Fished=The Treasure Chest Was Removed -Level\ requirement\:\ %s=The level of expenditure for the following\: %s -Dragon\ shoots=Dragon shot -Catch\ a\ fish...\ without\ a\ fishing\ rod\!=As the capture of a fish, without a fishing rod\! -Ladder=Trepid -%1$s\ was\ struck\ by\ lightning\ whilst\ fighting\ %2$s=%1$s he was also struck by lightning during the battle %2$s -Lime\ Per\ Bend\ Sinister\ Inverted=Client License In Bending The Wrong Way, That -Black\ Stained\ Glass\ Pane=Pane Black Stained Glass -Reset\ %s\ for\ %s=Reset %s lai %s -Stray\ Spawn\ Egg=Freedom To Incubate The Eggs -Block\ of\ Redstone=Un Bloc De Redstone -Orange\ Per\ Bend\ Sinister=Orange Bend Sinister Biridir -Modified\ entity\ data\ of\ %s=There will be changes in the nature of the information %s -Yellow\ Shulker\ Box=\u017Duta Polja Shulker -Construct\ a\ better\ pickaxe=Make the world a better pick -Downloaded=Download -Zombified\ Piglin\ grunts\ angrily=Piglin zombie grunyits furiosament -Found\ no\ elements\ matching\ %s=It was noted that there is no struggle %s -Chat\ Text\ Opacity=Discuss The Text Lock -Acacia\ Slab=Stora Images -Pick\ Block=The Choice Of The Points -Wet\ Sponge=With A Wet Sponge -Can\ be\ placed\ on\:=Install the open end\: -Cyan\ Per\ Pale\ Inverted=Blue, The Color Of The Light To The -Unknown\ entity\:\ %s=Unknown\: %s -Yellow\ Bordure\ Indented=The Yellow Border Lace -Broadcast\ command\ block\ output=The output of the commands to the glasses -Interactions\ with\ Smoker=Interact with the pot smoker -Dark\ Oak\ Boat=Dark Oak's Ship -Purple\ Bend=Purple Curve -Diamond\ Boots=Caboti Diamond -Pink\ Per\ Fess=Pink, On The Fess -Iron\ Door=Iron Gate -Chat\ Delay\:\ %s\ seconds=Chat Delay\: %s seconds -Chainmail\ Leggings=Coat Of Mail; And -Set\ %s\ for\ %s\ entities\ to\ %s=The kit %s the %s The Man %s -White\ Inverted\ Chevron=Hvid Omvendt Chevron -Lingering\ Potion\ of\ Poison=Spirits of venom -Snow=Neve -Cat\ dies=The cat is dying -Revoked\ criterion\ '%s'\ of\ advancement\ %s\ from\ %s\ players=Cancelled the criterion"%s"progress %s sen %s players -Save=Save -Purple\ Flower\ Charge=The Purple Of The Flowers, Which Are -World\ 2=World 2 -Water\ Taken\ from\ Cauldron=Water taken from the boiler -World\ 1=Verden, 1 -Note\:=Note\: -Monster\ Hunter=Monster Hunter -Lime\ Base\ Gradient=Lime Podlagi, Ki -Red\ Base\ Dexter\ Canton=Red Base Dexter Guangzhou -Note\ Blocks\ Tuned=Custom Blocks -Enchant=Enchant -Turtle\ lays\ egg=Turtles also come to lay their eggs on the beaches, in the -Unknown\ option\ '%s'=Unknown version '%s' -Witch\ giggles=\u053E\u056B\u056E\u0561\u0572 witch -No\ force\ loaded\ chunks\ were\ found\ in\ %s=No, they have not been loaded, the objects have been found in %s -Force\ game\ mode=Way to play the strength -Walk\ Backwards=To Go Back To -Allow\ destructive\ mob\ actions=Allow \u0434\u0435\u0441\u0442\u0440\u0443\u043A\u0442\u0438\u0432\u043D\u044B\u0435 the actions of the crowd -%s\ has\ %s\ %s=%s it is %s %s -Enabling\ data\ pack\ %s=Aktivering pakke data %s -No\ Effects=Not The Effect -Replaced\ a\ slot\ on\ %s\ with\ %s=The substitution of a castle %s with %s -Spruce\ Sapling=Trees Of The Pine -Successfully\ defend\ a\ village\ from\ a\ raid=To successfully protect the village from the RAID -%s\ force\ loaded\ chunks\ were\ found\ in\ %s\ at\:\ %s=%s loaded with the copper pieces are %s in\: %s -Melon=Melon -Granted\ the\ advancement\ %s\ to\ %s=Despite the success %s a %s -Interactions\ with\ Grindstone=Interakcia spp-AUX-plietol -%s\ is\ not\ bound=%s there is no connection with the -Expired\ realm=To finish the Kingdom -Tattered=Partenza -Collect\ dragon's\ breath\ in\ a\ glass\ bottle=Collect the dragon breath", and in a glass bottle -Drowned\ steps=He fell on the steps -Unknown\ display\ slot\ '%s'=Is not known, the view to the castle"%s' -Int\ Slider=The Int Slider, -Ravager\ cheers=Ravager sk\u00E5l -Title\ screen=The name of the screen -Expires\ soon=Soon ends -Mule=Wall -Red\ Mushroom\ Block=The Red Of The Mushroom Group -Couldn't\ grant\ %s\ advancements\ to\ %s\ players\ as\ they\ already\ have\ them=I'm not in a position to grant %s Progress %s players who have already -Structure\ loaded\ from\ '%s'=The structure is loaded.'%s' -Redstone\ Dust=Redstone Dust -Normal=Usually -%s\ has\ made\ the\ advancement\ %s=%s to make progress %s -Carrots=Carrots -Stone\ Brick\ Stairs=The Stone-And-Brick-Short -Pink\ Paly=Rosa Paly -Cyan\ Concrete\ Powder=By The Way, The Dust -New\ Recipes\ Unlocked\!=Unlock New Recipes\! -End\ minigame=At the end of the game -Kicked\ %s\:\ %s=Start %s\: %s -Controls=The controls -Set\ the\ world\ border\ damage\ buffer\ to\ %s\ blocks=The world is on the brink of a damage to the buffer %s the individual -Use\ Item/Place\ Block=The Item And Use It Instead Of A Block -Pink\ Pale=Pale Pink -Converting\ world=Transformation of the world -Stone\ Shovel=The Stone Of The Blade, -Golden\ Axe=Golden Axe -Gray\ Thing=Hall Asi -Cyan\ Per\ Fess=Blue Fess -Save\:\ %s=Village\: %s -Nothing\ changed.\ Friendly\ fire\ is\ already\ disabled\ for\ that\ team=Nothing has changed. Each fire were closed team -Multiplayer\ is\ disabled,\ please\ check\ your\ launcher\ settings.=Multiplayer is turned off, it is worth to check the settings on the launcher. -Cyan\ Base\ Gradient=TS\u00DCANOGEEN on Osnove Gradient -Strider\ chirps=Strider chirps -Language=Language -Blaze\ Powder=Blaze Powder -You\ can\ later\ return\ to\ your\ original\ world\ without\ losing\ anything.=Later, you can return to your private world, nothing to lose. -No\ recipes\ could\ be\ forgotten=Some recipes may be forgotten -Right\ Shift=On The Right-Of-Way -Could\ not\ parse\ command\:\ %s=It can be a process of the type\: %s -There\ are\ %s\ data\ packs\ enabled\:\ %s=It %s the data of the packet will be allowed\: %s -Unable\ to\ switch\ gamemode,\ no\ permission=Not to be able to change the game, without the permission -Wandering\ Trader\ disappears=Vaikscioja the Commercial goes away -English=English -Stone\ Bricks=Stone, Brick -Spruce\ Door=Spruce Door -Dark\ Oak\ Slab=Dark Oak Worktop -Donkey\ neighs=The donkey laughs -Damage\ Dealt=\u054E\u0576\u0561\u057D Damage -Skeleton=Continue -White\ Per\ Fess\ Inverted=The White Beam Of Wood, Which Was -Spawn\ Size=Caviar Square -Droppers\ Searched=Needle Search -Smooth\ Red\ Sandstone\ Stairs=The Soft Red Sandstone Of The Stairs -Red\ Snout=Red Mouth -Brown=Brown -Rabbit\ squeaks=Bunny Peeps -Black\ Per\ Pale=Color Is Black, Light -The\ Parrots\ and\ the\ Bats=Parrots and bats -Applied\ effect\ %s\ to\ %s=The use of the %s for %s -This\ world\ uses\ experimental\ settings\ that\ could\ stop\ working\ at\ any\ time.\ We\ cannot\ guarantee\ it\ will\ load\ or\ work.\ Here\ be\ dragons\!=In this world, and with the help of the experimental setup, which may lead at any moment. And we can't guarantee you that it's downloaded, or at work. Here was presented a new\! -Lime\ Chief\ Dexter\ Canton=The Most Important Of Which Is The Lime County-Dexter -Sea\ Level=At Sea Level, -Warped\ Fungus\ on\ a\ Stick=Strain Mushrooms Busy -Warped\ Trapdoor=Warped Gates -How\ Did\ We\ Get\ Here?=How Did We Get Here? -Teleported\ %s\ entities\ to\ %s,\ %s,\ %s=It %s the device %s, %s, %s -Orange\ Tulip=Orange Tulips -Realms\ is\ currently\ not\ supported\ in\ snapshots=The world of images is currently not supported -World\ is\ out\ of\ date=The world's out-of-date -Player\ activity=The actions of the player -Unknown\ advancement\:\ %s=An unknown bonus %s -Team\ prefix\ set\ to\ %s=The command prefix and the value %s -Sand=The sand -+%s%%\ %s=+%s%% %s -Player\ feed\ temporarily\ disabled=The player is temporarily closed -Leather=The skin -Times\ Mined=A Time To Build -Orange\ Shield=The Orange Shield -Unconditional=Treatment -Donkey\ eats=Thus, -Ominous\ horn\ blares=Sinister whistling -Hoe\ tills=Robs -%1$s\ died=%1$s he died -Lime\ Concrete=Limestone, Concrete -White\ Base\ Dexter\ Canton=White Background Dexter Canton -Height\ limit\ for\ building\ is\ %s\ blocks=For the construction of border height %s blocks -Saving\ the\ game\ (this\ may\ take\ a\ moment\!)=To save the game (this can take some time\!) -Rowing=Rowing -Light\ Blue\ Base\ Dexter\ Canton=The Light Blue Base Dexter Canton -Mundane\ Splash\ Potion=Gewone Splash Drankjes -Parrot\ hisses=Parrot hisses -Mushroom\ Fields=Mushroom Fields -Brown\ Dye=Brown -Feather\ Falling=As A Feather Falls To The -Mooshroom\ transforms=The Promen Mooshroom -Click\ to\ Copy\ to\ Clipboard=Click " copy to Clipboard -Purple\ Per\ Bend\ Inverted=For The Group, Click The Right Mouse Button On The Color Purple In The Opposite Direction -Arrow\ of\ Poison=The Poison Arrow -Blue\ Per\ Fess=Blue, Gold -Red\ Lozenge=The Red One -Acacia\ Button=Acacia Button -Use\ a\ Compass\ on\ a\ Lodestone=Use the compass to a magnet -Ravager\ Spawn\ Egg=Demolishers Spawn Eggs -Ravager\ stunned=The spoiler is stunned, -Terracotta=The world -Purple\ Per\ Bend\ Sinister=The Make Of The Bad -Pink\ Bordure\ Indented=Pink Hole Bord -Wandering\ Trader\ drinks\ milk=Strolling by the Professional of the milk -Acacia\ Wood=The Acacia Trees Of The -Glowstone=Glowstone -%1$s\ fell\ too\ far\ and\ was\ finished\ by\ %2$s\ using\ %3$s=%1$s very fell, and, finally, %2$s the use of the %3$s -Rabbit\ Spawn\ Egg=Rabbit Spawn Egg -Sky's\ the\ Limit=The sky is the limit -Mining\ Fatigue=Mining Fatigue -You\ are\ banned\ from\ this\ server.\nReason\:\ %s=You are banned on this server.\nReason\: %s -Villager\ mumbles=Stanovnik mumbles -Seed\ (Optional)=Semen Analysis (If Necessary) -Removed\ every\ effect\ from\ %s\ targets=To remove each and every one of which will have the effect of %s the goal -Cyan\ Bend=Blue Bend -Magma\ Cube\ squishes=Magma cube je dusenie -Gray\ Base\ Indented=The Gray Base Indented -Lingering\ Potion\ of\ Night\ Vision=To Continue The Potion, A Night-Time Visibility -Close\ Menu=To Close The Menu -Removed\ tag\ '%s'\ from\ %s=If you want to remove the extension number%s"on %s -Twinkle=Shine -F3\ +\ Q\ \=\ Show\ this\ list=F3 + D \= Show the list -Dispensed\ item=Document element -%s=%s -Nothing\ changed.\ That's\ already\ the\ name\ of\ this\ bossbar=Something has canviat des de llavors. Ja the nom of the bossbar -(Place\ pack\ files\ here)=(The location of the file in the package here). -Splash\ Potion\ of\ Weakness=A Splash potion of weakness -Pink\ Glazed\ Terracotta=Pink Terracotta Lacquer -Purple\ Lozenge=Purple Rhombus -Yellow\ Bordure=Yellow Box -Config\ Demo=Configuration Demo -Fermented\ Spider\ Eye=Fermented Spider Eye -There\ are\ %s\ of\ a\ max\ of\ %s\ players\ online\:\ %s=It %s Number %s the players in the online mode\: %s -This\ world\ was\ last\ played\ in\ version\ %s;\ you\ are\ on\ version\ %s.\ Please\ make\ a\ backup\ in\ case\ you\ experience\ world\ corruptions\!=In this world, it was the last one ever played at launch %s; version have %s. You can also do a full backup, in this case, if you have corruption all over the world\!\!\! -Green=Green -Disabling\ data\ pack\ %s=You can close the data packet %s -Light\ Weighted\ Pressure\ Plate=The Light Weighted Pressure Tile -Main\ Hand=In The First Place, And -Silverfish\ hisses=Argentine hiss -Green\ Per\ Pale=The Green Light -Potted\ Acacia\ Sapling=Acacia Cuttings In Pots -Jigsaw\ Block=Block Puzzle -Villager\ disagrees=The villagers did not agree to -Distance\ Crouched=Distance, Where I Was Born -Voice/Speech=Voice/Language -Badlands=Badlands -Brown\ Per\ Fess\ Inverted=Coffee, Fess Inverted -Location=Features -These\ settings\ are\ experimental\ and\ could\ one\ day\ stop\ working.\ Do\ you\ wish\ to\ proceed?=Note\: these settings are experimental and may one day be able to stop it. If you want to do this? -Dragon\ hurts=Dragon damage -Cyan\ Dye=Colour\: Blue -Joining=Chapter -You\ whisper\ to\ %s\:\ %s=I'll whisper you %s\: %s -Flame=Flames -Instant\ Damage=Consequential Damages -Splash\ Potion\ of\ Slowness=Splash potion of slowness -Lime\ Stained\ Glass=Lime Stained Glass -Enabled=Skills -Magenta\ Glazed\ Terracotta=The Purple Tiles, And The Windows Of The -Lime\ Creeper\ Charge=Of The Lime, The Vine-Free -Lime\ Chief\ Indented=The President Of The Industry, The Withdrawal Of The -Unknown\ attribute=Unknown attribute -Smooth\ Quartz\ Slab=Narechena Quartz Place -This\ pack\ was\ made\ for\ an\ older\ version\ of\ Minecraft\ and\ may\ no\ longer\ work\ correctly.=It was the package, an earlier version of Minecraft and may not work properly. -Red\ Nether\ Brick\ Slab=Red Nether Tegel Plattor -Best\ Friends\ Forever=Best Friends Forever -Void\ Air=Null And Void In The Air -Lime\ Paly=Cal, Pale -Brown\ Roundel=Brown, Round -F3\ +\ B\ \=\ Show\ hitboxes=F3 + B \= Visar bounding boxes -Magenta\ Lozenge=Purple Brilliant -Gulping=The drinking of large quantities of -Yellow\ Dye=Yellow -Cannot\ spectate\ yourself=You can not look at each other, -Lime\ Pale=Pale Lemon -???=??? -Language...=Language... -Unknown\ item\ tag\ '%s'=Unknown tag item '%s' -Zombie\ hurts=Zombie bad -Minecart\ with\ Command\ Block=Minecart with Command Block -There\ are\ %s\ tracked\ entities\:\ %s=A %s entourage\: %s -Sticky\ Situation=Sticky Situation -Light\ Blue\ Per\ Bend\ Sinister\ Inverted=Light Blue Bend Sinister Inverted -Gray\ Per\ Pale=The Grey Light -%1$s\ was\ killed\ by\ magic\ whilst\ trying\ to\ escape\ %2$s=%1$s was killed with the help of magic, if you try to save %2$s -Soul\ Lantern=Target Koplamp -Showing\ new\ actionbar\ title\ for\ %s=Allows you to enter a new name in the ActionBar %s -The\ world\ is\ full\ of\ friends\ and\ food=The world is full of friends and food -Lightning\ Bolt=Even -Birch\ Fence=Birch Garden -Gray\ Cross=Grey Cross -You\ have\ been\ idle\ for\ too\ long\!=You have been inactive for a very long time. -Light\ Gray\ Banner=And Light Grey Banner -The\ world\ you\ are\ going\ to\ download\ is\ larger\ than\ %s=To the world that you would like to get more info than that %s -Expected\ a\ block\ position=The inevitable doom of the predicted block for the installation of the -Chests\ Opened=Bitch A\u00E7maq -Optimize\ world=To optimize the world -Jungle\ Hills=In The Jungle, And The Mountains -Blockfish=Blockfish -Dark\ Oak\ Wood=The Oak Is A Dark -Print\ Screen=Screen printing -Light\ Blue\ Base\ Gradient=Light Blue Base Gradient -Purple\ Bordure\ Indented=Purple Card -None=\ br. -Iron\ Nugget=Iron, Gold, -Play\ New\ Demo\ World=Play A New Hairstyle In The World -Conduit\ activates=The channel is activated -Loading\ world=Add in the whole world -Invalid\ position\ for\ teleport=Invalid in the status of the gate -Blue\ Base\ Dexter\ Canton=Guangzhou Blue Base Dexter -Nether\ Quartz=The Netherlands Is A Silicon -Magenta\ Bend\ Sinister=Purple Bend Sinister -Elder\ Guardian\ hurts=The old Guard is sick -Dark\ Oak\ Trapdoor=Zemna Oak Zvery -Outdated\ server\!\ I'm\ still\ on\ %s=Outdated server\! I still don't have %s -Zombie\ Reinforcements=Your Help -Zombified\ Piglin\ Spawn\ Egg=Piglin Zombie Spawn Vejce -NBT\:\ %s\ tag(s)=NBT\: %s sign (- e). -Fletcher\ works=It is unlikely that this apparently -%1$s\ was\ fireballed\ by\ %2$s=%1$s it was fireballed.%2$s -Adventures=Adventure -Modified\ Wooded\ Badlands\ Plateau=Changes In Forest Soils In The Arid Plateau -White\ Chief=Cap Blanc -Turtle\ Spawn\ Egg=Turtle, Eggs, Egg -Prismarine\ Wall=Prismarine Seina -Would\ you\ like\ to\ download\ and\ install\ it\ automagically?=If you want to download it and install it for you? -Added\ %s\ to\ %s\ for\ %s\ (now\ %s)=Published %s in %s for %s (currently %s) -Zoglin\ dies=Zoglin na -%1$s\ was\ shot\ by\ %2$s\ using\ %3$s=%1$s it was shot, %2$s with %3$s -Unbreakable=Unbreakable -Couldn't\ grant\ %s\ advancements\ to\ %s\ as\ they\ already\ have\ them=Could not give %s improvement %s you already have -Invalid\ swizzle,\ expected\ combination\ of\ 'x',\ 'y'\ and\ 'z'=Void presents, it is assumed that the mixture of "x", " y " and "z" -Light\ Blue\ Bed=The Blue Light On The Bottom -Stripped\ Crimson\ Stem=Remove The Raspberries Your Knees -Item\ Hopper=The Output Hopper -Touchscreen\ Mode=The Touch Screen Function -Use\ "@p"\ to\ target\ nearest\ player=Use "@p" to target nearest player -You\ can\ only\ trigger\ objectives\ that\ are\ 'trigger'\ type=You may have problem with engine start -Entities\ with\ scores=The assessment -Caps\ Lock=Caps Lock -Removed\ %s\ from\ %s\ for\ %s\ entities=Skinite %s which is %s for %s unit -Multiplayer=Multiplayer -Custom\ bossbar\ %s\ has\ been\ renamed=Custom bossbar %s it changed -Pink\ Concrete\ Powder=The Rose In The Concrete, The Dust -Renew=Update -Search\ for\ mods=Search mods -Unknown\ effect\:\ %s=I Do Not Know The Effect Of\: %s -Jungle\ Stairs=Jungle Stairs -Cheats=Triki -Llama=Direcci\u00F3n -Gray\ Inverted\ Chevron=Siva Obrnuti Chevron -Crying\ Obsidian=Crying Obsidian -Spread\ Height=Reproduction, Growth, -Redstone\ Ready=Redstone Pripravljen -Fletcher=Fletcher -Yellow\ Shield=The Yellow Shield -Piglin\ snorts\ angrily=Piglin furiosament snorts -Distance\ Fallen=Decreased Distance -Escape=Summer -Proceed=D\u00E1l -Salmon\ dies=Salmon Yes for Umrah -Customized\ worlds\ are\ no\ longer\ supported\ in\ this\ version\ of\ Minecraft.\ We\ can\ try\ to\ recreate\ it\ with\ the\ same\ seed\ and\ properties,\ but\ any\ terrain\ customizations\ will\ be\ lost.\ We're\ sorry\ for\ the\ inconvenience\!=The users of the world, they are no longer supported in this version of the famous. We will be trying to replicate the same seed and traits, but all of the topography and the changes will be lost. We are sorry for the inconvenience\! -Lingering\ Potion\ of\ Water\ Breathing=Drink Water, Hold, Exhale -Pufferfish\ stings=Food, fish -Ravager\ roars=The spoiler is that it the shade under -Pressure\ Plate\ clicks=The touchpad to click -Right\ Pants\ Leg=To The Right Of The Right Leg In The Pants -Video\ Settings...=The Settings For The Video, Etc. -Unknown\ scoreboard\ objective\ '%s'=We do not know of a system is the goal '%s' -Invalid\ integer\ '%s'=Invalid number%s' -Potion\ of\ Levitation=Potion af levitation -Wandering\ Trader=Idevice At The Dealer -Splash\ Potion=Cracks Brew -Black\ Shulker\ Box=The Black Box Shulker -Subscribe=Sign up -Orange\ Carpet=Orange Carpet -Grass\ Path=In The Hall Way -Smooth\ Stone=Smooth Stone -Blocks=Blokk -Console\ Command=The Console Command -Distance\ by\ Boat=Distance boat -Movement=Move -Caution\:\ Third-Party\ Online\ Play=Please Note\: Third-Party Online Games -Llama\ Spawn\ Egg=Lamu ?????????? Mari -Purple\ Globe=Purple Color Is In The World -Custom\ bossbar\ %s\ has\ changed\ maximum\ to\ %s=A custom bossbar %s changed max %s -Couldn't\ grant\ advancement\ %s\ to\ %s\ players\ as\ they\ already\ have\ it=Couldn't do further development %s by %s the players that are already in place -Black\ Chevron=Black Chevron -Set\ %s\ experience\ points\ on\ %s\ players=In General %s experience points %s players -Light\ Blue\ Chevron=Light Blue Sedan -Raids\ Won=Raids S' -If\ enabled,\ players\ will\ be\ able\ to\ craft\ only\ unlocked\ recipes=If this option is enabled, players can work on their own in the event that the proceeds of the -Magenta\ Per\ Pale\ Inverted=A Light Red With Reverse -Your\ world\ will\ be\ regenerated\ and\ your\ current\ world\ will\ be\ lost=The world needs to be expanded, and in the world, has died -F3\ +\ H\ \=\ Advanced\ tooltips=F3 + h \= (powee of sugestii -Diamond\ Horse\ Armor=El Diamante Horse Armor -Cyan\ Glazed\ Terracotta=The Blue Glaze Ceramic -Removed\ modifier\ %s\ from\ attribute\ %s\ for\ entity\ %s=In order to delete a character %s attribute %s az arc %s --%s\ %s=-%s %s -Music\ &\ Sounds...=Hudba A Zvuk... -Take\ Book=Take On Books -No\ singleplayer\ worlds\ found\!=In fact, on the contrary, the world, and I have found it\! -Creeper\ Spawn\ Egg=Creeper Spawn Vejce -Errors\ in\ currently\ selected\ datapacks\ prevented\ world\ from\ loading.\nYou\ can\ either\ try\ to\ load\ only\ with\ vanilla\ datapack\ ("safe\ mode")\ or\ go\ back\ to\ title\ screen\ and\ fix\ it\ manually.=Errors in the current datapacks to avoid this, the world before you download.\nMaybe you want to try, is to download it just extract datapack (safe mode) or return to the main menu, and right hand. -Invisibility=Invisibility -Please\ use\ the\ most\ recent\ version\ of\ Minecraft.=Use the maximum version of Minecraft. -Realms\ could\ not\ be\ opened\ right\ now,\ please\ try\ again\ later=The person is not able to open it now, try it again at a later time -Ocelot\ Spawn\ Egg=Dry Ocelot Egg -An\ objective\ already\ exists\ by\ that\ name=The object already exists, the name of the -Red\ Concrete=Red Concrete -Grindstone\ used=Stone mills used -Oak\ Trapdoor=Oak Trapdoor -Horse\ gallops=Horse, gallop -Magenta\ Terracotta=Purple Terracotta -Villages=Village -Villager=The villagers -Prismarine\ Brick\ Stairs=Prismarine Brick Pill\u0259k\u0259n -Hotbar\ Slot\ 9=The Games Panel 9 -Hotbar\ Slot\ 8=En Hotbar Slot 8 -Hotbar\ Slot\ 7=Games, Group 7 -Potted\ Orange\ Tulip=Potted Tulip Orange -Connection\ Lost=Lost Contact -Hotbar\ Slot\ 6=Game 6. -Hotbar\ Slot\ 5=Lizdas Hotbar 5 -Tripwire\ attaches=It -Hotbar\ Slot\ 4=Toolbar For Quick Access To The Socket 4-X -Hotbar\ Slot\ 3=Children Playing in Panel 3 -Hotbar\ Slot\ 2=The Quick Access Toolbar Slot 2 -Hotbar\ Slot\ 1=Hotbar Slot 1 -Blue\ Per\ Bend\ Sinister\ Inverted=Bend Sinister Substitute, Blue -Library=Library -%s,\ %s,\ %s\ has\ the\ following\ block\ data\:\ %s=%s, %s, %s you have nasleduj\u00FAce block put\: %s -Left\ Control=Levi Check Out -5x5\ (Normal)=5x5 (Normalno) -Pink\ Bed=Rosa Bed -Block\ broken=The unit does not work -Min.\ Height=Thousands of people. Height -Lime\ Per\ Bend=The Cement Of The Corner -Drowned\ Spawn\ Egg=Spawn Eggs -%1$s\ walked\ into\ a\ cactus\ whilst\ trying\ to\ escape\ %2$s=%1$s he walked up to the cactus to commit, if you try to escape %2$s -Allow\ Cheats\:=Da Bi Aktiviran Cheat -Cow\ hurts=Cow-it hurts so bad -%1$s\ starved\ to\ death=%1$s how would die of hunger -Black\ Per\ Fess\ Inverted=Black And Kanim VI VI Da Teach -Snowball=Gradu snow -Potted\ Allium=Pot Ashita -Splash\ Potion\ of\ Luck=Good Luck, The Splash Potions -Good\ Luck=Good luck -Target\ doesn't\ have\ the\ requested\ effect=The goal is not to the expected effects of the -Invalid\ position\ for\ summon=Invalid Standards Call -Options=Options -Play\ Multiplayer=To Play In Multiplayer Mode -Auto=Auto -Unknown\ recipe\:\ %s=That's the recipe\: %s -Spawn\ Tries=As Future Generations Of Trying -Lever\ clicks=Press down on the handle -Coal\ Ore=Coal, Iron Ore -Can't\ insert\ %s\ into\ list\ of\ %s=You can't %s a lista %s -Polar\ Bear=Polar bear -Exported=Export -Pink\ Per\ Pale=Pink Light -Cooked\ Rabbit=Stew The Rabbit -Pink\ Chief=The Key To The Pink -There\ are\ no\ bans=There is no restriction -You\ have\ passed\ your\ fifth\ day.\ Use\ %s\ to\ save\ a\ screenshot\ of\ your\ creation.=You have passed your fifth day. Use %s to save an image of your own creation. -Light\ Blue\ Stained\ Glass=Blue Linssit -Press\ a\ key\ to\ select\ a\ command,\ and\ again\ to\ use\ it.=Press the button if you want to choose a team and use it again. -Chorus\ Fruit=Shell E Frutave -Zombie\ Head=The Zombie's Head -Never=I never -Blue\ Per\ Fess\ Inverted=The Blue Bar Is Upside Down -Squid\ Spawn\ Egg=Squid Spawn Egg -Potion\ of\ Luck=Drink Succes -Illusioner\ prepares\ blindness=Illusioner the preparation of the glare -White\ Base\ Indented=White Base Indented -Are\ you\ sure\ you\ want\ to\ quit?=Are you sure to want to stop you? -Elder\ Guardian\ dies=Senior Guard door -Witch=Witch -Yellow\ Base\ Gradient=Yellow Base, Tilt -Light\ Gray\ Base\ Sinister\ Canton=Light Grey, Based On The Data Of The Canton To The Accident -White\ Chief\ Dexter\ Canton=Black-And-Feel Faster -Too\ Expensive\!=It is Very Expensive\! -Fish\ Caught=Fish -Panda=White -Expires\ in\ %s\ days=This is the stuff %s days ago -Unknown\ predicate\:\ %s=Known to be inter-related\: %s -Cocoa=Cocoa -Realms\ Notifications=Kogus Teated -Keep\ Jigsaws\:\ =Puzzle\: -Language\ translations\ may\ not\ be\ 100%%\ accurate=The translation may not be 100%% exactly -Yellow\ Roundel=Yellow, Round -Create\ realm=To create an empire -Removed\ %s\ members\ from\ team\ %s=Remove %s the members of the team %s -Current=Today -Lightning\ strikes=The lightning -Bubble\ Coral=The Bubble Coral -Green\ Lozenge=Green Diamond -Acquire\ Hardware=Hardware Overname -Bucket=The kashik -Crimson\ Trapdoor=Raspberry Luc -Ender\ Dragon=The Ender Dragon -Warped\ Sign=Unreadable Characters -Awkward\ Splash\ Potion=Pevn\u00FD Splash Potion -Black\ Bed=Kravet Crna -%1$s\ was\ squashed\ by\ %2$s=%1$s it has been discontinued %2$s -World\ border\ cannot\ be\ bigger\ than\ 60,000,000\ blocks\ wide=Svijet granice are not the men to be higher than that of the ukupno 60 000 000 blokova the \u0161iroku -Turtle\ Egg\ cracks=The eggs of the turtle crack -Ghast\ cries=Ghast crits -Magenta\ Per\ Fess=Purple Headband -Allow\ spectators\ to\ generate\ terrain=Allows viewers, and in order to create a landscape -LAN\ World=LAN Svete -Horse=The -Bee\ buzzes\ happily=Happy buzzing of bees -Silk\ Touch=Press Silk -Nether\ Gold\ Ore=Invalid Ore -Respawn\ Anchor\ sets\ spawn=The anchor is generated by sets of the spawn -Carrot\ on\ a\ Stick=Carrot and pictures -Lingering\ Potion\ of\ Weakness=Constantly Broth For Slabost -Executed\ %s\ commands\ from\ function\ '%s'=Death %s the function of the control '%s' -%1$s\ fell\ off\ some\ weeping\ vines=%1$s fell weeping on the vine -Acacia\ Door=Some Of The Doors -Music\ &\ Sound\ Options=The Music And Sound Options -Birch\ Stairs=Birch Stairs -Purple\ Thing=Purple Something -Jungle\ Planks=The Jungle In The Community -Shulker\ closes=Shulker is closed -Water\ World=Water world -Splash\ Potion\ of\ Regeneration=The screen saver preview on google -C418\ -\ blocks=C418 - blocks -Nether\ Brick\ Slab=The Void, Brick, Table -Brewing=Cook -Unknown\ command\ or\ insufficient\ permissions=I don't know, for the will or for the lack of a right of access to -Horse\ breathes=Their breath -Enable\ only\ works\ on\ trigger-objectives=As to activate it, only works in the drawing is the goal -Black\ Pale\ Sinister=Black Pale Sinister -Changes\ Not\ Saved=The Changes Will Not Be Saved -Cyan\ Per\ Pale=Light Blue, In -Update\ weather=Tid for oppdatering -%s\ has\ no\ properties=%s not specifications -End\ Stone\ Brick\ Stairs=The Last Stone, Brick, Ladder -Removed\ tag\ '%s'\ from\ %s\ entities=Panel for remote control %s of %s people -%1$s\ discovered\ the\ floor\ was\ lava=%1$s I have found that the floor was Lava -Cod\ hurts=The heat -Minecart\ with\ Chest=Minecart rinnassa -Panda\ whimpers=The panda cries -Dragon\ dies=Zmaj Umrah -Nothing\ changed.\ The\ player\ is\ not\ an\ operator=Nothing will change. The player operator -Golden\ Carrot=The Golden Carrot -All\ players=Each player -Yellow\ Base\ Sinister\ Canton=Yellow Base Sinister Canton -Berries\ pop=Plodove pop -%1$s\ fell\ from\ a\ high\ place=%1$s it fell from a high place -Brown\ Base\ Sinister\ Canton=Brown Canton Sinister Base -Authentication\ servers\ are\ down.\ Please\ try\ again\ later,\ sorry\!=On the servers, and then to the bottom. Please try again later, I'm so sorry\! -Parrot\ grunts=Sam le parrot -%1$s\ was\ slain\ by\ %2$s=%1$s he was killed %2$s -Evoker\ prepares\ charming=Evoker prepares wonderful -Bat\ hurts=The Bat hurts -Entities\ on\ team=Operators in the team -Save\ mode\ -\ write\ to\ file=Saving Mode d' - the file to write -No\ schedules\ with\ id\ %s=No graphics id %s -Games\ Quit=During The Game -Minigames=Mini-games -Awkward\ Potion=Strange Potion -Gray\ Bend\ Sinister=Boz G\u00F6z Sinister -Honey\ Block=Honey, A Block Of -Customized\ worlds\ are\ no\ longer\ supported=The world is no longer supported -Realms\ Terms\ of\ Service=Rules for the use of -Brew\ a\ potion=To prepare a drink -Advancements=Progress -All\ entities=All units in -Invalid\ name\ or\ UUID=Non-valid name or UUID -Get\ a\ trial\!=To obtain the court\! -Kelp=Polishing -Polished\ Blackstone\ Brick\ Slab=Polish Merchant-Brick Block -Player\ teleports=Now the player -Husk\ converts\ to\ Zombie=Shell turn you into a zombie -Minigame\:=The game\: -Light\ Gray\ Shield=The Light Gray Shield -Yellow\ Banner=Yellow -Verbose\ Logging=Detailed Records -Pufferfish\ deflates=Clean the fish -Gravelly\ Mountains=La Monta\u00F1a Gravelly -Arrow\ of\ Strength=Arrow power -Custom\ bossbar\ %s\ has\ changed\ color=A custom bossbar %s we have changed the color -Blue\ Orchid=Blue Orchids -Number\ of\ Deaths=Death room -Cleric=Mentally -Use\ Preset=The Use Of The Above -Blue\ Per\ Pale=Light M -Shoot\ something\ with\ an\ arrow=Image as an arrow. -Ocean=The sea -Level\ shouldn't\ be\ negative=The level must be non-negative -Pink\ Shield=The Shield Of The Rose -Attack\ Knockback=Drop Aanvallen -Set\ Console\ Command\ for\ Block=To configure the shell to the interior -Safe\ Mode=In The Safe Mode -Do\ you\ want\ to\ add\ following\ packs\ to\ Minecraft?=Tem certainty that deseja add as the following pacotes Minecraft? -Invalid\ session\ (Try\ restarting\ your\ game\ and\ the\ launcher)=It is not allowed for the session (try restarting the game and launcher) -Husk=The skin of the -Resetting\ world...=Delete the world... -Hello,\ world\!=Hola, m\u00F3n\! -Vindicator\ Spawn\ Egg=Vindicator Eggs, Caviar -Dark\ Oak\ Door=Dark Oak Doors -Stopped\ sound\ '%s'\ on\ source\ '%s'=In order to stop the vote%ssource%s' -Fox\ bites=Fox bite -Arrow\ of\ Luck=OK, good luck -Deal\ fire\ damage=Damage from the fire. -Endermite=In endermit -Web\ Links=Links -Temples=The church -Splash\ Potion\ of\ Water\ Breathing=Splash Potion Of Water Breathing -Cobblestone\ Wall=Cobblestone \u0405\u0438\u0434 -Farmland=The country -Lime\ Field\ Masoned=Var Oblastta On Masoned -Magenta\ Pale\ Dexter=The Purple, Delicate-As Soon As Possible -Added\ tag\ '%s'\ to\ %s=Add a bookmark%s"a %s -Zombie\ Wall\ Head=The Zombie's Head Into The Wall -Small\ Fireball=A Small Ball Of Fire -Show\ invisible\ blocks\:=To show the hidden blocks\: -Raw\ Input=Nyers Bemenet -Biome\ Size=Here, The Size -Scanning\ for\ games\ on\ your\ local\ network=Are you in search of game, LAN -Totem\ activates=Totem of nature -Bowl=Glass -Value\ of\ modifier\ %s\ on\ attribute\ %s\ for\ entity\ %s\ is\ %s=The modifier value is %s attribute %s device %s ji %s -Keep\ inventory\ after\ death=You keep your inventory after death -End\ Crystal=At The End Of The Crystal -Oak\ Wall\ Sign=Oak Wall Merkki -Raw\ Cod=Raaka-Cod -World\ backups=World copy -Feed\ us\ data\!=Fed the information\! -Yellow\ Tang=Yellow -Could\ not\ find\ a\ biome\ of\ type\ "%s"\ within\ reasonable\ distance=I can't find the type of \u0431\u0438\u043E\u043C\u0430 "%swithin a reasonable distance -Green\ Pale\ Dexter=Green Pale Dexter -The\ Killer\ Bunny=The Killer Bunny -You\ cannot\ trigger\ this\ objective\ yet=No, no, no, you can run this mission -Deep\ Ocean=Deep Ocean -Block\ placed=The block is attached to -Blue\ Concrete\ Powder=Children Of The Concrete Into Dust -Dungeon\ Count=In The Dungeon Of The Count -Bucket\ of\ Salmon=Tbsp, Laks -Height=Height -Ride\ a\ Strider\ with\ a\ Warped\ Fungus\ on\ a\ Stick=Travel Strider, who Perverted the mushrooms to the notice of the -Damage\ Absorbed=The Damage Is Absorbed -Vex\ dies=Vex d\u00F8 -Coordinate\ Scale=Coordinate In The Volume -Water\ Lake\ Rarity=The Water In The Lake, A Rarity -Open\ your\ inventory=Open your inventory -Portal\ noise\ fades=The sound of the portal will disappear -Middle\ Button=The Middle Button -Great\ View\ From\ Up\ Here=This Is A Very Beautiful Landscape -Back\ to\ Game=To get back in the game -Crimson\ Button=Dark Red Button ... -`=` -]=] -Red\ Nether\ Brick\ Stairs=Red Nether Brick, Wooden Stairs -\\=\\ -[=[ -X=X -V=V -Trader's\ next\ level=Next level trader -Fast\ graphics\ reduces\ the\ amount\ of\ visible\ rain\ and\ snow.\nTransparency\ effects\ are\ disabled\ for\ various\ blocks\ such\ as\ tree-leaves.=Fast graphics, it reduces the size of the sum shows up in rain and snow.\nTransparency-effect disable various blocks, for example, the leaves of the trees. -Have\ every\ effect\ applied\ at\ the\ same\ time=There, the whole effect, applied, at the same time -I=I -Piglin\ Spawn\ Egg=Piglin, Add The Eggs -Sweeping\ Edge=The Beautiful Border -Purple\ Cross=The Purple Kors -Oak\ Leaves=The leaves of the oak tree -\==\= -;=; -Fox\ eats=The fox has to eat it -Reset\ to\ Default=Kuidas reset default, -Birch\ Planks=Bedoll Consells -Heart\ of\ the\ Sea=In the middle of the sea -What\ is\ Realms?=The fact that he was at the top. -Cyan\ Field\ Masoned=Blue Boxes Have Been Replaced With Brick Underground -Shrinking\ the\ world\ border\ to\ %s\ blocks\ wide\ over\ %s\ seconds=The fall of the world border %s the blocks %s seconds -/=/ -Anemone=The SAS -You\ must\ enter\ a\ name\!=You must enter a name\! -.=. --=- -,=, -Elder\ Guardian\ moans=Father, Guardian, moans -World\ options=The world's choice -Rollable=Instagram -'=' -Scroll\ Sensitivity=The Sensitivity Of The Weight -Picked\ Up=I took the -Bat\ takes\ off=Bat, pri\u010Dom let -Whitelist\ is\ already\ turned\ off=Whitelist is al uit -Red\ Per\ Bend=The Red Color On The Crease -Diamonds\!=Diamonds\! -Structure\ saved\ as\ '%s'=The building is recorded in the form%s' -Apply\ Changes=Apply The Changes To -=