From 59f4ef0e6258fe0cb62a69a7e06cb517ab76e600 Mon Sep 17 00:00:00 2001 From: JFronny Date: Sun, 28 Aug 2022 16:42:27 +0200 Subject: [PATCH] Update to LibJF 3 --- build.gradle | 16 +- gradle.properties | 10 +- .../io/gitlab/jfronny/translater/Cfg.java | 29 +- .../jfronny/translater/ProgressMode.java | 8 + .../gitlab/jfronny/translater/Translater.java | 4 +- .../transformer/CachingTransformer.java | 2 +- src/client/resources/namecache.ini | 1680 +++++++++-------- .../resources/fabric.mod.json | 7 +- 8 files changed, 876 insertions(+), 880 deletions(-) create mode 100644 src/client/java/io/gitlab/jfronny/translater/ProgressMode.java rename src/{client => main}/resources/fabric.mod.json (82%) diff --git a/build.gradle b/build.gradle index db90db3..f9b5827 100644 --- a/build.gradle +++ b/build.gradle @@ -1,12 +1,12 @@ -apply from: "https://jfmods.gitlab.io/scripts/jfmod.gradle" +apply from: "https://jfmods.gitlab.io/scripts/gradle/v2.gradle" dependencies { - modImplementation("io.gitlab.jfronny.libjf:libjf-config-v0:${project.jfapi_version}") - modImplementation("io.gitlab.jfronny.libjf:libjf-translate-v1:${project.jfapi_version}") + modImplementation("io.gitlab.jfronny.libjf:libjf-config-core-v1:${project.libjf_version}") + modImplementation("io.gitlab.jfronny.libjf:libjf-translate-v1:${project.libjf_version}") - modRuntimeOnly("io.gitlab.jfronny.libjf:libjf-devutil-v0:${project.jfapi_version}") - - modImplementation "com.terraformersmc:modmenu:4.0.5" - - modImplementation(fabricApi.module("fabric-command-api-v2", "${project.fabric_version}")) + // Dev env + modLocalRuntime("io.gitlab.jfronny.libjf:libjf-config-reflect-v1:${project.libjf_version}") + modLocalRuntime("io.gitlab.jfronny.libjf:libjf-config-ui-tiny-v1:${project.libjf_version}") + modLocalRuntime("io.gitlab.jfronny.libjf:libjf-devutil:${project.libjf_version}") + modLocalRuntime("com.terraformersmc:modmenu:4.0.6") } diff --git a/gradle.properties b/gradle.properties index 3bd74ae..7ae2491 100644 --- a/gradle.properties +++ b/gradle.properties @@ -1,12 +1,12 @@ # https://fabricmc.net/develop/ -minecraft_version=1.19.1 -yarn_mappings=build.1 -loader_version=0.14.8 +minecraft_version=1.19.2 +yarn_mappings=build.8 +loader_version=0.14.9 maven_group=io.gitlab.jfronny archives_base_name=translater -jfapi_version=2.10.0 -fabric_version=0.58.0+1.19.1 +libjf_version=3.0.3 +fabric_version=0.60.0+1.19.2 modrinth_id=translater modrinth_required_dependencies=libjf diff --git a/src/client/java/io/gitlab/jfronny/translater/Cfg.java b/src/client/java/io/gitlab/jfronny/translater/Cfg.java index b963c8e..c84fc9a 100644 --- a/src/client/java/io/gitlab/jfronny/translater/Cfg.java +++ b/src/client/java/io/gitlab/jfronny/translater/Cfg.java @@ -1,24 +1,13 @@ package io.gitlab.jfronny.translater; -import io.gitlab.jfronny.libjf.config.api.Entry; -import io.gitlab.jfronny.libjf.config.api.JfConfig; +import io.gitlab.jfronny.libjf.config.api.v1.Entry; +import io.gitlab.jfronny.libjf.config.api.v1.JfConfig; -public class Cfg implements JfConfig { - @Entry - public static int rounds = 5; - @Entry - public static boolean breakFully = false; - @Entry - public static String targetLanguage = "en"; - @Entry - public static ProgressMode renderProgress = ProgressMode.None; - @Entry - public static boolean forceRegenerate = false; - - public enum ProgressMode { - Full, - Gui, - Console, - None - } +@JfConfig(referencedConfigs = "libjf-translate-v1") +public class Cfg { + @Entry public static int rounds = 5; + @Entry public static boolean breakFully = false; + @Entry public static String targetLanguage = "en"; + @Entry public static ProgressMode renderProgress = ProgressMode.None; + @Entry public static boolean forceRegenerate = false; } diff --git a/src/client/java/io/gitlab/jfronny/translater/ProgressMode.java b/src/client/java/io/gitlab/jfronny/translater/ProgressMode.java new file mode 100644 index 0000000..354ea9e --- /dev/null +++ b/src/client/java/io/gitlab/jfronny/translater/ProgressMode.java @@ -0,0 +1,8 @@ +package io.gitlab.jfronny.translater; + +public enum ProgressMode { + Full, + Gui, + Console, + None +} diff --git a/src/client/java/io/gitlab/jfronny/translater/Translater.java b/src/client/java/io/gitlab/jfronny/translater/Translater.java index 5d5b2f1..48bde5a 100644 --- a/src/client/java/io/gitlab/jfronny/translater/Translater.java +++ b/src/client/java/io/gitlab/jfronny/translater/Translater.java @@ -20,10 +20,10 @@ public class Translater { private static final TransformingMap map = new TransformingMap(new CachingTransformer(new TranslatingTransformer<>(TranslateService.getConfigured()))); public static boolean progressUIEnabled() { - return Cfg.renderProgress == Cfg.ProgressMode.Full || Cfg.renderProgress == Cfg.ProgressMode.Gui; + return Cfg.renderProgress == ProgressMode.Full || Cfg.renderProgress == ProgressMode.Gui; } public static boolean progressLogsEnabled() { - return Cfg.renderProgress == Cfg.ProgressMode.Full || Cfg.renderProgress == Cfg.ProgressMode.Console; + return Cfg.renderProgress == ProgressMode.Full || Cfg.renderProgress == ProgressMode.Console; } public static @NotNull TransformingMap getMap(@Nullable Map base) { diff --git a/src/client/java/io/gitlab/jfronny/translater/transformer/CachingTransformer.java b/src/client/java/io/gitlab/jfronny/translater/transformer/CachingTransformer.java index 6bc1427..468c36c 100644 --- a/src/client/java/io/gitlab/jfronny/translater/transformer/CachingTransformer.java +++ b/src/client/java/io/gitlab/jfronny/translater/transformer/CachingTransformer.java @@ -1,6 +1,6 @@ package io.gitlab.jfronny.translater.transformer; -import io.gitlab.jfronny.libjf.config.api.ConfigHolder; +import io.gitlab.jfronny.libjf.config.api.v1.ConfigHolder; import io.gitlab.jfronny.translater.Cfg; import io.gitlab.jfronny.translater.Translater; import net.fabricmc.loader.api.FabricLoader; diff --git a/src/client/resources/namecache.ini b/src/client/resources/namecache.ini index ac3d3a5..977693c 100644 --- a/src/client/resources/namecache.ini +++ b/src/client/resources/namecache.ini @@ -1,5 +1,5 @@ #---Lang--- -#Thu Jul 28 14:49:25 CEST 2022 +#Sun Aug 28 16:33:40 CEST 2022 = Get\ a\ Recycler=Get a Recycler \u00A79Sword\ \u00A77-\ \u00A7rAOE\ Damage\ multiplier=\u00A79sword\u00A77- \u00A7rdamage ratio to AOE @@ -8,15 +8,15 @@ Creepers\ explode\ when\ burning=When the vines are on fire, they are broken Smooth\ Phantom\ Purpur=Soft Ghost Sprayer +10%\ attack\ speed=ten% Speed \u200B\u200Battack WE'RE\ MINING\ IN\ THE\ DATABASE\ WOW\ WOW=We generate wow in our database. -Quesadilla=quesadilla Bronze\ Compressor=Bronze compressor +Quesadilla=quesadilla Minimum\ Linear\ Step=Minimum Linear Step Armor\ Status=Protective case Emit\ Redstone\ while\ item\ is\ crafting.=Emit Redstone while item is crafting. Willow\ Boat=Willow Boat Minimum\ y-coordinate=The Y coordinate is minimal. -Cyan\ Rose=Cyan Rose 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 Blue\ Color\ Value=Blue Color Value Azalea\ Small\ Hedge=Little Rhododendron Hedge Chiseled\ Purpur=Chiseled Purpur @@ -38,9 +38,9 @@ Toggle\ Minimap=Toggle Minimap \==\= >=> White\ Stone\ Brick\ Stairs=White stone brick staircase -A=A -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 +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. +A=A B=B C=C D=D @@ -51,20 +51,20 @@ I=I Data\ Collection=Data Collection Inventory\ HUD\ background\ transparency\ from\ 0\ to\ 100=HUD Background Transparency Inventory 0-100 Purple\ Elytra\ Wing=Purple Elytra Wing -Dwarf\ Coal=Dwarf Coal N=N +Dwarf\ Coal=Dwarf Coal Stripped\ Lament\ Wood=Cut the weeping wood Still\ loading\ quest\ data.=Still loading quest data. -Cypress\ Leaves=Cypress Leaves Upgrade\ your\ pickaxe=The update of the progress of the +Cypress\ Leaves=Cypress Leaves S=S Oak\ Small\ Hedge=Oak Small Hedge -V=V \u00A73Learned\ one\ new\ waystone\!=\u00A73I learned a new stone\! +V=V Ore\ vein\ chance=There may be veins of ore W=W -Skyris\ Button=Skyris Button X=X +Skyris\ Button=Skyris Button Y=Y Z=Z [=[ @@ -73,9 +73,9 @@ Hide\ Dependency\ Lines=Hide dependency rows ]=] The\ banner\ patterns=copy of the banner `=` -Kill\ one\ of\ every\ hostile\ monster=To kill every monster is hostile -The\ $(item)Red\ Stringed\ Container$(0).=at that$(Object) container with red thread$(0). b=b +The\ $(item)Red\ Stringed\ Container$(0).=at that$(Object) container with red thread$(0). +Kill\ one\ of\ every\ hostile\ monster=To kill every monster is hostile Link\ established\!=Link installed\! Void\ Orb=Empty orb The\ highest\ the\ floor\ of\ a\ mineshaft\ can\ be.=The top floor of the mine @@ -95,8 +95,8 @@ Max.\ Damage=Max. Damage Light\ Blue\ Concrete\ Pillar=Blue concrete poles Blink\ When\ Low=Blink When Low Magma\ Brick\ Slab=Magma Brick Slab -Sorting\ also\ sorts\ player\ inv=Sorting also sorts player inv Toggle\ on/off\ animation\ for\ recently\ picked\ up\ items.=Enables / disables animation for newly selected items. +Sorting\ also\ sorts\ player\ inv=Sorting also sorts player inv Expected\ a\ coordinate=There will be an extra fee Rubber\ Fence\ Gate=Rubber Fence Gate Jacaranda\ Bench=Jacaranda bench @@ -104,19 +104,19 @@ Grappling\ Hook=Grappling Hook The\ Killer\ Bunny\ of\ Caerbannog=Killer Rabbit from Caerannog Clearing\ out\ large\ areas\ of\ $(item)Tall\ Grass$(0)\ by\ hand\ is\ a\ nuisance,\ as\ is\ the\ process\ of\ harvesting\ large\ fields\ of\ crops.$(p)Simply\ blowing\ into\ the\ $(item)Horn\ of\ the\ Wild$(0)\ will\ cause\ any\ nearby\ vegetation\ to\ quickly\ uproot,\ leaving\ behind\ drops\ as\ if\ they\ had\ been\ broken\ by\ hand.$(p)With\ some\ adjustments,\ the\ horn\ can\ be\ tuned\ to\ break\ leaves\ or\ snow\ instead.=Remove from large areas$(item) tall grass$(0) Like the process of harvesting large fields, it was extremely difficult to execute by hand.$(p) It just blows inside.$(Also) wild corner$(0) Will quickly remove nearby plants, leaving water droplets as if they were damaged by human hands.$(p) With some setting horns can be fitted to break leaves or snow. Block\ of\ Mana\ Quartz=Mana Quartz Block -The\ void\ is\ a\ massive\ space\ full\ of...\ nothing.\ Really.\ There's\ nothing\ there.\ But\ with\ a\ bit\ of\ ingenuity,\ this\ nothingness\ can\ be\ exploited\ to\ store\ blocks\ for\ you\ to\ your\ heart's\ content.$(p)The\ $(item)Black\ Hole\ Talisman$(0)\ utilizes\ powerful\ Gaia\ and\ Ender\ magics\ to\ store\ a\ virtually\ infinite\ quantity\ of\ a\ single\ type\ of\ block.=Absence is a giant space filled with...nothing. Actually. Not there. However, with a little ingenuity, it can&\#39;t take advantage of storing blocks for you for as long as you like.$(p) if$(Item) Black Hole Talisman$(0) Use powerful magic from Gaia and Ender to store an almost unlimited number of blocks of one type. White\ Cherry\ Sapling=White Cherry Sapling +The\ void\ is\ a\ massive\ space\ full\ of...\ nothing.\ Really.\ There's\ nothing\ there.\ But\ with\ a\ bit\ of\ ingenuity,\ this\ nothingness\ can\ be\ exploited\ to\ store\ blocks\ for\ you\ to\ your\ heart's\ content.$(p)The\ $(item)Black\ Hole\ Talisman$(0)\ utilizes\ powerful\ Gaia\ and\ Ender\ magics\ to\ store\ a\ virtually\ infinite\ quantity\ of\ a\ single\ type\ of\ block.=Absence is a giant space filled with...nothing. Actually. Not there. However, with a little ingenuity, it can&\#39;t take advantage of storing blocks for you for as long as you like.$(p) if$(Item) Black Hole Talisman$(0) Use powerful magic from Gaia and Ender to store an almost unlimited number of blocks of one type. Minecraft\ 1.8.9=Minecraft 1.8.9 No\ Wings=No wings Creating\ the\ plate=create a plate -Light\ Gray\ Flat\ Tent\ Top=Light Gray Flat Tent Top but\ it\ still\ tastes\ good\!=But it still tastes good\! +Light\ Gray\ Flat\ Tent\ Top=Light Gray Flat Tent Top Immortality=Immortality Palo\ Verde\ Sapling=Palo Verde Sapling Dacite\ Pillar=Dacite Pillar Creative\ Capacitor=Creative Capacitor -Advanced\ Computer=Advanced Computer Spruce\ Kitchen\ Cupboard=Spruce Kitchen Cupboard +Advanced\ Computer=Advanced Computer Gemini=Gemini Look\ at\ a\ parrot\ through\ a\ spyglass=But for some, it can be part of a spy glass. RandomPatches\ configuration=RandomPatches settings @@ -140,8 +140,8 @@ Encased\ Planks=Laminated wooden board Eerie\ noise=Terrible noise Nuclear\ Item\ Hatch=Incubation of a nuclear object Bulbis\ Step=per lightbulb -Bulbis\ Stem=Bulbis stem It\ has\ an\ acquired\ taste=It has an acquired flavor +Bulbis\ Stem=Bulbis stem Bottom\ right=Bottom right corner 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 @@ -160,13 +160,13 @@ Toggled\ Engine\ %s=Toggled Engine %s Enchanted\ Forest\ Hills=Enchanted Forest Hills Fir\ Kitchen\ Cupboard=Fir Kitchen Cupboard Chicken\ and\ Dumplings=Chicken and Dumplings -Air=Air Small\ Ball=Small Ball +Air=Air Make\ a\ generating\ flower\ in\ a\ Petal\ Apothecary=flower arrangements at the pharmacy Pearl\ Trigger\ Bomb=Pearl trigger bomb Default\ Biome\ Icon=Basic organism icon -Magenta\ Insulated\ Wire=Magenta Insulated Wire Nice\ Lambo=Beautiful rambo +Magenta\ Insulated\ Wire=Magenta Insulated Wire Blue\ Glazed\ Terracotta\ Ghost\ Block=Blue Glazed Terracotta Ghost Block Cracked\ Red\ Rock\ Brick\ Wall=Cracked Red Rock Brick Wall Fluix\ ME\ Covered\ Cable=Fluix ME Covered Cable @@ -176,17 +176,17 @@ Your\ account\ is\ temporarily\ suspended\ and\ will\ be\ reactivated\ in\ %s.=Y Steel\ Boots=Steel Boots Singularity=Singularity Show\ Recipe\:=Show Recipe\: -Iron\ Fence=Iron Fence Splits\ products\ into\ their\ byproducts\ through\ electrolysis=Splits products into their byproducts through electrolysis -Craft\ a\ Poltergeist\ block=Create an evil spirit block +Iron\ Fence=Iron Fence Download\ Sodium=Lower sodium +Craft\ a\ Poltergeist\ block=Create an evil spirit block Lichen=Crotal Tilting\ the\ umbrella\ too\ much=tilt the umbrella Access\ Locked=Access prohibited Witch\ Hazel\ Step=Witch Hazel scene Birch\ Boat=Birch Ship -Beacon\ power\ selected=Beacon energy is chosen Small\ Stone\ Golem\ Spawn\ Weight=Gravel golem generates weight +Beacon\ power\ selected=Beacon energy is chosen Obtaining\ Copper=Obtaining Copper Turns\ into\:=Back to\: Added\ %s\ members\ to\ team\ %s=Added %s members of the team %s @@ -203,8 +203,8 @@ All=All Import\ Modded\ Items\ into\ RS's\ Chests=Add modified items to the RS kitchen Green\ Tulip=Green Tulip Redstone\ Torch=Flare -Alt=Alt Plain\ (Underscored)=Simple (underlined) +Alt=Alt The\ maximum\ client\ custom\ payload\ packet\ size.=Maximum customer custom payload package. Ring\ of\ Slowness\ Resistance=Ring of Slowness Resistance Green\ Terminite\ Bulb\ Lantern=Green Lantern Balloon @@ -220,14 +220,14 @@ Floating\ Pollidisiac=Floating pollidisiac Coffee\ Crop=Coffee harvest Hide\ Trapped\ Chest=Hide the box chest Seasonal\ Deciduous\ Forest\ Hills=Seasonal Deciduous Forest Hills -Bulb\ Vine=Vine light bulb Iron\ Ring=Iron ring +Bulb\ Vine=Vine light bulb Pine\ Snag\ Wood=Alas pine Purpur\ Step=Purpur Step Piercing=Piercing -Closing\ the\ realm...=Closer to the ground... -Great\ Fairy\ Ring=fairy ring Infinite\ storage\ of\ a\ block\ in\ a\ single\ slot=Unlimited block storage in one slot +Great\ Fairy\ Ring=fairy ring +Closing\ the\ realm...=Closer to the ground... Set\ to\ Color\ to\ use\ the\ Border\ and\ Background\ Color.=Set to Color to use the Border and Background Color. Any=Something Blue\ Per\ Fess=Blue, Gold @@ -243,9 +243,9 @@ Necklace=Necklace Infusing\ $(item)String$(0)=Injections$(item) String$(0) Polished\ Nether\ Bricks=Nether Brick polished off Tall\ Purple\ Allium=Tall Purple Allium -Diamond\ Spikes=Diamond Spikes -Bulb\ Moss=Foam light bulbs Nothing\ changed.\ That\ team\ is\ already\ empty=And nothing has changed. In this command, it is empty +Bulb\ Moss=Foam light bulbs +Diamond\ Spikes=Diamond Spikes Diamond\ Smith\ Hammer=Diamond Smithy Hammer Gray\ Fluid\ Pipe=gray liquid tube Green\ Concrete\ Pillar=Green concrete pillar @@ -256,8 +256,8 @@ At\ least\ 1\ must\ be\ in\ inventory=At least 1 must be in inventory Crafting\ the\ detector=Structure of the detector The\ House=lodging Red\ Fungus\ Spawn\ Egg=Egg that evokes a red mushroom -Cooldown\ repeat=Cooldown repeat Abundance\ Charm=good-natured +Cooldown\ repeat=Cooldown repeat Oak\ Post=Oak Post %s\ planks\ left=%s planks left Killed\ %s\ entities=Dead %s equipment @@ -273,10 +273,10 @@ A\ Lonely\ Farm=Lonely farm Block\ of\ Battery\ Alloy=Aluminum battery block Sakura\ Slab=Sakura board Calcium\ Carbonate=Calcium Carbonate -Energy\ Crystal=Energy Crystal -Ghost\ moans=Moans Phantom -Max\ Health=The Maximum Health There\ is\ an\ issue\ with\ the\ resource\ pack\ configs.\ Please\ take\ a\ look\ at\ the\ game\ log=There is a problem with the resource bundle configuration. See the game magazine. +Max\ Health=The Maximum Health +Ghost\ moans=Moans Phantom +Energy\ Crystal=Energy Crystal Mossy\ Glowshroom\ Planks=Wood moss board Glyph\ fails=Glyph fails Add\ End\ Ruined\ Portal\ to\ Modded\ Biomes=I reached the end, to add to the end of the desperate modified biomes @@ -286,40 +286,40 @@ Missing\ profile\ public\ key.\nThis\ server\ requires\ secure\ profiles.=No pub When\ on\ Body\:=When on Body\: Scorched\ Tendrils=Tendril burnt Group=club -Hoglin\ steps=Hogl I act -Stripped\ Tenanea\ Bark=Tenanea Peeled Bark The\ various\ flavors\ of\ $(item)Metamorphic\ Stone$(0)=Various flavors$(object) Metamorphic Stone$(0) +Stripped\ Tenanea\ Bark=Tenanea Peeled Bark +Hoglin\ steps=Hogl I act Rough\ Sandstone\ Stairs=Rough Sandstone Stairs -Loaded\ template\ "%s"\ at\ %s,\ %s,\ %s=Default template \u00BB%s"the %s, %sAnd there %s Soul\ Sandstone=Soul Sandstone +Loaded\ template\ "%s"\ at\ %s,\ %s,\ %s=Default template \u00BB%s"the %s, %sAnd there %s Vanilla=Vanilla -Potion\ of\ Healing=Potion Of Healing Pump\ Out=pump +Potion\ of\ Healing=Potion Of Healing Polished\ Diorite\ Post=Polished Diorite Post Get\ a\ MK1\ Circuit=Get a MK1 Circuit Ethereal\ Forest=Pure forest Gravelly\ River=Gravel river Pink\ Backpack=pink backpack Mahogany\ Leaves=Mahogany Leaves -Low\ Hunger=Low Hunger -Smooth\ Bluestone=Smooth Bluestone Thallasium\ Sword=thallium sword +Smooth\ Bluestone=Smooth Bluestone +Low\ Hunger=Low Hunger Bee\ Nest=Kosher For Pcheli Orange\ Netherite\ Shulker\ Box=Shulker Orange Netherite Box Orchard\ Sapling=Orchard Sapling Ash=ash Block\ of\ Aluminium=Block of Aluminium -Beef\ Wellington=Wellington Beef Light\ Blue\ ME\ Covered\ Cable=Light Blue ME Covered Cable +Beef\ Wellington=Wellington Beef Deal\ fire\ damage=Damage from the fire. Peridot\ Boots=Peridot Boots Cupronickel\ Tiny\ Dust=Very small cupro-nickel powder. -Slay\ a\ Gaia\ Guardian\ without\ wearing\ any\ armor\ at\ any\ point\ during\ the\ fight=Defeat the Unarmored Guardians of Gaia at any time during the fight. -This\ teleporter\ doesn't\ have\ an\ Ender\ Shard\!=This teleporter doesn't have an Ender Shard\! Yellow\ Concrete\ Pillar=Yellow concrete +This\ teleporter\ doesn't\ have\ an\ Ender\ Shard\!=This teleporter doesn't have an Ender Shard\! +Slay\ a\ Gaia\ Guardian\ without\ wearing\ any\ armor\ at\ any\ point\ during\ the\ fight=Defeat the Unarmored Guardians of Gaia at any time during the fight. Orange\ Chief\ Sinister\ Canton=The Main Orange, The Bad, The Canton Of -Hemlock\ Platform=Hemlock Platform 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 Conjuring\ Configuration=Call configuration Turtle\ hurts=The turtle hurts Grove=Grove @@ -335,13 +335,13 @@ A\ simple\ Mod\ that\ allows\ you\ to\ wear\ Villagers'\ Hats\ as\ Trinkets.=A s Grassland\ Plateau=Grassland Plateau Rename\ Lift=Rename the elevator Yellow\ Netherite\ Shulker\ Box=Nether light shulker yellow box -Exit\ Minecraft=Stop $(thing)Mana$(0)\ is\ an\ extremely\ mercurial\ substance;\ even\ now\ its\ complete\ properties\ and\ abilities\ are\ unknown.$(p)However,\ what\ $(o)is$()\ known\ is\ that\ an\ $(item)Alchemy\ Catalyst$(0),\ created\ with\ a\ variety\ of\ otherworldly\ materials,\ can\ be\ attached\ to\ the\ bottom\ of\ a\ $(l\:mana/pool)$(item)Mana\ Pool$(0)$(/l),\ allowing\ the\ latter\ to\ perform\ $(thing)Alchemy$(0).=$(Yes) Power$(0) Mercury too. Even now, not all functions are known.$(p) However, what$(Door) is$() Is known to be$(article) alchemical catalyst$(0), made of a variety of alien materials, located at the bottom of a. to attach$(l\: where/pool)$(Article) Mana Pool$(0)$(/ l) Leave after execution.$(something) alchemy$(0). +Exit\ Minecraft=Stop No\ targets\ accepted\ item\ into\ slot\ %s=There is no goal of accepting objects at a reception %s Upload\ world=Download the world \u00A7cC\u00A7eo\u00A7al\u00A79o\u00A76\u00A7dr\u00A71s=\u00A7cC\u00A7eo\u00A7al\u00A79o\u00A76\u00A7dr\u00A71s -Crude\ Horizontal\ Planks=Rough horizontal board Willow\ Fence=Willow Fence +Crude\ Horizontal\ Planks=Rough horizontal board If\ you\ set\ this\ too\ low\ the\ mineshafts\ will\ get\ burned\ by\ lava\!=If it were too little, the mine would be burned by lava\! Magenta\ Pale=Dark Red And Light Umbral\ Step=Shading steps @@ -358,28 +358,28 @@ Extended\ Stick=Extension stick This\ ritual\ core\ already\ has\ 4\ pedestals\ linked\ to\ it=Four pillars connected to the essence of this concert Play\ When\ World\ Loaded=Play When World Loaded Sulfuric\ Heavy\ Fuel=Sulfur oil -No\ Icons=No icon Raw\ Rubber\ Bucket=Raw garbage -Cladded\ Chestplate=Covered breastplate -Low\ Level\ Sun\ And\ Block=Low Level Sun And Block +No\ Icons=No icon Stripped\ Dragon\ Tree\ Bark=Peeled dragon bark +Low\ Level\ Sun\ And\ Block=Low Level Sun And Block +Cladded\ Chestplate=Covered breastplate 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 -Incenses=Wangi Sky\ Colors=The colors of the sky -Enchantability\:=Charm\: -Mana\ from\ Shulkers=Mana Shulker +Incenses=Wangi The\ $(item)Mana\ Flash$(0)\ present\ in\ the\ starting\ area\ will\ allow\ a\ player\ without\ a\ $(l\:basics/lexicon)$(item)Lexica\ Botania$(0)$(/l)\ to\ exchange\ a\ $(item)Sapling$(0)\ for\ one,\ by\ right-clicking\ the\ $(item)Sapling$(0)\ on\ the\ $(item)Mana\ Flash$(0).=An$(Objects) Mana Flash$(0) without downloading from boot area$(l\: basic / pre)$(Article) Lexica Botania$(0)$(/ l) to exchange a$(Item) check$(0) For one of them, right click on the file$(Object) plants$(0)$(Item) Mana Burst$(0\uFF09\u3002 +Mana\ from\ Shulkers=Mana Shulker +Enchantability\:=Charm\: Floating\ Rosa\ Arcana=The rose&\#39;s floating rope AE2\ Wireless\ Terminals=AE2 . radio terminal Blue\ Lumen\ Paint\ Ball=Blue Lumen Paint Ball Showing\ new\ subtitle\ for\ %s\ players=Show new subtitles to %s players Axe=Axe Jade\ Cave=Ngok Cave -Cobblestone\ Brick=Cobblestone Brick -Burns\ hydrogen,\ methane\ or\ other\ gases\ to\ generate\ energy=Burns hydrogen, methane or other gases to generate energy -Lettuce\ Seeds=Lettuce Seeds White\ Concrete\ Glass=White Concrete Glass +Lettuce\ Seeds=Lettuce Seeds +Burns\ hydrogen,\ methane\ or\ other\ gases\ to\ generate\ energy=Burns hydrogen, methane or other gases to generate energy +Cobblestone\ Brick=Cobblestone Brick No\ such\ keybind\:\ %s=No such keybind\: %s Cherry\ Stairs=Cherry Stairs Slowsilver\ Scythe=Scythe Slysilver @@ -396,17 +396,17 @@ Chicken\ and\ Noodles=Chicken and noodles Gold\ Nugget=Gold Grain Birch\ Village\ Spawnrate=Birch Village Spawnrate The\ $(item)Mana\ Spreader$(0),\ as\ seen\ with\ a\ $(l\:basics/wand)$(item)Wand\ of\ the\ Forest$(0)$(/l)\ held=LOW$(Type) Mana Spreader$(0), as shown in$(l\: Basic / Wand)$(Object) Wand of Forest$(0)$(/ l) escape -Andesite\ Pedestal=Andesite socket Jacaranda\ Boat=Jacaranda Boat +Andesite\ Pedestal=Andesite socket Components=Components Yellow\ Terracotta\ Ghost\ Block=Yellow Terracotta Ghost Block Add\ Crimson\ Outpost\ to\ Modded\ Biomes=Added Crimson Outpost to Modded Biomes. Beef\ Jerky=Beef jerky -Computer=Computer Villager=The villagers -Red\ Shulker\ Block=Red Shulker Block -Spider-Proof=Spider-Proof +Computer=Computer Villages=Village +Spider-Proof=Spider-Proof +Red\ Shulker\ Block=Red Shulker Block Crafting\ Tweaks=Process settings Tank\ size\ (Upgraded)=Tank size (improved) Light\ Blue\ Terminite\ Bulb\ Lantern=Terminite SYRUS bulb, light blue @@ -421,15 +421,15 @@ Settings\ Menu=Settings menu \u00A7aTrue=\u00A7aTrue When\ worn\ as\ ring\:=When worn as ring\: Lemon\ Chicken=Lemon chicken -Cursor\ Coordinates=Cursor Coordinates Scorched\ Bramble=The Holocaust Shrub +Cursor\ Coordinates=Cursor Coordinates Potted\ Red\ Autumnal\ Sapling=Autumn red seedling in a pot Empty\ Umbrella\ Tree\ Cluster=Set of empty umbrellas -Black\ Thallasium\ Bulb\ Lantern=Flashlight with black bulb Metite\ Hoe=Metite Hoe +Black\ Thallasium\ Bulb\ Lantern=Flashlight with black bulb Hellhound\ dies=He died because of the hell dogs -Enable\ /health=Unlock / Health Splash\ Potion\ of\ Rage=Potion sprinkled with anger +Enable\ /health=Unlock / Health Sythian\ Drawer=Sythian box \u00A76\u00A7lRebooting\ CraftPresence...=\u00A76\u00A7lRebooting CraftPresence... Vignette=Miniatures @@ -448,14 +448,14 @@ Magnet=Magnet Get\ a\ full\ Space\ Suit=Get a full Space Suit Crimson\ Village\ Average\ Spacing=Elimination of Vila Crimesim Masonry=brick layer -Metamorphic\ Plains\ Stone\ Stairs=Stone stairs in the transformed plains Type=Type +Metamorphic\ Plains\ Stone\ Stairs=Stone stairs in the transformed plains Potted\ Cyan\ Mushroom=Potted Cyan Mushroom Scaffolding=The scaffold Start\ Playing=start the game group\ items=group items -Embur\ Gel\ Block=Embur Gel Block Glowing\ Pillar\ Seed=Flash bead +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 @@ -468,39 +468,39 @@ Benevolent\ Goddess'\ Charm=Charm of the goddess of mercy Go\ look\ for\ a\ Stronghold\!=Go look for a Stronghold\! Enchanter=Three wise men from the East Customize\ World\ Settings=Edit World Settings -%s\ does\ not\ have\ this\ contract\ to\ remove=%sI have not created this contract. Chrome\ Nugget=Chrome Nugget +%s\ does\ not\ have\ this\ contract\ to\ remove=%sI have not created this contract. Enchanted=Enamored Redwood\ Wood=Redwood Wood A\ smoked/campfired-cooked\ version\ of\ pork\ cuts,\ which\ restores\ more\ hunger\ thank\ cooked\ pork\ cuts.=Grilled pork chops smoked/cooked on a campfire can help restore hunger. 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$(). Smooth\ Rose\ Quartz\ Slab=The village was smooth rose board -Hot\ Pink\ Petal\ Block=Hot pink green horseshoe New\ Recipes\ Unlocked\!=Unlock New Recipes\! +Hot\ Pink\ Petal\ Block=Hot pink green horseshoe 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 -Agender\ Pride\ Backpack=Pride Agender Backpack Requires\ restart=Requires restart +Agender\ Pride\ Backpack=Pride Agender Backpack Override\ Surface\ Detection=Override Surface Detection Skeleton\ converts\ to\ Stray=He suggested to become a mistake Allay\ seeks=Alai is watching 12\ sec=12 sec Durability\:=Reliability\: Max\ WP\ Render\ Dist.=Remove the maximum wettable powder -Rose\ Quartz=Quartz flower Upgrade\ Material\ for\ the\ Netherite\ Armor=Netherite armor upgrade material +Rose\ Quartz=Quartz flower %s\ unlocked\ [[quest||quests]]=%s unlocked [[quest||quests]] Green\ Topped\ Tent\ Pole=Green Topped Tent Pole Blackberry=ruby Withered\ Necromancer\ Spawn\ Egg=Necromancer Rayu Summon Egg Blue\ Christmas\ Lights=Blue christmas lights -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 +13x13\ (Showoff)=13-Xray-13 (GOOSE) Show\ Power\ Level=Display power level -Palm\ Drawer=Palm drawers +Lava\ Lake\ Rarity=The Lakes Of Lava Rock, Rare Purpur\ Rat\ Pouch=Purpur mouse bag +Palm\ Drawer=Palm drawers \ %s\ Harvest\ Level=\ %sLevel of culture 5x\ Compressed\ Cobblestone=5x Compressed Cobblestone Black\ Gradient=The Curve In Black @@ -511,13 +511,13 @@ Pulverizer\ Factory\ MK4=Crusher Factory MK4 Eyepatch=Eye mask Standard\ Boosters=Standard Boosters Portable\ Crafting=Same usability -Add\ Warped\ Outpost\ to\ Modded\ Biomes=To add a station to the rays and get confused, a modified biome Zoom\ Overlay=Zoom Overlay -Ace1234\ the\ Witch=Ace1234 witch -Bag=Bag +Add\ Warped\ Outpost\ to\ Modded\ Biomes=To add a station to the rays and get confused, a modified biome Gold\ Item\ Pipe=Gold object tube -Chain\ Command\ Block=The Chain-Of-Command Within The Group +Bag=Bag +Ace1234\ the\ Witch=Ace1234 witch Dungeons\ Mod\ Config=Prison set up police. +Chain\ Command\ Block=The Chain-Of-Command Within The Group Iron\ Button=Iron Button They\ don't\ make\ you\ bigger=doesn&\#39;t make you bigger Rainbow\ Brick\ Column=Rainbow brick pillar @@ -563,8 +563,8 @@ Iridium\ Crushed\ Dust=crushed iridium Red\ Lawn\ Chair=Red Lawn Chair Dark\ Oak\ Stairs=The Dark Oak Wood Stairs Purple\ Concrete=Specific -Times\ Mined=A Time To Build \u00A75A\ carriage\ that\ can\ be\ dragged\ behind\ a\ donkey\ or\ horse.=\u00A75a vehicle that can be towed on the back of a donkey or horse. +Times\ Mined=A Time To Build Spreader\ fwooshes=wave Flamingo\!=Flamingo\! Assembling\ Machine=Assembling Machine @@ -579,14 +579,14 @@ Hellish\ Bauble=Coast of roses rotating on a map C-Rank\ Materia=Class C substances Lead\ Crook=Lead Crook There\ are\ no\ tags\ on\ the\ %s\ entities=Not on the label\: %s organizations -Heavy=Great Umbrella\ Tree\ Composter=Umbrella tree compiler +Heavy=Great Lantern\ Woods=Wooden lantern Craft\ an\ Electric\ Smelter=Craft an Electric Smelter Red\ Beveled\ Glass=Red Beveled Glass Test\ Book\ 2=Test Book 2 -Crafting\ Pattern=Crafting Pattern Test\ Book\ 1=Test Book 1 +Crafting\ Pattern=Crafting Pattern Golden\ Chain=Golden Chain Space\ Slime=Space Slime Netherite\ Nugget=Netherite Nugget @@ -611,17 +611,17 @@ Volatility=Difference \u00A74The\ terrain\ is\ not\ proper\ to\ start\ a\ trial=\u00A74The terrain is not proper to start a trial Open\ scrap\ boxes\ automatically=Open scrap boxes automatically Break\ Fully=Absolutely Will Not Break -(De-)Activate=(Of) activation Village\ Oak\ Size=Village oak size +(De-)Activate=(Of) activation Begin\ your\ fishing\ journey\ by\ obtaining\ a\ Fishing\ Rod.=Start your journey by picking up your fishing hook. Item\ Selection=Select The Item Silver\ Axe=Silver Axe Stripped\ Skyris\ Wood=Stripped Skyris Wood Netherite\ Elytra=Nezalite Eritra -Scoria\ Stone\ Bricks=Scoria Stone Bricks Wisteria\ Button=Wisteria button -Big=Big +Scoria\ Stone\ Bricks=Scoria Stone Bricks Moss\ Small\ Hedge=Small foam fence +Big=Big The\ path\ to\ the\ 32x32\ Minecraft\ window\ icon\ relative\ to\ the\ Minecraft\ instance\ directory.=The path to the 32x32 Minecraft window icon is related to the list of Minecraft opportunities. Snail\ hurts=sick snail Bit=He bites @@ -634,8 +634,8 @@ Sky\ Stone\ Block\ Wall=Sky Stone Wall Block Light\ Gray\ Saltire=The Grey Light In Decus Tall\ Mystical\ Brown\ Flower=mysterious brown flower Jungle\ Moss=Forest moss -%s\ will\ now\ respawn\ on\ death=%s will now respawn on death Shall\ we\ pray\ for\ a\ miracle?=Are we praying for a miracle? +%s\ will\ now\ respawn\ on\ death=%s will now respawn on death Mahogany\ Coffee\ Table=Mahogany coffee table Maximum\ Y\ level\ distance\ for\ entities\ until\ they\ are\ no\ longer\ displayed.=Maximum Y level distance for entities until they are no longer displayed. Dark\ Amaranth\ Forests\ weight=Weight of dark marigold wood @@ -647,17 +647,17 @@ A\ rod\ for\ creating\ dirt=A stick to make dirt Tin\ Block=Tin Block Translater=Translator Nightmare\ whinnies=Moaning nightmare -Black\ Glider=Black Glider Green\ Candy\ Cane\ Block=green lollipop block cane -Trail=Course +Black\ Glider=Black Glider at\ least\ %s=at least %s +Trail=Course Ether\ Post=Ethere mail Charred\ Brick\ Slab=Charred Brick Slab Ancient\ Oak\ Stairs=Old oak stairs Jungle\ Vine=Wild grapevines Light\ Gray\ Tree=light gray wood -*Whirring*=* * Rainbow\ Eucalyptus\ Leaves=Rainbow Eucalyptus Leaves +*Whirring*=* * Ornate\ Layer=luxury category Something\ went\ wrong\!\ Please\ go\ back\ and\ try\ again.=no problem\! Go back and try again. Reset\ Time\ on\ Init=Reset period Init @@ -679,8 +679,8 @@ Yellow\ Sofa=Yellow Sofa 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. Add\ End\ Outpost\ to\ Modded\ Biomes=Added final outpost to modified biome Terrasteel\ Leggings=Leggings made of porch steel -Aeternium\ Machete=Aeternium scythe There\ are\ no\ data\ packs\ enabled=Active data packages +Aeternium\ Machete=Aeternium scythe Aluminum\ Double\ Ingot=Aluminum double ingot \u00A7cOverflow=\u00A7cOverflow O-oooooooooo\ AAAAE-A-A-I-A-U-JO-oooooooooooo\ AAE-O-A-A-U-U-A-E-eee-ee-eee\ AAAAE-A-E-I-E-A-JO-ooo-oo-oo-oo\ EEEEO-A-AAA-AAAA\ O-oooooooooo\ AAAAE-A-A-I-A-U-JO-oooooooooooo\ AAE-O-A-A-U-U-A-E-eee-ee-eee\ AAAAE-A-E-I-E-A-JO-ooo-oo-oo-oo\ EEEEO-A-AAA-AAAA\ O-oooooooooo\ AAAAE-A-A-I-A-U-JO-oooooooooooo\ AAE-O-A-A-U-U-A-E-eee-ee-eee\ AAAAE-A-E-I-E-A-JO-ooo-oo-oo-oo\ EEEEO-A-AAA-AAAA=Oh oh oh oh oh oh oh oh oh oh oh oh oh oh oh oh oh oh oh oh oh oh oh oh oh oh oh oh oh oh oh oh oh oh oh oh oh oh oh oh oh oh oh oh oh oh oh oh Oh oh oh oh oh oh oh oh-oo EEEEO-A-AAA-AAAA O-oooooooo AAAAE-AAIAU-JO-oooooooooooo AAE-OAAUUAE-eee-ee-eee -JO-oooo-oo-oo-oo EEEEOA-AAA @@ -689,19 +689,19 @@ Dark\ Oak\ Ender\ Chest\ Boat=Under the dark oak chest 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 +Banner\ Pattern=Predlo\u017Eak Banner Electric\ Quarry=Electric quarry Acacia\ Crate=Acacia Crate Fireman\ Steve=Fireman Steve Light\ Gray\ Base\ Gradient=A Light Gray Gradient Base Santaweave\ Robe\ Top=Santa Fe tunic top Aspect\ Gem=Aspect Pearl -Bog=Bog -Orange\ Mystical\ Flower=The mysterious orange flower Purple\ Beveled\ Glass=Purple Beveled Glass -Copper=Copper +Orange\ Mystical\ Flower=The mysterious orange flower +Bog=Bog Splash\ Potion\ of\ the\ Turtle\ Master=Splash Drink Turtle Master +Copper=Copper Vanilla\ Cave\ Minimum\ Altitude=Vanilla Cave Minimum Altitude Invite\ player=We invite all the users of the 7x\ Compressed\ Sand=7x Compressed Sand @@ -721,8 +721,8 @@ Advanced\ Circuit=Advanced Circuit Nether\ Warped\ Temple\ Average\ Spacing=Yomibid temple, medium size Magic\ Missile\ Spell\ Book=Free magic missile Pink\ Fluid\ Pipe=liquid pink tube -Show\ Item\ Icon=Show object symbol Zombie\ Villager\ snuffles=Zombie-Resident, snork +Show\ Item\ Icon=Show object symbol Cave\ Maps=Cave Maps Basic\ Drill=Basic Drill Rails\ and\ Carriages\ and\ Ladders,\ Oh\ My\!=Railings, carts and stairs, my God\! @@ -732,8 +732,8 @@ Beetroot\ Crate=Beetroot Crate Extra\ Creative\ Items=Extra Creative Items Spawn\ Egg\ Icon=Egg egg icon Gather\ a\ Blighted\ Balsa\ Sapling=Balsa wood chooses the predator -Enchant\ Color=Mantra color Name\ Tag=Naziv Sign +Enchant\ Color=Mantra color Small\ Pile\ of\ Uvarovite\ Dust=Small Pile of Uvarovite Dust Turtle\ Shell=The Shell Of The Turtle Jungle\ Slime\ Spawn\ Egg=Wild Slime Spawn Egg @@ -755,14 +755,14 @@ Mystical\ Purple\ Petal=mysterious purple petals Imminent\ harm\ -\ Threat\ to\ harm\ others=Threats - Threatening to harm others Gray\ Concrete\ Bricks=Brick gray brick Give\ Feedback=Leave A Review -Lime\ Terracotta\ Brick\ Slab=Terracotta limestone building Steel\ Item\ Input\ Hatch=Steel entrance hatch +Lime\ Terracotta\ Brick\ Slab=Terracotta limestone building Horizontal\ Layer=Horizontal layer Horn\ Coral\ Wall\ Fan=Coral Horns On The Wall, Fan %s\ frame(s)=%sPhoto container Many,\ many\ $(item)Cosmetic\ Trinkets$(0)\ are\ available\ to\ change\ the\ looks\ of\ (or\ just\ add\ style\ to)\ any\ $(thing)Trinkets$(0)\ a\ player\ has\ equipped.\ These\ can\ be\ worn\ by\ themselves\ as\ $(thing)Amulets$(0),\ but\ can\ also\ craft\ with\ another\ $(thing)Trinket$(0);\ in\ that\ case,\ the\ latter\ $(thing)Trinket$(0)\ will\ function\ as\ usual,\ but\ take\ on\ the\ appearance\ of\ the\ $(item)Cosmetic\ Trinket$(0).\ $(thing)Cosmetic\ Overrides$(0)\ can\ be\ removed\ by\ putting\ the\ overridden\ $(thing)Trinket$(0)\ back\ in\ the\ grid.=very much$(article) cosmetic accessories$(0) It is possible to change the look (or just add style) for someone$(object) decoration$(0) a player is equipped. These can be used alone as a$(What) amulet$(0), but you can also create with another$(Clothes) crochet$(0); in this case the latter$(property) jewelry$(0) Function normally. But having that look$(item) cosmetic jewelry$(0).$(Things) decoration is covered$(0) Can be replaced$(property) jewelry$(0) Return to the table. -Metamorphic\ Forest\ Stone\ Brick\ Slab=A spoiled Waldstein board Slime\ dies=Mucus mor +Metamorphic\ Forest\ Stone\ Brick\ Slab=A spoiled Waldstein board Buried\ White\ Petal=White horseshoe buried Entities\ on\ team=Operators in the team Block\ Animations=cartoon blog @@ -780,18 +780,18 @@ Shaman\ Spawn\ Weight=Shaman\u2019s spawn weight Netherite\ Mattock=Netherite Mattock Show\ current,\ max,\ average\ and\ min\ FPS\ on\ top\ left\ corner=Shows the highest, medium and lowest current FPS in the upper left corner. Stone\ Torch=Stone Torch -Enable\ 1.8\ Stones=Activate popup 1.8 Witch\ Hazel\ Sapling=Sapling witch hazel +Enable\ 1.8\ Stones=Activate popup 1.8 Two-Faced\ Lovers=Two girl faces MidnightConfig\ Overview=MidnightConfig Get\ a\ Netherite\ Ingot=Find Bar Netherite -Breaking\ down\ $(item)Quartz\ Blocks$(0)=Collapse$(Article) quartz block$(0) Switching\ tools\ can\ be\ a\ pain,\ especially\ when\ you\ find\ yourself\ shoveling\ away\ at\ dirt\ with...\ an\ axe?\ The\ $(item)Ring\ of\ Correction$(0)\ is\ a\ great\ way\ to,\ well,\ correct\ those\ problems.$(p)With\ this\ ring\ equipped,\ the\ tool\ in\ hand\ will\ always\ be\ the\ right\ one\ for\ the\ block\ being\ broken,\ be\ it\ pick,\ axe,\ shovel,\ hoe,\ or\ shears.\ As\ long\ as\ you\ have\ the\ relevant\ $(thing)Mana$(0)-using\ tools\ on\ hand.=Replacing tools can be a hassle, especially if the ax is dirty. A$(Article) modify the circuit$(0) A good way to correct the problem.$(p) A handy tool when assembling this ring is always a suitable tool for broken pieces. Whether it&\#39;s a shovel, ax, pickaxe, pickaxe or scissors, just join in.$(Object) where$(0) -Use of hand tools. +Breaking\ down\ $(item)Quartz\ Blocks$(0)=Collapse$(Article) quartz block$(0) Vanilla\ hardcore\ mode\ is\ already\ enabled.\ Can't\ enable\ Hardcore\ Mode.=Vanilla hardcore mode is already enabled. Can't enable Hardcore Mode. Bronze\ Cutting\ Machine=Cutting torque -For\ some\ reason,\ poison\ does\ not\ kill.\ The\ $(item)Hyacidus$(0)\ conjures\ it\ within\ the\ bodies\ of\ nearby\ mobs,\ bringing\ them\ to\ their\ knees\ (after\ a\ wait)\ for\ a\ one-hit\ kill.=But the poison of these does not kill. this$(article) Hyacides$(0) He was brought to the corpse of a nearby mob and made him kneel (after waiting) to kill him. -Small\ Soul\ Sandstone\ Brick\ Wall=Small spirit sandstone wall [GOML]=[GOML] +Small\ Soul\ Sandstone\ Brick\ Wall=Small spirit sandstone wall +For\ some\ reason,\ poison\ does\ not\ kill.\ The\ $(item)Hyacidus$(0)\ conjures\ it\ within\ the\ bodies\ of\ nearby\ mobs,\ bringing\ them\ to\ their\ knees\ (after\ a\ wait)\ for\ a\ one-hit\ kill.=But the poison of these does not kill. this$(article) Hyacides$(0) He was brought to the corpse of a nearby mob and made him kneel (after waiting) to kill him. Settings\ for\ Other\ Players=The Settings For Other Players Things\ change,\ don't\ panic.\ If\ something\ seems\ off,\ read\ the\ entry\ again.=Things change, don&\#39;t worry if something is wrong. reread the list over and over again Silver\ Curved\ Plate=Curved silver plate @@ -805,11 +805,11 @@ Warp=warp Sapphire\ Hoe=Sapphire Hoe Controls\ the\ quality\ of\ rain\ and\ snow\ effects.=It controls the quality of the effects of rain and snow. The\ target\ block\ is\ not\ a\ container=The purpose of the block is not a container -Electric\ Furnace\ Factory=Electric furnace factory -Thallasium\ Shovel\ Head=Shovel head piece Wart=Warts -Isn't\ It\ Iron\ Pick=This Iron-Press +Thallasium\ Shovel\ Head=Shovel head piece +Electric\ Furnace\ Factory=Electric furnace factory Purple\ Slime=purple slime +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 Warm=hot Amethyst\ Golem\ Geode\ Spawn\ Chance=Amethyst Golem Geodes create possibilities @@ -824,8 +824,8 @@ Negotiating...=To bargain... Pink\ Orchid=Pink Orchid Ghast\ Tear=Problems Tear Rose\ Gold=Rose Gold -Cherry\ Oak\ Fence\ Gate=Cherry Oak Fence Gate Refill\ the\ off\ hand=Close the top of the rest of your hand. +Cherry\ Oak\ Fence\ Gate=Cherry Oak Fence Gate Limestone\ Slab=Limestone Slab Change\ Task=Change TaskChange 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. All\ players=Each player @@ -834,8 +834,8 @@ Asteroid\ Stone\ Stairs=Asteroid Stone Stairs Magic,\ Tech.\ Naturally.$(br2)Botania\ is\ a\ tech\ mod\ themed\ around\ natural\ magic.\ The\ main\ concept\ is\ to\ create\ magical\ flowers\ and\ devices\ utilizing\ the\ power\ of\ the\ earth,\ in\ the\ form\ of\ $(thing)Mana$().=Magic Technology Lam Rae.$(br2) Botany is a tech mod focused on natural wonders. The main concept is to make flowers and magical devices using the power of the earth, in the form of$(stuff) man$(). Granted\ the\ advancement\ %s\ to\ %s=Despite the success %s a %s Electrum\ Gear=Electrum Gear -My\ lips\ are\ sealed=My lips are sealed Embur\ Bookshelf=Ember shelf +My\ lips\ are\ sealed=My lips are sealed Rubber\ Chair=Rubber Chair Options=Options Quest\ Option=Quest Option @@ -854,8 +854,8 @@ Reed\ Thatch\ Carpet=Reed straw mat Lets\ you\ triple\ jump=Three jumps are allowed. Minecraft\ Server=Minecraft ServerMinecraft will soon require a 64-bit system, which will prevent you from playing or using Realms on this device. You will need to manually cancel any Realms subscription.\=You will not be able to play or use Realms on this device because Minecraft requires a 64-bit system. You must cancel all Realms subscriptions manually. Dev.ReplicatorCard=Dev.ReplicatorCard -Craft\ a\ stone\ torch.=Craft a stone torch. Quick\ Shulker=Quick Shulker +Craft\ a\ stone\ torch.=Craft a stone torch. Quartz\ Golem=Quartz golem No\ advancement\ was\ found\ by\ the\ name\ '%1$s'=No promotion with the name '%1$s" Ochre\ Froglight=Okra Froglight @@ -877,13 +877,13 @@ Spawn\ monsters=Spawn monsters Enabled,\ Invisible=Enabled, not visible Black\ Bordure\ Indented=Black Shelf With Indent Jukebox/Note\ Blocks=Machine/Block -Child=Child \u00A7cItem\ NBT\ is\ too\ long\ to\ be\ applied\ in\ multiplayer.=\u00A7cThe NBT entry is too long to run in multiplayer. -Blue\ Futurneo\ Block=Blue Futurneo Block +Child=Child Crafting\ the\ $(item)Elven\ Gateway\ Core$(0)=To do$(Item) main gateway assistant$(0) +Blue\ Futurneo\ Block=Blue Futurneo Block Lava=Lava -Copies\ data\ from\ a\ gadget/template\ to\ your\ computer's\ clipboard=Copy the data from the utility/template to the clipboard on the computer. 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$(). +Copies\ data\ from\ a\ gadget/template\ to\ your\ computer's\ clipboard=Copy the data from the utility/template to the clipboard on the computer. Rollable=Instagram Item\ P2P\ Tunnel=Item P2P Tunnel Sapphire\ Boots=Sapphire Boots @@ -904,9 +904,9 @@ Failed\ to\ check\ for\ updates,\ enable\ debug\ mode\ to\ see\ errors...=Failed Chat=The Conversation Heliumplasma=Heliumplasma Lime\ Paly=Cal, Pale -Argentite=Argentina -Lime\ Pale=Pale Lemon Witch-hazel\ Slab=Witch-hazel Slab +Lime\ Pale=Pale Lemon +Argentite=Argentina Storage\ Mutator=Storage Developer Asterite\ Scythe=Asterite Scythe Graphics=Schedule @@ -941,20 +941,20 @@ The\ $(item)Lexica\ Botania$(0)\ is\ the\ repository\ of\ all\ knowledge\ for\ a This\ will\ swap\ all\ waypoint\ data\ between\ the\ selected\ world/server\ and\ the\ auto\ one,\ thus\ simulate\ making\ the\ selected\ world/server\ automatic.\ Make\ sure\ you\ know\ what\ you\ are\ doing.=This will exchange all waypoint data between the selected world/server and the automatic server, thereby simulating the automatic creation of the selected world/server. Make sure you know what you are doing. Yellow\ Fish=Yellow fish Add\ Witch\ Huts\ Taiga\ To\ Modded\ Biomes=Turn Taiga, in the hut of the witch as a biome -Glow\ Chalk=Highlighter -Range\:\ %s=Range\: %s Took\ too\ long\ to\ log\ in=It took a long time to log in. +Range\:\ %s=Range\: %s +Glow\ Chalk=Highlighter Etherite\ Scythe=Etherite Scythe -Nickel\ Dust=Nickel Dust Strider\ retreats=Outside pension +Nickel\ Dust=Nickel Dust Light\ Gray\ Per\ Bend\ Sinister\ Inverted=Bend Sinister In The Early Light Gray This\ block\ is\ not\ a\ lift\!=This block is not an elevator\! Rod\ of\ the\ Shaded\ Mesa=Mesa shaded rod Arrow\ of\ Sugar\ Water=Arrow of Sugar Water Water\ Brick\ Wall=Water Brick Wall Cat=Cat -Cyan\ Stone\ Brick\ Stairs=blue stone stairs Spooky\ and\ Scary\ Pristine\ Matter=Spooky and Scary Pristine Matter +Cyan\ Stone\ Brick\ Stairs=blue stone stairs Red\ Meat=Red meat Sterling\ Silver\ Silverver\ Axe=Sterling Silver Silverver Axe Progress\ has\ been\ changed\!=Progress has changed\! @@ -964,12 +964,12 @@ Chef=chef Soul\ Alloy\ Shovel=Alloy core excavator Serial\ Port\ Module=Serial Port Module Water\ Silk=Water Silk -Titanium\ Crushed\ Dust=titanium powder WP\ Name\ Above\ Distance=WP Name Above Distance +Titanium\ Crushed\ Dust=titanium powder Green\ Color\ Module=Green Color Module A\ simple\ brew,\ mimicking\ a\ $(item)Potion\ of\ Regeneration$(0).\ When\ quaffed,\ it\ gives\ its\ drinker\ a\ $(thing)Regeneration\ I$(0)\ effect,\ albeit\ for\ longer\ than\ a\ Revitalization\ brew.=A simple drink that imitates A$(element) Renaissance filter$(0). After drinking, pass it to the drinker.$(things) rebuild me$(0), but outside of Brew Revival. -Dragon\ Egg\ Energy\ Siphon=Dragon Egg Energy Siphon Trapdoor\ closes=The door closed +Dragon\ Egg\ Energy\ Siphon=Dragon Egg Energy Siphon Quest\ Chest=Field of activity Fruit=result Attack\ Range=Attack Range @@ -990,11 +990,11 @@ Potted\ Huge\ Crimson\ Fungus=Potted Huge Crimson Fungus Any\ botanist\ worth\ their\ weight\ in\ flowers\ will\ eventually\ reach\ a\ point\ where\ a\ single\ $(l\:mana/pool)$(item)Mana\ Pool$(0)$(/l)\ can't\ hold\ all\ their\ $(thing)Mana$(0).$(p)The\ $(item)Mana\ Splitter$(0)\ can\ fix\ that\ issue;\ any\ $(thing)Mana$(0)\ received\ from\ $(thing)Mana\ Bursts$(0)\ will\ be\ split\ evenly\ into\ $(l\:mana/pool)$(item)Mana\ Pools$(0)$(/l)\ placed\ on\ adjacent\ sides.=Any botanist who deserves his weight in the field of flowers will eventually reach a point.$(l\: slogan / complete)$(item) Mana Pool$(0)$(/ l) Can&\#39;t catch all$(goods) heart$(0).$(Saucepan$(item) Which Distributor$(0) can solve this problem$(thing) inherit$(0) is taken from$(relaxing) motto$(0) will be split into$(l\: where / pool)$(art) mana pool$(0)$(/l) On the adjacent side. $(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 Weathered\ Cut\ Copper\ Slab=The car cut the brass wine bottles -Vertical\ Uneven\ Log=Uneven vertical magazine White\ Mushroom=White Mushroom +Vertical\ Uneven\ Log=Uneven vertical magazine To\ get\ started\ on\ mastering\ $(thing)Mana$(0),\ learn\ to\ use\ $(l\:generating_flowers/endoflame)$(item)Endoflames$(0)$(/l)\ or\ $(l\:generating_flowers/hydroangeas)$(item)Hydroangeas$(0)$(/l),\ $(l\:mana/spreader)$(item)Mana\ Spreaders$(0)$(/l),\ and\ $(l\:mana/pool)$(item)Mana\ Pools$(0)$(/l).$(p)These\ form\ a\ basic\ infrastructure\ for\ mana\ generation;\ have\ a\ read\ through\ the\ $(thing)Functional\ Flora$(0)\ and\ $(thing)Natural\ Apparatus$(0)\ sections\ of\ this\ Lexicon\ for\ more\ details.=start learning$(Rud) Mana$(0), learn how to use$(l\: gen_flower / endoflame)$(Item) Endoflame$(0)$(/ l) or$(l\: make_flowers / hydrangelas)$(Element) Hydrangea$(0)$(/ liter)$(l\: Where / Spreader)$(Species) Mana diffuser$(0)$(/Country$(l\: Mana/Pool)$(Item) Mana Pool$(0)$(/ L).$(p) This is the infrastructure to generate mana; read a book$(Hal) Functional flora$(0) and$(something) of course$(0) For details, please refer to the section of this dictionary. -Type\ 2\ Cave\ Surface\ Cutoff\ Depth=Type 2 Cave Surface Cutoff Depth Withering\ Oak\ Sapling=A withered oak sapling +Type\ 2\ Cave\ Surface\ Cutoff\ Depth=Type 2 Cave Surface Cutoff Depth Decrease\ Priority=lower priority Mangrove\ Step=Mangrove stairs Mesa\ Petal\ Apothecary=Petal Table Pharmacy @@ -1025,12 +1025,12 @@ Zigzagged\ Granite=Zigzagged Granite \u00A7aHatchet\ \u00A77-\ \u00A7rScope\ Exponent=\u00A7aax\u00A77- \u00A7rRange index Green\ Glazed\ Urn=green enamel vase Master\ Wand=lady&\#39;s wand -Arrow\ of\ Leaping=The arrows on the field -Weights=Weights Witch\ Hazel\ Trapdoor=Witch Hazel Trapdoor +Weights=Weights +Arrow\ of\ Leaping=The arrows on the field Ether\ Kitchen\ Cupboard=Ether kitchen furniture -Light\ Blue\ Per\ Bend=The Blue Light On The Smooth\ Basalt=smooth flint +Light\ Blue\ Per\ Bend=The Blue Light On The Green\ Roundel=Roheline Rondelle Conjuration\ Catalyst=Link catalyst Cherry\ door=Cherry door @@ -1048,16 +1048,16 @@ Increases\ speed\ at\ the\ cost\ of\ more\ energy\ used\ per\ tick=The use of ch /hqm\ version=/hqm version Cyan\ Neon=Cian Neon Brown\ Per\ Bend\ Inverted=Brown Make Up Look -Parrot\ hisses=Parrot hisses Purple\ Shingles=Purple Shingles +Parrot\ hisses=Parrot hisses Input\ message\ and\ press\ Enter\ to\ send=Type your message and press Enter to send Bouncy\ Dynamite=inflatable dynamite Vampire\ murmurs=The vampire purrs Alfhomancy=performance For\ some\ inexplicable\ reason,\ a\ piece\ of\ $(item)Manasteel$(0)\ attached\ to\ some\ $(item)Livingwood\ Twigs$(0)\ is\ a\ thing\ flowers\ $(o)pay\ attention\ to$().$(p)When\ used\ on\ a\ $(l\:mana/spreader)$(item)Mana\ Spreader$(0)$(/l)\ or\ $(l\:mana/pool)$(item)Mana\ Pool$(0)$(/l),\ this\ tool\ (dubbed\ the\ $(item)Floral\ Obedience\ Stick$(0))\ binds\ all\ nearby\ $(thing)Generating$(0)\ or\ $(thing)Functional$(0)\ flowers,\ respectively,\ to\ that\ block.$(p)A\ $(item)Dispenser$(0)\ can\ also\ use\ a\ $(item)Floral\ Obedience\ Stick$(0).=fragment for unknown reasons$(article) administrator$(0) Link$(Item) Living Tree Branch$(0) is a flower object$(F) Note$().$(p) when used in a$(l\: this/diffuser)$(object) Spargimana$(0)$(/ l) or$(l\: mana/pool)$(Type) Mother Pool$(0)$(/l), this tool (named$(Subject) obedience and flowers$(0)) tie everything close$(target shape)$(0) or$(Furniture) gift$(0) interest, respectively, in this block.$(p) A$(product) distributor$(0) can also be used$(Give up the stick flower$(0). Light\ Blue\ Fluid\ Pipe=Blue liquid tube -Endorium\ Axe=Endorium Axe Lying\ Wither\ Skeleton=Lantang skeleton +Endorium\ Axe=Endorium Axe Astronautics=Astronautics Super\ Circuit\ Maker=Super Circuit Maker Transfer\ Direction=Transfer Direction @@ -1070,27 +1070,27 @@ Basic\ Fisher=Basic Fisher Reach\ Module=Print form Glimmering\ White\ Flower=Bright white flowers Makes\ animals\ breed=Livestock -F1=F1 Marker=Pen -(Click\ again\ to\ clear)=(Click again to clear) +F1=F1 F2=F2 +(Click\ again\ to\ clear)=(Click again to clear) F3=F3 Craft\ an\ electric\ alloy\ smelter=Craft an electric alloy smelter Market=market F4=F-4. F5=F5 -Craft\ a\ Bronze\ Mixer=Make the bowl ugly -EU=I do -Emergency\ Items=Emergency items -F6=F6 -Maximum\ number\ of\ entities\ to\ return=Maximum number of people in order to bring them back Purple\ Shroomlight=Purple shroomlight -Blackstone\ Slab=The Blackstone Council +Maximum\ number\ of\ entities\ to\ return=Maximum number of people in order to bring them back +F6=F6 +Emergency\ Items=Emergency items +EU=I do +Craft\ a\ Bronze\ Mixer=Make the bowl ugly F7=F7 -F8=F8 +Blackstone\ Slab=The Blackstone Council Tenanea\ Bark=Turnana bark -F9=F9 +F8=F8 Leatherworker\ works=Leatherworker V Prac\u00EDch +F9=F9 Items\ will\ be\ auto-detected=Articles are recognized automatically Turtle\ dies=The turtle will die 4x\ Compressed\ Dirt=4x Compressed Dirt @@ -1098,13 +1098,13 @@ Small\ Phantom\ Purpur\ Brick\ Slab=Small Phantom Purpur brick slab Energy\ Change=Energy Change Shadow\ Grass=Shadow glass Good\ Luck=Good luck -Reveal\ ongoing\ impersonations\ to\ operators=Disclosure of personality to worker \u00A77\u00A7o"It\ will\ hurt.\ A\ lot."\u00A7r=\u00A77\u00A7o"It will hurt. A lot."\u00A7r +Reveal\ ongoing\ impersonations\ to\ operators=Disclosure of personality to worker Dump\ the\ latest\ results\ of\ computer\ tracking.=Dump the latest results of computer tracking. Crafting\ $(item)Gaia\ Pylons$(0)=craft$(Type) Gaya Tower$(0) All\ knowledge\ about\ $(item)Alfheim$(0)\ in\ this\ lexicon\ is,\ at\ this\ point,\ limited\ to\ what\ you\ find\ in\ this\ entry--\ it\ seems\ that\ Elven\ knowledge\ has\ been\ almost\ totally\ lost.$(p)Perhaps\ if\ $(thing)the\ Elves\ could\ have\ a\ look\ at\ this\ book$(0),\ they\ could\ provide\ further\ insight.=Everything about$(Article) Alfheim$(0) The vocabulary at this point is limited to what you will find in this entry - the knowledge of the elves seems almost completely gone.$(p) Maybe approx$(co) Elves can read this book.$(0) You can provide additional information. -Slowsilver\ Machete=Slow machete Spessartine\ Dust=Spessartine Dust +Slowsilver\ Machete=Slow machete Advanced\ Tank=Advanced Tank Pink\ Hoe=Rosa Hakka Mossy\ Cobblestone\ (Legacy)=Mossy Cobblestone (Legacy) @@ -1125,12 +1125,12 @@ Harder,\ better,\ faster,\ stronger=Stronger, better, faster and stronger Light\ Gray\ Shimmering\ Mushroom=Light gray glitter mushroom Phantom\ Purpur\ Slab=See vessels ought Stern \u2460\u2460\u2460\u2460=\u2460\u2460\u2460\u2460 -Iridium\ Reinforced\ Stone=Iridium Reinforced Stone \u2460\u2460\u2460\u2461=\u2460\u2460\u2460\u2461 +Iridium\ Reinforced\ Stone=Iridium Reinforced Stone Hidden=Skrivene Nether\ Stars\ Block=Nether Stars Block -Horizontal\ Favorites\ Boundaries\:=Favorite horizontal border\: ID=I. +Horizontal\ Favorites\ Boundaries\:=Favorite horizontal border\: 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 @@ -1140,8 +1140,8 @@ Werewolf\ hurts=Lara the werewolf Tools\ automatically\ pick\ up\ drops=The tool automatically captures a drop Manasteel\ Shovel=men&\#39;s steel shovel IV=B. -Maximum\ output\ (LF/tick)=Maximum output (LF/tick) Thallasium\ Stairs=Stairs to the corridor +Maximum\ output\ (LF/tick)=Maximum output (LF/tick) IX=THEIR Warped\ Small\ Hedge=A small and deformed fence "%s"\ to\ %s="%s" come %s @@ -1171,17 +1171,17 @@ Witch-hazel\ Leaves=Witch-hazel Leaves Entity\ %s\ has\ no\ attribute\ %s=The device %s this is not a panel %s Journeyman=A bachelor's degree in Cow=Makarov and -Envy=Injet Chicken\ hurts=When it hurts +Envy=Injet Univite\ Scythe=Univite Scythe -Leather\ Tunic=Tunics, Leather -The\ amount\ of\ damage\ snowballs\ should\ cause=a lot of damage from ice You\ have\ never\ been\ killed\ by\ %s=It has never been killed %s +The\ amount\ of\ damage\ snowballs\ should\ cause=a lot of damage from ice +Leather\ Tunic=Tunics, Leather Terrasteel\ Sword\ activates=Terrastahl-Sword activated Unlucky=For good luck Abbado Small\ Bluestone\ Bricks\ Stairs=Small blue stone stairs -Jellyshroom\ Stairs=Jelly Stairs Arrow\ of\ Dolphins\ Grace=dolphin arrow blessing +Jellyshroom\ Stairs=Jelly Stairs An\ objective\ already\ exists\ by\ that\ name=The object already exists, the name of the Blighted\ Balsa\ Post=broken balsa pins Magenta\ Table\ Lamp=Magenta Table Lamp @@ -1193,14 +1193,14 @@ Damage\ Dealt\ (Resisted)=The Damage (From Strength) 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. Wisteria\ Wood=wisteria wood The\ Overseeing\ Red\ Tower=The Overseeing Red Tower -End\ Lotus\ Sign=Finally a lotus sign Player=Games +End\ Lotus\ Sign=Finally a lotus sign (Placeholder\ landing\ text,\ define\ your\ own\ in\ your\ book\ json\ file\!)=(Placeholder landing text, define your own in your book json file\!) Info\ Tooltip\ Keybind=Info Tooltip Keybind Bronze\ Rotor=Brass rotor Adamantite\ Scythe=Adamantite Scythe -Black\ Tapestry=Black Tapestry The\ $(item)Rune\ of\ Summer$(0).=not$(elements) summer runes$(0). +Black\ Tapestry=Black Tapestry Tele-Sender\ Rail=telescopic guide 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 Lime\ Lexicon=Dictionary of lime @@ -1211,18 +1211,18 @@ Instant\ Sneak=instant theft These\ bursts\ differ\ slightly\ from\ the\ ones\ fired\ from\ spreaders\:\ they\ travel\ faster,\ but\ carry\ only\ three-quarters\ of\ the\ $(thing)Mana$(0)\ a\ spreader's\ burst\ would.\ The\ blaster\ also\ has\ a\ short\ cooldown\ after\ firing\ before\ it\ can\ shoot\ again.=This explosion is slightly different from the one fired from the diffuser. move faster. But bring only three quarters$(Rud) Mana$(0) Spreader Damage Blaster also has a short cooldown after firing before firing again. Category\ Enabled\:=Category Enabled\: Polished\ Purpur=Empty purple -Backed\ up\:\ %s=Backup\: %s Biome\ data\ failed\ for\:\ %s=Biome data failed for\: %s -Advanced\ Alloy\ Ingot=Advanced Alloy Ingot +Backed\ up\:\ %s=Backup\: %s Spruce\ Post=Spruce Post -Fully\ Stuffed=full -Macerator=Macerator +Advanced\ Alloy\ Ingot=Advanced Alloy Ingot On/Off=switch +Macerator=Macerator +Fully\ Stuffed=full Gold\ Tiny\ Dust=Gold Tiny Dust Splash\ Sugar\ Water\ Bottle=Splash Sugar Water Bottle Only\ Fools=Only Fools -Outpost\ End\ Max\ Chunk\ Distance=The maximum distance between Outpost End blocks Smoky\ Quartz\ Slab=Quartz movement SQUARE +Outpost\ End\ Max\ Chunk\ Distance=The maximum distance between Outpost End blocks OK=OK Invalid\ name\ or\ UUID=Non-valid name or UUID Ruby=Ruby @@ -1232,13 +1232,13 @@ No=Never, never, never, never, never, never, never, never, never, never, never, Ctrl\ +\ %s="Ctrl" + %s Blue\ Spruce\ Sapling=Blue Spruce Sapling Swamp\ Cypress\ Sign=Cypress swamp signal -%1$s\ froze\ to\ death=%1$s freeze to death Glowing\ Pillar\ Leaves=Bright columnar blades +%1$s\ froze\ to\ death=%1$s freeze to death Render\ Distance\:\ %s=Render Distance\: %s Ko-fi=Covey Iron\ Wolf\ Armor=Iron Wolf Armor -Four\ Ornate=For 4 decorations Ok=OK +Four\ Ornate=For 4 decorations On=And Gold\ Ore=Zolata, Zalesny Ore Force\ Lens=Power lens @@ -1248,18 +1248,18 @@ 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\! Purple\ Shulker\ Block=Purple block shulker Pink\ Concrete\ Camo\ Door=Pink Concrete Camo Door -Brown\ ME\ Dense\ Smart\ Cable=Brown ME Dense Smart Cable Cooler\ Cell=Cooler Cell +Brown\ ME\ Dense\ Smart\ Cable=Brown ME Dense Smart Cable Asterite\ Boots=Asterite Boots %1$s\ was\ pricked\ to\ death=%1$s stabbed to death -Iridium\ Reinforced\ Tungstensteel\ Slab=Iridium Reinforced Tungstensteel Slab Mechanized\ production=Mechanized production +Iridium\ Reinforced\ Tungstensteel\ Slab=Iridium Reinforced Tungstensteel Slab Debug\ Tool=Debug Tool Hemlock\ Planks=Hemlock table Stretches\ caves\ vertically.\ Lower\ value\ \=\ taller\ caves\ with\ steeper\ drops.=Stretches caves vertically. Lower value \= taller caves with steeper drops. Cut=Cut -Dacite\ Brick\ Wall=Dacite Brick Wall End\ Stone=The Bottom Stone +Dacite\ Brick\ Wall=Dacite Brick Wall Parrot\ flutters=The parrot flutters 16k\ ME\ Item\ Storage\ Cell=16000 ME . Storage Units Light\ Blue\ Terracotta\ Camo\ Door=Light Blue Terracotta Camo Door @@ -1284,11 +1284,11 @@ Gobber\ Machete=Goby Scimitar Ametrine\ Gems=Ametrine Gems Potted\ Red\ Tulip=A-Pot-Red-Daisy Respawn\ immediately=Respawn immediately -SP=SP Terminal\ Style=Terminal Style +SP=SP Wither=Wither -Hammering=hammer Medium-Large=Medium-Large +Hammering=hammer Lime\ Chief\ Sinister\ Canton=Principal De La Cal Sinister Cant\u00F3n Cyan\ Glazed\ Terracotta\ Glass=Cyan Glazed Terracotta Glass Maple\ Planks=Maple Planks @@ -1296,12 +1296,12 @@ Day\ at\ the\ Market=Day at the Market Invigorating=energy Platinum\ Slab=Platinum Slab Show\ Lever\ State=View leverage status -Merging\ finished.=Merging finished. Narslimmus\ squishes=Narslimmus Squishes +Merging\ finished.=Merging finished. Fresh\ Water\ Lake=Fresh Water Lake Univite\ Helmet=Univite Helmet -Allium\ Fields=Allium Fields Gold\ Large\ Plate=A large gold plate +Allium\ Fields=Allium Fields Toast\ Sandwich=Grilled sandwich Mahogany\ Bench=mahogany bench Gray\ ME\ Dense\ Covered\ Cable=Gray ME Dense Covered Cable @@ -1317,26 +1317,26 @@ Bottom-Right=Bottom-Right Authenticate=check Rootling\ Seeds=Rhizome seeds Purified\ Iron\ Ore=Purified Iron Ore -Controls\ where\ the\ Attack\ Indicator\ is\ displayed\ on\ screen.=Controls the display position of the attack indicator on the screen. Battery=Battery +Controls\ where\ the\ Attack\ Indicator\ is\ displayed\ on\ screen.=Controls the display position of the attack indicator on the screen. To=To Copy\ Biome=Copy Biome Dolphin\ plays=Mas Efekt Fill\ a\ Bucket\ with\ lava=Fill an empty bucket The\ language\ to\ translate\ to\ -\ Leave\ empty\ for\ auto-detection\ (might\ break\ text\ even\ more)=Language to translate-Leave blank for auto-detection. (The message may be more hurt) -Eat\ anything\ with\ Five\ or\ more\ ingredients=Eat anything with five or more ingredients Violet\ Leather\ Flower=Violet Leather Flower +Eat\ anything\ with\ Five\ or\ more\ ingredients=Eat anything with five or more ingredients A\ Fake,\ Fake\ Psychotropic=fake fake psychic Acacia\ Hopper=Acacia Hopper Smooth\ Sandstone\ Step=Smooth Sandstone Step Snowy\ Taiga=Taiga Snow Yellow\ ME\ Dense\ Covered\ Cable=Yellow ME Dense Covered Cable Load\ Default\ Plugin\:=Load Default Plugin\: -Kale\ Seeds=Cabbage seeds VI=Chi\u1EC1u R\u1ED8NG +Kale\ Seeds=Cabbage seeds Brick\ Slab=Brick Oven -Red\ Base\ Sinister\ Canton=The Red Left Canton Watchtower\ Pillager\ on\ Ice\!=Get the Watchtower on Ice\! +Red\ Base\ Sinister\ Canton=The Red Left Canton Up=All Ceres\ Essentia=Valley Bell\ resonates=The bell sounds @@ -1366,9 +1366,9 @@ Richie=Rich Toad\ croaks=Hoarse frog Thallasium\ Sword\ Handle=Hall button XV=fifteen -Craft\ a\ chimney.=Craft a chimney. -The\ $(item)Manasteel\ Shovel$(0)=a$(object) Manasteel spade$(0) XX=XX +The\ $(item)Manasteel\ Shovel$(0)=a$(object) Manasteel spade$(0) +Craft\ a\ chimney.=Craft a chimney. Dead\ Horn\ Coral\ Block=The Dead Horn Coral-Unit Yellow\ Tent\ Top=Yellow Tent Top [ES]\ Netherite\ Chests\ Opened=[KR] The Ark of the Deep has been opened @@ -1377,8 +1377,8 @@ Right\ Click\ for\ More=Right Click for More adoghr\ -\ 1507=adoghr - 1507 Gravestones\ are\ locked\ to\ the\ player\ that\ the\ gravestone\ is\ for=Gravestones are locked to the player that the gravestone is for Biomass=Biomass -Leather\ Pouch=Leather Pouch Wooden\ Boomerang=wooden boomerang +Leather\ Pouch=Leather Pouch Courierbird\ squawks=The cry of the messenger bird Invalid\ entity\ anchor\ position\ %s=An invalid Object, which Connects positions %s Purpur\ Bricks=Purpur Bricks @@ -1400,11 +1400,11 @@ Teal\ Nether\ Pillar=Teal Nether Pillar Dark\ Prismarine\ Platform=Dark Prismarine Platform bun\ pls=bread please Always=All -Grinding\ Petals\ into\ Dye.=Press the petals into the dye. \u00A77\u00A7o"As\ the\ developer\ intended."\u00A7r=\u00A77\u00A7o"As the developer intended."\u00A7r +Grinding\ Petals\ into\ Dye.=Press the petals into the dye. Small\ Bluestone\ Brick\ Column=Bluestone Brick Small Pillar -Creepers\ Burn=New downloads Checks\ item\ damage=Check for damage to goods +Creepers\ Burn=New downloads Blank\ Pattern=Blank Pattern Block\ of\ Neodymium=Neodymium block Rubber\ Kitchen\ Sink=Rubber Kitchen Sink @@ -1412,8 +1412,8 @@ Blaze\ Brick\ Stairs=Blaze Brick Stairs Netherrack\ Circle\ Pavement=Netherrack Circle Pavement ComBit=how much Generate\ Tin=Generate Tin -A\ curse\ that\ comes\ in\ up\ to\ 5\ levels,\ and\ will\ cause\ equipment\ afflicted\ with\ this\ curse\ to\ break\ much\ quicker\ anytime\ it\ takes\ damage.=Damn reaches 5 levels and causes the equipment to be destroyed faster when damaged. 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. +A\ curse\ that\ comes\ in\ up\ to\ 5\ levels,\ and\ will\ cause\ equipment\ afflicted\ with\ this\ curse\ to\ break\ much\ quicker\ anytime\ it\ takes\ damage.=Damn reaches 5 levels and causes the equipment to be destroyed faster when damaged. Vex\ Spawn\ Egg=I Want To Spawn Eggs Umbrella\ Slime=Umbrella Slime Sulfur=Sulfur @@ -1435,8 +1435,8 @@ Sandstone\ Bricks=Sandstone Bricks Day=Today Cooked\ Uncooked\ Steel\!=Cooked pork iron\! White\ Mushroom\ Stem=White Mushroom Stem -Brown\ Tapestry=Brown tapestry Attributes=Attributes +Brown\ Tapestry=Brown tapestry Blacklisted\ Mineshaft\ Biomes=Blacklisted Mineshaft Biomes Soul\ Shroom\ Block=The bathroom is finished Purple\ Axe=purple ax @@ -1488,23 +1488,23 @@ Random\ rewards=Random rewards Green\ Apple=Green Apple Horned\ Spear=wing spear Hide\ Lightning\ Flashes=Hide lightning -Red\ Base\ Indented=Red And Basic Indent Storm=storm +Red\ Base\ Indented=Red And Basic Indent Shoot\ a\ Crossbow=cross shot Drop\ experience=Fallout Experience Restores=Restores -Edit\ Game\ Rules=Change The Rules Of The Game Turkish=Turkish language +Edit\ Game\ Rules=Change The Rules Of The Game Belladonna=Pretty Woman -Kill\ the\ Blackrocky\ Golem=Golem killed Black Rock. White\ Shield=White Screen +Kill\ the\ Blackrocky\ Golem=Golem killed Black Rock. Allay\ dies=God dies. Generating=Generating Saved\ %s\ [[hour||hours]]\ ago=Saved %s [[hour||hours]] ago Braced\ Planks\ Side=Support side panel deaths=deaths -Assemble\ components\ more\ efficiently=Assemble components more efficiently Granite\ Circle\ Pavement=Granite Circle Pavement +Assemble\ components\ more\ efficiently=Assemble components more efficiently Red\ Netherite\ Shield=Netherite Red Shield Uranium\ Quad\ Fuel\ Rod=Quadruple Uranium Fuel Rod Brown\ Thallasium\ Bulb\ Lantern=Brown lantern light @@ -1524,8 +1524,8 @@ Butadiene\ Bucket=Butadiene barrel Blueberry\ Crop=Growing fruit Arrow\ of\ Night\ Vision=With night vision The\ simulation\ distance\ controls\ how\ far\ away\ terrain\ and\ entities\ will\ be\ loaded\ and\ ticked.\ Shorter\ distances\ can\ reduce\ the\ internal\ server's\ load\ and\ may\ improve\ frame\ rates.=The simulation distance determines at what distance the ground and the objects are loaded and marked. A shorter distance can reduce the load on the internal server and increase the frame rate. -Connecting\ to\ the\ realm...=The community of the Kingdom of Thailand. Red\ Tent\ Side=Red Tent Side +Connecting\ to\ the\ realm...=The community of the Kingdom of Thailand. Enter\ a\ Birch\ Mansion=Entrance to the birch mansion. Red\ Insulated\ Wire=Red Insulated Wire Hanging\ Roots=Hanging ROOT @@ -1548,16 +1548,16 @@ Fried\ Chicken\ Wing=Fried Chicken Wing Golden\ Pasture\ Seeds=Golden Farm Seeds No\ Minimap=not the least important Granite\ Basin=Granite Basin -EMC=EMC Splash\ Potion\ of\ Strength=A Splash Of Power Drink Came To +EMC=EMC Raw\ Cod=Raaka-Cod Cut\ Red\ Sandstone=Cut Red Sandstone Diorite\ Brick\ Wall=Diorite brick wall Obsidian\ Brick\ Slab=Obsidian Brick Slab Aluminum\ Ring=Aluminum ring Glimmering\ Purple\ Flower=glossy purple flower -Expected\ float=Planned to go swimming You're\ already\ wearing\ something\ on\ your\ back\!=You already have something on your back\! +Expected\ float=Planned to go swimming Soulscribe=soul This\ station\ is\ not\ selling\ anything.=This station is not selling anything. Co\ Processors=Co Processors @@ -1567,27 +1567,27 @@ Electrum\ Tiny\ Dust=Electrum Tiny Dust Yellow\ Beveled\ Glass\ Pane=Yellow Beveled Glass Pane They're\ real\ after\ all=After all, they are real Unfortunately,\ no\ method\ of\ actually\ creating\ these\ elusive\ seeds\ is\ known.\ They\ have,\ however,\ allegedly\ been\ spotted\ by\ historians\ in\ ancient\ structures\ and\ temples.\ Perhaps...?=Unfortunately, there really isn&\#39;t a known way to create these elusive seeds. However, they are said to have been discovered by historians in ancient buildings and temples. Can be...? -Bubbles\ whirl=The bubbles in the distribution system. Stone\ Mining\ Tool=Stone Mining Tool +Bubbles\ whirl=The bubbles in the distribution system. Please\ move\ to\ a\ saltwater\ biome\!=Please move to a saltwater biome\! Red\ Sandstone\ Step=Red Sandstone Step 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 -Smoked\ Cloudy\ Crab=Smokey cloud club This\ Ender\ Shard\ is\ unlinked\!=This Ender Shard is disconnected\! +Smoked\ Cloudy\ Crab=Smokey cloud club +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 Raisins=currant Red\ Stained\ Glass\ Stairs=Stained glass stairs red Red\ Asphalt=Red Asphalt -No\ time\ for\ guessing,\ follow\ my\ plan\ instead=No time to guess, follow my plan -Pling=Pling This\ will\ temporarily\ replace\ your\ world\ with\ a\ minigame\!=This will allow you to temporarily change your world and mini-games. +Pling=Pling +No\ time\ for\ guessing,\ follow\ my\ plan\ instead=No time to guess, follow my plan Blue\ Vine\ Fur=North and secretly from the blue. Cyan\ Pale\ Sinister=Pale Blue Bad -F10=F10 Lacugrove\ Log=Lacugrove trunk +F10=F10 F12=F12 Depleted\ HE\ Mox\ Fuel\ Rod\ =Mox HE fuel rods have been sold F11=F11 @@ -1595,10 +1595,10 @@ F14=\u042414 F13=A few years is protected F16=F16 F15=F15 -A\ task\ where\ the\ player\ has\ to\ reach\ one\ or\ more\ locations.=A task where the player has to reach one or more locations. F18=F18 -Caracal\ screaming=Caracal screams +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 +Caracal\ screaming=Caracal screams Sunken=sinking F19=F19 Cherry\ Oak\ Wood=Cherry Oak Wood @@ -1607,20 +1607,20 @@ Unknown\ option\ '%s'=Unknown version '%s' Whether\ each\ block\ in\ an\ extended\ hitbox\ should\ show\ its\ outline\ separately.=Whether each block in an extended hitbox should show its outline separately. Buried\ Magenta\ Petal=Bury the buried petals Pig\ hurts=Pigs sorry -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. +New\ technology=New technology Advancement=Advancement Baobab\ Pressure\ Plate=Baobab Pressure Plate F21=Lewisite F21 -F20=F20 -Nightshade\ Roots=Roots of eggplant Purple\ Base\ Indented=The Color Purple Main Fields +Nightshade\ Roots=Roots of eggplant +F20=F20 F23=F23 Min\ Opened\ Quest\ Window\ Width=The minimum width of the open search window F22=F22 F25=F25 -F24=F24 Shulk\ Me\ Not\ Setup=Shulk Me No configuration +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 Fireweed=Willow herbs @@ -1641,8 +1641,8 @@ Potion\ Status\ Settings=Potion Status Settings Dot=Dot Safe\ Disable=Safe Disable Cod\ Spawn\ Egg=Cod Spawn Egg -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. +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 Green\ Concrete\ Camo\ Door=Green Concrete Camo Door Stripped\ Hemlock\ Log=In fact, Hemlock searches for every post Mod\ Menu\ Options=Mod Although menu options @@ -1656,18 +1656,18 @@ Warped\ Coral\ Wall\ Fan=Warped Coral Wall Fan Emits\ bright\ light=Emits bright light Chat\ Text\ Opacity=Discuss The Text Lock Dacite\ Cobblestone\ Step=Dacite paved road -Data\ Required\ for\ Tier\:\ Superior=Data Required for Tier\: Superior Gray\ Saltire=Saltire \u0393\u03BA\u03C1\u03B9 +Data\ Required\ for\ Tier\:\ Superior=Data Required for Tier\: Superior Acencia\ dies=Cynthia is dead\! -Orange\ Banner=The Orange Banner Surface\ Cave\ Maximum\ Altitude=Surface Cave Maximum Altitude +Orange\ Banner=The Orange Banner Message\ to\ display\ in\ Rich\ Presence\ when\ using\ Vivecraft=Message to display in Rich Presence when using VivecraftMessage to display while on the main menu\=Message to display while on the main menu Blue\ Bellflower=Blue Bellflower Creative\ Battery=Creative Battery Grants\ permanent\ unluck\ effect\ while\ using\ it,\ decreasing\ your\ odds\ on\ luck-based\ events.=Gives a permanent bad luck effect when used, reducing the chance of good luck events. Select\ Server=Select The Server -Desalinator\ powers\ up=Electric desalination plant Sonoran\ Cactus=Sonoran Cactus +Desalinator\ powers\ up=Electric desalination plant River=River The\ petals\ used\ determine\ the\ colors\ of\ the\ wand=The petals used determine the color of the cane. Purple\ Thallasium\ Bulb\ Lantern=Lantern from purple lamp Thallasium l\u1ED3ng @@ -1679,8 +1679,8 @@ Umbrella\ Tree\ Slab=Wooden plate with umbrella mB=mB Customize\ World\ Presets=Settings Light Light\ Blue\ Nikko\ Hydrangea=Light Blue Nikko Hydrangea -Lithium\ Batpack=Lithium Batpack Red\ Terminite\ Bulb\ Lantern=Red lantern terminal bulb +Lithium\ Batpack=Lithium Batpack Marble\ Tiles\ Wall=marble tile wall Snowy\ Blue\ Taiga=Snowy Blue Taiga mJ=mJ @@ -1717,31 +1717,31 @@ no=no [ES]\ Old\ Gold\ Chests\ Opened=[ES] An Ancient Gold Chest has been opened Lime\ Tent\ Side=Lime Tent Side Scoria\ Stonebricks=Write Stonebricks -Brown\ Glazed\ Terracotta\ Pillar=Brown Glazed Terracotta Pillar Set\ %s\ for\ %s\ entities\ to\ %s=The kit %s the %s The Man %s -Core\ of\ Modularity=Core modularity -Better\ PvP\ Settings=The best PvP setting +Brown\ Glazed\ Terracotta\ Pillar=Brown Glazed Terracotta Pillar Toggle\ on/off\ Armor\ HUD=Enable / Disable Armor HUD +Better\ PvP\ Settings=The best PvP setting +Core\ of\ Modularity=Core modularity Black\ Terminite\ Bulb\ Lantern=Black infinite light bulb -Allow\ Players\ Leaving\ Arena=Allow Players Leaving Arena Cheese\ Cake=cheese cake +Allow\ Players\ Leaving\ Arena=Allow Players Leaving Arena Can\ output\ arbitrary\ redstone\ level.\ Use\ left\ side\ to\ decrease\ level\ by\ one,\ right\ side\ to\ increase\ by\ one.=Each level of redstone can be displayed. Use the left side to gradually decrease the level and use the right side to increase the level. -Block\ of\ Rotten\ Flesh=Hit rotten meat Multiplayer=Multiplayer -Oak\ Kitchen\ Cupboard=Oak Kitchen Cupboard -There\ is\ no\ point\ of\ interest\ with\ type\ "%s"=Nothing interesting"%s, +Block\ of\ Rotten\ Flesh=Hit rotten meat of=of +There\ is\ no\ point\ of\ interest\ with\ type\ "%s"=Nothing interesting"%s, +Oak\ Kitchen\ Cupboard=Oak Kitchen Cupboard Critical\ Hits\ pierce\ through\ armor=Critical blow-through armor Pineapple\ Pepperoni\ Pizza=Pepperoni and pineapple pizza Orange\ Per\ Bend\ Sinister\ Inverted=Orange Bending Poorly Made Right\ Arrow=Right Arrow or=or -Dragon\ Tree\ Bookshelf=Dragon Tree Library Unknown\ function\ %s=The function of the unknown %s +Dragon\ Tree\ Bookshelf=Dragon Tree Library Manganese\ Tiny\ Dust=Small powder manganese -Game\ Mode\ Command\:=Game Mode Command\: -Scoria\ Pillar=Scoria Pillar \u00A77\u00A7o"In\ use\ since\ October\ 7,\ 2015."\u00A7r=\u00A77\u00A7o"In use since October 7, 2015."\u00A7r +Scoria\ Pillar=Scoria Pillar +Game\ Mode\ Command\:=Game Mode Command\: Light\ Blue\ Snout=Light Blue Mouth 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. @@ -1808,12 +1808,12 @@ Use\ Mod\ ID=Using ID from Mod ID Dark\ Oak\ Shelf=Dark Oak Shelf Managlass\ Vial=Bottle Managlass Kab Games\ Quit=During The Game -Glowshroom\ Stem\ Brick\ Wall=A brilliant barrel change Optimize\ World=Select World +Glowshroom\ Stem\ Brick\ Wall=A brilliant barrel change Filter\ Input=Input filter Click\ here\ to\ start=Click here to start -Tree\ Farm=Wood farm You\ shall\ soon\ have\ a\ revelation=You will soon have a revelation +Tree\ Farm=Wood farm Basil\ Crop=Basil plant Lush\ Caves=soft cave Green\ Flower\ Charge=Green Flowers Free @@ -1827,8 +1827,8 @@ Kanthal\ Dust=kanthal dust Refill\ items\ with\ similar\ functionality=Refill items with similar functionality %sx\ faster=%sx is faster Heresy=crime -Rocket\ Fuel=Rocket Fuel Something\ obstructs\ your\ vision=Something obscures your view +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 @@ -1844,8 +1844,8 @@ Wooden\ Katana=Wooden samurai sword Cave\ Vines=cave vines There\ are\ %s\ custom\ bossbars\ active\:\ %s=There are %s le bossbars active. %s Vampire=vampire -Chains\ Spawnrate.=Chains Spawnrate. Cyan\ Saltire=Turquoise Casserole +Chains\ Spawnrate.=Chains Spawnrate. The\ Pinking\ Drum=drum pink Epic=Epic Multiple\ Issues\!=For More Questions\! @@ -1858,17 +1858,17 @@ Outpost\ Birch\ Max\ Chunk\ Distance=Maximum distance between outpost birch piec Refine=sweep up Any\ Fence=Any fence Tungsten\ Machete=Tungsten Scimitar -64k\ ME\ Fluid\ Storage\ Cell=64k ME Fluid Storage Cell Invalid\ session\ (Try\ restarting\ your\ game\ and\ the\ launcher)=It is not allowed for the session (try restarting the game and launcher)Invalid structure name '%s'\=The name of the construction is not valid. "%s'' +64k\ ME\ Fluid\ Storage\ Cell=64k ME Fluid Storage Cell Set\ group\ tier=Set group tier Rutabaga\ Crop=Kohlrabi Harvest Multiworld\ Detection=Multiworld Detection Owl\ Spawn\ Egg=Owl lays eggs Light\ Top=above the light -Cyan\ Concrete\ Brick\ Stairs=Cement concrete brick stairs -Brown\ ME\ Covered\ Cable=Brown ME Covered Cable -Netherite\ Scythe=Netherite Crescent Tall\ Gray\ Lungwort=Tall Gray Lungwort +Netherite\ Scythe=Netherite Crescent +Brown\ ME\ Covered\ Cable=Brown ME Covered Cable +Cyan\ Concrete\ Brick\ Stairs=Cement concrete brick stairs Display\ Radar=radar screen Lingering\ Potion\ of\ Rage=Eternal Wrath Potion Membrane\ Block=Membrane Block @@ -1892,12 +1892,12 @@ Botanical\ Brewery=botanical brewery Tool\ durability=Tool durability Tall\ Blue\ Bellflower=Tall Blue Bellflower Output\ Level=Output level -Fix\ MC-149777=Fix MC-149777 -Endermites\ drops\ Irreality\ Crystal=Endermites drops Irreality Crystal Blue\ Concrete\ Powder=Children Of The Concrete Into Dust -Custom=Individual -FauxCon\ Attendee\ Ticket=FauxCon Attendee Ticket +Endermites\ drops\ Irreality\ Crystal=Endermites drops Irreality Crystal +Fix\ MC-149777=Fix MC-149777 The\ $(item)Jiyuulia$(0)\ is\ a\ flower\ that,\ for\ a\ small\ $(thing)Mana$(0)\ drain,\ keeps\ any\ nearby\ animals\ or\ monsters\ at\ bay,\ protecting\ a\ circular\ area\ from\ entry.=On$(item) Jiyuulia$(0) is a small flower$(sack)$(0) Drain the water, scare away any nearby animals or monsters and protect the circular area from intrusion. +FauxCon\ Attendee\ Ticket=FauxCon Attendee Ticket +Custom=Individual Golden\ Machete=Gold machete Framed\ Glass=Framed Glass Classic\ Flat=Classic Apartments @@ -1918,28 +1918,28 @@ Crossbow\ loads=Crossbow compared to White\ Fess=White Gold Rose\ Gold\ Chestplate=Rose Gold Chestplate Lead\ Leggings=Lead Leggings -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. -Entities\ between\ x\ and\ x\ +\ dx=Units between X and X + DX is Sakura\ Sign=sakura logo +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. Purpur\ Stone=Purple Pierre Unlocked\ %s\ recipes\ for\ %s\ players=Detailed information %s a prescription %s players -Frosted\ Glass=Frozen glass Hydrochloric\ Acid\ Bucket=Hydrochloric acid in a bucket +Frosted\ Glass=Frozen glass Set\ the\ weather\ to\ clear=The alarm should be removed Hemlock\ Trapdoor=Lock the door trap 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 -Baobab\ Fence\ Gate=Baobab Fence Gate Ender\ Miner=Ender Miner +Baobab\ Fence\ Gate=Baobab Fence Gate \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 Volcanic\ Rock\ Slab=Volcanic rock +Snowy\ Deciduous\ Clearing=Snowy Deciduous Clearing Switch\ to\ minigame=Just log into the game 1k\ ME\ Fluid\ Storage\ Cell=1k ME Fluid Storage Cell -Charred\ Fence\ Gate=Charred Fence Gate You\ spin\ me\ right\ round=You turn me over +Charred\ Fence\ Gate=Charred Fence Gate This\ message\ has\ been\ modified\ by\ the\ server.=The server has changed this message. Rounding\ Size=Rounding Depleted\ Plutonium\ Fuel\ Rod=exhausted fuel rod @@ -1967,9 +1967,9 @@ Fully\ Yellow\ Field=The whole yellow field Improves\ agility\ in\ water=Increase efficiency of water Allows\ changing\ the\ color\ of\ the\ enchanted\ glint\ using\ dye\ on\ an\ anvil=It allows you to change the color of the enchanted flash using a dye on an anvil Refill=Refill -Hide\ World\ Names/IPs=Hide World Names/IPs -Nudibranch\ burbles\ angrily=Angry Bubbling Nudie Branch Sweets=snack +Nudibranch\ burbles\ angrily=Angry Bubbling Nudie Branch +Hide\ World\ Names/IPs=Hide World Names/IPs Settings\ used\ in\ the\ generation\ of\ caves.=Settings used in the generation of caves. Bukkit\ Bukkit=Bukit Bukit Client\ ID\ used\ for\ retrieving\ assets,\ icon\ keys,\ and\ titles=Client ID used for retrieving assets, icon keys, and titles @@ -1991,18 +1991,18 @@ Acacia\ Post=Acacia Post Enter\ Book\ Title\:=Enter The Name Of The Book. Warped\ Bleu=Warped Bleu White\ Stained\ Glass=The White Glass In The Middle Of The -Generate\ NullPointerException\!\!=Generate NullPointerException\!\! -Horizontal\ Top=horizontal top Mandrake\ Root=Mandela (Mandrake) Root +Horizontal\ Top=horizontal top +Generate\ NullPointerException\!\!=Generate NullPointerException\!\! Mycelium\ Sprouts=Mycelium bed -intercepted\ as\ a\ request=stop as a request \u00A75\u00A7oGenerates\ 3.2\ Cobblestone\ per\ second=\u00A75\u00A7oIt produces 3.2 pebbles per second +intercepted\ as\ a\ request=stop as a request Diamond\ Lance=Diamond Lance Black\ Glazed\ Urn=urn with black coating -Custom\ Filter=More filters Minecraft\ has\ run\ out\ of\ memory.\n\nThis\ could\ be\ caused\ by\ a\ bug\ in\ the\ game\ or\ by\ the\ Java\ Virtual\ Machine\ not\ being\ allocated\ enough\ memory.\n\nTo\ prevent\ level\ corruption,\ the\ current\ game\ has\ quit.\ We've\ tried\ to\ free\ up\ enough\ memory\ to\ let\ you\ go\ back\ to\ the\ main\ menu\ and\ back\ to\ playing,\ but\ this\ may\ not\ have\ worked.\n\nPlease\ restart\ the\ game\ if\ you\ see\ this\ message\ again.=Minecraft's memory is low.\n -Cyan\ Cross=Blue Cross +Custom\ Filter=More filters \u00A7aCustom\ Order=\u00A7aCustom Order +Cyan\ Cross=Blue Cross Flint\ Dust=Flint Dust Monitor\ is\ now\ Unlocked.=Monitor is now Unlocked. Teleported\ %s\ to\ %s,\ %s,\ %s=Teleporta %s for %s, %s, %s @@ -2018,24 +2018,24 @@ Green\ Sofa=Green Sofa Orange\ Elevator=Orange Elevator Select\ Fluid=choose liquid Ebony\ Wall=Ebony Wall -Cake\ with\ Purple\ Candle=Purple cake candles -Jungle\ Hopper=Jungle Hopper Light\ Blue\ Rune=Light Blue Rune +Jungle\ Hopper=Jungle Hopper +Cake\ with\ Purple\ Candle=Purple cake candles It's\ about\ the\ same\ size\ on\ the\ inside\ (any\ colors\ work)=Similar internal dimensions (any color) -Frostbourne\ Boots=Ribbon shoes Press\ [%s]\ to\ preview=caught [%s] to look into the future -Client\ ID=Client ID +Frostbourne\ Boots=Ribbon shoes Extraction\:\ Lower\ priority\ first=Payment\: lowest priority +Client\ ID=Client ID Editing\ mode\ is\ now\ enabled.=Editing mode is now enabled. Minecart=He was Smaller\ cuts\ of\ a\ porkchop,\ which\ can\ be\ obtained\ by\ cutting\ a\ porkchop\ on\ a\ Cutting\ Board.=Smaller pork pieces can be obtained by cutting a pork leg on a cutting board. Red\ Terracotta\ Brick\ Slab=Red terracotta brick panels -The\ multiplier\ for\ knockback\ from\ snowballs\ (may\ be\ negative,\ 0\ to\ disable)=Snowball Delete equal numbers (can be minus, 0 to disable) Type\ 1\ Cave\ Maximum\ Altitude=Type 1 Cave Maximum Altitude +The\ multiplier\ for\ knockback\ from\ snowballs\ (may\ be\ negative,\ 0\ to\ disable)=Snowball Delete equal numbers (can be minus, 0 to disable) Oak\ Table=Oak Table Creative\ ME\ Item\ Cell=Creativity in cellular elements -Haunted\ Forest=Haunted forest When\ a\ chest\ is\ simply\ not\ enough.=When a chest is simply not enough. +Haunted\ Forest=Haunted forest Superstitious\ Hat=superstition Deer\ Spawn\ Weight=Deer spawning by weight Wireless\ Access\ Point=Wireless Access Point @@ -2045,8 +2045,8 @@ Ametrine\ Block=Ametrine Block FOV=Pz 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 'tis\ me\ last.\ Tried\ t'\ escape\ but\ no\ choice,\ gonna\ ship\ this\ in\ a\ bottle.\ I\ forgot\ t'\ recharge\ on\ th'\ port..\ Shiver\ me\ timbers,\ only\ needed\ t'\ shoot\ on\ th'\ tentacles\ joints...\ =This is the end. I tried to escape, but couldn&\#39;t help it. I will send it in a bottle. I forgot to fill this port ... I rocked a tree and inflamed the tentacle joints ... +%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 Awaken,\ My\ Masters=Awaken, My Masters Phantom\ bites=The Phantom is a bit of End=Finally @@ -2067,8 +2067,8 @@ Mahogany\ Stairs=Mahogany Stairs White\ Item\ Pipe=White object tube Escape=Summer Transmuting\ $(item)Tall\ Grasses$(0)=Change$(Item) High pool$(0) -Angular\ Distance=Angular distance Crimson\ Outpost\ Spawnrate=Crimson Outpost Spawnrate +Angular\ Distance=Angular distance Brown\ Cross=Brown, A Cyan\ Terracotta=Turquoise Terracotta Increases\ damage\ against\ arthropods\ such\ as\ Spiders\ and\ Silverfish.=Increased damage to arthropods such as spiders and moths. @@ -2077,13 +2077,13 @@ is\ wonderfully\ complimented\ by\ buttery\ potatoes=Topped with good butter. Dev.PhantomNode=Dev.PhantomNode Avocado\ Crop=Avocado plant 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 Nightshade\ Phylium=Sunflower leaf insect +Craft\ a\ basic\ machine\ frame\ out\ of\ refined\ iron=Craft a basic machine frame out of refined iron Creeper-shaped=In The Form Of Cracks Aside\ from\ those,\ a\ few\ additional\ rules\ not\ present\ in\ a\ typical\ simulation\ of\ $(thing)Conway's\ Game\ of\ Life$(0)\ are\ also\ present\ in\ the\ $(item)Dandelifeon$(0)\ procedures,\ listed\ in\ the\ following\ pages.=In addition, additional rules are missing from a typical simulation.$(Something) Conway&\#39;s Game of Life$(And 0)$(Object) Dandelifeon$(0) The methods mentioned on the following pages. Failed\!\ \:(=See\! \:( -Leave\ Bed=You're Bed when\ killed\ by\ player=when killed by player +Leave\ Bed=You're Bed Values=Values Mule\ Chest\ equips=With the breast armed Orange\ Stone\ Brick\ Wall=It&\#39;s time to get over the wall @@ -2091,8 +2091,8 @@ Uranium\ 235\ Tiny\ Dust=Uranium 235. Fine dust. Manganese\ Sulfuric\ Solution\ Bucket=Sulfuric acid solution in the feed barrel Animation\ On\ Open=Animation when opening Cracked\ Bricks=Cracked bricks -Insert\ axe=Installing the cutting tool Stone\ Skips=Stone Skips +Insert\ axe=Installing the cutting tool Sythian\ Torrids=Sythian Torrids Blue\ Terracotta\ Glass=Blue Terracotta Glass Campanion\ Items=Campanion Items @@ -2103,12 +2103,12 @@ Everyone=Everyone Deepslate\ Brick\ Stairs=Deep slate brick staircase Stripped\ Oak\ Wood=Sections Oak Pause\ on\ lost\ focus\:\ enabled=The investigator will focus on the following\: - active (enabled) -Oasis=Oasis Requires\ death\ chest\ placement\ to\ be\ on\ solid\ blocks.=The coffin must be placed in a fixed block. +Oasis=Oasis Magazine\ is\ empty=Magazine is empty Bee\ buzzes\ happily=Happy buzzing of bees -Get\ an\ Advanced\ Solar\ Generator=Get an Advanced Solar Generator RS\ Temples=Candy RS +Get\ an\ Advanced\ Solar\ Generator=Get an Advanced Solar Generator Nether\ Warped\ Temple\ Spawnrate=Nether Warped Temple Spawnrate Rocky\ Edge=Rocky edge End\ Stone\ Bricks=At The End Of The Stone-Brick @@ -2117,8 +2117,8 @@ Zelkova\ Kitchen\ Cupboard=Zelkov office Blunite\ and\ Carbonite\ patches=Blunite and carbonate patch Push\ own\ team=Push your own team Deadhound=Hunting dog -Charred\ Wooden\ Door=Charred Wooden Door Required\ by=Wanted by +Charred\ Wooden\ Door=Charred Wooden Door Ebony\ Stairs=Ebony Stairs Collect\ Dragon's\ Breath\ in\ a\ Glass\ Bottle=Collect Dragon energy in glass bottles Light\ Blue\ Shovel=Blue shovel @@ -2137,8 +2137,8 @@ Fluix\ ME\ Dense\ Covered\ Cable=Fluix ME Dense Covered Cable The\ City\ at\ the\ End\ of\ the\ Game=It was late in the game Client\ Integration=Client Integration Lock\ editing\ disabled=The edit key is disabled. -Flare\ strikes=Attack Attack Stripped\ Dragon\ Tree\ Log=Captured dragon tree log +Flare\ strikes=Attack Attack Dice\ of\ Fate=dice of fortune Async=asynchronous Aspen\ Pressure\ Plate=Aspen Pressure Plate @@ -2157,16 +2157,16 @@ Jungle\ Pyramid=Forest pyramid Hold\ ALT\ for\ info=Hold ALT for info Flint\ Machete=Flint Lie Sturdy\ Stone=Sturdy Stone -Default\ XP\ Drop=Standard XP dropDefault maximum player speed\=Standard top speed Piglin\ Brute\ converts\ to\ Zombified\ Piglin=Piglin Brute converts to Zombified Piglin +Default\ XP\ Drop=Standard XP dropDefault maximum player speed\=Standard top speed Cherry\ Trapdoor=Cherry Trapdoor Example\:\ "[minecraft\:overworld,\ minecraft\:the_nether,\ rats\:ratlantis]"=Example\: "[minecraft\:overworld, minecraft\:the_nether, rats\:ratlantis]" Lexica\ Botania\ opens=Opening of Lexica Botany Smooth\ Quartz\ Block=Soft Block Of Quartz [ES]\ Gold\ Chests\ Opened=[ES] Open the Gold Box Crimson\ Bookshelf=Purple shelf -Biome\ Scale\ Offset=The Overall Level Of Mobility Pink\ Tent\ Top\ Flat=Pink Tent Top Flat +Biome\ Scale\ Offset=The Overall Level Of Mobility Blue\ Stained\ Glass\ Slab=Blue glass plate Glimmering\ Livingwood=Bright spot in Livingwood Fiery\ Ends=Fiery Ends @@ -2185,8 +2185,8 @@ Death\ Message=Death letter Keep\ Jigsaws\:\ =Puzzle\: Would\ you\ like\ to\ delete\ all\ waypoint\ data\ for\ the\ selected\ sub-world?=Do you want to remove all waypoint data from the selected subworld? Unconditional=Treatment -Block\ of\ Kanthal=Kantar District Showing\ %s\ mods\ and\ %s\ library=The presentation of the %s and home %s the library +Block\ of\ Kanthal=Kantar District Chiseled\ Livingrock\ Brick=Br\u00EDce Livingrock Chiseled Crimson\ Outpost\ Average\ Spacing=The distance between the scarlet focus Tin\ Pickaxe=Tin Pickaxe @@ -2203,8 +2203,8 @@ Shift\ right-click\ to\ change\ sound=Shift right-click to change sound Jungle\ Moss\ Path=Forest path in a steep valley Similarly\ to\ its\ land-themed\ counterpart,\ the\ $(item)Rod\ of\ the\ Seas$(0)\ will\ (at\ the\ cost\ of\ some\ $(thing)Mana$(0))\ place\ a\ block\ of\ $(item)Water$(0)\ wherever\ it's\ used.\ Furthermore,\ it\ can\ refill\ a\ $(l\:basics/apothecary)$(item)Petal\ Apothecary$(0)$(/l).=In addition to their colleagues of a global nature.$(Article) Sea fishing$(0) will be (someone else&\#39;s cost$(Article) Mana$(0)) We knocked down the block$(species) water$(0) wherever used. It can also charge$(l\: basis / pharmacy)$(item) Horseshoe$(0)$(/ group). Toggle\ for\ lava\ animation=Switch to lava animation -A\ bucket\ that\ destroys\ anything\ that\ comes\ inside=A barrel that can destroy everyone who arrives Persist\:\ =Persist\: +A\ bucket\ that\ destroys\ anything\ that\ comes\ inside=A barrel that can destroy everyone who arrives Heart\ colors=heart color War\ Pigs=The War Of The Porc Rod\ of\ the\ Depths=staff of the abyss @@ -2213,13 +2213,13 @@ Carbon\ Tiny\ Dust=a little cold dust Biome\ Size=Here, The Size Unequipping\ this\ item=Remove this item built-in\:\ %s=Built\: %s -Badlands\ Plateau=The Edge Of The Badlands The\ spawn\ rate\ for\ lanterns\ in\ the\ main\ shaft.=The lamp is reproducible at spindle rate -An\ interface\ displaying\ info\ about\ your\ currently\ worn\ armor\ and\ item\ held\ at\ the\ time.=An interface that displays information about the armor currently worn and the items stored during that period. +Badlands\ Plateau=The Edge Of The Badlands The\ lift\ is\ already\ at\ this\ floor\!=The elevator is already on this floor\! +An\ interface\ displaying\ info\ about\ your\ currently\ worn\ armor\ and\ item\ held\ at\ the\ time.=An interface that displays information about the armor currently worn and the items stored during that period. Resources\ GO\ BRRRRRR\ \!\!\!=Source GO BRRRRRR \!\!\! -Lime\ Isolated\ Symbol=lemon split icon Sandy\ Jadestone\ Button=Sandy Jadestone Button +Lime\ Isolated\ Symbol=lemon split icon Black\ Saltire=\u010Cierna Saltire Brown\ Stained\ Glass\ Pane=Brown Vidrieras Molten\ Tin=Molten Tin @@ -2234,8 +2234,8 @@ Athame=Athame Small\ End\ Stone\ Brick\ Slab=small stone tiles Written\ Book=He Has Written A Book. Repeatable\ Quest=Repeatable Quest -Cobbled\ Deepslate\ Stairs=cobblestone stairs deep; Refill\ Last=last fill +Cobbled\ Deepslate\ Stairs=cobblestone stairs deep; Golem\ Soul=Anam Golem Slay\ the\ requested\ entity\ to\ progress\ with\ the\ quest.=Kill the requested device to continue the mission. Glow\ Stick=Light stick @@ -2254,8 +2254,8 @@ Edit\ Reward\ Table=Editing the reward table Next\ >>=Next >> Sheldonite\ Ore=Sheldonite Ore Piglin\ Brute\ Spawn\ Egg=Piglin Brute Spawn Egg -Cherry\ Shelf=Cherry frame Pressing\ Matters=Pressing Matters +Cherry\ Shelf=Cherry frame Template\ Wing=Template Wing Polished\ End\ Stone\ Wall=Polished stone walls [%s\:\ %s]=[%s\: %s] @@ -2263,8 +2263,8 @@ Dragon's\ Blood\ Button=Dragon blood button Red\ Field\ Masoned=The Red Box Mason Enter=Write Moobloom=Moobloom -Aspen\ Wall=Aspen Wall Mahogany\ Crafting\ Table=Mahogany Crafting Table +Aspen\ Wall=Aspen Wall Increases\ the\ damage\ dealt.=Loss was increased. Fig\ Crop=Fig fig This\ flower\ is\ a\ lie=This flower is a lie @@ -2291,9 +2291,9 @@ Chiseled\ Purpur\ Bricks=Chiseled purple brick Retain\ original\ number\ of\ items\ requested=Keep the original number of items you want Fan=Fan Iron\ Block\ (Legacy)=Iron Block (Legacy) -CraftPresence\ -\ Select\ an\ Item=CraftPresence - Select an Item -Nazar=Nazareth Visualize=Visualize +Nazar=Nazareth +CraftPresence\ -\ Select\ an\ Item=CraftPresence - Select an Item Long-duration\ Fuel\ Pellet=Long-duration Fuel Pellet Skeleton\ Hand=Skeletal hands Use\ InGame\ Viewer=Use InGame Viewer @@ -2321,10 +2321,10 @@ Multiple\ controllers=Multiple controllers Strong\ attack=Strong attack Stone\ Step=Stone Step Glass=Glass -Crystal\ Bow=crystal bow Sandy\ Jadestone\ Brick\ Slab=Baby Sandy Jade -An\ elusive\ flower\ by\ the\ name\ of\ the\ $(item)Black\ Lotus$(0)\ exists;\ however,\ it\ is\ not\ known\ to\ grow\ or\ reproduce.\ There\ are\ no\ known\ sources\ of\ the\ Lotus\ at\ this\ time.$(p)It\ is\ known,\ however,\ that\ each\ bloom\ contains\ a\ good\ deal\ of\ concentrated\ $(thing)Mana$(0)\ that\ can\ be\ released\ by\ dissolving\ it\ inside\ a\ non-empty\ $(l\:mana/pool)$(item)Mana\ Pool$(0)$(/l).\ Just\ throwing\ it\ in\ will\ do.=It&\#39;s called an elusive flower$(Object) Black Lotus$(0) ann; However, it is not known whether it grew or reproduced. There are currently no known Lotus sources.$(p) However, it is known that every flower contains a large amount of concentration.$(product) heart$(0) It can be solved by dissolving in air$(l\: mother / pool)$(Item) Mana pool$(0)$(/ l). Just throw it away and go. +Crystal\ Bow=crystal bow Arrow\ of\ Healing=With the boom in the healing process +An\ elusive\ flower\ by\ the\ name\ of\ the\ $(item)Black\ Lotus$(0)\ exists;\ however,\ it\ is\ not\ known\ to\ grow\ or\ reproduce.\ There\ are\ no\ known\ sources\ of\ the\ Lotus\ at\ this\ time.$(p)It\ is\ known,\ however,\ that\ each\ bloom\ contains\ a\ good\ deal\ of\ concentrated\ $(thing)Mana$(0)\ that\ can\ be\ released\ by\ dissolving\ it\ inside\ a\ non-empty\ $(l\:mana/pool)$(item)Mana\ Pool$(0)$(/l).\ Just\ throwing\ it\ in\ will\ do.=It&\#39;s called an elusive flower$(Object) Black Lotus$(0) ann; However, it is not known whether it grew or reproduced. There are currently no known Lotus sources.$(p) However, it is known that every flower contains a large amount of concentration.$(product) heart$(0) It can be solved by dissolving in air$(l\: mother / pool)$(Item) Mana pool$(0)$(/ l). Just throw it away and go. Showing\ smokable=Shaw Smoking 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\!$() Gem\ Socket=Save the socket @@ -2333,8 +2333,8 @@ Lead=Guide Red\ Stained\ Glass=Red The Last Encoded\ Pattern=Encoded Pattern Cadmium\ Plate=Cadmium plate -Rod\ of\ the\ Highlands=Low ground strain The\ maximum\ y-coordinate\ at\ which\ type\ 2\ caves\ can\ generate.=The maximum y-coordinate at which type 2 caves can generate. +Rod\ of\ the\ Highlands=Low ground strain Light\ Gray\ Neon=neon light gray Corporea\ Index=Company index Show/Hide\ TrashSlot=Show / hide trash space @@ -2342,8 +2342,8 @@ SmallEnderman\ the\ Sorcerer=Little Ender Warlock Click\ back\ to\ cancel=Click back to cancel Maximum\ player\ elytra\ speed=Top speed for elytra players [ES]\ White\ Mini\ Presents\ Opened=[ES] Mini light white gifts -*\ %s\ %s=* %s %s Swamp\ Cypress\ Slab=Cypress swamp steps +*\ %s\ %s=* %s %s Chile\ Pepper\ Crop=Virgil growing peppers Magenta\ Gradient=Mor Degrade Midori\ Brick\ Slab=Bata Midori @@ -2353,8 +2353,8 @@ Orange\ Amaranth\ Bush=Orange Amaranth Bush MK1\ Circuit=MK1 Circuit Dragon\ Saddle=The saddle of the dragon Soulful\ Prismarine\ Chimney=Soulful Prismarine Chimney -Block\ Colours=Block Colours Hemlock\ Kitchen\ Counter=Hemlock Kitchen Counter +Block\ Colours=Block Colours Synthesis\ Table=Synthetic table Mangrove\ Planks=Mangrove Planks Not\ a\ valid\ number\!\ (Double)=This is not the right number\! (Dual), @@ -2377,9 +2377,9 @@ Snooper\ Settings...=These Settings... 7x7\ (High)=7 x 7 (Height) Hold\ Shift\ for\ item\ details=Hold down Shift to see the details of the item Almost\ Steel\ \!=Near the knife\! -Toggle\ On-Map\ Waypoints=Alternative landmarks on the map -Use\ a\ Campfire\ to\ collect\ Honey\ from\ a\ Beehive\ using\ a\ Bottle\ without\ aggravating\ the\ Bees=Use fire to collect honey from the honeycomb using a bottle free of bees. You\ sketch\ a\ circle,\ filling\ you\ with\ determination=You draw a circle and fill it tightly +Use\ a\ Campfire\ to\ collect\ Honey\ from\ a\ Beehive\ using\ a\ Bottle\ without\ aggravating\ the\ Bees=Use fire to collect honey from the honeycomb using a bottle free of bees. +Toggle\ On-Map\ Waypoints=Alternative landmarks on the map Reset\ (+Dependencies)=Return (+training composition) Cyan\ Terracotta\ Brick\ Stairs=Cyan terracotta brick stairs Stripped\ Blighted\ Balsa\ Log=Bar\u00E7a are stuck in the wrong burn @@ -2388,11 +2388,11 @@ Analog\ Circuit\ Board=Analog circuit board Press\ %s\ for\ Info=Press %s for Info Discord=disharmony Leek=See -Crafting\ $(item)Vials$(0)=art$(Article) bottles$(0) Salteago=Jump +Crafting\ $(item)Vials$(0)=art$(Article) bottles$(0) Scoria=Scoria -Kanthal\ Cable=Kanthal cable Blue\ Nether\ Brick=Blue Nether Brick +Kanthal\ Cable=Kanthal cable Fig=features Curse\ of\ Conductivity=Curse of conductivity Emits\ redstone\ if\ a\ linked\ lift\ has\ it's\ platform.=If the associated elevator has a platform, a red stone will be released. @@ -2402,9 +2402,9 @@ Silent=silent You\ should\ disable\ only\ if\ causing\ problems.=You should only disable it if it causes problems. Stripped\ Crimson\ Hyphae=Striped Red Mycelium Timer=time -Cupronickel\ Plate=Cupronickel plate -Tin\ Crushed\ Dust=Broken comment powder Violecite\ Tiles=Cordierite Bricks +Tin\ Crushed\ Dust=Broken comment powder +Cupronickel\ Plate=Cupronickel plate Tinted\ Ethereal\ Glass=Elegant stained glass Red\ Recessive\ Symbol=Red container symbol Green\ Thing=The Green Stuff @@ -2415,18 +2415,18 @@ Christmas\ Spirit\ -\ Main=main christmas spirit Soot-covered\ Redstone=Soot-covered Redstone The\ cooked\ version\ of\ Pork\ Cuts,\ which\ restores\ more\ hunger=Cooked pork slices can restore hunger. %1$s\ died\ from\ dehydration=%1$s died of dehydration -Holly\ Planks=Holly Planks -Luminous\ Light\ Gray\ Wool=Glossy shiny gray fur -Meteors=Meteors Removed=Removed +Meteors=Meteors +Luminous\ Light\ Gray\ Wool=Glossy shiny gray fur +Holly\ Planks=Holly Planks $(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 Rotate\ Grid=Rotate the mesh Dry\ Bamboo\ Wall=Dry bamboo walls Orange\ ME\ Dense\ Smart\ Cable=Orange ME Dense Smart Cable Alloying\ Bliss=Alloying Bliss Violecite\ Wall=Cordierite Wall -Game\ Rules=The Rules Of The Game Make\ sure\ you\ do\ not\ expose\ a\ secret\ location\!=Do you open hidden places? +Game\ Rules=The Rules Of The Game Small\ Magenta\ Urn=mini magenta urn Floating\ Kekimurus=the kikimoro is swimming Mossy\ Stone\ Step=Mossy stone steps @@ -2434,11 +2434,11 @@ Zombified\ Piglin\ dies=Zombified Piglio mor Purpur\ Stairs=The stairs Acacia\ Shelf=Acacia Shelf Add\ Outpost\ Icy\ To\ Modded\ Biomes=Add a modified oighreat post beam -C418\ -\ mellohi=C418 - mellohi -Asterite\ Shovel=Asterite Shovel Iron\ Ladder=Iron ladder -Alert\ Light\ Level=Alert Light Level +Asterite\ Shovel=Asterite Shovel +C418\ -\ mellohi=C418 - mellohi Enable\ or\ disable\ Netherite\ fishing\ rod=Turn the Netherite fishing rod on or off +Alert\ Light\ Level=Alert Light Level Ancient\ Kraken\ Teeth=Age old octopus Wither\ Skeleton\ rattles=Dried-up skeleton are rattling Purple\ Concrete\ Bricks=Violet concrete bricks @@ -2465,17 +2465,17 @@ Umbrella\ Tree\ Cluster=Umbrella tree cluster \u00A73=\u00A73 Pink\ Glazed\ Terracotta\ Camo\ Door=Pink Glazed Terracotta Camo Door Pink\ Saltire=The Color Of The Blade -Diamond\ Watering\ Can=Diamond sprinkler cans -Cyan\ Shulker\ Block=Cyan created Shulker Teal\ Nether\ Brick\ Stairs=Teal Nether Brick Stairs -4k\ Portable\ Fluid\ Cell=Portable liquid battery 4k +Cyan\ Shulker\ Block=Cyan created Shulker +Diamond\ Watering\ Can=Diamond sprinkler cans This\ block\ is\ not\ a\ screen\!=This blog is not a canvas\! -Slime\ Crown=asphalt crown +4k\ Portable\ Fluid\ Cell=Portable liquid battery 4k Stellum\ Pickaxe=Stellum Pickaxe +Slime\ Crown=asphalt crown Compress\ All=All compressed Enable\ Road\ of\ Resistance=Enable Road of Resistance -Magenta\ Futurneo\ Block=Magenta Futurneo Block Red\ Topped\ Tent\ Pole=Red Topped Tent Pole +Magenta\ Futurneo\ Block=Magenta Futurneo Block Shrimp\ Cocktail=Alfena cocktails Platinum\ Stairs=Platinum Stairs Point\ mode=Point mode @@ -2488,18 +2488,18 @@ Superconductor\ Input\ Hatch=Superconducting input Fog=fog Toggle\ for\ potion\ particles=Replacing the dose molecule Get\ a\ Buffer\ Upgrade=Get a Buffer Upgrade -Logic\ Processor=Logic Processor Oak\ Drawer=Oak Drawer +Logic\ Processor=Logic Processor Grants\ all\ players\ within\ a\ claim=Awarded to all players in need Foo=Foo Pink\ Sofa=Pink Sofa -Fox=Forest Bottom\ Left\ /\ Right=Bottom Left / Right +Fox=Forest Terrain\ Depth=Terrain Depth -Brown\ Pale=Light brown Faux\ Dragon\ Scale=Faux Dragon Scale -Gravel=Shot +Brown\ Pale=Light brown 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. +Gravel=Shot Generation\ Rate\ Night=Generation Rate Night Dunes=Dunes Block\ of\ Cookie=Block of Cookie @@ -2533,8 +2533,8 @@ B-Rank\ Materia=B Rang Materia This\ Boat\ Has\ Legs=This Is The Boat, The Feet Of TheThis Crystal Cube is locked. To change the displayed item, unlock it with a Wand of the Forest.\=This crystal is blocked. Unlock the pass staff to change items displayed. Witch-hazel\ Fence=Witch-hazel Fence Bat\ screeches=Knocking noise -Dragon's\ Blood\ Trapdoor=Dragon blood trap Lemon\ Coconut\ Bar=Lemon coconut bar +Dragon's\ Blood\ Trapdoor=Dragon blood trap Quantum\ Storage\ Unit=Quantum Storage Unit You\ not\ have\ permission\ to\ use\ this\ command=You not have permission to use this command Gray\ Tent\ Top\ Flat=Gray Tent Top Flat @@ -2550,18 +2550,18 @@ Chisel\ Recipes=chisel formula Left\ click\ to\ switch\ to\ %s=Left click to change %s Generators=Generators Cosplay=Disguise -Oh\ hey,\ Loki=Oh Hug Rocky Obsidian\ Pillar=Obsidian Pillar +Oh\ hey,\ Loki=Oh Hug Rocky Cypress\ Door=Cypress door -Green\ Glowshroom\ Brick\ Stairs=Green brick staircase Transmuting\ mundane\ flowers=flowered +Green\ Glowshroom\ Brick\ Stairs=Green brick staircase Polished\ Granite\ Slab=The Slab Of Polished Granite Disable\ if\ this\ is\ a\ simple\ server\ with\ a\ single\ world\ (no\ separate\ lobby,\ game\ mode,\ or\ minigame\ worlds).\ Multiworld\ detection\ will\ cause\ only\ issues\ on\ such\ servers.\ However,\ installing\ this\ mod\ on\ the\ server\ side\ should\ prevent\ these\ issues.=If it is a single world server (no separate lobby, game mode or mini game world), disable it. Multiple world detection only causes problems on these servers. However, installing this mod on the server side can avoid these problems. A\ cable\ which\ transports\ $(thing)energy$();\ no\ buffering\ or\ path-finding\ involved.=A cable which transports $(thing)energy$(); no buffering or path-finding involved. Advanced=Advanced -Crimson\ Barrel=Crimson Barrel -HE\ Mox\ Nugget=HE Mox Nuggets Poor\ man's\ silk\ touch=The Touch of the Poor Man&\#39;s Silk +HE\ Mox\ Nugget=HE Mox Nuggets +Crimson\ Barrel=Crimson Barrel Blue\ Orchid\ Pile=Asteliaceae blue mountain Cooked\ Cod\ Filet=Cooked cod fillet Nether\ Bristle=Nether Bristle @@ -2574,8 +2574,8 @@ Azure\ Jadestone\ Tiles=Emerald Tile Friendly\ Mobs=Friendly Mobs Successfully\ saved\ block\ pos\!=Lock Saved Position Successfully\! Acacia\ Cross\ Timber\ Frame=Acacia Cross Timber Frame -Drowned\ gurgles=Drowning gurgles Gray\ Sword=Gray and Sword +Drowned\ gurgles=Drowning gurgles Destroy\ a\ Ghast\ with\ a\ fireball=To destroy a Ghast with a fireball Lunum\ Machete=Lunam Machete Type\ 1\ Cave\:\ Wooden\ Planks=Type 1 Cave\: Wooden Planks @@ -2589,8 +2589,8 @@ Minecart\ with\ Command\ Block=Minecart with Command Block Toggle\ InventoryHUD\ on/off=Enable/disable InventoryHUD Note\ to\ translators\:\ DO\ NOT\ COPY\ ENTRIES\ FROM\ ENGLISH=Note to translators\: do not copy English posts Pink\ Glowcane\ Dust=Pink Glowcane Dust -Acacia\ Glass\ Door=Acacia Glass Door Mushroom\ Stem\ Brick\ Stairs=Brick Stairs with Mushroom Stem +Acacia\ Glass\ Door=Acacia Glass Door Crafting\ the\ $(item)Runic\ Altar$(0).=its structure$(Subject) runic altar$(0\uFF09\u3002 %s\ Chair=%s Chair Calcite\ Dust=Calcite Dust @@ -2668,8 +2668,8 @@ Purified\ Gold\ Ore=Purified Gold Ore Use\ this\ if\ something\ is\ broken.\ This\ initiates\ the\ regeneration\ of\ the\ cache=If a malfunction occurs, use this function. This will begin to rebuild the cache. \u00A77\u00A7o"Who's\ the\ one\ flying\ now,\ huh?"\u00A7r=\u00A77\u00A7o"Who's the one flying now, huh?"\u00A7r Frost\ Walker\:\ Necklace\ Edition=Frost Walker\: Temple Editing -Azure\ Jadestone\ Pressure\ Plate=Azure Emerald Press Plate Find\ a\ tree=If you want to find the +Azure\ Jadestone\ Pressure\ Plate=Azure Emerald Press Plate Tourmaline\ Machete=tourmaline a machete Gave\ [{item_name}\u00A7f]\ x{item_count}\ to\ {player_name}.=Gave [{item_name}\u00A7f] x{item_count} to {player_name}. Leave\ and\ Discard\ Report=Report and reject @@ -2723,8 +2723,8 @@ Liquid\ Creative\ Mode=Liquid supply mode Chorusy\ End\ Stone\ Bricks=Complete Vata End Horusi R-Click\ empty\ slot\ w/\ shulker\ to\ extract\ item=A. Click on the empty slot along with the shuker to get the item [ES]\ Pumpkin\ Mini\ Chests\ Opened=[ES] They opened the little pumpkin box -Stellum\ Machete=Sterling machete Was\ the\ first\ item\ eated.=Eating the first item. +Stellum\ Machete=Sterling machete Toxic\ Mud\ Bucket=Toxic Mud Bucket Blighted\ Balsa\ Button=Barcelona light button Pink\ Fish=red snapper @@ -2734,8 +2734,8 @@ Seasonal\ Taiga\ Hills=Seasonal Taiga Hills 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. -Aspen\ Table=Aspen on the table Machetes=Macheter +Aspen\ Table=Aspen on the table Rotate\ Grid\ (CCW)=Grid Rotation (CCW) How\ about\ a\ hammer\ instead?=How about a hammer instead?How different sized tooltips align with each other\=As a result, for six hundred and fifty tooltip talents Adorn+EP\:\ Kitchen\ Cupboards=Adorn+EP\: Kitchen Cupboards @@ -2764,18 +2764,18 @@ Automatic\ saving\ is\ now\ disabled=Auto-registration is disabled Piglin\ celebrates=Piglio, and the eu is committed to [\ F4\ ]=[ F4 ] Note\ Head=Headline -Creeper\ Spawn\ Egg=Creeper Spawn Vejce Renewed\ automatically\ in=This often means that the +Creeper\ Spawn\ Egg=Creeper Spawn Vejce Enable\ Quartz\ Canyon\ Biome=Quartz movement canyon football biome Pine\ Shrub\ Log=brand Talked\ with\ Goblins=Talk to the orcs -Gave\ %s\ experience\ points\ to\ %s\ players=Given %s experience shows that %s player Sandwichable=Sandwichable +Gave\ %s\ experience\ points\ to\ %s\ players=Given %s experience shows that %s player Japanese\ Maple\ Pressure\ Plate=Japanese maple pressure plate Hi-hat=Hello hat Nutmeg\ Sapling=nutmeg -Cranberry\ Seeds=Cranberry seeds Fire\ Protection=Fire safety +Cranberry\ Seeds=Cranberry seeds Stripped\ Bamboo\ Chest\ Boat=Bamboo hull boat Shulkren\ Forest=Adhmad Shulkren Univite\ Boots=Univite Boots @@ -2785,12 +2785,12 @@ Player\ Head\ Names=Player Head Names Industrial\ Jackhammer=Industrial Jackhammer Potted\ White\ Cherry\ Oak\ Sapling=Potted White Cherry Oak Sapling Sandwich\ Base\ Eating\ Time=Sandwich Base Eating Time -Dummy=phantom \u00A75\u00A7oGenerates\ 0.2\ Basalt\ per\ second=\u00A75\u00A7oEarn 0.2 Basalt per Second +Dummy=phantom Enable\ Global\ Whitelist=Enable Global Whitelist -Pink\ Stone\ Bricks=Pink Stone Bricks -Print\ Screen=Screen printing White\ Beveled\ Glass\ Pane=White Beveled Glass Pane +Print\ Screen=Screen printing +Pink\ Stone\ Bricks=Pink Stone Bricks Embur\ Shelf=Rak Enbur Cloak\ of\ Sin\ activates=Mantle of sin activated Tenanea\ Stairs=Tenanea Hagdan @@ -2808,8 +2808,8 @@ The\ $(item)Rune\ of\ Wrath$(0).=East$(Item) Anger Rune$(0). Ice\ Brick\ Wall=Ice brick wall Yellow\ Snout=The Yellow Metal Checkbox\:\ %s=checkbox\: %s -Mossy\ Glowshroom\ Fence=Fence mossy jelly house Yellow\ Slime=yellow mud +Mossy\ Glowshroom\ Fence=Fence mossy jelly house Electronic\ Circuit\ Board=Electronic board Config=The input Mossy\ Glowshroom\ Fur=Oulu Firefly Moose @@ -2841,15 +2841,15 @@ Who\ you\ gonna\ call?=Who should I call you? Disabled\ Item=Disabled Item Gray\ Shulker\ Box=Box, Gray, Printer Shulk Redwood\ Kitchen\ Sink=Redwood Kitchen Sink -Steel\ Barrel=Steel tank Walk\ Forwards=Before You Go +Steel\ Barrel=Steel tank Comparator\ Mode=Comparator Mode Green\ Glazed\ Terracotta\ Camo\ Door=Green Glazed Terracotta Camo Door Saves\ all\ quest\ bag\ rewards\ to\ a\ JSON.=Saves all quest bag rewards to a JSON. I/O=I / O Failed\ to\ open\ REI\ config\ screen=Failed to open REI config screen -Adorn=Adorn Flowering\ Azalea\ Leaves=Azalea Leaves Bloom +Adorn=Adorn Gray\ Stone\ Brick\ Stairs=Gray brick staircase Green\ Stained\ Glass\ Slab=Green glass panels LE\ Uranium\ Dust=LE . uranium powder @@ -2866,29 +2866,29 @@ Do\ not\ use\ stocked\ items,\ only\ craft\ items\ while\ exporting.=Do not use Manaweave\ armor\ rustles=Rusty Manweave Armor Lusitanic\ Shield=Lucitanic Shield Stripped\ Juniper\ Log=Save a juniper from being robbed. -Entangled\ Chest=Entangled Chest Vein\ Goblin\ Trader=Venous Goblin Merchant +Entangled\ Chest=Entangled Chest Embur\ Platform=Terrace empore Arrow\ of\ Slowness=Arrow low You\ have\ %s\ party\ [[invite||invites]]=You have %s party [[invite||invites]] Bee\ Plushie=doll bee -LAN\ World=LAN Svete Standard\ Search=Standard Search +LAN\ World=LAN Svete Source\ Stone=rock origin Jungle\ Bench=jungle seat Electric\ Macerator=Electric grinder -Helium3=Helium3 -Red\ Base=Rote Basis Skin\ Customization...=The Adaptation Of The Skin... -Blocked=Blockage -Prevent\ Cascading\ Gravel=Prevent Cascading Gravel +Red\ Base=Rote Basis +Helium3=Helium3 Waypoints\ Scale=Waypoints Scale +Prevent\ Cascading\ Gravel=Prevent Cascading Gravel +Blocked=Blockage Crystal\ Obsidian\ Furnace=Crystal Obsidian Furnace 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.Send command feedback\=To send your comments Still\ apply\ I-Frames\ to\ players=Continue to use i-frames in players Lingering\ Potion\ of\ Harming=Fixed potion of damage -LibreTranslate=free translation Terminite\ Hoe\ Head=Finish the hoe head +LibreTranslate=free translation Always\ Disabled=always close No\ Selection=They have no other choice Brown\ Concrete\ Column=Brown concrete column @@ -2908,8 +2908,8 @@ Mossy\ Stone\ Brick\ Platform=Mossy Stone Brick Platform Get\ Nikolite\ Ingot=Get Nikolite Ingot Univite\ Hoe=Univite Hoe Blue\:\ %s\ /\ %s=Blue\: %s / %s -Catch\ a\ Seaweed\ Eel\ while\ fishing.=And eel in fishing game. Electrum=Electrum +Catch\ a\ Seaweed\ Eel\ while\ fishing.=And eel in fishing game. Leatherworking=leather work Pillager\ Outpost=Beliger Outpost Snowy\ Evergreen\ Taiga=Snowy Evergreen Taiga @@ -2917,8 +2917,8 @@ Get\ in\ a\ Boat\ and\ float\ with\ a\ Goat=Swim with the goats on a boat Extracting=Extraction of the Fire\ crackles=O fogo crackles Charred\ Wooden\ Stairs=Charred Wooden Stairs -Changed\ Tweaker\ subset\!\ Reloading...=Changed Tweaker subset\! Reloading... Disable\ raids=Newsmore raid +Changed\ Tweaker\ subset\!\ Reloading...=Changed Tweaker subset\! Reloading... Virid\ Jadestone\ Button=Shiny green jade stone button Zelkova\ Wall=Zelkova Wall Horizontal\ Wall=horizontal wall @@ -2931,8 +2931,8 @@ Allows\ you\ to\ change\ the\ maximum\ distance\ for\ shadows.\ Terrain\ and\ en Heat\ Coil=Hot coil Shows\ you\ the\ coordinates\!=Shows you the coordinates\! Water\ Wooden\ Bucket=Water Wooden Bucket -Rose\ Quartz\ Slab=Rose quartz slabs Times\ Used=This Time Is Used +Rose\ Quartz\ Slab=Rose quartz slabs 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. @@ -2945,17 +2945,17 @@ Lingering\ Potion\ of\ Slow\ Falling=The balance of the wine is slowly Decreasin Green\ Dominant\ Symbol=Green key symbol End\ Lotus\ Planks=Late shower Shale\ Oil=shale oil -Collect\:\ Endorium\ Sword=Collect\: Endorium Sword -Magitek\ Armor\ Stack=Magitek Armor Stack Temperature\ boost=Temperature boost +Magitek\ Armor\ Stack=Magitek Armor Stack +Collect\:\ Endorium\ Sword=Collect\: Endorium Sword Gray\ Stained\ Pipe=Gray Stained Pipe Game\ over\!=The game is over\! End\ Shipwreck\ Spawnrate=End Shipwreck Spawnrate Choose\ a\ Preset=I read the preset Wings\:\ The\ One=Wing\: 1 HUD=SKIN -Mature=Mature World\ name=Name +Mature=Mature Cooked\ Uncooked\ Steel\ \!=Bake some raw steel\! Stripped\ Witch\ Hazel\ Wood=Witch Witch Witch Witch Witch Witch The\ date\ format\ used\ in\ timestamps.=The date format used in timestamps. @@ -2966,8 +2966,8 @@ 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. Smaragdant\ Crystal\ Shard=Emerald crystal shards \u2460\u2460\u2461=\u2460\u2460\u2461 -Drum\ thumps=drumbeats \u2460\u2460\u2460=\u2460\u2460\u2460 +Drum\ thumps=drumbeats Iron\ Nugget=Iron, Gold, Redstone\ Plate=Redstone Plate Crate\ of\ Carrots=Crate of Carrots @@ -2975,8 +2975,8 @@ Inverted\ Magnet\ Ring\ Controls=Inverted Magnetic Ring Check Zucchini\ Crop=Zucchini plant Cactus\ Paste\ Block=Cactus block &modcount&\ Mod(s)=&modcount& Mod(s) -Relieve\ a\ Blaze\ of\ its\ rod=Facilitate fire rods Toggle\ In-Game\ Waypoints=Create channels in the game +Relieve\ a\ Blaze\ of\ its\ rod=Facilitate fire rods Diamond\ Ore=Diamond Ore Zelkova\ Crafting\ Table=Zelkova Crafting Table Lots\ of\ new\ banner\ patterns=Many new banner templates @@ -2991,14 +2991,14 @@ Loading\ of\ worlds\ with\ extended\ height\ is\ disabled.=Ground loads with gre Crimson\ Wall\ Sign=Dark Red Wall Of The Session Saguaro\ Cactus\ Sapling=Opuntia cactus saplings Light\ Blue\ Dispersive\ Symbol=blue scatter symbol -Bulbis\ Crafting\ Table=Lamp Craft Board Magenta\ Tapestry=Irish Yellow Dress -Bountiful=Generous +Bulbis\ Crafting\ Table=Lamp Craft Board Potted\ Swamp\ Cypress\ Sapling=Sapling Pots Swamp Cypress +Bountiful=Generous Craft\ a\ Conjuring\ Scepter=Cast a Scepter spell 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 Receiving\ Regex\ Is\ Blacklist=Regex recipients are blacklisted +Piglin\ retreats=Piglin pensions No\ need\ for\ Sodium\ anymore=No sodium required. Fishing\ Bobber\ splashes=Ribolov Flasher Zagon It\ would\ be\ Ethereal\ but\ the\ name\ was\ taken=Ethereal bheadh \u200B\u200Bann, ach togadh and t-ainm @@ -3010,8 +3010,8 @@ Weeping\ Witch\ Clearing=Weeping Witch Clearing \u00A79Chunk\ Radius\:\ =\u00A79Chunk Radius\: Flint=Flint Juniper\ Chest=Juniper box -Upgraded\ chunks\:\ %s=Updated components\: %s Waxed\ Cut\ Copper=waxed copper parts +Upgraded\ chunks\:\ %s=Updated components\: %s Worldgen\ Flower\ Tall\ Chance=Opportunity of great worldwide interest Input/Output\ Mode=Input/Output Mode Light\ Detecting\ Fixture=Light Detecting Fixture @@ -3041,8 +3041,8 @@ Inkybun\ the\ Master=Main ink \u2462\u2462\u2462\u2462=\u2462\u2462\u2462\u2462 Willow\ Button=Willow Button Enable\ Individual\ Ore\ Generation=Produce one mineral -%s\ EU/t=%sEmission / acoustic indeed tonagium Fishing\ Machine\ MK2=Fishing Machine MK2 +%s\ EU/t=%sEmission / acoustic indeed tonagium Get\ a\ Farmer=Get a Farmer Fishing\ Machine\ MK4=Fishing Machine MK4 Fishing\ Machine\ MK3=Fishing Machine MK3 @@ -3056,28 +3056,28 @@ Embur\ Drawer=Embur drawer Bamboo\ Boat=bamboo boat Peridot\ AIOT=Peridot AIOT Wanna\ Sprite\ Cranberry?=Want a cranberry sprite? -Advanced\ Battery=Advanced Battery Cheese\ Slice=Cheese Slice +Advanced\ Battery=Advanced Battery Large\ Tiles\ Bismuth=Large bismuth style Oak\ Log=Oak Log Building\ Blocks\ \u00A73(Blockus)=Building Blocks \u00A73(Blockus) Pixie\ Boogaloo=bugaru elf Zigzagged\ Nether\ Bricks=Zigzagged Nether Bricks -Light\ Gray\ Sleeping\ Bag=Gray sleeping bag The\ difficulty\ did\ not\ change;\ it\ is\ already\ set\ to\ %s=The complexity hasn't changed, and it is registered in the %s +Light\ Gray\ Sleeping\ Bag=Gray sleeping bag Splash\ Potion\ of\ Weakness=A Splash potion of weakness -Craft\ a\ Stainless\ Steel\ Ingot=Manufacture of stainless steel ingots Who\ carries\ it\ shall\ not\ be\ targeted\ by\ slimes.=Whoever holds it will not be the slime&\#39;s target. +Craft\ a\ Stainless\ Steel\ Ingot=Manufacture of stainless steel ingots Core\ of\ Zephyr=The nature of Zephyr Find\ a\ Tower\ in\ the\ Ocean...just\ with\ Corals=Find a tower in the ocean... but it has coral reefs Light\ Blue\ Field\ Masoned=Purple Field From The Bricks Under The Earth Pink\ Present=roses and gifts -Purple\ Carpet=On The Purple Carpet Calms\ attacking\ Piglins\ when\ Player\ gets\ close=Attack Piglins quietly as players approach. +Purple\ Carpet=On The Purple Carpet Code\ Bible=Code Bible Green\ Stone\ Bricks=Green Stone Bricks -Aquilorite\ Ore=Aquilorite Ore Retain\ number\ of\ missing\ items=Keep the number of missing pieces +Aquilorite\ Ore=Aquilorite Ore Aspen\ Post=Aspen Post Changed\ the\ render\ type\ of\ objective\ %s=The target type will be changed %s Lime\ Fluid\ Pipe=Tube of liquid lime @@ -3106,16 +3106,16 @@ Purple\ Per\ Fess=Lila Fess Steel\ Upgrade=steel improvement Fire\ Prismarine=Fiery sea prism 1k\ ME\ Storage\ Component=1k ME Storage Component -Lime\ Chief=Lime Male. Decrees=statute +Lime\ Chief=Lime Male. Blighted\ Cobblestone=Cobblestones destroyed Be\ rewarded\ The\ Fruit\ of\ Grisaia\ for\ a\ heroic\ feat=Receive the Fruit of Grisaia as a reward for your heroic achievements. Panda's\ nose\ tickles=The Panda's nose, tickle Outrage=attack Networking\ Switchboard=Networking Switchboard Chorus\ Flower=[Chorus] The Flower -Behaves\ like\ a\ Looting\ enchantment.=It works like a loot spell. The\ $(item)Cloaks\ of\ Judgement$(0)\ are\ a\ set\ of\ cloaks\ that\ can\ be\ worn\ in\ the\ $(thing)Body$(0)\ $(thing)Trinket$(0)\ slot.\ A\ Cloak\ will\ trigger\ its\ power\ when\ its\ wearer\ takes\ damage,\ but\ afterward\ will\ go\ into\ a\ ten-second\ recharge\ period.=at the$(point) The mantle of justice$(This scarf can be worn in 0).$(What) home$(0)$(goods) Keychains$(0) Location. When it hits the user, the flap releases its power, but then enters a 10-second charging period. +Behaves\ like\ a\ Looting\ enchantment.=It works like a loot spell. Cyan\ Creeper\ Charge=Blue Creek Kostenlos Redstone\ Ready=Redstone Pripravljen Fuel\ Mixer=Fuel Mixer @@ -3128,8 +3128,8 @@ FOV\ Effects=FOV Effects Ice\ Skates=ice skating Always\ On=Always On Rocky\ Beach=Rocky Beach -Position\ Y=Position Y Formation\ Core=Formation Core +Position\ Y=Position Y Load\ the\ given\ quest\ line\ into\ HQM.=Load the given quest line into HQM. Position\ X=Position X Metamorphic\ Forest\ Stone\ Brick\ Stairs=Metamorphic Waldstein tile stairs @@ -3137,16 +3137,16 @@ Set\ Console\ Command\ for\ Block=To configure the shell to the interior Vinculotus=vinculotus Stripped\ Warped\ Hyphae=Their Distortion Of The Structure, Hat=Auf -Desalinator\ powers\ down=The machine came out of the water. Awkward\ Lingering\ Potion=Uncomfortable For A Long Time In A Decoction Of +Desalinator\ powers\ down=The machine came out of the water. ID\:=ID card; Insertion\ points\:=Insertion points\: -Higher\ friction\ values\ decrease\ velocity\ interpolation.=Higher friction values decrease velocity interpolation. Light\ Blue\ Base\ Indented=Blue Light Key Blank +Higher\ friction\ values\ decrease\ velocity\ interpolation.=Higher friction values decrease velocity interpolation. Witherproof\ Block=anti aging blog Orange\ Tent\ Side=Orange Tent Side -Crate\ of\ Apples=Crate of Apples Mushroom\ Stem=The Mushroom Stem +Crate\ of\ Apples=Crate of Apples Mushroom\ Stew=The Mushrooms In The Sauce Enter\ a\ Stonebrick\ Stronghold=Enter a Stonebrick Stronghold Binding=Restriction @@ -3195,12 +3195,12 @@ Wish\ upon\ a\ star=wish in the stars %s\ [[quest||quests]]\ including\ invisible\ ones=%s [[quest||quests]] including invisible ones Please\ wait\ for\ the\ realm\ owner\ to\ reset\ the\ world=Please wait for the kingdom of the owner, in order to restore the world Witch\ Hazel\ Platform=Hazel Witch Terrace -Cika\ Fence=Cika Fence Framing\ the\ bricks=Build a brick frame +Cika\ Fence=Cika Fence End\ Machete=knife tip To\ tell\ the\ $(item)Corporea\ Funnel$(0)\ what\ to\ request,\ place\ the\ item\ in\ an\ $(item)Item\ Frame$(0)\ on\ the\ block;\ if\ more\ than\ one\ $(item)Item\ Frame$(0)\ is\ on\ the\ block,\ the\ $(item)Corporea\ Funnel$(0)\ will\ pick\ one\ at\ random.$(p)Rotating\ the\ item\ in\ the\ frame\ will\ change\ the\ request\ quantity;\ at\ default\ rotation\ the\ funnel\ will\ request\ one\ item,\ and\ rotations\ will\ respectively\ make\ the\ funnel\ request\ 2,\ 4,\ 8,\ 16,\ 32,\ 48,\ and\ 64\ items.=tell me$(Item) Funnel Corporation$(0) what to ask for, the object$(project) project framework$(0) in the block; if more than one$(Item) Purpose Box$(0) is in the block.$(Article) Korea Funnel$(0) Select randomly.$(p) Rotating the items in the box will change the number of requests. By rotation, by default, the channel requests a position, and rotations are reported to the channel for positions 2, 4, 8, 16, 32, 48, and 64, respectively. -Steel\ Machine\ Casing=Steel case Thorn\ Chakram\ thrown=Thorn Chakra +Steel\ Machine\ Casing=Steel case Therium\ Shard=Cerium Fragment Floating\ Dandelifeon=Dandelion float Japanese\ Maple\ Leaves=Japanese maple leaves @@ -3255,11 +3255,11 @@ Gingerbread\ Snowman=ginger ice This\ is\ an\ example\ tooltip.=For example, the tool tip will be displayed. Prevents\ any\ types\ of\ shaders\ from\ loading=It is forbidden to download any kind of shading Honey\ Block=Honey, A Block Of -Light\ Blue\ Elevator=Light Blue Elevator No\ entry\ was\ found\ for\ that\ player.=No entry was found for that player. +Light\ Blue\ Elevator=Light Blue Elevator Purple\ Candle=purple candle -Anthermite=anther View\ and\ request\ items\ from\ a\ Corporea\ network=View and request articles from the corpus network +Anthermite=anther Traced\ %s\ commands\ from\ %s\ functions\ to\ output\ file\ %s=Hint %s order %s Output file function %s Flying\ is\ not\ enabled\ on\ this\ server=The fights are banned from the server Advanced\ Energy\ Cable=Advanced Energy Cable @@ -3271,12 +3271,12 @@ Makes\ mobs\ that\ burn\ in\ sunlight\ burn\ constantly=The crowd is constantly World\ Specific\ Resources=Council asset Magenta\ Terracotta\ Camo\ Door=Magenta Terracotta Camo Door Export\ Map\ as\ PNG=Export map as PNG -1x\ Compressed\ Gravel=1x Compressed Gravel Open\ Crate=Open the box +1x\ Compressed\ Gravel=1x Compressed Gravel No\:\ Only\ extractable\ items\ will\ be\ visible.=No\: Only extractable items will be visible. Black\ Concrete\ Powder=Black Cement Powder -Fishing\ Bobber=Fishing On The Float Tungsten\ Dust=Tungsten Dust +Fishing\ Bobber=Fishing On The Float Pink\ Concrete\ Bricks=Pink concrete brick Passive\:\ Boing\!=Passive cooking\! Netherrack\ Camo\ Trapdoor=Netherrack Camo Trapdoor @@ -3284,8 +3284,8 @@ Temperature=Temperature Load\ New\ Chunks=Load New Chunks Mountain\ Petal\ Apothecary=mountain petal pharmacy Witch-hazel\ Stairs=Witch-hazel Stairs -Molten\ Lead\ Bucket=Bucket of molten lead Water\ Bucket=Hot Water +Molten\ Lead\ Bucket=Bucket of molten lead Added\ modifier\ %s\ to\ attribute\ %s\ for\ entity\ %s=Added %s include %s people %s Infested\ Cobblestone=Walk On The Sidewalk Gold\ Chunk=Gold Chunk @@ -3321,8 +3321,8 @@ Red\ Per\ Bend\ Sinister=First Red To Do It Right Tube\ Coral\ Wall\ Fan=The Fan In The Tube Wall Of Coral Netherite\ Leggings=Netherite Dokolenke Not\ a\ valid\ number\!\ (Integer)=This is not the right number\! (Integer) -Foreman=foreman Minimum\ data\ gain\ per\ kill=Minimum data gain per kill +Foreman=foreman Snail=snail Show\ Conflicts=Show Conflicts Steel\ Large\ Plate=A large steel plate @@ -3336,8 +3336,8 @@ Palm\ Kitchen\ Counter=Palm kitchen counter Master\ Volume=Captain Tom's Red\ Slime\ Block=Red Slime Block Can\ be\ found\ in\ the\ end=can be found at the end -Fluix\ Seed=Fluix Seed Gray\ Coffin=Petty gray +Fluix\ Seed=Fluix Seed Lime\ Terracotta\ Camo\ Door=Lime Terracotta Camo Door Quantum\ Solar\ Panel=Quantum Solar Panel Show\ Instrument\ and\ Note=View instruments and notes @@ -3347,8 +3347,8 @@ Last\ Stand=last, last, last Selected=This protection Infrared\ Module=Infrared Module Scale\ of\ the\ in-game\ waypoint\ icons.=Climb on the waypoint icon in the game. -Luminous\ White\ Wool=bright white wool Red\ Concrete\ Camo\ Door=Red Concrete Camo Door +Luminous\ White\ Wool=bright white wool Blue\ Insulated\ Wire=Blue Insulated Wire Players=Player Speaker=Speaker @@ -3372,8 +3372,8 @@ Black\ Potato\ Face=black potato face Bounties\ Completed\ (Rare)=Complete the bounty mission (rare) Blunite\ Slab=Blunite plate Sulfuric\ Rock\ Bricks=sulfas tiles -Gray\ Shimmering\ Mushroom=gray shiny mushroom Polarizer=Polarizer +Gray\ Shimmering\ Mushroom=gray shiny mushroom $(o)Every\ rose\ has\ its\ thorn$().=$(o) All roses have thorns$(). Wisteria\ Pressure\ Plate=Wisteria pressure plate Action-bar-like\ system\ of\ key\ bindings\ that\ lets\ you\ automatically\ use\ a\ specified\ item\ from\ your\ hotbar\ without\ having\ to\ switch\ away\ from\ your\ currently\ held\ item.\ Holding\ the\ key\ binding\ 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.=A system similar to a keyboard shortcut activity bar that allows you to automatically use an item that defines the shortcut bar without changing the currently existing item. By holding down the key you can continue to use the item as if you were holding down the right mouse button. For example\: planting lentils, TNT, throwing filters, eating food, drinking. @@ -3389,8 +3389,8 @@ Potted\ Barrel\ Cactus=Barrel Cactus Starting\ minigame...=The Mini-games, and so on and so forth. Crate\ of\ Pumpkin\ Seeds=Crate of Pumpkin Seeds Summon\ Leonard=Summon Leonard -Create\ new=Create new Death\ Log\ Screen=Dead log screen +Create\ new=Create new Better\ than\ Solar\ Panels=On solar panels Nitrodiesel=Nitrodiesel Hud=Hud @@ -3401,8 +3401,8 @@ Plum\ Crop=Plum harvest Lapis\ Dust=Lapis Dust false=false Use\ book\ as\:\ %s=Use book as\: %s -Corporea\ Brick\ Slab=Body brick slabs Nuclear\ Alloy\ Plate=Core alloy sheet +Corporea\ Brick\ Slab=Body brick slabs Spawn\ King\ Egg=Lay egg king Chiseled\ Dark\ Prismarine=Brismarin has dark engraving Freezing\ colors=Cool colors @@ -3418,18 +3418,18 @@ Enable\ Ash\ Fall=Enable ash fall Glowpunk=Evil light generate\ underneath\ campfire=Create under fire Kamui\ Eye=Kamuis eye -Cyan\ Beveled\ Glass\ Pane=Cyan Beveled Glass Pane Spruce\ Barrel=Spruce Barrel +Cyan\ Beveled\ Glass\ Pane=Cyan Beveled Glass Pane 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 Social\ Interactions=Social interaction Sakura\ Shelf=Sakura Shelf -Magenta\ Concrete\ Column=Column and cyan Mars\ Essentia\ Bucket=Mars, gives an explanation of the unity of Ember +Magenta\ Concrete\ Column=Column and cyan Panda=White -Light\ Blue\ Concrete\ Camo\ Door=Light Blue Concrete Camo Door Recipe\ Screen\ Type\ Selection=Recipe Screen Type Selection +Light\ Blue\ Concrete\ Camo\ Door=Light Blue Concrete Camo Door Waxed\ Exposed\ Copper\ Button=Brass exposed wax knob Spawn\ Settings=Build Settings Maple\ Sapling=Maple Sapling @@ -3479,8 +3479,8 @@ Compact\ blaze\ rod\ storage\ and\ renewable\ obsidian\ source=Store compact fla \u2460\u2460\u2460\u2460\u2460=\u2460\u2460\u2460\u2460\u2460 Warped\ Village\ Spawnrate=Warped Village Spawnrate Lime\ Concrete\ Column=Orange concrete columns -Make\ Sub-World\ Auto=Create semi-automatic public Right-click\ to\ bind\ to\ this\ position=Right click to link this location. +Make\ Sub-World\ Auto=Create semi-automatic public Golden\ Pickaxe=Golden Shovel Chest\ equips=Chest adjustment Copper\ Excavator=Copper Excavator @@ -3489,13 +3489,13 @@ A\ $(item)Corporea\ Spark$(0)\ can\ see\ the\ inventory\ directly\ beneath\ it,\ 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 +Crafting\ Table\ Slab=Crafting Table Slab Snake=a snake Fusion\ and\ The\ Furious=Fusion and The Furious Scale=Scale -Refill\ when\ using\ items=Refill when using items Ring\ of\ Thor=Thors . ring +Refill\ when\ using\ items=Refill when using items Large\ Planks=Slabs Block\ of\ Raw\ Iridium=Raw iridium block Capybara\ hurts=kapibara lara @@ -3505,10 +3505,10 @@ Maximum\ level\:\ %s=Maximum level\: %s Autumnal\ Valley=Autumnal Valley Metamorphic\ Desert\ Cobblestone\ Stairs=Metamorphic Cobblestone Stairs of the Throne Room Firework\ blasts=The explosion of fireworks -Black\ Concrete\ Camo\ Door=Black Concrete Camo Door -Craft\ a\ Superior\ Conjuring\ Scepter=Create a Superior Magic Scepter -Squid\ swims=Experience floating Subtract\ 1\ from\ the\ height\ value\ for\ short\ carpetlike\ blocks,\ e.g.\ carpet,\ 1-layer\ snow,\ lilypad\ etc.\ This\ prevents\ such\ blocks\ from\ causing\ harsh\ shading\ on\ the\ map\ like\ a\ full\ block.\ Waypoints\ and\ teleportation\ over\ these\ blocks\ should\ make\ more\ sense\ too.=1 Subtract the height value for short blocks like blank, eg. Eg snow mats, water lily This avoids blocks such as a block full of stubborn twigs on the board. The points and teleportation in these blocks should make even more sense. +Squid\ swims=Experience floating +Craft\ a\ Superior\ Conjuring\ Scepter=Create a Superior Magic Scepter +Black\ Concrete\ Camo\ Door=Black Concrete Camo Door Santaweave\ Cowl=Santa Clause hat Slight\ Breeze=Slight Breeze Neodymium\ Dust=neodymium powder @@ -3519,14 +3519,14 @@ Quartz\ Pedestal=Quartz walker *Latch*=* strong * Smelt\ an\ Iron\ Ingot=Melt the iron particles Small\ Limestone\ Brick\ Wall=a small limestone wall -Birch\ Mineshaft=Birch Mineshaft %s%%\ Completed=%s%% Completed +Birch\ Mineshaft=Birch Mineshaft Golden\ Lasso=Golden Lasso Move\ a\ Bee\ Nest,\ with\ 3\ Bees\ inside,\ using\ Silk\ Touch=Move a hive with 3 bees inside, using Silk Touch Elder\ Broom=Old broom Expected\ value\ for\ property\ '%s'\ on\ block\ %s=Expected property value&\#39;\#39;\# 39;%s";;;;;; on the block %s -HV\ Energy\ Input\ Hatch=High pressure energy input hatching Message\ to\ send\:\ %s=The message to be sent\: %sMessage\:\=Message\: +HV\ Energy\ Input\ Hatch=High pressure energy input hatching Redstone\ Desalinator=Redstone Desalinator Santa\ Cookie=Santa Clause Corner\:\ %s=Angle\: %s @@ -3536,9 +3536,9 @@ Match\ item\ NBT=NBT game Propene\ Bucket=Bucketed propylene Ice=Led Deepslate\ Circle\ Pavement=Paving the inner circle -Lament\ Log=Lament Magazine -Diorite\ Brick\ Stairs=Diorite Brick Stairs Start\ exploring\ for\ structures\!=Start exploring for structures\! +Diorite\ Brick\ Stairs=Diorite Brick Stairs +Lament\ Log=Lament Magazine Splash\ Water\ Bottle=A Spray Bottle With Water Flowering\ Sonoran\ Cactus=Flowering Sonoran Cactus Dreamwood\ Fence=Dreamwood fence @@ -3549,11 +3549,11 @@ Fixes\ end\ portals\ only\ rendering\ from\ above.=Fasten the end door from abov Mooshroom\ eats=Mooshroom jedan The\ spreader\ will\ only\ fire\ another\ burst\ when\ the\ last\ one\ hits\ its\ target.$(p)Furthermore,\ a\ $(thing)Mana\ Burst$(0)\ will\ start\ suffering\ $(thing)Mana\ Loss$(0)\ after\ a\ small\ amount\ of\ time\:\ this\ can\ be\ seen\ in\ the\ burst's\ appearance,\ as\ it\ thins\ at\ that\ point.=The spreader will not fire again until it hits the target one last time.$(blood) with$(something) Explodes mana$(0) start suffering$(Object) Manaros$(0) after a short time\: This can be seen in the cropped aspect that is currently shrinking. White\ Fish=white fish -Fox\ sniffs=\u0531\u0572\u057E\u0565\u057D\u0568 sniffs Potatoes=Her +Fox\ sniffs=\u0531\u0572\u057E\u0565\u057D\u0568 sniffs Press\ %s\ to\ open=Push %s Tomorrow -Cocoa=Cocoa quest\ options=quest options +Cocoa=Cocoa Spruce\ Leaf\ Pile=Leaves a pile of spruce Warped\ Coral\ Block=Warped Coral Block Gaia\ Guardian\ dies=Guardian of Gaia is dead @@ -3569,14 +3569,14 @@ Delete\ realm=To remove the drawer Toolsmithing=tool When\ Applied\:=If S'escau\: 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 -Ancient\ Oak\ Leaves=Old leaves Meteoric\ Steel\ Plates=Meteoric Steel Plates +Ancient\ Oak\ Leaves=Old leaves 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\! Lift\ Button=Lift button Nightshade\ Kitchen\ Sink=Kitchen sink with bed Mossy\ Stone\ Brick\ Slab=Moss On Stone, Brick, Tiles -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. Holly\ Table=Holly Table +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. End\ Blacklist=Get off the blacklist Ruby\ Ore=Ruby Ore Version\ %s\ using\ the\ respackotps\ meta\ version\ %s=for example %s Use the metack repackotps version %s @@ -3593,9 +3593,9 @@ Glowing\ Obsidian\ (Legacy)=Glowing Obsidian (Legacy) Pulverizer\ MK3=Pulverizer MK3 Reaping\ Rod=cutter bar Pulverizer\ MK2=Pulverizer MK2 -Dragon\ Bone\ Block=Block keel -Pulverizer\ MK1=Pulverizer MK1 Subject=Object +Pulverizer\ MK1=Pulverizer MK1 +Dragon\ Bone\ Block=Block keel Elite\ Buffer=Elite Buffer Pulverizer\ MK4=Pulverizer MK4 Birch\ Chest=Birch chest @@ -3623,8 +3623,8 @@ Vanilla\ Crop=Vanilla culture YouTube=YouTube Stone\ Ladder=Stone Ladder Phosphorous\ Dust=Phosphorous Dust -Dark\ Enchanter=Shadow Wizard Sneaky\ Details=Sneaky Details +Dark\ Enchanter=Shadow Wizard Grants\ Strength\ Effect=Grants Strength Effect Times\ Slept\ in\ a\ Bed=While I Was Lying In Bed, Wild\ Mushrooms=Mushrooms of the forest @@ -3632,11 +3632,11 @@ Red\ Mushroom=Red Mushroom Transform\ some\ unwanted\ Seaweed\ into\ Baked\ Seaweed.=Turn unnecessary seaweed into boiled seaweed. Note\ Blocks\ Tuned=Custom Blocks Back\ to\ Game=To get back in the game -Crimson\ Chair=Crimson Chair A\ rod\ for\ terraforming=Slate used for terrain modification +Crimson\ Chair=Crimson Chair Ethylene=ethylene -Disp.\ Other\ Teams=Disp. Other Teams Waystone\ Scroll=WESTON Roll +Disp.\ Other\ Teams=Disp. Other Teams Charger\ %s=Charger %s End\ Pyramid\ Average\ Spacing=Average distance at the end of the pyramid Petal\ Apothecary\ twinkles=The apothecary&\#39;s patch shines @@ -3647,8 +3647,8 @@ Show\ Numbers=Shows the number Dark\ Red=Dark Red Tall\ flower\ variants\ can\ be\ made\ manually\ by\ fertilizing\ a\ $(item)Mystical\ Flower$(0)\ or\ a\ $(item)Buried\ Petal$(0)\ with\ $(item)Bone\ Meal$(0).$(p)If\ you\ find\ yourself\ running\ low\ on\ a\ particular\ color,\ try\ burying\ a\ petal\ of\ that\ color\ and\ using\ $(item)Bone\ Meal$(0)\ on\ it.=Tall flower varieties can be handmade by fertilizing$(item) mystical flower$(0) or$(Subject) Burial Horse$(0) is included$(article) bone food$(0).$(p) If the color runs out, try to use that color and bury the petals$(Content) Bone meal$(0) it. Chisel\ Blocks=chisel -Craft\ an\ Analog\ Circuit\ and\ start\ the\ Electric\ Age=Build an analog circuit and start the age of electricity. Golden\ Grass=yellow grass +Craft\ an\ Analog\ Circuit\ and\ start\ the\ Electric\ Age=Build an analog circuit and start the age of electricity. Purple\ Sword=purple sword I\ have\ done\ nothing\ but\ teleport\ bread\ for\ three\ days=I did nothing but teleport for three days Encoded=Encoded @@ -3688,8 +3688,8 @@ Pay\ Dirt=Pay for the dirt Willow\ Kitchen\ Sink=Willow Kitchen Sink Open\ Gui=Open Wizard Japanese\ Maple\ Slab=Japanese maple board -Frame\ Color=The color of the table A\ spawner\ parcel=egg laying sac +Frame\ Color=The color of the table Combining\ this\ already-powerful\ spreader\ with\ a\ $(l\:alfhomancy/gaia_ritual)$(item)Gaia\ Spirit$(0)$(/l)\ and\ a\ $(l\:alfhomancy/elf_resources)$(item)Dragonstone$(0)$(/l)\ gem\ yields\ an\ even\ more\ potent\ variant.\ The\ $(item)Gaia\ Spreader$(0)\ is\ the\ gold\ standard\ of\ $(l\:mana/spreader)$(item)Mana\ Spreaders$(0)$(/l),\ with\ upgrades\ pretty\ much\ all\ around.$(p)Do\ note\ that\ these\ spreaders\ fire\ larger\ payloads\ at\ once\ (and\ thus\ might\ fire\ less\ often).=Already combined with this powerful diffuser$(l\: alphaomancy / gaia_ritual)$(Subject) Gaia&\#39;s soul$(0)$(/ Earth$(l\: alfhomancy / elf_resources)$(item) dragon stone$(0)$(/ l) Different gemstones make it more powerful. sing$(article) Gaia Spreader$(0) Golden Foot Coin$(l\: mother/merchant)$(Seed) Manna propagator$(0)$(/ l) with elevations almost everywhere.$(p) Note that these speakers emit a higher payload each time (hence the lowest incidence of emissions). Croptopia\ Guide\ =Krupopia Guide *Whirr*=* noise * @@ -3708,30 +3708,30 @@ Not\ a\ valid\ number\!\ (Long)=Not the exact number. (Long) Green\ Base\ Sinister\ Canton=The Green Base Is In Guangzhou, The Claim Storing\ Power=Storing Power View\ Cells=Cell display -$(thing)Mana$(0)\ is\ an\ ethereal\ substance--\ in\ essence,\ it's\ a\ mystical\ form\ of\ $(thing)energy$(0).\ Its\ existence\ is\ inconsistent\ to\ the\ senses,\ and\ its\ color\ depends\ on\ its\ surrounding\ environment.$(p)The\ manipulation\ of\ $(thing)Mana$(0)\ is\ likely\ the\ most\ important\ skill\ a\ botanist\ needs\ to\ master.=$(Stuff) mana$(0) is an ethereal substance - in fact, it is a mysterious form$(Thing) Energy$(0). Its existence is incompatible with the senses and its color depends on the environment.$(p) work$(Stuif) heart$(0) It may be the greatest work of art to be a botanist. Stainless\ Steel\ Dust=Dustproof stainless steel +$(thing)Mana$(0)\ is\ an\ ethereal\ substance--\ in\ essence,\ it's\ a\ mystical\ form\ of\ $(thing)energy$(0).\ Its\ existence\ is\ inconsistent\ to\ the\ senses,\ and\ its\ color\ depends\ on\ its\ surrounding\ environment.$(p)The\ manipulation\ of\ $(thing)Mana$(0)\ is\ likely\ the\ most\ important\ skill\ a\ botanist\ needs\ to\ master.=$(Stuff) mana$(0) is an ethereal substance - in fact, it is a mysterious form$(Thing) Energy$(0). Its existence is incompatible with the senses and its color depends on the environment.$(p) work$(Stuif) heart$(0) It may be the greatest work of art to be a botanist. Chance\ that\ a\ uncommon\ crate\ will\ spawn=Chance that a uncommon crate will spawn Donkey=Ass Lunum\ Mining\ Tool=Lunum Mining Tool Bee\ Spawn\ Egg=Eggs, Eggs, Bee Vibranium\ Crook=Vibranium Crook Jungle\ Village\ Spawnrate=Jungle Village Spawnrate -Polished\ End\ Stone\ Button=Buttons mourned Quartz\ Platform=Quartz Platform +Polished\ End\ Stone\ Button=Buttons mourned Terminite\ Ingot=endless rods Elite\ Alloy\ Smelter=Elite Alloy Smelter Create\ Manaweave\ Armor\ to\ power\ up\ your\ Rods=Create Manaweave Armor to increase the power of your wand Glow\ Item\ Frame\ clicks=Also frame click glow Get\ a\ Lazuli\ Flux\ Container\ MK2=Get a Lazuli Flux Container MK2 -Breaking\ down\ $(item)Glowstone\ Blocks$(0)=collapse$(Object) Block embers$(0) Get\ a\ Lazuli\ Flux\ Container\ MK3=Get a Lazuli Flux Container MK3 +Breaking\ down\ $(item)Glowstone\ Blocks$(0)=collapse$(Object) Block embers$(0) 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 Introduction\ to\ Trinkets=about jewelry -Biome\ icon\ to\ default\ to\ when\ in\ an\ unsupported\ or\ unknown\ biome=When the biome icon is in an unsupported or unknown biome, it is the default icon +Meteoric\ Steel\ Boots=Meteoric Steel Boots Light\ Blue\ Shimmering\ Mushroom=Light blue glitter mushrooms +Biome\ icon\ to\ default\ to\ when\ in\ an\ unsupported\ or\ unknown\ biome=When the biome icon is in an unsupported or unknown biome, it is the default icon Below\ Realms=Under the kingdoms Get\ a\ Lazuli\ Flux\ Container\ MK1=Get a Lazuli Flux Container MK1 Lingering\ Potion\ of\ Night\ Vision=To Continue The Potion, A Night-Time Visibility @@ -3758,11 +3758,11 @@ Aluminum\ Fluid\ Pipe=Liquid aluminum tube Polished\ Blackstone\ Wall=Polirani Zid Blackstone Polished\ Blackstone\ Bricks\ Camo\ Door=Polished Blackstone Bricks Camo Door Prismarine=Prismarine -Emerald\ Structure=Emerald structure Sterling\ Silver\ Gear=Sterling Silver Gear +Emerald\ Structure=Emerald structure Keybind=Keybind -Polished\ Basalt\ Brick\ Column=The columns are made of polished brick basal cell 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. +Polished\ Basalt\ Brick\ Column=The columns are made of polished brick basal cell Polished\ Diorite\ Button=The diorite button is finished Allow\ non-air\ block\ overwrite=Allow blocking without air Ravager\ grunts=Ravager Grunts @@ -3771,8 +3771,8 @@ Sweet\ Berries=Slatka Of Bobince Tables\ are\ a\ great\ decoration\ for\ your\ kitchens\ and\ dining\ rooms\!=Tables are a great decoration for your kitchens and dining rooms\! Fish\ up\ the\ Wooden\ Crates'\ sibling\:\ the\ Supply\ Crate.=He had his brother the box made of wood\: and the box of supplies. Stainless\ Steel\ Bolt=Stainless Steel Bolts -Bring\ a\ beacon\ to\ full\ power=In order to get a signal, complete in place Enabled=Skills +Bring\ a\ beacon\ to\ full\ power=In order to get a signal, complete in place Foobar=Thanh Foo Nightshade\ Post=The bedspread Copper\ Boots=Copper Boots @@ -3789,8 +3789,8 @@ Upgrading\ all\ chunks...=An update of all the... Command\ not\ found=Command not found Yellow\ Concrete\ Brick\ Slab=yellow concrete brick slabs Swiss\ Army\ Knife=Swiss army knife -Pearlberry\ Seed=Pearl seeds Ring\ of\ Growth=Ring of Growth +Pearlberry\ Seed=Pearl seeds In\ the\ Main\ Menu=In the Main Menu Pink\ Bed=Rosa Bed Solid\ Air=Solid Air @@ -3800,8 +3800,8 @@ End\ Lotus\ Bark=Finally, the Lotus Burke Terrafish=Travist A\ rod\ for\ summoning\ circles\ of\ flame=A stick to create circles of fire Parrot\ groans=Parrot moans -End\ Lotus\ Stem=End of lotus stem \u2462\u2462\u2463=\u2462\u2462\u2463 +End\ Lotus\ Stem=End of lotus stem \u2462\u2462\u2462=\u2462\u2462\u2462 Light\ Blue\ ME\ Dense\ Smart\ Cable=Light Blue ME Dense Smart Cable Passive\:\ Lavasion=Passive\: lava @@ -3822,24 +3822,24 @@ Ebony\ Leaves=Ebony Leaves Juniper\ Fence=Gold fence Yoghurt=Yogurt Skeleton=Continue -Lithium\ Battery=Lithium Battery Owl\ Hurts=Owl hurts -Corn\ Seeds=oatmeal +Lithium\ Battery=Lithium Battery Wings\:\ One-Winged\ Angel=Wing\: Single-winged angel +Corn\ Seeds=oatmeal Bubble\ Sea\ Lantern=Bubble Marine Lantern Child\ sexual\ exploitation\ or\ abuse=sexual abuse or child abuse Config\ Demo=Configuration Demo Rosa\ Arcana=secret rose Converting\ $(item)Chorus\ Fruit$(0)\ into\ $(item)Chorus\ Flowers$(0)=change$(Article) Fruit Chorus$(0)$(Item) Flower chorus$(0) -Floating\ Exoflame=Liquid external combustion Small\ Pile\ of\ Tin\ Dust=Small Pile of Tin Dust +Floating\ Exoflame=Liquid external combustion Fully\ Orange\ Field=The farm is completely orange Astromine\ Config=Astromine Config Music\ Volume\ Slider=Music volume slider Mustard=mustard -Liquid\ Cavern\ Minimum\ Altitude=Liquid Cavern Minimum Altitude -Configure\ Redstone=Configure Redstone Cika\ Kitchen\ Sink=Cika sink +Configure\ Redstone=Configure Redstone +Liquid\ Cavern\ Minimum\ Altitude=Liquid Cavern Minimum Altitude Light\ Blue\ Wool=The Llum Blava Of Flat Toggle\ for\ drip\ particles=Toggle drop-down menu Purple\ Fluid\ Pipe=Purple tube liquid @@ -3850,8 +3850,8 @@ Rose\ Gold\ Mining\ Tool=Rose Gold Mining Tool Fir\ Wall=Fir Wall If\ enabled,\ only\ animated\ textures\ determined\ to\ be\ visible\ will\ be\ updated.\ This\ can\ provide\ a\ significant\ boost\ to\ frame\ rates\ on\ some\ hardware,\ especially\ with\ heavier\ resource\ packs.\ If\ you\ experience\ issues\ with\ some\ textures\ not\ being\ animated,\ try\ disabling\ this\ option.=When enabled, only the animation textures specified for the display are updated. This can significantly improve the frame rate of some hardware, especially in large resource packs. If you have animation problems missing some textures, try turning off this option. Water\ Region\ Size=Water Region Size -Collect\ every\ single\ mushroom=Pick the mushrooms Texture\ Path\:=Texture Path\: +Collect\ every\ single\ mushroom=Pick the mushrooms Reduced\ Motion\:=Traffic reduction\: Microsoft=Microsoft Red\ Pyramid\ in\ the\ Hot\ Sun=Red Pyramid in the Hot Sun @@ -3880,10 +3880,10 @@ Pink\ Beveled\ Glass\ Pane=Pink Beveled Glass Pane Trapped\ Chests\ Triggered=Stumbled Upon A Treasure Chest, That Hole Will Open Gilded\ Netherite\ Axe=Gold-plated Netherite Ax Reacts\ two\ chemicals\ together\ to\ form\ a\ product=Reacts two chemicals together to form a product -Cika\ Stairs=Cika Stairs Lament\ Stairs=Weeping stairs -Corporea\ Brick\ Stairs=Brick stairs +Cika\ Stairs=Cika Stairs Corrupt\ more\ Trigonometry=Very crooked triangle +Corporea\ Brick\ Stairs=Brick stairs Bricks\ Glass=Bricks Glass Invalid\ register=Invalid register Werewolf\ Spawn\ Egg=Werewolf Floating Egg @@ -3917,29 +3917,29 @@ Blighted\ Balsa\ Drawer=Balsa box is broken Tenanea\ Leaves=Tenanina is leaving Chorus\ Flower\ grows=Blind. The flower grows Controls\ the\ order\ in\ which\ the\ radar\ categories\ are\ rendered.\ A\ lower\ number\ means\ being\ rendered\ earlier.\ However,\ in\ the\ newer\ Minecraft\ versions\ dots\ are\ always\ rendered\ on\ top\ of\ the\ icons.\ The\ order\ still\ applies\ within\ dot\ or\ icon\ rendering\ though.=This controls the order in which radar categories are displayed. A lower number means a previous render. However, in newer versions of Minecraft you will always see a dot over the icon. However, this command still applies to displaying dots or icons. -%s\ Step=%s Step %s\ hour(s)=%s period +%s\ Step=%s Step CraftPresence\ -\ Character\ Editor=CraftPresence - Character Editor Lock\ Minimap\ North=Block the north minimap Needs\ Redstone=Needs Redstone Caracal=Lynx Don't\ mess\ with\ these\ settings\ for\ normal\ gameplay.=Don't mess with these settings for normal gameplay. Magenta\ Slime\ Block=Magenta Slime Block -Tech\ Reborn\ Computer\ Cube=Tech Reborn Computer Cube Blackstone\ Glass=Blackstone Glass +Tech\ Reborn\ Computer\ Cube=Tech Reborn Computer Cube Cika\ Chair=Chica Chair Conduit\ pulses=Pulse Hot\ Chocolate=hot coconut Yellow\ Axe=yellow ax Rancher=Rancher -Magnetic=self Sakura\ Kitchen\ Counter=Sakura Kitchen Counter +Magnetic=self Ignore\ Server\ Heightmaps=Ignore Server Heightmaps Ore\ Generation=Ore Generation Pollidisiac=Polyphone Follow\ an\ Eye\ of\ Ender=Makes The Eye Of Ends -Block\ of\ Redstone=Un Bloc De Redstone Magenta\ Terracotta=Purple Terracotta +Block\ of\ Redstone=Un Bloc De Redstone The\ time\ unit\ used\ by\ After\ Time=Time units are used by AfterTime. Bulgarian=Bulgarian Azalea\ Leaves=rhododendron leaf @@ -3958,16 +3958,16 @@ Delete\ Sub-World=Remove the outside world Right\ click\ Fusion\ Control\ computer\ to\ auto\ place=Right-click on the Fusion Control calculator for automatic adjustments. Strongholds=Strong Curse\ of\ the\ Depths=The curse of the abyss -Lingering\ Potion\ of\ Regeneration=Long-Term Drinking For Recovery Maple\ Shelf=Maple frame +Lingering\ Potion\ of\ Regeneration=Long-Term Drinking For Recovery The\ $(item)Elementium\ Hoe$(0)\ will\ instantly\ moisten\ farmland\ it\ creates,\ regardless\ of\ proximity\ to\ water,\ or\ whether\ water\ can\ even\ exist\ in\ the\ vicinity.\ Perfect\ for\ impatient\ farmers\!=One$(item) Elementum hoe$(0) Immediately moisturize the soil of the orchards it creates, regardless of the presence of water near or near the water. Great for impatient farmers\! Fixes\ only\ 18\ out\ of\ 20\ pixels\ showing\ of\ villager\ robe\ textures.=18 shows only elements of a fabric based on the costume of a pagan over 20. Redstone\ Counter=Redstone counter Craft\ and\ fire\ a\ Mana\ Blaster=Craft and fire a mana blaster Crimson\ Warty\ Blackstone\ Bricks=Crimson Warty Blackstone Bricks Point\ to\ Point\ Networking=Point to Point Networking -Cyan\ Paly=The Son Bled Slovenia End\ Moss\ Path=The end of the road is mossy +Cyan\ Paly=The Son Bled Slovenia Accelerator\ is\ an\ understatement=Accelerator is an understatement Snowdrops=Snowdrops Cut\ Copper\ Slab=Cut the copper plate @@ -3978,16 +3978,16 @@ Kraken=octopus Cyan\ Pale=Light Blue Mountains\ Village\ Average\ Spacing=A mountain village with a moderate distance. It\ does\ not\ look\ like\ a\ workbench=It does not look like a workbench -Creating\ $(item)Sugar\ Canes$(0)=Me, I do$(Article) Peach$(0) Smooth\ Red\ Sandstone\ Post=Smooth Red Sandstone Post +Creating\ $(item)Sugar\ Canes$(0)=Me, I do$(Article) Peach$(0) Fir\ Bookshelf=Fir Bookshelf Catch\ a\ fish=In order to catch the fish Purple\ Concrete\ Ghost\ Block=Purple ghost concrete block -Blue\ Stained\ Glass=The Blue Of The Stained Glass Maximum\ Row\ Size=Maximum Row Size +Blue\ Stained\ Glass=The Blue Of The Stained Glass Cyan\ Chevron=Blue Chevron -Magenta\ Netherite\ Shulker\ Box=The Netherite Shulker Black Box Purpur-Decorated\ End\ Stone=The last stone is decorated with purple +Magenta\ Netherite\ Shulker\ Box=The Netherite Shulker Black Box Slab\ Camo\ Block=Porcine flat hollow block Leather=The skin Show\ coordinates\ on\ top\ left\ corner=Show coordinates in the upper left corner @@ -4005,8 +4005,8 @@ Times\ Sat\ on\ a\ Chair=It&\#39;s time to sit in a chair Normal=Usually Blighted\ Balsa\ Bench=Wet design bench Yellow\ Chief\ Dexter\ Canton=Gul, Kapital-Distriktet, Dexter -Junction\ type\:=Junction type\: Magenta\ Chief\ Sinister\ Canton=Magenta, Headed By The Evil Canton +Junction\ type\:=Junction type\: Witch\ Hazel\ Door=Witch hazel door Entity\ Radar\ Settings=Radar function parameters Why\ did\ you\ eat\ a\ rotten\ heart?=Why did you eat a rotten heart? @@ -4016,16 +4016,16 @@ Giant\ Geckotoa=giant gecko Budget\ Diamonds=Budget Diamonds Sprint\ by\ holding\ one\ single\ key\ bind\ (configurable).=Sprint by holding one single key bind (configurable). Refill\ foods=Refill foods -Display\ Case=Showcase Subspace\ Bubble=Subspace \u0553\u0578\u0582\u0579\u056B\u056F\u0568 +Display\ Case=Showcase 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 Sterling\ Silver\ Boots=Sterling Silver Boots -Colored\ Tiles\ (Light\ Blue\ &\ White)=Colored Tiles (Light Blue & White) Flame\ Slash=Cut off the fire +Colored\ Tiles\ (Light\ Blue\ &\ White)=Colored Tiles (Light Blue & White) Glow\ Squid=Shiny Squid Chat\ not\ allowed\ by\ account\ settings.\ Press\ '%s'\ again\ for\ more\ information=Chat is not allowed with account settings. Press "%sOnce again for more information Mini\ Blackstone\ Golem\ Spawn\ Egg=Blackrock Golem Summon Egg @@ -4038,11 +4038,11 @@ HYPERSPEED\!\!\!=Super FAST\!\!\!\! Render\ Anchored=anchor performance Blue\ Enchanted\ Step=Enchanted blue step Dottyback=Dottyback -Cracked\ Dried\ Peat\ Bricks=Dry peat rock breaks Ring\ of\ Night\ Vision=Ring of Night Vision +Cracked\ Dried\ Peat\ Bricks=Dry peat rock breaks An\ elusive\ object\ that\ powers\ up\ flowers=Strengthens flowers without pulling flowers -Coke=Soda Show\ the\ item\ gotten\ from\ the\ block=Indicates elements obtained from the block. +Coke=Soda Cobblestone\ Camo\ Door=Cobblestone Camo Door Floating\ Agricarnation=water agriculture Buried\ Yellow\ Petal=bury yellow @@ -4059,37 +4059,37 @@ Add...=Add ... Light\ Gray\ Shovel=Light gray shovel Baobab\ Wall=Baobab Wall Red\ Backpack=red backpack -The\ quakes\ managed\ to\ reach\ Jotunheim,\ cracking\ the\ earth\ and\ massacring\ the\ Giants.\ We\ do\ not\ know\ whether\ they\ have\ truly\ died\ out,\ but\ the\ Giants\ have\ not\ resurfaced\ since.\ Niflheim\ remained\ perfectly\ still,\ despite\ Muspelheim's\ fall--\ a\ major\ factor\ in\ the\ theories\ about\ Hel.\ However,\ since\ it\ contains\ no\ known\ life\ besides\ the\ goddess\ herself,\ we\ are\ unworried\ about\ any\ damage\ incurred\ there.=Earthquake hit Jotunheim, destroying the earth, and killing a giant. We don&\#39;t know whether they really disappeared, but the giants did not appear. Although the Muspelheim case was important in Hull theory, Nivelheim was completely silent. But since there is no other life besides the goddess herself, let us not take care there is no injury. White\ Concrete\ Ghost\ Block=White Concrete Ghost Block +The\ quakes\ managed\ to\ reach\ Jotunheim,\ cracking\ the\ earth\ and\ massacring\ the\ Giants.\ We\ do\ not\ know\ whether\ they\ have\ truly\ died\ out,\ but\ the\ Giants\ have\ not\ resurfaced\ since.\ Niflheim\ remained\ perfectly\ still,\ despite\ Muspelheim's\ fall--\ a\ major\ factor\ in\ the\ theories\ about\ Hel.\ However,\ since\ it\ contains\ no\ known\ life\ besides\ the\ goddess\ herself,\ we\ are\ unworried\ about\ any\ damage\ incurred\ there.=Earthquake hit Jotunheim, destroying the earth, and killing a giant. We don&\#39;t know whether they really disappeared, but the giants did not appear. Although the Muspelheim case was important in Hull theory, Nivelheim was completely silent. But since there is no other life besides the goddess herself, let us not take care there is no injury. Offset\ Y=On the move -Biome\ Colors=Color biome Small\ Magma\ Brick\ Stairs=Small magazine staircase +Biome\ Colors=Color biome Show\ Blocks=Screen lock Drawbridge=Suspension bridge 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 Places\ blocks\ down=Location blocked -A\ furnace\ but\ electric\ and\ upgradeable=A furnace but electric and upgradeable +Obtaining\ Univite=Obtaining Univite +Constant\ Velocity\ (Positive,\ Greater\ than\ Zero)=Constant Velocity (Positive, Greater than Zero) Popcorn=Pop corn +A\ furnace\ but\ electric\ and\ upgradeable=A furnace but electric and upgradeable Livingrock\ bricks.=Live bricks. 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 Music\ Disc\ -\ 5=Music Disc - 5 -Fortune=Good luck to you Maple\ Bookshelf=Maple Bookshelf +Fortune=Good luck to you Yellow\ Stained\ Glass\ Slab=Yellow glass panels -Light\ Blue\ Beveled\ Glass=Light Blue Beveled Glass Death\ Protection\ Poppet=Death protection valve +Light\ Blue\ Beveled\ Glass=Light Blue Beveled Glass Craft\ an\ extractor=Craft an extractor Rhubarb\ Seeds=Rhubarb seeds Pink\ Axe=Pink ax Purple\ Sandstone=Purple Sandstone -Bronze\ Slab=Bronze Slab Add\ Grassy\ Igloo\ to\ Modded\ Biomes=Add Grassy Igloo to Modded Biomes +Bronze\ Slab=Bronze Slab Block\ of\ Iron\ (Legacy)=Iron block (original) Sweet\ Berry\ Jelly=Sweet blueberry jelly Drop\ Chance=Drop Chance @@ -4098,35 +4098,35 @@ Pink\ Shield=The Shield Of The Rose Cold=winter players=players Sythian\ Bench=Bench Size -Infested\ Mossy\ Stone\ Bricks=Teaming With Moss-Covered Stone Bricks -Raven\ Spawn\ Egg=Raven Summoning Egg -Shutting\ down\ CraftPresence...=Shutting down CraftPresence... Thorn\ Pendant=collar around the fork +Shutting\ down\ CraftPresence...=Shutting down CraftPresence... +Raven\ Spawn\ Egg=Raven Summoning Egg +Infested\ Mossy\ Stone\ Bricks=Teaming With Moss-Covered Stone Bricks Lingering\ Water\ Bottle=Stable And Water Bottles -Paste\ Container\ T3=Paste container T3 Potted\ Lily\ of\ the\ Valley=In a bowl, lily of the Valley +Paste\ Container\ T3=Paste container T3 Paste\ Container\ T2=Paste container T2 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 +Nether\ Bricks\ Glass=Nether Bricks Glass Reinforced\ 2=aid 2 Waystone=Weston Manufactory\ Halo=Halo factory area Acquiring\ Minecraft\ access\ token...=Get a Minecraft access token ... -Chiseled\ Diorite\ Bricks=Chiseled Diorite Bricks Quartz\ Bricks\ Camo\ Trapdoor=Quartz Bricks Camo Trapdoor +Chiseled\ Diorite\ Bricks=Chiseled Diorite Bricks Dragon's\ Blood\ Log=Dragon&\#39;s Blood Journal Lavender\ Mini\ Present=Lavender mini gift item\ %s\ out\ of\ %s=the item %s in the end %s -Chiseled\ Phantom\ Purpur=Blue-purple trimmed Endorium\ Hoe=Endorium Hoe +Chiseled\ Phantom\ Purpur=Blue-purple trimmed Entity\ Info\ Settings=Entity Info Settings Gray\ Isolated\ Symbol=Remote gray signal 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. -Added\ Range=Added Range +Button\ clicks=Please click on the button Unknown\ predicate\:\ %s=Known to be inter-related\: %s +Added\ Range=Added Range Water\ Lake\ Rarity=The Water In The Lake, A Rarity /hqm\ lives\ add\ \ =/hqm lives add This\ ingot,\ however,\ can\ be\ sacrificed\ to\ a\ $(item)Beacon$(0)\ to\ summon\ an\ even\ stronger\ $(l\:alfhomancy/gaia_ritual)$(item)Gaia\ Guardian$(0)$(/l)--\ with\ more\ strength,\ speed,\ and\ resistance.$(p)On\ the\ other\ hand,\ slaying\ this\ greater\ Guardian\ yields\ many\ more\ $(l\:alfhomancy/gaia_ritual)$(item)Gaia\ Spirits$(0)$(/l),\ as\ well\ as\ a\ handful\ of\ goodies\ and\ rare\ treasure.\ It's\ a\ worthwhile\ foe.=However, this stick can be sacrificed.$(product) flame$(0) to call a stronger$(l\: alfhomancy / gaia_ritual)$(List) Gaia Guardian$(0)$(/ l) - Has greater strength, speed and endurance.$(p) On the other hand, this killing will result in greater protection$(l\: alfaomancy / gaia_ritual)$(Also) Gaia&\#39;s Soul$(0)$(/l) And it&\#39;s not just lakes and very rare treasures. The enemy is worth it. @@ -4154,16 +4154,16 @@ Brown\ ME\ Glass\ Cable=Brown ME Glass Cable Determines\ how\ large\ cavern\ regions\ are.=Determines how large cavern regions are. Cyan\ Concrete\ Powder=By The Way, The Dust Whipping\ Cream=Fermented cream -Invar\ Bolt=Buy screws Stripped\ Crimson\ Stem=Remove The Raspberries Your Knees +Invar\ Bolt=Buy screws Rubber\ Wood=Rubber Wood Core=Core Wirelessly\ charge\ your\ linked\ screens.=Charge a wirelessly connected screen. Mesmerite\ Slab=Medium plate Mob\ Hunting=Mass hunting -Loot\ Crate\ Opener=Loot Open chest -Purple\ Skull\ Charge=Purple Skull Weight Stripped\ Umbrella\ Tree\ Log=Save the stripped umbrella tree. +Purple\ Skull\ Charge=Purple Skull Weight +Loot\ Crate\ Opener=Loot Open chest Added\ Step\ Height=Added Step Height Questing\ mode\ has\ been\ activated.\ Enjoy\!=Questing mode has been activated. Enjoy\! Copy=Copy @@ -4174,8 +4174,8 @@ Infusing=Infusing Ametrine\ Leggings=Ametrine Leggings Invar\ Dust=Invar Dust Silicon\ Nugget=silicon nugget -Blackberry\ Crop=Blackberry plant Wood\ Blewit=Wood Blewit +Blackberry\ Crop=Blackberry plant Skeleton\ Horse=The Skeleton Of A Horse 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 @@ -4188,15 +4188,15 @@ Metamorphic\ Plains\ Stone\ Slab=Metamorphic flat stone slabs Portable\ Mana\ Spreader,\ with\ lenses\!=Mana Portable Spreader, lens included\! Flowering\ Oak\ Leaves=oak leaves blossoming Corn=Corn -Show\ Coordinates=Show contact details Stainless\ Steel\ Plate=Stainless steel plate +Show\ Coordinates=Show contact details \u00A77\u00A7o"He\ brought\ Ray\ Cokes\ to\ Notch,\ after\ all."\u00A7r=\u00A77\u00A7o"He brought Ray Cokes to Notch, after all."\u00A7r Velocity=speed, velocity Platinum\ Tiny\ Dust=small platinum powder Experience\ cost\:\ =Cost experience\: Mana\ Full=full of mana -%s\ has\ the\ following\ entity\ data\:\ %s=%s below is the data for the assets are\: %s Wiki=wiki +%s\ has\ the\ following\ entity\ data\:\ %s=%s below is the data for the assets are\: %s Iron\ Furnace=Iron 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=\nYour ban will be lifted %s @@ -4251,10 +4251,10 @@ Bread\ Slice=Bread Slice \u2461=\u2461 \u2462=\u2462 \u2463=\u2463 -Flint\ and\ Steel\ click=Flint and Steel, click the button -Lilith=release -Smooth\ Soul\ Sandstone\ Slab=Smooth Soul Sandstone Slab Sugar\ Block=Sugar Block +Smooth\ Soul\ Sandstone\ Slab=Smooth Soul Sandstone Slab +Lilith=release +Flint\ and\ Steel\ click=Flint and Steel, click the button Craft\ a\ basic\ solar\ panel=Craft a basic solar panel Jungle\ Wall\ Sign=The Wall Of The Jungle, Sign Desert\ Outpost\ Average\ Spacing=Average Distance to Desert Outpost @@ -4263,22 +4263,22 @@ Lingering\ Potion\ of\ Water\ Breathing=Drink Water, Hold, Exhale Aeternium\ Forged\ Plate=Fake text forever Luminous\ Cyan\ Wool=Hot cyan wool Smaragdant\ Pedestal=The base of emeraldant -Arrow\ Scale=Arrow Scale Magenta\ Glazed\ Terracotta\ Camo\ Trapdoor=Magenta Glazed Terracotta Camo Trapdoor +Arrow\ Scale=Arrow Scale Snowy\ Coniferous\ Wooded\ Hills=Snow -covered coniferous mountains Small\ Pile\ of\ Bauxite\ Dust=Small Pile of Bauxite Dust Reach\ 8\ channels\ using\ devices\ on\ a\ network.=Reach 8 channels using devices on a network. Blue\ Dispersive\ Symbol=blue scatter symbol Limit\ must\ be\ at\ least\ 1=On the border should not be less than 1 -Change\ value=Change value The\ $(item)Bergamute$(0)\ absorbs\ sound\ energy\ emitted\ in\ a\ close\ radius\ around\ itself,\ converting\ it\ into\ trace\ amounts\ of\ mana\ and\ dispersing\ it\ harmlessly.$(p)Additionally,\ $(l\:tools/grass_horn)$(item)Horns$(0)$(/l)\ or\ $(l\:devices/forest_drum)$(item)Drums$(0)$(/l)\ will\ not\ break\ blocks\ within\ its\ range.=THE$(Item) Bergamte$(0) absorbs sound energy emitted in a nearby ray, converts it to a small amount of motto, and dissolves harmlessly.$(p) Besides.$(l\: tool / grass_horn)$(item) horn$(0)$(/ l) or$(l\: equipment/forest_drum)$(item) battery$(0)$(/ l) will not break blocks within its limits +Change\ value=Change value Smoking\ Enhancer=Smoking promoter Yellow\ Concrete\ Camo\ Door=Yellow Concrete Camo Door Enabled\:=Enabled\: Effective\ Tool\:\ =Effective Tool\: 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 -Chocolate\ Bar=chocolate bar Rainbow\ Eucalyptus\ Pressure\ Plate=Rainbow Eucalyptus Pressure Plate +Chocolate\ Bar=chocolate bar %s\ has\ no\ curses=%sI don&\#39;t have a curse Yellow\ Birch\ Sapling=Yellow Birch Sapling List=List @@ -4292,8 +4292,8 @@ Saguaro\ Seeds=Saguaro seeds Small\ Dripleaf=Leaf droplets Enable\ quick\ crafting=Enable quick crafting Winged\ Config=Winged Config -Catch\ an\ axolotl\ in\ a\ bucket=To capture the Epsolute bucket Login\ via\ Mojang\ (Legacy)=Login via Mojang (Inheritance) +Catch\ an\ axolotl\ in\ a\ bucket=To capture the Epsolute bucket Rarity=Rarity month=month The\ Ship\ that\ cannot\ Fly\ Again=The Ship that cannot Fly Again @@ -4334,8 +4334,8 @@ Sweet\ Potato=yam Elite\ Electrolyzer=Elite Electrolyzer Crimson\ Fence\ Gate=Raspberry-Fence And Gate Game\ Interface=The Game Interface -Brick\ Stairs=Tiles, Step Yellow\ Lumen\ Paint\ Ball=Yellow Lumen Paint Ball +Brick\ Stairs=Tiles, Step Cherry\ Platform=Cherry Platform The\ $(item)Endoflame$(0)\ is\ a\ very\ rudimentary\ $(thing)generating\ flower$(0);\ it'll\ absorb\ any\ combustible\ items\ or\ blocks\ dropped\ on\ the\ nearby\ vicinity,\ one\ at\ a\ time,\ and\ burn\ through\ them\ to\ generate\ $(thing)Mana$(0).$(p)The\ amount\ of\ time\ it\ takes\ to\ burn\ through\ an\ item\ is\ roughly\ half\ of\ the\ time\ a\ $(item)Furnace$(0)\ would.=it$(item) Endoflame$(0) very common$(I will) create flowers$(0); It will absorb nearby objects or fuel blocks one by one and burn them to produce them.$(things) sis$(0\uFF09\u3002$(p) The burning time of an object is about half the time$(Item) oven$(0) Yes. Trebuchet\ Projectile=Drafel slingshot @@ -4381,11 +4381,11 @@ Titanium\ Slab=Titanium Slab Display\ Item=Display Item Nether\ Star=Under The Stars Send\ minecarts\ flying=Send mink wings to fly -Belladonna\ Seeds=Belladona County Desert\ Rhino=Desert rhino +Belladonna\ Seeds=Belladona County Selector\ not\ allowed=The defense is not allowed,Self Aware\=Conscious -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). Lava\ Brinstar=Wash Brinster +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). Reduces\ the\ effects\ of\ fire\ damage.\ Also\ reduces\ the\ burn\ time\ when\ set\ on\ fire.=Reduces the effects of fire damage. It can also reduce the burning time when smoking. Lime\ Shulker\ Swirl=Linden Shulker Maelstrom Chocolate\ Cake=Chocolate Cake @@ -4407,8 +4407,8 @@ Mox\ Nugget=Mox Nuggets Render\ Helmet\ Shield=Render Helmet Shield Iron\ Large\ Plate=Large iron plate Frozen\ Ocean=Zamrznut\u00E9 More -Aquilorite\ Helmet=Aquilorite Helmet Bluestone\ Tile\ Column=Blue stone pillar +Aquilorite\ Helmet=Aquilorite Helmet Umbral\ Stairs=Dark stairs Roasted\ Turnips=Fried tempeh Metallurgium\ Machete=Metal sickle @@ -4431,8 +4431,8 @@ Polished\ Basalt\ Pressure\ Plate=Polished basalt pressure tray Set\ time\ to\ Day=Set the time for the days of the week One\ of\ filters\ must\ match=One of the filters must match Can\ be\ installed\ on=Can be installed on -Enter\ an\ Underground\ Bastion=Enter the underground fortress Dead\ Brain\ Coral\ Fan=Brain Dead Coral Fan +Enter\ an\ Underground\ Bastion=Enter the underground fortress End\ Stone\ Stairs=Exit from the stone stairs Cobblestone\ Chimney=Cobblestone Chimney Fix\ end\ portals\ only\ rendering\ from\ above=Portal for fixing the final return, except from above @@ -4448,8 +4448,8 @@ Small\ Phantom\ Purpur\ Brick\ Stairs=Little illusion, purple brick staircase Magic\ Missile=magical missiles Match\ Block\ Only=Diary is just horizontal %1$s\ was\ shot\ by\ a\ skull\ from\ %2$s\ using\ %3$s=%1$s beaten with skull %2$s application %3$s -Animal\ Farm=Animal farm Revoked\ the\ advancement\ %s\ from\ %s\ players=Cancel company %s so %s players +Animal\ Farm=Animal farm Waypoint\ Distance\ Precision=Track Point Accuracy Primitive\ Capacitor=Primitive Capacitor Entities\ with\ tag=The label for the contact @@ -4493,8 +4493,8 @@ Potion\ of\ Darkness=Dark movement Turtle\ shell\ thunks=Furniture, turtle shell Villager\ disagrees=The villagers did not agree to Light\ Gray\ Concrete\ Pillar=Light gray column -Lime\ Concrete\ Ghost\ Block=Lime Concrete Ghost Block Hedgewitch\ Hat=Witches hat +Lime\ Concrete\ Ghost\ Block=Lime Concrete Ghost Block The\ mod\ is\ configured\ to\ require\ the\ following\ item\ in\ your\ hotbar\ or\ equipped\:=The mode is configured so that the following item is appended to the hot bar or to the corresponding bar. Spawn\ Void\ Master\ Egg=Voidlord Egg Campfire\ crackles=Constructor @@ -4527,8 +4527,8 @@ Protea\ Flower=Protea Flower Rod\ of\ the\ Molten\ Core\ simmers=A fishing rod simulator with a liquid core Remove\ Minecraft\ Logo\:=Remove Minecraft Logo\: Golden\ Mattock=Golden Mattock -Allows\ CraftPresence\ to\ remove\ color\ and\ formatting\ codes\ from\ it's\ translations=Allows CraftPresence to remove color and formatting codes from it's translations 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 Better\ than\ milk\!=Better than milk\! Pink\ Cut\ Sandstone=Pink Cut Sandstone Mystical\ Magenta\ Petal=Secret purple horseshoe @@ -4539,31 +4539,31 @@ Old\ Chest=Old Chest Error\!=Sins\! End\ Lily=Lily ends 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. -Admire=Be thankful -Disable\ Default\ Auto\ Jump=Disable Default Auto Jump -Enter\ a\ Taiga\ Witch\ Hut=Entrance to Taiga Witch Hut You\ can\ only\ trigger\ objectives\ that\ are\ 'trigger'\ type=You may have problem with engine start +Enter\ a\ Taiga\ Witch\ Hut=Entrance to Taiga Witch Hut +Disable\ Default\ Auto\ Jump=Disable Default Auto Jump +Admire=Be thankful Tomato\ Crop=Tomato Crop \u2714=\u2714 $(o)Like\ some\ casual\ game$().=$(Q) Like some casual games$(). \u2717=\u2717 -End\:\ Reborn=End\: Reborn 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 $(thing)Generating\ Flora$(0)\ are\ used\ to\ create\ $(thing)Mana$(0)\ (read\ the\ corresponding\ section\ for\ more\ details).\ $(thing)Mana$(0)\ so\ generated\ can\ be\ extracted\ and\ transferred\ with\ $(l\:mana/spreader)$(item)Mana\ Spreaders$(0)$(/l)\ and\ stored\ in\ $(l\:mana/pool)$(item)Mana\ Pools$(0)$(/l).\ $(thing)Mana$(0)\ can\ be\ used\ for\ a\ myriad\ of\ things\:\ for\ starters,\ it\ can\ fuel\ $(thing)Functional\ Flora$(0)\ (read\ that\ section\ too).=$(matter) Flora generation$(0) to create$(what) mother$(0) (more in the corresponding section)$(object) where$(0) Recovery and forwarding can be used$(l\: mana / spreader)$(Who is the distributor$(0)$(/ l) and saved in$(l\: where / pool)$(item) mana reserve$(0)$(/ l).$(object) mother$(0) can be used in many ways for newbies can refuel$(p) Functional flora$(0) (YES READ THE SECTION) Brown\ Backpack=brown backpack -Blue\ Per\ Pale\ Inverted=Blue To Pay To The End\ Mineshaft=End Mineshaft +Blue\ Per\ Pale\ Inverted=Blue To Pay To The Ebony\ Sapling=Ebony Sapling Plantball=Plantball -Bamboo\ Ladder=Bamboo Ladder -Data\:\ %s=Read more\: %s Small\ Soul\ Sandstone\ Brick\ Column=Small Soul Sandstone Brick Column +Data\:\ %s=Read more\: %s +Bamboo\ Ladder=Bamboo Ladder Enchanted\ Forest=Enchanted Forest Pink\ Wool=Pink Wool Cobalt\ Cape\ Wing=Cobalt Cape Wing -Magenta\ ME\ Dense\ Smart\ Cable=Magenta ME Dense Smart Cable Blue\ Tent\ Top=Blue Tent Top +Magenta\ ME\ Dense\ Smart\ Cable=Magenta ME Dense Smart Cable Gray\ Terminite\ Bulb\ Lantern=Gray Termite Lantern Turtle\ Egg\ hatches=The turtle will hatch the egg Raw\ Donut=Raw Donut @@ -4580,14 +4580,14 @@ Spawn\ Guard\ Egg=Create Guardian Eggs Indian\ Paintbrush=Indian brush Rocky\ Lighting=Rocky Lighting Fluid\ Pipe=liquid pipes -Machine\ Parts=Machine Parts -Kob=COBH White\ Chiseled\ Sandstone=White Chiseled Sandstone +Kob=COBH +Machine\ Parts=Machine Parts Fluid\ auto-extraction\ enabled=Enable automatic liquid extraction Fluid\ Infuser\ MK4=Fluid Infuser MK4 -Dark\ Oak\ Trapdoor=Zemna Oak Zvery -Magenta\ Amaranth=Magenta Amaranth 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. +Magenta\ Amaranth=Magenta Amaranth +Dark\ Oak\ Trapdoor=Zemna Oak Zvery Canyon\ Edge=The edge of the canyon Fluid\ Infuser\ MK2=Fluid Infuser MK2 Glider\ Wing=Glider Wing @@ -4597,17 +4597,17 @@ Floating\ Blue\ Flower=Floating blue flowers Fluid\ Infuser\ MK1=Fluid Infuser MK1 Slotlock=Slot lock Quartz\ Hammer=Quartz Hammer -Floating\ Jaded\ Amaranthus=floating jade marigold Sulfur\ Quartz\ Bricks=Sulfur quartz stone +Floating\ Jaded\ Amaranthus=floating jade marigold Small\ Pile\ of\ Red\ Garnet\ Dust=Small Pile of Red Garnet Dust Pink\ Lexicon=Pink dictionary Ingredient=Ingredient -Blindness=Blindness On\ Map=on the map +Blindness=Blindness Crate\ of\ Sugar\ Cane=Crate of Sugar Cane -Kiwi\ Crop=Kiwini -Shift\ right\ click\ on\ block\ to\ set\ style=Shift right click on block to set style Sneak\ for\ details=Sneak for details +Shift\ right\ click\ on\ block\ to\ set\ style=Shift right click on block to set style +Kiwi\ Crop=Kiwini This\ bounty\ has\ expired.=This measure has expired. Diamond\ Lasso=Diamond Lasso Obtain\ a\ Full\ Set\ of\ Cladded\ Armor=Get a complete skin shield set @@ -4616,8 +4616,8 @@ Goat\ leaps=goat jumping Elder\ Fence\ Gate=Pee fence gate Gray\ Thing=Hall Asi Angelica=Angelica -%1$s\ was\ killed\ by\ %3$s\ trying\ to\ hurt\ %2$s=%1$s killing %3$s Try to hurt %2$s Polished\ Granite\ Camo\ Trapdoor=Polished Granite Camo Trapdoor +%1$s\ was\ killed\ by\ %3$s\ trying\ to\ hurt\ %2$s=%1$s killing %3$s Try to hurt %2$s Line\ too\ long=Line too long Dragonfly\ Spawn\ Egg=dragonfly eggs (Place\ pack\ files\ here)=(The location of the file in the package here). @@ -4627,17 +4627,17 @@ Nickel\ Curved\ Plate=Curved nickel plate Scattering\ Probability=Spread capacity Generate\ Lignite\ Coal\ Ore=Production of lignite ore Actually\ creating\ this\ portal\ would\ prove\ to\ be\ an\ arduous\ task\:\ quite\ a\ few\ unusual\ resources\ would\ be\ necessary.\ The\ net\ requirements\ come\ down\ to\ 8\ $(l\:basics/pure_daisy)$(item)Livingwood$(0)$(/l)\ blocks,\ 3\ $(l\:misc/decorative_blocks)$(item)Glimmering\ Livingwood$(0)$(/l)\ blocks,\ an\ $(item)Elven\ Gateway\ Core$(0)\ (read\ on),\ and\ at\ least\ 2\ $(l\:mana/pool)$(item)Mana\ Pools$(0)$(/l)\ and\ $(item)Natura\ Pylons$(0)\ (read\ on).=Creating this portal would be a daunting task\: it would require an incredible amount of resources. The net requirement drops to 8$(l\: Fundamentals/pure_dreams)$(Item) Living thing$(0)$(/ l) block 3$(l\: other/decoration_block)$(Element) bright live wood$(0)$(/ l) block,$(Item) Elven Gateway Core$(0) (continue reading), and at least 2$(l\: where / pool)$(location) Mana reserves$(0)$(/Country$(Species) Natura Towers$(0) (find out more). -Craft\ a\ Diesel\ Mining\ Drill=Build a diesel mining drill Advanced\ Filtering=Advanced Filtering +Craft\ a\ Diesel\ Mining\ Drill=Build a diesel mining drill Notification\ Settings=Notification Settings Leatherworker=Leatherworker Lunum\ Pickaxe=Lunum Pickaxe Spruce\ Wood=Gran -Lunum\ Crook=Lunum Crook The\ relic\ known\ as\ $(item)The\ Fruit\ of\ Grisaia$(0)\ bestows\ the\ brave\ soul\ who\ earned\ it\ with\ an\ endless\ supply\ of\ nourishment.\ It\ can\ be\ eaten\ like\ any\ other\ piece\ of\ food,\ but\ will\ use\ $(thing)Mana$(0)\ to\ replenish\ hunger\ instead.$(p)It\ would\ probably\ be\ a\ good\ idea\ to\ get\ used\ to\ the\ taste\ of\ apple,\ though.=Residue called$(Item) Fruit Grice$(0) Give inexhaustible food to the brave souls who won it. It can be eaten like any other food, but it is needed$(goods) heart$(0) satisfy hunger.$(p) It is probable, however, that the fruit tasted nice. +Lunum\ Crook=Lunum Crook Swamp\ Azalea=Especially azaleas -Panic\ Necklace=Panic necklace Boosted\ Diesel=improved diesel fuel +Panic\ Necklace=Panic necklace Category=Category No\:\ Only\ extractable\ fluids\ will\ be\ visible.=No\: Only extractable fluids will be visible. Pine\ Kitchen\ Sink=Pine Kitchen Sink @@ -4651,13 +4651,13 @@ Azure\ Jadestone\ Brick\ Wall=Sapphire Brick Wall Bottle\ thrown=Threw the bottle Yellow\ Garnet\ Dust=Yellow Garnet Dust Nether\ Soul\ Temple\ Spawnrate=Nether Soul Temple Spawnrate -Parrot\ rattles=Parrot zegt Ultimate\ Fishing\ Rewards=The prize for best fisherman. +Parrot\ rattles=Parrot zegt Luminous\ Gray\ Wool=shiny gray wool -Annealed\ Copper\ Wire=annealed copper wire Recipe\ larger\ than\ 3x3=Recipe larger than 3x3 -Keep\ Entity\ Info\ For=Keep Entity Info For +Annealed\ Copper\ Wire=annealed copper wire Trans\ Pride\ Backpack=Trans Pride District Backpack +Keep\ Entity\ Info\ For=Keep Entity Info For Black\ Petal\ Block=Black horseshoe block \u00A7eEnables\ Creative\ Flight\u00A7r=\u00A7eEnables Creative Flight\u00A7r Jagged\ Peaks=Peak serrated @@ -4669,28 +4669,28 @@ Assembly\ line\ in\ a\ box=Cardboard assembly line The\ $(item)Petal\ Apothecary$(0).=No$(Article) Horseshoe pharmacy$(0). Stripped\ Rainbow\ Eucalyptus\ Wood=Stripped Rainbow Eucalyptus Wood Dusts=Dusts -French\ Alternative=French alternative Simple\ and\ fast\ short-range\ Mana\ transporters=Quick and easy short range energy transfer +French\ Alternative=French alternative Asteroid\ Silver\ Cluster=Asteroid Silver Cluster Charred\ Wooden\ Pressure\ Plate=Charred Wooden Pressure Plate Status=Status Phantom\ Purpur\ Lines=Small purple battle Ender\ Pouch=Ender Pouch -*\ Invalid\ book\ tag\ *=* Invalid book tag * %ss\ Draw\ Speed=%sI am the image +*\ Invalid\ book\ tag\ *=* Invalid book tag * A\ total\ of\ 16\ $(item)Runes$(0)\ exist.$(p)The\ most\ elementary\ runes\ are\ named\ after\ the\ $(thing)Four\ Elements$(0),\ the\ intermediate\ runes\ are\ named\ after\ the\ $(thing)Four\ Seasons$(0),\ and\ the\ most\ advanced\ runes\ are\ named\ after\ the\ $(thing)Seven\ Deadly\ Sins$(0).\ A\ separate\ $(item)Rune\ of\ Mana$(0)\ also\ exists\ outside\ this\ progression.=16 in total$(Item) rune$(0) exists.$(p) The name of the simplest rune is$(some) 4 elements$(0) intermediate rhythms after. named$(out) Four seasons$(0) And the freshest rhythms are left behind. Name$(seven deadly sins$(0). separated$(Object) Manarune$(0) is also out of this process. Lament\ Kitchen\ Counter=Cooking suit Select\ Note=Select Note Open\ next\ Terminal=Open the next terminal -Grass\ Path=In The Hall Way Redstone\ disables=Redstone disables +Grass\ Path=In The Hall Way White\ Christmas\ Light=white christmas lights Spawn\ Waystones\ on\ top=The road stone is made on top Jungle\ Fortress=Jungle Fortress Luminizer\ Transport=Luminous delivery Mutated\ Grass=mutant grass -Obtain\ a\ Stellum\ Ingot=Obtain a Stellum Ingot Floating\ Labellia=floating labia +Obtain\ a\ Stellum\ Ingot=Obtain a Stellum Ingot Render\ Distance=Render Distance Smooth\ Sandstone\ Slab=Them, And The Slabs Of Sandstone Show\ the\ mods\ as\ children\ of\ ModsMod\ in\ ModMenu=Demonstrate changes like ModsMod children in ModMen @@ -4702,15 +4702,15 @@ No\ chunks\ were\ removed\ from\ force\ loading=The parts that were removed from Steel\ Stairs=Steel Stairs Character\ Input\:=Character Input\: Ender\ Whale\ Spawn\ Egg=Spawning of the last whale -Maple\ Kitchen\ Sink=Maple kitchen sink Saturn\ Essentia=Saturn +Maple\ Kitchen\ Sink=Maple kitchen sink Aluminium\ Wall=Aluminium Wall Cyan\ Chief\ Dexter\ Canton=Plava-Chief Dexter Goingo Light\ Blue\ Item\ Pipe=Light blue tube of things Block\ of\ Uranium\ 238=238. Uranium Block Block\ of\ Uranium\ 235=Uranium 235 block -Incompatible=Incompatible Whitelist\ is\ already\ turned\ on=White list-to je +Incompatible=Incompatible Limestone\ Brick\ Wall=Limestone Brick Wall Light\ Gray\ Stained\ Glass\ Slab=Light gray glass pane Original\ text\:\ %s=Islamic documents\: . %s @@ -4765,14 +4765,14 @@ Light\ Blue\ Terracotta\ Brick\ Slab=Blue brick, matte board End\ Plant=End Plant Pink\ Shovel=pink spade The\ $(item)Hand\ of\ Ender$(0)\ allows\ its\ user\ to\ access\ their\ interdimensional\ Ender\ subspace\ pocket;\ in\ other\ words,\ their\ $(item)Ender\ Chest$(0)\ inventory.\ Said\ inventory\ can\ be\ opened\ with\ some\ $(thing)Mana$(0)\ by\ right-clicking\ with\ the\ Hand,\ no\ matter\ the\ place.$(p)Using\ the\ hand\ on\ another\ player\ will\ use\ substantially\ more\ $(thing)Mana$(0),\ but\ will\ open\ $(o)their$()\ inventory\ instead.=that$(item) Ender&\#39;s Hand$(0) allows the user to access the bisex ender phosphate pocket; In other words, for them$(target) enderdada$(0) In stock. Inventory can be opened by number$(what) mana$(0) by right -clicking with your hand, no matter where.$(p) Acting on other players will cause excessive consumption$(thing) Mana$(0), but it will open.$(Q) your own$() As an alternative. -%s\ does\ not\ have\ this\ curse=%sWithout this curse -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 +F3\ +\ I\ \=\ Copy\ entity\ or\ block\ data\ to\ clipboard=F3 + S \=, in order to Copy an object or data table to the clipboard +%s\ does\ not\ have\ this\ curse=%sWithout this curse Tall\ Mystical\ Black\ Flower=Long black flowers Soul\ Weaver=weaver spirit Corporea\ Request=Corpus request -Custom\ bossbar\ %s\ is\ currently\ shown=Costum bossbar %s at the present time is displayed in Invisibility\ Cloak=Mantle of invisibility +Custom\ bossbar\ %s\ is\ currently\ shown=Costum bossbar %s at the present time is displayed in Greenbean\ Crop=Mung bean harvest Goat\ dies=The goat is dead Basalt\ Deltas=Basalt-Delity @@ -4786,13 +4786,13 @@ Damage\ of\ Removing\ Wings=Damage of Removing Wings Craft\ an\ Assembler=Fitter creation Isn't\ it\ iron\ ladder?=Is not it an iron ladder? Telekinetic\ Shock=Shock from afar -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 Jungle\ Grass=The grass The grass -Potted\ Blue\ Mushroom=Potted Blue Mushroom +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 World\ is\ deleted\ upon\ death=World deleted by death +Potted\ Blue\ Mushroom=Potted Blue Mushroom Figgy\ Pudding=Vegetarian pudding -Bowler\ Hat=Bowler Hat Rose\ Gold\ is\ often\ used\ for\ coins.=Rose Gold is often used for coins. +Bowler\ Hat=Bowler Hat Illusioner\ casts\ spell=There is illusia magic 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 Sunny\ Quartz=bright quartz @@ -4800,8 +4800,8 @@ Aspen\ Kitchen\ Sink=Each cesspool Entity\ Loot\ Crate\ Drop\ Empty\ Weight=Empty Essence Loot Box Compulsory\ Evacuation\ Device=evacuation machine Grants\ access\ to\ quests\ of\ the\ profession.=Grant permission to take professional exams -Strawberry\ Smoothie=Strawberry Smoothie Increase\ Zoom=Increase Zoom +Strawberry\ Smoothie=Strawberry Smoothie Estonian=Estonian LE\ Uranium\ Fuel\ Rod\ Quad=Quad nuclear uranium fuel rod Iron\ to\ Gold\ upgrade=Iron to Gold upgrade @@ -4850,23 +4850,23 @@ Stone\ Trapdoor=Stone Trapdoor \u00A77\u00A7o"His\ music\ rocks."\u00A7r=\u00A77\u00A7o"His music rocks."\u00A7r Tainted\ Blood\ Pendant=contaminated blood Reset=Reset -Dropped=Error Float\ must\ not\ be\ more\ than\ %s,\ found\ %s=The float should not be more than %s we found %s +Dropped=Error Apple\ Crop=Apple harvest Craft\ any\ upgrade=Craft any upgrade It's\ all\ in\ the\ cloud=It&\#39;s all in the cloud Polished\ Netherrack\ Slab=Polished Netherrack Slab Luminizer\ whooshes=Mute illuminator -Red\ Nether\ Bricks=Red-Brick, Nether Scorched\ Kitchen\ Sink=heated sink +Red\ Nether\ Bricks=Red-Brick, Nether Black\ Bordure=Black Outline Oak\ Cross\ Timber\ Frame=Oak Cross Timber Frame Red\ Garnet\ Dust=Red Garnet Dust Dropper=Dropper Remove\ all\ nearby\ water\ blocks=Remove all nearby water blocks -One\ way\ or\ another=One way or another -Lime\ Saltire=The Horse \u0421\u0430\u043B\u0442\u0430\u0439\u0440 High-Pressure\ Advanced\ Large\ Steam\ Boiler=Advanced high pressure boiler +Lime\ Saltire=The Horse \u0421\u0430\u043B\u0442\u0430\u0439\u0440 +One\ way\ or\ another=One way or another Dream\ Warp\ Spell\ Book=the spellbook of the corruption of dreams The\ air\ present\ in\ the\ void\ of\ the\ $(item)End$(0)\ seems\ to\ have\ mutative\ properties.\ Right-clicking\ with\ an\ empty\ $(item)Glass\ Bottle$(0)\ while\ in\ the\ $(item)End$(0)\ will\ capture\ some\ of\ that\ air,\ which\ can\ then\ later\ be\ tossed\ like\ a\ splash\ potion,\ turning\ nearby\ $(item)Stone$(0)\ at\ the\ landing\ point\ into\ $(item)End\ Stone$(0).\ $(p)$(item)Dispensers$(0)\ can\ also\ capture\ this\ air,\ if\ nothing\ is\ blocking\ the\ area\ above\ the\ output.=air in a vacuum$(element) Finally$(0) Looks like ownership has changed. Right click on empty$(First) glass bottle$(0) while you are$(Article) Done$(0) will take part of this air, which can then be removed in the form of a urine potion, returning it nearby.$(Object) Stone$(0) Go to the bankruptcy page$(Object) End stone$(0\uFF09\u3002$(P)$(Article) distributor$(0) can trap this air even if nothing is blocking the area above the exit. 2x\ Compressed\ Netherrack=2x Compressed Netherrack @@ -4876,8 +4876,8 @@ Redstone\ Generator=Redstone generator A\ trip\ to\ the\ Countryside=trip to the village Drowned\ swims=The floating body Steadfast\ Spikes=Fixed nails -Butchering=carnage Resource\ Packs...=Resource Pack Je... +Butchering=carnage MFE=MFE Edit\ Capabilities=Edit features Pickle\ Brine=Pickle Brine @@ -4887,17 +4887,17 @@ Compression\ -\ Vertical=Compression - Vertical Warped\ Stairs=Warped Stairs Windswept\ Hills=Stormy hills Aspen\ Coffee\ Table=Poplar coffee table -Cake\ with\ Cyan\ Candle=Cake with cyan candle Metamorphic\ Fungal\ Stone\ Brick\ Slab=Fungal metamorphic brick slab -Avengers,\ Assemble\ \!=Avengers, turn it on\! +Cake\ with\ Cyan\ Candle=Cake with cyan candle Hide\ Shulker\ Box\ Lore=Hide Shulker Box Folktales +Avengers,\ Assemble\ \!=Avengers, turn it on\! Brown\ Dispersive\ Symbol=Brown scatter icon Orechid\ Ignem=Orhid fire Silk\ Moth\ Nest=Agrotls Sutra Sutra Mangrove\ Platform=Mangrove platform 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. -Leo=Lion Pillar\ Mana\ Quartz\ Block=Quartz Mana Pillar Block +Leo=Lion Forest\ Petal\ Apothecary=Apothecary Forest Lock\ editing\ enabled=Enable lock editing. Purple\ Futurneo\ Block=Purple Futurneo Block @@ -4922,21 +4922,21 @@ Does\ it\ come\ with\ a\ silence?=Does silence understand? Cobblestone\ Stairs=On The Stairs Of Stone Active\ Record=Active Record Pink\ Bordure\ Indented=Pink Hole Bord -Expired=Date Small\ Pile\ of\ Gold\ Dust=Small Pile of Gold Dust +Expired=Date Incomplete\ (expected\ 1\ angle)=Incomplete (expected 1 angle) Cannot\ toggle\ player\ status\ without\ a\ player\ copy\ status\ to\ target\!=Can not change player status without a status copy from player to goal\! Music\ Disc=Cd-rom TNT\ Wing=TNT Wing -Crimson\ Diagonal\ Timber\ Frame=Crimson Diagonal Timber Frame -The\ Mana\ cost\ for\ the\ Discombobulate\ spell.=Discombobulate The mana cost of an order. 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\ Mana\ cost\ for\ the\ Discombobulate\ spell.=Discombobulate The mana cost of an order. +Crimson\ Diagonal\ Timber\ Frame=Crimson Diagonal Timber Frame Anthracite\ Block=Carbonate exclusion 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 -Drowning=Drowning Emperor\ Red\ Snapper=The Car Is Red Snapper +Drowning=Drowning Abbreviate\ large\ item\ counts=Eliminate a large number of objects Metamorphic\ Mesa\ Stone\ Bricks=Countertop Metamorphic Brick Deepslate\ Tungsten\ Ore=Deep tin tungsten ore @@ -4957,8 +4957,8 @@ Ether\ Table=Ether Table This\ slowly\ grilled\ Blackstone\ Trout\ =This trout is grilled slowly Are\ you\ able\ to\ climb\ all\ Towers?=Can you climb all the towers? Hacked\ Sandwich...\ ?=Hacked Sandwich... ? -Glow\ Lichen=shining lichen You\ can't\ remove\ yourself\ from\ this\ claim\!=You can't remove yourself from this claim\! +Glow\ Lichen=shining lichen Show\ FPS\ in\ new\ line=Show FPS in new line Netherite\ Tiny\ Dust=Netherite Tiny Dust Brick\ Column=Pillar brick @@ -5029,9 +5029,9 @@ Stripped\ Sakura\ Log=Sakura tribes are abstract Low=low Beryllium=Beryllium Jungle\ Outpost\ Average\ Spacing=Jungle Outpost Middle Distance -Gilded=Gilt -Emerald\ Nugget=Emerald Nugget Output\ capacity\:\ =Production capacity\: +Emerald\ Nugget=Emerald Nugget +Gilded=Gilt %s\ Bit=%sbites Cannot\ build\ a\ bridge\ to\ the\ same\ position=Cannot build a bridge to the same position Wireless\ Receiver=Wireless Receiver @@ -5044,14 +5044,14 @@ Bootlegged\ equal\ trade=Piracy equivalent transaction Smooth\ Volcanic\ Rock\ Platform=Smooth volcanic rock platform Sandstone\ Brick\ Slab=Sandstone Brick Slab Solid\ as\ a\ rock=hard as a person -Purple\ Field\ Masoned=Lievi Flight Masoned -Enter\ a\ Ghost\ Town=Go into the ghost town Flavolite\ Brick\ Wall=Yellowstone Walls +Enter\ a\ Ghost\ Town=Go into the ghost town +Purple\ Field\ Masoned=Lievi Flight Masoned Auto-Transfer\ All\ Items=The goods are then transferred Black\ Paly=Black And Light Void\ Essentia\ Bucket=Bucket Void Essentia -%s\ %s=%s %s Redwood\ door=Redwood door +%s\ %s=%s %s Chopped\ Carrot=Chopped Carrot Nether\ Hammer=Nether Hammer Brown\ Banner=Bruin Banner @@ -5063,10 +5063,10 @@ Show\ saturation\ overlay=Saturation overlay display Willow\ Chair=Willow Chair Get\ a\ Netherite\ Shulker\ Box=Purchase the Netherite Shulker box Light\ Gray\ Terracotta\ Brick\ Slab=Light gray terracotta tile -Baobab\ Drawer=Baobab box \u00A77\u00A7o"Order\ and\ Progress."\u00A7r=\u00A77\u00A7o"Order and Progress."\u00A7r -Blue\ Concrete\ Brick\ Slab=Blue concrete slab +Baobab\ Drawer=Baobab box Endermite\ scuttles=Endermite spragas +Blue\ Concrete\ Brick\ Slab=Blue concrete slab Maple\ Pressure\ Plate=Maple Pressure Plate Toggle\ Luminizer=Choose a luminizer Lime\ Mushroom=Lime Mushroom @@ -5078,20 +5078,20 @@ Trapped\ Elder\ Chest=The old man&\#39;s chest was blocked Reduces\ the\ mouse\ sensitivity\ when\ zooming.=Reduces the mouse sensitivity when zooming. Torch\ Items=Flashlight items Dark\ Forest\ Dungeons=Dark Forest Dungeons -Sakura\ Stairs=Sakoura Skara The\ Search=Look +Sakura\ Stairs=Sakoura Skara Broccoli\ Seeds=Broccoli seeds Cactus=Cactus Electrum\ Ingot=Electrum Ingot Angel\ Ring=Angel Ring -Cypress\ Kitchen\ Sink=Cypress Kitchen Sink -Affect\ Game\ Menus\:=Affect Game Menus\: The\ Graveyard=cemetery +Affect\ Game\ Menus\:=Affect Game Menus\: +Cypress\ Kitchen\ Sink=Cypress Kitchen Sink Apply\ Honeycomb\ to\ a\ Copper\ block\!=Use Milcomb to block copper\! -Baobab\ Post=Baobab fast Nether\ Scythe=Cancel scythe -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. +Baobab\ Post=Baobab fast Revoke\ ownership.=Abolition of property. +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 Scientist=Scientists Tenanea\ Door=Kamen Tenanea @@ -5116,8 +5116,8 @@ Incense\ Stick=incense stick Orange\ Glazed\ Terracotta\ Ghost\ Block=Orange Glazed Terracotta Ghost Block Can\ break\:=Can be divided into\: Bucket\ of\ Piranha=Ember piranha -Cow\ gets\ milked=The cows are milked Simulation=Simulation +Cow\ gets\ milked=The cows are milked Future\ Transformer=Future Transformer Configure\ Slots=Configure Slots Sunken\ Skeleton=sunken skeleton @@ -5144,8 +5144,8 @@ Steam-Cracked\ Naphtha=Naphtha for steam cracking Ebony\ Chair=ivory chair; User\ is\ allowed\ to\ store\ new\ items\ into\ storage.=User is allowed to store new items into storage. Enable\ Magic\ Missile\ spell.=Activate the magic missile spell. -Causes\ damage\ to\ enemies\ when\ they\ attack\ you.=When your enemies attack, they do damage. Block\ of\ Manasteel=Manashie Block +Causes\ damage\ to\ enemies\ when\ they\ attack\ you.=When your enemies attack, they do damage. GUI\ Scale=GUI scale Sandwich\ Size\ Slows\ Eating\ Time=Sandwich Size Slows Eating Time Light\ Gray\ Dominant\ Symbol=Minant symbol of light quality @@ -5188,8 +5188,8 @@ Fix\ boat\ fall\ damage=The damage to the boat fell was repaired. Green\ Mystical\ Flower=Green secret flower Kill\ five\ unique\ mobs\ with\ one\ crossbow\ shot=Five of the original one-shot crossbow to kill monsters Black\ Glazed\ Terracotta=Black Glazed Terracotta -Potted\ Peony=Potted Peony Crimson\ Planks\ Camo\ Door=Crimson Planks Camo Door +Potted\ Peony=Potted Peony Rich\ Mining\ Solutions=Rich Mining Solutions Manaweave\ Boots=Shoes made of magic fabric Birch\ Trapped\ Chest=Birch stuck in the chest @@ -5197,11 +5197,11 @@ Umbrella\ Tree\ Bark=Oh chairman Illusioner\ dies=The Illusion is to die Fisherman's\ Hat=Fisherman's Hat Stored\ /\ Craftable=Stored / Craftable -Primitive\ Machine\ Chassis=Primitive Machine Chassis Waxed\ Exposed\ Medium\ Weighted\ Pressure\ Plate=The growth of medium weight printing plates is exposed +Primitive\ Machine\ Chassis=Primitive Machine Chassis Salinity\ Level\ LOW=Salinity Level LOW -Green\ Tent\ Top\ Flat=Green Tent Top Flat Jellyshroom\ Composter=Select items +Green\ Tent\ Top\ Flat=Green Tent Top Flat Triple\ Efficiency=Triple Efficiency Servers\ may\ list\ online\ players\ as\ part\ of\ their\ public\ status.\nWith\ this\ option\ off\ your\ name\ will\ not\ show\ up\ in\ such\ lists.=Servers can register artists online as part of their social network. Player\ dies=The player can't die @@ -5241,8 +5241,8 @@ Craft\ a\ Steam\ Furnace=The design of steam oven %sx\ speed=%sx speed All\ $(thing)Functional$(0)\ and\ $(thing)Generating\ Flora$(0)\ are\ made\ here\ (for\ more\ information,\ read\ through\ the\ respective\ sections\ in\ this\ lexicon).$(p)Sneak-right\ clicking\ the\ $(item)Petal\ Apothecary$(0)\ with\ an\ empty\ hand\ will\ remove\ the\ last\ item\ thrown\ in.=Anything$(What) Functional$(0) at$(Things) produce flora$(0) created here (for more information, see the relevant chapters of this dictionary).$(p) Right click secretly$(Item) Petal Alchemist$(0) Empty hand will delete the last entered position. Max\ Time=Max Time -Creative\ Farmer=Creative Farmer Fire\ Gauntlet=fire gloves +Creative\ Farmer=Creative Farmer Pick\ up\ a\ Mystical\ Flower\ from\ the\ world=Collect mystical flowers from all over the world Raw\ Silver\ Stairs=Grilled Raw Silver Aluminum\ Blade=Aluminum blade @@ -5252,9 +5252,9 @@ Potion\ of\ the\ Miner=Miners drink Smooth\ Smoky\ Quartz\ Slab=Smooth smoky quartz slabs White\ Base\ Indented=White Base Indented Generate\ Core\ of\ Flights\ on\ Buried\ Treasures=Generate Core of Flights on Buried Treasures -Keyboots=The start key -Thrown\ Egg=Put An Egg Warped\ Outpost\ Average\ Spacing=Distorted means distance from outposts +Thrown\ Egg=Put An Egg +Keyboots=The start key The\ $(item)Terrasteel\ Helmet$(0)=Is$(article) Terrasteel helmet$(0) Don't\ forget\ to\ back\ up\ this\ world=Don't forget to return to the world Magenta\ Neon=neon magenta @@ -5268,8 +5268,8 @@ Avocado\ Toast=Avocado Toast Preparing\ spawn\ area\:\ %s%%=Training in the field of beef\: %s Scorched\ Stairs=Burn the ladder FPS+CPU\ (Long)=FPS + CPU (long) -Cyan\ Mystical\ Flower=mysterious blue flower Exit=Take out +Cyan\ Mystical\ Flower=mysterious blue flower Color\:\ %s=Color\: %s You\ have\ removed\ %s\ [[live||lives]]\ from\ your\ lifepool.=You have removed %s [[live||lives]] from your lifepool. Fully\ Blue\ Field=The school is completely blue @@ -5286,15 +5286,15 @@ Floating\ Clayconia=Swimming tone conia Invar\ with\ Slot\ Locking=Invade with slotted lock Lime\ Concrete\ Bricks=The concrete kicks the stone Terminite\ Forged\ Plate=Infinite Forged Plate -Old\ Iron\ Chest=Old Iron Chest Oxygen\ Bucket=Oxygen container +Old\ Iron\ Chest=Old Iron Chest Umbrella\ Tree\ Crafting\ Table=Umbrella production counter Open\ Shader\ Pack\ Folder...=Open the shader packages folder ... Charging\ Time\ (2\:00)=Opening hours (2\:00) -Charred\ Boat=ship&\#39;s burnt offering Armorer's\ Mask=Armorer's Mask -%s\ XP=%s XP +Charred\ Boat=ship&\#39;s burnt offering White\ Oak\ Log=White Oak Log +%s\ XP=%s XP Modifier\ Keys=Modifier Keys Pine\ Mountains=Pine Mountains Use\ coolers\ like\ a\ cool\ guy=Use coolers like a cool guy @@ -5314,8 +5314,8 @@ Nothing\ changed.\ That\ IP\ isn't\ banned=Nothing has changed. This IP is not b Show\ Death\ Message=Show Death Message Pink\ Stained\ Glass\ Stairs=Staircase with pink stained glass windows Cypress\ Chest=Cypress box -Igloo=snow House CraftPresence\ -\ Select\ a\ Biome=CraftPresence - Select a Biome +Igloo=snow House Spark\ Augment\:\ Dominant=Rise of the Spark\: Domination Creeper\ hurts=Creeper \u03BA\u03B1\u03BA\u03CC Caution\:\ Third-Party\ Online\ Play=Please Note\: Third-Party Online Games @@ -5333,16 +5333,16 @@ 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. Updated=Update Iron\ Hoe=The Owner Of Iron -...One\ Giant\ Leap\ For\ Mankind=...One Giant Leap For Mankind Stone\ Lance=Stone Lance +...One\ Giant\ Leap\ For\ Mankind=...One Giant Leap For Mankind Spruce\ Bench=Bank of the Spruce When\ the\ Shatterer's\ Ability\ is\ active,\ it\ can\ break\ many\ blocks\ in\ a\ wide\ surface\ area\ at\ once.\ At\ rank\ $(thing)C$(0),\ it\ breaks\ a\ narrow\ column\ of\ blocks;\ at\ rank\ $(thing)B$(0),\ it\ increases\ to\ a\ square,\ and\ surface\ areas\ increase\ from\ there\ on\ upward.\ Note\ that\ the\ rank-$(thing)D$(0)\ tool\ does\ not\ have\ an\ ability.\ The\ Shatterer,\ when\ active,\ continuously\ consumes\ its\ internal\ $(thing)Mana$(0)\ when\ $(l)not$()\ mining.=When a destroyer&\#39;s ability was activated, it could crush multiple blocks simultaneously over a large area, nearby.$(something) with *$(0), eliminates a tight shaft block. in time$(Sako) B$(0), enlarge it to a square and enlarge the surface from there. Pay attention to evaluation$(Case) D$(0) The tool has no function. When the shredder is active, it always uses internal energy.$(Stuff) sister$(0) When$(l) no$() Extraction. -Collect\ data\ and\ render\ the\ tooltip=Collect data and render the tooltip Stripped\ Cherry\ Wood=Stripped Cherry Wood +Collect\ data\ and\ render\ the\ tooltip=Collect data and render the tooltip Initial\ Delay=Initial Delay Small\ End\ Islands=Malyk Edge On The Island -Craft\ an\ Inductor=Make an induction coil Reset\ name=Reset name +Craft\ an\ Inductor=Make an induction coil Chinese\ Simplified=Chinese Simplified Antidote=Antidote Triton\ Machete=Triton sickle @@ -5354,8 +5354,8 @@ Eat\ everything\ that\ is\ too\ eat=eat anything that has been eaten too much Pice\ Egg=Seed eggs Umbral\ Kitchen\ Sink=slender kitchen sink Redwood\ Chair=Redwood Chair -Grapefruit\ Sapling=Grape seeds Waxed\ Weathered\ Copper=Waxed bronze +Grapefruit\ Sapling=Grape seeds Block\ of\ Annealed\ Copper=Annealed copper block Brown\ Shingles\ Stairs=Brown Shingles Stairs Luminous\ Black\ Carpet=bright black rug @@ -5389,11 +5389,11 @@ 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. Split=share Nether\ Quartz=The Netherlands Is A Silicon -Cat\ hurts=The cat is expected to Lacugrove\ Stairs=Ladders a la Crow -Failed\ to\ export\ resource\:\ %s=Failed to export resource\: %s -Restart\ game\ to\ load\ mods=Once again, the game is to download the mod +Cat\ hurts=The cat is expected to The\ $(thing)Curios\ Screen$(0)=One$(What) Curiosity screen$(0) +Restart\ game\ to\ load\ mods=Once again, the game is to download the mod +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 @@ -5407,8 +5407,8 @@ Parts=Parts Lime\ Base\ Gradient=Lime Podlagi, Ki Asterite\ Pickaxe=Asterite Pickaxe [ES]\ Diamond\ Chests\ Opened=The Diamond Chest [ES] has been opened. -In-Game\ Waypoint\ Icon\ Scale=stairway point icon for game Embur\ Coffee\ Table=Crush coffee table +In-Game\ Waypoint\ Icon\ Scale=stairway point icon for game Bundling=agroup Printed\ Engineering\ Circuit=Printed Engineering Circuit Aeternium\ Boots=Atanium Boots @@ -5425,8 +5425,8 @@ Sterling\ Silver\ Scythe=Silver size Crow=black Crow Crafting\ $(item)Azulejos$(0)=Editor$(Article) Azulejos$(0) 3\ to\ 4=3 to 4 -Creative\ Tools=Creative Tools Star-shaped=The stars in the form of a +Creative\ Tools=Creative Tools Pink\ Concrete\ Brick\ Stairs=Pink concrete brick stairs A\ Minecraft\ Server=A Minecraft Server Damage\ Filter=Damaged filter @@ -5442,8 +5442,8 @@ The\ End\ for\ Dummies=Tips for beginners Cracked\ Dried\ Peat\ Brick\ Wall=The dry cracked peat brick wall Stainless\ Steel\ Tank=Stainless steel water tank Small\ Pile\ of\ Sapphire\ Dust=Small Pile of Sapphire Dust -Gray\ Shovel=Ash Shovel Any\ Door=Any port +Gray\ Shovel=Ash Shovel Kill\ any\ hostile\ monster=To kill a monster, the enemy Taiga\ Mountains=The Mountains, In The Forest Increases\ mining\ rate\ when\ not\ on\ the\ ground=Extraction from the speed of soil growth @@ -5461,14 +5461,14 @@ Magenta\ Terracotta\ Glass=Magenta Terracotta Glass Profiting\ off\ Hate=Profit from hate Husbandry=Animal / ?????????? Enchanted\ Totem\ of\ Undying=Immortal magic totem -Electrum\ Fluid\ Pipe=The liquid pipe Page\ Down=On The Bottom Of The Page +Electrum\ Fluid\ Pipe=The liquid pipe Crimson\ Chest=Purple and Ark Trident\ clangs=Trident clangs Red\ Nether\ Brick\ Pillar=red brick bottom row Naphta\ Bucket=Blister bucket -Transfer\ data\ to\ Storage\ Cell=Transfer data to Storage Cell Writes\ every\ registered\ ID\ in\ .json\ files=Write each registered ID to the .json . file +Transfer\ data\ to\ Storage\ Cell=Transfer data to Storage Cell Superconductor\ Output\ Hatch=Superconducting output hatch %s\ FE=%sfairy The\ eyes\ of\ $(thing)Ender$(0)\ creatures\ have\ a\ peculiar\ sensitivity\ to\ the\ gaze\ of\ certain\ beings.\ A\ block\ crafted\ from\ said\ eyes\ will\ output\ a\ redstone\ signal\ if\ a\ player\ within\ a\ 64\ block\ radius\ looks\ directly\ at\ it.$(p)Of\ course,\ said\ player\ donning\ a\ $(item)Pumpkin$(0)\ will\ prevent\ the\ block\ from\ triggering.=mripate$(chapter) Ender$(0) Creatures have a special flair for looking at other creatures. It sends out a red stone on the side of its eye when the player looks at it directly in 64 blocks of rays.$(p) Of course, the athlete says.$(Article) Pumpkin$(0) prevent activation. @@ -5487,8 +5487,8 @@ Lava\ (or\ water\ in\ water\ regions)\ spawns\ at\ and\ below\ this\ y-coordinat Stop\ on\ tool\ breakage=Stop on tool breakage 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. Shots\ Fired=Shot -By\ Quantity=By Quantity Brown\ Terracotta\ Glass=Brown Terracotta Glass +By\ Quantity=By Quantity Potted\ Rose\ Bush=Potted Rose Bush Donkey\ neighs=The donkey laughs Cooked\ Rhino\ Meat=boiled rhino meat @@ -5496,8 +5496,8 @@ White\ Botania=white botanical The\ $(item)Warp\ Lens$(0)\ is\ an\ interesting\ one.\ A\ burst\ under\ its\ effects\ that\ collides\ with\ a\ $(l\:ender/piston_relay)$(item)Force\ Relay$(0)$(/l)\ will\ teleport\ to\ the\ target\ of\ said\ $(l\:ender/piston_relay)$(item)Force\ Relay$(0)$(/l),\ maintaining\ its\ momentum,\ but\ making\ its\ $(thing)Mana$(0)\ irrecoverable.$(p)Furthermore,\ when\ it's\ combined\ with\ a\ $(item)Bore\ Lens$(0)\ (the\ $(item)Bore\ Lens$(0)\ must\ be\ first),\ it'll\ prevent\ bursts\ from\ breaking\ $(l\:ender/piston_relay)$(item)Force\ Relays$(0)$(/l)\ or\ $(item)Pistons$(0),\ and\ teleport\ any\ blocks\ broken\ by\ the\ $(item)Bore\ Lens$(0)\ to\ the\ burst's\ origin.=This$(Article) Lens Warp Lens$(0) Interesting. Strikes that collide with effects$(l\: Ender / Piston_relay)$(short circuit) power relay$(0)$(/ l) will teleport to that character&\#39;s target.$(l\:endere/piston_ no)$(item) forced relay$(0)$(/ l), keep that speed, but$(thing) sister$(0) Cannot be cancelled.$(p) also from$(Object) lens aperture$(0) (file$(Article) lensa bore$(0) Must come first) Prevent the bomb from exploding.$(l\: ender/piston_relay)$(Type) Power relay$(0)$(/ l) or$(Element) Piston$(0), teleport the damaged block$(element) aperture lens$(0) at the beginning of rain. Free\ fall\ from\ the\ top\ of\ the\ world\ (build\ limit)\ to\ the\ bottom\ of\ the\ world\ and\ survive=Free fall and survive from the top of the world (the limit of the building) to the end of the world. Previous\ Page\:=Previous Page\: -Cyan\ Per\ Fess=Blue Fess Winter\ Succulent=Winter Succulent +Cyan\ Per\ Fess=Blue Fess Eggnog=Advocate Rainbow\ Rainforest\ Lake=Rainbowest Lake Lake Pure\ Fluix\ Crystal=Pure Fluix Crystal @@ -5515,8 +5515,8 @@ Small\ Jellyshroom=Little Jelly House Block\ of\ Lapis\ Lazuli=lapis lazuli block Online=online Raw\ Synthetic\ Oil\ Bucket=New barrel of crude oil -Chaotic=chaotic Rubber\ Fence=Rubber Fence +Chaotic=chaotic Craft\ a\ fusion\ coil=Craft a fusion coil Crimson\ Planks=Ketone Tej Strani Crafting\ the\ splitter=To make a postal @@ -5538,8 +5538,8 @@ Liquid\ Goes\ Where?=Liquid Goes Where? Yellow\ Glowshroom\ Stem=Yellow Glowshroom Stem Fluid\ Inserter=Fluid Inserter Green\ Skull\ Charge=Free Green Skull -Pink\ Flower\ Charge=Pink Flower-Free - Polished\ Blackstone\ Pillar=Polished Blackstone Pillar +Pink\ Flower\ Charge=Pink Flower-Free - Soul\ Lure=Soul bet Leave\ blank\ for\ a\ random\ seed=Free to leave a random seed Pink\ Glazed\ Terracotta\ Ghost\ Block=Pink Glazed Terracotta Ghost Block @@ -5548,8 +5548,8 @@ Brown\ Glider=Brown Glider Brown\ Concrete\ Bricks=Brown concrete Green\ Chief\ Indented=Yes The Master Retreat Luminous\ Light\ Blue\ Wool=Lesser blue -Orange\ Asphalt=Orange Asphalt Passive\:\ Tundra\ Immunity=Passive immunity to the tundra +Orange\ Asphalt=Orange Asphalt An\ unobtainable\ block\ lining\ the\ floor\ of\ naturally\ generated\ salt\ pools.\ Water\ on\ top\ of\ this\ block\ will\ be\ saline,\ meaning\ a\ desalinator\ will\ work\ on\ top\ of\ this\ block.=Naturally formed floor rugs in salt ponds are impossible blocks. This retains salt water, desalination equipment, and work blocks. %s\ LF=%s LF Protanopian\ Gallery=Protanopian Gallery @@ -5567,8 +5567,8 @@ Very\ High=Very strong Hold\ down\ %s=Keep %s Popped\ Chorus\ Fruit\ Block=The chorus fruit block appears add\ back\ the\ last\ recipe=add the latest recipe -Fluid\ Pipe\ MK1=The liquid pipe MK1 Difficulty=The difficulty +Fluid\ Pipe\ MK1=The liquid pipe MK1 Axe\ Attack\ Speed=Axe Attack Speed Fluid\ Pipe\ MK3=MK3 fluid tube Fluid\ Pipe\ MK2=MK2 liquid tube @@ -5588,8 +5588,8 @@ Cucumber\ Crop=Cucumber Crop /hqm\ load\ [filename]=/hqm load [filename] %s\ ms=%s The LADY Whether\ the\ Linker\ item\ should\ be\ enabled\ or\ not.=Whether the Linker item should be enabled or not. -Dark\ Prismarine\ Pillar=Dark aquamarine pillar Ether\ Stone\ Slab=Aether stone slab +Dark\ Prismarine\ Pillar=Dark aquamarine pillar Hardcore\:=Hardcore\: Moody=Moody ' s Decreased=Reduces @@ -5640,8 +5640,8 @@ Essentia\ Tank\ capacity=Characteristics of tank capacity Tall\ Mystical\ Magenta\ Flower=Mysterious tall purple flower Magenta\ Terracotta\ Camo\ Trapdoor=Magenta Terracotta Camo Trapdoor Megalake\ Grove=Mega Grove -Flour=Flour Warden\ groans\ angrily=The watchman cried angrily +Flour=Flour 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. Bedrock\ Layer\ Width=Bedrock Layer Width Power\ Units=Power Units @@ -5687,27 +5687,27 @@ Crushed=Crushed Get\ a\ Heat\ Generator=Get a Heat Generator Nightshade\ Trapdoor=Hatch of the shadow of the night I\ need\ your\ time=i need your time -Diamond\ armor\ clangs=Diamond armor, you see Number\ of\ claims\ across\ all\ worlds\:\ %s=Number of claims across all worlds\: %s +Diamond\ armor\ clangs=Diamond armor, you see Purple\ Dispersive\ Symbol=Scattered Purple Icon Librarian\ Hat=Librarian hat -Lament\ Platform=Complaint platform \u00A77Sneak\ while\ holding\ to\ toggle\ receiving\ ports\ on\ a\ casing's\ face.=\u00A77Sneak while holding to toggle receiving ports on a casing's face. +Lament\ Platform=Complaint platform Succeeded\ in\ connecting\ projector\ at\ %s\ with\ projector\ at\ %s.=Succeeded in connecting projector at %s with projector at %s. Cracked\ Clay\ Urn=broken garbage urn Mozanite\ Dust=Mozanitdamm Chromium\ Large\ Plate=Large chrome plate Respawn\ Anchor\ depletes=Anchors respawn consumption -Pause=Dec Space\ Suit\ Chest=Space Suit Chest -Energy\ cost\ (LF/tick)=Energy cost (LF/tick) -Prairie\ Clearing=Prairie Clearing +Pause=Dec The\ $(item)Celebratory\ Lens$(0)\ functions\ much\ like\ the\ common\ $(item)Entropic\ Lens$(0);\ however,\ instead\ of\ an\ explosion,\ it\ creates\ a\ festive\ firework\ dyed\ the\ color\ of\ the\ burst.=exists$(object) festive flashlight$(0) The function is very similar to normal$(article) imperative lens$(0); However, instead of an explosion, it creates a festive flame painted in the color of the explosion. +Prairie\ Clearing=Prairie Clearing +Energy\ cost\ (LF/tick)=Energy cost (LF/tick) 1k\ Crafting\ Storage=1k Crafting Storage %s\ %sEU=%s %shair Task\ Index=Job index -One\ of\ the\ three\ mythical\ rings\ of\ the\ $(thing)Aesir$(0),\ the\ $(item)Ring\ of\ Odin$(0)\ grants\ its\ bearer\ the\ vitality\ and\ resistance\ of\ the\ Father\ God.\ It\ provides\ its\ wearer\ with\ ten\ extra\ hearts\ of\ health\ and\ indefinite\ protection\ from\ various\ kinds\ of\ elemental\ damage,\ including\ drowning,\ suffocation,\ fire,\ and\ starvation.=One of the three great myths of the ring$(sak) asir$(0),$(Element) Odin ring$(0) The legislature renounces its enthusiasm and resistance to the Father of God. Her veil provides ten more hearts of unlimited health and protection from various elements including immersion, suffocation, fire, and hunger. OFF=OFF +One\ of\ the\ three\ mythical\ rings\ of\ the\ $(thing)Aesir$(0),\ the\ $(item)Ring\ of\ Odin$(0)\ grants\ its\ bearer\ the\ vitality\ and\ resistance\ of\ the\ Father\ God.\ It\ provides\ its\ wearer\ with\ ten\ extra\ hearts\ of\ health\ and\ indefinite\ protection\ from\ various\ kinds\ of\ elemental\ damage,\ including\ drowning,\ suffocation,\ fire,\ and\ starvation.=One of the three great myths of the ring$(sak) asir$(0),$(Element) Odin ring$(0) The legislature renounces its enthusiasm and resistance to the Father of God. Her veil provides ten more hearts of unlimited health and protection from various elements including immersion, suffocation, fire, and hunger. Raven\ caws=Crow crow Nether\ Basalt\ Temple\ Max\ Chunk\ Distance=The maximum distance from the Basalt Void Temple Red\ Tent\ Top\ Flat=Red Tent Top Flat @@ -5716,10 +5716,10 @@ Orange\ Topped\ Tent\ Pole=Orange Topped Tent Pole Red\ Sandstone\ Stairs=Red Sandstone Stairs Item\ auto-extraction\ enabled=Automatic element extraction enabled Terracotta\ Brick\ Wall=cotta change -Dark\ Forest\ Village\ Size=Dark Forest Village Subsets\ Enabled\:=Subsets Enabled\: -Electronic\ Circuit=Electronic Circuit +Dark\ Forest\ Village\ Size=Dark Forest Village Drowned\ dies=You drown +Electronic\ Circuit=Electronic Circuit Ancient\ Oak\ Door=Antique oak doors When\ next\ to\ a\ $(item)Corporea\ Index$(0)\ and\ viewing\ an\ inventory\ (or\ a\ recipe),\ pressing\ [$(k\:botania_corporea_request)]\ while\ hovering\ over\ an\ item\ will\ request\ a\ copy\ of\ that\ item.$(p)Holding\ SHIFT\ while\ doing\ so\ will\ request\ a\ full\ stack\ of\ the\ item,\ holding\ CTRL\ will\ request\ half\ a\ stack,\ and\ holding\ both\ will\ request\ a\ quarter-stack.=next to one$(Article) body index$(0) and display the inventory (or recipe) list by pressing the [$(k\: botania_corporea_request)] when you open an item to request a copy of that item.$(p) Hold down the Shift key and request the entire stack of items, press the Ctrl key to request half of the stack, and press both at the same time to request a 1/4 stack. Compact\ Tabs\:=Compact Tabs\: @@ -5732,12 +5732,12 @@ Brain\ Coral\ Fan=Truri Koral Varg Biome\ colors\ change\ based\ on\ the\ biome=Color change of biome by biome New=New Spikerfish=Caltrops -Light\ Gray\ ME\ Glass\ Cable=Light Gray ME Glass Cable Type\ 1\ Cave\ Surface\ Cutoff\ Depth=Type 1 Cave Surface Cutoff Depth +Light\ Gray\ ME\ Glass\ Cable=Light Gray ME Glass Cable Conjuring\ $(item)Snow$(0)=spiritism$(Object) Snow$(0) The\ $(item)Daffomill$(0)\ is\ a\ fan\ of\ sorts\:\ it\ uses\ $(thing)Mana$(0)\ to\ push\ any\ items\ in\ front\ of\ it\ forward.$(p)Sneak-right\ clicking\ it\ with\ a\ $(l\:basics/wand)$(item)Wand\ of\ the\ Forest$(0)$(/l)\ changes\ its\ orientation;\ its\ current\ direction\ can\ be\ deduced\ from\ the\ subtle\ wind\ particles\ it\ emits.=This$(Item) daffodil$(0) As a versatile fan\: Use$(sack) Where$(0) Push the element forward.$(p)$(l\: basic / bar)$(also) the rocks of the wood$(0)$(/ l) change their orientation. The direction of its flow can be determined by the smallest particles of the wind that it emits. -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. +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. When\ on\ body\:=When in the body\: Idle\ FPS=Even an academicIf a grave should generate when you fall into the void\=What would happen if the grave appeared if you fell into the void? Send\ the\ elves\ bread=Give bread to the elves @@ -5756,8 +5756,8 @@ Dense\ Energy\ Cell=Dense Energy Cell Willow\ Platform=Willow Platform ME\ Formation\ Plane=ME Formation Plane Paste\ Failed.\ Please\ copy\ the\ raw\ json\ data,\ instead\ of\ a\ Link.=Insertion error. Copy rather than bind the original json data. -Generation\ frequency\ (per\ chunk)=Generation frequency (per piece) Insanity=crazy +Generation\ frequency\ (per\ chunk)=Generation frequency (per piece) Load\ all\ quest\ pages\ into\ HQM.=Load all quest pages into HQM. Jacaranda\ Step=Jacaranda procedure Quartz\ Step=Quartz Step @@ -5777,8 +5777,8 @@ Extends\ the\ amount\ of\ time\ the\ player\ can\ spend\ under\ water.\ Also\ im Bee\ dies=The bee dies Nautilus\ Shell=The Nautilus Shell Hidden\ Sun\ Light\ If\ Zero=Hidden Sun Light If Zero -Crafting\ Terminal=Crafting Terminal Bluff\ Peaks=Bluff Peaks +Crafting\ Terminal=Crafting Terminal This\ field\ does\ not\ supports\ tags=This column does not support tags. Chile\ Pepper\ Seeds=Chilli pepper seeds Tube\ Worm=Deep tube @@ -5826,8 +5826,8 @@ Custom\ icon=Custom Icons Smokey\ Quartz\ Stairs=Smoky quartz ladder Bucket\ of\ Axolotl=axolotl bucket Fluid\ auto-insertion\ enabled=Automatically enable the liquid intake -Blossom\ Berry\ Seed=Pearl flower seeds Small\ Pile\ of\ Platinum\ Dust=Small Pile of Platinum Dust +Blossom\ Berry\ Seed=Pearl flower seeds Yellow\ Pale\ Dexter=- Yellow Light-\u0414\u0435\u043A\u0441\u0442\u0435\u0440 A\ block\ that\ uses\ the\ $(thing)Corporea\ Network$(0)\ more\ simply\ than\ the\ Index\ is\ the\ $(item)Corporea\ Funnel$(0).\ When\ given\ a\ redstone\ signal,\ it'll\ request\ an\ item\ from\ the\ network\ of\ the\ $(l\:ender/corporea)$(item)Corporea\ Spark$(0)$(/l)\ above\ it.$(p)Said\ item\ will\ be\ pushed\ into\ an\ inventory\ a\ block\ or\ two\ below\ the\ funnel,\ or\ just\ dropped\ into\ the\ world\ above\ the\ Funnel\ if\ no\ such\ inventory\ is\ available.=Block use$(sac) Bodily Network$(0) Easier than index$(Target) funnel company$(0). After receiving the redstone icon, he claimed the item online$(l\: Ender / corpus)$(Purpose) Corporal Spark$(0)$(/ l) will do.$(p) The items will be placed in one or two inventory banks below the conveyor belt, or if there is no available inventory, they will simply be placed on the growing conveyor belt. Mangrove\ Chair=Mangrove chair @@ -5840,8 +5840,8 @@ Mansion\ Taiga\ Max\ Chunk\ Distance=Distance to the big river mansion Sky\ Stone\ Small\ Brick=Sky Stone Small Brick Deletion\ via\ Shift\ /\ Space\ Clicking.=Deletion via Shift / Space Clicking. Redstone\ Sand=Redstone Sand -Fly\ Cost=Fly Cost \u00A7aHatchet\ \u00A77-\ \u00A7rSecondary\ Cooldown=\u00A7aTour\u00A77- \u00A7rSecondary cooling +Fly\ Cost=Fly Cost Press\ Enter\ to\ toggle=Press Enter to change Bottom\ Offset=Bottom Offset Pluto=Pluto @@ -5851,9 +5851,9 @@ Lime\ Flower\ Charge=La Chaux-Flowers-Last Client\ Language=Customer voice Mansion\ Jungle\ Max\ Chunk\ Distance=Maximum length of the palace jungle Wrench=Wrench -Potato\ Armor\ Helmet=Potato helmet -Honeydew\ Crop=Nectar cultivation Deepslate\ Bauxite\ Ore=Deep balk site ore +Honeydew\ Crop=Nectar cultivation +Potato\ Armor\ Helmet=Potato helmet Yellow\ Shimmering\ Mushroom=Bright yellow mushrooms Max\ quests\ per\ generation=Maximum number of jobs per family Not=Not @@ -5868,10 +5868,10 @@ Light\ Blue\ Colored\ Tiles=Light blue tile Priority\:\ =Priority\: WP\ Dist.\ Vertic.\ Angle=WP Dist. Vertic. Angle Rune\ of\ Envy=jealous runes -JFR\ profiling\ started=The JFR profile has been started Invalid\ or\ unknown\ sort\ type\ '%s'=Invalid or unknown type'\#39;\#39;'\#39;\#39;;%s' \# 39; \# 39; \# 39; -Insert\ Modular\ Armor\ here=Insert Modular Armor here +JFR\ profiling\ started=The JFR profile has been started Showing\ craftable=The sample is made +Insert\ Modular\ Armor\ here=Insert Modular Armor here Structure\ Block=The Design Of The Building The\ scale\ of\ the\ compass\ letters\ NESW\ when\ using\ the\ on-map\ compass\ location.=When using the compass location on the map, the compass letter scale is NESW. Toggle=Turn @@ -5898,8 +5898,8 @@ Not\ Available=Not Flags\:\ =Flags\: Ivis\ Moss=Eve Moss \ \ Large\:\ 0.0032=\ Large\: 0.0032 -Chiseled\ Quartz\ Block\ Ghost\ Block=Chiseled Quartz Block Ghost Block \u00A7dShovel\ \u00A77-\ \u00A7rMagnet\ Range=\u00A7dmake up\u00A77- \u00A7rmagnetic range +Chiseled\ Quartz\ Block\ Ghost\ Block=Chiseled Quartz Block Ghost Block Oxidizing=Oxidation Pressurized\ Essentia\ Port=The harbor, gives an explanation of the unity of Pressurization Raw\ Iridium\ Wall=Raw iridium wall @@ -5908,8 +5908,8 @@ Sangnum=Sanganham Tomatoes=Tomatoes World/Server=World/Server Cold\ Digger=cold excavator -Passive\ Energy=Passive Energy Pink\ Per\ Pale\ Inverted=A Start In This World +Passive\ Energy=Passive Energy You\ need\ a\ custom\ resource\ pack\ to\ play\ on\ this\ realm=If you have a custom package of resources to play in this areaYou need at least two tiers\=You need at least two tiers Coordinates=Coordinates 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) @@ -5924,8 +5924,8 @@ VIII=I The\ 3x3\ zone\ centered\ around\ the\ $(item)Dandelifeon$(0)\ itself\ will\ absorb\ all\ cells\ that\ would\ otherwise\ generate\ in\ the\ area,\ converting\ them\ into\ (a\ frankly\ ludicrous\ amount\ of)\ $(thing)Mana$(0).\ The\ older\ the\ cell\ that\ would\ be\ created,\ the\ more\ $(thing)Mana$(0)\ it\ yields.\ Age-zero\ cells\ produce\ no\ $(thing)Mana$(0).=3x3 area gathered around$(Item) And Delifon$(0) They will absorb all the cells that can be produced in the area, turning them into (wrong amount).$(thing)$(0). Older genetic cell$(rud) where$(0) result. Lifeless cells do not produce$(sak) Heart$(0\uFF09\u3002 Beryllium\ Rotor=beryllium rotor White\ Oak\ Stairs=White Oak Stairs -Always\ render\ names\ for\ entities\ with\ name\ tags\ regardless\ of\ what\ the\ name\ setting\ is\ set\ to\ in\ the\ "Entity\ Radar"\ screen.=Always assign a name tags with the name, and did not call Entity setting the radar screen. Orange\ Glowshroom\ Block=A bright orange mushroom +Always\ render\ names\ for\ entities\ with\ name\ tags\ regardless\ of\ what\ the\ name\ setting\ is\ set\ to\ in\ the\ "Entity\ Radar"\ screen.=Always assign a name tags with the name, and did not call Entity setting the radar screen. Team\ %s\ has\ %s\ members\:\ %s=The team %s it %s members\: %s Whitelist\ mode\ enabled=Enable the whitelist mode. \u00A76[\u00A7e?\u00A76]\ \u00A73What\ are\ we\ testing\ today?=\u00A76[\u00A7e?\u00A76] \u00A73What are we trying to do now? @@ -5940,8 +5940,8 @@ $(o)Under\ the\ seeeeeeaaaaaaa~=$(o) In vistaeeeeeeaaaaaa ~ Guitar=Guitar Magenta\ Beveled\ Glass=Magenta Beveled Glass Bricks\ 2=bricks 2 -Bricks\ 3=Labne 3 Exposed\ Cut\ Copper\ Slab=Copper plate cut at sight +Bricks\ 3=Labne 3 Trading\ stations=Trading stations Local\ game\ hosted\ on\ port\ %s=Part of the game took place in the port %s Introduction\ to\ Mana=Mana introduction @@ -6012,8 +6012,8 @@ Asteroid\ Diamond\ Cluster=Asteroid Diamond Cluster Iron\ Hinge\ Gate\ Camo\ Block=Camouflage block for iron hinged door Smaragdant\ Brick\ Slab=Emerald Emerald Box Spawn\ protection=Part of the protection of the -Destruction\ Gadget=destruction tool Swamp=Photo +Destruction\ Gadget=destruction tool Bluestone\ Wall=Bluestone Wall Display\ Left\ Arrows=Show left arrow Light\ Source=light source @@ -6042,15 +6042,15 @@ Interaction\ Grief\ Prevention=Interaction Grief Prevention Place\ a\ generator=Place a generator Brass\ Slab=Brass Slab Edit\ Server\ Info=Change The Server Information -Hide\ above\:=Hide above\: Salt=Salt +Hide\ above\:=Hide above\: Stone\ Door=Stone Door Gliding\ allows\ for\ a\ gentle\ descent\ to\ the\ ground\ that\ covers\ a\ decent\ horizontal\ distance\ as\ well,\ preventing\ fall\ damage\ in\ the\ process.\ To\ glide,\ simply\ sneak\ while\ falling.$(p)Gliding\ can\ be\ done\ even\ on\ an\ empty\ flight\ bar,\ but\ will\ slow\ its\ regeneration.=The slider allows a smooth descent to the ground, covers a reasonable distance with these horizontal lines and prevents damage in the process. Slide, slide when falling.$(p) It is possible to surf an empty flying tower, but this slows down regeneration. White\ Tulip\ Pile=White tulips Not\ enough\ Materials\!=Insufficient raw materials\! -Dark\ Forest\ Village\ Spawnrate=Dark Forest Village Spawnrate -Exoflame=External flame GameInfo\ Settings=GameInfo Settings +Exoflame=External flame +Dark\ Forest\ Village\ Spawnrate=Dark Forest Village Spawnrate Bone\ Meal-type\ Farm=Bone meal farm Claim\ reward=Claim reward Redwood\ Tropics=Redwood Tropics @@ -6094,13 +6094,13 @@ Asterite\ Chestplate=Asterite Chestplate Incompatible\ client\!\ Please\ use\ %s=Incompatible customers\! Please use %s If\ and\ when\ graves\ disappear=When and when the grave disappears The\ Burning\ Velvet\ Ship.=The Burning Velvet Ship. -Custom\ title=Custom name Yellow\ Dominant\ Symbol=yellow dominant sign +Custom\ title=Custom name Sky\ Stone\ Brick\ Stairs=Sky Stone Brick Stairs Cherry\ Table=cherry Old\ Gold\ Chest=Old Gold Chest -Polished\ Deepslate\ Pressure\ Plate=Deepslate polished pressure plate Proto\ Armor\ Chassis=Fonnadh protoarmor +Polished\ Deepslate\ Pressure\ Plate=Deepslate polished pressure plate Firing=open Asterite=Asterite Render\ crate\ name\ through\ blocks=Render crate name through blocks @@ -6111,8 +6111,8 @@ Slimey\ Crate=Slime bin Entity\ Name=Entity Name Pink\ Tent\ Side=Pink Tent Side Rod\ of\ the\ Plentiful\ Mantle=great mantle -Mobs\ will\ drop\ more\ loot\ when\ killed.=If you fall from the crowds of princes you will no longer oppress, you will not die. Damage\ Blocked\ by\ Shield=It's A Shame To Block The Shield +Mobs\ will\ drop\ more\ loot\ when\ killed.=If you fall from the crowds of princes you will no longer oppress, you will not die. Light\ Blue\ Inverted\ Chevron=Light Blue Inverted Sedan Unbanned\ %s=Unban %s Lingering\ Antidote=Antidote in progress @@ -6120,8 +6120,8 @@ Mana\ in\ a\ Bottle=Mana in a bottle Soapstone\ Stairs=Soapstone Stairs Makes\ all\ broken\ blocks\ not\ drop\ at\ all.=Prevent all broken blocks from falling. Metamorphic\ Plains\ Cobblestone=Pebbles from the metamorphic plain -Furthest\ First=First farthest Splash\ Potion\ of\ the\ Dolphin\ Master=Dolphin Master Potion Splash +Furthest\ First=First farthest Primitive\ Tank=Primitive Tank Rechargeable=Rechargeable Blue\ Sleeping\ Bag=Blue sleeping bag @@ -6135,15 +6135,15 @@ XXIII=23 Hard=Hard Yucca\ Palm\ Post=Yucca Palm Post It's\ pretty\ lit=Pretty bright -Applied\ effect\ %s\ to\ %s\ targets=Effects %s you %s goal Toggle\ Gamemode=Change game mode +Applied\ effect\ %s\ to\ %s\ targets=Effects %s you %s goal White\ Oak\ Fence=White Oak Fence Monitor\ is\ now\ Locked.=Monitor is now Locked. Harp=harp Get\ a\ Compressor=Get a Compressor Soul\ Lantern\ Button=Soul Lantern Button -Light\ Gray\ Concrete\ Brick\ Slab=light gray concrete slabs Left-click\ and\ drag\ to\ move\ an\ interface\ around.=Left click and drag to move the interface. +Light\ Gray\ Concrete\ Brick\ Slab=light gray concrete slabs Cyan\ Base\ Indented=Blue Base Indented Honeycomb\ Brick\ Slab=Honeycomb Brick Slab Green\ Terracotta\ Bricks=Green terracotta stone @@ -6155,8 +6155,8 @@ Icicles=Icicle (Made\ for\ a\ newer\ version\ of\ Minecraft)=This is a newer version of Swimming) Non-Fuzzy\ Mode\ Enabled=Vague mode enabled Off=No exterior -Gold\ Block\ (Legacy)=Gold Block (Legacy) Write\ IDs=Write ID +Gold\ Block\ (Legacy)=Gold Block (Legacy) A\ pendant\ can\ be\ infused\ with\ a\ $(thing)Brew$(0)\ by\ substituting\ a\ $(item)Vial$(0)\ on\ a\ $(l\:devices/brewery)$(item)Botanical\ Brewery$(0)$(/l)\ with\ an\ uninfused\ Pendant,\ costing\ about\ ten\ times\ the\ $(thing)Mana$(0).$(p)However,\ the\ pendant\ doesn't\ play\ well\ with\ effects\ like\ $(thing)Instant\ Health$(0)\ or\ $(thing)Absorption$(0),\ and\ can't\ handle\ $(thing)Brews$(0)\ with\ more\ than\ one\ effect.=It can be injected by weighing$(Stuff) to prepare$(0) replacing$(item) pumpkin$(0) in one$(l\: unit/brewery)$(Article) Brewery Factory$(0)$(/ l) About 10 times the price including the unmixed necklace$(Product) Heart$(0).$(p) However, the pendulum does not work well with actions such as\:$(Item) Health Instant$(0) or$(Hal) Absorption$(0), cannot be processed$(Chapter) Preparation$(0) with more than one effect. Fluid\ Input,\ Left\ Click\ to\ Insert\ or\ Extract=Smooth import, left click to import or export Stronger\ brews\ with\ new\ effects=More powerful segments with new results @@ -6202,12 +6202,12 @@ Brown\ Flat\ Tent\ Top=Brown Flat Tent Top Look\ around\ using\ the\ mouse=With the mouse Light\ Gray=Light Grey Save=Save -Lunum\ Leggings=Lunum Leggings Sulfur\ Crystal=Sulfur Crystal +Lunum\ Leggings=Lunum Leggings Sleigh=klelep Cursed\ Effect=Cursed Effect -Effect\ display\ module\ to\ use=display module to use Files\ were\ not\ valid\ Shader\ Packs=File Shader pack is not supported +Effect\ display\ module\ to\ use=display module to use Hitboxes\:\ shown=Hitboxes\: false Jungle\ Dungeons=Jungle Dungeons Owl\ flutters=Flying owl @@ -6224,13 +6224,13 @@ Achromatopsian\ Gallery=Achromatopsian Gallery Warped\ Bookcase=Deformed library Desert\ Mineshaft=Desert Mineshaft Magenta\ Terracotta\ Brick\ Slab=square. Terracotta tiles -Polished\ Andesite\ Post=Polished Andesite Post -Iron\ Bar=wedding bar Completed=Completed +Iron\ Bar=wedding bar +Polished\ Andesite\ Post=Polished Andesite Post Pickled\ Cucumber=Pickled Cucumber Oak\ Trapdoor=Oak Trapdoor -Colored\ Tiles\ (Red\ &\ White)=Colored Tiles (Red & White) Old=Stari +Colored\ Tiles\ (Red\ &\ White)=Colored Tiles (Red & White) Void\ Biome\ Settings=Set an empty biome Black\ Chief=Day Boss Soul\ escapes=The soul that is saved @@ -6253,12 +6253,12 @@ Dark\ Oak\ Sign=Mark Dark Oak Floating\ Marimorphosis=Floating marimorphosis adoghr\ -\ 1007=adoghr - 1007 Sky\ Stone\ Small\ Brick\ Slabs=Sky Stone Small Brick Slabs -Pendorite\ Pickaxe=Pendorite Pickaxe Rutiscus=Brassica +Pendorite\ Pickaxe=Pendorite Pickaxe Potted\ Tall\ Blue\ Bellflower=Potted Tall Blue Bellflower Potion\ of\ Swiftness=Potion of speed -Compact\ systems\ with\ a\ floating\ redstone\ torch=Compact system with floating red front Lightstone=Light stone +Compact\ systems\ with\ a\ floating\ redstone\ torch=Compact system with floating red front BYG\ Islands-BETA=BYG Islands-BETA Terminite\ Chestplate=Last picture Hemlock\ Button=Hemlock button @@ -6268,8 +6268,8 @@ Cracked\ Dripstone\ Bricks=broken stalactite brick Witch\ Huts\ Taiga\ Max\ Chunk\ Distance=Huts, not Charles Taiga&\#39;s witch Determines\ how\ large\ water\ regions\ are.=Determines how large water regions are. \u00A77\u00A7o"Scary\ zombie,\ but\u00A7r=\u00A77\u00A7o"Scary zombie, but\u00A7r -Crossbow\ fires=Crossbow Jump\ into\ a\ Honey\ Block\ to\ break\ your\ fall=Jump on a fresh block to break your fall +Crossbow\ fires=Crossbow Hellish\ Matter=hellish case Lime\ Petal\ Block=The kick blades are locked No\ Fade\ when\ opened\ via\ Other\ Screen\:=No Fade when opened via Other Screen\: @@ -6283,8 +6283,8 @@ Sticky\ Dirt\ Bomb=adhesive dust pump Lena\ Raine\ -\ Pigstep=Lena Ren - Pigstep Redwood\ Wall=Redwood Wall Floating\ Solegnolia\ Petite=Liquid Petite Solegnolia -Guardian\ moans=The tutor groans Custom\ bossbar\ %s\ now\ has\ %s\ players\:\ %s=A custom bossbar %s now %s spelare\: %s +Guardian\ moans=The tutor groans Birch\ Table=Birch Table Pine\ Step=Pine Step Guardian\ flaps=Vartija gate @@ -6319,8 +6319,8 @@ Black\ Chevron=Black Chevron Throwable\ vine\ weapon\ that\ bounces\ and\ poisons=Throw weapons from the vines, which can bounce back and poison Obtain\ a\ Sterling\ Silver\ Ingot=Obtain a Sterling Silver Ingot Recipe\ for\ %s=Prescription for %s -Giant\ Spruce\ Taiga\ Hills=The Giant Spruce Taiga, Mountains, Increases\ mining\ speed\ while\ underwater.=Increases the suction speed in water.Increases movement speed on soul blocks.\=Increase the movement speed in soul blocks. +Giant\ Spruce\ Taiga\ Hills=The Giant Spruce Taiga, Mountains, Ginger\ Seeds=Ginger seeds Title=Vault Minecraft\ Profile\ Url=Minecraft url&\#39;s profile @@ -6340,8 +6340,8 @@ Mystical\ Lime\ Flower=Mysterious linden flower Set\ display\ slot\ %s\ to\ show\ objective\ %s=The set of the game %s obektivno show %s Small\ Amaranita\ Mushroom=Klein A vegetable mushroom Oak\ Mansion\ Average\ Spacing=average distance to oak mansion -Blue\ Beveled\ Glass=Blue Beveled Glass Note\ Display\ Mode=Display mode notes +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 @@ -6353,8 +6353,8 @@ Cypress\ Trapdoor=Cypress Trapdoor Purple\ Pale\ Sinister=Pink-Purple-Evil Reward\ 'Auto-claim'=Automatic bonus claim Blue\ Pale=Light blue -Failed\ to\ link\ carts;\ cannot\ link\ cart\ with\ itself\!=Failed to link carts; cannot link cart with itself\! Iron\ Bow=iron manufacturing +Failed\ to\ link\ carts;\ cannot\ link\ cart\ with\ itself\!=Failed to link carts; cannot link cart with itself\! Libra=Balance Switch=Bryter Acacia\ Bench=Acacia Bank @@ -6381,16 +6381,16 @@ Open\ Wireless\ Pattern\ Terminal=Open the wireless sample terminal Owl=owl CraftPresence\ -\ Available\ Dimensions=CraftPresence - Available Dimensions Antidote\ Vessel=Hippomedon, instigated, even if there was a ship in the dark. -Ebony\ Fence=Ebony Fence Very\ Very\ Frightening=Very, Very, Very Scary +Ebony\ Fence=Ebony Fence The\ Server\ is\ currently\ Busy.\ Please\ Wait.=The server is busy at the moment. Please wait. Iron\ AIOT=AIOT steel Luminizer\ Beam=beam If\ you\ leave,\ you'll\ lose\ this\ report\ and\ your\ comments.\nAre\ you\ sure\ you\ want\ to\ leave?=If you log out, you will lose this report and your comments. Quartz\ Circle\ Pavement=Quartz Circle Pavement %s\ E/t=%s E/t -Suspect_Potato\ the\ Criminal\ Fortune\ Teller=Suspicious_Potato is a criminal. The\ C\ in\ RLC=C in RLC +Suspect_Potato\ the\ Criminal\ Fortune\ Teller=Suspicious_Potato is a criminal. $(o)Please\ be\ forewarned\ that\ if\ you\ do\ decide\ to\ send\ us\ an\ item\ we\ have\ not\ vowed\ to\ trade\ for,\ we\ will\ assume\ it\ to\ be\ a\ gift\ and\ keep\ it\ for\ ourselves.\ We\ thank\ you\ again,\ and\ look\ forward\ to\ exchanging\ resources\ with\ you.$(p)Best\ Regards,\ the\ High\ Council\ of\ Elven\ Garde.=$(o) Please note that if you are happy to send us something that we have not promised to exchange, we will treat it as a gift and keep it for us. Thanks again and looking forward to sharing your wealth with you.$(p) Yours sincerely, Elven Garde Senior Committee. %s\ tried\ to\ take\ your\ taglock\!=%sI&\#39;m trying to get your tag\! Japanese\ Maple\ Coffee\ Table=Japanese Maple Coffee Table @@ -6406,8 +6406,8 @@ Channeling=Conveyor Sleep\ in\ a\ Bed\ to\ change\ your\ respawn\ point=Lie in bed to change the rebirth point bottom=bottom Evoker=Evoker -Missing\ Recipe\ Placeholder=Missing Recipe Placeholder \u00A77Cheating\ Disabled=\u00A77Cheating Disabled +Missing\ Recipe\ Placeholder=Missing Recipe Placeholder Diorite\ Wall=This Diorite Walls Goblin\ Trader=Goblin Merchant Pillager\ murmurs=Raider mutters @@ -6417,8 +6417,8 @@ Click\ here\ to\ change=Click here to change Brown\ Stained\ Glass=Brown Tinted Glass Red\ Colored\ Tiles=Red tiles Birch\ Step=Birch Step -Generate\ Cherry\ Oak\ Forests=Creating a cherry tree forest Unicorn\ Horn=rhino horn +Generate\ Cherry\ Oak\ Forests=Creating a cherry tree forest Mystical\ Orange\ Petal=Secret Orange Petals White\ Base\ Sinister\ Canton=White-Dark-Blue-The Basis Of The Data End\ Lotus\ Fence=Finish the lotus fence @@ -6429,9 +6429,9 @@ Floor=territory Click\ to\ enable\ whitelist\ mode=Click to enable whitelist mode Blue\ Per\ Bend=Blue Stripes Builds\ walls,\ creates\ worlds=Build walls and create worlds -Enable\ Per-Item\ System=Enable Per-Item System -Scroll\ creative\ menu\ items=Scroll through the menu options Take\ Screenshot=Take Out Of The Exhibition +Scroll\ creative\ menu\ items=Scroll through the menu options +Enable\ Per-Item\ System=Enable Per-Item System Love-colored=The color of love Seaweed\ Upgrades=Seaweed farming Weather\ control\ and\ cuteness\ overload=Weather control and attraction congestion. @@ -6456,15 +6456,15 @@ Vivid\ Wave=The waves are alive Tropical\ Fish=Tropical Fish Gold\ n'\ Roses=gold and roses 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 Gray\ Redstone\ Lamp=Gray Redstone Lamp +Ring\ of\ Undying=Ring of Undying He\ deals\ the\ cards\ to\ find\ the\ answer,=Give a card to find the answer, ME\ Level\ Emitter=ME Level Emitter triggers=triggers Crystal\ Moss=Crystal Moss The\ Resources\ of\ Alfheim=Alfheim Resources -Craft\ an\ Obsidian\ Hammer\ and\ go\ mining\ for\ 17\ hours\ without\ stopping.=Craft an Obsidian Hammer and go mining for 17 hours without stopping. Right-clicking\ a\ block\ with\ an\ empty\ Talisman\ will\ set\ it\ to\ store\ that\ type\ of\ block,\ and\ sneak-right\ clicking\ the\ Talisman\ in\ the\ air\ will\ enable\ or\ disable\ it.\ When\ enabled,\ a\ Talisman\ will\ absorb\ any\ blocks\ of\ its\ given\ type\ from\ its\ user's\ inventory.$(p)Placing\ the\ item\ in\ a\ crafting\ grid\ will\ yield\ its\ stored\ blocks,\ a\ stack\ at\ a\ time.=Right-clicking on a block with an empty talisman will set it to store that type of block, and right-clicking on a talisman in midair will toggle it on or off. After activation, the charm will consume all those blocks in the user&\#39;s inventory.$(p) If the item is placed on the craft grid, the stored blocks will be created with one pile at a time. +Craft\ an\ Obsidian\ Hammer\ and\ go\ mining\ for\ 17\ hours\ without\ stopping.=Craft an Obsidian Hammer and go mining for 17 hours without stopping. A\ list\ of\ mixins\ that\ should\ not\ be\ applied.=Here is a list of mixtures that should not be applied Contains=Contains Critical\ Hits\ pierce\ through\ armor\ (Will\ of\ Verac)=Fatal Strike Penetrates Armor @@ -6500,8 +6500,8 @@ Extending=expand Blaze\ Quartz\ Stairs=Burning quartz scales Collect\ a\ Bottle\ of\ Ender\ Air=Collect air ender bottles $(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 +Guiana\ Shield=Guiana Shield Potted\ Blighted\ Balsa\ Sapling=Balsam seedlings in sandblasting Annealed\ Copper\ Plate=annealed copper plate Christmas\ Star\ Wing=Christmas Star Wing @@ -6524,23 +6524,23 @@ On-sneak\:\ randomly\ drop\ lightning..pika=CREEP\: Lightning Casual Top .. Red\ ME\ Dense\ Covered\ Cable=Red ME Dense Covered Cable Mimic\ chance=Simulate an opportunity Change\ Light\ mode=Change Light mode -Grilled\ Cheese=Fried cheese Three-dimensional\ flight...\ up\ to\ a\ point=Three-way flight ... to the point +Grilled\ Cheese=Fried cheese Rannuncarpus\ Petite=Ranunculus Hemlock\ Leaves=Hemlock goes Chiseled\ Polished\ Blackstone\ Holder=Carved and polished black stone support Hide\ tooltip\ while\ the\ player\ list\ is\ open=Hide tooltip while the player list is open Rosa\ Arcana\ disenchants=Rosa Arcana Disappointed Quests\ cleared\ successfully=The activity was successfully deleted. -Contracts\:\ =Convention\: Smoking=Smoking +Contracts\:\ =Convention\: Marble\ Tiles\ Stairs=marble flat staircase Save\ Mode\ -\ Write\ to\ File=Save Mode - Write to File Ender\ Dragon=The Ender Dragon Obsidian\ Golem=Obsidian Plusle Orange\ Shingles=Orange Shingles -Gray\ Lawn\ Chair=Gray Lawn Chair Mystical\ Yellow\ Petal=mysterious petals +Gray\ Lawn\ Chair=Gray Lawn Chair Machine\ go\ brrrr=Machine go brrrr Mammoth\ Meat=Mammoth beef Mirror\ mirror\ on\ the\ wall...=Mirror, wall mirror ... @@ -6550,29 +6550,29 @@ LE\ Mox\ Tiny\ Dust=THE Mox Debu Lebu Debug\ Commands=debugging control Brown\ Netherite\ Shulker\ Box=Brown Dutch light scholar box [ES]\ Presents\ Opened=[ES] A grand opening -Endothermically\ reactive=heat absorption reaction Potted\ Yellow\ Mushroom=Potted Yellow Mushroom +Endothermically\ reactive=heat absorption reaction Aetherium\ Machete=Ether sword Industrial\ Chunkloader=Industrial Chunkloader Played\ sound\ %s\ to\ %s=The sound %s v %s Cracked\ Red\ Rock\ Bricks=Cracked Red Rock Bricks Mammoth\ Spawn\ Weight=mammoth baby weight Craft\ an\ Highly\ Advanced\ Upgrade=Make advanced upgrades -Embur\ Kitchen\ Sink=Ember kitchen sink Any\ modifications\ applied\ to\ your\ chat\ messages\ by\ a\ server\ will\ not\ be\ previewed\ and\ will\ be\ treated\ as\ insecure.=Any changes the server makes to your contract will not be previewed and will be treated as dangerous. +Embur\ Kitchen\ Sink=Ember kitchen sink Cyan\ Banner=Blue Advertising Green\ Enchanted\ Wood=Green Enchanted Wood -Small\ Pile\ of\ Granite\ Dust=Small Pile of Granite Dust -Pet=pet You've\ currently\ died\ %s\ [[time||times]]=You've currently died %s [[time||times]] +Pet=pet +Small\ Pile\ of\ Granite\ Dust=Small Pile of Granite Dust Ether\ Kitchen\ Sink=Ether kitchen sink Baked\ Endfish=fried fish Bottom-Right\ Corner=Lower right corner Baobab\ Log=Baobab Log Craft\ a\ Chemical\ Reactor=Chemical reactor production Add\ Nether\ Bricks\ Shipwreck\ to\ Modded\ End\ Biomes=Add Nether Bricks Shipwreck to Modded End Biomes -Amaranth\ Fields=Amaranth Fields Elementium\ armor\ clanks=Weapon elements attack. +Amaranth\ Fields=Amaranth Fields Mana\ Prism=Manna prism Took\ %s\ recipes\ from\ %s\ players=Get %s recipes %s players Block\ of\ Illunite=Ilunit block @@ -6588,8 +6588,8 @@ Orange\ Asphalt\ Slab=Orange Asphalt Slab Platforms=Platforms Load=Add Redquartz\ Stairs=Red Quartz Stairs -Crimson\ Slab=Dark Red Plate, Burnout\ Regen=Reborn from fatigue +Crimson\ Slab=Dark Red Plate, Ebony\ Hills=Ebony Hills Encased\ Brick=brick pack Consume\ a\ antidote=Use an antidote @@ -6614,8 +6614,8 @@ Transmuting\ $(item)Seeds$(0)\ and\ $(item)Crops$(0)=Convert$(object) bone$(0) a Width=The width of the Blaze\ Brick\ Wall=Blaze Brick Wall Infusing\ $(item)Managlass$(0)\:\ clear\ seamless\ glass=spray$(Art) Mana glass$(0)\: Seamless transparent glass -Certus\ Quartz\ Slabs=Certus Quartz Slabs Portable\ Charger=Portable Charger +Certus\ Quartz\ Slabs=Certus Quartz Slabs Black\ Hole\ Talisman=The Black Hole is fixed Block\ Placement=Block Placement Yellow\ Shingles=Yellow Shingles @@ -6630,8 +6630,8 @@ Proto\ Armor\ Leg=Foot protection prototype Congrats\!=At last\! Null=Null Raw\ Input=Nyers Bemenet -A\ simple\ brew,\ mimicking\ a\ $(item)Potion\ of\ Fire\ Resistance$(0).\ When\ quaffed,\ it\ gives\ its\ drinker\ a\ $(thing)Fire\ Resistance$(0)\ effect.=easy to send imitation$(Item) fire resistance dose$(0). Drunken people give alcohol to drink.$(incombustibility$(0) effect. Lapis\ cost\:\ =Change costs\: +A\ simple\ brew,\ mimicking\ a\ $(item)Potion\ of\ Fire\ Resistance$(0).\ When\ quaffed,\ it\ gives\ its\ drinker\ a\ $(thing)Fire\ Resistance$(0)\ effect.=easy to send imitation$(Item) fire resistance dose$(0). Drunken people give alcohol to drink.$(incombustibility$(0) effect. %1$s\ was\ impaled\ by\ %2$s\ with\ %3$s=%1$s punch a hole %2$s include %3$s Gray\ Table\ Lamp=Gray Table Lamp Mana\ Manipulation=Disposal sites @@ -6639,11 +6639,11 @@ Mana\ Manipulation=Disposal sites Stripped\ Zelkova\ Wood=Stripped Zelkova Wood The\ $(item)Terrasteel\ Chestplate$(0)=V$(Pieces) Terracotta Frame$(0) Infusing\ $(item)Mana\ Diamonds$(0)=To inspire$(Item) Mana Diamond$(0) -A\ task\ where\ the\ player\ must\ have\ already\ completed\ another\ quest.=A task where the player must have already completed another quest. 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 -Endorium\ Clump=Endorium Clump Nuke=Nuke +Endorium\ Clump=Endorium Clump Empty\ Scroll=Scroll blank Require\ Grave\ Item=Serious evidence required /hqm\ save\ bags=/hqm save bags @@ -6651,8 +6651,8 @@ Fox\ snores=Fox Russisk Silk\ Moth=Silk mask Manual\ detect=Manual detect MOX\ Fuel\ Rod=MOX fuel bar -Detector=Detector Scorched\ Stem=The straw is on fire +Detector=Detector Scorched\ Step=Burning steps Sapphire\ Dust=Sapphire Dust Solar\ Hatred=Suryas hat @@ -6660,8 +6660,8 @@ Cave\ Region\ Size=Cave Region Size Generated\ structure\ "%s"\ at\ %s,\ %s,\ %s=Biology "%s"In %s, %s, %s S.-d.=Saturday-D. White\ Bend=White To The Knee -Full\ Crop\ Farm=Full farm cultivation Zigzagged\ End\ Stone\ Bricks=Zigzagged End Stone Bricks +Full\ Crop\ Farm=Full farm cultivation 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 %1$s\ was\ slain\ by\ %2$s\ using\ %3$s=%1$s were killed %2$s used %3$s Stone\ Axe=The Book I @@ -6698,8 +6698,8 @@ Chiseled\ Red\ Rock\ Brick\ Slab=Chiseled Red Rock Brick Slab RS\ Shipwrecks=RS REC Light\ Gray\ Terracotta\ Column=Light gray terracotta column Vermilion\ Sculk=Scarlet skull -Post-end\ Bossbar\ Timeout=Post-end Bossbar Timeout \u2462\u2462\u2462\u2462\u2462=\u2462\u2462\u2462\u2462\u2462 +Post-end\ Bossbar\ Timeout=Post-end Bossbar Timeout \u2462\u2462\u2462\u2462\u2463=\u2462\u2462\u2462\u2462\u2463 $(o)The\ "Entry\ Index"\ category\ is\ helpful\ for\ searching\ for\ a\ particular\ entry,\ as\ it\ contains\ every\ entry\ in\ the\ book\ in\ one\ place.=$(o) An entry index category that helps you find a particular entry because each entry in the book is contained in one place. relative\ position\ y=the position of the relative and @@ -6742,8 +6742,8 @@ Mangrove\ Boat=Mangrove Boat Molten\ Tungsten=Liquid Lithium 4x\ Compressed\ Cobblestone=4x Compressed Cobblestone The\ multiplier\ for\ pulling\ through\ fishing\ rods\ (may\ be\ negative,\ 1\ to\ disable)=Fishing rod multiplier (may be negative, 1 for deactivation) -Livingwood\ Planks=Lumber Livingwood Tool\ Picking=Grab a tool +Livingwood\ Planks=Lumber Livingwood Black\ Lozenge=\u039C\u03B1\u03CD\u03C1\u03BF Tablet Uploading\ '%s'=The load on demand '%s' Modular\ Boots=Modular Boots @@ -6804,8 +6804,8 @@ White\ Petal\ Block=White Petal Block CraftingCraft=Crafts Maximum\ input=Maximum input Explosion\ Grief\ Prevention=Explosion Grief Prevention -Charred\ Barrel=Charred Barrel Embossed\ Top=Embossed stop +Charred\ Barrel=Charred Barrel Embur\ Button=Embur button White\ Concrete\ Bricks=White house with bricks Attack\ Indicator=Index Attack @@ -6824,14 +6824,14 @@ Sculk\ Vein=artery Shulker\ Friendly\ Cost=Shulker Friendly Cost UU-Matter=UU-Matter Herne=Heartne -Modularity=Modularity Shattered\ Glacier=Shattered Glacier +Modularity=Modularity Witch\ dies=On the death of the Cow\ hurts=Cow-it hurts so bad Famine=hunger To\ specify\ the\ destination\ of\ warped\ items,\ use\ a\ $(l\:basics/wand)$(item)Wand\ of\ the\ Forest$(0)$(/l)\ in\ $(thing)Bind\ Mode$(0)\ to\ bind\ the\ flower\ to\ a\ location\ within\ 12\ blocks,\ the\ same\ way\ one\ would\ to\ a\ pool.\ To\ view\ what\ block\ the\ flower\ is\ bound\ to\ (as\ opposed\ to\ the\ pool\ it's\ pulling\ $(thing)Mana$(0)\ from),\ sneak\ while\ looking\ at\ it\ with\ a\ wand.=To specify the destination of the distorted elements, use a$(l\: base/stick)$(item) Forest Wand$(0)$(/l) sa$(Object) binding mode$(0) Tie the flowers in 12 squares, like a pool. Look at the connection between flowers and bricks. (In contrast to the vowels he drew$(rud) sis$(0) of) spying on you with a cane -Dark\ Oak\ Bench=Ambiguous oak 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. +Dark\ Oak\ Bench=Ambiguous oak Wooden\ Crate=Tree to tree Oak\ Button=Toets Jan Excluded=Excluded @@ -6863,8 +6863,8 @@ Warden's\ heart\ beats=Prison is heartbroken Daffomill=Narcissus Narrates\ Chat=He Said That In Chat Potted\ Cactus=Built-in -Flamingo\ Egg=Flamingo eggs Stat\ Name=Statistical name +Flamingo\ Egg=Flamingo eggs Light\ Blue\ Petal\ Block=Light Blue Petal Block Time\ Past=last %1$s\ was\ doomed\ to\ fall\ by\ %2$s\ using\ %3$s=%1$s Was he about to fall? %2$s use %3$s @@ -6883,14 +6883,14 @@ Galaxium\ Fragment=Galaxium Fragment Cloak\ of\ Virtue\ shines=The cloak of virtue shines Reset\ To\ Default=Reset To Default Obsidian\ Reinforced\ Door=Obsidian Reinforced Door -Narslimmus=Narslimus Show\ Uses\:=Show Uses\: +Narslimmus=Narslimus Cabbage\ Crop=Cabbage factory Default\ Options=Default option Go\ back=Go back -Crate\ of\ Wheat=Crate of Wheat -Warped\ Step=Warped Step Wild\ Explorer\ Configuration=Wild Explorer settings +Warped\ Step=Warped Step +Crate\ of\ Wheat=Crate of Wheat (%s\ Loaded...nice)=(%s Read ... OK) Warped\ Stem=The Rebellion Is A Mess Kicked\ %s\:\ %s=Start %s\: %s @@ -6898,8 +6898,8 @@ Marble\ Stairs=Marble Stairs Himmel\ Brick\ Vertical\ Slab=Himmel Vertical Tiles Currant\ Crop=Currants Rose\ Quartz\ Bricks=Rose quartz tile -Sapphire\ Ore=Sapphire Ore Polished\ Mesmerite\ Wall=Mesmerita archive wall +Sapphire\ Ore=Sapphire Ore the\ player's\ hand\ in\ first\ person=First hand Now\ spectating\ %s=And now, for the first %s Sandy\ Brick\ Wall=Sandy Brick Wall @@ -6915,14 +6915,14 @@ 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 -Labellia=Labella Messages\ sent\ on\ this\ server\ may\ be\ modified\ and\ might\ not\ reflect\ the\ original\ message=Messages sent to this server can be edited and may not contain the original message +Labellia=Labella Aluminum\ Dust=Damba Aluminam Buffer\ is\ full\!=The buffer is full\! Causes\ defense\ entities\ to\ drop\ experience.=Causes the defense unit to lose experience. ME\ Pattern\ Provider=ME mode provider -Create\ a\ Mana\ Enchanter\ to\ have\ better\ control\ over\ enchanting=Create mana summoner to control spells better Wireless\ Modem=Wireless Modem +Create\ a\ Mana\ Enchanter\ to\ have\ better\ control\ over\ enchanting=Create mana summoner to control spells better Unknown\ color\ '%s'=Unknown color "%s" Search\ Field\ Position\:=Search Field Position\: Asphalt\ Slab=Asphalt Slab @@ -6939,8 +6939,8 @@ Aluminum\ Bolt=Aluminum Bolts Move\ to\ output\ when\ full.=Move to output when full. King\ Slime\ Ball=king slime ball End\ Lotus\ Chest=Finish the lotus chest -Lucernia\ Log=Enter Lucerne Purple\ Slime\ Spawn\ Egg=Purple Slime Spawn Egg +Lucernia\ Log=Enter Lucerne Pocket\ Wormhole=Worm Worm Solid\ Titanium\ Machine\ Casing=Titanium steel case Brown\ Glazed\ Terracotta\ Camo\ Trapdoor=Brown Glazed Terracotta Camo Trapdoor @@ -6956,8 +6956,8 @@ Please\ shorten\ the\ comment=Leave a short comment. Whether\ the\ relevant\ regex\ should\ blacklist\ messages\ from\ translation\ instead\ of\ whitelisting=Relevant regular expressions should be blacklisted for translation, not whitelisted The\ Healing\ Power\ of\ Friendship\!=People who believe without friendship? Chat\ Delay\:\ None=Chat Delay\: NoChat Settings...\=Options... -Can't\ play\ this\ minigame\ in\ %s=Do not play this game for years %s Stripped\ Lacugrove\ Log=Records stripped from Lacco Grove +Can't\ play\ this\ minigame\ in\ %s=Do not play this game for years %s Polished\ Blackstone\ Button=Polished Blackstone " Press Duym\u0259sini Apricot\ Sapling=In the morning, tomorrow weak Terracotta\ Camo\ Door=Terracotta Camo Door @@ -6981,8 +6981,8 @@ Color=Color Chrome\ Wall=Chrome Wall ME\ Condenser\ -\ Output=ME Condenser - Output Lubricant=lubricant -Gaia\ Guardian's\ spell\ swooshes=Guardian Gaia&\#39;s magic has rusted. Purple\ Bend\ Sinister=It's Bad +Gaia\ Guardian's\ spell\ swooshes=Guardian Gaia&\#39;s magic has rusted. Lava\ Bucket=Spaini Lava Dark\ Oak\ Fence\ Gate=Dark Oak Gate Fence Craft\ Golden\ Apples=Craft Golden Apples @@ -6990,11 +6990,11 @@ Refined\ Obsidian\ Stairs=Elegant obsidian staircase $(thing)Dyeing$(0)\ lenses\!=$(Mono) Color$(0) Lens\! No\ Crafting\ Job\ Active=No Crafting Job Active Skeleton\ Horse\ swims=The skeleton of the Horse, and every thing -Ducks\ spawn\ naturally=Ducks lay their eggs naturally. Zephyr\ Workbench\ Crafting=Zephyr Craft Workbench +Ducks\ spawn\ naturally=Ducks lay their eggs naturally. Highly\ Advanced\ Item\ Input\ Hatch=Very advanced projecting entrance door -Unable\ to\ host\ local\ game=A space for local games Willow\ Crafting\ Table=Willow Crafting Table +Unable\ to\ host\ local\ game=A space for local games Rutabaga\ Seeds=Rutabaga species 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. @@ -7011,8 +7011,8 @@ Cika\ Fence\ Gate=Cika Fence Gate Nether\ Pillar=Nether Pillar All\ Started=It all starts Parrot\ angers=Tutuqu\u015Fu Angers -Ring\ of\ Water\ Breathing=Ring of Water Breathing Stripped\ Mahogany\ Log=Stripped Mahogany Log +Ring\ of\ Water\ Breathing=Ring of Water Breathing Purple\ Tulip=Purple Tulip Created\ new\ objective\ %s=I have created a new lens %s Stone\ Golem\ Dies=Dead stone golem @@ -7037,15 +7037,15 @@ Create\ Fluix\ Crystals=Create Fluix Crystals Effect\ Amplifier=Effect Amplifier \u00A75\u00A7oGenerates\ 12.8\ Basalt\ per\ second=\u00A75\u00A7oProduces 12.8 basalts per second Vanilla\ Recipe\ Book\:=Vanilla Recipe Book\: -Better\ furnace=Better furnace 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.=Your graphics device is not supported %s Graphic selection.\n%s he warns. +Better\ furnace=Better furnace Chiseled\ Certus\ Quartz\ Block=Chiseled Certus Quartz Block Username\ /\ Email=Username (emailUses scrap and energy to churn out UU matter\=Uses scrap and energy to churn out UU matter Swift\ Sneak=Running clothes Block\ Grouping=Block Grouping Magma\ Brick\ Column=Magma brick column -Coniferous\ Wooded\ Hills=Coniferous forest Polymorph=polymorphic organisms +Coniferous\ Wooded\ Hills=Coniferous forest Arrow\ of\ Phantom\ Spirit=Ghost Arrow Golden\ Hook=Gold hook Splash\ Potion\ of\ Absorption=Splash absorption dose @@ -7054,10 +7054,10 @@ Creamy\ White\ Wing=Creamy White Wing Tinkering=end Black\ Glazed\ Terracotta\ Glass=Black Glazed Terracotta Glass Direwolf\ pants=giant wolf pants -Guild\ master=Duke Duke Yellow\ Nether\ Brick=Yellow strange brick -Coal\ block\ its\ for\ what\ I\ came,\ Coal\ block\ is\ always\ from\ I\ will\ be,\ Flinting\ a\ coal\ block\ will\ invoke\ me.=The coal block I am looking for, the coal block will surely be there, Flinting the coal block will call me +Guild\ master=Duke Duke The\ Mansion\ under\ the\ Hot\ Desert\ Sun=Scenes in the sun, hot +Coal\ block\ its\ for\ what\ I\ came,\ Coal\ block\ is\ always\ from\ I\ will\ be,\ Flinting\ a\ coal\ block\ will\ invoke\ me.=The coal block I am looking for, the coal block will surely be there, Flinting the coal block will call me Spruce\ Wall\ Sign=Eat Wall Sign Tenanea\ Log=Tenanea&\#39;s Diary Lucernia\ Planks=Planck lamp @@ -7099,8 +7099,8 @@ When\ on\ head\:=When head\: Mana\ from\ lava=Mana of lava Only\ You=Only You Warthog\ Shell\ Piece=Piece of mahogany shell -Coconut=Coconut Chorus\ Cod=Singer code +Coconut=Coconut Basics\ of\ Corporea=Corporea basics Umbral\ Trapdoor=trap Blacklist\ mode\ enabled=The print function is active @@ -7114,8 +7114,8 @@ Brown\ Chief\ Sinister\ Canton=\u018F, Ba\u015F Canton Sinister Barrel=Old Green\ Charnia=Green Chania Network\ Node=Network node -Purple\ Per\ Pale\ Inverted=Color-Pale Purple-Upside-Down Mars\ Essentia=Being mars +Purple\ Per\ Pale\ Inverted=Color-Pale Purple-Upside-Down Stripped\ White\ Oak\ Log=Stripped White Oak Log Leather\ Stripe=Leather tape Deep\ Mob\ Learning\:\ Refabricated\ -\ Modular\ Armor=Alta Mob Learning\: Reassembled Modular Armor @@ -7134,32 +7134,32 @@ Brown\ Patterned\ Wool=Brown Patterned Wool Cooked\ Cod=Boiled Cod Fir\ Planks=Fir Planks Bamboo\ Spike=Bamboo Spike -Black\ Terracotta\ Bricks=Black terracotta bricks Show\ View\ Angles=Show View Angles -Floating\ Tangleberrie\ Petite=floating orange berries pet +Black\ Terracotta\ Bricks=Black terracotta bricks Bronze\ Chestplate=Bronze Chestplate +Floating\ Tangleberrie\ Petite=floating orange berries pet Drop\ mob\ loot=Efter\u00E5ret mob loot -Entering\ the\ $(thing)Nether$(0)\ might\ seem\ difficult\ under\ these\ conditions--\ worry\ not,\ however,\ as\ $(l\:misc/blaze_block)$(item)Blaze\ Meshes$(0)$(/l)\ (as\ mentioned\ previously)\ can\ be\ converted\ into\ $(item)Obsidian$(0).\ To\ get\ these\ lamps,\ spawn\ $(item)Blazes$(0)\ from\ $(l\:devices/fel_pumpkin)$(item)Fel\ Pumpkins$(0)$(/l).$(p)Since\ there's\ no\ easily\ accessible\ $(item)Flint$(0)\ on\ an\ island\ in\ space,\ a\ $(item)Fire\ Charge$(0)\ will\ have\ to\ do\ for\ portal-opening.=log in$(property) Nor$(0) It seems difficult in these situations. But don&\#39;t worry, as shown below.$(l\:various/blaze_block)$(Article) Plate sweater$(0)$(/l) (as mentioned before) can be converted to\:$(Object) Obsidian$(0) To recover this lantern, spawn.$(fire element$(0) from$(l\: device / fel_pumpkin)$(Items) Elephant Pumpkin$(0)$(/ L).$(p) Because it&\#39;s not easy$(subject) stone$(0) on the island of space,$(Essay) fire service fee$(0) We will make it outside the door. Cauldron\ Brewing=Make pottery +Entering\ the\ $(thing)Nether$(0)\ might\ seem\ difficult\ under\ these\ conditions--\ worry\ not,\ however,\ as\ $(l\:misc/blaze_block)$(item)Blaze\ Meshes$(0)$(/l)\ (as\ mentioned\ previously)\ can\ be\ converted\ into\ $(item)Obsidian$(0).\ To\ get\ these\ lamps,\ spawn\ $(item)Blazes$(0)\ from\ $(l\:devices/fel_pumpkin)$(item)Fel\ Pumpkins$(0)$(/l).$(p)Since\ there's\ no\ easily\ accessible\ $(item)Flint$(0)\ on\ an\ island\ in\ space,\ a\ $(item)Fire\ Charge$(0)\ will\ have\ to\ do\ for\ portal-opening.=log in$(property) Nor$(0) It seems difficult in these situations. But don&\#39;t worry, as shown below.$(l\:various/blaze_block)$(Article) Plate sweater$(0)$(/l) (as mentioned before) can be converted to\:$(Object) Obsidian$(0) To recover this lantern, spawn.$(fire element$(0) from$(l\: device / fel_pumpkin)$(Items) Elephant Pumpkin$(0)$(/ L).$(p) Because it&\#39;s not easy$(subject) stone$(0) on the island of space,$(Essay) fire service fee$(0) We will make it outside the door. Ash\ Pile=Put the ashes Glimmering\ Light\ Blue\ Flower=light blue flower No\ rewards=There is no reward Bedrock=Gunnar Raw\ Carrot\ Pie=Raw Carrot Pie Shift-click\ to\ clear\ the\ network\ of\ its\ fluid.=Shift-click to remove fluid from the mesh. -Star\ 1=Latitude 1 -Max.\ Height=Max. Height Creative\ Machete=Creative order +Max.\ Height=Max. Height +Star\ 1=Latitude 1 Star\ 2=star 2 Star\ 3=star 3 Hemlock\ Boat=Hemlock boat Potted\ Green\ Calla\ Lily=Potted Green Calla Lily -Floating\ Cyan\ Flower=Wet cyan flowers Mesermite\ Wall=Meteorite wall +Floating\ Cyan\ Flower=Wet cyan flowers Emerald\ Excavator=Emerald Excavator Moth\ Blossom=Mole blooms -Once\ a\ block\ is\ selected,\ the\ astrolabe\ will\ display\ a\ preview\ of\ what\ it\ would\ construct\ at\ a\ given\ position.$(p)To\ actually\ construct\ the\ previewed\ blocks\ (using\ $(thing)Mana$(0)\ as\ well\ as\ blocks\ from\ the\ user's\ inventory),\ simply\ right-click\ the\ astrolabe.\ Blocks\ can\ also\ be\ supplied\ from\ items\ like\ a\ $(l\:tools/exchange_rod)$(item)Rod\ of\ the\ Shifting\ Crust$(0)$(/l),\ a\ $(l\:tools/cobble_rod)$(item)Rod\ of\ the\ Depths$(0)$(/l),\ or\ a\ $(l\:ender/ender_hand)$(item)Hand\ of\ Ender$(0)$(/l).=When you select a recording, the astrolabe shows you what it is like to build a specific position.$(p) Actually create the visualization block (with$(what) Mana$(0), as well as the user&\#39;s inventory blocks), right-click the astrolabe. Blocks can also be obtained from items such as a$(l\: Tool / exchange_rod)$(pcs) Crust transfer bar$(0)$(/ Earth$(l\: tool/cobble_rod)$(item) depth constraint$(0)$(/ l) or a$(l\:ender/ender_hand)$(Item) Main Ender$(0)$(/Liter). Sticky\ Bomb=Adhesive bomb +Once\ a\ block\ is\ selected,\ the\ astrolabe\ will\ display\ a\ preview\ of\ what\ it\ would\ construct\ at\ a\ given\ position.$(p)To\ actually\ construct\ the\ previewed\ blocks\ (using\ $(thing)Mana$(0)\ as\ well\ as\ blocks\ from\ the\ user's\ inventory),\ simply\ right-click\ the\ astrolabe.\ Blocks\ can\ also\ be\ supplied\ from\ items\ like\ a\ $(l\:tools/exchange_rod)$(item)Rod\ of\ the\ Shifting\ Crust$(0)$(/l),\ a\ $(l\:tools/cobble_rod)$(item)Rod\ of\ the\ Depths$(0)$(/l),\ or\ a\ $(l\:ender/ender_hand)$(item)Hand\ of\ Ender$(0)$(/l).=When you select a recording, the astrolabe shows you what it is like to build a specific position.$(p) Actually create the visualization block (with$(what) Mana$(0), as well as the user&\#39;s inventory blocks), right-click the astrolabe. Blocks can also be obtained from items such as a$(l\: Tool / exchange_rod)$(pcs) Crust transfer bar$(0)$(/ Earth$(l\: tool/cobble_rod)$(item) depth constraint$(0)$(/ l) or a$(l\:ender/ender_hand)$(Item) Main Ender$(0)$(/Liter). Realms\ is\ not\ compatible\ with\ snapshot\ versions.=Universes that do not correspond to the version of highlights. Floating\ Tangleberrie=Tangled floating berries Foggy\ Mushroomland=Misty Mushroom Land @@ -7175,8 +7175,8 @@ This\ world\ must\ be\ opened\ in\ an\ older\ version\ (like\ 1.6.4)\ to\ be\ sa Japanese\ Maple\ Step=Japanese Maple Step Scepter=Scepter 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 +Gives\ you\ Jump\ Boost\ effect\ at\ cost\ of\ energy.=Gives you Jump Boost effect at cost of energy. Gray\ Per\ Pale=The Grey Light $(thing)Cosmetic\ Trinkets$(0)\ are\ crafted\ by\ weaving\ a\ specific\ color\ of\ petal\ around\ a\ $(l\:mana/pool)$(item)Mana\ Infused\ String$(0)$(/l);\ oddly\ enough,\ the\ item\ created\ often\ has\ nothing\ to\ do\ with\ the\ color\ of\ the\ petal.$(p)The\ exact\ mechanics\ of\ this\ synthesis\ aren't\ well\ known--\ it's\ almost\ as\ if\ the\ person\ that\ designed\ them\ hadn't\ bothered\ with\ figuring\ out\ a\ better\ system.\ Or\ something.\ Who\ knows.=$(Things) Cosmetic accessories$(0) By weaving a certain color around the petals$(l\: mana / mantra)$(m\u00EDr) Corda Imbued by Man$(0)$(/great); quite strange, and often even created without the color of the petals.$(p) The exact kinetics of this synthesis are unknown. As if the designer wasn&\#39;t interested in finding a better system. Or something. who knows Place\ an\ Interface\ on\ a\ storage\ Bus.=Place an Interface on a storage Bus. @@ -7209,8 +7209,8 @@ Causes\ death\ chests\ to\ be\ dropped\ when\ they\ are\ broken.=Please remove t Default\ Quest\ Shape=Standard form search Spectral\ Platform=Spectroscopic platform Goblin\ Trader\ Spawn\ Egg=Goblin Merchant Spawn Egg -2\u00B3\ Spatial\ Storage\ Cell=2\u00B3 Spatial Storage Cell Fire\ Dragon\ Wing=Fire Dragon Wing +2\u00B3\ Spatial\ Storage\ Cell=2\u00B3 Spatial Storage Cell Ancient\ Forest=Ancient Forest Cake\ Slices\ Eaten=A Piece Of Cake Ate HCTM\ Base=HCTM Base @@ -7235,8 +7235,8 @@ Mossy\ Stone\ Brick\ Step=Mossy Stone Brick Step Cucumber\ Salad=Cucumber salad Lingering\ Potion\ of\ Dolphins\ Grace=An immortal dolphin&\#39;s elixir of blessing No\ tasks=No job -A\ Mana\ Blaster\ upgrade\ that\ lets\ it\ have\ multiple\ lenses=Mana Blaster update that enables multiple lenses Wooden\ Rod=Wooden Rod +A\ Mana\ Blaster\ upgrade\ that\ lets\ it\ have\ multiple\ lenses=Mana Blaster update that enables multiple lenses Vinyl\ Chloride=Vinyl chloride Multiplayer\ Settings...=Settings For Multiplayer Games... Command\ blocks=Command blocks @@ -7254,8 +7254,8 @@ Birch\ Planks\ Ghost\ Block=Birch Planks Ghost Block Large\ Rows=Large Rows It\ Spreads=falen Rubber\ Drawer=Rubber Drawer -Blue\ Shimmering\ Mushroom=Sparkling green mushrooms Category\ protection\ prevents\ you\ from\ (accidentally)\ deleting,\ moving,\ renaming\ a\ category\ or\ changing\ its\ "Hard\ Include"\ setting.=Category protection prevents (accidental) deletion, movement, renaming or modification of fixed parameters. for categories. +Blue\ Shimmering\ Mushroom=Sparkling green mushrooms Diluted\ Mana\ Pool=Dilute mana pool Apple\ Crate=Apple Crate Steam\ Turbine=Steam turbine @@ -7270,8 +7270,8 @@ Spawner\ Type=Spawner Type Blighted\ Balsa\ Coffee\ Table=Worn balsa coffee table Jellyshroom\ Log=For the gelatin room Lives\:\ %s=Lives\: %s -Diamond\ AIOT=AIOT diamonds Worldgen\ Flower\ Quantity=Worldgen flower count +Diamond\ AIOT=AIOT diamonds Metamorphic\ Taiga\ Cobblestone\ Wall=Cobblestone wall of coniferous forest under renovation Duration\ in\ seconds\ for\ full\ bar\ (setting\ for\ mini-mode)=Length of complete stack in seconds (mode mode setting) Mossy\ Deepslate\ Brick\ Slab=A deep brick plate covered with moss @@ -7295,20 +7295,20 @@ Block\ of\ Coal\ (Legacy)=Coal block (heritage) Paginated\ Screen=Paginated Screen Warden\ approaches=A watchman is coming Shulker\ Bullet\ explodes=The Shulker exploded Bullet. -Cypress\ Boat=Cypress Boat Bit\ Collection\ Block=Bit collection block +Cypress\ Boat=Cypress Boat Creative\ ME\ Fluid\ Cell=Creative Me Fluid Cell Hide\ Text\ Until\ Quest\ is\ Completed=Hide the text until the task is completed -Asteroid\ Copper\ Cluster=Asteroid Copper Cluster -No\ Slide\ In\ when\ opened\ via\ Other\ Screen\:=No Slide In when opened via Other Screen\: Protein=protein +No\ Slide\ In\ when\ opened\ via\ Other\ Screen\:=No Slide In when opened via Other Screen\: +Asteroid\ Copper\ Cluster=Asteroid Copper Cluster Violecite\ Brick\ Slab=Violet bricks Cyan\ Concrete\ Brick\ Slab=light cyan concrete Toggle\ for\ redstone\ particles=Go to the red stone particles We\ need\ moar\ dakka=We need Moar Dakka. Plutonium\ Dust=Plutonium dust -Technically\ incorrect,\ the\ worst\ type\ of\ incorrect=technical error the worst error To\ proceed\ please\ correct\ or\ remove\ the\ faulty\ datapacks,\ then\ use\ the\ /reload\ command.=To continue, repair or remove any damaged packages then use the / reload command. +Technically\ incorrect,\ the\ worst\ type\ of\ incorrect=technical error the worst error Apatite=apatite Shulker\ Box=Box Shulker Lightning\ Bug\ Spawn\ Egg=Eggs that lay eggs @@ -7316,8 +7316,8 @@ Umbrella\ Jungle=Umbrella in the forest Breed\ two\ animals\ together=Tie together two animals Bass\ Drum=Bass Drums Get\ an\ Industrial\ Smelter=Get an Industrial Smelter -Lit\ Lime\ Redstone\ Lamp=Lit Lime Redstone Lamp Jungle\ Timber\ Frame=Jungle Timber Frame +Lit\ Lime\ Redstone\ Lamp=Lit Lime Redstone Lamp Stripped\ Pythadendron\ Log=Meath Screen=Screen 128\u00B3\ Spatial\ Storage\ Cell=128\u00B3 Spatial Storage Cell @@ -7365,26 +7365,26 @@ Orange\ Flat\ Tent\ Top=Orange Flat Tent Top Giant\ Boulders=Giant Boulders Buried\ Blue\ Petal=Buried blue horseshoe Quest\ Tracking\ System=Quest Tracking System -Defaults\ to\ regular\ water\ if\ an\ invalid\ block\ is\ given.=Defaults to regular water if an invalid block is given. Crimson\ Gel=Purple gel +Defaults\ to\ regular\ water\ if\ an\ invalid\ block\ is\ given.=Defaults to regular water if an invalid block is given. Ether\ Bulbs=Ether lamp No\ matter\ how\ hard\ you\ try\ to\ push\ the\ Ingot\ into\ the\ Beacon,\ nothing\ seems\ to\ happen.\ Perhaps\ your\ configuration\ of\ catalyst\ pylons\ is\ off.=No matter how hard I tried to push the bar into the beacon, nothing seemed to happen. The setting of the catalyst poles may be incorrect. Sawing=saw -Decayed\ Steps=Broken steps -Make\ World/Server\ Auto=Make World/Server Auto White\ Concrete\ Powder=The White Cement Powder +Make\ World/Server\ Auto=Make World/Server Auto +Decayed\ Steps=Broken steps Raw\ Iron=raw iron Wither\ angers=Free angers Eye\ of\ Ender\ shoots=Eye in the end to shoot Gray\ Bend\ Sinister=Boz G\u00F6z Sinister Only\ Murderer=just a killer This\ Hourglass\ is\ locked.\ Right-click\ it\ with\ a\ Wand\ of\ the\ Forest\ to\ unlock\ it.=The hourglass is locked. Right click with Forest Wand to unlock it. -Baobab\ Kitchen\ Counter=Baobab Kitchen Counter Baobab\ Fence=Baobab Fence +Baobab\ Kitchen\ Counter=Baobab Kitchen Counter Stone\ Shield=Stone shield This\ rod\ can\ be\ given\ to\ a\ $(l\:devices/avatar)$(item)Livingwood\ Avatar$(0)$(/l).\ When\ so\ given,\ an\ avatar\ will\ use\ its\ $(thing)Mana$(0)\ to\ launch\ any\ players\ that\ jump\ near\ the\ avatar\ as\ if\ they'd\ used\ the\ rod\ themselves.=This bar can be picked up$(l\: device/avatar)$(Item) Avatar Living Wood$(0)$(/ generation). If the avatar provided, it will be an avatar.$(Chapter) Sister$(0) Each player jumps close to the avatar and throws as if using a pole. -Purple\ Thing=Purple Something Starry\ Salmon=Marked salmon +Purple\ Thing=Purple Something Purple\ cables\!=Purple cables\! Joint\ Type\:=Joint Type\: Obsidian\ Barrel=Obsidian Barrel @@ -7409,8 +7409,8 @@ Bronze\ Fluid\ Pipe=Liquid copper pipe Lime\ Redstone\ Lamp=Lime Redstone Lamp Magenta\ Fluid\ Pipe=Magenta liquid whistle Get\ Biomass=Get Biomass -Light=Light Green\ Gradient=Shades Of Green +Light=Light Crimson\ Timber\ Frame=Crimson Timber Frame Orange\ Fluid\ Pipe=tube with orange liquid Andesite\ Brick\ Slab=Andesite Brick Slab @@ -7421,8 +7421,8 @@ Nether\ Quartz\ Hoe=Nether Quartz Hoe Page\ %s=Page %s Go\ look\ for\ a\ Igloo\!=Go look for a Igloo\! Potted\ Tall\ Brown\ Gladiolus=Potted Tall Brown Gladiolus -Copy\ Chunk=Copy Chunk Thunder\ Slash=thunder +Copy\ Chunk=Copy Chunk Display\ Names=Show name Merge\ Displays\ with\ Equal\ Contents\:=Impressions for the same content\: Gilded\ Netherite\ Leggings=Gilded Netherite Leggings @@ -7444,11 +7444,11 @@ Sunken\ Skeleton\ shoots=shot of sunken skeleton Livingwood\ Slingshot=live wooden sling Blue\ Iron\ Bulb\ Lantern=Blue iron lantern White\ Tent\ Side=White Tent Side -Mustard\ Seeds=Mustard seeds Spell\ missed=spelling mistake +Mustard\ Seeds=Mustard seeds Fluix\ Wall=liquid wall -Light\ Blue\ Insulated\ Wire=Light Blue Insulated Wire Toggle\ for\ explosion\ particles=Replacement for explosive particles. +Light\ Blue\ Insulated\ Wire=Light Blue Insulated Wire Farming\ for\ Blockheads\ registries\ reloaded.=Reloaded Agriculture registry for Blockheads. Collect\:\ Sledgehammer=Collect\: Sledgehammer Red\ Thallasium\ Bulb\ Lantern=Lantern with a red thalassium bulb @@ -7456,8 +7456,8 @@ Lime\ Terracotta\ Ghost\ Block=Lime Terracotta Ghost Block While\ digging\ away\ at\ dirt\ with\ a\ shovel\ is\ definitely\ a\ functional\ means\ of\ landscaping,\ flattening\ huge\ tracts\ of\ land\ can\ get\ somewhat\ arduous.$(p)The\ $(item)Rod\ of\ the\ Terra\ Firma$(0),\ by\ contrast,\ terraforms\ in\ a\ quicker\ and\ environmentally-friendlier\ manner.=While digging dirt with a shovel is certainly a convenient way to decorate a landscape, it may be insignificant for high ground levels.$(p) if$(object) Bar from Terra Firma$(0), on the other hand, makes terraforming faster and more environmentally friendly. Liquid\ Oxygen\ Bucket=Liquid Oxygen Bucket If\ enabled,\ some\ critical\ code\ paths\ will\ be\ allowed\ to\ use\ direct\ memory\ access\ for\ performance.\ This\ often\ greatly\ reduces\ CPU\ overhead\ for\ chunk\ and\ entity\ rendering,\ but\ can\ make\ it\ harder\ to\ diagnose\ some\ bugs\ and\ crashes.\ You\ should\ only\ disable\ this\ if\ you've\ been\ asked\ to\ or\ otherwise\ know\ what\ you're\ doing.=When Enabled Certain important code paths can use direct memory access to improve performance. This often significantly reduces the CPU overhead associated with rendering groups and units. However, this can make some errors and crashes difficult to diagnose. You should only disable it if you are advised to do so or if you know what you are doing. -Failed\ to\ connect\ to\ the\ server=This can be in the server log Aluminum\ Cable=Aluminum cable +Failed\ to\ connect\ to\ the\ server=This can be in the server log Hedgewitch\ Hood=scarf Print\ owo\ on\ Start=Print owo on Start Fluix\ Block=Fluix Block @@ -7491,13 +7491,13 @@ Show\ Crop\ Progress=shows the progress of the factory An\ additional\ six\ types\ of\ $(item)Pasture\ Seeds$(0)\ can\ be\ created,\ for\ alternative\ grasslike\ blocks\ with\ various\ textures.$(p)These\ spread\ to\ dirt\ like\ normal\ and\ can\ sustain\ any\ plant\ a\ block\ of\ grass\ can.\ Similarly,\ they\ may\ only\ be\ picked\ up\ with\ $(thing)Silk\ Touch$(0).\ However,\ these\ blocks\ don't\ decay\ back\ into\ dirt\ if\ covered.=6 additional categories$(item) Seed Village$(0) Can be used to replace grass-shaped blocks with different textures.$(p) These are scattered on the ground in the usual way, giving each plant a stalk of grass. This item can only be collected$(Mono) touch silk$(0). However, this block will not disassemble and return to dirt when covered. Meteoric\ Steel\ Dust=Meteoric Steel Dust Red\ Garnet\ Wall=Red Garnet Wall -$(o)Grandola\ Vila\ Morena$()...=$(o) Grandola Villa Morena$()... What\ a\ Nugget,\ Once\ Again\!=What nuggets, again\! +$(o)Grandola\ Vila\ Morena$()...=$(o) Grandola Villa Morena$()... Status\ Effect\ Blacklist=Blacklist status The\ message\ that\ is\ sent\ to\ the\ player\ when\ they\ fail\ to\ unlock\ a\ death\ chest.=A message is sent to the player when the player is unable to open the Death Chest. Unlocked\ %s\ recipes\ for\ %s=If you %s recipe %s -Polished\ Blackstone\ Brick\ Column=Vertical smooth bricks in general; 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\!) +Polished\ Blackstone\ Brick\ Column=Vertical smooth bricks in general; Raw\ Chocolate\ Cake=Raw Chocolate Cake Swamp\ Cypress\ Wall\ Sign=Cypress Bog Wall Panel Mana\ Quartz=Mana quartz @@ -7511,8 +7511,8 @@ Interactions\ with\ Grindstone=Interakcia spp-AUX-plietol So\ many\ automation\ prospects=So many automation perspectives Witch\ Hazel\ Wood=witch hazel Dragon\ growls\ angrily=roaring dragon -Jungle\ Sapling=Gungate Sapling Scoria\ Stone\ Brick\ Stairs=Scoria Stone Brick Stairs +Jungle\ Sapling=Gungate Sapling Brown\ Concrete=The Beam Of The Concrete Cracked\ Granite\ Bricks=Cracked Granite Bricks Custom\ Splashes\:=Custom Splashes\: @@ -7533,8 +7533,8 @@ Carbonite=coal Helix\ Tree\ Barrel=Spiral tree barrel Nudibranch\ hurts=Sea slug hurts Magma\ Block=Magma Bloc -Brain\ Coral\ Wall\ Fan=The Brain Coral, Fan To The Wall 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 Warped\ Village\ Size=Village size distortion Maple\ Wood=Maple Wood Slime\ hurts=The abomination of evil @@ -7586,9 +7586,9 @@ List\ of\ other\ tools=List of other tools Switch\ Game\ Mode\:\ Dropdown=Game mode switch\: drop down Cooked\ slices\ of\ salmon,\ which\ restore\ more\ hunger\ overall.=Cooked salmon slices that satisfy your hunger in general. Purple\ Allium\ Bush=Purple Allium Bush -Japanese\ Maple\ Kitchen\ Counter=Japanese Maple Kitchen Counter -Randomly\ adds\ small\ Pine\ Cones\ to\ Spruce\ Leaves=Randomly add hazelnuts to small fir leaves You\ don't\ have\ enough\ mana\ to\ cast\ this\ spell=You do not have enough mana to use this spell +Randomly\ adds\ small\ Pine\ Cones\ to\ Spruce\ Leaves=Randomly add hazelnuts to small fir leaves +Japanese\ Maple\ Kitchen\ Counter=Japanese Maple Kitchen Counter \ (%s\ Mods...blaze\ it)=\ (%s Fashion...burn) Loot\ Fabricator=Loot Fabricator Storage\ %s\ has\ the\ following\ contents\:\ %s=Shop %s it has the following contents\: %s @@ -7645,18 +7645,18 @@ Body\ Protection=Body Protection 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. Blaze\ Brick\ Column=Refractory bricks -One\ of\ your\ changed\ options\ requires\ Minecraft\ to\ be\ restarted.=One of your changed options requires Minecraft to be restarted. -Forty\ thousand\ books\ from\ another\ world=\u00A340,000 in another world Durability\ type\:=Resistance type\: +Forty\ thousand\ books\ from\ another\ world=\u00A340,000 in another world +One\ of\ your\ changed\ options\ requires\ Minecraft\ to\ be\ restarted.=One of your changed options requires Minecraft to be restarted. \u00A75Given\ the\ right\ conditions,\ the\ following\ mobs\ can\ spawn\:\ =\u00A75Given the right conditions, the following mobs can spawn\: Horizontal\ Column=Bar -Block\ of\ Endorium=Block of Endorium -Polished\ Andesite\ Pressure\ Plate=Polished andesite pressure plate Sodium\ Hydroxide\ Bucket=Sodium Hydroxide Bucket +Polished\ Andesite\ Pressure\ Plate=Polished andesite pressure plate +Block\ of\ Endorium=Block of Endorium Verbose\ Mode=Verbose Mode 1k\ ME\ Storage\ Cell=1k ME Storage Cell -Gather\ up\ some\ Pink\ Petals=Gather rose petals A\ Seedy\ Place=Shabby Miejsce +Gather\ up\ some\ Pink\ Petals=Gather rose petals Bound\ for\ soon\ to\ expire\ effects\ in\ seconds=Suitable for effects that expire in a few seconds Colored\ Tiles\ (Green\ &\ White)=Colorful tiles (green and white) Evoker\ casts\ spell=Summoner spells @@ -7669,9 +7669,9 @@ Aeternium\ Sword\ Blade=Ether Blade Copper\ Leggings=Copper Leggings A\ simple\ timer,\ using\ the\ sands\ of\ time=A simple stopwatch using temporary sand Crimson\ Slimeball=Crimson Slimeball -Lava\ Slime\ Spawn\ Egg=Slime Lava Summoning Egg -Respawn\ Anchor=Horgony Spawn Whirlwind=vortex +Respawn\ Anchor=Horgony Spawn +Lava\ Slime\ Spawn\ Egg=Slime Lava Summoning Egg Orange\ ME\ Smart\ Cable=Orange ME Smart Cable Swamp\ Cypress\ Post=Swamp fir Nightshade\ Moss=Mecha Night Shade Moss @@ -7703,11 +7703,11 @@ Chat\ Preview\ allows\ the\ server\ to\ see\ your\ messages\ in\ real\ time\ as\ Needs\ alkahest\!=You need alkahest\! Dark\ Oak\ Hopper=Dark Oak Hopper unknown=I don't know -Delete\ Sub-World\ Connection=Delete Sub-World Connection Charged=Charged +Delete\ Sub-World\ Connection=Delete Sub-World Connection Kanthal\ Tiny\ Dust=Little Kantar Dust -Calciumcarbonate=Calciumcarbonate Saving\ is\ already\ turned\ off=The saving is already turned off +Calciumcarbonate=Calciumcarbonate Charger=Charger Barley=Wheat Granite\ Wall=Wall Of Granite @@ -7718,15 +7718,15 @@ Caller,\ fury,\ whatever...=Any madness whatsoever... Soul\ Bottle=Soul bottle Sensitivity=Sensitivity If\ inventory\ has\ that\ item,\ doesn't\ give\ it.\ Ignores\ NBT.=If the product is available, do not give up. Omission of NBT. -Indigo\ Jacaranda\ Sapling=Indigo Jacaranda Sapling Silver\ Wire=Silver Wire +Indigo\ Jacaranda\ Sapling=Indigo Jacaranda Sapling Red\ Skull\ Charge=The Red Skull-Charge Redwood\ Step=Redwood Step %1$s\ was\ shot\ by\ %2$s\ using\ %3$s=%1$s I shot %2$s to use %3$s Invert\ scroll\ direction=The direction of travel is reversed -Luminous\ Pod=Luminous capsule -Craft\ the\ upgraded\ advanced\ solar\ panel=Craft the upgraded advanced solar panel Shimmering\ Mushrooms=Mushroom flash +Craft\ the\ upgraded\ advanced\ solar\ panel=Craft the upgraded advanced solar panel +Luminous\ Pod=Luminous capsule Outpost\ Jungle\ Max\ Chunk\ Distance=Maximum distance between outpost forest blocks Anchor\ Augment\:\ Chaos\ Zone=Anchor lift\: chaotic zone Graphite\ Sheet=Graphite Sheet @@ -7744,17 +7744,17 @@ Tower\ Guardian\ Spawn\ Egg=Tower Guardian Egg Fire\ extinguished=Put on the fire, Toggle\ Shaders=Replace shaders Chiseled\ End\ Stone\ Bricks=Chiseled End Stone Bricks -Badlands\ Dungeons=Badlands Dungeons -Jungle\ Kitchen\ Cupboard=Jungle Kitchen Cupboard Secret\ Blocks=Blog Secret +Jungle\ Kitchen\ Cupboard=Jungle Kitchen Cupboard +Badlands\ Dungeons=Badlands Dungeons Lime\ Stained\ Glass\ Slab=Chalk stained glass plate The\ $(item)Entropic\ Lens$(0)\ imbues\ a\ $(thing)Mana\ Burst$(0)\ with\ entropic\ forces,\ causing\ it\ to\ release\ its\ energy\ in\ the\ form\ of\ an\ explosion\ when\ it\ collides\ against\ something\ that\ can't\ receive\ $(thing)Mana$(0).=Ang$(object) entropy lens$(0) saturate$(Stuff) Mana burst$(0) When it collides with something that cannot be perceived as entropy, it releases energy in the form of an explosion.$(What or$(0). Blue\ Base\ Gradient=Blue Base Gradient Luminous\ Black\ Wool=Less black wool Ocean\ Warm\ Tower=Warm house Cleansing=cleaning -Cypress\ Crafting\ Table=Cypress Crafting Table Not\ recommended\ for\ Botania\ newcomers=Not recommended for newcomers to Botania. +Cypress\ Crafting\ Table=Cypress Crafting Table Fluix\ Production=Fluix Production Gaia\ Guardian\ awakens=Guardians of Gaia Awakening Sap=Sap @@ -7762,8 +7762,8 @@ Fire\ extinguishes=Put on the fire Untranslated\ entries\ will\ automatically\ be\ inherited\ from\ this\ file.=Untranslated entries will be inherited automatically from this file. Times\ Crafted=Most Of The Times, Created The Modular\ Mining\ Drill=Modular mining platform -Ebony\ Planks=Ebony Planks Torch\ Sling=The sling torch; +Ebony\ Planks=Ebony Planks Polished\ Granite\ Pillar=Polished Granite Pillar Keybind\:\ %s=Keybind\: %s Waxed\ Weathered\ Medium\ Weighted\ Pressure\ Plate=Waxed and patinated medium pressure weight plate @@ -7782,8 +7782,8 @@ Converting\ between\ $(item)Gunpowder$(0)\ and\ $(item)Flint$(0)=conversion betw Installed\ Terminals\:=Device installed\: By\ mixing\ $(item)Dye$(0)\ with\ some\ $(item)Bone\ Meal$(0),\ you'll\ create\ a\ different\ type\ of\ fertilizer.\ This\ $(item)Floral\ Fertilizer$(0)\ will\ grow\ a\ few\ $(item)Mystical\ Flowers$(0)\ in\ the\ nearby\ vicinity,\ if\ you\ ever\ run\ low\ on\ those.=Hello$(Type) Painting$(0) some$(Item) Bone Food$(0) You create another garbage, fiddle.$(Article) Fertilizer flower$(0) slightly grow$(Magic flower$(0) Close if there is a shortage. Glimmering\ Yellow\ Flower=Shimmering yellow flowers -Refined\ Iron\ Plate=Refined Iron Plate Requires\ a\ mod\ or\ a\ script,\ usually\ KubeJS,\ to\ make\ it\ work=Usually, you need a mod or script like KubeJS to work. +Refined\ Iron\ Plate=Refined Iron Plate Lena\ Raine\ -\ otherside=Lena Rain is someone else Hello,\ world\!=Hola, m\u00F3n\! Starrite\ Scythe=Kyo Star Right @@ -7808,8 +7808,8 @@ Distance\:\ =Distance\: Red\ Cornflower=Red Cornflower Compatible\ Upgrades\:=Compatible update\: Baobab\ Fruit=Baobab fruit -MagitekMechs\ Debug=Debug MagitekMechs Cloud\ in\ a\ Bottle=Clouds in the bottle +MagitekMechs\ Debug=Debug MagitekMechs Erase\ cached\ data=To delete all data stored in the cache Loading\ terrain...=Loading terrain... Exact\ Match=Exact Match @@ -7824,8 +7824,8 @@ Checking\ for\ valid\ Technic\ pack\ data...=Checking for valid Technic pack dat Rupees\ not\ included=Without counting the rupee Purple\ Shield=The Shield-Purple Tunnel\ Armor\ Stack=A pile of tunnel armor -Helix\ Tree\ Composter=Bata CD FrogMovz Golden\ Staff\ of\ Building=Golden Staff of Building +Helix\ Tree\ Composter=Bata CD FrogMovz Craft\ any\ kind\ of\ drink=Make any drink Spyglass=sniper Nutty\ Cookie=Peanut butter @@ -7835,18 +7835,18 @@ Raw\ Tin\ Wall=Raw tin wall Buy\ a\ realm\!=You can buy a Kingdom\! Opening\ Animations=Opening Animations Invar\ Gear=Invar Gear -Solar\ Generator=Solar Generator The\ spawn\ rate\ for\ minecarts\ holding\ TNT\ in\ the\ main\ shaft.=Leakage rates in mines with TNT flame. +Solar\ Generator=Solar Generator Oak\ Trapped\ Chest=Oak&\#39;s chest in a trap -C'est\ la\ vie=what life Storing\:=Storing\: +C'est\ la\ vie=what life Tertiary\ Modifier\ Key=Tertiary Modifier Key -Energy\ Cell=Energy Cell Render\ Waypoint\ Backgrounds=Provide waypoint background +Energy\ Cell=Energy Cell Iguana\ Hide=iguana skin Received\ chat\ packet\ with\ missing\ or\ invalid\ signature.=receives a chat packet with a missing or incorrect signature. -Async\ Search\ Partition\ Size\:=Asynchronous search partition size\: Undefined\ label=Undefined label +Async\ Search\ Partition\ Size\:=Asynchronous search partition size\: Bronze\ Stairs=Bronze Stairs Type\ 2\ Cave\ Priority=Type 2 Cave Priority An\ expansion\ of\ blasting=The extension was destroyed. @@ -7860,30 +7860,30 @@ Fleetfeet=Fleet unit Disable\ Step\ Assist=Turn off step-by-step help Sandy\ Jadestone\ Wall=Sand jade wall "Off"\ disables\ transitions.="Off" disables transitions. -Icy\ Generator=ice machine Crystal\ End\ Furnace=Crystal End Furnace +Icy\ Generator=ice machine Blue\ Concrete\ Brick\ Stairs=Blue concrete brick staircase Entries\ must\ have\ the\ mod\ namespace\ included.=Entries must have the mod namespace included. Corrosion=Eat Potted\ Acacia=Potted Acacia Dire\ Wolf\ Spawn\ Egg=A terrible wolf calls an egg -Depth\ Strider\ Cost=Depth Strider Cost Icy\ Pyramid\ Average\ Spacing=Average distance from the ice pyramid +Depth\ Strider\ Cost=Depth Strider Cost Lingering\ Potion=Yes, Behold Preodoleem, Boil -30k\ Water\ Coolant\ Cell=30k Water Coolant Cell Chemical\ Reactor=Chemical Reactor +30k\ Water\ Coolant\ Cell=30k Water Coolant Cell Item\ Frame\ breaks=The item Frame breaks Craft\ a\ Quantum\ Chestplate\ to\ reduce\ the\ probability\ of\ taking\ any\ damage\ by\ 25%\ for\ each\ piece\ of\ the\ Quantum\ Armor\ Set=Number of boxes to reduce chance of being damaged by 25% for each part of the Quantum Armor set -Potion\ Crystal=Potion Crystal Smooth\ Charred\ Nether\ Bricks=Smooth Charred Nether Bricks -Crude\ Storage\ Unit=Crude Storage Unit +Potion\ Crystal=Potion Crystal Rubber\ Slab=Rubber Slab +Crude\ Storage\ Unit=Crude Storage Unit Restore\ Waypoint=reset waypoints Lime\ ME\ Dense\ Covered\ Cable=Lime ME Dense Covered Cable The\ spawn\ rate\ for\ workstation\ cellars\ below\ workstations\ along\ the\ main\ shaft.=Leak rate from the basement of the work station which is located below the work station along the main pipe. Totally\ an\ Extra\ Utils\ ripoff=Very useful strength done -Kills=Kill Poseidon\ Bless=Poseidon Bless +Kills=Kill Ritual\ of\ Gaia\ II=Gaia Ceremony II Whether\ the\ dimensions\ list\ should\ be\ a\ blacklist\ or\ a\ whitelist.=Indicates whether the list size should be blacklisted or whitelisted. Warped\ Fence=Wrapped In The Fence @@ -7916,16 +7916,16 @@ Copied\ current\ device\ configuration\ to\ memory\ card.=Copied current device Reset\ Keys=Buttons Remove Enchanting\ with\ Mana=Mana Enchanting AppleSkin=apple peel -Add\ Philosopher's\ Stone\ formula\ to\ loot\ tables=The Sage Stone recipe has been added to the loot table. Volcanic\ Cobblestone=Large volcanic rock +Add\ Philosopher's\ Stone\ formula\ to\ loot\ tables=The Sage Stone recipe has been added to the loot table. Red\ ME\ Covered\ Cable=Red ME Covered Cable Wooded\ Badlands\ Plateau=In The Forest, Not Plateau Black\ Creeper\ Charge=Nero CREEPER Gratis Failed\ to\ generate\ jigsaw=making the puzzle failed Hydroangeas\ Motif=Hydrangea pattern -Copper\ Axe=Copper Axe -Realms\ Notifications=Kogus Teated Saturn\ Essentia\ Bucket=Saturn Essence Cask +Realms\ Notifications=Kogus Teated +Copper\ Axe=Copper Axe Scorched\ Fence=Burnt fence Warped\ Trapdoor=Warped Gates Heavy\ Water\ Steam\ Bucket=Heavy steam bucket @@ -7967,12 +7967,12 @@ Prometheum\ Machete=Prometheum kitchen knife Leaves\ (Legacy)=Leaves (Legacy) \u00A79Use\ to\ attach\ this\ wing\u00A7r=\u00A79Use to attach this wing\u00A7r Always\ Disp.\ Dist.\ to\ WP=Distance to WP display screen -Fire\ Coral\ Wall\ Fan=Gaisro Coral Fan Sienos Dragon\ dies=Zmaj Umrah +Fire\ Coral\ Wall\ Fan=Gaisro Coral Fan Sienos Pretend\ you\ have\ Incursio=pretend to be an outsider Blue\ ME\ Dense\ Smart\ Cable=Blue ME Dense Smart Cable -Show\ hovering\ help\ text=Show context help text Temperature\:\ =Temperature; +Show\ hovering\ help\ text=Show context help text \ Speed\ increase\:\ %sx=\ Speed increase\: %sx LED\ Lamp=LED Lamp Key\ bindings=Key binding @@ -8036,17 +8036,17 @@ Lead\ Sword=Lead Sword Umbral\ Table=Umbra board Birch\ Platform=Birch Platform Lucernia\ Gate=Lucerne Gate -Craft\ the\ industrial\ solar\ panel=Craft the industrial solar panel -Layers=layer Terminite\ Leggings=Infinite leggings +Layers=layer +Craft\ the\ industrial\ solar\ panel=Craft the industrial solar panel Cinematic\ Camera=Cinematic Camera CraftPresence\ -\ Controls=CraftPresence - Controls Only\ one\ traveler\ in\ radius=Just a tourist on the radio Classic=Classic \u00A78Faulty\u00A7r=\u00A78Faulty\u00A7r Cobblestone\ Generator=Cobblestone Generator -Nether\ Wasteland\ Temple\ Max\ Chunk\ Distance=Maximum mass distance in the Temple of Barren Land Canyon\ Arches=Canyon arch +Nether\ Wasteland\ Temple\ Max\ Chunk\ Distance=Maximum mass distance in the Temple of Barren Land Invar\ Stairs=Invar Stairs Character\ Width\:=Character Width\: Customization=Adaptation @@ -8072,11 +8072,11 @@ Rope\ Bridge\ Anchor=Rope Bridge Anchor Craft\ a\ Centrifuge=Make a juicer LV\ Energy\ Input\ Hatch=Low voltage energy entrance \u00A76\u00A7lShutting\ down\ CraftPresence...=\u00A76\u00A7lShutting down CraftPresence... -Scope\ Charm=charm set Ruins\ Nether\ Max\ Chunk\ Distance=Void maximum distance ruins +Scope\ Charm=charm set Custom\ value\ for\ cavern\ region\ size.\ Smaller\ value\ \=\ larger\ regions.=Custom value for cavern region size. Smaller value \= larger regions. -Ancient\ Forgotten\ Foremans\ Pickaxe=I forgot the old Foreman PICK Lifts=elevator +Ancient\ Forgotten\ Foremans\ Pickaxe=I forgot the old Foreman PICK Soy\ Milk=Soya milk Selected\ row\ element\ %s\ out\ of\ %s=Selected order line %s or %s Orange\ Per\ Fess=The Orange Colour In Fess @@ -8102,8 +8102,8 @@ RandomTick\ divisor=RandomTick divisor The\ $(item)Drum\ of\ the\ Canopy$(0)\ is\ like\ the\ $(l\:devices/forest_drum)$(item)Drum\ of\ the\ Wild$(0)$(/l)\ in\ that\ it's\ the\ percussion\ counterpart\ of\ a\ greenery-wrecking\ horn.\ It\ serves\ the\ exact\ same\ purpose\ as\ the\ handheld\ $(l\:tools/grass_horn)$(item)Horn\ of\ the\ Canopy$(0)$(/l),\ but\ as\ a\ block.\ It's\ operated\ identically\ to\ the\ $(l\:devices/forest_drum)$(item)Drum\ of\ the\ Wild$(0)$(/l).=This$(drum song$(0) yes$(l\:unit/drum_forest)$(Home) Wild Drum$(0)$(/ l) has the same meaning as the sound of a green horn. It serves the same purpose as a portable device$(l\: urram / horn_suket)$(Object) canopy horn$(0)$(/l) but as a block. works the same way$(l\: feiste / drum_forest)$(item) wild drum$(0)$(/at). Bauxite\ Crushed\ Dust=Bauxite powder Ornate\ Butterflyfish=Ornate Butterfly -Copper\ Curved\ Plate=Bent copper plate Advanced\ Downward\ Vertical\ Conveyor=Advanced Downward Vertical Conveyor +Copper\ Curved\ Plate=Bent copper plate It\ is\ your\ duty\ to\ be\ stoked=it&\#39;s your duty to be fed Waypoint\ Scale=Waypoint Scale Agave=Agave @@ -8153,16 +8153,16 @@ Skyris\ Wood=Skyris Wood The\ Eye=Eye Catwalk\ Stairs=Catwalk Stairs Cyan=Cena -Bonded\ Leather=Bonded Leather 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\! Player\ List=Trigger index Stray\ dies=Camera the Purple\ Tapestry=Purple tapestry Water\ Breathing\ Cost=Water Breathing Cost Looping\ dependencies\!=Dependencies bend\! -Birch\ Planks\ Glass=Birch Planks Glass Enchanted\ Soil=Magic land +Birch\ Planks\ Glass=Birch Planks Glass \u2464\ x5=x5 \u2464\ x4=x4 Tab=Karti @@ -8189,10 +8189,10 @@ Display\ Module=Display Module Light\ Gray\ Coffin=The box is gray Sterling\ Silver\ Excavator=Sterling Silver Excavator Fuel\ EU\ Tooltips\ Disabled=Fuel EU tooltip disabled -%s\ seconds=%sOther -Old\ Growth\ Spruce\ Taiga=Old Gran Taiga Rice -Polished\ Andesite\ Step=Polished Andesite Step and\ a\ touch\ of\ fresh\ greens.=And a little fresh green. +Polished\ Andesite\ Step=Polished Andesite Step +Old\ Growth\ Spruce\ Taiga=Old Gran Taiga Rice +%s\ seconds=%sOther Andesite\ Circle\ Pavement=Andesite Circle Pavement Zoom\ Transition=Zoom Transition Decreases\ the\ Conjurer's\ cycle\ time=Reduce the call cycle time. @@ -8222,8 +8222,8 @@ Broadcast\ admin\ commands=Gear box administrator team Dacite\ Wall=Dacite Wall Generating\ the\ form\ of\ natural\ energy\ that\ is\ $(thing)Mana$(0)\ is\ best\ done\ from\ other\ living\ materials.\ The\ $(item)Munchdew$(0)\ will\ eat\ up\ any\ nearby\ $(item)Leaves$(0)\ and\ convert\ them\ into\ $(thing)Mana$(0).$(p)However,\ no\ saplings\ (or\ any\ other\ items)\ will\ be\ dropped\ from\ the\ leaves.=The result is a kind of renewable energy.$(stuff) sis$(0) best made from other living materials. Ang$(List) Munchdew$(0) Eat nearby$(List) leaves$(0) Convert to$(sak) little sister$(0).$(p) But the seeds (or something else) do not fall from the leaves. Red\ Nether\ Pillar=Red Nether Pillar -Sandstone\ Column=Sandstone pillars Stellum\ Boots=Stellum Boots +Sandstone\ Column=Sandstone pillars Distance\ Swum=Distance Swam Aquilorite\ Block=Aquilorite Block Tea=tea @@ -8237,8 +8237,8 @@ Closed\ Penca=Closed Penca Invar\ Double\ Ingot=Buy Double Ingot Coindrop=Coindrop Show\ exhaustion\ underlay=Screen overlay out -Sandwich\ Maker=Sandwich Maker Gamerule\ %s\ is\ currently\ set\ to\:\ %s=Gamerule %s currently it is configured to\: %s +Sandwich\ Maker=Sandwich Maker [Debug]\:=[Debug]\: %sx\ Zoom\ (hover\ to\ zoom\ out)=%sx zoom (hover over to zoom out) Your\ realm\ will\ be\ permanently\ deleted=In the region, it is permanently deleted @@ -8248,8 +8248,8 @@ End\ Lotus\ Leaf=Finish the lotus leaves Cave\ Mode\ Zoom\ In=Zoom in in cave mode Underground\ Campsites=Camping underground Maximum\ Zoom\ Divisor=Maximum Zoom Divisor -Ancient\ Debris=Ancient Ruins Stripped\ Dark\ Oak\ Log=For The Removal Of Dark Oak Logs +Ancient\ Debris=Ancient Ruins Time\ of\ Death=the time of death Powerful\ electronics=Powerful electronics Clamp\ Depth=Depth of installation @@ -8262,8 +8262,8 @@ Blighted\ Balsa\ Wall\ Sign=Damage to the wall launch mark Better\ End\:\ Blocks=End of block Brass\ Plate=Brass Plate Anyone\ who's\ ever\ attempted\ ranching\ knows\ of\ the\ cacophonous\ din\ emitted\ by\ herds\ of\ animals.\ Luckily,\ the\ $(item)Bergamute$(0)\ can\ deafen\ such\ dins.=Anyone who has been to a farm knows about animal murmurs. very happy,$(position) Bergamot$(0) May be deaf. -Diamond\ Fragment=Diamond Fragment Olive\ Oil=petroleum +Diamond\ Fragment=Diamond Fragment Search\ Debug\ Mode\:=Search Debug Mode\: Enter\ a\ Taiga\ Outpost=Enter the taiga checkpoint Uranium\ 235\ Ore=235 @@ -8279,9 +8279,9 @@ Unmarked\ chunk\ %s\ in\ %s\ for\ force\ loading=Is Marked In Units Of The %s se Fancier\ furnace=Fancier furnace Metite=Metite Player\ Health\ Placeholder=Player Health Placeholder -Floating\ Tigerseye=floating tiger eyes -Diamond\ Bow=Diamond arch Tin=Tin +Diamond\ Bow=Diamond arch +Floating\ Tigerseye=floating tiger eyes Recipe\ ID\:\ %s=Recipe ID\: %s Consume\ task=Consume task Lime\ Chevron=Lime Chevron @@ -8305,8 +8305,8 @@ Raw\ Donut\ with\ Cream=Raw Donut with Cream Parrotfish=In The Morning This\ command\ only\ works\ in\ singleplayer.=This command only works in singleplayer. Iron\ Barrel=Iron Barrel -Guardian\ of\ Gaia=Guardian of Gaia Light\ Gray\ Netherite\ Shulker\ Box=netherit netherit inbox is gray +Guardian\ of\ Gaia=Guardian of Gaia Black\ Rose=Black Rose Berries\ Pie=Berries Pie Lime\ Concrete\ Camo\ Door=Lime Concrete Camo Door @@ -8330,16 +8330,16 @@ Display\ the\ status\ of\ all\ computers\ or\ specific\ information\ about\ one\ Compact=Zoom out Quantum\ Link\ Chamber=Quantum Link Chamber Pine\ Forest\ Hills=Pine forest mountain -Ender\ Artifacts=Ender Artifact The\ $(item)Rune\ of\ Pride$(0).=Exist$(item) Pride Rune$(0). +Ender\ Artifacts=Ender Artifact Redstone\ \u00A73(Blockus)=Redstone \u00A73(Blockus) Purple\ Tree=Purple Tree Warped\ Shipwreck\ MaxChunkDistance=Warp Shippwreck MaxChunkDistance Go\ look\ for\ a\ City\!=Go find the city\! Netherite\ Shulker\ Box=Netherlight Schulker Foundation -Cupronickel\ Dust=Cupronickel powder -Prints\ the\ config\ on\ game\ start=Print configuration at game start Yellow\ Garnet\ Wall=Yellow Garnet Wall +Prints\ the\ config\ on\ game\ start=Print configuration at game start +Cupronickel\ Dust=Cupronickel powder Lingering\ Uncraftable\ Potion=Slowly, Uncraftable Drink Rubber\ Platform=Rubber Platform Armor\ Stand=Armor Stand @@ -8364,8 +8364,8 @@ Item\ Tooltip=Item Tooltip Stripped\ Dark\ Amaranth\ Stem=Stripped Dark Amaranth Stem Purple\ Lumen\ Paint\ Ball=Purple Lumen Paint Ball Top=Top -Birds\ and\ bees=Birds and monkeys Chromium\ Dust=Chromium powder +Birds\ and\ bees=Birds and monkeys Bring\ a\ Beacon\ to\ full\ power=Turn on the lighthouse at full power Red\ Snapper=Red Cocktail Tropical\ Rainforest\ Hills=Tropical Rainforest Hills @@ -8380,11 +8380,11 @@ Cartography\ Table=Maps Table Green\ Christmas\ Light=green christmas lights Blueprint\ (Unwritten)=Drawing (unregistered) Amount=number -Analog\ Circuit=Analog circuit Which\ Witch?=Which witch? +Analog\ Circuit=Analog circuit Display\ Entity\ Model=Display Entity Model -Fir\ Shelf=Fir Shelf Someone\ is\ talking\ about\ or\ otherwise\ promoting\ indecent\ behavior\ involving\ children.=Some argue that they encourage inappropriate behavior among children. +Fir\ Shelf=Fir Shelf Raw\ Platinum\ Block=Raw platinum block Bluestone\ Brick\ Stairs=blue brick stairs Hydralux\ Petal\ Block=Hydralux petal block @@ -8400,8 +8400,8 @@ Showing\ all=With the participation of all Sythian\ Kitchen\ Sink=Sythian kitchen sink Mob\ Follow\ Range=Mafia To Perform A Number Of Soapstone\ Brick\ Wall=Soapstone Brick Wall -Galaxium\ Boots=Galaxium Boots White\ Futurneo\ Block=White Futurneo Block +Galaxium\ Boots=Galaxium Boots Thereal\ Bellflower=There is a bell flower Not\ Counted=does not count Terracotta\ Glass=Terracotta Glass @@ -8451,9 +8451,9 @@ Netherite\ Barrel=Netherite Barrel Red\ Ribbons=Red ribbon Bring\ summer\ clothes=To wear summer clothes Steel\ Slab=Steel Slab -%s\ Turtle=%s Turtle -Catwalk=Catwalk White\ Thing=What is White +Catwalk=Catwalk +%s\ Turtle=%s Turtle Pythadendron\ Leaves=Pita Dendron goes %s\ at\ position\ %s\:\ %s=%s at position %s\: %s The\ $(item)Clayconia$(0)\ is\ a\ simple\ flower.\ All\ it\ does\ is\ moisten\ nearby\ $(item)Sand$(0),\ turning\ it\ into\ pellets\ of\ $(item)Clay$(0).\ This\ process\ uses\ a\ decent\ amount\ of\ $(thing)Mana$(0),\ but\ won't\ break\ the\ bank\ (or\ pool,\ as\ it\ were).=that is$(Article) Clayconia$(0) Simple flowers. All it does is moisturize nearby$(item) Arena$(0), turns into pellets$(article) voice$(0). This process uses a reasonable amount$(stuff) heart$(0) but the bank (or the same pool) is not crossed. @@ -8461,10 +8461,10 @@ Sierra\ Range=Sierra Range Magenta\ Base\ Indented=The Purple Base Of The Target Light\ Gray\ Flower\ Charge=Light Grey Flower Cargo Mud\ Brick\ Stairs=Ground brick levels -Details=details -Corporea\ Stairs=Weight scale -Receiving\ Regex=Cree Regex Yellow\ Autumnal\ Sapling=Huang Qiumiao +Receiving\ Regex=Cree Regex +Corporea\ Stairs=Weight scale +Details=details Honeyed\ Apple=apple honey Sapphire\ Slab=Sapphire Slab Snout=I @@ -8476,14 +8476,14 @@ Iron\ Yoyo=Tie up your friend Witch\ Hazel\ Button=Witch Hazel Button \u00A77\u00A7o"One-click\ flying.\ Patent\ Pending."\u00A7r=\u00A77\u00A7o"One-click flying. Patent Pending."\u00A7r Red\ Charnia=Charnia red -Buffer\ Upgrade\ Modifier=Buffer Upgrade Modifier -Move\ by\ dragging\ or\ with\ arrow\ keys=Navigate to the picture or arrow. Witch\ Huts\ Dark\ Forest\ Max\ Chunk\ Distance=Maximum distance from the Dark Forest Witch Cottages trail +Move\ by\ dragging\ or\ with\ arrow\ keys=Navigate to the picture or arrow. +Buffer\ Upgrade\ Modifier=Buffer Upgrade Modifier An\ $(item)Incense\ Stick$(0)\ can\ be\ placed\ on\ an\ $(item)Incense\ Plate$(0)\ by\ right-clicking\ on\ the\ latter\ with\ the\ former,\ and\ a\ simple\ click\ with\ a\ $(item)Flint\ and\ Steel$(0)\ will\ light\ it\ up.\ Once\ lit,\ a\ stick\ can\ not\ be\ retrieved.$(p)A\ single\ stick\ of\ incense\ will\ burn\ for\ sixty\ times\ as\ long\ as\ its\ liquid\ counterpart\ before\ needing\ to\ be\ replaced.=unit$(item) incense sticks$(Can be put in 0)$(item) A bowl of incense$(0) Right-click the last one with the previous one, and then click$(Article) Flintstone$(0) will be clear. Once lit, the rod cannot be removed.$(p) The incense burner will burn a couple of liquid sixty times before it needs to be replaced. Tomato\ Clownfish=Tomat Clown Fisk Right\ Win=The Real Winner -Flatten\ Bedrock=Flatten Bedrock Verdant\ Froglight=The green light of the frog +Flatten\ Bedrock=Flatten Bedrock Dimension\:\ %s=Dimension\: %s Orange\ Glowshroom\ Brick\ Wall=Brick wall glowing orange advancements=advancements @@ -8494,8 +8494,8 @@ Dank\ Storage=Dank Storage Face=Face Royal\ Mandate=Royal Authority Derelict\ Tower=The abandoned tower -Overpowered=exceeded Mashing\ a\ bunch\ of\ blaze\ essences\ together\ yields\ a\ functional\ (if\ crude)\ decorative\ light\ block.$(p)Like\ a\ $(item)Block\ of\ Coal$(0),\ the\ $(item)Blaze\ Mesh$(0)\ can\ be\ burned\ in\ furnaces\ (or\ $(l\:generating_flowers/endoflame)$(item)Endoflames$(0)$(/l)).\ Strangely\ enough,\ when\ placed\ by\ a\ $(l\:basics/pure_daisy)$(item)Pure\ Daisy$(0)$(/l),\ it\ transforms\ into\ $(item)Obsidian$(0).=Mixing some flammable flavors will ensure functionality and will create a decorative light block.$(p) like$(Article) Carbon block$(0) That$(species) Mesh Blaze$(0) can be burned in the oven (or$(l\:flower_generators/endoflame)$(Object) end fire$(0)$(/L)). Anich$(l\: Basic/pure_dreams)$(Item) pure daisy$(0)$(/ l), converted to$(item) obsidian$(0). +Overpowered=exceeded Blacklisted\ Cities\ Biomes=Since the blacklist. city Key\ item=The main thing Arrow\ of\ Regeneration=To The Left Is The Rain @@ -8515,8 +8515,8 @@ Embur\ Step=Step Ember Rubber\ Wood\ Pressure\ Plate=Rubber pressure plate Slimy=Viscous Ether\ Chair=Ether chair -Open\ Sesame\!=Open Sesame\! Uranium\ 238\ Nugget=238. Uranium Block +Open\ Sesame\!=Open Sesame\! Smooth\ Soul\ Sandstone=Smooth Soul Sandstone Swamp\ Cypress\ Chair=chair with swamp cypress Olivine\ Dust=Olivine Dust @@ -8540,33 +8540,34 @@ Blacklisted\ Temple\ Biomes=Blacklisted Temple Biomes Cable\ Facade=Cable Facade Cartographer's\ Monocle=Cartographer's Monocle You\ Need\ a\ Mint=Do You Need A Mint -Score=The result Waxed\ Weathered\ Copper\ Button=Waxed and damaged copper buttons +Score=The result Braced\ Planks\ Top=Top support Yellow\ Stone\ Brick\ Wall=yellow stone brick wall +Expired\ profile\ public\ key.\ Check\ that\ your\ system\ time\ is\ synchronized,\ and\ try\ restarting\ your\ game.=Expired profile public key. Make sure your system is synced and try restarting the game. Japanese\ Maple\ Fence\ Gate=We have a strong door 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\!\!\! -Magic\ Protection=Protect magic Place\ Distance=Place Distance +Magic\ Protection=Protect magic Search...=Look... -Curse\ of\ Decay=A decaying curse Fishing=fish +Curse\ of\ Decay=A decaying curse Red\ Lexicon=home dictionary 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 Barley\ Crop=Harvested barley -Giant\ Moth=giant moth Steel\ Plate=Steel Plate -Moved=Moved +Giant\ Moth=giant moth Red\ Glazed\ Terracotta\ Glass=Red Glazed Terracotta Glass +Moved=Moved Arrow\ of\ Ablepsy=Autopsy arrow /hqm\ save\ [Quest\ Page]\ =/hqm save [Quest Page] Redwood\ Clearing=Redwood Clearing Terrasteel\ shines=Illuminate the shape of the earth The\ $(thing)Ritual\ of\ Gaia$(0)\ is\ a\ trial\ often\ undertaken\ by\ elves.\ It\ yields\ $(item)Gaia\ Spirits$(0),\ which\ are\ coveted\ as\ fragments\ of\ the\ power\ of\ the\ Goddess\ of\ Gaia\ herself.$(p)This\ ritual\ requires\ an\ $(thing)Active\ Beacon$(0)\ with\ $(item)Gaia\ Pylons$(0)\ surrounding\ it\ (functioning\ as\ an\ altar),\ as\ well\ as\ a\ single\ $(l\:basics/terrasteel)$(item)Terrasteel\ Ingot$(0)$(/l)\ (as\ a\ sacrifice).=this is$(sak) Ritual of Gaias$(0) The test is usually done by elves, take it out.$(Article) Gaia spirits$(0) Named as a fragment of the goddess Gaia&\#39;s own power.$(p) This ceremony requires one$(What) Activity label$(0) reads$(Item) Gaia Pylon$(0) surround it (as an altar), as well as one$(l\: Basic Steel / Tare)$(Subject) Terrasteel ingot$(0)$(/ l) (as victim). -Cartographer\ works=Qatar is working Restore\ FPS\ when\ hovered=Even when coming back -Deuterium=Deuterium +Cartographer\ works=Qatar is working Baked\ Sweet\ Potato=Roasted sweet potatoes +Deuterium=Deuterium 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. End\ Stone\ Lantern=End stone lantern Ring\ of\ Odin=Odin&\#39;s ring @@ -8577,17 +8578,17 @@ Trapdoor\ Camo\ Block=Camouflage block with hatch You\ Died\!=You Died\! Crafting\ the\ $(item)Pestle\ and\ Mortar$(0).=To create$(Item) Aluminum and mortar$(0). Spreader\ Turntable=spreader turntable -Ink\ Sac=Contribution Bag -Tank\ size=tank size 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$(). +Tank\ size=tank size +Ink\ Sac=Contribution Bag Torch\ fizzes=Side hiss 64k\ Portable\ Fluid\ Cell=64k liquid portable battery Tuff\ Circle\ Pavement=Round tuff floor Snow\ Brick\ Slab=Snow stone slab -Lemon\ Sapling=Lemon seed extract TIP\ =TIP -Elder\ Button=Sheikh button +Lemon\ Sapling=Lemon seed extract Comma\ separated\ list\ of\ blockpack\ IDs=separate song list with the blockpack ID +Elder\ Button=Sheikh button Hardness=Hardness Quick\ Waypoint=Quick Waypoint Star\ Trader=star merchant @@ -8619,9 +8620,9 @@ Incense\ is\ wincense=Is the incense incense? Makes\ the\ machine\ work\ faster=Makes the machine work faster Sakura\ Kitchen\ Cupboard=Sakura Kitchen Cupboard Sugar\ Cookie\ Man=Sugar Cake Man -Copper\ Gear=Copper Gear -Fast\ and\ Furious=Fast and full of energy Soul\ Alloy\ Pickaxe=Soul Alloy Pickaxe +Fast\ and\ Furious=Fast and full of energy +Copper\ Gear=Copper Gear You've\ met\ with\ a\ terrible\ fate,\ haven't\ you?=Have you met a terrible fate? Yellow\ Chief=The Base Of The Yellow Nothing\ changed.\ That's\ already\ the\ max\ of\ this\ bossbar=Nothing has changed. Currently, high bossbar @@ -8631,14 +8632,14 @@ Zombie\ Horse=Zombi-At A\ sword\ that\ fires\ a\ beam\ that\ damages\ mobs=The sword emits rays that harm everyone Bounce\ Multiplier=Hit Multiplier Add\ City\ Nether\ To\ Modded\ Biomes=Add the Nether Modded city to the biomes. -Off-Hand\ Item=Sleeveless clothes Stripped\ Palm\ Log=Stripped Palm Log +Off-Hand\ Item=Sleeveless clothes Brown\ Base\ Indented=Brown's Most Important Features On\ Top=above Select\ a\ Preset=Select predefined Axe\ scrapes=Axe s\u0131yr\u0131qlarla -%1$s\ was\ doomed\ to\ fall\ by\ %2$s=%1$s I was destined to fall %2$s Whether\ block\ breaking\ should\ show\ animation\ on\ all\ blocks.=Whether block breaking should show animation on all blocks. +%1$s\ was\ doomed\ to\ fall\ by\ %2$s=%1$s I was destined to fall %2$s ONLY\ WORKS\ IF\ Water\ Region\ Size\ IS\ SET\ TO\ Custom\!=ONLY WORKS IF Water Region Size IS SET TO Custom\! Flash\ Lens=tapa Small\ Light\ Gray\ Urn=Little light gray flower pots @@ -8657,8 +8658,8 @@ Soapstone\ Bricks=Soapstone Bricks Cheating\:=Cheating\: Add\ Mansion\ Oak\ To\ Modded\ Biomes=Add oak palace to modified biometrics Aspen\ Leaves=Aspen Leaves -Gray\ ME\ Glass\ Cable=Gray ME Glass Cable Rum\ Raisin\ Ice\ Cream=Lamb raisin ice cream +Gray\ ME\ Glass\ Cable=Gray ME Glass Cable Cyan\ Shimmering\ Mushroom=shiny blue mushroom Warden\ takes\ notice\ angrily=The jailer saw the voice Added\ using\ Tech\ Reborn.=Added technical rebirth. @@ -8669,8 +8670,8 @@ Destroy\ Dimensions=Dimensional destruction Right\ Aligned=Align right Chiseled\ Red\ Rock\ Brick\ Post=Post carved red brick Fall=Fall -Multicolor\ Christmas\ Lights=Colorful Christmas lights Breaking\ down\ $(item)Clay$(0)\ and\ $(item)Bricks$(0)=to diminish$(article) clay$(0) column$(article) bricks$(0) +Multicolor\ Christmas\ Lights=Colorful Christmas lights Entity\ Banners=Entity banner Gray\ Stained\ Glass\ Slab=Gray glass plate Water\ Taken\ from\ Cauldron=Water taken from the boiler @@ -8700,11 +8701,11 @@ Sakura\ Pressure\ Plate=Cherry blossom press board Corrupt\ more\ generic\ math=More generally the damage done to math Horse\ hurts=Horse-this is a very bad Cherry\ Oak\ Wood\ Slab=Cherry Oak Wood Slab -Light\ Blue\ Tree=light green tree Lingering\ Potion\ of\ Invisibility=Stayed for a drink in the Invisible +Light\ Blue\ Tree=light green tree Aquatic\ Astral\ Stew=Aquatic astral stew -(Use\ the\ Steam\ Mining\ Drill\ for\ an\ easy\ to\ get\ Silk\ Touch.)=(Use drilling to easily find some silk). Stellum\ Leggings=Stellum Leggings +(Use\ the\ Steam\ Mining\ Drill\ for\ an\ easy\ to\ get\ Silk\ Touch.)=(Use drilling to easily find some silk). Courierbird\ Spawn\ Egg=Bird courier spawns-endhog Blue\ Stone\ Brick\ Slab=Blue Stone Tile Panels Ignore\ Mounted\ Horse=Ignore driving @@ -8742,8 +8743,8 @@ Cracked\ End\ Bricks=Cracked End Bricks Small\ Pile\ of\ Manganese\ Dust=Small Pile of Manganese Dust Diamond\ Nugget=Diamond Nugget White\ Lozenge=White Tablet -Cyan\ Base\ Sinister\ Canton=Blue Base Bad Guangzhou Key\ of\ King's\ Law\ unleashed=The lock to the right of the king is released +Cyan\ Base\ Sinister\ Canton=Blue Base Bad Guangzhou Lime\ Asphalt=Lime Asphalt Farm=Farm Right\ click\ with\ an\ empty\ hand\ to=Right-click with your bare hands @@ -8755,8 +8756,8 @@ Punch\ it\ to\ collect\ wood=A lot of the meeting point of the three Quantum\ Machine\ Hull=Quantum organism Electrum\ Sword=Electrum Sword Lil\ Tater\ Excavator=Lil Tater Excavator -Ender\ Boots=Ender Boots 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 Unequipping\ or\ downgrading=Unsubscribe or downgrade @@ -8765,11 +8766,11 @@ Charred\ Nether\ Bricks=Charred Nether Bricks Pestilence=Hama View\ entry=View entry Tuff\ Brick\ Column=Tuft pole -Energy\ Reader=Energy Reader -Remove\ empty\ tabs\ after\ moving=Progress marks on tabs \u00A77\u00A7o"There\ are\ no\ mistakes,\ only\u00A7r=\u00A77\u00A7o"There are no mistakes, only\u00A7r -Pinky\ Slime\ Block=Pink Slime Block +Remove\ empty\ tabs\ after\ moving=Progress marks on tabs +Energy\ Reader=Energy Reader Warped\ Bush=Warped Bush +Pinky\ Slime\ Block=Pink Slime Block Update\ Notifications=Update notification Fir\ Leaves=Fir Leaves Fire\ Clay\ Dust=Refractory clay powder @@ -8782,8 +8783,8 @@ Steel\ Packer=Steel Packer Fats=Large Arithmetic=arithmetic Mortar\ and\ Pestle=Mortar and pestle -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 +Marked\ chunk\ %s\ in\ %s\ to\ be\ force\ loaded=He did a bit of %s in %s this is the strength of the charge ME\ Storage\ Cells=ME Storage Cells Corrupt\ simplex\ noise=Corrupted simplex noise C418\ -\ wait=C418 - wait @@ -8812,9 +8813,9 @@ Dacite\ Post=after dacite Steel\ Cutting\ Machine=Steel cutting machine Stone\ Golem=Stone to go Purpur\ Squares=Purpur Squares -Controls\ the\ brightness\ (gamma)\ of\ the\ game.=Control the brightness (gamma) of the game. -When\ this\ hits\ eighty-eight\ miles\ per\ hour...=When this reaches 130 kilometers per hour ... Wooded\ Japanese\ Maple\ Hills=Japanese maple forest +When\ this\ hits\ eighty-eight\ miles\ per\ hour...=When this reaches 130 kilometers per hour ... +Controls\ the\ brightness\ (gamma)\ of\ the\ game.=Control the brightness (gamma) of the game. Mahogany\ Pressure\ Plate=Mahogany Pressure Plate Brown\ Inverted\ Chevron=Sme\u0111a Obrnuti Chevron Azure\ Jadestone\ Brick\ Slab=Azure jade tiles @@ -8861,8 +8862,8 @@ Complete\ this\ task\ instantly?=Do you want to get this job done right away? Cooked\ Iguana\ Meat=cooked iguana meat Lapis\ Lazuli\ Tiny\ Dust=lapis lazuli powder Encountered\ malformed\ payload\ while\ sending\ your\ report.=Error uploading your report. -Be\ rewarded\ the\ Ring\ of\ Thor\ for\ a\ heroic\ feat=Reward yourself for your heroic achievements with Thors Ring. Advanced\ Fluid\ Input\ Hatch=Advanced fluid inlet flap +Be\ rewarded\ the\ Ring\ of\ Thor\ for\ a\ heroic\ feat=Reward yourself for your heroic achievements with Thors Ring. Z\ target=Z target Chocolate\ Donut=Chocolate Donut Block\ of\ Stainless\ Steel=Stainless steel block @@ -8877,8 +8878,8 @@ Mystical\ White\ Flower=Mysterious white flower The\ render\ distance\ controls\ how\ far\ away\ terrain\ will\ be\ rendered.\ Shorter\ distances\ mean\ that\ less\ terrain\ will\ be\ rendered,\ improving\ frame\ rates.=Crop spacing determines how far away the land is cultivated. Less distance means less ground area, which increases the frame rate. Is\ It\ a\ Plane?=Does this happen with the plane? The\ $(item)Ring\ of\ Dexterous\ Motion$(0)\ is\ a\ terrific\ $(thing)Trinket$(0)\ to\ dodge\ damage\ during\ duels.\ Its\ wearer\ can\ double-tap\ a\ movement\ key\ to\ hurl\ themselves\ in\ that\ direction\ and\ dodge\ incoming\ attacks/mobs.$(p)Dodging\ has\ a\ short\ cooldown,\ and\ burns\ some\ of\ its\ user's\ hunger.=This$(Item) trained movement gang$(0) fantastic$(thing) ornaments$(0) To avoid damage during the duel, users can double the sound of a move link to break free in that direction and dodge attacks / crowds.$(p) The maneuver has a slight cooling effect and burns the hunger of some users. -Holly\ Fence=Holly Fence Using\ $(l\:mana/spreader)$(item)Mana\ Spreaders$(0)$(/l)\ to\ transport\ $(thing)Mana$(0)\ is\ all\ well\ and\ good,\ but\ there\ are\ other\ ways\ of\ getting\ the\ stuff\ around\ too.$(p)The\ $(item)Mana\ Tablet$(0)\ is\ a\ portable\ item\ that\ can\ carry\ $(thing)Mana$(0)\ within\ itself.$(p)In\ addition,\ other\ items\ in\ an\ inventory\ can\ draw\ from\ it\ for\ their\ own\ use,\ making\ it\ an\ essential\ tool.=use$(l\: mana / spreader)$(item) Spargimana$(0)$(/ l) For transportation$(Product) Certainly$(0) Everything is fine. But there are other ways to solve the problem.$(p) ing$(item) mana tablet$(0) Portable portable goods$(av) Mana$(0) itself$(p) In addition, other items can be taken out of inventory for your own use, making it an indispensable tool. +Holly\ Fence=Holly Fence Floating\ Hydroangeas=floating hydrangeas Lord\ Skeleton=bone Fluid=Fluid @@ -8892,8 +8893,8 @@ The\ spawn\ rate\ for\ minecarts\ holding\ TNT\ in\ small\ shafts.=The aesthetic Are\ you\ sure?=Are you sure? Tungstensteel\ Slab=Tungstensteel Slab Standard\ Machine\ Casing=Standard Machine Casing -Asteroid\ Galaxium\ Ore=Asteroid Galaxium Ore Pink\ Bordure=Pink Border +Asteroid\ Galaxium\ Ore=Asteroid Galaxium Ore Creating\ the\ $(item)Gaia\ Spirit\ Ingot$(0).=I build$(seeds) Gaia Lock$(0). Essentia\ Vessel\ capacity=Essentia vessel capacity Stainless\ Steel\ Tiny\ Dust=Small stainless steel powder @@ -8906,14 +8907,14 @@ Globe=Svet Spreader\ is\ uncovered=Spreader exposed Downloading\ latest\ world=Download new world Get\ a\ Netherite\ Shield=Dutch find a shield -C418\ -\ ward=C418 - Ward Nether\ Brick\ Fence=Below, Brick Fence +C418\ -\ ward=C418 - Ward Metite\ Mattock=Metite Mattock E\ total\:\ %s=E total\: %s From\ Emeritus=From Emeritus Activated\ Amaranth\ Pearl=Activated amaranth pearl -Blue\ Enchanted\ door=Blue Enchanted door Wandering\ Trader=Idevice At The Dealer +Blue\ Enchanted\ door=Blue Enchanted door Auth\ Me\ Config=Auth Me Config A\ super\ crate\ box=Super box Failed\ to\ link\ carts;\ no\ chains\ in\ inventory\!=Failed to link carts; no chains in inventory\! @@ -8983,10 +8984,10 @@ CraftPresence\ -\ Select\ an\ Entity=CraftPresence - Select an Entity Sunrise=Snow sunrise Living\ Root=Living roots Size\:\ \u00A75Medium\u00A7r=Size\: \u00A75Medium\u00A7r -Saplings\ Lite=Sapling Lite Flavolite=Light flake -Obtaining\ Fool's\ Gold=Obtaining Fool's Gold +Saplings\ Lite=Sapling Lite 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 Elder\ Pressure\ Plate=Pressure plate for adults Bronze\ Rod=Bronze wand @@ -9007,8 +9008,8 @@ Cave\ Moss=Cave moss Aquarium\ Machete=as rain Unattached=not connected Pickup\ only\ items\ not\ in\ Frames=Take only items that are not on the board. -$(l)Blocks\ removed\ by\ the\ rod\ are\ non-recoverable.$()$(p)The\ terrain\ will\ adapt\ to\ the\ changes\ as\ best\ as\ it\ can\ (up\ to\ a\ distance\ limit)\ to\ avoid\ weirdly-shaped\ hills\ and\ so\ on.\ The\ flattening,\ thus,\ will\ follow\ the\ terrain's\ natural\ shape.$(p)Note\ that\ the\ rod\ will\ completely\ cease\ to\ function\ below\ sea\ level.=$(l) The stopper removed by the lever cannot be reset.$()$(p) The terrain adapts to changes as much as possible (up to the surface boundaries) to avoid strangely shaped hills and the like. Therefore, flattening follows the natural shape of the terrain.$(p) Note that the tree has stopped working completely below sea level. Sterling\ Silver\ Pickaxe=Sterling Silver Pickaxe +$(l)Blocks\ removed\ by\ the\ rod\ are\ non-recoverable.$()$(p)The\ terrain\ will\ adapt\ to\ the\ changes\ as\ best\ as\ it\ can\ (up\ to\ a\ distance\ limit)\ to\ avoid\ weirdly-shaped\ hills\ and\ so\ on.\ The\ flattening,\ thus,\ will\ follow\ the\ terrain's\ natural\ shape.$(p)Note\ that\ the\ rod\ will\ completely\ cease\ to\ function\ below\ sea\ level.=$(l) The stopper removed by the lever cannot be reset.$()$(p) The terrain adapts to changes as much as possible (up to the surface boundaries) to avoid strangely shaped hills and the like. Therefore, flattening follows the natural shape of the terrain.$(p) Note that the tree has stopped working completely below sea level. Ultimate\ energy\ storage=Ultimate energy storage Metamorphic\ Forest\ Stone\ Stairs=metamorphic stone stairs in forest Pyramid\ Snowy\ Max\ Chunk\ Distance=Snow Max Chunk Pyramid Distance @@ -9022,8 +9023,8 @@ Dacite\ Farmland=Dacite Farmland Red\ Stone\ Brick\ Stairs=Red stone brick stairs Wolf\ pants=The wolf in shorts Select\ another\ minigame?=Choose from any of the other games. -Place\ a\ TeleSender\ Rail.=Transmitter track Tooltip\ Search\ (\#)\:=Tooltip search (\#)\: +Place\ a\ TeleSender\ Rail.=Transmitter track Magenta\ Glazed\ Terracotta\ Ghost\ Block=Magenta Glazed Terracotta Ghost Block Arena\ Radius=Arena Radius Registry=Registry @@ -9072,11 +9073,11 @@ Blast\ Furnace\ Slab=Blast Furnace Slab north=north Expected\ long=Long 16k\ ME\ Fluid\ Storage\ Cell=16k ME Fluid Storage Cell -Phantom\ Purpur\ Bricks\ Stairs=Phantom Purpur&\#39;s Brick Stair Raw\ Toad=Raw frog +Phantom\ Purpur\ Bricks\ Stairs=Phantom Purpur&\#39;s Brick Stair Nightshade\ Shelf=Solanaceae goes -\ (%s\ Mod)=\ (%s Fallet) Enable\ Ender\ Pearl\ blocks=Enable Ender Pearl blocks +\ (%s\ Mod)=\ (%s Fallet) Fall\ back\ down\ to\ Earth=Fall back down to Earth Andesite\ Slab=Andesite Vestit Dust\ To\ Dust=Dust To Dust @@ -9094,8 +9095,8 @@ Elite\ Circuit=Elite Circuit Cyan\ Carpet=Modro Preprogo Eats\ food\ from\ your\ inventory\ automatically\ at\ cost\ of\ energy.=Eats food from your inventory automatically at cost of energy. Will\ of\ Verac=Viracs. will -Orange\ Sleeping\ Bag=Orange sleeping bag Vex=Vex +Orange\ Sleeping\ Bag=Orange sleeping bag Desert\ Rhino\ Spawn\ Egg=Desert Rhinoceros Eggs Ether\ Bush=Bush bush Asteroid\ Stellum\ Ore=Asteroid Stellum Ore @@ -9116,10 +9117,10 @@ Water\ Color=The color of the water Skeleton\ Key=Skeleton Key Caramel=candy MOX\ Quad\ Fuel\ Rod=Quad MOX fuel rod -C418\ -\ cat=C418 - cat -For\ incense\ lovers\ who're\ also\ automation\ junkies,\ the\ $(item)Incense\ Plate$(0)\ can\ receive\ items\ through\ $(item)Hoppers$(0)\ or\ other\ inputs.\ It'll\ output\ a\ $(item)Comparator$(0)\ signal\ of\ 1\ when\ it\ has\ a\ stick\ and\ 2\ when\ it's\ burning\ it,\ and\ if\ a\ $(thing)Mana\ Burst$(0)\ with\ a\ $(l\:mana/lens)$(item)Kindle\ Lens$(0)$(/l)\ hits\ a\ plate\ with\ an\ unlit\ stick,\ it'll\ light\ it.=For aroma lovers and automation addicts$(Item) incense plate$(0) You can receive the item$(object) funnel$(0) or any other input. Output$(Element) comparison$(0) Signal 1 when it has a stick, signal 2 when it is burning, if$(Mono) Mana outbreak$(0) and$(l\: Mana / Lens)$(Item) Kindle Lens$(0)$(/l) With a stick without a light, he presses the plate and burns it. -Snare\ Drum=dent Staying\ Warm=Staying Warm +Snare\ Drum=dent +For\ incense\ lovers\ who're\ also\ automation\ junkies,\ the\ $(item)Incense\ Plate$(0)\ can\ receive\ items\ through\ $(item)Hoppers$(0)\ or\ other\ inputs.\ It'll\ output\ a\ $(item)Comparator$(0)\ signal\ of\ 1\ when\ it\ has\ a\ stick\ and\ 2\ when\ it's\ burning\ it,\ and\ if\ a\ $(thing)Mana\ Burst$(0)\ with\ a\ $(l\:mana/lens)$(item)Kindle\ Lens$(0)$(/l)\ hits\ a\ plate\ with\ an\ unlit\ stick,\ it'll\ light\ it.=For aroma lovers and automation addicts$(Item) incense plate$(0) You can receive the item$(object) funnel$(0) or any other input. Output$(Element) comparison$(0) Signal 1 when it has a stick, signal 2 when it is burning, if$(Mono) Mana outbreak$(0) and$(l\: Mana / Lens)$(Item) Kindle Lens$(0)$(/l) With a stick without a light, he presses the plate and burns it. +C418\ -\ cat=C418 - cat The\ Next\ Generation=The Next Generation Void\ Biomes=Invalid biomass Copper\ Double\ Ingot=Double copper injection @@ -9132,11 +9133,11 @@ Rune\ of\ Wrath=Rune of Fury Shears\ carve=The scissors to cut it Deepfry=Fried Lime\ Shingles=Lime Shingles -Ancient\ Emerald\ Ice=Old emerald ice The\ $(item)Rod\ of\ the\ Unstable\ Reservoir$(0)\ is\ a\ weapon\ at\ its\ strongest\ against\ a\ large\ crowd\ of\ foes.\ When\ used,\ it'll\ materialize\ from\ $(thing)Mana$(0)\ countless\ arcane\ missiles\ that\ home\ in\ on\ targets\ at\ random.=the$(item) Tank rod unstable$(0) The best weapon against a large number of enemies. when using it,$(rud) where$(0) Countless missiles secretly hit the target in all directions. +Ancient\ Emerald\ Ice=Old emerald ice Certus\ Quartz\ Crystal=Certus Quartz Crystal -Luck=Good luck Sculk\ Sensor=Skull sensor +Luck=Good luck Potted\ Saguaro\ Cactus\ Sapling=Saguaro cactus seedlings in a pot Spaghetti\ Squash=Spaghetti squash REI\ Integration=REI Integration @@ -9148,8 +9149,8 @@ Reward\ Bag=Reward Bag Bottles=Bottles Status\ \:\ Idle=Standby mode RS\ Ruins=Ruins of RS -Cyan\ Petal\ Block=Block of blue petals Applied\ Energistics=Applied Energistics +Cyan\ Petal\ Block=Block of blue petals Carriage=carrier Invalid\ Color=Invalid Color The\ $(item)Elementium\ Helmet$(0)=Sa$(Item) Elementium helmet$(0) @@ -9163,13 +9164,13 @@ Chimneys=Chimneys Winter\ Boots=Winter boots 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 Throwable\ vines\ you\ can\ climb\ like\ ladders=Passing vines that can be climbed like a ladder +2\u00B3\ Spatial\ Component=2\u00B3 Spatial Component Childhood\ Blues=Blues as a child Lava\ Lakes=Lava Lake Waypoint\ Name\ Text\ Scale=The text ratio of the point name -Profession\ Licence=Customer License No\ Results=No Results +Profession\ Licence=Customer License Increases\ the\ Conjurer's\ spawns\ per\ cycle=Summoner Generation increases each cycle Expanded\ Storage=Expanded Storage Dependency\ Requirement=Dependency requirements @@ -9177,8 +9178,8 @@ Obtain\ the\ Gold\ Rose\ armor=get the rose gold armor World\ template=In the world pattern /config/slightguimodifications/slider(_hovered).png=/config/slightguimodifications/slider(_hovered).png Flare\ Lens=Wide lens -Hide\ Own\ Particle\ Effects=Hide particle effect Stripped\ Swamp\ Cypress\ Wood=cypress shaft +Hide\ Own\ Particle\ Effects=Hide particle effect Gave\ %s\ experience\ levels\ to\ %s=You %s level of experience %s Unclosed\ quoted\ string=Open quotation marks Skipping\ Stone=Skipping Stone @@ -9195,10 +9196,10 @@ Quantum\ Circuit=Quantum Circuits Gray\ Per\ Fess\ Inverted=Black, With A Fess On The Back Of The Redstone\ Ore=Mineral / Redstone Aluminum\ Ore=Aluminum ore -Line\ Spacing=In between Wrench\ unit\ to\ retain\ contents=Wrench unit to retain contents -Invalid\ list\ index\:\ %s=Invalid list index %s +Line\ Spacing=In between Third\ Place=Third Place +Invalid\ list\ index\:\ %s=Invalid list index %s Spawn\ eggs\ in\ seperate\ tab=Spawn eggs in seperate tab End\ Lotus\ Log=Exit Lotus Log ME\ Fluid\ Annihilation\ Plane=ME Fluid Annihilation Plane @@ -9208,14 +9209,14 @@ No\ players\ hidden\ in\ chat=There are no hidden players in the chat White\ Terracotta\ Column=White clay columns Optional=My choice Insulated\ HV\ Cable=Insulated HV Cable -Enormous=It is too big Reversed\ Trigger=Reversed Trigger +Enormous=It is too big Cypress\ Slab=Cypress Slab Almond=bill Plastic\ Drinking\ Hat=plastic cap \u00A7dSuperior\u00A7r=\u00A7dSuperior\u00A7r -Frog\ hurts=The frog is sick Umbral\ Platform=platform umbra +Frog\ hurts=The frog is sick Vibranium\ Excavator=Vibranium Excavator Stopped\ performance\ profiling\ after\ %s\ seconds\ and\ %s\ ticks\ (%s\ ticks\ per\ second)=Performance profile stops after %s seconds and %s Box (%s ticks per second) Top\ Left\ /\ Right=Top Left / Right @@ -9233,8 +9234,8 @@ Controls\ the\ maximum\ number\ of\ particles\ which\ can\ be\ present\ on\ scre Fully\ Black\ Field=completely black field Lament\ Planks=Lament board No\ entity\ was\ found=No-a can be found -Search\ Items=Elements Spawn\ Sun\ Egg=Eggs Sunar Eggs +Search\ Items=Elements Biomes\ in\ Vanilla\ Color\ Mode=Biome in vanilla color mode Basic\ Vertical\ Conveyor=Basic Vertical Conveyor [ES]\ Iron\ Barrels\ Opened=[CN] Open the Iron Ingot @@ -9247,16 +9248,16 @@ Downloading=Download Doughnut=Donuts Honey\ Pie=Honey Pie Insert\ Christmas\ Disc=install christmas cd -Diorite\ Camo\ Door=Diorite Camo Door Yucca\ Palm\ Fence\ Gate=Eucalyptus gate Palm +Diorite\ Camo\ Door=Diorite Camo Door Blueberry=blueberry Acacia\ Bookshelf=Acacia shelf Custom\ bossbar\ %s\ is\ now\ hidden=Still, as a rule, bossbar %s now that is hidden Infernal\ Generator=hell generator Potted\ White\ Mushroom=Potted White Mushroom Small\ Limestone\ Brick\ Column=Small limestone brick column -Blighted\ Balsa\ Kitchen\ Counter=Shattered balsa kitchen table Prismarine\ Wall=Prismarine Seina +Blighted\ Balsa\ Kitchen\ Counter=Shattered balsa kitchen table Nanosaber=Nanosaber Frogspawn=Spoon frog %s\ Frame\ and\ Core=%s Frame and Core @@ -9270,9 +9271,9 @@ Hide=Hide Block\ of\ Aluminum=Aluminum block Lime\ Shield=Lima Is The Shield Of The Fool's\ Gold\ Mining\ Tool=Fool's Gold Mining Tool -Pattern\ Framed\ Dreamwood=A dream of a beautiful wooden frame -Cracked\ End\ Stone\ Bricks=Cracked End Stone Bricks Ultimate\ technology=Ultimate technology +Cracked\ End\ Stone\ Bricks=Cracked End Stone Bricks +Pattern\ Framed\ Dreamwood=A dream of a beautiful wooden frame Raw\ Amber\ Root=Raw amber roots Stripped\ Green\ Enchanted\ Log=Stripped Green Enchanted Log Side=~ side @@ -9294,8 +9295,8 @@ Powder\ Snow\ Bucket=Powder snow bucket Cherry\ Coffee\ Table=Cherry wood coffee table Rune\ of\ Spring=Spring run Brown\ Petals=brown leaves -Lolipop\ Flower=Lolipop Flower Solar\ Panel\ Module=Solar Panel Module +Lolipop\ Flower=Lolipop Flower ME\ Quantum\ Ring=ME Quantum Ring Xbox\ Authentication\ Url=Xbox authentication URL You're\ currently\ not\ in\ a\ party.=You're currently not in a party. @@ -9343,8 +9344,8 @@ End\ Stone\ Brick\ Post=End Stone Brick Post Blue\ Thallasium\ Bulb\ Lantern=Thallium blue and the light from a flashlight lamp a flashlight Lust=desire Mining\ Level\:=Work speed\: -Elementium\ Chestplate=Elementium breast patch Questing\ Mode\ isn't\ enabled\ yet.\ use\ '/hqm\ quest'\ to\ enable\ it.=Questing Mode isn't enabled yet. use '/hqm quest' to enable it. +Elementium\ Chestplate=Elementium breast patch Stellum\ Ingot=Stellum Ingot Stone\ Kitchen\ Knife=stone knife F3\ +\ P\ \=\ Pause\ on\ lost\ focus=F3 + P \= pause, gubitak focus @@ -9376,17 +9377,17 @@ Potion\ of\ the\ Dolphin\ Master=Dolphin Master Potion \u00A75\u00A7oVIP+\ only=\u00A75\u00A7oVIP+ only REI\ Thread=REI Thread Orange\ Concrete\ Pillar=Orange concrete pillar -Birch\ Mansion\ Average\ Spacing=Bj\u00F6rk Mansion, Middle Space Zigzagged\ Polished\ Blackstone=Zigzagged Polished Blackstone +Birch\ Mansion\ Average\ Spacing=Bj\u00F6rk Mansion, Middle Space Smoking\ Upgrade=Smoking Upgrade -Green\ Enchanted\ Kitchen\ Counter=Very nice kitchen shelf Wooden\ Rapier=saber wood +Green\ Enchanted\ Kitchen\ Counter=Very nice kitchen shelf Floating\ Magenta\ Flower=Floating purple flowers Yam\ Jam=Sweet potato jam Compatibility=Compatibility Lament\ Leaves=Leave the moan -Fortune\ Mode\ enabled\!=Luck mode activated\! Top\ Hat=Top Hat +Fortune\ Mode\ enabled\!=Luck mode activated\! Smooth\ Stone\ Camo\ Door=Smooth Stone Camo Door Carrot=Root Bucket\ of\ End\ Fish=The ultimate fish tank @@ -9395,11 +9396,11 @@ Your\ dog\ could'nt\ took\ the\ magic\ bone=Your Dog Can&\#39;t Make Demon Bones The\ Witch\ of\ the\ Giant\ Trees=Giant tree witch Advanced\ Buffer=Advanced Buffer Yellow\ Concrete=Yellow Clothes -Silver\ Maple\ Leaves=Silver Maple Leaves -Lapis\ Lazuli\ Ore=Lapis Lazuli Lapis PM Building\ Gadgets\ Settings=Program gadget settings -Dark\ Oak\ Chest\ Boat=Dark Oak Chest Boat +Lapis\ Lazuli\ Ore=Lapis Lazuli Lapis PM +Silver\ Maple\ Leaves=Silver Maple Leaves Potion\ Effects\ Scale=Potion Effects Scale +Dark\ Oak\ Chest\ Boat=Dark Oak Chest Boat Skyris\ Drawer=Authentic stairs An\ Extra\ Seedy\ Place=Where do you add seeds? Endermite\ hurts=Endermite evil @@ -9419,11 +9420,11 @@ 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. Glimmering\ Blue\ Flower=clear blue flowers Zoglin=Zoglin -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. Wooden\ Waraxe=Waraxe wood +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. Skyris\ Kitchen\ Counter=Skyris kitchen counter -Amber\ Block=Amber Embur\ Crafting\ Table=Emblecraft table +Amber\ Block=Amber Sing=Canzona Enter\ a\ Icy\ Pyramid=Click the ice pyramid Cyan\ Stained\ Glass\ Stairs=Blue glass staircase @@ -9448,8 +9449,8 @@ Blue\ Enchanted\ Fence\ Gate=Blue Enchanted Fence Gate Reroll\ the\ enchantment\ list.=Scroll through the list of spells again. Potted\ Cypress\ Sapling=Cypress in a pot Livingwood\ Plank\ Slab=Livingwood Plank -Dark\ Prismarine\ Stairs=Dark Prismarit Stairs HH\:mm\:ss=HH\:mm\:ss +Dark\ Prismarine\ Stairs=Dark Prismarit Stairs Cavern\ Region\ Size\ Custom\ Value=Cavern Region Size Custom Value Bronze\ Helmet=Bronze Helmet Mahogany\ Table=mahogany table @@ -9472,25 +9473,25 @@ A\ small\ step\ with\ a\ post\ under\ it=A small step with a post under it Creating\ the\ $(item)Catalyst$(0)=creation$(matter) catalyst$(0) Badlands\ Well=Badlands Well Nether\ Wasteland\ Temple\ Spawnrate=Nether Wasteland Temple Spawnrate -Collect\ the\ Music\ Disc\ from\ the\ Swamp\ biome=Collection of music albums with Swamp biome Ore\ Clusters=Ore Clusters +Collect\ the\ Music\ Disc\ from\ the\ Swamp\ biome=Collection of music albums with Swamp biome Max\ Hearts\ Per\ Line=Maximum heart number per row Thick\ Lingering\ Potion=Strong, Long-Lasting Filter -Emerald\ Spawn\ Chance=An opportunity for the Emeralds to appear Enter\ a\ Oak\ Witch\ Hut=Enter the Oak Witch and House 39 +Emerald\ Spawn\ Chance=An opportunity for the Emeralds to appear Block\ of\ Raw\ Silver=Original silver bullion Vibrant\ Quartz\ Glass=Vibrant Quartz Glass Smooth\ Purpur=Smooth Purpur Stone\ Bricks\ Camo\ Door=Stone Bricks Camo Door -Chain\ Plating=Chain Plating -Frozen\ Peaks=Icy top Green\ Onion=Scallion +Frozen\ Peaks=Icy top +Chain\ Plating=Chain Plating Nether\ Data\ Model=Nether Data Model Vacuum\ Freezer=Vacuum Freezer Green\ side\ means\ both.=Green side means both. effect.\ These\ can\ still\ be\ found\ in\ REI\ when\ disabled=The effect can be found in REI even when it is turned off. -Lunum\ Dust=Lunum Dust White\ Flat\ Tent\ Top=White Flat Tent Top +Lunum\ Dust=Lunum Dust Enter\ a\ Nether\ Ruins=Enter the ruins of the Nether Average\ time=Average time Lead\ Machete=You drive the knife @@ -9519,8 +9520,8 @@ Giant\ Tree\ Taiga\ Pyramid\ Average\ Spacing=The average distance of the pyrami Something\ hurts=The person you hurt Obtaining\ Rose\ Gold=Obtaining Rose Gold Carrying\ Glove=put on gloves -Potted\ Black\ Bat\ Orchid=Potted Black Bat Orchid Right-click\ to\ open\ quest\ window=Right click to open the mission window. +Potted\ Black\ Bat\ Orchid=Potted Black Bat Orchid Guts\ Small=Small clams Scrap=Scrap Reload\ Cts=Reload Cts @@ -9542,8 +9543,8 @@ Bounce\ Lens=jump goal Get\ a\ Condenser=Get a Condenser Sort\:\ %s=Form\: %s Multiple\ rewards=Multiple rewards -Disable\ death\ chests=Disable death chests Turbo\ Item\ Output\ Hatch=And hatch tornado +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 1k\ ME\ Item\ Storage\ Cell=1k ME item storage unit @@ -9566,8 +9567,8 @@ Blackberry\ Seeds=Blackberry seeds Industrial\ Tank\ Unit=Industrial Tank Unit Irreality\ Crystal=Irreality Crystal Soul\ o'Lantern=Soul o'Lantern -Potted\ Oak=Potted Oak Xorcite\ Roots=Xorcite Roots +Potted\ Oak=Potted Oak Show\ Game\ Status=Show Game Status Allium\ Flower\ Bush=Blooming alium shrub Daffodil=Daffodil @@ -9588,12 +9589,12 @@ Floored\ Caverns=Floored Caverns 16\u00B3\ Spatial\ Storage\ Cell=16\u00B3 Spatial Storage Cell Add\ Mansion\ Taiga\ To\ Modded\ Biomes=Add Manga Taiga to the modernized biome Universal\ anger=The universal rage -Crimson\ Cutting\ Board=Crimson Cutting Board -Grants\ jump\ boost\ while\ standing\ on\ grass/dirt\ blocks.=Jump on the grass/mud block. Rainbow\ Eucalyptus\ Crafting\ Table=Rainbow Eucalyptus Crafting Table +Grants\ jump\ boost\ while\ standing\ on\ grass/dirt\ blocks.=Jump on the grass/mud block. +Crimson\ Cutting\ Board=Crimson Cutting Board Liberapay=Alipay -Hex\ Code\:=Hex Code\: Updated\ the\ name\ of\ team\ %s=Update by the name of the computer %s +Hex\ Code\:=Hex Code\: One\ Started=started alone All\ filters\ must\ match=Each filter must match. Nether\ Wart\ Stew=Nether wart stew @@ -9602,16 +9603,16 @@ Shulkren\ Fungus=Shlekrin sponge \u00A7cYour\ return\ portal\ has\ been\ destroyed.=\u00A7cYour reimbursement threshold has been removed. %s\ LF/tick=%s LF/tick Chapter\ Group=Chapter group -Megalake=Large -As\ a\ bonus,\ viewing\ redstone\ components\ with\ the\ $(item)Manaseer\ Monocle$(0)\ will\ display\ information\ about\ them,\ expediting\ the\ construction\ of\ redstone\ contraptions.$(p)The\ monocle\ can\ be\ used\ as\ a\ $(thing)Cosmetic\ Override$(0)\ to\ any\ other\ $(thing)Trinket$(0);\ when\ so\ applied,\ it\ keeps\ all\ its\ functionality,\ allowing\ it\ to\ be\ used\ without\ taking\ up\ a\ slot.=As a bonus, visualization of red parts can be included$(object) Monocle Manasir$(0) Display information about them. This accelerates the formation of red rock structures.$(p) Binoculars can be used\:$(Things) Replace cosmetics$(0) with any other$(things) insignificant things$(0); When performed in this way All functions are preserved so they can be used without creating a channel. Redwood\ Drawer=Redwood Drawer +As\ a\ bonus,\ viewing\ redstone\ components\ with\ the\ $(item)Manaseer\ Monocle$(0)\ will\ display\ information\ about\ them,\ expediting\ the\ construction\ of\ redstone\ contraptions.$(p)The\ monocle\ can\ be\ used\ as\ a\ $(thing)Cosmetic\ Override$(0)\ to\ any\ other\ $(thing)Trinket$(0);\ when\ so\ applied,\ it\ keeps\ all\ its\ functionality,\ allowing\ it\ to\ be\ used\ without\ taking\ up\ a\ slot.=As a bonus, visualization of red parts can be included$(object) Monocle Manasir$(0) Display information about them. This accelerates the formation of red rock structures.$(p) Binoculars can be used\:$(Things) Replace cosmetics$(0) with any other$(things) insignificant things$(0); When performed in this way All functions are preserved so they can be used without creating a channel. +Megalake=Large Basic\ Capacitor=Basic Capacitor Prompt\ on\ Links=The invitation for links Skyris\ Trapdoor=Skyris Trapdoor Save\ &\ Exit=save and close XXIV=24 -Size=size XXIX=twenty-nine +Size=size XXII=twenty trailer More\ options=For more options Block\ of\ Raw\ Gold=rough gold block @@ -9628,8 +9629,8 @@ Black\ Mystical\ Flower=A gorgeous black flower Light\ Gray\ Lawn\ Chair=Light Gray Lawn Chair Sulfur\ Quartz=Sulfur quartz Quest\ expiration=Task has expired -Fatigue\ Poppet=Fatigue fungus Item\ auto-insertion\ disabled=The insertion element is deactivated automatically +Fatigue\ Poppet=Fatigue fungus Invar\ Ring=Invar Ring Alexandrite\ Scythe=wrong Alexandrite Silver\ Plate=Silver Plate @@ -9639,8 +9640,8 @@ Copy\ of\ original=A copy of the original Brown\ Iron\ Bulb\ Lantern=Brown iron bulb lamp Leather\ Boots=Leather boots Soul\ Crate=Da da da da da da da da da da da da da da da da da da da da da da da da da da da da da da da da -Lettuce=Lettuce Unable\ to\ save\ structure\ '%s'=No management structure '%s' +Lettuce=Lettuce Deprecated=Has passed Container\ type=Container type Structure\ not\ built\!=This is not built to work. @@ -9672,14 +9673,14 @@ Advance\ time\ of\ day=Advance time of day Philosopher's\ Stone=Miracle stone Display\ Armor\ Info=View booking information MidnightLib\ Config=Configuring MidnightLib -Game\ rule\ name=Name the game rules Lime\ Creeper\ Charge=Of The Lime, The Vine-Free +Game\ rule\ name=Name the game rules Embur\ Planks=Cube board Gray\ Pale\ Dexter=Bled Siba Dexter Bronze\ Wrench=Bronze Wrench Utility\ Settings=instrument settings -Orange\ Terracotta\ Camo\ Trapdoor=Orange Terracotta Camo Trapdoor Your\ account\ is\ temporarily\ suspended\ from\ online\ play=Your account has been suspended from online play. +Orange\ Terracotta\ Camo\ Trapdoor=Orange Terracotta Camo Trapdoor Mana\ Affinity=Mana Affinity Target\ does\ not\ have\ this\ tag=The purpose of tags Blue\ Inverted\ Chevron=A Blue Inverted Chevron @@ -9695,9 +9696,9 @@ Enable\ Luminous\ Grove\ Biome=Activate the bright global biome Custom\ value\ for\ water\ region\ size.\ Smaller\ value\ \=\ larger\ regions.=Custom value for water region size. Smaller value \= larger regions. Strike\ my\ Soul=It touches my soul Thallasium\ Pickaxe=Select hall -Aerial\ Affinity=Aerial proximity -Inductor=Inductor When\ Inactive=When Inactive +Inductor=Inductor +Aerial\ Affinity=Aerial proximity Rain\ falls=The rain is falling Increases\ speed\ at\ the\ cost\ of\ more\ energy=Increases speed at the cost of more energy Language=Language @@ -9726,8 +9727,8 @@ Granite\ Brick\ Stairs=Granite Brick Stairs Increases\ mining\ speed\ of\ the\ tool.=Improve the mining speed of the tool. White\ Stained\ Glass\ Pane=White Stained Glass Inventory\ Highlighting\ Enabled\:=Enable the Inventory Card\: -If\ enabled,\ rendering\ will\ never\ wait\ for\ chunk\ updates\ to\ finish,\ even\ if\ they\ are\ important.\ This\ can\ greatly\ improve\ frame\ rates\ in\ some\ scenarios,\ but\ it\ may\ create\ significant\ visual\ lag\ in\ the\ world.=When enabled, rendering does not wait for snippet updates to complete, even if it is critical. This can increase frame rates in some scenarios, but it can also cause significant visual lag in the world. Client\ incompatible\!=The client isn't in accordance\! +If\ enabled,\ rendering\ will\ never\ wait\ for\ chunk\ updates\ to\ finish,\ even\ if\ they\ are\ important.\ This\ can\ greatly\ improve\ frame\ rates\ in\ some\ scenarios,\ but\ it\ may\ create\ significant\ visual\ lag\ in\ the\ world.=When enabled, rendering does not wait for snippet updates to complete, even if it is critical. This can increase frame rates in some scenarios, but it can also cause significant visual lag in the world. Pink\ Topped\ Tent\ Pole=Pink Topped Tent Pole Moss\ Carpet=Moss carpet Craft\ a\ Portable\ Cell=Craft a Portable Cell @@ -9765,9 +9766,9 @@ XXX=Xxx Ash\ Block=Ash block Fluid\ Input=Add rights With\ Crystal\ Growth\ Accelerators\:=To accelerate the growth of crystals -Ether\ Button=Air button -Nether\ Quartz\ Seed=Nether Quartz Seed Raw\ Titanium=Raw Titanium +Nether\ Quartz\ Seed=Nether Quartz Seed +Ether\ Button=Air button Advanced\ Mana\ Lenses\ with\ new\ abilities=Advanced mana lens with new features Wearing\ the\ full\ set\ of\ $(item)Manaweave\ Robes$(0)\ also\ grants\ the\ wearer\ an\ increased\ proficiency\ with\ magical\ rods,\ increasing\ their\ powers\ and/or\ ranges.$(p)$(item)Manaweave\ Robes$(0)\ can\ use\ $(thing)Mana$(0)\ from\ one's\ inventory\ to\ repair\ themselves,\ similarly\ to\ $(item)Manasteel\ Armor$(0),\ but\ at\ a\ lower\ $(thing)Mana$(0)\ cost.=take together$(item) Manaweave coat$(0) Gives the user higher abilities using the magic wand, which increases his power and/or range.$(P)$(item) Mageweave Cloak$(0) Use$(Stuff) mana$(0) Improve yourself in your inventory$(item) malleable steel armor$(0), but below$(Staff) Mana$(0) cost. Circuit\ Maker=Circuit Maker @@ -9783,9 +9784,9 @@ Not\ Closing\ The\ Menu\ When\ Hopping\ To\ A\ Waypoint\ (left-clicking\ in\ the Spell\ Modifier\ (Does\ Nothing)=Spell changer (do nothing) Craft\ a\ Manastorm\ Charge,\ ignite\ it\ on\ a\ far\ away\ place=Create a Manastorm payload and enable it remotely Sap\ Ball=Sap ball -Aluminum\ Item\ Pipe=Aluminum pipe -Pine\ Crafting\ Table=Pine Crafting Table Tenanea\ Composter=CD Tenanea +Pine\ Crafting\ Table=Pine Crafting Table +Aluminum\ Item\ Pipe=Aluminum pipe Water\ Breathing\ and\ Dolphin's\ Grace.=Dolphin luxury spirit and water. Purity=purity; Render\ compass\ letters\ (N,\ E,\ S,\ W)\ over\ the\ on-map\ waypoints.=Render compass letters (N, E, S, W) over the on-map waypoints. @@ -9802,8 +9803,8 @@ XXVI=Twenty-six Web\ Links=Links Wrench\ used=Used keys \u00A7oSnowball...?=\u00A7osnowball ...? -Soul\ Funnel=Schalstrat Terra\ Truncator=earth cutter +Soul\ Funnel=Schalstrat Dark\ Amaranth\ Vertical\ Slab=Dark Amaranth Vertical Slab Fabric\ Furnaces=Fabric Furnaces Book\ and\ Quill=Paper and pencil @@ -9821,13 +9822,13 @@ Craft\ a\ Storage\ Bus=Craft a Storage Bus Terminite\ Sword\ Blade=Ultimate Blade Failed\ to\ dump\ JFR\ recording\:\ %s=Failed to download the JFR log. %s Black\ Sword=Black sword -Light\ Blue\ Terracotta=Light Blue, And Terra Cotta Charred\ Wooden\ Slab=Charred Wooden Slab +Light\ Blue\ Terracotta=Light Blue, And Terra Cotta Frequency\ Transmitter=Frequency Transmitter Power\ spawners\ with\ Mana,\ even\ with\ no\ one\ around=Create a mana generator even if no one is around -Andisol\ Farmland=Andy Sol Farmland -Hardcore\ Questing\ Mode=Hardcore Questing Mode 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 +Andisol\ Farmland=Andy Sol Farmland Evoker\ hurts=The figures of evil A\ powerful\ beast\ awaits\ you=The great beast is waiting for you Plutonium\ Battery=plutonium battery @@ -9887,8 +9888,8 @@ Light\ Blue\ Asphalt=Light Blue Asphalt Entities\ which\ should\ still\ receive\ I-Frames\ (configure\ in\ JSON)=The company must have an i-frame (formatted in JSON format) Lime\ Paint\ Ball=Lime Paint Ball No\ one\ has\ died\ this\ way,\ yet.=No one has died this way, yet. -A\ handy\ place\ for\ everyday\ items=A handy place for everyday items Blue\ Enchanted\ Crafting\ Table=Blue Enchanted Crafting Table +A\ handy\ place\ for\ everyday\ items=A handy place for everyday items Netherite\ Waraxe=Dutch Tomahawk Bunny's\ Hop=Hop bunny %s\ -\ %sx\ %s=%s - %sx %s @@ -9900,8 +9901,8 @@ Lingering\ Potion\ of\ Ablepsy=A long-acting dose of Ablepsy Hardcore\ worlds\ can't\ be\ uploaded\!=Hardcore worlds, you can download. Primary\ Power=Key Performance Indicator Stripped\ Bulbis\ Stem=Bill Biscan -Nitro\ Diesel=Nitro Diesel 5x5\ (Normal)=5x5 (Normalno) +Nitro\ Diesel=Nitro Diesel %s's\ Head=%s"in my head Polar\ Bear\ Spawn\ Egg=Polar Bear ?????????? Caviar Blighted\ Cobblestone\ Slab=Cobblestone slabs @@ -9911,17 +9912,17 @@ Strip\ Extra\ Gui\ Elements=Remove too many channels Polished\ Diorite\ Camo\ Trapdoor=Polished Diorite Camo Trapdoor Format\ Words=Format Words Zoglin\ growls=Life Zoglin -Do\ you\ really\ want\ to\ load\ this\ world?=Want to download the world is it? Shrub\ Generation=Shrub Generation +Do\ you\ really\ want\ to\ load\ this\ world?=Want to download the world is it? Nothing\ changed.\ That\ IP\ is\ already\ banned=Nothing has changed. The IP is already banned Hovering\ Hourglass=liquid hourglass Continue\ Editing=Fix it now Level\ Cost\ per\ Reroll=Cost per roll -Block\ of\ Blaze\ Quartz=Please block quartz Sticky\ Dynamite=explosives are thick +Block\ of\ Blaze\ Quartz=Please block quartz Titanium\ Gear=Titanium tools -Swaggiest\ Slab\ Ever=Most printed edition You\ cannot\ trigger\ this\ objective\ yet=No, no, no, you can run this mission +Swaggiest\ Slab\ Ever=Most printed edition Permanently\ invisible=Permanently invisible 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. Update\ fire=Update On The Fire @@ -9949,8 +9950,8 @@ A\ machine\ which\ consumes\ $(thing)energy$()\ to\ pick\ up\ $(thing)fluids$()\ Potion\ of\ Adrenaline=Drink adrenaline 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. Shulker\ lurks=Shulker show -Evergreen\ Clearing=Evergreen Clearing Slime\ Chunks=Slime Chunks +Evergreen\ Clearing=Evergreen Clearing Learn\ about\ the\ challenges=Identify the challenges Entity\ Colors=Entity color Birch\ Planks\ Camo\ Door=Birch Planks Camo Door @@ -9960,8 +9961,8 @@ 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 Bucket\ of\ Cubozoa=Ember Kobuzawa -Removed\ custom\ bossbar\ %s=Removed custom bossb\u00F3l %s The\ $(item)Rune\ of\ Spring$(0).=The$(item) Rune of Spring$(0). +Removed\ custom\ bossbar\ %s=Removed custom bossb\u00F3l %s Not\ a\ valid\ value\!\ (Blue)=Ni veljavna vrednost. (Modra) Mahogany\ Post=Mahogany post Targets\ Hit=The Goal Here @@ -9971,16 +9972,16 @@ White\ Field\ Masoned=The White Field Masoned Gingerbread\ House=gingerbread house Old\ graphics\ card\ detected;\ this\ WILL\ prevent\ you\ from=The old graphics card detected; this prevents the Requires\ all=Requires all -Soul\ Sand\ Valley=Spirit Of The Sand, Tungsten\ Shovel=Tungsten Shovel +Soul\ Sand\ Valley=Spirit Of The Sand, Finished\ Scanning\!=Finished Scanning\! Basic\ AIOTs=Basic all-in-one Hide\ in\ Chat=Hide from chat -Jungle\ Edge=On the edge, in the woods, Magenta\ Tent\ Top=Magenta Tent Top -Hard\ Hat=Hard Hat -Smokey\ Quartz\ Slab=fumigated quartz slabs +Jungle\ Edge=On the edge, in the woods, White\ Stained\ Glass\ Stairs=White glass staircase +Smokey\ Quartz\ Slab=fumigated quartz slabs +Hard\ Hat=Hard Hat %s\ has\ %s\ %s=%s it is %s %s Cracked\ Stone\ Bricks\ Ghost\ Block=Cracked Stone Bricks Ghost Block Cartographer=Cartographer @@ -9991,8 +9992,8 @@ Shingles\ Slab=Shingles Slab Stop\ tracking\ all\ computers'\ events\ and\ execution\ times=Stop tracking all computers' events and execution times Pink\ Colored\ Tiles=pink box Breed\ all\ the\ animals\!=The race of all the animals\! -Take\ Aim=The purpose of Tube\ Prismarine=Prismarine tube +Take\ Aim=The purpose of Secondary\ Processing\ Result=Secondary treatment outcome Enable\ Heal\ spell.=Activate Healing Spell Mystical\ Items=mystery @@ -10013,8 +10014,8 @@ Red\ Pickaxe=red shovel Prismarine\ Hammer=Prismarine Hammer Atlas=Atlas Fluid\ Type\:=Fluid Type\: -%1$s\ withered\ away\ whilst\ fighting\ %2$s=%1$s died in battle %2$s Pink\ Concrete\ Ghost\ Block=Pink Concrete Ghost Block +%1$s\ withered\ away\ whilst\ fighting\ %2$s=%1$s died in battle %2$s Glow\ Squid\ shoots\ ink=From squid ink are dry branches; Atlan=Atlas Reset\ Icon=To Restore The Icon @@ -10040,8 +10041,8 @@ Lacugrove\ Trapdoor=Raku Grove hatch Cabbage\ Seeds=Cabbage seeds Mana\ Pump=where is the pump? Red\ Rock\ Stairs=Red Rock Stairs -Flopper=The dough Axolotl\ chirps=Tweet from Axolotll +Flopper=The dough Zelkova\ Log=Zelkova Log Golden\ Chestplate=Golden Bib Blue\ Enchanted\ Planks=Blue Enchanted Planks @@ -10054,12 +10055,12 @@ Fiery\ Excavator=Fiery Excavator Black\ Topped\ Tent\ Pole=Black Topped Tent Pole Prismarine\ Post=Prismarine Post Pumpkin\ Chest=Pumpkin Chest -Expected\ a\ block\ position=The inevitable doom of the predicted block for the installation of the The\ $(item)Red\ Stringed\ Nutrifier$(0)\ can\ be\ bound\ to\ any\ block\ that\ accepts\ $(item)Bone\ Meal$(0).\ Using\ $(item)Bone\ Meal$(0)\ on\ the\ Nutrifier\ will\ fertilize\ its\ bound\ block\ instead.=His ~$(Article) Nutrition with red thread$(0) can be linked to any acceptable block$(item) Food with bones$(0). use$(Item) Meal with bones$(0) The Nutrifier is attached to its own fertilizer block. +Expected\ a\ block\ position=The inevitable doom of the predicted block for the installation of the Still\ apply\ I-Frames\ to\ mobs=This always applies to I-Frames meetings Someone\ is\ shaming,\ attacking,\ or\ bullying\ you\ or\ someone\ else.\ This\ includes\ when\ someone\ is\ repeatedly\ trying\ to\ contact\ you\ or\ someone\ else\ without\ consent\ or\ posting\ private\ personal\ information\ about\ you\ or\ someone\ else\ without\ consent\ ("doxing").=Someone embarrasses you or someone else; Attack or harass. This includes someone repeatedly attempting to contact you or others without your permission, or repeatedly posting personal information about others without your consent. -Glow\ Chalk\ Mark=glow chalk label Tall\ Crimson\ Forest=Tall Crimson Forest +Glow\ Chalk\ Mark=glow chalk label Key\ of\ King's\ Law\ activated=Kingly key activation Revoked\ %s\ advancements\ from\ %s\ players=Downloaded from %s d' %s player Blue\ Snout=The Blue On The Front @@ -18496,6 +18497,7 @@ Copper\ AIOT=Copper AIOT 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 +Chat\ disabled\ due\ to\ expired\ profile\ public\ key.\ Please\ try\ reconnecting.=The conversation has been deleted because the public key to the catalog has expired. Please try to reconnect. Set\ spawn\ point\ to\ %s,\ %s,\ %s\ [%s]\ in\ %s\ for\ %s\ players=Set your birth point to %s, %s, %s [%s] are from %s for %s player \u00A79\ to\ unlock.=\u00A79turn on. Download\ done=Download @@ -20396,7 +20398,7 @@ Virus\ infects=virus infection Monster\ Hunter=Monster Hunter Crafting\ Co-Processing\ Unit=Crafting Co-Processing Unit Cherry\ Boat=Cherry Boat -Allay=Alay +Allay=Allahu akbar Acquiring\ Xbox\ access\ token...=Get an Xbox Access Badge ... Lemon\ Crop=growing lemons Rabbit\ hurts=Rabbit damage @@ -23236,7 +23238,7 @@ Skeleton\ dies=The skeleton dies Potted\ Pink\ Tulip=The Flowers Of Pink Tulips Catch\ an\ Axolotl\ in\ a\ Bucket=Put the oxolotl in the bucket The\ color\ or\ texture\ to\ be\ used\ when\ rendering\ CraftPresence\ Button\ backgrounds=The color or texture used when rendering the CraftPresence button background -There\ is\ no\ template\ pool\ with\ type\ "%s"=There is no template group of type "".%s" +There\ is\ no\ template\ pool\ with\ type\ "%s"=A template pool of type "".%s" does not exist. 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 Craft\ a\ dirty\ sti-\ er...\ Rod\ of\ the\ Lands=Make a dirty stick ... dirt stick diff --git a/src/client/resources/fabric.mod.json b/src/main/resources/fabric.mod.json similarity index 82% rename from src/client/resources/fabric.mod.json rename to src/main/resources/fabric.mod.json index 63333eb..4bc9c2d 100644 --- a/src/client/resources/fabric.mod.json +++ b/src/main/resources/fabric.mod.json @@ -23,16 +23,13 @@ "depends": { "fabricloader": ">=0.12.12", "minecraft": "*", - "libjf-config-v0": ">=2.7.0", - "libjf-translate-v1": ">=2.7.0" + "libjf-config-core-v1": ">=3.0.3", + "libjf-translate-v1": ">=3.0.3" }, "custom": { "modupdater": { "strategy": "curseforge", "projectID": 394823 - }, - "libjf:config": { - "referencedConfigs": ["libjf-translate-v1"] } } }