From 58b0f38e24f7fdfcc66a8ea59228ba896b19c448 Mon Sep 17 00:00:00 2001 From: MEEPofFaith <54301439+MEEPofFaith@users.noreply.github.com> Date: Mon, 2 Dec 2024 02:39:02 -0800 Subject: [PATCH 01/21] formatIcons --- core/src/mindustry/core/UI.java | 45 +++++++++++++++++++++++++++++++++ 1 file changed, 45 insertions(+) diff --git a/core/src/mindustry/core/UI.java b/core/src/mindustry/core/UI.java index 1eb38240d119..9e8c7448c48c 100644 --- a/core/src/mindustry/core/UI.java +++ b/core/src/mindustry/core/UI.java @@ -35,6 +35,8 @@ public class UI implements ApplicationListener, Loadable{ public static String billions, millions, thousands; + public static StringBuilder buffer = new StringBuilder(); + public static PixmapPacker packer; public MenuFragment menufrag; @@ -682,6 +684,49 @@ public void hideFollowUpMenu(int menuId) { followUpMenus.remove(menuId).hide(); } + /** + * Finds all :name: in a string an replaces them with the icon, if such exists. + * Based on TextFormatter::simpleFormat + */ + public static String formatIcons(String s){ + buffer.setLength(0); + boolean changed = false; + int indexStart = -1; + int length = s.length(); + + for(int i = 0; i < length; i++){ + char ch = s.charAt(i); + if(indexStart < 0){ + if(ch == ':'){ + if(i + 1 < length && s.charAt(i + 1) == ':'){ + buffer.append(ch); + i++; + }else{ + indexStart = i; + } + }else{ + buffer.append(ch); + } + }else{ + if(ch == ' '){ + buffer.append(s, indexStart, i + 1); + indexStart = -1; + }else if(ch == ':'){ + String content = s.substring(indexStart + 1, i); + buffer.append(Fonts.getUnicodeStr(content)); + indexStart = -1; + changed = true; + } + } + } + + if(indexStart >= 0){ + buffer.append(s, indexStart, length); + } + + return changed ? buffer.toString() : s; + } + /** Formats time with hours:minutes:seconds. */ public static String formatTime(float ticks){ int seconds = (int)(ticks / 60); From 007d5fcdd204e23fdf3a5ce5750a66bd73a8caa1 Mon Sep 17 00:00:00 2001 From: MEEPofFaith <54301439+MEEPofFaith@users.noreply.github.com> Date: Mon, 2 Dec 2024 02:45:59 -0800 Subject: [PATCH 02/21] Smarter end check I think it's smarter? --- core/src/mindustry/core/UI.java | 16 +++++++++------- 1 file changed, 9 insertions(+), 7 deletions(-) diff --git a/core/src/mindustry/core/UI.java b/core/src/mindustry/core/UI.java index 9e8c7448c48c..598156cb333c 100644 --- a/core/src/mindustry/core/UI.java +++ b/core/src/mindustry/core/UI.java @@ -708,14 +708,16 @@ public static String formatIcons(String s){ buffer.append(ch); } }else{ - if(ch == ' '){ - buffer.append(s, indexStart, i + 1); - indexStart = -1; - }else if(ch == ':'){ + if(ch == ':'){ String content = s.substring(indexStart + 1, i); - buffer.append(Fonts.getUnicodeStr(content)); - indexStart = -1; - changed = true; + if(Fonts.hasUnicodeStr(content)){ + buffer.append(Fonts.getUnicodeStr(content)); + changed = true; + indexStart = -1; + }else{ + buffer.append(content); + indexStart = i; + } } } } From 1ad14990e2ee1777a40a9bb1291eeb78c3dd9d67 Mon Sep 17 00:00:00 2001 From: MEEPofFaith <54301439+MEEPofFaith@users.noreply.github.com> Date: Mon, 2 Dec 2024 02:46:24 -0800 Subject: [PATCH 03/21] unecessary --- core/src/mindustry/core/UI.java | 20 +++++++++----------- 1 file changed, 9 insertions(+), 11 deletions(-) diff --git a/core/src/mindustry/core/UI.java b/core/src/mindustry/core/UI.java index 598156cb333c..be78150d1e76 100644 --- a/core/src/mindustry/core/UI.java +++ b/core/src/mindustry/core/UI.java @@ -707,17 +707,15 @@ public static String formatIcons(String s){ }else{ buffer.append(ch); } - }else{ - if(ch == ':'){ - String content = s.substring(indexStart + 1, i); - if(Fonts.hasUnicodeStr(content)){ - buffer.append(Fonts.getUnicodeStr(content)); - changed = true; - indexStart = -1; - }else{ - buffer.append(content); - indexStart = i; - } + }else if(ch == ':'){ + String content = s.substring(indexStart + 1, i); + if(Fonts.hasUnicodeStr(content)){ + buffer.append(Fonts.getUnicodeStr(content)); + changed = true; + indexStart = -1; + }else{ + buffer.append(content); + indexStart = i; } } } From 97d1e906a75ea716e5a4caae3ffe3413a239df34 Mon Sep 17 00:00:00 2001 From: MEEPofFaith <54301439+MEEPofFaith@users.noreply.github.com> Date: Mon, 2 Dec 2024 02:49:37 -0800 Subject: [PATCH 04/21] oop --- core/src/mindustry/core/UI.java | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/core/src/mindustry/core/UI.java b/core/src/mindustry/core/UI.java index be78150d1e76..cb295f5c641f 100644 --- a/core/src/mindustry/core/UI.java +++ b/core/src/mindustry/core/UI.java @@ -685,7 +685,7 @@ public void hideFollowUpMenu(int menuId) { } /** - * Finds all :name: in a string an replaces them with the icon, if such exists. + * Finds all :name: in a string and replaces them with the icon, if such exists. * Based on TextFormatter::simpleFormat */ public static String formatIcons(String s){ @@ -714,7 +714,7 @@ public static String formatIcons(String s){ changed = true; indexStart = -1; }else{ - buffer.append(content); + buffer.append(":").append(content); indexStart = i; } } From 2ba3b2521de58a670b69ddb2d5e68f2d4ff1f80d Mon Sep 17 00:00:00 2001 From: MEEPofFaith <54301439+MEEPofFaith@users.noreply.github.com> Date: Mon, 2 Dec 2024 02:51:45 -0800 Subject: [PATCH 05/21] Update UI.java --- core/src/mindustry/core/UI.java | 13 +++++++------ 1 file changed, 7 insertions(+), 6 deletions(-) diff --git a/core/src/mindustry/core/UI.java b/core/src/mindustry/core/UI.java index cb295f5c641f..75de226c9e1c 100644 --- a/core/src/mindustry/core/UI.java +++ b/core/src/mindustry/core/UI.java @@ -698,16 +698,17 @@ public static String formatIcons(String s){ char ch = s.charAt(i); if(indexStart < 0){ if(ch == ':'){ - if(i + 1 < length && s.charAt(i + 1) == ':'){ - buffer.append(ch); - i++; - }else{ - indexStart = i; - } + indexStart = i; }else{ buffer.append(ch); } }else if(ch == ':'){ + if(i == indexStart + 1){ + buffer.append(":"); + indexStart = -1; + continue; + } + String content = s.substring(indexStart + 1, i); if(Fonts.hasUnicodeStr(content)){ buffer.append(Fonts.getUnicodeStr(content)); From ecaebe0c3f3b3b2ece7998231eed8dac361b7791 Mon Sep 17 00:00:00 2001 From: MEEPofFaith <54301439+MEEPofFaith@users.noreply.github.com> Date: Mon, 2 Dec 2024 03:50:36 -0800 Subject: [PATCH 06/21] Just don't check for adjacent colons. The hasUnicodeStr already checks for validity --- core/src/mindustry/core/UI.java | 6 ------ 1 file changed, 6 deletions(-) diff --git a/core/src/mindustry/core/UI.java b/core/src/mindustry/core/UI.java index 75de226c9e1c..6de2c6856f14 100644 --- a/core/src/mindustry/core/UI.java +++ b/core/src/mindustry/core/UI.java @@ -703,12 +703,6 @@ public static String formatIcons(String s){ buffer.append(ch); } }else if(ch == ':'){ - if(i == indexStart + 1){ - buffer.append(":"); - indexStart = -1; - continue; - } - String content = s.substring(indexStart + 1, i); if(Fonts.hasUnicodeStr(content)){ buffer.append(Fonts.getUnicodeStr(content)); From ac660fcd9f6d7098d4c9064c01f1d364417ac814 Mon Sep 17 00:00:00 2001 From: MEEPofFaith <54301439+MEEPofFaith@users.noreply.github.com> Date: Mon, 2 Dec 2024 12:35:00 -0800 Subject: [PATCH 07/21] Copy from I18NBundle --- core/src/mindustry/Vars.java | 5 +- core/src/mindustry/ui/MBundle.java | 174 +++++++++++++++++++++++++++++ 2 files changed, 177 insertions(+), 2 deletions(-) create mode 100644 core/src/mindustry/ui/MBundle.java diff --git a/core/src/mindustry/Vars.java b/core/src/mindustry/Vars.java index c17d5a2ec64a..6ed9c23a5a20 100644 --- a/core/src/mindustry/Vars.java +++ b/core/src/mindustry/Vars.java @@ -26,6 +26,7 @@ import mindustry.mod.*; import mindustry.net.*; import mindustry.service.*; +import mindustry.ui.*; import mindustry.ui.dialogs.*; import mindustry.world.*; import mindustry.world.blocks.storage.*; @@ -462,7 +463,7 @@ public static void loadSettings(){ Fi handle = Core.files.local("bundle"); Locale locale = Locale.ENGLISH; - Core.bundle = I18NBundle.createBundle(handle, locale); + Core.bundle = MBundle.createBundle(handle, locale); Log.info("NOTE: external translation bundle has been loaded."); @@ -490,7 +491,7 @@ public static void loadSettings(){ } Locale.setDefault(locale); - Core.bundle = I18NBundle.createBundle(handle, locale); + Core.bundle = MBundle.createBundle(handle, locale); //router if(locale.toString().equals("router")){ diff --git a/core/src/mindustry/ui/MBundle.java b/core/src/mindustry/ui/MBundle.java new file mode 100644 index 000000000000..578703f02f46 --- /dev/null +++ b/core/src/mindustry/ui/MBundle.java @@ -0,0 +1,174 @@ +package mindustry.ui; + +import arc.files.*; +import arc.struct.*; +import arc.util.*; +import arc.util.io.*; + +import java.io.*; +import java.util.*; + +public class MBundle extends I18NBundle{ + private static final Locale ROOT_LOCALE = new Locale("", "", ""); + + public static MBundle createEmptyBundle(){ + MBundle bundle = new MBundle(); + Reflect.set(I18NBundle.class, bundle, "locale", ROOT_LOCALE); + ObjectMap properties = new ObjectMap<>(); + Reflect.set(I18NBundle.class, bundle, "properties", properties); + return bundle; + } + + public static MBundle createBundle(Fi baseFileHandle){ + return createBundleImpl(baseFileHandle, Locale.getDefault(), "UTF-8"); + } + + public static MBundle createBundle(Fi baseFileHandle, Locale locale){ + return createBundleImpl(baseFileHandle, locale, "UTF-8"); + } + + public static MBundle createBundle(Fi baseFileHandle, String encoding){ + return createBundleImpl(baseFileHandle, Locale.getDefault(), encoding); + } + + public static MBundle createBundle(Fi baseFileHandle, Locale locale, String encoding){ + return createBundleImpl(baseFileHandle, locale, encoding); + } + + private static MBundle createBundleImpl(Fi baseFileHandle, Locale locale, String encoding){ + if(baseFileHandle != null && locale != null && encoding != null){ + MBundle baseBundle = null; + Locale targetLocale = locale; + + MBundle bundle; + do{ + Seq candidateLocales = getCandidateLocales(targetLocale); + bundle = loadBundleChain(baseFileHandle, encoding, candidateLocales, 0, baseBundle); + if(bundle != null){ + Locale bundleLocale = bundle.locale; + boolean isBaseBundle = bundleLocale.equals(ROOT_LOCALE); + if(!isBaseBundle || bundleLocale.equals(locale) || candidateLocales.size == 1 && bundleLocale.equals(candidateLocales.get(0))){ + break; + } + + if(baseBundle == null){ + baseBundle = bundle; + } + } + + targetLocale = getFallbackLocale(targetLocale); + }while(targetLocale != null); + + if(bundle == null){ + if(baseBundle == null){ + throw new MissingResourceException("Can't find bundle for base file handle " + baseFileHandle.path() + ", locale " + locale, baseFileHandle + "_" + locale, ""); + } + + bundle = baseBundle; + } + + return bundle; + }else{ + throw new NullPointerException(); + } + } + + private static Seq getCandidateLocales(Locale locale){ + String language = locale.getLanguage(); + String country = locale.getCountry(); + String variant = locale.getVariant(); + Seq locales = new Seq(4); + if(!variant.isEmpty()){ + locales.add(locale); + } + + if(!country.isEmpty()){ + locales.add(locales.isEmpty() ? locale : new Locale(language, country)); + } + + if(!language.isEmpty()){ + locales.add(locales.isEmpty() ? locale : new Locale(language)); + } + + locales.add(ROOT_LOCALE); + return locales; + } + + private static Locale getFallbackLocale(Locale locale){ + Locale defaultLocale = Locale.getDefault(); + return locale.equals(defaultLocale) ? null : defaultLocale; + } + + private static MBundle loadBundleChain(Fi baseFileHandle, String encoding, Seq candidateLocales, int candidateIndex, MBundle baseBundle){ + Locale targetLocale = (Locale)candidateLocales.get(candidateIndex); + MBundle parent = null; + if(candidateIndex != candidateLocales.size - 1){ + parent = loadBundleChain(baseFileHandle, encoding, candidateLocales, candidateIndex + 1, baseBundle); + }else if(baseBundle != null && targetLocale.equals(ROOT_LOCALE)){ + return baseBundle; + } + + MBundle bundle = loadBundle(baseFileHandle, encoding, targetLocale); + if(bundle != null){ + Reflect.set(I18NBundle.class, bundle, "parent", parent); + return bundle; + }else{ + return parent; + } + } + + private static MBundle loadBundle(Fi baseFileHandle, String encoding, Locale targetLocale){ + MBundle bundle = null; + Reader reader = null; + + try{ + Fi fileHandle = toFileHandle(baseFileHandle, targetLocale); + if(checkFileExistence(fileHandle)){ + bundle = new MBundle(); + reader = fileHandle.reader(encoding); + bundle.load(reader); + } + }finally{ + Streams.close(reader); + } + + if(bundle != null){ + Reflect.invoke(I18NBundle.class, bundle, "setLocale", new Object[]{targetLocale}); + } + + return bundle; + } + + private static boolean checkFileExistence(Fi fh){ + try{ + fh.read().close(); + return true; + }catch(Exception var2){ + return false; + } + } + + private static Fi toFileHandle(Fi baseFileHandle, Locale locale){ + StringBuilder sb = new StringBuilder(baseFileHandle.name()); + if(!locale.equals(ROOT_LOCALE)){ + String language = locale.getLanguage().replace("in", "id"); + String country = locale.getCountry(); + String variant = locale.getVariant(); + boolean emptyLanguage = "".equals(language); + boolean emptyCountry = "".equals(country); + boolean emptyVariant = "".equals(variant); + if(!emptyLanguage || !emptyCountry || !emptyVariant){ + sb.append('_'); + if(!emptyVariant){ + sb.append(language).append('_').append(country).append('_').append(variant); + }else if(!emptyCountry){ + sb.append(language).append('_').append(country); + }else{ + sb.append(language); + } + } + } + + return baseFileHandle.sibling(sb.append(".properties").toString()); + } +} From 7d0e0d8da7fb40ee6dfaac83f5bb476edb23b9f4 Mon Sep 17 00:00:00 2001 From: MEEPofFaith <54301439+MEEPofFaith@users.noreply.github.com> Date: Mon, 2 Dec 2024 12:38:45 -0800 Subject: [PATCH 08/21] Revert "Copy from I18NBundle" This reverts commit ac660fcd9f6d7098d4c9064c01f1d364417ac814. --- core/src/mindustry/Vars.java | 5 +- core/src/mindustry/ui/MBundle.java | 174 ----------------------------- 2 files changed, 2 insertions(+), 177 deletions(-) delete mode 100644 core/src/mindustry/ui/MBundle.java diff --git a/core/src/mindustry/Vars.java b/core/src/mindustry/Vars.java index 6ed9c23a5a20..c17d5a2ec64a 100644 --- a/core/src/mindustry/Vars.java +++ b/core/src/mindustry/Vars.java @@ -26,7 +26,6 @@ import mindustry.mod.*; import mindustry.net.*; import mindustry.service.*; -import mindustry.ui.*; import mindustry.ui.dialogs.*; import mindustry.world.*; import mindustry.world.blocks.storage.*; @@ -463,7 +462,7 @@ public static void loadSettings(){ Fi handle = Core.files.local("bundle"); Locale locale = Locale.ENGLISH; - Core.bundle = MBundle.createBundle(handle, locale); + Core.bundle = I18NBundle.createBundle(handle, locale); Log.info("NOTE: external translation bundle has been loaded."); @@ -491,7 +490,7 @@ public static void loadSettings(){ } Locale.setDefault(locale); - Core.bundle = MBundle.createBundle(handle, locale); + Core.bundle = I18NBundle.createBundle(handle, locale); //router if(locale.toString().equals("router")){ diff --git a/core/src/mindustry/ui/MBundle.java b/core/src/mindustry/ui/MBundle.java deleted file mode 100644 index 578703f02f46..000000000000 --- a/core/src/mindustry/ui/MBundle.java +++ /dev/null @@ -1,174 +0,0 @@ -package mindustry.ui; - -import arc.files.*; -import arc.struct.*; -import arc.util.*; -import arc.util.io.*; - -import java.io.*; -import java.util.*; - -public class MBundle extends I18NBundle{ - private static final Locale ROOT_LOCALE = new Locale("", "", ""); - - public static MBundle createEmptyBundle(){ - MBundle bundle = new MBundle(); - Reflect.set(I18NBundle.class, bundle, "locale", ROOT_LOCALE); - ObjectMap properties = new ObjectMap<>(); - Reflect.set(I18NBundle.class, bundle, "properties", properties); - return bundle; - } - - public static MBundle createBundle(Fi baseFileHandle){ - return createBundleImpl(baseFileHandle, Locale.getDefault(), "UTF-8"); - } - - public static MBundle createBundle(Fi baseFileHandle, Locale locale){ - return createBundleImpl(baseFileHandle, locale, "UTF-8"); - } - - public static MBundle createBundle(Fi baseFileHandle, String encoding){ - return createBundleImpl(baseFileHandle, Locale.getDefault(), encoding); - } - - public static MBundle createBundle(Fi baseFileHandle, Locale locale, String encoding){ - return createBundleImpl(baseFileHandle, locale, encoding); - } - - private static MBundle createBundleImpl(Fi baseFileHandle, Locale locale, String encoding){ - if(baseFileHandle != null && locale != null && encoding != null){ - MBundle baseBundle = null; - Locale targetLocale = locale; - - MBundle bundle; - do{ - Seq candidateLocales = getCandidateLocales(targetLocale); - bundle = loadBundleChain(baseFileHandle, encoding, candidateLocales, 0, baseBundle); - if(bundle != null){ - Locale bundleLocale = bundle.locale; - boolean isBaseBundle = bundleLocale.equals(ROOT_LOCALE); - if(!isBaseBundle || bundleLocale.equals(locale) || candidateLocales.size == 1 && bundleLocale.equals(candidateLocales.get(0))){ - break; - } - - if(baseBundle == null){ - baseBundle = bundle; - } - } - - targetLocale = getFallbackLocale(targetLocale); - }while(targetLocale != null); - - if(bundle == null){ - if(baseBundle == null){ - throw new MissingResourceException("Can't find bundle for base file handle " + baseFileHandle.path() + ", locale " + locale, baseFileHandle + "_" + locale, ""); - } - - bundle = baseBundle; - } - - return bundle; - }else{ - throw new NullPointerException(); - } - } - - private static Seq getCandidateLocales(Locale locale){ - String language = locale.getLanguage(); - String country = locale.getCountry(); - String variant = locale.getVariant(); - Seq locales = new Seq(4); - if(!variant.isEmpty()){ - locales.add(locale); - } - - if(!country.isEmpty()){ - locales.add(locales.isEmpty() ? locale : new Locale(language, country)); - } - - if(!language.isEmpty()){ - locales.add(locales.isEmpty() ? locale : new Locale(language)); - } - - locales.add(ROOT_LOCALE); - return locales; - } - - private static Locale getFallbackLocale(Locale locale){ - Locale defaultLocale = Locale.getDefault(); - return locale.equals(defaultLocale) ? null : defaultLocale; - } - - private static MBundle loadBundleChain(Fi baseFileHandle, String encoding, Seq candidateLocales, int candidateIndex, MBundle baseBundle){ - Locale targetLocale = (Locale)candidateLocales.get(candidateIndex); - MBundle parent = null; - if(candidateIndex != candidateLocales.size - 1){ - parent = loadBundleChain(baseFileHandle, encoding, candidateLocales, candidateIndex + 1, baseBundle); - }else if(baseBundle != null && targetLocale.equals(ROOT_LOCALE)){ - return baseBundle; - } - - MBundle bundle = loadBundle(baseFileHandle, encoding, targetLocale); - if(bundle != null){ - Reflect.set(I18NBundle.class, bundle, "parent", parent); - return bundle; - }else{ - return parent; - } - } - - private static MBundle loadBundle(Fi baseFileHandle, String encoding, Locale targetLocale){ - MBundle bundle = null; - Reader reader = null; - - try{ - Fi fileHandle = toFileHandle(baseFileHandle, targetLocale); - if(checkFileExistence(fileHandle)){ - bundle = new MBundle(); - reader = fileHandle.reader(encoding); - bundle.load(reader); - } - }finally{ - Streams.close(reader); - } - - if(bundle != null){ - Reflect.invoke(I18NBundle.class, bundle, "setLocale", new Object[]{targetLocale}); - } - - return bundle; - } - - private static boolean checkFileExistence(Fi fh){ - try{ - fh.read().close(); - return true; - }catch(Exception var2){ - return false; - } - } - - private static Fi toFileHandle(Fi baseFileHandle, Locale locale){ - StringBuilder sb = new StringBuilder(baseFileHandle.name()); - if(!locale.equals(ROOT_LOCALE)){ - String language = locale.getLanguage().replace("in", "id"); - String country = locale.getCountry(); - String variant = locale.getVariant(); - boolean emptyLanguage = "".equals(language); - boolean emptyCountry = "".equals(country); - boolean emptyVariant = "".equals(variant); - if(!emptyLanguage || !emptyCountry || !emptyVariant){ - sb.append('_'); - if(!emptyVariant){ - sb.append(language).append('_').append(country).append('_').append(variant); - }else if(!emptyCountry){ - sb.append(language).append('_').append(country); - }else{ - sb.append(language); - } - } - } - - return baseFileHandle.sibling(sb.append(".properties").toString()); - } -} From 76e9d7cc2186f6b95aa6257f815a25c0b4272163 Mon Sep 17 00:00:00 2001 From: MEEPofFaith <54301439+MEEPofFaith@users.noreply.github.com> Date: Mon, 2 Dec 2024 12:45:33 -0800 Subject: [PATCH 09/21] If get and format refer to parent, then just set the existing bundle as parent --- core/src/mindustry/Vars.java | 5 ++-- core/src/mindustry/ui/MBundle.java | 40 ++++++++++++++++++++++++++++++ 2 files changed, 43 insertions(+), 2 deletions(-) create mode 100644 core/src/mindustry/ui/MBundle.java diff --git a/core/src/mindustry/Vars.java b/core/src/mindustry/Vars.java index c17d5a2ec64a..5b5fcfd87f56 100644 --- a/core/src/mindustry/Vars.java +++ b/core/src/mindustry/Vars.java @@ -26,6 +26,7 @@ import mindustry.mod.*; import mindustry.net.*; import mindustry.service.*; +import mindustry.ui.*; import mindustry.ui.dialogs.*; import mindustry.world.*; import mindustry.world.blocks.storage.*; @@ -462,7 +463,7 @@ public static void loadSettings(){ Fi handle = Core.files.local("bundle"); Locale locale = Locale.ENGLISH; - Core.bundle = I18NBundle.createBundle(handle, locale); + Core.bundle = MBundle.createBundle(I18NBundle.createBundle(handle, locale)); Log.info("NOTE: external translation bundle has been loaded."); @@ -490,7 +491,7 @@ public static void loadSettings(){ } Locale.setDefault(locale); - Core.bundle = I18NBundle.createBundle(handle, locale); + Core.bundle = MBundle.createBundle(I18NBundle.createBundle(handle, locale)); //router if(locale.toString().equals("router")){ diff --git a/core/src/mindustry/ui/MBundle.java b/core/src/mindustry/ui/MBundle.java new file mode 100644 index 000000000000..63536c770855 --- /dev/null +++ b/core/src/mindustry/ui/MBundle.java @@ -0,0 +1,40 @@ +package mindustry.ui; + +import arc.struct.*; +import arc.util.*; +import mindustry.core.*; + +import java.util.*; + +public class MBundle extends I18NBundle{ + private static final Locale ROOT_LOCALE = new Locale("", "", ""); + + public static MBundle createBundle(I18NBundle parent){ + MBundle bundle = new MBundle(); + Reflect.set(I18NBundle.class, bundle, "locale", ROOT_LOCALE); + ObjectMap properties = new ObjectMap<>(); + Reflect.set(I18NBundle.class, bundle, "properties", properties); + Reflect.set(I18NBundle.class, bundle, "parent", parent); + return bundle; + } + + @Override + public String get(String key, String def){ + return UI.formatIcons(super.get(key, def)); + } + + @Override + public String format(String key, Object... args){ + return UI.formatIcons(super.format(key, args)); + } + + @Override + public String formatString(String string, Object... args){ + return UI.formatIcons(super.formatString(string, args)); + } + + @Override + public String formatFloat(String key, float value, int places){ + return UI.formatIcons(super.formatFloat(key, value, places)); + } +} From ba37bda8dbcd587335351c5c21f1efa95228d159 Mon Sep 17 00:00:00 2001 From: MEEPofFaith <54301439+MEEPofFaith@users.noreply.github.com> Date: Mon, 2 Dec 2024 12:51:09 -0800 Subject: [PATCH 10/21] Test with Ground Zero objectives --- core/assets/bundles/bundle.properties | 26 +++++++++++++------------- 1 file changed, 13 insertions(+), 13 deletions(-) diff --git a/core/assets/bundles/bundle.properties b/core/assets/bundles/bundle.properties index 65cb29ad98c3..e1e0f3d0ee73 100644 --- a/core/assets/bundles/bundle.properties +++ b/core/assets/bundles/bundle.properties @@ -1974,7 +1974,7 @@ hint.payloadDrop = Press [accent]][] to drop a payload. hint.payloadDrop.mobile = [accent]Tap and hold[] an empty location to drop a payload there. hint.waveFire = [accent]Wave[] turrets with water as ammunition will automatically put out nearby fires. hint.generator = \uF879 [accent]Combustion Generators[] burn coal and transmit power to adjacent blocks.\n\nPower transmission range can be extended with \uF87F [accent]Power Nodes[]. -hint.guardian = [accent]Guardian[] units are armored. Weak ammo such as [accent]Copper[] and [accent]Lead[] is [scarlet]not effective[].\n\nUse higher tier turrets or \uF835 [accent]Graphite[] \uF861Duo/\uF859Salvo ammunition to take Guardians down. +hint.guardian = [accent]Guardian[] units are armored. Weak ammo such as [accent]Copper[] and [accent]Lead[] is [scarlet]not effective[].\n\nUse higher tier turrets or \uF835 [accent]Graphite[] :duo:Duo/\uF859Salvo ammunition to take Guardians down. hint.coreUpgrade = Cores can be upgraded by [accent]placing higher-tier cores over them[].\n\nPlace a \uF868 [accent]Foundation[] core over the \uF869 [accent]Shard[] core. Make sure it is free from nearby obstructions. hint.presetLaunch = Gray [accent]landing zone sectors[], such as [accent]Frozen Forest[], can be launched to from anywhere. They do not require capture of nearby territory.\n\n[accent]Numbered sectors[], such as this one, are [accent]optional[]. hint.presetDifficulty = This sector has a [scarlet]high enemy threat level[].\nLaunching to such sectors is [accent]not recommended[] without proper technology and preparation. @@ -1982,21 +1982,21 @@ hint.coreIncinerate = After the core is filled to capacity with an item, any ext hint.factoryControl = To set a unit factory's [accent]output destination[], click a factory block while in command mode, then right-click a location.\nUnits produced by it will automatically move there. hint.factoryControl.mobile = To set a unit factory's [accent]output destination[], tap a factory block while in command mode, then tap a location.\nUnits produced by it will automatically move there. -gz.mine = Move near the \uF8C4 [accent]copper ore[] on the ground and click to begin mining. -gz.mine.mobile = Move near the \uF8C4 [accent]copper ore[] on the ground and tap it to begin mining. -gz.research = Open the \uE875 tech tree.\nResearch the \uF870 [accent]Mechanical Drill[], then select it from the \ue85e menu in the bottom right.\nClick on a copper patch to place it. -gz.research.mobile = Open the \uE875 tech tree.\nResearch the \uF870 [accent]Mechanical Drill[], then select it from the \ue85e menu in the bottom right.\nTap on a copper patch to place it.\n\nPress the \uE800 [accent]checkmark[] at the bottom right to confirm. -gz.conveyors = Research and place \uF896 [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nClick and drag to place multiple conveyors.\n[accent]Scroll[] to rotate. -gz.conveyors.mobile = Research and place \uF896 [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nHold down your finger for a second and drag to place multiple conveyors. +gz.mine = Move near the :ore-copper: [accent]copper ore[] on the ground and click to begin mining. +gz.mine.mobile = Move near the :ore-copper: [accent]copper ore[] on the ground and tap it to begin mining. +gz.research = Open the \uE875 tech tree.\nResearch the :mechanical-drill: [accent]Mechanical Drill[], then select it from the \ue85e menu in the bottom right.\nClick on a copper patch to place it. +gz.research.mobile = Open the \uE875 tech tree.\nResearch the :mechanical-drill: [accent]Mechanical Drill[], then select it from the \ue85e menu in the bottom right.\nTap on a copper patch to place it.\n\nPress the \uE800 [accent]checkmark[] at the bottom right to confirm. +gz.conveyors = Research and place :conveyor: [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nClick and drag to place multiple conveyors.\n[accent]Scroll[] to rotate. +gz.conveyors.mobile = Research and place :conveyor: [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nHold down your finger for a second and drag to place multiple conveyors. gz.drills = Expand the mining operation.\nPlace more Mechanical Drills.\nMine 100 copper. -gz.lead = \uF837 [accent]Lead[] is another commonly used resource.\nSet up drills to mine lead. +gz.lead = :lead: [accent]Lead[] is another commonly used resource.\nSet up drills to mine lead. gz.moveup = \uE804 Move up for further objectives. -gz.turrets = Research and place 2 \uF861 [accent]Duo[] turrets to defend the core.\nDuo turrets require \uF838 [accent]ammo[] from conveyors. -gz.duoammo = Supply the Duo turrets with [accent]copper[], using conveyors. -gz.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace \uF8AE [accent]copper walls[] around the turrets. +gz.turrets = Research and place 2 :duo: [accent]Duo[] turrets to defend the core.\nDuo turrets require :copper: [accent]ammo[] from conveyors. +gz.duoammo = Supply the Duo turrets with :copper: [accent]copper[], using conveyors. +gz.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace :copper-wall: [accent]copper walls[] around the turrets. gz.defend = Enemy incoming, prepare to defend. -gz.aa = Flying units cannot easily be dispatched with standard turrets.\n\uF860 [accent]Scatter[] turrets provide excellent anti-air, but require \uF837 [accent]lead[] as ammo. -gz.scatterammo = Supply the Scatter turret with \uF837 [accent]lead[], using conveyors. +gz.aa = Flying units cannot easily be dispatched with standard turrets.\n:scatter: [accent]Scatter[] turrets provide excellent anti-air, but require :lead: [accent]lead[] as ammo. +gz.scatterammo = Supply the Scatter turret with :lead: [accent]lead[], using conveyors. gz.supplyturret = [accent]Supply Turret gz.zone1 = This is the enemy drop zone. gz.zone2 = Anything built in the radius is destroyed when a wave starts. From cafc2ea5edb16c80290d626efa2762e78ded9433 Mon Sep 17 00:00:00 2001 From: MEEPofFaith <54301439+MEEPofFaith@users.noreply.github.com> Date: Mon, 2 Dec 2024 13:01:23 -0800 Subject: [PATCH 11/21] Update MBundle.java --- core/src/mindustry/ui/MBundle.java | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/core/src/mindustry/ui/MBundle.java b/core/src/mindustry/ui/MBundle.java index 63536c770855..02a07befb7fd 100644 --- a/core/src/mindustry/ui/MBundle.java +++ b/core/src/mindustry/ui/MBundle.java @@ -7,14 +7,14 @@ import java.util.*; public class MBundle extends I18NBundle{ - private static final Locale ROOT_LOCALE = new Locale("", "", ""); public static MBundle createBundle(I18NBundle parent){ MBundle bundle = new MBundle(); - Reflect.set(I18NBundle.class, bundle, "locale", ROOT_LOCALE); + Reflect.set(I18NBundle.class, bundle, "locale", Reflect.get(I18NBundle.class, parent, "locale")); ObjectMap properties = new ObjectMap<>(); Reflect.set(I18NBundle.class, bundle, "properties", properties); Reflect.set(I18NBundle.class, bundle, "parent", parent); + Reflect.set(I18NBundle.class, bundle, "formatter", Reflect.get(I18NBundle.class, parent, "formatter")); return bundle; } From b2248d0101c7062a7f11b881f3f624bdac996b5c Mon Sep 17 00:00:00 2001 From: MEEPofFaith <54301439+MEEPofFaith@users.noreply.github.com> Date: Mon, 2 Dec 2024 13:03:40 -0800 Subject: [PATCH 12/21] That didn't work --- core/src/mindustry/Vars.java | 4 +-- core/src/mindustry/ui/MBundle.java | 40 ------------------------------ 2 files changed, 2 insertions(+), 42 deletions(-) delete mode 100644 core/src/mindustry/ui/MBundle.java diff --git a/core/src/mindustry/Vars.java b/core/src/mindustry/Vars.java index 5b5fcfd87f56..87ad9a93a18f 100644 --- a/core/src/mindustry/Vars.java +++ b/core/src/mindustry/Vars.java @@ -463,7 +463,7 @@ public static void loadSettings(){ Fi handle = Core.files.local("bundle"); Locale locale = Locale.ENGLISH; - Core.bundle = MBundle.createBundle(I18NBundle.createBundle(handle, locale)); + Core.bundle = I18NBundle.createBundle(handle, locale); Log.info("NOTE: external translation bundle has been loaded."); @@ -491,7 +491,7 @@ public static void loadSettings(){ } Locale.setDefault(locale); - Core.bundle = MBundle.createBundle(I18NBundle.createBundle(handle, locale)); + Core.bundle = I18NBundle.createBundle(handle, locale); //router if(locale.toString().equals("router")){ diff --git a/core/src/mindustry/ui/MBundle.java b/core/src/mindustry/ui/MBundle.java deleted file mode 100644 index 02a07befb7fd..000000000000 --- a/core/src/mindustry/ui/MBundle.java +++ /dev/null @@ -1,40 +0,0 @@ -package mindustry.ui; - -import arc.struct.*; -import arc.util.*; -import mindustry.core.*; - -import java.util.*; - -public class MBundle extends I18NBundle{ - - public static MBundle createBundle(I18NBundle parent){ - MBundle bundle = new MBundle(); - Reflect.set(I18NBundle.class, bundle, "locale", Reflect.get(I18NBundle.class, parent, "locale")); - ObjectMap properties = new ObjectMap<>(); - Reflect.set(I18NBundle.class, bundle, "properties", properties); - Reflect.set(I18NBundle.class, bundle, "parent", parent); - Reflect.set(I18NBundle.class, bundle, "formatter", Reflect.get(I18NBundle.class, parent, "formatter")); - return bundle; - } - - @Override - public String get(String key, String def){ - return UI.formatIcons(super.get(key, def)); - } - - @Override - public String format(String key, Object... args){ - return UI.formatIcons(super.format(key, args)); - } - - @Override - public String formatString(String string, Object... args){ - return UI.formatIcons(super.formatString(string, args)); - } - - @Override - public String formatFloat(String key, float value, int places){ - return UI.formatIcons(super.formatFloat(key, value, places)); - } -} From 3ef9d63935ed09f5b504cae38f314572bde9a297 Mon Sep 17 00:00:00 2001 From: MEEPofFaith <54301439+MEEPofFaith@users.noreply.github.com> Date: Mon, 2 Dec 2024 13:06:23 -0800 Subject: [PATCH 13/21] Slip the method into reasonable places like objectives and chat --- core/src/mindustry/game/MapObjectives.java | 17 ++++++++++------- .../mindustry/ui/fragments/ChatFragment.java | 6 ++++-- 2 files changed, 14 insertions(+), 9 deletions(-) diff --git a/core/src/mindustry/game/MapObjectives.java b/core/src/mindustry/game/MapObjectives.java index 3a6f77e5aeb6..7f158b264ab1 100644 --- a/core/src/mindustry/game/MapObjectives.java +++ b/core/src/mindustry/game/MapObjectives.java @@ -11,6 +11,7 @@ import arc.util.*; import mindustry.*; import mindustry.content.*; +import mindustry.core.*; import mindustry.ctype.*; import mindustry.game.MapObjectives.*; import mindustry.gen.*; @@ -661,17 +662,19 @@ public static String fetchText(String text){ if(text.startsWith("@")){ String key = text.substring(1); + String out; if(mobile){ - return state.mapLocales.containsProperty(key + ".mobile") ? - state.mapLocales.getProperty(key + ".mobile") : - Core.bundle.get(key + ".mobile", Core.bundle.get(key)); + out = state.mapLocales.containsProperty(key + ".mobile") ? + state.mapLocales.getProperty(key + ".mobile") : + Core.bundle.get(key + ".mobile", Core.bundle.get(key)); }else{ - return state.mapLocales.containsProperty(key) ? - state.mapLocales.getProperty(key) : - Core.bundle.get(key); + out = state.mapLocales.containsProperty(key) ? + state.mapLocales.getProperty(key) : + Core.bundle.get(key); } + return UI.formatIcons(out); }else{ - return text; + return UI.formatIcons(text); } } } diff --git a/core/src/mindustry/ui/fragments/ChatFragment.java b/core/src/mindustry/ui/fragments/ChatFragment.java index 30c344478857..3d49c9cf2b96 100644 --- a/core/src/mindustry/ui/fragments/ChatFragment.java +++ b/core/src/mindustry/ui/fragments/ChatFragment.java @@ -14,6 +14,7 @@ import arc.struct.*; import arc.util.*; import mindustry.*; +import mindustry.core.*; import mindustry.game.EventType.*; import mindustry.gen.*; import mindustry.input.*; @@ -161,14 +162,15 @@ public void draw(){ float theight = offsety + spacing + getMarginBottom() + scene.marginBottom; for(int i = scrollPos; i < messages.size && i < messagesShown + scrollPos && (i < fadetime || shown); i++){ + String message = UI.formatIcons(messages.get(i)); - layout.setText(font, messages.get(i), Color.white, textWidth, Align.bottomLeft, true); + layout.setText(font, message, Color.white, textWidth, Align.bottomLeft, true); theight += layout.height + textspacing; if(i - scrollPos == 0) theight -= textspacing + 1; font.getCache().clear(); font.getCache().setColor(Color.white); - font.getCache().addText(messages.get(i), fontoffsetx + offsetx, offsety + theight, textWidth, Align.bottomLeft, true); + font.getCache().addText(message, fontoffsetx + offsetx, offsety + theight, textWidth, Align.bottomLeft, true); if(!shown && fadetime - i < 1f && fadetime - i >= 0f){ font.getCache().setAlphas((fadetime - i) * opacity); From 527dccf7c364d67f6a5ed5d7c83925ce14a49442 Mon Sep 17 00:00:00 2001 From: MEEPofFaith <54301439+MEEPofFaith@users.noreply.github.com> Date: Mon, 2 Dec 2024 13:13:22 -0800 Subject: [PATCH 14/21] Check for Icons as well --- core/src/mindustry/core/UI.java | 12 ++++++++---- 1 file changed, 8 insertions(+), 4 deletions(-) diff --git a/core/src/mindustry/core/UI.java b/core/src/mindustry/core/UI.java index 6de2c6856f14..77485a0c2974 100644 --- a/core/src/mindustry/core/UI.java +++ b/core/src/mindustry/core/UI.java @@ -703,13 +703,17 @@ public static String formatIcons(String s){ buffer.append(ch); } }else if(ch == ':'){ - String content = s.substring(indexStart + 1, i); - if(Fonts.hasUnicodeStr(content)){ - buffer.append(Fonts.getUnicodeStr(content)); + String icon = s.substring(indexStart + 1, i); + if(Iconc.codes.containsKey(icon)){ + buffer.append((char)Iconc.codes.get(icon)); + changed = true; + indexStart = -1; + }else if(Fonts.hasUnicodeStr(icon)){ + buffer.append(Fonts.getUnicodeStr(icon)); changed = true; indexStart = -1; }else{ - buffer.append(":").append(content); + buffer.append(":").append(icon); indexStart = i; } } From 73dc8cefe296d514293123c824b8e84a2e6b63d4 Mon Sep 17 00:00:00 2001 From: MEEPofFaith <54301439+MEEPofFaith@users.noreply.github.com> Date: Mon, 2 Dec 2024 13:18:53 -0800 Subject: [PATCH 15/21] More testing with objective text --- core/assets/bundles/bundle.properties | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/core/assets/bundles/bundle.properties b/core/assets/bundles/bundle.properties index e1e0f3d0ee73..c94275916125 100644 --- a/core/assets/bundles/bundle.properties +++ b/core/assets/bundles/bundle.properties @@ -1984,13 +1984,13 @@ hint.factoryControl.mobile = To set a unit factory's [accent]output destination[ gz.mine = Move near the :ore-copper: [accent]copper ore[] on the ground and click to begin mining. gz.mine.mobile = Move near the :ore-copper: [accent]copper ore[] on the ground and tap it to begin mining. -gz.research = Open the \uE875 tech tree.\nResearch the :mechanical-drill: [accent]Mechanical Drill[], then select it from the \ue85e menu in the bottom right.\nClick on a copper patch to place it. -gz.research.mobile = Open the \uE875 tech tree.\nResearch the :mechanical-drill: [accent]Mechanical Drill[], then select it from the \ue85e menu in the bottom right.\nTap on a copper patch to place it.\n\nPress the \uE800 [accent]checkmark[] at the bottom right to confirm. +gz.research = Open the :tree: tech tree.\nResearch the :mechanical-drill: [accent]Mechanical Drill[], then select it from the :production: menu in the bottom right.\nClick on a copper patch to place it. +gz.research.mobile = Open the :tree: tech tree.\nResearch the :mechanical-drill: [accent]Mechanical Drill[], then select it from the :production: menu in the bottom right.\nTap on a copper patch to place it.\n\nPress the :ok: [accent]checkmark[] at the bottom right to confirm. gz.conveyors = Research and place :conveyor: [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nClick and drag to place multiple conveyors.\n[accent]Scroll[] to rotate. gz.conveyors.mobile = Research and place :conveyor: [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nHold down your finger for a second and drag to place multiple conveyors. gz.drills = Expand the mining operation.\nPlace more Mechanical Drills.\nMine 100 copper. gz.lead = :lead: [accent]Lead[] is another commonly used resource.\nSet up drills to mine lead. -gz.moveup = \uE804 Move up for further objectives. +gz.moveup = :up: Move up for further objectives. gz.turrets = Research and place 2 :duo: [accent]Duo[] turrets to defend the core.\nDuo turrets require :copper: [accent]ammo[] from conveyors. gz.duoammo = Supply the Duo turrets with :copper: [accent]copper[], using conveyors. gz.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace :copper-wall: [accent]copper walls[] around the turrets. @@ -2005,7 +2005,7 @@ gz.finish = Build more turrets, mine more resources,\nand defend against all the onset.mine = Click to mine \uF748 [accent]beryllium[] from walls.\n\nUse [accent][[WASD] to move. onset.mine.mobile = Tap to mine \uF748 [accent]beryllium[] from walls. -onset.research = Open the \uE875 tech tree.\nResearch, then place a \uF73E [accent]turbine condenser[] on the vent.\nThis will generate [accent]power[]. +onset.research = Open the :tree: tech tree.\nResearch, then place a \uF73E [accent]turbine condenser[] on the vent.\nThis will generate [accent]power[]. onset.bore = Research and place a \uF741 [accent]plasma bore[].\nThis automatically mines resources from walls. onset.power = To [accent]power[] the plasma bore, research and place a \uF73D [accent]beam node[].\nConnect the turbine condenser to the plasma bore. onset.ducts = Research and place \uF799 [accent]ducts[] to move the mined resources from the plasma bore to the core.\nClick and drag to place multiple ducts.\n[accent]Scroll[] to rotate. From 23f108b633b5d3c9d13fac2f44aa192ee68f4924 Mon Sep 17 00:00:00 2001 From: MEEPofFaith <54301439+MEEPofFaith@users.noreply.github.com> Date: Mon, 2 Dec 2024 13:19:51 -0800 Subject: [PATCH 16/21] Apply to hints --- core/src/mindustry/ui/fragments/HintsFragment.java | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/core/src/mindustry/ui/fragments/HintsFragment.java b/core/src/mindustry/ui/fragments/HintsFragment.java index 77d333511979..02885336718b 100644 --- a/core/src/mindustry/ui/fragments/HintsFragment.java +++ b/core/src/mindustry/ui/fragments/HintsFragment.java @@ -13,6 +13,7 @@ import mindustry.*; import mindustry.ai.types.*; import mindustry.content.*; +import mindustry.core.*; import mindustry.game.EventType.*; import mindustry.game.*; import mindustry.gen.*; @@ -250,7 +251,7 @@ public String text(){ text = Vars.mobile && Core.bundle.has("hint." + name() + ".mobile") ? Core.bundle.get("hint." + name() + ".mobile") : Core.bundle.get("hint." + name()); if(!Vars.mobile) text = text.replace("tap", "click").replace("Tap", "Click"); } - return text; + return UI.formatIcons(text); } @Override From 6ef6094de796febbde3dc66907ac5fee5ec21d15 Mon Sep 17 00:00:00 2001 From: MEEPofFaith <54301439+MEEPofFaith@users.noreply.github.com> Date: Mon, 2 Dec 2024 13:26:51 -0800 Subject: [PATCH 17/21] Optimized formatIcons No longer scans through every character --- core/src/mindustry/core/UI.java | 42 +++++++++++++-------------------- 1 file changed, 17 insertions(+), 25 deletions(-) diff --git a/core/src/mindustry/core/UI.java b/core/src/mindustry/core/UI.java index 77485a0c2974..c4017d1a26d7 100644 --- a/core/src/mindustry/core/UI.java +++ b/core/src/mindustry/core/UI.java @@ -689,40 +689,32 @@ public void hideFollowUpMenu(int menuId) { * Based on TextFormatter::simpleFormat */ public static String formatIcons(String s){ + if(!s.contains(":")) return s; + buffer.setLength(0); boolean changed = false; - int indexStart = -1; - int length = s.length(); - - for(int i = 0; i < length; i++){ - char ch = s.charAt(i); - if(indexStart < 0){ - if(ch == ':'){ - indexStart = i; - }else{ - buffer.append(ch); - } - }else if(ch == ':'){ - String icon = s.substring(indexStart + 1, i); - if(Iconc.codes.containsKey(icon)){ - buffer.append((char)Iconc.codes.get(icon)); + + boolean checkIcon = false; + String[] tokens = s.split(":"); + for(String token : tokens){ + if(checkIcon){ + if(Iconc.codes.containsKey(token)){ + buffer.append((char)Iconc.codes.get(token)); changed = true; - indexStart = -1; - }else if(Fonts.hasUnicodeStr(icon)){ - buffer.append(Fonts.getUnicodeStr(icon)); + checkIcon = false; + }else if(Fonts.hasUnicodeStr(token)){ + buffer.append(Fonts.getUnicodeStr(token)); changed = true; - indexStart = -1; + checkIcon = false; }else{ - buffer.append(":").append(icon); - indexStart = i; + buffer.append(":").append(token); } + }else{ + buffer.append(token); + checkIcon = true; } } - if(indexStart >= 0){ - buffer.append(s, indexStart, length); - } - return changed ? buffer.toString() : s; } From 1d6dcb0ec37cb65a6b7916d86df1ea775c4f1c0e Mon Sep 17 00:00:00 2001 From: MEEPofFaith <54301439+MEEPofFaith@users.noreply.github.com> Date: Mon, 2 Dec 2024 13:41:00 -0800 Subject: [PATCH 18/21] TIME UPDATE THE BUNDLES YIPPEEEEEEEEEEE --- core/assets/bundles/bundle.properties | 50 +++++++------- core/assets/bundles/bundle_be.properties | 72 ++++++++++---------- core/assets/bundles/bundle_bg.properties | 72 ++++++++++---------- core/assets/bundles/bundle_ca.properties | 70 +++++++++---------- core/assets/bundles/bundle_cs.properties | 70 +++++++++---------- core/assets/bundles/bundle_da.properties | 72 ++++++++++---------- core/assets/bundles/bundle_de.properties | 72 ++++++++++---------- core/assets/bundles/bundle_es.properties | 54 +++++++-------- core/assets/bundles/bundle_et.properties | 72 ++++++++++---------- core/assets/bundles/bundle_eu.properties | 72 ++++++++++---------- core/assets/bundles/bundle_fi.properties | 72 ++++++++++---------- core/assets/bundles/bundle_fil.properties | 70 +++++++++---------- core/assets/bundles/bundle_fr.properties | 72 ++++++++++---------- core/assets/bundles/bundle_hu.properties | 74 ++++++++++----------- core/assets/bundles/bundle_id_ID.properties | 72 ++++++++++---------- core/assets/bundles/bundle_it.properties | 72 ++++++++++---------- core/assets/bundles/bundle_ja.properties | 72 ++++++++++---------- core/assets/bundles/bundle_ko.properties | 70 +++++++++---------- core/assets/bundles/bundle_lt.properties | 72 ++++++++++---------- core/assets/bundles/bundle_nl.properties | 72 ++++++++++---------- core/assets/bundles/bundle_nl_BE.properties | 72 ++++++++++---------- core/assets/bundles/bundle_pl.properties | 72 ++++++++++---------- core/assets/bundles/bundle_pt_BR.properties | 72 ++++++++++---------- core/assets/bundles/bundle_pt_PT.properties | 72 ++++++++++---------- core/assets/bundles/bundle_ro.properties | 72 ++++++++++---------- core/assets/bundles/bundle_ru.properties | 72 ++++++++++---------- core/assets/bundles/bundle_sr.properties | 70 +++++++++---------- core/assets/bundles/bundle_sv.properties | 72 ++++++++++---------- core/assets/bundles/bundle_th.properties | 72 ++++++++++---------- core/assets/bundles/bundle_tk.properties | 72 ++++++++++---------- core/assets/bundles/bundle_tr.properties | 70 +++++++++---------- core/assets/bundles/bundle_uk_UA.properties | 74 ++++++++++----------- core/assets/bundles/bundle_vi.properties | 74 ++++++++++----------- core/assets/bundles/bundle_zh_CN.properties | 72 ++++++++++---------- core/assets/bundles/bundle_zh_TW.properties | 72 ++++++++++---------- 35 files changed, 1237 insertions(+), 1237 deletions(-) diff --git a/core/assets/bundles/bundle.properties b/core/assets/bundles/bundle.properties index c94275916125..22b1c127f0e9 100644 --- a/core/assets/bundles/bundle.properties +++ b/core/assets/bundles/bundle.properties @@ -1951,31 +1951,31 @@ hint.respawn = To respawn as a ship, press [accent][[V][]. hint.respawn.mobile = You have switched control to a unit/structure. To respawn as a ship, [accent]tap the avatar in the top left.[] hint.desktopPause = Press [accent][[Space][] to pause and unpause the game. hint.breaking = [accent]Right-click[] and drag to break blocks. -hint.breaking.mobile = Activate the \uE817 [accent]hammer[] in the bottom right and tap to break blocks.\n\nHold down your finger for a second and drag to break in a selection. +hint.breaking.mobile = Activate the :hammer: [accent]hammer[] in the bottom right and tap to break blocks.\n\nHold down your finger for a second and drag to break in a selection. hint.blockInfo = View information of a block by selecting it in the [accent]build menu[], then selecting the [accent][[?][] button at the right. hint.derelict = [accent]Derelict[] structures are broken remnants of old bases that no longer function.\n\nThese structures can be [accent]deconstructed[] for resources, or repaired. -hint.research = Use the \uE875 [accent]Research[] button to research new technology. -hint.research.mobile = Use the \uE875 [accent]Research[] button in the \uE88C [accent]Menu[] to research new technology. +hint.research = Use the :tree: [accent]Research[] button to research new technology. +hint.research.mobile = Use the :tree: [accent]Research[] button in the :menu: [accent]Menu[] to research new technology. hint.unitControl = Hold [accent][[L-ctrl][] and [accent]click[] to manually control friendly units or turrets. hint.unitControl.mobile = [accent][[Double-tap][] to manually control friendly units or turrets. hint.unitSelectControl = To control units, enter [accent]command mode[] by holding [accent]L-shift.[]\nWhile in command mode, click and drag to select units. [accent]Right-click[] a location or target to command units there. hint.unitSelectControl.mobile = To control units, enter [accent]command mode[] by pressing the [accent]command[] button in the bottom left.\nWhile in command mode, long-press and drag to select units. Tap a location or target to command units there. -hint.launch = Once enough resources are collected, you can [accent]Launch[] to the next sector by opening the \uE827 [accent]Map[] in the bottom right, and panning over to the new location. -hint.launch.mobile = Once enough resources are collected, you can [accent]Launch[] by selecting nearby sectors from the \uE827 [accent]Map[] in the \uE88C [accent]Menu[]. +hint.launch = Once enough resources are collected, you can [accent]Launch[] to the next sector by opening the :map: [accent]Map[] in the bottom right, and panning over to the new location. +hint.launch.mobile = Once enough resources are collected, you can [accent]Launch[] by selecting nearby sectors from the :map: [accent]Map[] in the :menu: [accent]Menu[]. hint.schematicSelect = Hold [accent][[F][] and drag to select blocks to copy and paste.\n\n[accent][[Middle Click][] to copy a single block type. hint.rebuildSelect = Hold [accent][[B][] and drag to select destroyed block plans.\nThis will rebuild them automatically. -hint.rebuildSelect.mobile = Select the \uE874 copy button, then tap the \uE80F rebuild button and drag to select destroyed block plans.\nThis will rebuild them automatically. +hint.rebuildSelect.mobile = Select the :copy: copy button, then tap the :wrench: rebuild button and drag to select destroyed block plans.\nThis will rebuild them automatically. hint.conveyorPathfind = Hold [accent][[L-Ctrl][] while dragging conveyors to automatically generate a path. -hint.conveyorPathfind.mobile = Enable \uE844 [accent]diagonal mode[] and drag conveyors to automatically generate a path. +hint.conveyorPathfind.mobile = Enable :diagonal: [accent]diagonal mode[] and drag conveyors to automatically generate a path. hint.boost = Hold [accent][[L-Shift][] to fly over obstacles with your current unit.\n\nOnly a few ground units have boosters. hint.payloadPickup = Press [accent][[[] to pick up small blocks or units. hint.payloadPickup.mobile = [accent]Tap and hold[] a small block or unit to pick it up. hint.payloadDrop = Press [accent]][] to drop a payload. hint.payloadDrop.mobile = [accent]Tap and hold[] an empty location to drop a payload there. hint.waveFire = [accent]Wave[] turrets with water as ammunition will automatically put out nearby fires. -hint.generator = \uF879 [accent]Combustion Generators[] burn coal and transmit power to adjacent blocks.\n\nPower transmission range can be extended with \uF87F [accent]Power Nodes[]. -hint.guardian = [accent]Guardian[] units are armored. Weak ammo such as [accent]Copper[] and [accent]Lead[] is [scarlet]not effective[].\n\nUse higher tier turrets or \uF835 [accent]Graphite[] :duo:Duo/\uF859Salvo ammunition to take Guardians down. -hint.coreUpgrade = Cores can be upgraded by [accent]placing higher-tier cores over them[].\n\nPlace a \uF868 [accent]Foundation[] core over the \uF869 [accent]Shard[] core. Make sure it is free from nearby obstructions. +hint.generator = :combustion-generator: [accent]Combustion Generators[] burn coal and transmit power to adjacent blocks.\n\nPower transmission range can be extended with :power-node: [accent]Power Nodes[]. +hint.guardian = [accent]Guardian[] units are armored. Weak ammo such as [accent]Copper[] and [accent]Lead[] is [scarlet]not effective[].\n\nUse higher tier turrets or :graphite: [accent]Graphite[] :duo:Duo/:salvo:Salvo ammunition to take Guardians down. +hint.coreUpgrade = Cores can be upgraded by [accent]placing higher-tier cores over them[].\n\nPlace a :core-foundation: [accent]Foundation[] core over the :core-shard: [accent]Shard[] core. Make sure it is free from nearby obstructions. hint.presetLaunch = Gray [accent]landing zone sectors[], such as [accent]Frozen Forest[], can be launched to from anywhere. They do not require capture of nearby territory.\n\n[accent]Numbered sectors[], such as this one, are [accent]optional[]. hint.presetDifficulty = This sector has a [scarlet]high enemy threat level[].\nLaunching to such sectors is [accent]not recommended[] without proper technology and preparation. hint.coreIncinerate = After the core is filled to capacity with an item, any extra items of that type it receives will be [accent]incinerated[]. @@ -2003,27 +2003,27 @@ gz.zone2 = Anything built in the radius is destroyed when a wave starts. gz.zone3 = A wave will begin now.\nGet ready. gz.finish = Build more turrets, mine more resources,\nand defend against all the waves to [accent]capture the sector[]. -onset.mine = Click to mine \uF748 [accent]beryllium[] from walls.\n\nUse [accent][[WASD] to move. -onset.mine.mobile = Tap to mine \uF748 [accent]beryllium[] from walls. -onset.research = Open the :tree: tech tree.\nResearch, then place a \uF73E [accent]turbine condenser[] on the vent.\nThis will generate [accent]power[]. -onset.bore = Research and place a \uF741 [accent]plasma bore[].\nThis automatically mines resources from walls. -onset.power = To [accent]power[] the plasma bore, research and place a \uF73D [accent]beam node[].\nConnect the turbine condenser to the plasma bore. -onset.ducts = Research and place \uF799 [accent]ducts[] to move the mined resources from the plasma bore to the core.\nClick and drag to place multiple ducts.\n[accent]Scroll[] to rotate. -onset.ducts.mobile = Research and place \uF799 [accent]ducts[] to move the mined resources from the plasma bore to the core.\n\nHold down your finger for a second and drag to place multiple ducts. +onset.mine = Click to mine :beryllium: [accent]beryllium[] from walls.\n\nUse [accent][[WASD] to move. +onset.mine.mobile = Tap to mine :beryllium: [accent]beryllium[] from walls. +onset.research = Open the :tree: tech tree.\nResearch, then place a :turbine-condenser: [accent]turbine condenser[] on the vent.\nThis will generate [accent]power[]. +onset.bore = Research and place a :plasma-bore: [accent]plasma bore[].\nThis automatically mines resources from walls. +onset.power = To [accent]power[] the plasma bore, research and place a :beam-node: [accent]beam node[].\nConnect the turbine condenser to the plasma bore. +onset.ducts = Research and place :duct: [accent]ducts[] to move the mined resources from the plasma bore to the core.\nClick and drag to place multiple ducts.\n[accent]Scroll[] to rotate. +onset.ducts.mobile = Research and place :duct: [accent]ducts[] to move the mined resources from the plasma bore to the core.\n\nHold down your finger for a second and drag to place multiple ducts. onset.moremine = Expand the mining operation.\nPlace more Plasma Bores and use beam nodes and ducts to support them.\nMine 200 beryllium. -onset.graphite = More complex blocks require \uF835 [accent]graphite[].\nSet up plasma bores to mine graphite. -onset.research2 = Begin researching [accent]factories[].\nResearch the \uF74D [accent]cliff crusher[] and \uF779 [accent]silicon arc furnace[]. -onset.arcfurnace = The arc furnace needs \uF834 [accent]sand[] and \uF835 [accent]graphite[] to create \uF82F [accent]silicon[].\n[accent]Power[] is also required. -onset.crusher = Use \uF74D [accent]cliff crushers[] to mine sand. -onset.fabricator = Use [accent]units[] to explore the map, defend buildings, and attack the enemy. Research and place a \uF6A2 [accent]tank fabricator[]. +onset.graphite = More complex blocks require :graphite: [accent]graphite[].\nSet up plasma bores to mine graphite. +onset.research2 = Begin researching [accent]factories[].\nResearch the :cliff-crusher: [accent]cliff crusher[] and :silicon-arc-furnace: [accent]silicon arc furnace[]. +onset.arcfurnace = The arc furnace needs :sand: [accent]sand[] and :graphite: [accent]graphite[] to create :silicon: [accent]silicon[].\n[accent]Power[] is also required. +onset.crusher = Use :cliff-crusher: [accent]cliff crushers[] to mine sand. +onset.fabricator = Use [accent]units[] to explore the map, defend buildings, and attack the enemy. Research and place a :tank-fabricator: [accent]tank fabricator[]. onset.makeunit = Produce a unit.\nUse the "?" button to see selected factory requirements. -onset.turrets = Units are effective, but [accent]turrets[] provide better defensive capabilities if used effectively.\nPlace a \uF6EB [accent]Breach[] turret.\nTurrets require \uF748 [accent]ammo[]. +onset.turrets = Units are effective, but [accent]turrets[] provide better defensive capabilities if used effectively.\nPlace a :breach: [accent]Breach[] turret.\nTurrets require :beryllium: [accent]ammo[]. onset.turretammo = Supply the turret with [accent]beryllium[] as ammo, using ducts. -onset.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace some \uF6EE [accent]beryllium walls[] around the turret. +onset.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace some :beryllium-wall: [accent]beryllium walls[] around the turret. onset.enemies = Enemy incoming, prepare to defend. onset.defenses = [accent]Set up defenses:[lightgray] {0} onset.attack = The enemy is vulnerable. Counter-attack. -onset.cores = New cores can be placed on [accent]core tiles[].\nNew cores function as forward bases and share a resource inventory with other cores.\nPlace a \uF725 core. +onset.cores = New cores can be placed on [accent]core tiles[].\nNew cores function as forward bases and share a resource inventory with other cores.\nPlace a :core-bastion: core. onset.detect = The enemy will be able to detect you in 2 minutes.\nSet up defenses, mining, and production. onset.commandmode = Hold [accent]shift[] to enter [accent]command mode[].\n[accent]Left-click and drag[] to select units.\n[accent]Right-click[] to order selected units to move or attack. onset.commandmode.mobile = Press the [accent]command button[] to enter [accent]command mode[].\nHold down a finger, then [accent]drag[] to select units.\n[accent]Tap[] to order selected units to move or attack. diff --git a/core/assets/bundles/bundle_be.properties b/core/assets/bundles/bundle_be.properties index 822b187837dc..bf3eca1a9641 100644 --- a/core/assets/bundles/bundle_be.properties +++ b/core/assets/bundles/bundle_be.properties @@ -1908,77 +1908,77 @@ hint.respawn = Каб аднавіць карабель, націсніце [acc hint.respawn.mobile = Вы змянілі кантроль на адзінку/структуру. Каб аднавіць карабель, [accent]націсніце на іконку адзінкі зверху злева.[] hint.desktopPause = Націсніце [accent][[Space][] каб прыпыніць і аднавіць гульню. hint.breaking = [accent]Правы-пстрык[] і утрымаць как разбурыць блокі. -hint.breaking.mobile = Актывуйце \ue817 [accent]малаток[] унізе справа і націсніце, каб разабраць блок.\n\nУтрымайце палец адну секунду і правядзіце как вызначыць вобласць якую жадаеце разабраць. +hint.breaking.mobile = Актывуйце :hammer: [accent]малаток[] унізе справа і націсніце, каб разабраць блок.\n\nУтрымайце палец адну секунду і правядзіце как вызначыць вобласць якую жадаеце разабраць. hint.blockInfo = Праглядзець інфармацыю пра блок выбіраючы яго ў [accent]меню будаўніцтва[], пасля выберыце [accent][[?][] кнопку справа. hint.derelict = [accent]Пакінутыя[] структуры гэта разрбураныя часткі старой базы якія больш не функцыянуюць.\n\nГэтыя структуры могуць быць [accent]разабраны[] на рэсурсы. -hint.research = Выкарыстоўвайце кнопку \ue875 [accent]Даследаванні[] каб даследаваць новую тэхналогію. -hint.research.mobile = Выкарыстоўвайце кнопку \ue875 [accent]Даследаванні[] ў \ue88c [accent]Меню[] каб даследаваць новую тэхналогію. +hint.research = Выкарыстоўвайце кнопку :tree: [accent]Даследаванні[] каб даследаваць новую тэхналогію. +hint.research.mobile = Выкарыстоўвайце кнопку :tree: [accent]Даследаванні[] ў :menu: [accent]Меню[] каб даследаваць новую тэхналогію. hint.unitControl = Зажміце [accent][[Левы-ctrl][] і [accent]пстрык[] каб кантраляваць дружалюбнай адзінкай або турэляй. hint.unitControl.mobile = [accent][[Двайны-націск][] каб кантраляваць дружалюбнай адзінкай або турэляй. hint.unitSelectControl = Каб кіраваць адінкамі, адкройце [accent]рэжым загадаў[] утрымлівая [accent]Левы-shift.[]\nУ рэжыме загадаў, націсніце і утрымайце каб выбраць адзінкі. [accent]Правы-пстрык[] на а'бект каб задаць мэту або шлях. hint.unitSelectControl.mobile = Каб кантраляваць адінкамі, адкройце [accent]рэжым загадаў[] націскаючы кнопку [accent]загадваць[] у унізе злева.\nУ рэжыме загадаў, утрымайце і правядзіце каб выбраць адзінкі. Націсніце на а'бект каб задаць мэту або шлях. -hint.launch = Калі рэсурсы сабраны, вы можаце [accent]Запусціць[] выбіраючы сектара якія знаходзяцца побач на \ue827 [accent]Карце[] унізе справа. -hint.launch.mobile = Калі рэсурсы сабраны, вы можаце [accentЗапусціць[] выбіраючы сектара якія знаходзяцца побач на \ue827 [accent]Карце[] ў \ue88c [accent]Меню[]. +hint.launch = Калі рэсурсы сабраны, вы можаце [accent]Запусціць[] выбіраючы сектара якія знаходзяцца побач на :map: [accent]Карце[] унізе справа. +hint.launch.mobile = Калі рэсурсы сабраны, вы можаце [accentЗапусціць[] выбіраючы сектара якія знаходзяцца побач на :map: [accent]Карце[] ў :menu: [accent]Меню[]. hint.schematicSelect = Утрымайце [accent][[F][] і працягніце каб выбраць блокі для капіявання і ўстаўкі.\n\n[accent][[Сярэдні Пстрык][] каб скапіяваць толькі адзін тып блоку. hint.rebuildSelect = Утрымайце [accent][[B][] і працягніце каб выбраць блокі для разбудавання.\nГэта перабудуе іх аўтаматычна. -hint.rebuildSelect.mobile = Select the \ue874 copy button, then tap the \ue80f rebuild button and drag to select destroyed block plans.\nThis will rebuild them automatically. +hint.rebuildSelect.mobile = Select the :copy: copy button, then tap the :wrench: rebuild button and drag to select destroyed block plans.\nThis will rebuild them automatically. hint.conveyorPathfind = Утрымайце [accent][[Левы Ctrl][] калі правозіце канвееры каб аутаматычна згенераваць шлях. -hint.conveyorPathfind.mobile = Уключыце \ue844 [accent]дыяганальны рэжым[] і утрымлівайце і размяшчайце канвееры па аўтаматычна згенераванаму шляху. +hint.conveyorPathfind.mobile = Уключыце :diagonal: [accent]дыяганальны рэжым[] і утрымлівайце і размяшчайце канвееры па аўтаматычна згенераванаму шляху. hint.boost = Утрымайце [accent][[Левы Shift][] каб ляцець праз перашкоды з вашай выбранай адзінкай.\n\nТолькі некаторыя наземныя адзінкі могуць узлятаць. hint.payloadPickup = Націсніце каб [accent][[[] каб узяць малнькія блокі або адзінкі. hint.payloadPickup.mobile = [accent]Націсніце і утрымайце[] маленькі блок або адзінку каб узяць гэта. hint.payloadDrop = Націсніце [accent]][] каб збросіць груз. hint.payloadDrop.mobile = [accent]Націсніце і ўтрымайце[] пустое месца каб збросіць груз тут. hint.waveFire = Турэлі [accent]Хваля[] заражаныя вадой будуць тушыць полымя побач. -hint.generator = \uf879 [accent]Генератары Згарання[] падпальваюць вугаль і перанакіраванне энергію суседнім блокам.\n\nРадыюс перадачы энергіі можа быць пашыраны з дапамогай \uf87f [accent]Энергетычных Вузлоў[]. -hint.guardian = Адзінкі [accent]Вартаўнік[] браніраваныя. Слабыя патроны такія як [accent]Медзь[] і [accent]Свінец[] [scarlet]не эфетўныя[].\n\nВыкарыстоўвайце больш моцныя турэлі або \uf835 [accent]Графіт[] у \uf861Двайных Турэлях/\uf859Залпах каб знішчыць Вартаўніка. -hint.coreUpgrade = Ядра могуць быць палепшаны [accent]размяшчэннем больш моцных паверх другіх[].\n\nРазмясціце ядро \uf868 [accent]Штаб[] паверх ядра \uf869 [accent]Аскепак[]. Пераканайцеся, што гэта свабодна ад канструкцый побач. +hint.generator = :combustion-generator: [accent]Генератары Згарання[] падпальваюць вугаль і перанакіраванне энергію суседнім блокам.\n\nРадыюс перадачы энергіі можа быць пашыраны з дапамогай :power-node: [accent]Энергетычных Вузлоў[]. +hint.guardian = Адзінкі [accent]Вартаўнік[] браніраваныя. Слабыя патроны такія як [accent]Медзь[] і [accent]Свінец[] [scarlet]не эфетўныя[].\n\nВыкарыстоўвайце больш моцныя турэлі або :graphite: [accent]Графіт[] у :duo:Двайных Турэлях/:salvo:Залпах каб знішчыць Вартаўніка. +hint.coreUpgrade = Ядра могуць быць палепшаны [accent]размяшчэннем больш моцных паверх другіх[].\n\nРазмясціце ядро :core-foundation: [accent]Штаб[] паверх ядра :core-shard: [accent]Аскепак[]. Пераканайцеся, што гэта свабодна ад канструкцый побач. hint.presetLaunch = Серыя [accent]сектара зоны пасадкі[], такія як [accent]Ледзяны Лес[], можна запусціць з любога месца. Яны не патрабуюць захапляць тэрыторыі побач.\n\n[accent]Пранумараваныя сектары[], такія як гэты, [accent]неабавязковыя[]. hint.presetDifficulty = На гэтым сектары [scarlet]вялікі узровень впрожай пагрозы[].\nЗапуск на такія сектары [accent]не рэкамендуецца[] без належнай тэхналогіі і падрыхтоўкі. hint.coreIncinerate = Пасля таго як ёмістасць ядра запоўніцца прадметам, any extra items of that type it receives will be [accent]incinerated[]. hint.factoryControl = Каб усталяваць фабрыке адзінак [accent]шлях[], націсніце на блок фабрыку ў рэжыме камандавання, пасля нажміце на месца правай кнопкайэ мышкі.\nСтвораныя адзінкі будуць аўтаматычна рухацца сюды. hint.factoryControl.mobile = Каб усталяваць фабрыке адзінак [accent]шлях[], націсніце на блок фабрыку ў рэжыме камандавання, пасля націсніце на месца.\nСтвораныя адзінкі будуць аўтаматычна рухацца сюды. -gz.mine = Рухайцеся да \uf8c4 [accent]меднай руды[] на зямлі і націсніце на яе каб пачаць дабываць. -gz.mine.mobile = Рухайцеся да \uf8c4 [accent]меднай руды[] на зямлі і дакраніцеся да яе каб пачаць дабываць. -gz.research = Адчыніце \ue875 дрэва тэхналогій.\nДаследуйце \uf870 [accent]Механічны Бур[], пасля выберыце яго ў ніжнім правым меню.\nНажміце на руду каб размясціць. -gz.research.mobile = Адкройце \ue875 дрэва тэхналогій.\nДаследуйце \uf870 [accent]Механічны Бур[], пасля выберыце яго ў ніжнім правым меню.\nНацісніце на залежы медзі каб размясцічь бур.\n\nНацісніце на конпку \ue800 [accent]падцвердзіць[] у нізе справа каб падцвердзіць. -gz.conveyors = Даследуйце і размасціце \uf896 [accent]канвееры[] каб рухаць дабытыя рэсурсы\nад буроў да ядра.\n\nНажміце і правядзіце каб размясціць некалькі канвеераў.\n[accent]Пракручваць[] каб паварочваць аб'ект. -gz.conveyors.mobile = Даследуйце і размасціце \uf896 [accent]канвееры[] каб рухаць дабытыя рэсурсы\nад буроў да ядра.\n\nУтрымайце ваш палец адну секнду і правядзіце каб размясціць некалькі канвеераў. +gz.mine = Рухайцеся да :ore-copper: [accent]меднай руды[] на зямлі і націсніце на яе каб пачаць дабываць. +gz.mine.mobile = Рухайцеся да :ore-copper: [accent]меднай руды[] на зямлі і дакраніцеся да яе каб пачаць дабываць. +gz.research = Адчыніце :tree: дрэва тэхналогій.\nДаследуйце :mechanical-drill: [accent]Механічны Бур[], пасля выберыце яго ў ніжнім правым меню.\nНажміце на руду каб размясціць. +gz.research.mobile = Адкройце :tree: дрэва тэхналогій.\nДаследуйце :mechanical-drill: [accent]Механічны Бур[], пасля выберыце яго ў ніжнім правым меню.\nНацісніце на залежы медзі каб размясцічь бур.\n\nНацісніце на конпку \ue800 [accent]падцвердзіць[] у нізе справа каб падцвердзіць. +gz.conveyors = Даследуйце і размасціце :conveyor: [accent]канвееры[] каб рухаць дабытыя рэсурсы\nад буроў да ядра.\n\nНажміце і правядзіце каб размясціць некалькі канвеераў.\n[accent]Пракручваць[] каб паварочваць аб'ект. +gz.conveyors.mobile = Даследуйце і размасціце :conveyor: [accent]канвееры[] каб рухаць дабытыя рэсурсы\nад буроў да ядра.\n\nУтрымайце ваш палец адну секнду і правядзіце каб размясціць некалькі канвеераў. gz.drills = Пашырайце аперацыю здабычы.\nРазмясціце больш Механічных Буроў.\nЗдабудзьце 100 медзі. -gz.lead = \uf837 [accent]Свінец[] гэта другі звычайны ў выкарыстанні рэсурс.\nПастаўце буры каб здабываць яго. -gz.moveup = \ue804 Перайдзіце да наступных мэт. -gz.turrets = Даследуйце і размясціце 2 \uf861 [accent]Двайныя турэлі[] каб абараняць ядро.\nДвайныя турэлі патрабуюць \uf838 [accent]снарады[] падведзеныя канвеерамі. +gz.lead = :lead: [accent]Свінец[] гэта другі звычайны ў выкарыстанні рэсурс.\nПастаўце буры каб здабываць яго. +gz.moveup = :up: Перайдзіце да наступных мэт. +gz.turrets = Даследуйце і размясціце 2 :duo: [accent]Двайныя турэлі[] каб абараняць ядро.\nДвайныя турэлі патрабуюць \uf838 [accent]снарады[] падведзеныя канвеерамі. gz.duoammo = Зарадзіце Двайныя турэлт [accent]меддзю[], выкарыстоўваючы канвееры. -gz.walls = [accent]Сцены[] могуць стрымліваць ад пашкоджанняў другія блокі .\nРазмясціце \uf8ae [accent]медныя сцены[] вакол турэлей. +gz.walls = [accent]Сцены[] могуць стрымліваць ад пашкоджанняў другія блокі .\nРазмясціце :copper-wall: [accent]медныя сцены[] вакол турэлей. gz.defend = Ворагі на падыходзе, прыгатуйцеся да аховы. -gz.aa = Паветранныя адзінкі не проста знішчыць звычайнымі турэлямі.\n\uf860 [accent]Турэлі льнік[] моцныя ў супраць-паветраннай ахове, патрабуюць \uf837 [accent]свінец[] у якасці боепрыпасаў. +gz.aa = Паветранныя адзінкі не проста знішчыць звычайнымі турэлямі.\n:scatter: [accent]Турэлі льнік[] моцныя ў супраць-паветраннай ахове, патрабуюць :lead: [accent]свінец[] у якасці боепрыпасаў. gz.scatterammo = Зараджайче турэлі льнік [accent]свінцом[], выкарыстоўваючы канвееры. gz.supplyturret = [accent]Грузавая Турэль gz.zone1 = Гэта вобласць зяўлення ворага. gz.zone2 = Усё што пастроена ў гэтай вобласцт будзе знішчана калі пачанецца хваля. gz.zone3 = Хваля амаль пачалася.\nПрыгатуйцеся. gz.finish = Пабудуйце больш турэляў, дабудзьце больш рэсурсаў,\nі вытрывайце ад усе хвалі каб [accent]захапіць гэты сектар[]. -onset.mine = Нажміце каб дабываць \uf748 [accent]берылій[] са сцен.\n\nВыкарыстоўвайце [accent][[WASD] каб рухацца. -onset.mine.mobile = Націсніце каб дабываць \uf748 [accent]берылій[] са сцен. -onset.research = Адчыніце \ue875 дрэва тэхналогій.\nДаследуйце, а пасля размясціце \uf870 [accent]Турбінны Кандэнсатар[], на гейзеры.\nЁн будзе генераваць [accent]энергію[]. -onset.bore = Даследуйце і размясціце \uf870 [accent]Плазменны Бур[]. \nЁн будзе аўтаматычна дабываць рэсурсы са сцен. -onset.power = Каб падлучыць [accent]энергію[] да плазменнага бура, даследуйце і размясціце \uf73d [accent]энергетычная вузлы[].\nЗлучыце турбінны кандэнсатар з плазменным буром. -onset.ducts = Даследуйце і размясціце \uf799 [accent]каналы[] каб перамяшчаць дабытыя рэсуры ад плазменных буроў у ядро.\nНажміце і утрымайце каб раўмясціць больш каналаў.\n[accent]Пракручваць[] каб паварочваць. -onset.ducts.mobile = Даследуйце і размясціце \uf799 [accent]каналы[] каб перамяшчаць дабытыя рэсуры ад плазменных буроў у ядро.\n\nУтрымлівайце ваш палец адну секнд і правядзіце каб размясціць больш каналаў. +onset.mine = Нажміце каб дабываць :beryllium: [accent]берылій[] са сцен.\n\nВыкарыстоўвайце [accent][[WASD] каб рухацца. +onset.mine.mobile = Націсніце каб дабываць :beryllium: [accent]берылій[] са сцен. +onset.research = Адчыніце :tree: дрэва тэхналогій.\nДаследуйце, а пасля размясціце :mechanical-drill: [accent]Турбінны Кандэнсатар[], на гейзеры.\nЁн будзе генераваць [accent]энергію[]. +onset.bore = Даследуйце і размясціце :mechanical-drill: [accent]Плазменны Бур[]. \nЁн будзе аўтаматычна дабываць рэсурсы са сцен. +onset.power = Каб падлучыць [accent]энергію[] да плазменнага бура, даследуйце і размясціце :beam-node: [accent]энергетычная вузлы[].\nЗлучыце турбінны кандэнсатар з плазменным буром. +onset.ducts = Даследуйце і размясціце :duct: [accent]каналы[] каб перамяшчаць дабытыя рэсуры ад плазменных буроў у ядро.\nНажміце і утрымайце каб раўмясціць больш каналаў.\n[accent]Пракручваць[] каб паварочваць. +onset.ducts.mobile = Даследуйце і размясціце :duct: [accent]каналы[] каб перамяшчаць дабытыя рэсуры ад плазменных буроў у ядро.\n\nУтрымлівайце ваш палец адну секнд і правядзіце каб размясціць больш каналаў. onset.moremine = Пашырайце дабываючую прамысловасць.\nРазмясціце больш Плазменных Буроўmore і выкарыстоўвайце прамянёвыя вузлы і каналы каб падтрымліваць прамысловасць.\nДабудзьце 200 берылія. -onset.graphite = Патрабуецца больш комплексных блокаў \uf835 [accent]графіта[].\nРазмясціце плазменныя буры каб дабываць графіт. -onset.research2 = Пачніце даследаваць [accent]фабрыкі[].\n Даследуйце \uf74d [accent]Здр crusher[] and \uf779 [accent]silicon arc furnace[]. -onset.arcfurnace = The arc furnace needs \uf834 [accent]sand[] and \uf835 [accent]graphite[] to create \uf82f [accent]silicon[].\n[accent]Power[] is also required. -onset.crusher = Use \uf74d [accent]cliff crushers[] to mine sand. -onset.fabricator = Use [accent]units[] to explore the map, defend buildings, and attack the enemy. Research and place a \uf6a2 [accent]tank fabricator[]. +onset.graphite = Патрабуецца больш комплексных блокаў :graphite: [accent]графіта[].\nРазмясціце плазменныя буры каб дабываць графіт. +onset.research2 = Пачніце даследаваць [accent]фабрыкі[].\n Даследуйце :cliff-crusher: [accent]Здр crusher[] and :silicon-arc-furnace: [accent]silicon arc furnace[]. +onset.arcfurnace = The arc furnace needs :sand: [accent]sand[] and :graphite: [accent]graphite[] to create :silicon: [accent]silicon[].\n[accent]Power[] is also required. +onset.crusher = Use :cliff-crusher: [accent]cliff crushers[] to mine sand. +onset.fabricator = Use [accent]units[] to explore the map, defend buildings, and attack the enemy. Research and place a :tank-fabricator: [accent]tank fabricator[]. onset.makeunit = Produce a unit.\nUse the "?" button to see selected factory requirements. -onset.turrets = Units are effective, but [accent]turrets[] provide better defensive capabilities if used effectively.\nPlace a \uf6eb [accent]Breach[] turret.\nTurrets require \uf748 [accent]ammo[]. +onset.turrets = Units are effective, but [accent]turrets[] provide better defensive capabilities if used effectively.\nPlace a :breach: [accent]Breach[] turret.\nTurrets require :beryllium: [accent]ammo[]. onset.turretammo = Supply the turret with [accent]beryllium ammo.[] -onset.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace some \uf6ee [accent]beryllium walls[] around the turret. +onset.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace some :beryllium-wall: [accent]beryllium walls[] around the turret. onset.enemies = Enemy incoming, prepare to defend. onset.defenses = [accent]Set up defenses:[lightgray] {0} onset.attack = The enemy is vulnerable. Counter-attack. -onset.cores = New cores can be placed on [accent]core tiles[].\nNew cores function as forward bases and share a resource inventory with other cores.\nPlace a \uf725 core. +onset.cores = New cores can be placed on [accent]core tiles[].\nNew cores function as forward bases and share a resource inventory with other cores.\nPlace a :core-bastion: core. onset.detect = The enemy will be able to detect you in 2 minutes.\nSet up defenses, mining, and production. onset.commandmode = Зажміце [accent]shift[] каб увайсці ў [accent]рэжым камандавання[].\n[accent]Левая Кнопка Мышкі і працягнуць[] каб выбраць адзінкі.\n[accent]Правая Кнопка Мышкі[] каб камандаваць выбранымі адзінкамі каб рухаць або атакаваць. onset.commandmode.mobile = Націсніце на кнопку [accent]Камандавання[] каб увайсці ў [accent]рэжым камандавання[].\nУтрамайце палец, пасля [accent]правесці[] да выбраных адзінак.\n[accent]Націсніце[] каб камандаваць выбранымі адзінкамі каб рухаць або атакаваць. diff --git a/core/assets/bundles/bundle_bg.properties b/core/assets/bundles/bundle_bg.properties index 089f1ae4e5b8..a10b2457a654 100644 --- a/core/assets/bundles/bundle_bg.properties +++ b/core/assets/bundles/bundle_bg.properties @@ -1920,77 +1920,77 @@ hint.respawn = За да се появите отново като кораб, hint.respawn.mobile = Вие активирахте режим на управление на единица/структура. За да се върнете във вашия кораб, [accent]докоснете аватара в горния ляв ъгъл[]. hint.desktopPause = Натиснете [accent][[Интервал][] за да поставите играта на пауза или да я продължите. hint.breaking = Натиснете с [accent]Десен клавиш[] и плъзнете за да унищожите блокове. -hint.breaking.mobile = Активирайте \ue817 [accent]чука[] от долния десен ъгъл и натиснете за да унищожите блокове.\n\nЗадръжте за секунда и плъзнете за да унищожите всички блокове в избраната зона. +hint.breaking.mobile = Активирайте :hammer: [accent]чука[] от долния десен ъгъл и натиснете за да унищожите блокове.\n\nЗадръжте за секунда и плъзнете за да унищожите всички блокове в избраната зона. hint.blockInfo = View information of a block by selecting it in the [accent]build menu[], then selecting the [accent][[?][] button at the right. hint.derelict = [accent]Derelict[] structures are broken remnants of old bases that no longer function.\n\nThese structures can be [accent]deconstructed[] for resources. -hint.research = Използвайте бутонът \ue875 [accent]Проучване[] за да изследвате нови технологии. -hint.research.mobile = Използвайте бутонът \ue875 [accent]Проучване[] в \ue88c [accent]Менюто[] за да изследвате нови технологии. +hint.research = Използвайте бутонът :tree: [accent]Проучване[] за да изследвате нови технологии. +hint.research.mobile = Използвайте бутонът :tree: [accent]Проучване[] в :menu: [accent]Менюто[] за да изследвате нови технологии. hint.unitControl = Задръжте [accent][[L-Ctrl][] и [accent]кликнете[] за да управлявате ваша единици или кули. hint.unitControl.mobile = [accent][[Докоснете два пъти][] за да контролирате ваша единица или кула. hint.unitSelectControl = To control units, enter [accent]command mode[] by holding [accent]L-shift.[]\nWhile in command mode, click and drag to select units. [accent]Right-click[] a location or target to command units there. hint.unitSelectControl.mobile = To control units, enter [accent]command mode[] by pressing the [accent]command[] button in the bottom left.\nWhile in command mode, long-press and drag to select units. Tap a location or target to command units there. -hint.launch = След като съберете достатъчно ресурси, можете да [accent]Изстреляте[] ядро като изберете близък сектор от \ue827 [accent]Глобуса[] в долния десен ъгъл. -hint.launch.mobile = След като съберете достатъчно ресурси, можете да [accent]Изстреляте[] ядро като изберете близък сектор от \ue827 [accent]Глобуса[] в \ue88c [accent]Менюто[]. +hint.launch = След като съберете достатъчно ресурси, можете да [accent]Изстреляте[] ядро като изберете близък сектор от :map: [accent]Глобуса[] в долния десен ъгъл. +hint.launch.mobile = След като съберете достатъчно ресурси, можете да [accent]Изстреляте[] ядро като изберете близък сектор от :map: [accent]Глобуса[] в :menu: [accent]Менюто[]. hint.schematicSelect = Задръжте [accent][[F][] и плъзнете за да изберете/копирате група от блокчета.\n\n[accent][[Среден клик][] за да копирате едно блокче. hint.rebuildSelect = Hold [accent][[B][] and drag to select destroyed block plans.\nThis will rebuild them automatically. -hint.rebuildSelect.mobile = Select the \ue874 copy button, then tap the \ue80f rebuild button and drag to select destroyed block plans.\nThis will rebuild them automatically. +hint.rebuildSelect.mobile = Select the :copy: copy button, then tap the :wrench: rebuild button and drag to select destroyed block plans.\nThis will rebuild them automatically. hint.conveyorPathfind = Задръжте [accent][[L-Ctrl][] докато поставяте пътека от конвейери за да генерирате пътека автоматично. -hint.conveyorPathfind.mobile = Позволете \ue844 [accent]Диагонално Поставяне[] за автоматично намиране на пътека при поставяне на конвейери. +hint.conveyorPathfind.mobile = Позволете :diagonal: [accent]Диагонално Поставяне[] за автоматично намиране на пътека при поставяне на конвейери. hint.boost = Задръжте [accent][[L-Shift][] за да прелетите над препятствия с тази единица.\n\nСамо някои наземни единици имат двигатели за летене. hint.payloadPickup = Натиснете [accent][[[] за да вдигнете малки блокчета ил единици. hint.payloadPickup.mobile = [accent]Докоснете и задръжте[] върху малко блокче или единица за да го вдигнете. hint.payloadDrop = Натиснете [accent]][] за да оставите вашия товар. hint.payloadDrop.mobile = [accent]Докоснете и задръжте[] върху празна позиция за да оставите вашия товар там. hint.waveFire = Кулите [accent]Вълна[] заредени със вода ще действат и като пожарогасители. -hint.generator = \uf879 [accent]Горивните генератори[] горят въглища и зареждат с електроенергия съседни блокове.\n\nРазстоянието за предаване на енергия може да се увеличи чрез \uf87f [accent]Електрически Възли[]. -hint.guardian = [accent]Пазителите[] са единици с повече броня. Слаби боеприпаси като [accent]Мед[] и [accent]Олово[] са [scarlet]неефективни[] срещу тях.\n\nИзползвайте по - мощни кули или заредете ващите \uf861Дуо/\uf859Салво с \uf835 [accent]Графит[] за да ги повалите. -hint.coreUpgrade = Ядрата могат да бъдат подобрявани като [accent]поставите по - добро ядро върху тях[].\n\nПоставете \uf868 [accent]Фондация[] върху \uf869 [accent]Шард[] ядрото. Уверете се че няма други препятствия там, където поставяте ядрото. +hint.generator = :combustion-generator: [accent]Горивните генератори[] горят въглища и зареждат с електроенергия съседни блокове.\n\nРазстоянието за предаване на енергия може да се увеличи чрез :power-node: [accent]Електрически Възли[]. +hint.guardian = [accent]Пазителите[] са единици с повече броня. Слаби боеприпаси като [accent]Мед[] и [accent]Олово[] са [scarlet]неефективни[] срещу тях.\n\nИзползвайте по - мощни кули или заредете ващите :duo:Дуо/:salvo:Салво с :graphite: [accent]Графит[] за да ги повалите. +hint.coreUpgrade = Ядрата могат да бъдат подобрявани като [accent]поставите по - добро ядро върху тях[].\n\nПоставете :core-foundation: [accent]Фондация[] върху :core-shard: [accent]Шард[] ядрото. Уверете се че няма други препятствия там, където поставяте ядрото. hint.presetLaunch = Към сивите [accent]сектори за кацане[], какъвто е [accent]Замръзнала Гора[] можете да изстреляте ядро от всякъде. Не е необходимо да превземането на съседна територия.\n\n[accent]Номерираните сектори[], като този, са [accent]пожелателни[]. hint.presetDifficulty = This sector has a [scarlet]high enemy threat level[].\nLaunching to such sectors is [accent]not recommended[] without proper technology and preparation. hint.coreIncinerate = След като ядрото се препълни с конкретен тип ресурс, всички допълнителни доставени количества от него ще бъдат [accent]унищожени[]. hint.factoryControl = To set a unit factory's [accent]output destination[], click a factory block while in command mode, then right-click a location.\nUnits produced by it will automatically move there. hint.factoryControl.mobile = To set a unit factory's [accent]output destination[], tap a factory block while in command mode, then tap a location.\nUnits produced by it will automatically move there. -gz.mine = Move near the \uf8c4 [accent]copper ore[] on the ground and click to begin mining. -gz.mine.mobile = Move near the \uf8c4 [accent]copper ore[] on the ground and tap it to begin mining. -gz.research = Open the \ue875 tech tree.\nResearch the \uf870 [accent]Mechanical Drill[], then select it from the menu in the bottom right.\nClick on a copper patch to place it. -gz.research.mobile = Open the \ue875 tech tree.\nResearch the \uf870 [accent]Mechanical Drill[], then select it from the menu in the bottom right.\nTap on a copper patch to place it.\n\nPress the \ue800 [accent]checkmark[] at the bottom right to confirm. -gz.conveyors = Research and place \uf896 [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nClick and drag to place multiple conveyors.\n[accent]Scroll[] to rotate. -gz.conveyors.mobile = Research and place \uf896 [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nHold down your finger for a second and drag to place multiple conveyors. +gz.mine = Move near the :ore-copper: [accent]copper ore[] on the ground and click to begin mining. +gz.mine.mobile = Move near the :ore-copper: [accent]copper ore[] on the ground and tap it to begin mining. +gz.research = Open the :tree: tech tree.\nResearch the :mechanical-drill: [accent]Mechanical Drill[], then select it from the menu in the bottom right.\nClick on a copper patch to place it. +gz.research.mobile = Open the :tree: tech tree.\nResearch the :mechanical-drill: [accent]Mechanical Drill[], then select it from the menu in the bottom right.\nTap on a copper patch to place it.\n\nPress the \ue800 [accent]checkmark[] at the bottom right to confirm. +gz.conveyors = Research and place :conveyor: [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nClick and drag to place multiple conveyors.\n[accent]Scroll[] to rotate. +gz.conveyors.mobile = Research and place :conveyor: [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nHold down your finger for a second and drag to place multiple conveyors. gz.drills = Expand the mining operation.\nPlace more Mechanical Drills.\nMine 100 copper. -gz.lead = \uf837 [accent]Lead[] is another commonly used resource.\nSet up drills to mine lead. -gz.moveup = \ue804 Move up for further objectives. -gz.turrets = Research and place 2 \uf861 [accent]Duo[] turrets to defend the core.\nDuo turrets require \uf838 [accent]ammo[] from conveyors. +gz.lead = :lead: [accent]Lead[] is another commonly used resource.\nSet up drills to mine lead. +gz.moveup = :up: Move up for further objectives. +gz.turrets = Research and place 2 :duo: [accent]Duo[] turrets to defend the core.\nDuo turrets require \uf838 [accent]ammo[] from conveyors. gz.duoammo = Supply the Duo turrets with [accent]copper[], using conveyors. -gz.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace \uf8ae [accent]copper walls[] around the turrets. +gz.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace :copper-wall: [accent]copper walls[] around the turrets. gz.defend = Enemy incoming, prepare to defend. -gz.aa = Flying units cannot easily be dispatched with standard turrets.\n\uf860 [accent]Scatter[] turrets provide excellent anti-air, but require \uf837 [accent]lead[] as ammo. +gz.aa = Flying units cannot easily be dispatched with standard turrets.\n:scatter: [accent]Scatter[] turrets provide excellent anti-air, but require :lead: [accent]lead[] as ammo. gz.scatterammo = Supply the Scatter turret with [accent]lead[], using conveyors. gz.supplyturret = [accent]Supply Turret gz.zone1 = This is the enemy drop zone. gz.zone2 = Anything built in the radius is destroyed when a wave starts. gz.zone3 = A wave will begin now.\nGet ready. gz.finish = Build more turrets, mine more resources,\nand defend against all the waves to [accent]capture the sector[]. -onset.mine = Click to mine \uf748 [accent]beryllium[] from walls.\n\nUse [accent][[WASD] to move. -onset.mine.mobile = Tap to mine \uf748 [accent]beryllium[] from walls. -onset.research = Open the \ue875 tech tree.\nResearch, then place a \uf73e [accent]turbine condenser[] on the vent.\nThis will generate [accent]power[]. -onset.bore = Research and place a \uf741 [accent]plasma bore[].\nThis automatically mines resources from walls. -onset.power = To [accent]power[] the plasma bore, research and place a \uf73d [accent]beam node[].\nConnect the turbine condenser to the plasma bore. -onset.ducts = Research and place \uf799 [accent]ducts[] to move the mined resources from the plasma bore to the core.\nClick and drag to place multiple ducts.\n[accent]Scroll[] to rotate. -onset.ducts.mobile = Research and place \uf799 [accent]ducts[] to move the mined resources from the plasma bore to the core.\n\nHold down your finger for a second and drag to place multiple ducts. +onset.mine = Click to mine :beryllium: [accent]beryllium[] from walls.\n\nUse [accent][[WASD] to move. +onset.mine.mobile = Tap to mine :beryllium: [accent]beryllium[] from walls. +onset.research = Open the :tree: tech tree.\nResearch, then place a :turbine-condenser: [accent]turbine condenser[] on the vent.\nThis will generate [accent]power[]. +onset.bore = Research and place a :plasma-bore: [accent]plasma bore[].\nThis automatically mines resources from walls. +onset.power = To [accent]power[] the plasma bore, research and place a :beam-node: [accent]beam node[].\nConnect the turbine condenser to the plasma bore. +onset.ducts = Research and place :duct: [accent]ducts[] to move the mined resources from the plasma bore to the core.\nClick and drag to place multiple ducts.\n[accent]Scroll[] to rotate. +onset.ducts.mobile = Research and place :duct: [accent]ducts[] to move the mined resources from the plasma bore to the core.\n\nHold down your finger for a second and drag to place multiple ducts. onset.moremine = Expand the mining operation.\nPlace more Plasma Bores and use beam nodes and ducts to support them.\nMine 200 beryllium. -onset.graphite = More complex blocks require \uf835 [accent]graphite[].\nSet up plasma bores to mine graphite. -onset.research2 = Begin researching [accent]factories[].\nResearch the \uf74d [accent]cliff crusher[] and \uf779 [accent]silicon arc furnace[]. -onset.arcfurnace = The arc furnace needs \uf834 [accent]sand[] and \uf835 [accent]graphite[] to create \uf82f [accent]silicon[].\n[accent]Power[] is also required. -onset.crusher = Use \uf74d [accent]cliff crushers[] to mine sand. -onset.fabricator = Use [accent]units[] to explore the map, defend buildings, and attack the enemy. Research and place a \uf6a2 [accent]tank fabricator[]. +onset.graphite = More complex blocks require :graphite: [accent]graphite[].\nSet up plasma bores to mine graphite. +onset.research2 = Begin researching [accent]factories[].\nResearch the :cliff-crusher: [accent]cliff crusher[] and :silicon-arc-furnace: [accent]silicon arc furnace[]. +onset.arcfurnace = The arc furnace needs :sand: [accent]sand[] and :graphite: [accent]graphite[] to create :silicon: [accent]silicon[].\n[accent]Power[] is also required. +onset.crusher = Use :cliff-crusher: [accent]cliff crushers[] to mine sand. +onset.fabricator = Use [accent]units[] to explore the map, defend buildings, and attack the enemy. Research and place a :tank-fabricator: [accent]tank fabricator[]. onset.makeunit = Produce a unit.\nUse the "?" button to see selected factory requirements. -onset.turrets = Units are effective, but [accent]turrets[] provide better defensive capabilities if used effectively.\nPlace a \uf6eb [accent]Breach[] turret.\nTurrets require \uf748 [accent]ammo[]. +onset.turrets = Units are effective, but [accent]turrets[] provide better defensive capabilities if used effectively.\nPlace a :breach: [accent]Breach[] turret.\nTurrets require :beryllium: [accent]ammo[]. onset.turretammo = Supply the turret with [accent]beryllium ammo.[] -onset.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace some \uf6ee [accent]beryllium walls[] around the turret. +onset.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace some :beryllium-wall: [accent]beryllium walls[] around the turret. onset.enemies = Enemy incoming, prepare to defend. onset.defenses = [accent]Set up defenses:[lightgray] {0} onset.attack = The enemy is vulnerable. Counter-attack. -onset.cores = New cores can be placed on [accent]core tiles[].\nNew cores function as forward bases and share a resource inventory with other cores.\nPlace a \uf725 core. +onset.cores = New cores can be placed on [accent]core tiles[].\nNew cores function as forward bases and share a resource inventory with other cores.\nPlace a :core-bastion: core. onset.detect = The enemy will be able to detect you in 2 minutes.\nSet up defenses, mining, and production. onset.commandmode = Hold [accent]shift[] to enter [accent]command mode[].\n[accent]Left-click and drag[] to select units.\n[accent]Right-click[] to order selected units to move or attack. onset.commandmode.mobile = Press the [accent]command button[] to enter [accent]command mode[].\nHold down a finger, then [accent]drag[] to select units.\n[accent]Tap[] to order selected units to move or attack. diff --git a/core/assets/bundles/bundle_ca.properties b/core/assets/bundles/bundle_ca.properties index 8b7693a41924..bd07dfc681d2 100644 --- a/core/assets/bundles/bundle_ca.properties +++ b/core/assets/bundles/bundle_ca.properties @@ -1929,77 +1929,77 @@ hint.respawn = Per a reaparèixer com una nau, premeu [accent]V[]. hint.respawn.mobile = Ara esteu controlant una unitat o estructura. Per a reaparèixer com una nau, [accent]toqueu l’avatar[] de la part superior esquerra. hint.desktopPause = Premeu la [accent]barra espaiadora[] per a posar en pausa i reprendre la partida. hint.breaking = Feu clic amb el [accent]botó dret[] i arrossegueu per a treure blocs. -hint.breaking.mobile = Activeu el \ue817 [accent]martell[] de la part inferior dreta i toqueu els blocs que vulgueu treure.\n\nManteniu premut el dit durant un segon i arrossegueu per a seleccionar un rectangle d’on treure tots els blocs. +hint.breaking.mobile = Activeu el :hammer: [accent]martell[] de la part inferior dreta i toqueu els blocs que vulgueu treure.\n\nManteniu premut el dit durant un segon i arrossegueu per a seleccionar un rectangle d’on treure tots els blocs. hint.blockInfo = Mostra la informació d’un bloc seleccionant-lo al [accent]menú de construcció[], Llavors seleccioneu el botó [accent][[?][] de la dreta. hint.derelict = Les estructures [accent]en ruïnes[] són les restes de bases antigues que ja no funcionen.\n\nAquestes estructures es poden [accent]desmuntar[] per a recuperar recursos. -hint.research = Empreu el botó de \ue875 [accent]Recerca[] per a investigar noves tecnologies. -hint.research.mobile = Empreu el botó de \ue875 [accent]Recerca[] del \ue88c [accent]Menú[] per a investigar noves tecnologies. +hint.research = Empreu el botó de :tree: [accent]Recerca[] per a investigar noves tecnologies. +hint.research.mobile = Empreu el botó de :tree: [accent]Recerca[] del :menu: [accent]Menú[] per a investigar noves tecnologies. hint.unitControl = Mantingueu premuda la tecla [accent][[ControlEsquerra][] i [accent]feu clic[] per a controlar torretes i unitats amistoses. hint.unitControl.mobile = [accent]Toqueu dues vegades[] per a controlar torretes i unitats amistoses. hint.unitSelectControl = Per a controlar unitats, entreu al [accent]mode de comandament[] amb la tecla [accent]Maj. esquerra[].\nMentre esteu al mode de comandament, feu clic i arrossegueu per a seleccionar unitats. Feu [accent]clic amb el botó esquerre[] en algun lloc o objectiu per a comandar-hi les unitats. hint.unitSelectControl.mobile = Per a controlar unitats, entreu al [accent]mode de comandament[] amb el botó de[accent]comandament[] de la part superior esquerra.\nMentre esteu al mode de comandament, premeu uns segons i arrossegueu per a seleccionar unitats. Toqueu en algun lloc o objectiu per a comandar-hi les unitats. -hint.launch = Un cop s’han recollit prou recursos, podeu iniciar un llançament seleccionant un sector proper del \ue827 [accent]Mapa[] de la part inferior dreta. -hint.launch.mobile = Un cop s’han recollit prou recursos, podeu iniciar un llançament seleccionant un sector proper del \ue827 [accent]Mapa[] del \ue88c [accent]Menú[]. +hint.launch = Un cop s’han recollit prou recursos, podeu iniciar un llançament seleccionant un sector proper del :map: [accent]Mapa[] de la part inferior dreta. +hint.launch.mobile = Un cop s’han recollit prou recursos, podeu iniciar un llançament seleccionant un sector proper del :map: [accent]Mapa[] del :menu: [accent]Menú[]. hint.schematicSelect = Manteniu premuda la tecla [accent]F[] i arrossegueu per a seleccionar els blocs que vulgueu copiar i enganxar.\n\nFeu clic amb el [accent]botó del mig[] del ratolí per a copiar només un tipus de bloc. hint.rebuildSelect = Manteniu premuda la tecla [accent][[B][] i arrossegueu per a seleccionar els plànols dels blocs destruïts.\nAixí, es podran reconstruir automàticament. -hint.rebuildSelect.mobile = Seleccioneu el botó de copiar \ue874. Després, toqueu el botó de reconstrucció \ue80f i arrossegueu per a triar quins blocs voleu que es reconstrueixin.\nAixò farà que es reconstrueixin de manera automàtica. +hint.rebuildSelect.mobile = Seleccioneu el botó de copiar :copy:. Després, toqueu el botó de reconstrucció :wrench: i arrossegueu per a triar quins blocs voleu que es reconstrueixin.\nAixò farà que es reconstrueixin de manera automàtica. hint.conveyorPathfind = Manteniu premuda la tecla [accent]ControlEsquerra[] i arrossegueu les cintes per a generar un camí automàticament. -hint.conveyorPathfind.mobile = Activeu el \ue844 [accent]mode diagonal[] i arrossegueu les cintes per a generar un camí automàticament. +hint.conveyorPathfind.mobile = Activeu el :diagonal: [accent]mode diagonal[] i arrossegueu les cintes per a generar un camí automàticament. hint.boost = Manteniu premuda la tecla [accent]ControlEsquerra[] per a sobrevolar els obstacles amb la unitat actual.\n\nNomés algunes unitats terrestres tenen elevadors per a poder-ho fer. hint.payloadPickup = Premeu [accent][[[] per a recollir blocs petits o unitats. hint.payloadPickup.mobile = [accent]Manteniu premut[] un bloc petit per a recollir-lo. També es pot fer amb unitats. hint.payloadDrop = Premeu [accent]][] per a deixar el bloc o la unitat. hint.payloadDrop.mobile = [accent]Manteniu premuda[] una posició buida per a deixar-hi un bloc o una unitat. hint.waveFire = Les torretes de tipus [accent]Wave[] que usin aigua com munició apagaran els focs propers automàticament. -hint.generator = Els \uf879 [accent]Generadors a combustió[] cremen carbó i transmeten energia als blocs adjacents.\n\nL’abast de la transmissió d’energia es pot expandir amb \uf87f [accent]node d’energia[]. -hint.guardian = Les unitats de tipus [accent]Guardià[] són unitats blindades. La munició dèbil com ara el [accent]Coure[] i el [accent]Plom[] [scarlet]no és efectiva[].\n\nEmpreu torretes de nivell més alt o carregueu torretes \uf861Duo/\uf859Salvo amb \uf835 [accent]Grafit[] per a destruir-los. +hint.generator = Els :combustion-generator: [accent]Generadors a combustió[] cremen carbó i transmeten energia als blocs adjacents.\n\nL’abast de la transmissió d’energia es pot expandir amb :power-node: [accent]node d’energia[]. +hint.guardian = Les unitats de tipus [accent]Guardià[] són unitats blindades. La munició dèbil com ara el [accent]Coure[] i el [accent]Plom[] [scarlet]no és efectiva[].\n\nEmpreu torretes de nivell més alt o carregueu torretes :duo:Duo/:salvo:Salvo amb :graphite: [accent]Grafit[] per a destruir-los. hint.coreUpgrade = Els nuclis es poden millorar [accent]construint-hi a sobre nuclis amb millors característiques[].\n\nSitueu un nucli de tipus [accent]Fonament[] a sobre del nucli [accent]Estella[]. Assegureu-vos que no hi hagin obstruccions properes. hint.presetLaunch = Als [accent]sectors amb zones d’aterratge[] de color gris, com ara [accent]El bosc gelat[], s’hi pot accedir des de qualsevol lloc. No cal capturar cap territori proper.\n\nEls [accent]sectors numerats[], com aquest, són [accent]opcionals[]. hint.presetDifficulty = Aquest sector té un [accent]nivell d’amenaça enemiga elevat[].\n[accent]No es recomana[] aterrar a aquests sectors sense les tecnologies i la preparació adequades. hint.coreIncinerate = Després que s’hagi arribat al màxim d’emmagatzematge d’un determinat tipus d’element al nucli, tots els altres elements d’aquest tipus que entrin al nucli s’[accent]incineraran[]. hint.factoryControl = Per a establir la [accent]destinació de sortida[] de les unitats d’una fàbrica, feu clic en un bloc de fàbrica mentre esteu en mode de comandament i després feu clic amb el botó de la dreta a la posició desitjada.\nLes unitats produïdes s’hi dirigiran automàticament. hint.factoryControl.mobile = Per a establir la [accent]destinació de sortida[] de les unitats d’una fàbrica, toqueu un bloc de fàbrica mentre esteu en mode de comandament i després toqueu la posició desitjada.\nLes unitats produïdes s’hi dirigiran automàticament. -gz.mine = Apropeu-vos al \uf8c4 [accent]mineral de coure[] del terra i feu-hi clic per a començar a extreure’n coure. -gz.mine.mobile = Apropeu-vos al \uf8c4 [accent]mineral de coure[] del terra i toqueu-lo per a començar a extreure’n coure. -gz.research = Obriu l’\ue875 arbre tecnològic.\nInvestigueu la \uf870 [accent]perforadora mecànica[] i després trieu-la des del menú de sota a la dreta.\nFeu clic en un dipòsit de coure per a construir-la. -gz.research.mobile = Obriu l’\ue875 arbre tecnològic.\nInvestigueu la \uf870 [accent]perforadora mecànica[] i després trieu-la des del menú de sota a la dreta.\nToqueu un dipòsit de coure per a construir-la.\n\nPer a acabar, premeu la icona de \ue800 [accent]confirmació[] a sota a l’esquerra. -gz.conveyors = Investigueu i construïu \uf896 [accent]cintes transportadores[] per a moure els recursos extrets\nde les perforadores fins al nucli.\n\nFeu clic i arrossegueu per a construir-ne més d’una més fàcilment.\n[accent]Gireu la rodeta del mig[] del ratolí per a girar la direcció de la cinta. -gz.conveyors.mobile = Investigueu i construïu \uf896 [accent]cintes transportadores[] per a moure els recursos extrets\nde les perforadores fins al nucli.\n\nPremeu, manteniu un moment el dit durant un segon i arrossegueu per a construir-ne més d’una més fàcilment. +gz.mine = Apropeu-vos al :ore-copper: [accent]mineral de coure[] del terra i feu-hi clic per a començar a extreure’n coure. +gz.mine.mobile = Apropeu-vos al :ore-copper: [accent]mineral de coure[] del terra i toqueu-lo per a començar a extreure’n coure. +gz.research = Obriu l’:tree: arbre tecnològic.\nInvestigueu la :mechanical-drill: [accent]perforadora mecànica[] i després trieu-la des del menú de sota a la dreta.\nFeu clic en un dipòsit de coure per a construir-la. +gz.research.mobile = Obriu l’:tree: arbre tecnològic.\nInvestigueu la :mechanical-drill: [accent]perforadora mecànica[] i després trieu-la des del menú de sota a la dreta.\nToqueu un dipòsit de coure per a construir-la.\n\nPer a acabar, premeu la icona de \ue800 [accent]confirmació[] a sota a l’esquerra. +gz.conveyors = Investigueu i construïu :conveyor: [accent]cintes transportadores[] per a moure els recursos extrets\nde les perforadores fins al nucli.\n\nFeu clic i arrossegueu per a construir-ne més d’una més fàcilment.\n[accent]Gireu la rodeta del mig[] del ratolí per a girar la direcció de la cinta. +gz.conveyors.mobile = Investigueu i construïu :conveyor: [accent]cintes transportadores[] per a moure els recursos extrets\nde les perforadores fins al nucli.\n\nPremeu, manteniu un moment el dit durant un segon i arrossegueu per a construir-ne més d’una més fàcilment. gz.drills = Expandiu les operacions mineres.\nConstruïu més perforadores mecàniques.\nExtraieu 100 unitats de coure. -gz.lead = \uf837 El [accent]plom[] és un altre recurs comú.\nSitueu perforadores al damunt de dipòsits de plom per a extreure’n. -gz.moveup = \ue804 Moveu-mos amunt per a veure més objectius. -gz.turrets = Investigueu i construïu 2 torretes \uf861 [accent]duo[] per a defensar el nucli.\nLes torretes duo necessiten rebre \uf838 [accent]munició[] amb cintes transportadores. +gz.lead = :lead: El [accent]plom[] és un altre recurs comú.\nSitueu perforadores al damunt de dipòsits de plom per a extreure’n. +gz.moveup = :up: Moveu-mos amunt per a veure més objectius. +gz.turrets = Investigueu i construïu 2 torretes :duo: [accent]duo[] per a defensar el nucli.\nLes torretes duo necessiten rebre \uf838 [accent]munició[] amb cintes transportadores. gz.duoammo = Subministreu [accent]coure[] a les torretes duo amb cintes transportadores. -gz.walls = Els [accent]murs[] poden evitar que el dany arribi a les estructures importants.\nConstruïu alguns \uf6ee [accent]murs de coure[] al voltant de les torretes. +gz.walls = Els [accent]murs[] poden evitar que el dany arribi a les estructures importants.\nConstruïu alguns :beryllium-wall: [accent]murs de coure[] al voltant de les torretes. gz.defend = S’apropa l’enemic. Prepareu-vos per a defensar-vos. -gz.aa = Les torretes estàndard no poden disparar fàcilment a les unitats aèries.\n\uf860 Les torretes [accent]scatter[] proporcionen una defensa antiaèria excel·lent, però necessiten munició de \uf837 [accent]plom[]. +gz.aa = Les torretes estàndard no poden disparar fàcilment a les unitats aèries.\n:scatter: Les torretes [accent]scatter[] proporcionen una defensa antiaèria excel·lent, però necessiten munició de :lead: [accent]plom[]. gz.scatterammo = Subministreu [accent]plom[] a la torreta scatter amb cintes transportadores. gz.supplyturret = [accent]Subministreu munició a la torreta gz.zone1 = Aquesta és la zona d’aterratge enemiga. gz.zone2 = Tot el que es construeixi a dins es destruirà quan comenci la propera onada enemiga. gz.zone3 = Ara comença una onada.\nPrepareu-vos. gz.finish = Construïu més torretes, extraieu més recursos \ni defense-vos contra totes les onades per a [accent]capturar el sector[]. -onset.mine = Feu clic als murs per a extraure \uf748 [accent]beril·li[].\n\nFeu servir [accent][[WASD] per a moure-vos. -onset.mine.mobile = Toqueu per a extraure \uf748 [accent]beril·li[] dels murs. -onset.research = Obriu \ue875 l’arbre tecnològic.\nInvestigueu i després construïu una \uf73e [accent]turbina condensadora[] a la fumarola.\nAixí aconseguireu generar [accent]energia[]. -onset.bore = Investigueu i construïu una \uf741 [accent]perforadora de plasma[].\nAixí extraureu recursos automàticament dels murs. -onset.power = Per a subministrar [accent]energia[] a la perforadora de plasma, investigueu i situeu un \uf73d [accent]node de transmissió d’energia per raigs[].\nConnecteu la turbina condensadora a la perforadora de plasma. -onset.ducts = Investigueu i situeu \uf799 [accent]conductes[] per a moure els recursos extrets amb perforadores de plasma al nucli.\n\nFeu clic i arrossegueu per a situar més d’un conducte fàcilment.\nGireu la [accent]rodeta del ratolí[] per a canviar-ne la direcció. -onset.ducts.mobile = Investigueu i situeu \uf799 [accent]conductes[] per a moure els recursos extrets amb perforadores de plasma al nucli.\n\nMantingueu premut el dit durant un segon i arrossegueu per a situar més d’un conducte fàcilment. +onset.mine = Feu clic als murs per a extraure :beryllium: [accent]beril·li[].\n\nFeu servir [accent][[WASD] per a moure-vos. +onset.mine.mobile = Toqueu per a extraure :beryllium: [accent]beril·li[] dels murs. +onset.research = Obriu :tree: l’arbre tecnològic.\nInvestigueu i després construïu una :turbine-condenser: [accent]turbina condensadora[] a la fumarola.\nAixí aconseguireu generar [accent]energia[]. +onset.bore = Investigueu i construïu una :plasma-bore: [accent]perforadora de plasma[].\nAixí extraureu recursos automàticament dels murs. +onset.power = Per a subministrar [accent]energia[] a la perforadora de plasma, investigueu i situeu un :beam-node: [accent]node de transmissió d’energia per raigs[].\nConnecteu la turbina condensadora a la perforadora de plasma. +onset.ducts = Investigueu i situeu :duct: [accent]conductes[] per a moure els recursos extrets amb perforadores de plasma al nucli.\n\nFeu clic i arrossegueu per a situar més d’un conducte fàcilment.\nGireu la [accent]rodeta del ratolí[] per a canviar-ne la direcció. +onset.ducts.mobile = Investigueu i situeu :duct: [accent]conductes[] per a moure els recursos extrets amb perforadores de plasma al nucli.\n\nMantingueu premut el dit durant un segon i arrossegueu per a situar més d’un conducte fàcilment. onset.moremine = Amplieu les operacions mineres.\nSitueu més perforadores de plasma i feu servir nodes de transmissió d’energia per raigs i conductes per tal que puguin operar.\nExtraieu 200 unitats de beril·li. -onset.graphite = Els blocs més complexos necessiten \uf835 [accent]grafit[].\nSitueu perforadores de plasma per a extraure’n. -onset.research2 = Comenceu a investigar les [accent]fàbriques[].\nInvestigueu les \uf74d [accent]picadores d’espadats[] i \uf779 [accent]forn d’arc de silici[]. -onset.arcfurnace = El forn d’arc necessita \uf834 [accent]sorra[] i \uf835 [accent]grafit[] per a obtenir \uf82f [accent]silici[].\nTambé fa falta [accent]energia[]. -onset.crusher = Feu servir les \uf74d [accent]picadores d’espadats[] per a extraure sorra. -onset.fabricator = Feu servir [accent]unitats[] per a explorar el mapa, defensar estructures i atacar als enemics. Investigueu i construïu una \uf6a2 [accent]fabricadora de tancs[]. +onset.graphite = Els blocs més complexos necessiten :graphite: [accent]grafit[].\nSitueu perforadores de plasma per a extraure’n. +onset.research2 = Comenceu a investigar les [accent]fàbriques[].\nInvestigueu les :cliff-crusher: [accent]picadores d’espadats[] i :silicon-arc-furnace: [accent]forn d’arc de silici[]. +onset.arcfurnace = El forn d’arc necessita :sand: [accent]sorra[] i :graphite: [accent]grafit[] per a obtenir :silicon: [accent]silici[].\nTambé fa falta [accent]energia[]. +onset.crusher = Feu servir les :cliff-crusher: [accent]picadores d’espadats[] per a extraure sorra. +onset.fabricator = Feu servir [accent]unitats[] per a explorar el mapa, defensar estructures i atacar als enemics. Investigueu i construïu una :tank-fabricator: [accent]fabricadora de tancs[]. onset.makeunit = Produïu una unitat.\nFeu servir el botó «?» per a veure els requisits de la fàbrica que trieu. -onset.turrets = Les unitats són efectives, però les [accent]torretes[] proporcionen una capacitat defensiva millor si es fan servir adequadament.\nConstruïu Place una torreta \uf6eb [accent]breach[].\nLes torretes necessiten \uf748 [accent]munició[]. +onset.turrets = Les unitats són efectives, però les [accent]torretes[] proporcionen una capacitat defensiva millor si es fan servir adequadament.\nConstruïu Place una torreta :breach: [accent]breach[].\nLes torretes necessiten :beryllium: [accent]munició[]. onset.turretammo = Subministreu [accent]munició de beril·li[] a la torreta. -onset.walls = Els [accent]murs[] poden evitar que el dany arribi a les estructures importants.\nConstruïu alguns \uf6ee [accent]murs de beril·li[] al voltant de la torreta. +onset.walls = Els [accent]murs[] poden evitar que el dany arribi a les estructures importants.\nConstruïu alguns :beryllium-wall: [accent]murs de beril·li[] al voltant de la torreta. onset.enemies = S’apropa un enemic. Prepareu la defensa. onset.defenses = [accent]Establiu defenses:[lightgray] {0} onset.attack = L’enemic és vulnerable. Contraataqueu. -onset.cores = Els nuclis nous es poden construir en [accent]caselles de nucli[].\nEls nuclis nous funcionen com a bases i comparteixen un inventari de recursos amb altres nuclis.\nConstruïu un \uf725 nucli. +onset.cores = Els nuclis nous es poden construir en [accent]caselles de nucli[].\nEls nuclis nous funcionen com a bases i comparteixen un inventari de recursos amb altres nuclis.\nConstruïu un :core-bastion: nucli. onset.detect = L’enemic us detectarà d’aquí 2 minuts.\nEstabliu les defenses i les explotacions mineres i de producció. onset.commandmode = Mantingueu premuda [accent]Maj.[] per a entrar al [accent]mode de comandament[].\n[accent]Feu clic amb el botó esquerre i arrossegueu[] per a seleccionar unitats.\n[accent]Feu clic amb el botó dret[] per a ordenar a les unitats seleccionades que ataquin o que es moguin. onset.commandmode.mobile = Premeu el [accent]botó de comandament[] per a entrar al [accent]mode de comandament[].\nPremeu i [accent]arrossegueu[] per a seleccionar unitats.\n[accent]Toqueu[] per a ordenar a les unitats seleccionades que ataquin o que es moguin. diff --git a/core/assets/bundles/bundle_cs.properties b/core/assets/bundles/bundle_cs.properties index 8b03cb938c74..ccd9333e6662 100644 --- a/core/assets/bundles/bundle_cs.properties +++ b/core/assets/bundles/bundle_cs.properties @@ -1924,77 +1924,77 @@ hint.respawn = Aby ses znovu přepnul na loď, zmáčkni [accent][[V][]. hint.respawn.mobile = Přepnul ses na ovládání jednotky nebo konstrukce. Aby ses přepnul zpět na loď, klikni na avatara vlevo nahoře. hint.desktopPause = Zmáčkni [accent][[mezerník][] k pozastavení a zase spuštění hry. hint.breaking = Klikni [accent]pravým tlačítkem[] a potáhni pro rozbití bloků. -hint.breaking.mobile = Použij \ue817 [accent]kladivo[] v pravém spodním rohu a pak ťupni pro rozbití bloků.\n\nPodrž chvíli prst a táhni pro rozbití bloků ve výběru. +hint.breaking.mobile = Použij :hammer: [accent]kladivo[] v pravém spodním rohu a pak ťupni pro rozbití bloků.\n\nPodrž chvíli prst a táhni pro rozbití bloků ve výběru. hint.blockInfo = Pro zobrazení informací o bloku, vyberte blok ve [accent]stavebním menu[], poté kliknutím na [accent][[?][] tlačítka vpravo. hint.derelict = [accent]Opuštěné[] struktury jsou rozbíté pozůstalky starých základen, které již nefungujou.\n\nTyto struktury můžou být [accent]rozebraný[] pro získaní zdrojů. -hint.research = Použij tlačítko \ue875 [accent]Výzkum[] pro vyzkoumání nové technologie. -hint.research.mobile = Použij tlačítko \ue875 [accent]Výzkum[] v \ue88c [accent]nabídce[] pro vyzkoumání nové technologie. +hint.research = Použij tlačítko :tree: [accent]Výzkum[] pro vyzkoumání nové technologie. +hint.research.mobile = Použij tlačítko :tree: [accent]Výzkum[] v :menu: [accent]nabídce[] pro vyzkoumání nové technologie. hint.unitControl = Podrž [accent][[Levý Ctrl][] a [accent]klikni[] pro ovládání spřátelených jednotek nebo věží. hint.unitControl.mobile = [accent][[Dvojťupni][] pro ovládání spřátelených jednotek nebo věží. hint.unitSelectControl = To control units, enter [accent]command mode[] by holding [accent]L-shift.[]\nWhile in command mode, click and drag to select units. [accent]Right-click[] a location or target to command units there. hint.unitSelectControl.mobile = To control units, enter [accent]command mode[] by pressing the [accent]command[] button in the bottom left.\nWhile in command mode, long-press and drag to select units. Tap a location or target to command units there. -hint.launch = Jakmile je nasbíráno dostatek zdrojových materiálů, můžeš se [accent]vyslat[] do přilehlých sektorů z \ue827 [accent]mapy[] v pravém dolním rohu. -hint.launch.mobile = Jakmile je nasbíráno dostatek zdrojových materiálů, můžeš se [accent]vyslat[] do přilehlých sektorů z \ue827 [accent]mapy[] v the \ue88c [accent]nabídce[]. +hint.launch = Jakmile je nasbíráno dostatek zdrojových materiálů, můžeš se [accent]vyslat[] do přilehlých sektorů z :map: [accent]mapy[] v pravém dolním rohu. +hint.launch.mobile = Jakmile je nasbíráno dostatek zdrojových materiálů, můžeš se [accent]vyslat[] do přilehlých sektorů z :map: [accent]mapy[] v the :menu: [accent]nabídce[]. hint.schematicSelect = Podrž [accent][[F][] a potáhni pro výběr bloků, které chceš zkopírovat.\n\nKlikni na [accent][[prostřední tlačítko][] myši pro zkopírování jednoho typu bloku. hint.rebuildSelect = Hold [accent][[B][] and drag to select destroyed block plans.\nThis will rebuild them automatically. -hint.rebuildSelect.mobile = Select the \ue874 copy button, then tap the \ue80f rebuild button and drag to select destroyed block plans.\nThis will rebuild them automatically. +hint.rebuildSelect.mobile = Select the :copy: copy button, then tap the :wrench: rebuild button and drag to select destroyed block plans.\nThis will rebuild them automatically. hint.conveyorPathfind = Podrž [accent][[levý Ctrl][], když táhneš dopravníky, pro automatické vygenerování cesty. -hint.conveyorPathfind.mobile = Povol \ue844 [accent]úhlopříčný režim[] a potáhni dopravníky pro automatické generování cesty. +hint.conveyorPathfind.mobile = Povol :diagonal: [accent]úhlopříčný režim[] a potáhni dopravníky pro automatické generování cesty. hint.boost = Podrž [accent][[levý Shift][], abys přeletěl přes překážky se svou současnou jednotkou.\n\nPouze některé jednotky však mají takový posilovač. hint.payloadPickup = Zmáčkni [accent][[[] pro sebrání malých bloků nebo jednotek. hint.payloadPickup.mobile = [accent]Ťupni a podrž[] na malém bloku nebo jednotce pro sebrání. hint.payloadDrop = Zmáčkni [accent]][] pro položení nákladu. hint.payloadDrop.mobile = [accent]Ťupni a drž[] na prázdném místě pro položení nákladu. hint.waveFire = [accent]Naplň[] věže vodou místo munice pro automatické hašení okolních požárů. -hint.generator = \uf879 [accent]Spalovací generátory[] pálí uhlí a přenášení energii do sousedících bloků.\n\nPřenos energie na delší vzdálenost se provádí pomocí \uf87f [accent]Energetických uzlů[]. -hint.guardian = Jednotky [accent]Strážce[] jsou obrněné. Měkká munice, jako je například [accent]měď[] a [accent]olovo[] je [scarlet]neefektivní[].\n\nPoužij vylepšené věže nebo \uf835 [accent]grafitovou[] munici pro \uf861 Střílnu Duo/\uf859 Salvu, abys Strážce sejmul. +hint.generator = :combustion-generator: [accent]Spalovací generátory[] pálí uhlí a přenášení energii do sousedících bloků.\n\nPřenos energie na delší vzdálenost se provádí pomocí :power-node: [accent]Energetických uzlů[]. +hint.guardian = Jednotky [accent]Strážce[] jsou obrněné. Měkká munice, jako je například [accent]měď[] a [accent]olovo[] je [scarlet]neefektivní[].\n\nPoužij vylepšené věže nebo :graphite: [accent]grafitovou[] munici pro :duo: Střílnu Duo/:salvo: Salvu, abys Strážce sejmul. hint.coreUpgrade = Jádro může být vylepšeno [accent]překrytím jádrem vyšší úrovně[].\n\nUmísti jádro typu [accent]Základ[] přes jádro typu [accent]Odštěpek[]. Ujisti se, že v okolí nejsou žádné překážky. hint.presetLaunch = Na šedé [accent]sektory v přistávací zóně[], jako je například [accent]Zamrzlý les[], se lze vyslat kdykoli. Nevyžadují polapení okolního teritoria.\n\n[accent]Číslované sektory[], jako je tento, jsou [accent]volitelné[]. hint.presetDifficulty = Tento sektor má [scarlet]vysokou úroveň nepřátelského ohrožření[].\nSpouštení do takových sektorů se [accent]nedoporučuje[] bez náležité technologie a přípravy. hint.coreIncinerate = Poté, co je kapacita jádra určité položky naplněna, jakékoliv další stejné přijaté položky budou [accent]zničeny[]. hint.factoryControl = To set a unit factory's [accent]output destination[], click a factory block while in command mode, then right-click a location.\nUnits produced by it will automatically move there. hint.factoryControl.mobile = To set a unit factory's [accent]output destination[], tap a factory block while in command mode, then tap a location.\nUnits produced by it will automatically move there. -gz.mine = Move near the \uf8c4 [accent]copper ore[] on the ground and click to begin mining. -gz.mine.mobile = Move near the \uf8c4 [accent]copper ore[] on the ground and tap it to begin mining. -gz.research = Open the \ue875 tech tree.\nResearch the \uf870 [accent]Mechanical Drill[], then select it from the menu in the bottom right.\nClick on a copper patch to place it. -gz.research.mobile = Open the \ue875 tech tree.\nResearch the \uf870 [accent]Mechanical Drill[], then select it from the menu in the bottom right.\nTap on a copper patch to place it.\n\nPress the \ue800 [accent]checkmark[] at the bottom right to confirm. -gz.conveyors = Research and place \uf896 [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nClick and drag to place multiple conveyors.\n[accent]Scroll[] to rotate. -gz.conveyors.mobile = Research and place \uf896 [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nHold down your finger for a second and drag to place multiple conveyors. +gz.mine = Move near the :ore-copper: [accent]copper ore[] on the ground and click to begin mining. +gz.mine.mobile = Move near the :ore-copper: [accent]copper ore[] on the ground and tap it to begin mining. +gz.research = Open the :tree: tech tree.\nResearch the :mechanical-drill: [accent]Mechanical Drill[], then select it from the menu in the bottom right.\nClick on a copper patch to place it. +gz.research.mobile = Open the :tree: tech tree.\nResearch the :mechanical-drill: [accent]Mechanical Drill[], then select it from the menu in the bottom right.\nTap on a copper patch to place it.\n\nPress the \ue800 [accent]checkmark[] at the bottom right to confirm. +gz.conveyors = Research and place :conveyor: [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nClick and drag to place multiple conveyors.\n[accent]Scroll[] to rotate. +gz.conveyors.mobile = Research and place :conveyor: [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nHold down your finger for a second and drag to place multiple conveyors. gz.drills = Expand the mining operation.\nPlace more Mechanical Drills.\nMine 100 copper. -gz.lead = \uf837 [accent]Lead[] is another commonly used resource.\nSet up drills to mine lead. -gz.moveup = \ue804 Move up for further objectives. -gz.turrets = Research and place 2 \uf861 [accent]Duo[] turrets to defend the core.\nDuo turrets require \uf838 [accent]ammo[] from conveyors. +gz.lead = :lead: [accent]Lead[] is another commonly used resource.\nSet up drills to mine lead. +gz.moveup = :up: Move up for further objectives. +gz.turrets = Research and place 2 :duo: [accent]Duo[] turrets to defend the core.\nDuo turrets require \uf838 [accent]ammo[] from conveyors. gz.duoammo = Supply the Duo turrets with [accent]copper[], using conveyors. -gz.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace \uf8ae [accent]copper walls[] around the turrets. +gz.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace :copper-wall: [accent]copper walls[] around the turrets. gz.defend = Enemy incoming, prepare to defend. -gz.aa = Flying units cannot easily be dispatched with standard turrets.\n\uf860 [accent]Scatter[] turrets provide excellent anti-air, but require \uf837 [accent]lead[] as ammo. +gz.aa = Flying units cannot easily be dispatched with standard turrets.\n:scatter: [accent]Scatter[] turrets provide excellent anti-air, but require :lead: [accent]lead[] as ammo. gz.scatterammo = Supply the Scatter turret with [accent]lead[], using conveyors. gz.supplyturret = [accent]Supply Turret gz.zone1 = This is the enemy drop zone. gz.zone2 = Anything built in the radius is destroyed when a wave starts. gz.zone3 = A wave will begin now.\nGet ready. gz.finish = Build more turrets, mine more resources,\nand defend against all the waves to [accent]capture the sector[]. -onset.mine = Click to mine \uf748 [accent]beryllium[] from walls.\n\nUse [accent][[WASD] to move. -onset.mine.mobile = Tap to mine \uf748 [accent]beryllium[] from walls. -onset.research = Open the \ue875 tech tree.\nResearch, then place a \uf73e [accent]turbine condenser[] on the vent.\nThis will generate [accent]power[]. -onset.bore = Research and place a \uf741 [accent]plasma bore[].\nThis automatically mines resources from walls. -onset.power = To [accent]power[] the plasma bore, research and place a \uf73d [accent]beam node[].\nConnect the turbine condenser to the plasma bore. -onset.ducts = Research and place \uf799 [accent]ducts[] to move the mined resources from the plasma bore to the core.\nClick and drag to place multiple ducts.\n[accent]Scroll[] to rotate. -onset.ducts.mobile = Research and place \uf799 [accent]ducts[] to move the mined resources from the plasma bore to the core.\n\nHold down your finger for a second and drag to place multiple ducts. +onset.mine = Click to mine :beryllium: [accent]beryllium[] from walls.\n\nUse [accent][[WASD] to move. +onset.mine.mobile = Tap to mine :beryllium: [accent]beryllium[] from walls. +onset.research = Open the :tree: tech tree.\nResearch, then place a :turbine-condenser: [accent]turbine condenser[] on the vent.\nThis will generate [accent]power[]. +onset.bore = Research and place a :plasma-bore: [accent]plasma bore[].\nThis automatically mines resources from walls. +onset.power = To [accent]power[] the plasma bore, research and place a :beam-node: [accent]beam node[].\nConnect the turbine condenser to the plasma bore. +onset.ducts = Research and place :duct: [accent]ducts[] to move the mined resources from the plasma bore to the core.\nClick and drag to place multiple ducts.\n[accent]Scroll[] to rotate. +onset.ducts.mobile = Research and place :duct: [accent]ducts[] to move the mined resources from the plasma bore to the core.\n\nHold down your finger for a second and drag to place multiple ducts. onset.moremine = Expand the mining operation.\nPlace more Plasma Bores and use beam nodes and ducts to support them.\nMine 200 beryllium. -onset.graphite = More complex blocks require \uf835 [accent]graphite[].\nSet up plasma bores to mine graphite. -onset.research2 = Begin researching [accent]factories[].\nResearch the \uf74d [accent]cliff crusher[] and \uf779 [accent]silicon arc furnace[]. -onset.arcfurnace = The arc furnace needs \uf834 [accent]sand[] and \uf835 [accent]graphite[] to create \uf82f [accent]silicon[].\n[accent]Power[] is also required. -onset.crusher = Use \uf74d [accent]cliff crushers[] to mine sand. -onset.fabricator = Use [accent]units[] to explore the map, defend buildings, and attack the enemy. Research and place a \uf6a2 [accent]tank fabricator[]. +onset.graphite = More complex blocks require :graphite: [accent]graphite[].\nSet up plasma bores to mine graphite. +onset.research2 = Begin researching [accent]factories[].\nResearch the :cliff-crusher: [accent]cliff crusher[] and :silicon-arc-furnace: [accent]silicon arc furnace[]. +onset.arcfurnace = The arc furnace needs :sand: [accent]sand[] and :graphite: [accent]graphite[] to create :silicon: [accent]silicon[].\n[accent]Power[] is also required. +onset.crusher = Use :cliff-crusher: [accent]cliff crushers[] to mine sand. +onset.fabricator = Use [accent]units[] to explore the map, defend buildings, and attack the enemy. Research and place a :tank-fabricator: [accent]tank fabricator[]. onset.makeunit = Produce a unit.\nUse the "?" button to see selected factory requirements. -onset.turrets = Units are effective, but [accent]turrets[] provide better defensive capabilities if used effectively.\nPlace a \uf6eb [accent]Breach[] turret.\nTurrets require \uf748 [accent]ammo[]. +onset.turrets = Units are effective, but [accent]turrets[] provide better defensive capabilities if used effectively.\nPlace a :breach: [accent]Breach[] turret.\nTurrets require :beryllium: [accent]ammo[]. onset.turretammo = Supply the turret with [accent]beryllium ammo.[] -onset.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace some \uf6ee [accent]beryllium walls[] around the turret. +onset.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace some :beryllium-wall: [accent]beryllium walls[] around the turret. onset.enemies = Enemy incoming, prepare to defend. onset.defenses = [accent]Set up defenses:[lightgray] {0} onset.attack = The enemy is vulnerable. Counter-attack. -onset.cores = New cores can be placed on [accent]core tiles[].\nNew cores function as forward bases and share a resource inventory with other cores.\nPlace a \uf725 core. +onset.cores = New cores can be placed on [accent]core tiles[].\nNew cores function as forward bases and share a resource inventory with other cores.\nPlace a :core-bastion: core. onset.detect = The enemy will be able to detect you in 2 minutes.\nSet up defenses, mining, and production. onset.commandmode = Hold [accent]shift[] to enter [accent]command mode[].\n[accent]Left-click and drag[] to select units.\n[accent]Right-click[] to order selected units to move or attack. onset.commandmode.mobile = Press the [accent]command button[] to enter [accent]command mode[].\nHold down a finger, then [accent]drag[] to select units.\n[accent]Tap[] to order selected units to move or attack. diff --git a/core/assets/bundles/bundle_da.properties b/core/assets/bundles/bundle_da.properties index 87a86f65e4a6..d63caa11ed4c 100644 --- a/core/assets/bundles/bundle_da.properties +++ b/core/assets/bundles/bundle_da.properties @@ -1910,77 +1910,77 @@ hint.respawn = To respawn as a ship, press [accent][[V][]. hint.respawn.mobile = You have switched control to a unit/structure. To respawn as a ship, [accent]tap the avatar in the top left.[] hint.desktopPause = Press [accent][[Space][] to pause and unpause the game. hint.breaking = [accent]Right-click[] and drag to break blocks. -hint.breaking.mobile = Activate the \ue817 [accent]hammer[] in the bottom right and tap to break blocks.\n\nHold down your finger for a second and drag to break in a selection. +hint.breaking.mobile = Activate the :hammer: [accent]hammer[] in the bottom right and tap to break blocks.\n\nHold down your finger for a second and drag to break in a selection. hint.blockInfo = View information of a block by selecting it in the [accent]build menu[], then selecting the [accent][[?][] button at the right. hint.derelict = [accent]Derelict[] structures are broken remnants of old bases that no longer function.\n\nThese structures can be [accent]deconstructed[] for resources. -hint.research = Use the \ue875 [accent]Research[] button to research new technology. -hint.research.mobile = Use the \ue875 [accent]Research[] button in the \ue88c [accent]Menu[] to research new technology. +hint.research = Use the :tree: [accent]Research[] button to research new technology. +hint.research.mobile = Use the :tree: [accent]Research[] button in the :menu: [accent]Menu[] to research new technology. hint.unitControl = Hold [accent][[L-ctrl][] and [accent]click[] to control friendly units or turrets. hint.unitControl.mobile = [accent][[Double-tap][] to control friendly units or turrets. hint.unitSelectControl = To control units, enter [accent]command mode[] by holding [accent]L-shift.[]\nWhile in command mode, click and drag to select units. [accent]Right-click[] a location or target to command units there. hint.unitSelectControl.mobile = To control units, enter [accent]command mode[] by pressing the [accent]command[] button in the bottom left.\nWhile in command mode, long-press and drag to select units. Tap a location or target to command units there. -hint.launch = Once enough resources are collected, you can [accent]Launch[] by selecting nearby sectors from the \ue827 [accent]Map[] in the bottom right. -hint.launch.mobile = Once enough resources are collected, you can [accent]Launch[] by selecting nearby sectors from the \ue827 [accent]Map[] in the \ue88c [accent]Menu[]. +hint.launch = Once enough resources are collected, you can [accent]Launch[] by selecting nearby sectors from the :map: [accent]Map[] in the bottom right. +hint.launch.mobile = Once enough resources are collected, you can [accent]Launch[] by selecting nearby sectors from the :map: [accent]Map[] in the :menu: [accent]Menu[]. hint.schematicSelect = Hold [accent][[F][] and drag to select blocks to copy and paste.\n\n[accent][[Middle Click][] to copy a single block type. hint.rebuildSelect = Hold [accent][[B][] and drag to select destroyed block plans.\nThis will rebuild them automatically. -hint.rebuildSelect.mobile = Select the \ue874 copy button, then tap the \ue80f rebuild button and drag to select destroyed block plans.\nThis will rebuild them automatically. +hint.rebuildSelect.mobile = Select the :copy: copy button, then tap the :wrench: rebuild button and drag to select destroyed block plans.\nThis will rebuild them automatically. hint.conveyorPathfind = Hold [accent][[L-Ctrl][] while dragging conveyors to automatically generate a path. -hint.conveyorPathfind.mobile = Enable \ue844 [accent]diagonal mode[] and drag conveyors to automatically generate a path. +hint.conveyorPathfind.mobile = Enable :diagonal: [accent]diagonal mode[] and drag conveyors to automatically generate a path. hint.boost = Hold [accent][[L-Shift][] to fly over obstacles with your current unit.\n\nOnly a few ground units have boosters. hint.payloadPickup = Press [accent][[[] to pick up small blocks or units. hint.payloadPickup.mobile = [accent]Tap and hold[] a small block or unit to pick it up. hint.payloadDrop = Press [accent]][] to drop a payload. hint.payloadDrop.mobile = [accent]Tap and hold[] an empty location to drop a payload there. hint.waveFire = [accent]Wave[] turrets with water as ammunition will automatically put out nearby fires. -hint.generator = \uf879 [accent]Combustion Generators[] burn coal and transmit power to adjacent blocks.\n\nPower transmission range can be extended with \uf87f [accent]Power Nodes[]. -hint.guardian = [accent]Guardian[] units are armored. Weak ammo such as [accent]Copper[] and [accent]Lead[] is [scarlet]not effective[].\n\nUse higher tier turrets or \uf835 [accent]Graphite[] \uf861Duo/\uf859Salvo ammunition to take Guardians down. -hint.coreUpgrade = Cores can be upgraded by [accent]placing higher-tier cores over them[].\n\nPlace a \uf868 [accent]Foundation[] core over the \uf869 [accent]Shard[] core. Make sure it is free from nearby obstructions. +hint.generator = :combustion-generator: [accent]Combustion Generators[] burn coal and transmit power to adjacent blocks.\n\nPower transmission range can be extended with :power-node: [accent]Power Nodes[]. +hint.guardian = [accent]Guardian[] units are armored. Weak ammo such as [accent]Copper[] and [accent]Lead[] is [scarlet]not effective[].\n\nUse higher tier turrets or :graphite: [accent]Graphite[] :duo:Duo/:salvo:Salvo ammunition to take Guardians down. +hint.coreUpgrade = Cores can be upgraded by [accent]placing higher-tier cores over them[].\n\nPlace a :core-foundation: [accent]Foundation[] core over the :core-shard: [accent]Shard[] core. Make sure it is free from nearby obstructions. hint.presetLaunch = Gray [accent]landing zone sectors[], such as [accent]Frozen Forest[], can be launched to from anywhere. They do not require capture of nearby territory.\n\n[accent]Numbered sectors[], such as this one, are [accent]optional[]. hint.presetDifficulty = This sector has a [scarlet]high enemy threat level[].\nLaunching to such sectors is [accent]not recommended[] without proper technology and preparation. hint.coreIncinerate = After the core is filled to capacity with an item, any extra items of that type it receives will be [accent]incinerated[]. hint.factoryControl = To set a unit factory's [accent]output destination[], click a factory block while in command mode, then right-click a location.\nUnits produced by it will automatically move there. hint.factoryControl.mobile = To set a unit factory's [accent]output destination[], tap a factory block while in command mode, then tap a location.\nUnits produced by it will automatically move there. -gz.mine = Move near the \uf8c4 [accent]copper ore[] on the ground and click to begin mining. -gz.mine.mobile = Move near the \uf8c4 [accent]copper ore[] on the ground and tap it to begin mining. -gz.research = Open the \ue875 tech tree.\nResearch the \uf870 [accent]Mechanical Drill[], then select it from the menu in the bottom right.\nClick on a copper patch to place it. -gz.research.mobile = Open the \ue875 tech tree.\nResearch the \uf870 [accent]Mechanical Drill[], then select it from the menu in the bottom right.\nTap on a copper patch to place it.\n\nPress the \ue800 [accent]checkmark[] at the bottom right to confirm. -gz.conveyors = Research and place \uf896 [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nClick and drag to place multiple conveyors.\n[accent]Scroll[] to rotate. -gz.conveyors.mobile = Research and place \uf896 [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nHold down your finger for a second and drag to place multiple conveyors. +gz.mine = Move near the :ore-copper: [accent]copper ore[] on the ground and click to begin mining. +gz.mine.mobile = Move near the :ore-copper: [accent]copper ore[] on the ground and tap it to begin mining. +gz.research = Open the :tree: tech tree.\nResearch the :mechanical-drill: [accent]Mechanical Drill[], then select it from the menu in the bottom right.\nClick on a copper patch to place it. +gz.research.mobile = Open the :tree: tech tree.\nResearch the :mechanical-drill: [accent]Mechanical Drill[], then select it from the menu in the bottom right.\nTap on a copper patch to place it.\n\nPress the \ue800 [accent]checkmark[] at the bottom right to confirm. +gz.conveyors = Research and place :conveyor: [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nClick and drag to place multiple conveyors.\n[accent]Scroll[] to rotate. +gz.conveyors.mobile = Research and place :conveyor: [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nHold down your finger for a second and drag to place multiple conveyors. gz.drills = Expand the mining operation.\nPlace more Mechanical Drills.\nMine 100 copper. -gz.lead = \uf837 [accent]Lead[] is another commonly used resource.\nSet up drills to mine lead. -gz.moveup = \ue804 Move up for further objectives. -gz.turrets = Research and place 2 \uf861 [accent]Duo[] turrets to defend the core.\nDuo turrets require \uf838 [accent]ammo[] from conveyors. +gz.lead = :lead: [accent]Lead[] is another commonly used resource.\nSet up drills to mine lead. +gz.moveup = :up: Move up for further objectives. +gz.turrets = Research and place 2 :duo: [accent]Duo[] turrets to defend the core.\nDuo turrets require \uf838 [accent]ammo[] from conveyors. gz.duoammo = Supply the Duo turrets with [accent]copper[], using conveyors. -gz.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace \uf8ae [accent]copper walls[] around the turrets. +gz.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace :copper-wall: [accent]copper walls[] around the turrets. gz.defend = Enemy incoming, prepare to defend. -gz.aa = Flying units cannot easily be dispatched with standard turrets.\n\uf860 [accent]Scatter[] turrets provide excellent anti-air, but require \uf837 [accent]lead[] as ammo. +gz.aa = Flying units cannot easily be dispatched with standard turrets.\n:scatter: [accent]Scatter[] turrets provide excellent anti-air, but require :lead: [accent]lead[] as ammo. gz.scatterammo = Supply the Scatter turret with [accent]lead[], using conveyors. gz.supplyturret = [accent]Supply Turret gz.zone1 = This is the enemy drop zone. gz.zone2 = Anything built in the radius is destroyed when a wave starts. gz.zone3 = A wave will begin now.\nGet ready. gz.finish = Build more turrets, mine more resources,\nand defend against all the waves to [accent]capture the sector[]. -onset.mine = Click to mine \uf748 [accent]beryllium[] from walls.\n\nUse [accent][[WASD] to move. -onset.mine.mobile = Tap to mine \uf748 [accent]beryllium[] from walls. -onset.research = Open the \ue875 tech tree.\nResearch, then place a \uf73e [accent]turbine condenser[] on the vent.\nThis will generate [accent]power[]. -onset.bore = Research and place a \uf741 [accent]plasma bore[].\nThis automatically mines resources from walls. -onset.power = To [accent]power[] the plasma bore, research and place a \uf73d [accent]beam node[].\nConnect the turbine condenser to the plasma bore. -onset.ducts = Research and place \uf799 [accent]ducts[] to move the mined resources from the plasma bore to the core.\nClick and drag to place multiple ducts.\n[accent]Scroll[] to rotate. -onset.ducts.mobile = Research and place \uf799 [accent]ducts[] to move the mined resources from the plasma bore to the core.\n\nHold down your finger for a second and drag to place multiple ducts. +onset.mine = Click to mine :beryllium: [accent]beryllium[] from walls.\n\nUse [accent][[WASD] to move. +onset.mine.mobile = Tap to mine :beryllium: [accent]beryllium[] from walls. +onset.research = Open the :tree: tech tree.\nResearch, then place a :turbine-condenser: [accent]turbine condenser[] on the vent.\nThis will generate [accent]power[]. +onset.bore = Research and place a :plasma-bore: [accent]plasma bore[].\nThis automatically mines resources from walls. +onset.power = To [accent]power[] the plasma bore, research and place a :beam-node: [accent]beam node[].\nConnect the turbine condenser to the plasma bore. +onset.ducts = Research and place :duct: [accent]ducts[] to move the mined resources from the plasma bore to the core.\nClick and drag to place multiple ducts.\n[accent]Scroll[] to rotate. +onset.ducts.mobile = Research and place :duct: [accent]ducts[] to move the mined resources from the plasma bore to the core.\n\nHold down your finger for a second and drag to place multiple ducts. onset.moremine = Expand the mining operation.\nPlace more Plasma Bores and use beam nodes and ducts to support them.\nMine 200 beryllium. -onset.graphite = More complex blocks require \uf835 [accent]graphite[].\nSet up plasma bores to mine graphite. -onset.research2 = Begin researching [accent]factories[].\nResearch the \uf74d [accent]cliff crusher[] and \uf779 [accent]silicon arc furnace[]. -onset.arcfurnace = The arc furnace needs \uf834 [accent]sand[] and \uf835 [accent]graphite[] to create \uf82f [accent]silicon[].\n[accent]Power[] is also required. -onset.crusher = Use \uf74d [accent]cliff crushers[] to mine sand. -onset.fabricator = Use [accent]units[] to explore the map, defend buildings, and attack the enemy. Research and place a \uf6a2 [accent]tank fabricator[]. +onset.graphite = More complex blocks require :graphite: [accent]graphite[].\nSet up plasma bores to mine graphite. +onset.research2 = Begin researching [accent]factories[].\nResearch the :cliff-crusher: [accent]cliff crusher[] and :silicon-arc-furnace: [accent]silicon arc furnace[]. +onset.arcfurnace = The arc furnace needs :sand: [accent]sand[] and :graphite: [accent]graphite[] to create :silicon: [accent]silicon[].\n[accent]Power[] is also required. +onset.crusher = Use :cliff-crusher: [accent]cliff crushers[] to mine sand. +onset.fabricator = Use [accent]units[] to explore the map, defend buildings, and attack the enemy. Research and place a :tank-fabricator: [accent]tank fabricator[]. onset.makeunit = Produce a unit.\nUse the "?" button to see selected factory requirements. -onset.turrets = Units are effective, but [accent]turrets[] provide better defensive capabilities if used effectively.\nPlace a \uf6eb [accent]Breach[] turret.\nTurrets require \uf748 [accent]ammo[]. +onset.turrets = Units are effective, but [accent]turrets[] provide better defensive capabilities if used effectively.\nPlace a :breach: [accent]Breach[] turret.\nTurrets require :beryllium: [accent]ammo[]. onset.turretammo = Supply the turret with [accent]beryllium ammo.[] -onset.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace some \uf6ee [accent]beryllium walls[] around the turret. +onset.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace some :beryllium-wall: [accent]beryllium walls[] around the turret. onset.enemies = Enemy incoming, prepare to defend. onset.defenses = [accent]Set up defenses:[lightgray] {0} onset.attack = The enemy is vulnerable. Counter-attack. -onset.cores = New cores can be placed on [accent]core tiles[].\nNew cores function as forward bases and share a resource inventory with other cores.\nPlace a \uf725 core. +onset.cores = New cores can be placed on [accent]core tiles[].\nNew cores function as forward bases and share a resource inventory with other cores.\nPlace a :core-bastion: core. onset.detect = The enemy will be able to detect you in 2 minutes.\nSet up defenses, mining, and production. onset.commandmode = Hold [accent]shift[] to enter [accent]command mode[].\n[accent]Left-click and drag[] to select units.\n[accent]Right-click[] to order selected units to move or attack. onset.commandmode.mobile = Press the [accent]command button[] to enter [accent]command mode[].\nHold down a finger, then [accent]drag[] to select units.\n[accent]Tap[] to order selected units to move or attack. diff --git a/core/assets/bundles/bundle_de.properties b/core/assets/bundles/bundle_de.properties index 22f2d2ae5cde..049a60b15fce 100644 --- a/core/assets/bundles/bundle_de.properties +++ b/core/assets/bundles/bundle_de.properties @@ -1940,52 +1940,52 @@ hint.respawn.mobile = Du steuerst nun eine Einheit oder einen Block. Um wieder z hint.desktopPause = Benutze [accent][[Leertaste][], um das Spiel zu pausieren oder entpausieren. hint.breaking = Benutze [accent]Rechtsklick[] und bewege deine Maus, um zu zerstören. -hint.breaking.mobile = Aktiviere den \ue817 [accent]Hammer[] unten rechts und tippe, um Blöcke zu zerstören.\n\nHalte deinen Finger auf dem Bildschirm, um eine Fläche auszuwählen. +hint.breaking.mobile = Aktiviere den :hammer: [accent]Hammer[] unten rechts und tippe, um Blöcke zu zerstören.\n\nHalte deinen Finger auf dem Bildschirm, um eine Fläche auszuwählen. hint.blockInfo = Genauere Blockinformationen können im [accent]Baumenü[] rechts beim [accent][[?][]-Symbol gefunden werden. hint.derelict = [accent]Derelikte[] Blöcke sind kaputte Teile alter Basen, die nicht mehr funktionieren.\n\nSie können für Ressourcen [accent]abgebaut[] werden. -hint.research = Klicke auf den \ue875 [accent]Forschen[]-Knopf um neue Technologien zu erforschen. -hint.research.mobile = Klicke auf den \ue875 [accent]Forschen[]-Knopf im \ue88c [accent]Menü[], um neue Technologien zu erforschen. +hint.research = Klicke auf den :tree: [accent]Forschen[]-Knopf um neue Technologien zu erforschen. +hint.research.mobile = Klicke auf den :tree: [accent]Forschen[]-Knopf im :menu: [accent]Menü[], um neue Technologien zu erforschen. hint.unitControl = Halte [accent][[L-STRG][] und [accent]klicke[], um alliierte Einheiten oder Geschütze zu steuern. hint.unitControl.mobile = [accent][[Doppelklicke][], um alliierte Einheiten oder Geschütze zu steuern. hint.unitSelectControl = Du kannst [accent]L-Shift[] gedrückt halten, um den Steuerungsmodus zu aktivieren.\nIm Steuerungsmodus hältst du [accent]Linksklick[] gedrückt, um Einheiten auswählen zu können. Mit [accent]Rechtsklick[] bestimmst du, wo die ausgewählten Einheiten hingehen sollen. hint.unitSelectControl.mobile = Um Einheiten zu steuern, kannst du den [accent]Steuerungsmodus[] mit dem Knopf unten links aktivieren.\nIm Steuerungsmodus kannst du Einheiten auswählen, indem du lang drückst und den Finger über den Bildschirm ziehst. Dann kannst du einen Ort oder ein Ziel auswählen, wo die Einheiten hingehen sollen. -hint.launch = Sobald du genug Ressourcen gesammelt hast, kannst du [accent]Starten[], indem du andere Sektoren auf der \ue827 [accent]Karte[] unten rechts auswählst. -hint.launch.mobile = Sobald du genug Ressourcen gesammelt hast, kannst du [accent]Starten[], indem du andere Sektoren auf der \ue827 [accent]Karte[] im \ue88c [accent]Menü[] auswählst. +hint.launch = Sobald du genug Ressourcen gesammelt hast, kannst du [accent]Starten[], indem du andere Sektoren auf der :map: [accent]Karte[] unten rechts auswählst. +hint.launch.mobile = Sobald du genug Ressourcen gesammelt hast, kannst du [accent]Starten[], indem du andere Sektoren auf der :map: [accent]Karte[] im :menu: [accent]Menü[] auswählst. hint.schematicSelect = Halte [accent][[F][] gedrückt und bewege deine Maus, um Blöcke zu kopieren.\n\nMit [accent][[Mittelklick][] kannst du einen einzelnen Block kopieren. hint.rebuildSelect = Halte [accent][[B][] gedrückt und bewege deine Maus, um Überreste zerstörter Blöcke auszuwählen.\nDiese werden dann automatisch wiederaufgebaut. -hint.rebuildSelect.mobile = Select the \ue874 copy button, then tap the \ue80f rebuild button and drag to select destroyed block plans.\nThis will rebuild them automatically. +hint.rebuildSelect.mobile = Select the :copy: copy button, then tap the :wrench: rebuild button and drag to select destroyed block plans.\nThis will rebuild them automatically. hint.conveyorPathfind = Halte [accent][[L-STRG][] während du Förderbänder baust, um automatisch einen Weg zu finden. -hint.conveyorPathfind.mobile = Aktiviere den \ue844 [accent]Diagonal-Modus[] unten rechts und platziere Förderbänder, um automatisch einen Weg zu generieren. +hint.conveyorPathfind.mobile = Aktiviere den :diagonal: [accent]Diagonal-Modus[] unten rechts und platziere Förderbänder, um automatisch einen Weg zu generieren. hint.boost = Halte [accent][[L-Shift][] gedrückt, um über Hindernisse zu boosten.\n\nNur manche Bodeneinheiten können das. hint.payloadPickup = Du kannst [accent][[[] drücken, um kleine Einheiten oder Blöcke hochzuheben. hint.payloadPickup.mobile = [accent]Halte deinen Finger[] auf eine kleine Einheit oder einen kleinen Block, um ihn aufzuheben. hint.payloadDrop = Drücke [accent]][], um etwas fallen zu lassen. hint.payloadDrop.mobile = [accent]Halte deinen Finger[] auf einen freien Ort, um eine Einheit oder einen Block da fallen zu lassen. hint.waveFire = [accent]Wellen[]-Geschütze mit Wassermunition löschen automatisch Feuer. -hint.generator = \uf879 [accent]Verbrennungsgeneratoren[] verbrennen Kohle und übertragen diesen Strom in angrenzende Blöcke.\n\nDie Reichweite der Stromübertragung kann mit \uf87f [accent]Stromknoten[] erweitert werden. -hint.guardian = [accent]Boss[]-Einheiten sind gepanzert. Schwache Munition wie [accent]Kupfer[] und [accent]Blei[] sind [scarlet]nicht effektiv[].\n\nBenutze bessere Geschütze oder \uf835 [accent]Graphit[] als \uf861Duo-/\uf859Salvenmunition um einen Boss zu besiegen. -hint.coreUpgrade = Kerne können aufgerüstet werden, indem man [accent]bessere Kerne über sie platziert[].\n\nPlatziere einen \uf868 [accent]Fundament[]-Kern über einen \uf869 [accent]Scherben[]-Kern. Stelle sicher, dass ausreichend Platz verfügbar ist. +hint.generator = :combustion-generator: [accent]Verbrennungsgeneratoren[] verbrennen Kohle und übertragen diesen Strom in angrenzende Blöcke.\n\nDie Reichweite der Stromübertragung kann mit :power-node: [accent]Stromknoten[] erweitert werden. +hint.guardian = [accent]Boss[]-Einheiten sind gepanzert. Schwache Munition wie [accent]Kupfer[] und [accent]Blei[] sind [scarlet]nicht effektiv[].\n\nBenutze bessere Geschütze oder :graphite: [accent]Graphit[] als :duo:Duo-/:salvo:Salvenmunition um einen Boss zu besiegen. +hint.coreUpgrade = Kerne können aufgerüstet werden, indem man [accent]bessere Kerne über sie platziert[].\n\nPlatziere einen :core-foundation: [accent]Fundament[]-Kern über einen :core-shard: [accent]Scherben[]-Kern. Stelle sicher, dass ausreichend Platz verfügbar ist. hint.presetLaunch = Zu grauen [accent]Sektoren[] wie dem [accent]Frozen Forest[] kann man von überall aus hin starten. Es ist nicht nötig, benachbarte Sektoren zu erobern.\n\n[accent]Nummerierte Sektoren[] wie dieser hier sind [accent]optional[]. hint.presetDifficulty = Dieser Sektor hat eine [scarlet]hohe Gefahrenstufe[].\nOhne richtige Technologie und Vorbereitung ist es [accent]nicht empfohlen[], zu diesem Sektor zu starten. hint.coreIncinerate = Wenn dem Kern Materialien zugeführt werden, für die er keinen Platz mehr hat, werden diese [accent]verbrannt[]. hint.factoryControl = Um den [accent]Zielort einer Fabrik[] zu bestimmen, kannst du im Steuerungsmodus die Fabrik auswählen und einen Ort mit Rechtsklick markieren.\nEinheiten, die in der Fabrik hergestellt werden, bewegen sich dann automatisch dahin. hint.factoryControl.mobile = Um den [accent]Zielort einer Fabrik[] zu bestimmen, kannst du im Steuerungsmodus zuerst die Fabrik und dann einen Ort auswählen.\nEinheiten, die in der Fabrik hergestellt werden, bewegen sich dann automatisch dahin. -gz.mine = Bewege dich in die Nähe von dem \uf8c4 [accent]Kupfererz[]\n und klicke drauf, um es abzubauen. -gz.mine.mobile = Bewege dich in die Nähe von dem \uf8c4 [accent]Kupfererz[] und tippe drauf, um es abzubauen. -gz.research = Öffne das \ue875 Forschungsmenü.\nErforsche den \uf870 [accent]Mechanischen Bohrer[]\n und wähle ihn im Menü unten rechts aus.\nKlicke auf Kupfererz, um ihn zu platzieren. -gz.research.mobile = Öffne das \ue875 Forschungsmenü.\nErforsche den \uf870 [accent]Mechanischen Bohrer[] und wähle ihn im Menü unten rechts aus.\nTippe auf Kupfererz, um ihn zu platzieren.\n\nWähle zuletzt das Häkchen unten rechts zur Bestätigung. -gz.conveyors = Erforsche und platziere \uf896 [accent]Förderbänder[], um abgebaute Ressourcen zum Kern zu transportieren.\n\nZiehe die Maus über den Bildschirm, um mehrere Förderbänder zu platzieren.\n[accent]Scrolle[], um die Richtung zu ändern. -gz.conveyors.mobile = Erforsche und platziere \uf896 [accent]Förderbänder[], um abgebaute Ressourcen zum Kern zu transportieren.\n\nDrücke kurz und ziehe deinen Finger über den Bildschirm, um mehrere Förderbänder zu platzieren. +gz.mine = Bewege dich in die Nähe von dem :ore-copper: [accent]Kupfererz[]\n und klicke drauf, um es abzubauen. +gz.mine.mobile = Bewege dich in die Nähe von dem :ore-copper: [accent]Kupfererz[] und tippe drauf, um es abzubauen. +gz.research = Öffne das :tree: Forschungsmenü.\nErforsche den :mechanical-drill: [accent]Mechanischen Bohrer[]\n und wähle ihn im Menü unten rechts aus.\nKlicke auf Kupfererz, um ihn zu platzieren. +gz.research.mobile = Öffne das :tree: Forschungsmenü.\nErforsche den :mechanical-drill: [accent]Mechanischen Bohrer[] und wähle ihn im Menü unten rechts aus.\nTippe auf Kupfererz, um ihn zu platzieren.\n\nWähle zuletzt das Häkchen unten rechts zur Bestätigung. +gz.conveyors = Erforsche und platziere :conveyor: [accent]Förderbänder[], um abgebaute Ressourcen zum Kern zu transportieren.\n\nZiehe die Maus über den Bildschirm, um mehrere Förderbänder zu platzieren.\n[accent]Scrolle[], um die Richtung zu ändern. +gz.conveyors.mobile = Erforsche und platziere :conveyor: [accent]Förderbänder[], um abgebaute Ressourcen zum Kern zu transportieren.\n\nDrücke kurz und ziehe deinen Finger über den Bildschirm, um mehrere Förderbänder zu platzieren. gz.drills = Erweitere den Bergbau.\nBaue mehr mechanische Bohrer.\nBaue 100 Kupfer ab. -gz.lead = \uf837 [accent]Blei[] ist ein anderer wichtiger Rohstoff.\nBaue Bohrer, um Blei abzubauen. -gz.moveup = \ue804 Bewege dich weiter nach oben, um weitere Ziele zu erhalten. -gz.turrets = Erforsche und platziere 2 \uf861 [accent]Doppelgeschütze[], um den Kern zu beschützen.\nDoppelgeschütze benötigen \uf838 [accent]Munition[] von Förderbändern. +gz.lead = :lead: [accent]Blei[] ist ein anderer wichtiger Rohstoff.\nBaue Bohrer, um Blei abzubauen. +gz.moveup = :up: Bewege dich weiter nach oben, um weitere Ziele zu erhalten. +gz.turrets = Erforsche und platziere 2 :duo: [accent]Doppelgeschütze[], um den Kern zu beschützen.\nDoppelgeschütze benötigen \uf838 [accent]Munition[] von Förderbändern. gz.duoammo = Supply the Duo turrets with [accent]copper[], using conveyors. -gz.walls = [accent]Mauern[] können andere Blöcke vor Schaden schützen.\nBaue \uf8ae [accent]Kufpermauern[] um die Geschütze. +gz.walls = [accent]Mauern[] können andere Blöcke vor Schaden schützen.\nBaue :copper-wall: [accent]Kufpermauern[] um die Geschütze. gz.defend = Feinde kommen bald, bereite dich vor. -gz.aa = Fliegende Einheiten können nicht leicht von normalen Geschützen bekämpft werden.\n\uf860 [accent]Luftgeschütze[] können dies deutlich besser, benötigen aber \uf837 [accent]Blei[] als Munition. +gz.aa = Fliegende Einheiten können nicht leicht von normalen Geschützen bekämpft werden.\n:scatter: [accent]Luftgeschütze[] können dies deutlich besser, benötigen aber :lead: [accent]Blei[] als Munition. gz.scatterammo = Supply the Scatter turret with [accent]lead[], using conveyors. gz.supplyturret = [accent]Supply Turret gz.zone1 = Dies ist die feindliche Drop-Zone. @@ -1993,27 +1993,27 @@ gz.zone2 = Alle Blöcke in der Zone werden zerstört, wenn eine Welle kommt. gz.zone3 = Jetzt kommt eine Welle.\nBereite dich vor. gz.finish = Baue mehr Geschütze, sammele mehr Ressourcen\nund besiege alle Wellen, um den [accent]Sektor zu erobern[]. -onset.mine = Klicke, um \uf748 [accent]Beryllium[] aus Wänden abzubauen.\n\nBenutze [accent][WASD], um dich zu bewegen. -onset.mine.mobile = Tippe, um \uf748 [accent]Beryllium[] aus Wänden abzubauen. -onset.research = Öffne das \ue875 Forschungsmenü.\nErforsche und platziere einen \uf73e [accent]Turbinenkondensator[] auf einen Schlot.\nDieser erzeugt [accent]Strom[]. -onset.bore = Erforsche und platziere einen \uf741 [accent]Plasmabohrer[].\nDieser baut Rohstoffe aus Wänden automatisch ab. -onset.power = Um den Plasmabohrer mit [accent]Strom[] zu versorgen, kannst du \uf73d [accent]Strahlknoten[] erforschen und bauen.\nVerbinde den Turbinenkondensator mit dem Plasmabohrer. -onset.ducts = Erforsche und platziere \uf799 [accent]Rohrleitungen[], um die abgebauten Ressourcen zum Kern zu transportieren.\nZiehe die Maus über den Bildschirm, um mehrere Rohrleitungen zu platzieren.\n[accent]Scrolle[], um die Richtung zu ändern. -onset.ducts.mobile = Erforsche und platziere \uf799 [accent]Rohrleitungen[], um die abgebauten Ressourcen zum Kern zu transportieren.\n\nDrücke kurz und ziehe deinen Finger über den Bildschirm, um mehrere Rohrleitungen zu platzieren. +onset.mine = Klicke, um :beryllium: [accent]Beryllium[] aus Wänden abzubauen.\n\nBenutze [accent][WASD], um dich zu bewegen. +onset.mine.mobile = Tippe, um :beryllium: [accent]Beryllium[] aus Wänden abzubauen. +onset.research = Öffne das :tree: Forschungsmenü.\nErforsche und platziere einen :turbine-condenser: [accent]Turbinenkondensator[] auf einen Schlot.\nDieser erzeugt [accent]Strom[]. +onset.bore = Erforsche und platziere einen :plasma-bore: [accent]Plasmabohrer[].\nDieser baut Rohstoffe aus Wänden automatisch ab. +onset.power = Um den Plasmabohrer mit [accent]Strom[] zu versorgen, kannst du :beam-node: [accent]Strahlknoten[] erforschen und bauen.\nVerbinde den Turbinenkondensator mit dem Plasmabohrer. +onset.ducts = Erforsche und platziere :duct: [accent]Rohrleitungen[], um die abgebauten Ressourcen zum Kern zu transportieren.\nZiehe die Maus über den Bildschirm, um mehrere Rohrleitungen zu platzieren.\n[accent]Scrolle[], um die Richtung zu ändern. +onset.ducts.mobile = Erforsche und platziere :duct: [accent]Rohrleitungen[], um die abgebauten Ressourcen zum Kern zu transportieren.\n\nDrücke kurz und ziehe deinen Finger über den Bildschirm, um mehrere Rohrleitungen zu platzieren. onset.moremine = Erweitere den Bergbau.\nPlatziere mehr Plasmabohrer und verbinde sie mit Rohrleitungen und Strahlknoten.\nBaue 200 Beryllium ab. -onset.graphite = Komplexere Blöcke benötigen \uf835 [accent]Graphit[].\nStelle Plasmabohrer auf, um Graphit abzubauen. -onset.research2 = Fange an, [accent]Fabriken[] zu erforschen.\nEroforsche den \uf74d [accent]Klippenbohrer[] und den \uf779 [accent]Silizium-Lichtbogenofen[]. -onset.arcfurnace = Der Lichtbogenofen verschmilzt \uf834 [accent]Sand[] und \uf835 [accent]Graphit[], um \uf82f [accent]Silizium[] herzustellen.\n[accent]Strom[] wird auch benötigt. -onset.crusher = Benutze \uf74d [accent]Klippenbohrer[], um Sand abzubauen. -onset.fabricator = Mit [accent]Einheiten[] kannst du die Karte erkunden, Gebäude beschützen und Feinde angreifen. Erforsche und platziere einen \uf6a2 [accent]Panzerhersteller[]. +onset.graphite = Komplexere Blöcke benötigen :graphite: [accent]Graphit[].\nStelle Plasmabohrer auf, um Graphit abzubauen. +onset.research2 = Fange an, [accent]Fabriken[] zu erforschen.\nEroforsche den :cliff-crusher: [accent]Klippenbohrer[] und den :silicon-arc-furnace: [accent]Silizium-Lichtbogenofen[]. +onset.arcfurnace = Der Lichtbogenofen verschmilzt :sand: [accent]Sand[] und :graphite: [accent]Graphit[], um :silicon: [accent]Silizium[] herzustellen.\n[accent]Strom[] wird auch benötigt. +onset.crusher = Benutze :cliff-crusher: [accent]Klippenbohrer[], um Sand abzubauen. +onset.fabricator = Mit [accent]Einheiten[] kannst du die Karte erkunden, Gebäude beschützen und Feinde angreifen. Erforsche und platziere einen :tank-fabricator: [accent]Panzerhersteller[]. onset.makeunit = Stelle eine Einheit her.\nDrücke den "?"-Knopf, um zu sehen, was gebraucht wird. -onset.turrets = Einheiten sind effektiv, aber [accent]Geschütze[] sind beim Verteidigen stärker, wenn sie gut eingesetzt werden.\n Baue ein [accent]Brecher[]-Geschütz.\nGeschütze benötigen \uf748 [accent]Munition[]. +onset.turrets = Einheiten sind effektiv, aber [accent]Geschütze[] sind beim Verteidigen stärker, wenn sie gut eingesetzt werden.\n Baue ein [accent]Brecher[]-Geschütz.\nGeschütze benötigen :beryllium: [accent]Munition[]. onset.turretammo = Versorge das Geschütz mit [accent]Berylliummunition[]. -onset.walls = [accent]Mauern[] können andere Blöcke vor Schaden schützen.\nBaue \uf6ee [accent]Berylliummauern[] um die Geschütze. +onset.walls = [accent]Mauern[] können andere Blöcke vor Schaden schützen.\nBaue :beryllium-wall: [accent]Berylliummauern[] um die Geschütze. onset.enemies = Feinde kommen bald, bereite dich vor. onset.defenses = [accent]Set up defenses:[lightgray] {0} onset.attack = Der Feid ist verwundbar. Greife ihn an. -onset.cores = Neue Kerne können auf [accent]Kernzonen[] platziert werden.\nNeue Kerne funktionieren als Außenposten und haben alle Zugriff auf dasselbe Kerninventar.\nBaue einen \uf725 Kern. +onset.cores = Neue Kerne können auf [accent]Kernzonen[] platziert werden.\nNeue Kerne funktionieren als Außenposten und haben alle Zugriff auf dasselbe Kerninventar.\nBaue einen :core-bastion: Kern. onset.detect = Der Feind wird dich in zwei Minuten entdecken.\nStelle Verteidigung, Bergbau und Produktion auf. #Don't translate these yet! diff --git a/core/assets/bundles/bundle_es.properties b/core/assets/bundles/bundle_es.properties index eb2dc8a12b4b..f012dfcd1259 100644 --- a/core/assets/bundles/bundle_es.properties +++ b/core/assets/bundles/bundle_es.properties @@ -1948,7 +1948,7 @@ hint.launch = Cuando tengas sufientes recursos, puedes [accent]Lanzar el núcleo hint.launch.mobile = Cuando tengas sufientes recursos, puedes [accent]Lanzar el núcleo[] escogiendo como objetivo sectores cercanos en el [accent]Mapa[], disponible desde el [accent]Menú de pausa[]. hint.schematicSelect = Mantén [accent][[F][] y arrastra para crear una selección de bloques que puedes copiar y pegar.\n\nUsa [accent][[Clic central][] para seleccionar un tipo de bloque. hint.rebuildSelect = Mantén [accent][[B][] y arrastra para seleccionar planos de bloques destruidos.\nEsto los reconstruirá automáticamente. -hint.rebuildSelect.mobile = Select the \ue874 copy button, then tap the \ue80f rebuild button and drag to select destroyed block plans.\nThis will rebuild them automatically. +hint.rebuildSelect.mobile = Select the :copy: copy button, then tap the :wrench: rebuild button and drag to select destroyed block plans.\nThis will rebuild them automatically. hint.conveyorPathfind = Mantener [accent][[L-Ctrl][] mientras arrastras cintas transportadoras generará automáticamente una ruta. hint.conveyorPathfind.mobile = Activa el [accent]modo diagonal[] y arrastra cintas transportadoras para generar una ruta inteligente. hint.boost = Mantén [accent][[L-Shift][] para sobrevolar obstáculos con tu unidad actual.\n\nSólo algunas unidades terrestres disponen de propulsores que les otorgan esta habilidad. @@ -1966,47 +1966,47 @@ hint.coreIncinerate = Tras completar la capacidad máxima de almacenamiento en e hint.factoryControl = Para establecer el [accent]destino de salida[] de una fábrica de unidades, haz clic sobre dicho bloque desde el modo comando, luego clic derecho en el destino a elegir.\nLas unidades fabricadas intentarán desplazarse allí automáticamente. hint.factoryControl.mobile = Para establecer el [accent]destino de salida[] de una fábrica de unidades, toca dicho bloque en modo comando, y luego toca el destino que quieras elegir.\nLas unidades fabricadas intentarán desplazarse hasta esta ubicación automáticamente. -gz.mine = Acércate al \uf8c4 [accent]mineral de cobre[] del suelo y haz clic sobre él para empezar a minarlo. -gz.mine.mobile = Acércate al \uf8c4 [accent]mineral de cobre[] del suelo y tócalo para empezar a minarlo. -gz.research = Abre el menú de \ue875 investigaciones tecnológicas.\nInvestiga el \uf870 [accent]taladro mecánico[], luego selecciónalo en el menú inferior derecho.\nHaz clic sobre una veta de cobre para colocar el taladro. -gz.research.mobile = Abre el menú de \ue875 investigaciones tecnológicas.\nInvestiga el \uf870 [accent]taladro mecánico[], luego selecciónalo en el menú inferior derecho.\nToca una veta de cobre para colocar el taladro.\n\nPulsa el \ue800 [accent]botón de confirmación[] de abajo a la derecha para confirmar. -gz.conveyors = Investiga y construye \uf896 [accent]cintas transportadoras[] para mover los recursos minados\ndesde los taladros hasta el núcleo.\n\nArrastra para colocar múltiples bloques de cintas transportadoras.\nUsa la [accent]rueda del ratón[] para cambiar su dirección. -gz.conveyors.mobile = Investiga y construye \uf896 [accent]cintas transportadoras[] para mover los recursos minados \ndesde los taladros hasta el núcleo.\n\nMantén pulsado un segundo y arrastra para colocar múltiples bloques de cintas transportadoras. +gz.mine = Acércate al :ore-copper: [accent]mineral de cobre[] del suelo y haz clic sobre él para empezar a minarlo. +gz.mine.mobile = Acércate al :ore-copper: [accent]mineral de cobre[] del suelo y tócalo para empezar a minarlo. +gz.research = Abre el menú de :tree: investigaciones tecnológicas.\nInvestiga el :mechanical-drill: [accent]taladro mecánico[], luego selecciónalo en el menú inferior derecho.\nHaz clic sobre una veta de cobre para colocar el taladro. +gz.research.mobile = Abre el menú de :tree: investigaciones tecnológicas.\nInvestiga el :mechanical-drill: [accent]taladro mecánico[], luego selecciónalo en el menú inferior derecho.\nToca una veta de cobre para colocar el taladro.\n\nPulsa el \ue800 [accent]botón de confirmación[] de abajo a la derecha para confirmar. +gz.conveyors = Investiga y construye :conveyor: [accent]cintas transportadoras[] para mover los recursos minados\ndesde los taladros hasta el núcleo.\n\nArrastra para colocar múltiples bloques de cintas transportadoras.\nUsa la [accent]rueda del ratón[] para cambiar su dirección. +gz.conveyors.mobile = Investiga y construye :conveyor: [accent]cintas transportadoras[] para mover los recursos minados \ndesde los taladros hasta el núcleo.\n\nMantén pulsado un segundo y arrastra para colocar múltiples bloques de cintas transportadoras. gz.drills = Expande la operación minera.\nConstruye más taladros mecánicos.\nExtrae 100 de cobre. -gz.lead = El \uf837 [accent]plomo[] es otro recurso muy usado.\nConstruye taladros para extraer plomo. -gz.moveup = \ue804 Sigue explorando para más objetivos. -gz.turrets = Investiga y construye 2 torretas \uf861 [accent]Duo[] para defender el núcleo.\nLas torretas Duo requieren un suministro de \uf838 [accent]munición[] mediante cintas transportadoras. +gz.lead = El :lead: [accent]plomo[] es otro recurso muy usado.\nConstruye taladros para extraer plomo. +gz.moveup = :up: Sigue explorando para más objetivos. +gz.turrets = Investiga y construye 2 torretas :duo: [accent]Duo[] para defender el núcleo.\nLas torretas Duo requieren un suministro de \uf838 [accent]munición[] mediante cintas transportadoras. gz.duoammo = Suministra [accent]cobre[] a las torretas Duo, usando cintas transportadoras. -gz.walls = Los [accent]muros[] pueden evitar que las estructuras reciban daño.\nConstruye \uf8ae [accent]muros de cobre[] alrededor de las torretas. +gz.walls = Los [accent]muros[] pueden evitar que las estructuras reciban daño.\nConstruye :copper-wall: [accent]muros de cobre[] alrededor de las torretas. gz.defend = Se aproxima un enemigo, prepárate para defenderte. -gz.aa = Las unidades aéreas no son tan fáciles de eliminar con torretas comunes.\n\uf860 Las torretas [accent]Scatter[] proporcionan una excelente defensa anti-aérea, pero utilizan \uf837 [accent]plomo[] como munición. +gz.aa = Las unidades aéreas no son tan fáciles de eliminar con torretas comunes.\n:scatter: Las torretas [accent]Scatter[] proporcionan una excelente defensa anti-aérea, pero utilizan :lead: [accent]plomo[] como munición. gz.scatterammo = Suministra [accent]plomo[] a la torreta Scatter mediante cintas transportadoras. gz.supplyturret = [accent]Cargar torreta gz.zone1 = Esta es la zona de aterrizaje del enemigo. gz.zone2 = Cualquier estructura en el área será destruida al comenzar una oleada. gz.zone3 = Ahora comenzará una oleada.\nPrepárate. gz.finish = Construye más torretas, extrae más recursos,\ny defiéndete de todas las oleadas para [accent]capturar este sector[]. -onset.mine = Haz clic para minar \uf748 [accent]berilio[] de las paredes.\n\nUsa [accent][[WASD] para moverte. -onset.mine.mobile = Toca para minar \uf748 [accent]berilio[] de las paredes. -onset.research = Abre el \ue875 menú de investigaciones.\nInvestiga y construye una \uf73e [accent]turbina condensadora[] en la grieta.\nEsto generará [accent]energía[]. -onset.bore = Investiga y construye un \uf741 [accent]perforador de plasma[].\nEste minará recursos de las paredes automáticamente. -onset.power = Para [accent]encender[] el perforador de plasma, investiga y coloca un \uf73d [accent]nodo de energía ortogonal[].\nConecta la turbina condensadora al perforador de plasma. -onset.ducts = Investiga y construye \uf799 [accent]conductos[] para mover los recursos minados desde el perforador de plasma hasta el núcleo.\nArrastra para formar una cadena de transporte con múltiples bloques de conducto.\nUsa la [accent]rueda del ratón[] para cambiar la dirección. -onset.ducts.mobile = Investiga y construye \uf799 [accent]conductos[] para mover los recursos minados desde el perforador de plasma hasta el núcleo.\n\nPresiona por un segundo y arrastra para crear múltiples bloques de conducto. +onset.mine = Haz clic para minar :beryllium: [accent]berilio[] de las paredes.\n\nUsa [accent][[WASD] para moverte. +onset.mine.mobile = Toca para minar :beryllium: [accent]berilio[] de las paredes. +onset.research = Abre el :tree: menú de investigaciones.\nInvestiga y construye una :turbine-condenser: [accent]turbina condensadora[] en la grieta.\nEsto generará [accent]energía[]. +onset.bore = Investiga y construye un :plasma-bore: [accent]perforador de plasma[].\nEste minará recursos de las paredes automáticamente. +onset.power = Para [accent]encender[] el perforador de plasma, investiga y coloca un :beam-node: [accent]nodo de energía ortogonal[].\nConecta la turbina condensadora al perforador de plasma. +onset.ducts = Investiga y construye :duct: [accent]conductos[] para mover los recursos minados desde el perforador de plasma hasta el núcleo.\nArrastra para formar una cadena de transporte con múltiples bloques de conducto.\nUsa la [accent]rueda del ratón[] para cambiar la dirección. +onset.ducts.mobile = Investiga y construye :duct: [accent]conductos[] para mover los recursos minados desde el perforador de plasma hasta el núcleo.\n\nPresiona por un segundo y arrastra para crear múltiples bloques de conducto. onset.moremine = Expande la operación minera.\nConstruye más perforadores de plasma y usa nodos de energía ortogonales y conductos para complementarlos.\nExtrae 200 de berilio. -onset.graphite = Otros bloques más complejos requieren \uf835 [accent]grafito[].\nConstruye perforadores de plasma para extraer grafito. -onset.research2 = Empieza a investigar las [accent]fábricas[].\nDesbloquea el \uf74d [accent]triturador de paredes[] y el \uf779 [accent]horno de arco de silicio[]. -onset.arcfurnace = El horno de arco necesita \uf834 [accent]arena[] y \uf835 [accent]grafito[] para producir \uf82f [accent]silicio[].\nTambién requiere [accent]energía[] para funcionar. -onset.crusher = Usa los \uf74d [accent]trituradores de paredes[] para conseguir arena. -onset.fabricator = Usa [accent]unidades[] para explorar el mapa, defender tus estructuras, y atacar al enemigo. Investiga y construye un \uf6a2 [accent]fabricador de tanques[]. +onset.graphite = Otros bloques más complejos requieren :graphite: [accent]grafito[].\nConstruye perforadores de plasma para extraer grafito. +onset.research2 = Empieza a investigar las [accent]fábricas[].\nDesbloquea el :cliff-crusher: [accent]triturador de paredes[] y el :silicon-arc-furnace: [accent]horno de arco de silicio[]. +onset.arcfurnace = El horno de arco necesita :sand: [accent]arena[] y :graphite: [accent]grafito[] para producir :silicon: [accent]silicio[].\nTambién requiere [accent]energía[] para funcionar. +onset.crusher = Usa los :cliff-crusher: [accent]trituradores de paredes[] para conseguir arena. +onset.fabricator = Usa [accent]unidades[] para explorar el mapa, defender tus estructuras, y atacar al enemigo. Investiga y construye un :tank-fabricator: [accent]fabricador de tanques[]. onset.makeunit = Produce una unidad.\nUsa el botón "?" para ver los requisitos de la fábrica seleccionada. -onset.turrets = Las unidades son efectivas, pero las [accent]torretas[] pueden ofrecer mejores capacidades defensivas si se usan de forma efectiva.\nConstruye una torreta \uf6eb [accent]Breach[].\nLas torretas requieren \uf748 [accent]munición[]. +onset.turrets = Las unidades son efectivas, pero las [accent]torretas[] pueden ofrecer mejores capacidades defensivas si se usan de forma efectiva.\nConstruye una torreta :breach: [accent]Breach[].\nLas torretas requieren :beryllium: [accent]munición[]. onset.turretammo = Suministra [accent]munición de berilio[] a la torreta. -onset.walls = Los [accent]muros[] pueden evitar que las estructuras reciban daño.\nColoca unos \uf6ee [accent]muros de berilio[] alrededor de la torreta. +onset.walls = Los [accent]muros[] pueden evitar que las estructuras reciban daño.\nColoca unos :beryllium-wall: [accent]muros de berilio[] alrededor de la torreta. onset.enemies = Se aproxima un enemigo, prepárate para defenderte. onset.defenses = [accent]Set up defenses:[lightgray] {0} onset.attack = El enemigo es ahora vulnerable. Contraataca. -onset.cores = Se pueden colocar nuevos núcleos sobre las [accent]zonas de núcleo[].\nLos núcleos adicionales funcionan como bases avanzadas y comparten el inventario de recursos con otros núcleos.\nColoca un \uf725 núcleo. +onset.cores = Se pueden colocar nuevos núcleos sobre las [accent]zonas de núcleo[].\nLos núcleos adicionales funcionan como bases avanzadas y comparten el inventario de recursos con otros núcleos.\nColoca un :core-bastion: núcleo. onset.detect = El enemigo te detectará en 2 minutos.\nEstablece sistemas de defensa, minería, y producción. #Don't translate these yet! diff --git a/core/assets/bundles/bundle_et.properties b/core/assets/bundles/bundle_et.properties index 43e53b8ac440..39dfe6074398 100644 --- a/core/assets/bundles/bundle_et.properties +++ b/core/assets/bundles/bundle_et.properties @@ -1910,77 +1910,77 @@ hint.respawn = To respawn as a ship, press [accent][[V][]. hint.respawn.mobile = You have switched control to a unit/structure. To respawn as a ship, [accent]tap the avatar in the top left.[] hint.desktopPause = Press [accent][[Space][] to pause and unpause the game. hint.breaking = [accent]Right-click[] and drag to break blocks. -hint.breaking.mobile = Activate the \ue817 [accent]hammer[] in the bottom right and tap to break blocks.\n\nHold down your finger for a second and drag to break in a selection. +hint.breaking.mobile = Activate the :hammer: [accent]hammer[] in the bottom right and tap to break blocks.\n\nHold down your finger for a second and drag to break in a selection. hint.blockInfo = View information of a block by selecting it in the [accent]build menu[], then selecting the [accent][[?][] button at the right. hint.derelict = [accent]Derelict[] structures are broken remnants of old bases that no longer function.\n\nThese structures can be [accent]deconstructed[] for resources. -hint.research = Use the \ue875 [accent]Research[] button to research new technology. -hint.research.mobile = Use the \ue875 [accent]Research[] button in the \ue88c [accent]Menu[] to research new technology. +hint.research = Use the :tree: [accent]Research[] button to research new technology. +hint.research.mobile = Use the :tree: [accent]Research[] button in the :menu: [accent]Menu[] to research new technology. hint.unitControl = Hold [accent][[L-ctrl][] and [accent]click[] to control friendly units or turrets. hint.unitControl.mobile = [accent][[Double-tap][] to control friendly units or turrets. hint.unitSelectControl = To control units, enter [accent]command mode[] by holding [accent]L-shift.[]\nWhile in command mode, click and drag to select units. [accent]Right-click[] a location or target to command units there. hint.unitSelectControl.mobile = To control units, enter [accent]command mode[] by pressing the [accent]command[] button in the bottom left.\nWhile in command mode, long-press and drag to select units. Tap a location or target to command units there. -hint.launch = Once enough resources are collected, you can [accent]Launch[] by selecting nearby sectors from the \ue827 [accent]Map[] in the bottom right. -hint.launch.mobile = Once enough resources are collected, you can [accent]Launch[] by selecting nearby sectors from the \ue827 [accent]Map[] in the \ue88c [accent]Menu[]. +hint.launch = Once enough resources are collected, you can [accent]Launch[] by selecting nearby sectors from the :map: [accent]Map[] in the bottom right. +hint.launch.mobile = Once enough resources are collected, you can [accent]Launch[] by selecting nearby sectors from the :map: [accent]Map[] in the :menu: [accent]Menu[]. hint.schematicSelect = Hold [accent][[F][] and drag to select blocks to copy and paste.\n\n[accent][[Middle Click][] to copy a single block type. hint.rebuildSelect = Hold [accent][[B][] and drag to select destroyed block plans.\nThis will rebuild them automatically. -hint.rebuildSelect.mobile = Select the \ue874 copy button, then tap the \ue80f rebuild button and drag to select destroyed block plans.\nThis will rebuild them automatically. +hint.rebuildSelect.mobile = Select the :copy: copy button, then tap the :wrench: rebuild button and drag to select destroyed block plans.\nThis will rebuild them automatically. hint.conveyorPathfind = Hold [accent][[L-Ctrl][] while dragging conveyors to automatically generate a path. -hint.conveyorPathfind.mobile = Enable \ue844 [accent]diagonal mode[] and drag conveyors to automatically generate a path. +hint.conveyorPathfind.mobile = Enable :diagonal: [accent]diagonal mode[] and drag conveyors to automatically generate a path. hint.boost = Hold [accent][[L-Shift][] to fly over obstacles with your current unit.\n\nOnly a few ground units have boosters. hint.payloadPickup = Press [accent][[[] to pick up small blocks or units. hint.payloadPickup.mobile = [accent]Tap and hold[] a small block or unit to pick it up. hint.payloadDrop = Press [accent]][] to drop a payload. hint.payloadDrop.mobile = [accent]Tap and hold[] an empty location to drop a payload there. hint.waveFire = [accent]Wave[] turrets with water as ammunition will automatically put out nearby fires. -hint.generator = \uf879 [accent]Combustion Generators[] burn coal and transmit power to adjacent blocks.\n\nPower transmission range can be extended with \uf87f [accent]Power Nodes[]. -hint.guardian = [accent]Guardian[] units are armored. Weak ammo such as [accent]Copper[] and [accent]Lead[] is [scarlet]not effective[].\n\nUse higher tier turrets or \uf835 [accent]Graphite[] \uf861Duo/\uf859Salvo ammunition to take Guardians down. -hint.coreUpgrade = Cores can be upgraded by [accent]placing higher-tier cores over them[].\n\nPlace a \uf868 [accent]Foundation[] core over the \uf869 [accent]Shard[] core. Make sure it is free from nearby obstructions. +hint.generator = :combustion-generator: [accent]Combustion Generators[] burn coal and transmit power to adjacent blocks.\n\nPower transmission range can be extended with :power-node: [accent]Power Nodes[]. +hint.guardian = [accent]Guardian[] units are armored. Weak ammo such as [accent]Copper[] and [accent]Lead[] is [scarlet]not effective[].\n\nUse higher tier turrets or :graphite: [accent]Graphite[] :duo:Duo/:salvo:Salvo ammunition to take Guardians down. +hint.coreUpgrade = Cores can be upgraded by [accent]placing higher-tier cores over them[].\n\nPlace a :core-foundation: [accent]Foundation[] core over the :core-shard: [accent]Shard[] core. Make sure it is free from nearby obstructions. hint.presetLaunch = Gray [accent]landing zone sectors[], such as [accent]Frozen Forest[], can be launched to from anywhere. They do not require capture of nearby territory.\n\n[accent]Numbered sectors[], such as this one, are [accent]optional[]. hint.presetDifficulty = This sector has a [scarlet]high enemy threat level[].\nLaunching to such sectors is [accent]not recommended[] without proper technology and preparation. hint.coreIncinerate = After the core is filled to capacity with an item, any extra items of that type it receives will be [accent]incinerated[]. hint.factoryControl = To set a unit factory's [accent]output destination[], click a factory block while in command mode, then right-click a location.\nUnits produced by it will automatically move there. hint.factoryControl.mobile = To set a unit factory's [accent]output destination[], tap a factory block while in command mode, then tap a location.\nUnits produced by it will automatically move there. -gz.mine = Move near the \uf8c4 [accent]copper ore[] on the ground and click to begin mining. -gz.mine.mobile = Move near the \uf8c4 [accent]copper ore[] on the ground and tap it to begin mining. -gz.research = Open the \ue875 tech tree.\nResearch the \uf870 [accent]Mechanical Drill[], then select it from the menu in the bottom right.\nClick on a copper patch to place it. -gz.research.mobile = Open the \ue875 tech tree.\nResearch the \uf870 [accent]Mechanical Drill[], then select it from the menu in the bottom right.\nTap on a copper patch to place it.\n\nPress the \ue800 [accent]checkmark[] at the bottom right to confirm. -gz.conveyors = Research and place \uf896 [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nClick and drag to place multiple conveyors.\n[accent]Scroll[] to rotate. -gz.conveyors.mobile = Research and place \uf896 [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nHold down your finger for a second and drag to place multiple conveyors. +gz.mine = Move near the :ore-copper: [accent]copper ore[] on the ground and click to begin mining. +gz.mine.mobile = Move near the :ore-copper: [accent]copper ore[] on the ground and tap it to begin mining. +gz.research = Open the :tree: tech tree.\nResearch the :mechanical-drill: [accent]Mechanical Drill[], then select it from the menu in the bottom right.\nClick on a copper patch to place it. +gz.research.mobile = Open the :tree: tech tree.\nResearch the :mechanical-drill: [accent]Mechanical Drill[], then select it from the menu in the bottom right.\nTap on a copper patch to place it.\n\nPress the \ue800 [accent]checkmark[] at the bottom right to confirm. +gz.conveyors = Research and place :conveyor: [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nClick and drag to place multiple conveyors.\n[accent]Scroll[] to rotate. +gz.conveyors.mobile = Research and place :conveyor: [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nHold down your finger for a second and drag to place multiple conveyors. gz.drills = Expand the mining operation.\nPlace more Mechanical Drills.\nMine 100 copper. -gz.lead = \uf837 [accent]Lead[] is another commonly used resource.\nSet up drills to mine lead. -gz.moveup = \ue804 Move up for further objectives. -gz.turrets = Research and place 2 \uf861 [accent]Duo[] turrets to defend the core.\nDuo turrets require \uf838 [accent]ammo[] from conveyors. +gz.lead = :lead: [accent]Lead[] is another commonly used resource.\nSet up drills to mine lead. +gz.moveup = :up: Move up for further objectives. +gz.turrets = Research and place 2 :duo: [accent]Duo[] turrets to defend the core.\nDuo turrets require \uf838 [accent]ammo[] from conveyors. gz.duoammo = Supply the Duo turrets with [accent]copper[], using conveyors. -gz.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace \uf8ae [accent]copper walls[] around the turrets. +gz.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace :copper-wall: [accent]copper walls[] around the turrets. gz.defend = Enemy incoming, prepare to defend. -gz.aa = Flying units cannot easily be dispatched with standard turrets.\n\uf860 [accent]Scatter[] turrets provide excellent anti-air, but require \uf837 [accent]lead[] as ammo. +gz.aa = Flying units cannot easily be dispatched with standard turrets.\n:scatter: [accent]Scatter[] turrets provide excellent anti-air, but require :lead: [accent]lead[] as ammo. gz.scatterammo = Supply the Scatter turret with [accent]lead[], using conveyors. gz.supplyturret = [accent]Supply Turret gz.zone1 = This is the enemy drop zone. gz.zone2 = Anything built in the radius is destroyed when a wave starts. gz.zone3 = A wave will begin now.\nGet ready. gz.finish = Build more turrets, mine more resources,\nand defend against all the waves to [accent]capture the sector[]. -onset.mine = Click to mine \uf748 [accent]beryllium[] from walls.\n\nUse [accent][[WASD] to move. -onset.mine.mobile = Tap to mine \uf748 [accent]beryllium[] from walls. -onset.research = Open the \ue875 tech tree.\nResearch, then place a \uf73e [accent]turbine condenser[] on the vent.\nThis will generate [accent]power[]. -onset.bore = Research and place a \uf741 [accent]plasma bore[].\nThis automatically mines resources from walls. -onset.power = To [accent]power[] the plasma bore, research and place a \uf73d [accent]beam node[].\nConnect the turbine condenser to the plasma bore. -onset.ducts = Research and place \uf799 [accent]ducts[] to move the mined resources from the plasma bore to the core.\nClick and drag to place multiple ducts.\n[accent]Scroll[] to rotate. -onset.ducts.mobile = Research and place \uf799 [accent]ducts[] to move the mined resources from the plasma bore to the core.\n\nHold down your finger for a second and drag to place multiple ducts. +onset.mine = Click to mine :beryllium: [accent]beryllium[] from walls.\n\nUse [accent][[WASD] to move. +onset.mine.mobile = Tap to mine :beryllium: [accent]beryllium[] from walls. +onset.research = Open the :tree: tech tree.\nResearch, then place a :turbine-condenser: [accent]turbine condenser[] on the vent.\nThis will generate [accent]power[]. +onset.bore = Research and place a :plasma-bore: [accent]plasma bore[].\nThis automatically mines resources from walls. +onset.power = To [accent]power[] the plasma bore, research and place a :beam-node: [accent]beam node[].\nConnect the turbine condenser to the plasma bore. +onset.ducts = Research and place :duct: [accent]ducts[] to move the mined resources from the plasma bore to the core.\nClick and drag to place multiple ducts.\n[accent]Scroll[] to rotate. +onset.ducts.mobile = Research and place :duct: [accent]ducts[] to move the mined resources from the plasma bore to the core.\n\nHold down your finger for a second and drag to place multiple ducts. onset.moremine = Expand the mining operation.\nPlace more Plasma Bores and use beam nodes and ducts to support them.\nMine 200 beryllium. -onset.graphite = More complex blocks require \uf835 [accent]graphite[].\nSet up plasma bores to mine graphite. -onset.research2 = Begin researching [accent]factories[].\nResearch the \uf74d [accent]cliff crusher[] and \uf779 [accent]silicon arc furnace[]. -onset.arcfurnace = The arc furnace needs \uf834 [accent]sand[] and \uf835 [accent]graphite[] to create \uf82f [accent]silicon[].\n[accent]Power[] is also required. -onset.crusher = Use \uf74d [accent]cliff crushers[] to mine sand. -onset.fabricator = Use [accent]units[] to explore the map, defend buildings, and attack the enemy. Research and place a \uf6a2 [accent]tank fabricator[]. +onset.graphite = More complex blocks require :graphite: [accent]graphite[].\nSet up plasma bores to mine graphite. +onset.research2 = Begin researching [accent]factories[].\nResearch the :cliff-crusher: [accent]cliff crusher[] and :silicon-arc-furnace: [accent]silicon arc furnace[]. +onset.arcfurnace = The arc furnace needs :sand: [accent]sand[] and :graphite: [accent]graphite[] to create :silicon: [accent]silicon[].\n[accent]Power[] is also required. +onset.crusher = Use :cliff-crusher: [accent]cliff crushers[] to mine sand. +onset.fabricator = Use [accent]units[] to explore the map, defend buildings, and attack the enemy. Research and place a :tank-fabricator: [accent]tank fabricator[]. onset.makeunit = Produce a unit.\nUse the "?" button to see selected factory requirements. -onset.turrets = Units are effective, but [accent]turrets[] provide better defensive capabilities if used effectively.\nPlace a \uf6eb [accent]Breach[] turret.\nTurrets require \uf748 [accent]ammo[]. +onset.turrets = Units are effective, but [accent]turrets[] provide better defensive capabilities if used effectively.\nPlace a :breach: [accent]Breach[] turret.\nTurrets require :beryllium: [accent]ammo[]. onset.turretammo = Supply the turret with [accent]beryllium ammo.[] -onset.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace some \uf6ee [accent]beryllium walls[] around the turret. +onset.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace some :beryllium-wall: [accent]beryllium walls[] around the turret. onset.enemies = Enemy incoming, prepare to defend. onset.defenses = [accent]Set up defenses:[lightgray] {0} onset.attack = The enemy is vulnerable. Counter-attack. -onset.cores = New cores can be placed on [accent]core tiles[].\nNew cores function as forward bases and share a resource inventory with other cores.\nPlace a \uf725 core. +onset.cores = New cores can be placed on [accent]core tiles[].\nNew cores function as forward bases and share a resource inventory with other cores.\nPlace a :core-bastion: core. onset.detect = The enemy will be able to detect you in 2 minutes.\nSet up defenses, mining, and production. onset.commandmode = Hold [accent]shift[] to enter [accent]command mode[].\n[accent]Left-click and drag[] to select units.\n[accent]Right-click[] to order selected units to move or attack. onset.commandmode.mobile = Press the [accent]command button[] to enter [accent]command mode[].\nHold down a finger, then [accent]drag[] to select units.\n[accent]Tap[] to order selected units to move or attack. diff --git a/core/assets/bundles/bundle_eu.properties b/core/assets/bundles/bundle_eu.properties index 4dfc09017940..8d49ff5f7eaa 100644 --- a/core/assets/bundles/bundle_eu.properties +++ b/core/assets/bundles/bundle_eu.properties @@ -1912,77 +1912,77 @@ hint.respawn = To respawn as a ship, press [accent][[V][]. hint.respawn.mobile = You have switched control to a unit/structure. To respawn as a ship, [accent]tap the avatar in the top left.[] hint.desktopPause = Press [accent][[Space][] to pause and unpause the game. hint.breaking = [accent]Right-click[] and drag to break blocks. -hint.breaking.mobile = Activate the \ue817 [accent]hammer[] in the bottom right and tap to break blocks.\n\nHold down your finger for a second and drag to break in a selection. +hint.breaking.mobile = Activate the :hammer: [accent]hammer[] in the bottom right and tap to break blocks.\n\nHold down your finger for a second and drag to break in a selection. hint.blockInfo = View information of a block by selecting it in the [accent]build menu[], then selecting the [accent][[?][] button at the right. hint.derelict = [accent]Derelict[] structures are broken remnants of old bases that no longer function.\n\nThese structures can be [accent]deconstructed[] for resources. -hint.research = Use the \ue875 [accent]Research[] button to research new technology. -hint.research.mobile = Use the \ue875 [accent]Research[] button in the \ue88c [accent]Menu[] to research new technology. +hint.research = Use the :tree: [accent]Research[] button to research new technology. +hint.research.mobile = Use the :tree: [accent]Research[] button in the :menu: [accent]Menu[] to research new technology. hint.unitControl = Hold [accent][[L-ctrl][] and [accent]click[] to control friendly units or turrets. hint.unitControl.mobile = [accent][[Double-tap][] to control friendly units or turrets. hint.unitSelectControl = To control units, enter [accent]command mode[] by holding [accent]L-shift.[]\nWhile in command mode, click and drag to select units. [accent]Right-click[] a location or target to command units there. hint.unitSelectControl.mobile = To control units, enter [accent]command mode[] by pressing the [accent]command[] button in the bottom left.\nWhile in command mode, long-press and drag to select units. Tap a location or target to command units there. -hint.launch = Once enough resources are collected, you can [accent]Launch[] by selecting nearby sectors from the \ue827 [accent]Map[] in the bottom right. -hint.launch.mobile = Once enough resources are collected, you can [accent]Launch[] by selecting nearby sectors from the \ue827 [accent]Map[] in the \ue88c [accent]Menu[]. +hint.launch = Once enough resources are collected, you can [accent]Launch[] by selecting nearby sectors from the :map: [accent]Map[] in the bottom right. +hint.launch.mobile = Once enough resources are collected, you can [accent]Launch[] by selecting nearby sectors from the :map: [accent]Map[] in the :menu: [accent]Menu[]. hint.schematicSelect = Hold [accent][[F][] and drag to select blocks to copy and paste.\n\n[accent][[Middle Click][] to copy a single block type. hint.rebuildSelect = Hold [accent][[B][] and drag to select destroyed block plans.\nThis will rebuild them automatically. -hint.rebuildSelect.mobile = Select the \ue874 copy button, then tap the \ue80f rebuild button and drag to select destroyed block plans.\nThis will rebuild them automatically. +hint.rebuildSelect.mobile = Select the :copy: copy button, then tap the :wrench: rebuild button and drag to select destroyed block plans.\nThis will rebuild them automatically. hint.conveyorPathfind = Hold [accent][[L-Ctrl][] while dragging conveyors to automatically generate a path. -hint.conveyorPathfind.mobile = Enable \ue844 [accent]diagonal mode[] and drag conveyors to automatically generate a path. +hint.conveyorPathfind.mobile = Enable :diagonal: [accent]diagonal mode[] and drag conveyors to automatically generate a path. hint.boost = Hold [accent][[L-Shift][] to fly over obstacles with your current unit.\n\nOnly a few ground units have boosters. hint.payloadPickup = Press [accent][[[] to pick up small blocks or units. hint.payloadPickup.mobile = [accent]Tap and hold[] a small block or unit to pick it up. hint.payloadDrop = Press [accent]][] to drop a payload. hint.payloadDrop.mobile = [accent]Tap and hold[] an empty location to drop a payload there. hint.waveFire = [accent]Wave[] turrets with water as ammunition will automatically put out nearby fires. -hint.generator = \uf879 [accent]Combustion Generators[] burn coal and transmit power to adjacent blocks.\n\nPower transmission range can be extended with \uf87f [accent]Power Nodes[]. -hint.guardian = [accent]Guardian[] units are armored. Weak ammo such as [accent]Copper[] and [accent]Lead[] is [scarlet]not effective[].\n\nUse higher tier turrets or \uf835 [accent]Graphite[] \uf861Duo/\uf859Salvo ammunition to take Guardians down. -hint.coreUpgrade = Cores can be upgraded by [accent]placing higher-tier cores over them[].\n\nPlace a \uf868 [accent]Foundation[] core over the \uf869 [accent]Shard[] core. Make sure it is free from nearby obstructions. +hint.generator = :combustion-generator: [accent]Combustion Generators[] burn coal and transmit power to adjacent blocks.\n\nPower transmission range can be extended with :power-node: [accent]Power Nodes[]. +hint.guardian = [accent]Guardian[] units are armored. Weak ammo such as [accent]Copper[] and [accent]Lead[] is [scarlet]not effective[].\n\nUse higher tier turrets or :graphite: [accent]Graphite[] :duo:Duo/:salvo:Salvo ammunition to take Guardians down. +hint.coreUpgrade = Cores can be upgraded by [accent]placing higher-tier cores over them[].\n\nPlace a :core-foundation: [accent]Foundation[] core over the :core-shard: [accent]Shard[] core. Make sure it is free from nearby obstructions. hint.presetLaunch = Gray [accent]landing zone sectors[], such as [accent]Frozen Forest[], can be launched to from anywhere. They do not require capture of nearby territory.\n\n[accent]Numbered sectors[], such as this one, are [accent]optional[]. hint.presetDifficulty = This sector has a [scarlet]high enemy threat level[].\nLaunching to such sectors is [accent]not recommended[] without proper technology and preparation. hint.coreIncinerate = After the core is filled to capacity with an item, any extra items of that type it receives will be [accent]incinerated[]. hint.factoryControl = To set a unit factory's [accent]output destination[], click a factory block while in command mode, then right-click a location.\nUnits produced by it will automatically move there. hint.factoryControl.mobile = To set a unit factory's [accent]output destination[], tap a factory block while in command mode, then tap a location.\nUnits produced by it will automatically move there. -gz.mine = Move near the \uf8c4 [accent]copper ore[] on the ground and click to begin mining. -gz.mine.mobile = Move near the \uf8c4 [accent]copper ore[] on the ground and tap it to begin mining. -gz.research = Open the \ue875 tech tree.\nResearch the \uf870 [accent]Mechanical Drill[], then select it from the menu in the bottom right.\nClick on a copper patch to place it. -gz.research.mobile = Open the \ue875 tech tree.\nResearch the \uf870 [accent]Mechanical Drill[], then select it from the menu in the bottom right.\nTap on a copper patch to place it.\n\nPress the \ue800 [accent]checkmark[] at the bottom right to confirm. -gz.conveyors = Research and place \uf896 [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nClick and drag to place multiple conveyors.\n[accent]Scroll[] to rotate. -gz.conveyors.mobile = Research and place \uf896 [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nHold down your finger for a second and drag to place multiple conveyors. +gz.mine = Move near the :ore-copper: [accent]copper ore[] on the ground and click to begin mining. +gz.mine.mobile = Move near the :ore-copper: [accent]copper ore[] on the ground and tap it to begin mining. +gz.research = Open the :tree: tech tree.\nResearch the :mechanical-drill: [accent]Mechanical Drill[], then select it from the menu in the bottom right.\nClick on a copper patch to place it. +gz.research.mobile = Open the :tree: tech tree.\nResearch the :mechanical-drill: [accent]Mechanical Drill[], then select it from the menu in the bottom right.\nTap on a copper patch to place it.\n\nPress the \ue800 [accent]checkmark[] at the bottom right to confirm. +gz.conveyors = Research and place :conveyor: [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nClick and drag to place multiple conveyors.\n[accent]Scroll[] to rotate. +gz.conveyors.mobile = Research and place :conveyor: [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nHold down your finger for a second and drag to place multiple conveyors. gz.drills = Expand the mining operation.\nPlace more Mechanical Drills.\nMine 100 copper. -gz.lead = \uf837 [accent]Lead[] is another commonly used resource.\nSet up drills to mine lead. -gz.moveup = \ue804 Move up for further objectives. -gz.turrets = Research and place 2 \uf861 [accent]Duo[] turrets to defend the core.\nDuo turrets require \uf838 [accent]ammo[] from conveyors. +gz.lead = :lead: [accent]Lead[] is another commonly used resource.\nSet up drills to mine lead. +gz.moveup = :up: Move up for further objectives. +gz.turrets = Research and place 2 :duo: [accent]Duo[] turrets to defend the core.\nDuo turrets require \uf838 [accent]ammo[] from conveyors. gz.duoammo = Supply the Duo turrets with [accent]copper[], using conveyors. -gz.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace \uf8ae [accent]copper walls[] around the turrets. +gz.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace :copper-wall: [accent]copper walls[] around the turrets. gz.defend = Enemy incoming, prepare to defend. -gz.aa = Flying units cannot easily be dispatched with standard turrets.\n\uf860 [accent]Scatter[] turrets provide excellent anti-air, but require \uf837 [accent]lead[] as ammo. +gz.aa = Flying units cannot easily be dispatched with standard turrets.\n:scatter: [accent]Scatter[] turrets provide excellent anti-air, but require :lead: [accent]lead[] as ammo. gz.scatterammo = Supply the Scatter turret with [accent]lead[], using conveyors. gz.supplyturret = [accent]Supply Turret gz.zone1 = This is the enemy drop zone. gz.zone2 = Anything built in the radius is destroyed when a wave starts. gz.zone3 = A wave will begin now.\nGet ready. gz.finish = Build more turrets, mine more resources,\nand defend against all the waves to [accent]capture the sector[]. -onset.mine = Click to mine \uf748 [accent]beryllium[] from walls.\n\nUse [accent][[WASD] to move. -onset.mine.mobile = Tap to mine \uf748 [accent]beryllium[] from walls. -onset.research = Open the \ue875 tech tree.\nResearch, then place a \uf73e [accent]turbine condenser[] on the vent.\nThis will generate [accent]power[]. -onset.bore = Research and place a \uf741 [accent]plasma bore[].\nThis automatically mines resources from walls. -onset.power = To [accent]power[] the plasma bore, research and place a \uf73d [accent]beam node[].\nConnect the turbine condenser to the plasma bore. -onset.ducts = Research and place \uf799 [accent]ducts[] to move the mined resources from the plasma bore to the core.\nClick and drag to place multiple ducts.\n[accent]Scroll[] to rotate. -onset.ducts.mobile = Research and place \uf799 [accent]ducts[] to move the mined resources from the plasma bore to the core.\n\nHold down your finger for a second and drag to place multiple ducts. +onset.mine = Click to mine :beryllium: [accent]beryllium[] from walls.\n\nUse [accent][[WASD] to move. +onset.mine.mobile = Tap to mine :beryllium: [accent]beryllium[] from walls. +onset.research = Open the :tree: tech tree.\nResearch, then place a :turbine-condenser: [accent]turbine condenser[] on the vent.\nThis will generate [accent]power[]. +onset.bore = Research and place a :plasma-bore: [accent]plasma bore[].\nThis automatically mines resources from walls. +onset.power = To [accent]power[] the plasma bore, research and place a :beam-node: [accent]beam node[].\nConnect the turbine condenser to the plasma bore. +onset.ducts = Research and place :duct: [accent]ducts[] to move the mined resources from the plasma bore to the core.\nClick and drag to place multiple ducts.\n[accent]Scroll[] to rotate. +onset.ducts.mobile = Research and place :duct: [accent]ducts[] to move the mined resources from the plasma bore to the core.\n\nHold down your finger for a second and drag to place multiple ducts. onset.moremine = Expand the mining operation.\nPlace more Plasma Bores and use beam nodes and ducts to support them.\nMine 200 beryllium. -onset.graphite = More complex blocks require \uf835 [accent]graphite[].\nSet up plasma bores to mine graphite. -onset.research2 = Begin researching [accent]factories[].\nResearch the \uf74d [accent]cliff crusher[] and \uf779 [accent]silicon arc furnace[]. -onset.arcfurnace = The arc furnace needs \uf834 [accent]sand[] and \uf835 [accent]graphite[] to create \uf82f [accent]silicon[].\n[accent]Power[] is also required. -onset.crusher = Use \uf74d [accent]cliff crushers[] to mine sand. -onset.fabricator = Use [accent]units[] to explore the map, defend buildings, and attack the enemy. Research and place a \uf6a2 [accent]tank fabricator[]. +onset.graphite = More complex blocks require :graphite: [accent]graphite[].\nSet up plasma bores to mine graphite. +onset.research2 = Begin researching [accent]factories[].\nResearch the :cliff-crusher: [accent]cliff crusher[] and :silicon-arc-furnace: [accent]silicon arc furnace[]. +onset.arcfurnace = The arc furnace needs :sand: [accent]sand[] and :graphite: [accent]graphite[] to create :silicon: [accent]silicon[].\n[accent]Power[] is also required. +onset.crusher = Use :cliff-crusher: [accent]cliff crushers[] to mine sand. +onset.fabricator = Use [accent]units[] to explore the map, defend buildings, and attack the enemy. Research and place a :tank-fabricator: [accent]tank fabricator[]. onset.makeunit = Produce a unit.\nUse the "?" button to see selected factory requirements. -onset.turrets = Units are effective, but [accent]turrets[] provide better defensive capabilities if used effectively.\nPlace a \uf6eb [accent]Breach[] turret.\nTurrets require \uf748 [accent]ammo[]. +onset.turrets = Units are effective, but [accent]turrets[] provide better defensive capabilities if used effectively.\nPlace a :breach: [accent]Breach[] turret.\nTurrets require :beryllium: [accent]ammo[]. onset.turretammo = Supply the turret with [accent]beryllium ammo.[] -onset.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace some \uf6ee [accent]beryllium walls[] around the turret. +onset.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace some :beryllium-wall: [accent]beryllium walls[] around the turret. onset.enemies = Enemy incoming, prepare to defend. onset.defenses = [accent]Set up defenses:[lightgray] {0} onset.attack = The enemy is vulnerable. Counter-attack. -onset.cores = New cores can be placed on [accent]core tiles[].\nNew cores function as forward bases and share a resource inventory with other cores.\nPlace a \uf725 core. +onset.cores = New cores can be placed on [accent]core tiles[].\nNew cores function as forward bases and share a resource inventory with other cores.\nPlace a :core-bastion: core. onset.detect = The enemy will be able to detect you in 2 minutes.\nSet up defenses, mining, and production. onset.commandmode = Hold [accent]shift[] to enter [accent]command mode[].\n[accent]Left-click and drag[] to select units.\n[accent]Right-click[] to order selected units to move or attack. onset.commandmode.mobile = Press the [accent]command button[] to enter [accent]command mode[].\nHold down a finger, then [accent]drag[] to select units.\n[accent]Tap[] to order selected units to move or attack. diff --git a/core/assets/bundles/bundle_fi.properties b/core/assets/bundles/bundle_fi.properties index 0bf585f18899..a3e34c28312b 100644 --- a/core/assets/bundles/bundle_fi.properties +++ b/core/assets/bundles/bundle_fi.properties @@ -1912,77 +1912,77 @@ hint.respawn = Uudelleensyntyäksesi aluksena, paina näppäintä [accent][[V][] hint.respawn.mobile = Olet siirtynyt hallitsemaan yksikköä/rakennusta. Uudelleensyntyäksesi aluksena, [accent]paina avataria ylhäällä vasemmalla.[] hint.desktopPause = Paina [accent][[Välilyöntiä][] pysäyttääksesi ja jatkaaksesi peliä. hint.breaking = Paina [accent]Hiiren oikea[] ja vedä rikkoaksesi palikoita. -hint.breaking.mobile = Aktivoi \ue817 [accent]vasara[] alhaalla oikealla ja kosketa rikkoaksesi palikoita.\n\nPidä sormeasi pohjassa hetki ja vedä poistaaksesi valinnalla. +hint.breaking.mobile = Aktivoi :hammer: [accent]vasara[] alhaalla oikealla ja kosketa rikkoaksesi palikoita.\n\nPidä sormeasi pohjassa hetki ja vedä poistaaksesi valinnalla. hint.blockInfo = Näytä tietoa palikasta valitsemalla se [accent]rakennusvalikossa[], ja painamalla sitten [accent][[?][]-nappia oikella. hint.derelict = [accent]Hylky[]-rakennukset ovat hajonneita jäännöksiä vanhoista tukikohdista, jotka eivät enää toimi.\n\nNämä rakennukset on mahdollista [accent]purkaa[] resurssien saamiseksi. -hint.research = Käytä \ue875 [accent]Tutki[]-nappia tutkiaksesi uutta teknologiaa. -hint.research.mobile = Käytä \ue875 [accent]Tutki[]-nappia \ue88c[accent]Valikossa[] tutkiaksesi uutta teknologiaa. +hint.research = Käytä :tree: [accent]Tutki[]-nappia tutkiaksesi uutta teknologiaa. +hint.research.mobile = Käytä :tree: [accent]Tutki[]-nappia :menu:[accent]Valikossa[] tutkiaksesi uutta teknologiaa. hint.unitControl = Pidä pohjassa [accent][[Vasen ctrl][] ja [accent]klikkaa[] hallitaksesi ystävällisiä yksikköjä tai rakennuksia. hint.unitControl.mobile = [accent][[Kaksoisklikkaa][] hallitaksesi ystävällisiä yksikköjä tai rakennuksia. hint.unitSelectControl = To control units, enter [accent]command mode[] by holding [accent]L-shift.[]\nWhile in command mode, click and drag to select units. [accent]Right-click[] a location or target to command units there. hint.unitSelectControl.mobile = To control units, enter [accent]command mode[] by pressing the [accent]command[] button in the bottom left.\nWhile in command mode, long-press and drag to select units. Tap a location or target to command units there. -hint.launch = Kun olet kerännyt riittävästi resursseja, voit [accent]Laukaista[] valitsemalla läheisen sektorin \ue827[accent]Kartasta[] alhaalla oikealla. -hint.launch.mobile = Kun olet kerännyt riittävästi resursseja, voit [accent]Laukaista[] valitsemalla läheisen sektorin \ue827[accent]Kartasta[], joka löytyy \ue88c[accent]Valikosta[]. +hint.launch = Kun olet kerännyt riittävästi resursseja, voit [accent]Laukaista[] valitsemalla läheisen sektorin :map:[accent]Kartasta[] alhaalla oikealla. +hint.launch.mobile = Kun olet kerännyt riittävästi resursseja, voit [accent]Laukaista[] valitsemalla läheisen sektorin :map:[accent]Kartasta[], joka löytyy :menu:[accent]Valikosta[]. hint.schematicSelect = Pidä näppäintä [accent][[F][] pohjassa ja vedä valitaksesi palikoita kopioitavaksi ja liitettäväksi.\n\n[accent] Paina [[Hiiren keskinäppäin][] kopioidaksesi yksittäisen palikan. hint.rebuildSelect = Hold [accent][[B][] and drag to select destroyed block plans.\nThis will rebuild them automatically. -hint.rebuildSelect.mobile = Select the \ue874 copy button, then tap the \ue80f rebuild button and drag to select destroyed block plans.\nThis will rebuild them automatically. +hint.rebuildSelect.mobile = Select the :copy: copy button, then tap the :wrench: rebuild button and drag to select destroyed block plans.\nThis will rebuild them automatically. hint.conveyorPathfind = Pidä näppäintä [accent][[Vasen ctrl][] pohjassa, kun vedät liukuhihnoja luodaksesi polun automaattisesti. -hint.conveyorPathfind.mobile = Salli \ue844[accent]Viisto tila[] ja vedä liukuhihnoja luodaksesi polun automaattisesti. +hint.conveyorPathfind.mobile = Salli :diagonal:[accent]Viisto tila[] ja vedä liukuhihnoja luodaksesi polun automaattisesti. hint.boost = Pidä [accent][[Vasen shift][] pohjassa lentääksesi esteiden yli yksikölläsi.\n\nVain harvoilla maajoukoilla on tehostin. hint.payloadPickup = Paina näppäintä [accent][[[] lastataksesi pieniä palikoita ja joukkoja. hint.payloadPickup.mobile = [accent]Paina ja pidä pohjassa[] pientä palikkaa tai yksikköä lastataksesi sen. hint.payloadDrop = Paina [accent]][] pudottaaksesi lastin. hint.payloadDrop.mobile = [accent]Paina ja pidä pohjassa[] tyhjässä kohdassa pudottaaksesi lastin sinne. hint.waveFire = [accent]Aalto[]-tykit, jotka on ladattu vedellä, sammuttavat kantamalla olevia tulipaloja automaattisesti. -hint.generator = \uf879 [accent]Aggregaatit[] polttavat hiiltä ja lähettävät energiaa viereisille palikoille.\n\nEnergiansiirtokantamaa voi laajentaa \uf87f[accent]Sähkötolpilla[]. -hint.guardian = [accent]Vartija[]yksiköt ovat haarniskoituja. Heikot ammukset kuten [accent]kupari[] ja [accent]lyijy[][scarlet]eivät ole tehokkaita[].\n\nKäytä korkeamman tason tykkejä tai \uf835[accent]Grafiittia[] \uf861Duon/\uf859Salvon ammuksena voittaaksesi vartijan. -hint.coreUpgrade = Ytimen voi päivittää [accent]sijoittamalla suuremman tason ytimen niiden päälle[].\n\nSijoita \uf868[accent]Pohjaus[]-ydin \uf869[accent]Siru[]-ytimen päälle. Varmista, että tiellä ei ole esteitä. +hint.generator = :combustion-generator: [accent]Aggregaatit[] polttavat hiiltä ja lähettävät energiaa viereisille palikoille.\n\nEnergiansiirtokantamaa voi laajentaa :power-node:[accent]Sähkötolpilla[]. +hint.guardian = [accent]Vartija[]yksiköt ovat haarniskoituja. Heikot ammukset kuten [accent]kupari[] ja [accent]lyijy[][scarlet]eivät ole tehokkaita[].\n\nKäytä korkeamman tason tykkejä tai :graphite:[accent]Grafiittia[] :duo:Duon/:salvo:Salvon ammuksena voittaaksesi vartijan. +hint.coreUpgrade = Ytimen voi päivittää [accent]sijoittamalla suuremman tason ytimen niiden päälle[].\n\nSijoita :core-foundation:[accent]Pohjaus[]-ydin :core-shard:[accent]Siru[]-ytimen päälle. Varmista, että tiellä ei ole esteitä. hint.presetLaunch = Harmaisiin [accent]laskeutumisaluesektoreihin[], kuten [accent]Jäätyneisiin metsiin[], voi laukaista kaikkialta. Ne eivät vaadi valtausta tai läheistä aluetta.\n\n[accent]Numeroidut sektorit[], kuten tämä, ovat [accent]valinnaisia[]. hint.presetDifficulty = Tässä sektorissa on [scarlet]korkea uhkataso[].\nLaukaiseminen korkean uhkatason sektoreihin [accent]ei ole suositeltua[] ilman asianmukaista teknologiaa ja valmistautumista. hint.coreIncinerate = Kun ydin on täynnä tiettyä tavaraa, ylimääräinen samanlainen tavara, joa tulee ytimeen, [accent]höyrystetään[]. hint.factoryControl = To set a unit factory's [accent]output destination[], click a factory block while in command mode, then right-click a location.\nUnits produced by it will automatically move there. hint.factoryControl.mobile = To set a unit factory's [accent]output destination[], tap a factory block while in command mode, then tap a location.\nUnits produced by it will automatically move there. -gz.mine = Move near the \uf8c4 [accent]copper ore[] on the ground and click to begin mining. -gz.mine.mobile = Move near the \uf8c4 [accent]copper ore[] on the ground and tap it to begin mining. -gz.research = Open the \ue875 tech tree.\nResearch the \uf870 [accent]Mechanical Drill[], then select it from the menu in the bottom right.\nClick on a copper patch to place it. -gz.research.mobile = Open the \ue875 tech tree.\nResearch the \uf870 [accent]Mechanical Drill[], then select it from the menu in the bottom right.\nTap on a copper patch to place it.\n\nPress the \ue800 [accent]checkmark[] at the bottom right to confirm. -gz.conveyors = Research and place \uf896 [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nClick and drag to place multiple conveyors.\n[accent]Scroll[] to rotate. -gz.conveyors.mobile = Research and place \uf896 [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nHold down your finger for a second and drag to place multiple conveyors. +gz.mine = Move near the :ore-copper: [accent]copper ore[] on the ground and click to begin mining. +gz.mine.mobile = Move near the :ore-copper: [accent]copper ore[] on the ground and tap it to begin mining. +gz.research = Open the :tree: tech tree.\nResearch the :mechanical-drill: [accent]Mechanical Drill[], then select it from the menu in the bottom right.\nClick on a copper patch to place it. +gz.research.mobile = Open the :tree: tech tree.\nResearch the :mechanical-drill: [accent]Mechanical Drill[], then select it from the menu in the bottom right.\nTap on a copper patch to place it.\n\nPress the \ue800 [accent]checkmark[] at the bottom right to confirm. +gz.conveyors = Research and place :conveyor: [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nClick and drag to place multiple conveyors.\n[accent]Scroll[] to rotate. +gz.conveyors.mobile = Research and place :conveyor: [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nHold down your finger for a second and drag to place multiple conveyors. gz.drills = Expand the mining operation.\nPlace more Mechanical Drills.\nMine 100 copper. -gz.lead = \uf837 [accent]Lead[] is another commonly used resource.\nSet up drills to mine lead. -gz.moveup = \ue804 Move up for further objectives. -gz.turrets = Research and place 2 \uf861 [accent]Duo[] turrets to defend the core.\nDuo turrets require \uf838 [accent]ammo[] from conveyors. +gz.lead = :lead: [accent]Lead[] is another commonly used resource.\nSet up drills to mine lead. +gz.moveup = :up: Move up for further objectives. +gz.turrets = Research and place 2 :duo: [accent]Duo[] turrets to defend the core.\nDuo turrets require \uf838 [accent]ammo[] from conveyors. gz.duoammo = Supply the Duo turrets with [accent]copper[], using conveyors. -gz.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace \uf8ae [accent]copper walls[] around the turrets. +gz.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace :copper-wall: [accent]copper walls[] around the turrets. gz.defend = Enemy incoming, prepare to defend. -gz.aa = Flying units cannot easily be dispatched with standard turrets.\n\uf860 [accent]Scatter[] turrets provide excellent anti-air, but require \uf837 [accent]lead[] as ammo. +gz.aa = Flying units cannot easily be dispatched with standard turrets.\n:scatter: [accent]Scatter[] turrets provide excellent anti-air, but require :lead: [accent]lead[] as ammo. gz.scatterammo = Supply the Scatter turret with [accent]lead[], using conveyors. gz.supplyturret = [accent]Supply Turret gz.zone1 = This is the enemy drop zone. gz.zone2 = Anything built in the radius is destroyed when a wave starts. gz.zone3 = A wave will begin now.\nGet ready. gz.finish = Build more turrets, mine more resources,\nand defend against all the waves to [accent]capture the sector[]. -onset.mine = Click to mine \uf748 [accent]beryllium[] from walls.\n\nUse [accent][[WASD] to move. -onset.mine.mobile = Tap to mine \uf748 [accent]beryllium[] from walls. -onset.research = Open the \ue875 tech tree.\nResearch, then place a \uf73e [accent]turbine condenser[] on the vent.\nThis will generate [accent]power[]. -onset.bore = Research and place a \uf741 [accent]plasma bore[].\nThis automatically mines resources from walls. -onset.power = To [accent]power[] the plasma bore, research and place a \uf73d [accent]beam node[].\nConnect the turbine condenser to the plasma bore. -onset.ducts = Research and place \uf799 [accent]ducts[] to move the mined resources from the plasma bore to the core.\nClick and drag to place multiple ducts.\n[accent]Scroll[] to rotate. -onset.ducts.mobile = Research and place \uf799 [accent]ducts[] to move the mined resources from the plasma bore to the core.\n\nHold down your finger for a second and drag to place multiple ducts. +onset.mine = Click to mine :beryllium: [accent]beryllium[] from walls.\n\nUse [accent][[WASD] to move. +onset.mine.mobile = Tap to mine :beryllium: [accent]beryllium[] from walls. +onset.research = Open the :tree: tech tree.\nResearch, then place a :turbine-condenser: [accent]turbine condenser[] on the vent.\nThis will generate [accent]power[]. +onset.bore = Research and place a :plasma-bore: [accent]plasma bore[].\nThis automatically mines resources from walls. +onset.power = To [accent]power[] the plasma bore, research and place a :beam-node: [accent]beam node[].\nConnect the turbine condenser to the plasma bore. +onset.ducts = Research and place :duct: [accent]ducts[] to move the mined resources from the plasma bore to the core.\nClick and drag to place multiple ducts.\n[accent]Scroll[] to rotate. +onset.ducts.mobile = Research and place :duct: [accent]ducts[] to move the mined resources from the plasma bore to the core.\n\nHold down your finger for a second and drag to place multiple ducts. onset.moremine = Expand the mining operation.\nPlace more Plasma Bores and use beam nodes and ducts to support them.\nMine 200 beryllium. -onset.graphite = More complex blocks require \uf835 [accent]graphite[].\nSet up plasma bores to mine graphite. -onset.research2 = Begin researching [accent]factories[].\nResearch the \uf74d [accent]cliff crusher[] and \uf779 [accent]silicon arc furnace[]. -onset.arcfurnace = The arc furnace needs \uf834 [accent]sand[] and \uf835 [accent]graphite[] to create \uf82f [accent]silicon[].\n[accent]Power[] is also required. -onset.crusher = Use \uf74d [accent]cliff crushers[] to mine sand. -onset.fabricator = Use [accent]units[] to explore the map, defend buildings, and attack the enemy. Research and place a \uf6a2 [accent]tank fabricator[]. +onset.graphite = More complex blocks require :graphite: [accent]graphite[].\nSet up plasma bores to mine graphite. +onset.research2 = Begin researching [accent]factories[].\nResearch the :cliff-crusher: [accent]cliff crusher[] and :silicon-arc-furnace: [accent]silicon arc furnace[]. +onset.arcfurnace = The arc furnace needs :sand: [accent]sand[] and :graphite: [accent]graphite[] to create :silicon: [accent]silicon[].\n[accent]Power[] is also required. +onset.crusher = Use :cliff-crusher: [accent]cliff crushers[] to mine sand. +onset.fabricator = Use [accent]units[] to explore the map, defend buildings, and attack the enemy. Research and place a :tank-fabricator: [accent]tank fabricator[]. onset.makeunit = Produce a unit.\nUse the "?" button to see selected factory requirements. -onset.turrets = Units are effective, but [accent]turrets[] provide better defensive capabilities if used effectively.\nPlace a \uf6eb [accent]Breach[] turret.\nTurrets require \uf748 [accent]ammo[]. +onset.turrets = Units are effective, but [accent]turrets[] provide better defensive capabilities if used effectively.\nPlace a :breach: [accent]Breach[] turret.\nTurrets require :beryllium: [accent]ammo[]. onset.turretammo = Supply the turret with [accent]beryllium ammo.[] -onset.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace some \uf6ee [accent]beryllium walls[] around the turret. +onset.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace some :beryllium-wall: [accent]beryllium walls[] around the turret. onset.enemies = Enemy incoming, prepare to defend. onset.defenses = [accent]Set up defenses:[lightgray] {0} onset.attack = The enemy is vulnerable. Counter-attack. -onset.cores = New cores can be placed on [accent]core tiles[].\nNew cores function as forward bases and share a resource inventory with other cores.\nPlace a \uf725 core. +onset.cores = New cores can be placed on [accent]core tiles[].\nNew cores function as forward bases and share a resource inventory with other cores.\nPlace a :core-bastion: core. onset.detect = The enemy will be able to detect you in 2 minutes.\nSet up defenses, mining, and production. onset.commandmode = Hold [accent]shift[] to enter [accent]command mode[].\n[accent]Left-click and drag[] to select units.\n[accent]Right-click[] to order selected units to move or attack. onset.commandmode.mobile = Press the [accent]command button[] to enter [accent]command mode[].\nHold down a finger, then [accent]drag[] to select units.\n[accent]Tap[] to order selected units to move or attack. diff --git a/core/assets/bundles/bundle_fil.properties b/core/assets/bundles/bundle_fil.properties index ef05a689cf74..f0eadac33dc5 100644 --- a/core/assets/bundles/bundle_fil.properties +++ b/core/assets/bundles/bundle_fil.properties @@ -1909,20 +1909,20 @@ hint.respawn = To respawn as a ship, press [accent][[V][]. hint.respawn.mobile = You have switched control to a unit/structure. To respawn as a ship, [accent]tap the avatar in the top left.[] hint.desktopPause = Press [accent][[Space][] to pause and unpause the game. hint.breaking = [accent]Right-click[] and drag to break blocks. -hint.breaking.mobile = I-activate ang \ue817 [accent]hammer[] sa kanang bahagi sa ibaba at i-tap para masira ang mga bloke.\n\nI-hold ang iyong daliri sa isang segundo at i-drag para masira ang isang seleksyon. +hint.breaking.mobile = I-activate ang :hammer: [accent]hammer[] sa kanang bahagi sa ibaba at i-tap para masira ang mga bloke.\n\nI-hold ang iyong daliri sa isang segundo at i-drag para masira ang isang seleksyon. hint.blockInfo = Tingnan ang impormasyon ng isang block sa pamamagitan ng pagpili nito sa [accent]build menu[], pagkatapos ay pagpili sa [accent][[?][] na button sa kanan. hint.derelict = Ang [accent]Derelict[] na mga istraktura ay mga sirang labi ng mga lumang base na hindi na gumagana.\n\nAng mga istrukturang ito ay maaaring [accent]deconstructed[] para sa mga mapagkukunan. -hint.research = Gamitin ang button na \ue875 [accent]Research[] para magsaliksik ng bagong teknolohiya. -hint.research.mobile = Gamitin ang button na \ue875 [accent]Research[] sa \ue88c [accent]Menu[] para magsaliksik ng bagong teknolohiya. +hint.research = Gamitin ang button na :tree: [accent]Research[] para magsaliksik ng bagong teknolohiya. +hint.research.mobile = Gamitin ang button na :tree: [accent]Research[] sa :menu: [accent]Menu[] para magsaliksik ng bagong teknolohiya. hint.unitControl = Pindutin ang [accent][[L-ctrl][] at [accent]click[] upang kontrolin ang mga friendly na unit o turrets. hint.unitControl.mobile = [accent][[Double-tap][] para kontrolin ang mga friendly na unit o turrets. hint.unitSelectControl = To control units, enter [accent]command mode[] by holding [accent]L-shift.[]\nWhile in command mode, click and drag to select units. [accent]Right-click[] a location or target to command units there. hint.unitSelectControl.mobile = To control units, enter [accent]command mode[] by pressing the [accent]command[] button in the bottom left.\nWhile in command mode, long-press and drag to select units. Tap a location or target to command units there. -hint.launch = Kapag sapat na ang mga mapagkukunan, maaari mong [accent]Ilunsad[] sa pamamagitan ng pagpili sa mga kalapit na sektor mula sa \ue827 [accent]Map[] sa kanang ibaba. -hint.launch.mobile = Kapag sapat na ang mga mapagkukunan, maaari mong [accent]Ilunsad[] sa pamamagitan ng pagpili sa mga kalapit na sektor mula sa \ue827 [accent]Map[] sa \ue88c [accent]Menu[]. +hint.launch = Kapag sapat na ang mga mapagkukunan, maaari mong [accent]Ilunsad[] sa pamamagitan ng pagpili sa mga kalapit na sektor mula sa :map: [accent]Map[] sa kanang ibaba. +hint.launch.mobile = Kapag sapat na ang mga mapagkukunan, maaari mong [accent]Ilunsad[] sa pamamagitan ng pagpili sa mga kalapit na sektor mula sa :map: [accent]Map[] sa :menu: [accent]Menu[]. hint.schematicSelect = Pindutin ang [accent][[F][] at i-drag upang pumili ng mga bloke na kokopyahin at ipe-paste.\n\n[accent][[Middle Click][] upang kopyahin ang isang uri ng block. hint.rebuildSelect = Hold [accent][[B][] and drag to select destroyed block plans.\nThis will rebuild them automatically. -hint.rebuildSelect.mobile = Select the \ue874 copy button, then tap the \ue80f rebuild button and drag to select destroyed block plans.\nThis will rebuild them automatically. +hint.rebuildSelect.mobile = Select the :copy: copy button, then tap the :wrench: rebuild button and drag to select destroyed block plans.\nThis will rebuild them automatically. hint.conveyorPathfind = Hold [accent][[L-Ctrl][] while dragging conveyors to automatically generate a path. hint.conveyorPathfind.mobile = Pindutin ang [accent][[L-Ctrl][] habang dina-drag ang mga conveyor para awtomatikong bumuo ng landas. hint.boost = Pindutin ang [accent][[L-Shift][] para lumipad sa mga obstacle kasama ang iyong kasalukuyang unit.\n\nIlang ground unit lang ang may mga booster @@ -1931,55 +1931,55 @@ hint.payloadPickup.mobile = [accent]I-tap nang matagal ang[] isang maliit na blo hint.payloadDrop = Pindutin ang [accent]][] para mag-drop ng payload. hint.payloadDrop.mobile = [accent]Tap and hold[] an empty location to drop a payload there. hint.waveFire = [accent]Wave[] turrets with water as ammunition will automatically put out nearby fires. -hint.generator = \uf879 [accent]Combustion Generators[] burn coal and transmit power to adjacent blocks.\n\nPower transmission range can be extended with \uf87f [accent]Power Nodes[]. -hint.guardian = [accent]Guardian[] units are armored. Weak ammo such as [accent]Copper[] and [accent]Lead[] is [scarlet]not effective[].\n\nUse higher tier turrets or \uf835 [accent]Graphite[] \uf861Duo/\uf859Salvo ammunition to take Guardians down. -hint.coreUpgrade = Cores can be upgraded by [accent]placing higher-tier cores over them[].\n\nPlace a \uf868 [accent]Foundation[] core over the \uf869 [accent]Shard[] core. Make sure it is free from nearby obstructions. +hint.generator = :combustion-generator: [accent]Combustion Generators[] burn coal and transmit power to adjacent blocks.\n\nPower transmission range can be extended with :power-node: [accent]Power Nodes[]. +hint.guardian = [accent]Guardian[] units are armored. Weak ammo such as [accent]Copper[] and [accent]Lead[] is [scarlet]not effective[].\n\nUse higher tier turrets or :graphite: [accent]Graphite[] :duo:Duo/:salvo:Salvo ammunition to take Guardians down. +hint.coreUpgrade = Cores can be upgraded by [accent]placing higher-tier cores over them[].\n\nPlace a :core-foundation: [accent]Foundation[] core over the :core-shard: [accent]Shard[] core. Make sure it is free from nearby obstructions. hint.presetLaunch = Gray [accent]landing zone sectors[], such as [accent]Frozen Forest[], can be launched to from anywhere. They do not require capture of nearby territory.\n\n[accent]Numbered sectors[], such as this one, are [accent]optional[]. hint.presetDifficulty = This sector has a [scarlet]high enemy threat level[].\nLaunching to such sectors is [accent]not recommended[] without proper technology and preparation. hint.coreIncinerate = After the core is filled to capacity with an item, any extra items of that type it receives will be [accent]incinerated[]. hint.factoryControl = To set a unit factory's [accent]output destination[], click a factory block while in command mode, then right-click a location.\nUnits produced by it will automatically move there. hint.factoryControl.mobile = To set a unit factory's [accent]output destination[], tap a factory block while in command mode, then tap a location.\nUnits produced by it will automatically move there. -gz.mine = Move near the \uf8c4 [accent]copper ore[] on the ground and click to begin mining. -gz.mine.mobile = Move near the \uf8c4 [accent]copper ore[] on the ground and tap it to begin mining. -gz.research = Open the \ue875 tech tree.\nResearch the \uf870 [accent]Mechanical Drill[], then select it from the menu in the bottom right.\nClick on a copper patch to place it. -gz.research.mobile = Open the \ue875 tech tree.\nResearch the \uf870 [accent]Mechanical Drill[], then select it from the menu in the bottom right.\nTap on a copper patch to place it.\n\nPress the \ue800 [accent]checkmark[] at the bottom right to confirm. -gz.conveyors = Research and place \uf896 [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nClick and drag to place multiple conveyors.\n[accent]Scroll[] to rotate. -gz.conveyors.mobile = Research and place \uf896 [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nHold down your finger for a second and drag to place multiple conveyors. +gz.mine = Move near the :ore-copper: [accent]copper ore[] on the ground and click to begin mining. +gz.mine.mobile = Move near the :ore-copper: [accent]copper ore[] on the ground and tap it to begin mining. +gz.research = Open the :tree: tech tree.\nResearch the :mechanical-drill: [accent]Mechanical Drill[], then select it from the menu in the bottom right.\nClick on a copper patch to place it. +gz.research.mobile = Open the :tree: tech tree.\nResearch the :mechanical-drill: [accent]Mechanical Drill[], then select it from the menu in the bottom right.\nTap on a copper patch to place it.\n\nPress the \ue800 [accent]checkmark[] at the bottom right to confirm. +gz.conveyors = Research and place :conveyor: [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nClick and drag to place multiple conveyors.\n[accent]Scroll[] to rotate. +gz.conveyors.mobile = Research and place :conveyor: [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nHold down your finger for a second and drag to place multiple conveyors. gz.drills = Expand the mining operation.\nPlace more Mechanical Drills.\nMine 100 copper. -gz.lead = \uf837 [accent]Lead[] is another commonly used resource.\nSet up drills to mine lead. -gz.moveup = \ue804 Move up for further objectives. -gz.turrets = Research and place 2 \uf861 [accent]Duo[] turrets to defend the core.\nDuo turrets require \uf838 [accent]ammo[] from conveyors. +gz.lead = :lead: [accent]Lead[] is another commonly used resource.\nSet up drills to mine lead. +gz.moveup = :up: Move up for further objectives. +gz.turrets = Research and place 2 :duo: [accent]Duo[] turrets to defend the core.\nDuo turrets require \uf838 [accent]ammo[] from conveyors. gz.duoammo = Supply the Duo turrets with [accent]copper[], using conveyors. -gz.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace \uf8ae [accent]copper walls[] around the turrets. +gz.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace :copper-wall: [accent]copper walls[] around the turrets. gz.defend = Enemy incoming, prepare to defend. -gz.aa = Flying units cannot easily be dispatched with standard turrets.\n\uf860 [accent]Scatter[] turrets provide excellent anti-air, but require \uf837 [accent]lead[] as ammo. +gz.aa = Flying units cannot easily be dispatched with standard turrets.\n:scatter: [accent]Scatter[] turrets provide excellent anti-air, but require :lead: [accent]lead[] as ammo. gz.scatterammo = Supply the Scatter turret with [accent]lead[], using conveyors. gz.supplyturret = [accent]Supply Turret gz.zone1 = This is the enemy drop zone. gz.zone2 = Anything built in the radius is destroyed when a wave starts. gz.zone3 = A wave will begin now.\nGet ready. gz.finish = Build more turrets, mine more resources,\nand defend against all the waves to [accent]capture the sector[]. -onset.mine = Click to mine \uf748 [accent]beryllium[] from walls.\n\nUse [accent][[WASD] to move. -onset.mine.mobile = Tap to mine \uf748 [accent]beryllium[] from walls. -onset.research = Open the \ue875 tech tree.\nResearch, then place a \uf73e [accent]turbine condenser[] on the vent.\nThis will generate [accent]power[]. -onset.bore = Research and place a \uf741 [accent]plasma bore[].\nThis automatically mines resources from walls. -onset.power = To [accent]power[] the plasma bore, research and place a \uf73d [accent]beam node[].\nConnect the turbine condenser to the plasma bore. -onset.ducts = Research and place \uf799 [accent]ducts[] to move the mined resources from the plasma bore to the core.\nClick and drag to place multiple ducts.\n[accent]Scroll[] to rotate. -onset.ducts.mobile = Research and place \uf799 [accent]ducts[] to move the mined resources from the plasma bore to the core.\n\nHold down your finger for a second and drag to place multiple ducts. +onset.mine = Click to mine :beryllium: [accent]beryllium[] from walls.\n\nUse [accent][[WASD] to move. +onset.mine.mobile = Tap to mine :beryllium: [accent]beryllium[] from walls. +onset.research = Open the :tree: tech tree.\nResearch, then place a :turbine-condenser: [accent]turbine condenser[] on the vent.\nThis will generate [accent]power[]. +onset.bore = Research and place a :plasma-bore: [accent]plasma bore[].\nThis automatically mines resources from walls. +onset.power = To [accent]power[] the plasma bore, research and place a :beam-node: [accent]beam node[].\nConnect the turbine condenser to the plasma bore. +onset.ducts = Research and place :duct: [accent]ducts[] to move the mined resources from the plasma bore to the core.\nClick and drag to place multiple ducts.\n[accent]Scroll[] to rotate. +onset.ducts.mobile = Research and place :duct: [accent]ducts[] to move the mined resources from the plasma bore to the core.\n\nHold down your finger for a second and drag to place multiple ducts. onset.moremine = Expand the mining operation.\nPlace more Plasma Bores and use beam nodes and ducts to support them.\nMine 200 beryllium. -onset.graphite = More complex blocks require \uf835 [accent]graphite[].\nSet up plasma bores to mine graphite. -onset.research2 = Begin researching [accent]factories[].\nResearch the \uf74d [accent]cliff crusher[] and \uf779 [accent]silicon arc furnace[]. -onset.arcfurnace = The arc furnace needs \uf834 [accent]sand[] and \uf835 [accent]graphite[] to create \uf82f [accent]silicon[].\n[accent]Power[] is also required. -onset.crusher = Use \uf74d [accent]cliff crushers[] to mine sand. -onset.fabricator = Use [accent]units[] to explore the map, defend buildings, and attack the enemy. Research and place a \uf6a2 [accent]tank fabricator[]. +onset.graphite = More complex blocks require :graphite: [accent]graphite[].\nSet up plasma bores to mine graphite. +onset.research2 = Begin researching [accent]factories[].\nResearch the :cliff-crusher: [accent]cliff crusher[] and :silicon-arc-furnace: [accent]silicon arc furnace[]. +onset.arcfurnace = The arc furnace needs :sand: [accent]sand[] and :graphite: [accent]graphite[] to create :silicon: [accent]silicon[].\n[accent]Power[] is also required. +onset.crusher = Use :cliff-crusher: [accent]cliff crushers[] to mine sand. +onset.fabricator = Use [accent]units[] to explore the map, defend buildings, and attack the enemy. Research and place a :tank-fabricator: [accent]tank fabricator[]. onset.makeunit = Produce a unit.\nUse the "?" button to see selected factory requirements. -onset.turrets = Units are effective, but [accent]turrets[] provide better defensive capabilities if used effectively.\nPlace a \uf6eb [accent]Breach[] turret.\nTurrets require \uf748 [accent]ammo[]. +onset.turrets = Units are effective, but [accent]turrets[] provide better defensive capabilities if used effectively.\nPlace a :breach: [accent]Breach[] turret.\nTurrets require :beryllium: [accent]ammo[]. onset.turretammo = Supply the turret with [accent]beryllium ammo.[] -onset.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace some \uf6ee [accent]beryllium walls[] around the turret. +onset.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace some :beryllium-wall: [accent]beryllium walls[] around the turret. onset.enemies = Enemy incoming, prepare to defend. onset.defenses = [accent]Set up defenses:[lightgray] {0} onset.attack = The enemy is vulnerable. Counter-attack. -onset.cores = New cores can be placed on [accent]core tiles[].\nNew cores function as forward bases and share a resource inventory with other cores.\nPlace a \uf725 core. +onset.cores = New cores can be placed on [accent]core tiles[].\nNew cores function as forward bases and share a resource inventory with other cores.\nPlace a :core-bastion: core. onset.detect = The enemy will be able to detect you in 2 minutes.\nSet up defenses, mining, and production. onset.commandmode = Hold [accent]shift[] to enter [accent]command mode[].\n[accent]Left-click and drag[] to select units.\n[accent]Right-click[] to order selected units to move or attack. onset.commandmode.mobile = Press the [accent]command button[] to enter [accent]command mode[].\nHold down a finger, then [accent]drag[] to select units.\n[accent]Tap[] to order selected units to move or attack. diff --git a/core/assets/bundles/bundle_fr.properties b/core/assets/bundles/bundle_fr.properties index 8167637b543b..f22fa8150273 100644 --- a/core/assets/bundles/bundle_fr.properties +++ b/core/assets/bundles/bundle_fr.properties @@ -1943,51 +1943,51 @@ hint.respawn = Pour réapparaître en tant que vaisseau, pressez [accent][[V][]. hint.respawn.mobile = Vous avez pris le contrôle d'une unité/structure. Pour réapparaître en tant qu'unité de base, [accent]touchez l'avatar en haut à gauche.[] hint.desktopPause = Pressez [accent][[Espace][] pour mettre en pause et reprendre le jeu. hint.breaking = Maintenez [accent]Clic-droit[] pour détruire des blocs. -hint.breaking.mobile = Activez le \ue817 [accent]marteau[] en bas à droite, Touchez pour détruire des blocs.\n\nRetenez votre doigt pendant une seconde et déplacez-le pour détruire les blocs dans la zone de sélection. +hint.breaking.mobile = Activez le :hammer: [accent]marteau[] en bas à droite, Touchez pour détruire des blocs.\n\nRetenez votre doigt pendant une seconde et déplacez-le pour détruire les blocs dans la zone de sélection. hint.blockInfo = Pour afficher les informations relatives à un bloc, il suffit de le sélectionner dans le [accent]menu de construction[], puis de cliquer sur le bouton [accent][[?][] à droite. hint.derelict = [accent]Les structures abandonnées[] sont des vestiges brisés d'anciennes bases qui ne fonctionnent plus. Ces structures peuvent être [accent]déconstruites pour obtenir des ressources. -hint.research = Utilisez le bouton \ue875 [accent]Recherche[] pour rechercher de nouvelles technologies. -hint.research.mobile = Utilisez le bouton \ue875 [accent]Recherche[] dans le \ue88c [accent]Menu[] pour rechercher de nouvelles technologies. +hint.research = Utilisez le bouton :tree: [accent]Recherche[] pour rechercher de nouvelles technologies. +hint.research.mobile = Utilisez le bouton :tree: [accent]Recherche[] dans le :menu: [accent]Menu[] pour rechercher de nouvelles technologies. hint.unitControl = Retenez [accent][[Ctrl-gauche][] et [accent]cliquez[] pour contrôler une tourelle ou une unité alliée. hint.unitControl.mobile = [accent][[Tapez][] 2 fois une tourelle ou une unité alliée pour la contrôler. hint.unitSelectControl = Pour contrôler les unités, entrez en mode [accent]« Commande »[] en pressant [accent]Maj gauche[].\nEn mode « Commande », cliquez et faites glisser la souris pour sélectionner des unités. Faites un [accent]Clic droit[] à un emplacement ou une cible pour que les unités s'y déplacent. hint.unitSelectControl.mobile = Pour contrôler les unités, entrez en mode [accent]« Commande »[] en pressant le bouton de [accent]commande[] en bas à gauche de l'écran.\nEn mode « Commande », pressez longuement et faites glisser pour sélectionner des unités. Tapez un emplacement ou une cible pour que les unités s'y déplacent. -hint.launch = Une fois que vous avez collecté assez de ressources, vous pouvez [accent]Lancer[] votre Noyau en sélectionnant un secteur depuis la \ue827 [accent]Carte[] en bas à droite. -hint.launch.mobile = Une fois que vous avez collecté assez de ressources, vous pouvez [accent]Lancer[] votre Noyau en sélectionnant un secteur depuis la \ue827 [accent]Carte[] dans le \ue88c [accent]Menu[]. +hint.launch = Une fois que vous avez collecté assez de ressources, vous pouvez [accent]Lancer[] votre Noyau en sélectionnant un secteur depuis la :map: [accent]Carte[] en bas à droite. +hint.launch.mobile = Une fois que vous avez collecté assez de ressources, vous pouvez [accent]Lancer[] votre Noyau en sélectionnant un secteur depuis la :map: [accent]Carte[] dans le :menu: [accent]Menu[]. hint.schematicSelect = Retenez [accent][[F][] pour sélectionner des blocs dans une zone afin de les copier et les coller.\n\n[accent][[Clic molette][] pour copier un seul type de bloc. hint.rebuildSelect = Retenez [accent][[B][] et faites glissez pour selectionner les plans des blocs détruits.\nCela va automatiquement les reconstruire. -hint.rebuildSelect.mobile = Selectionnez le \ue874 bouton de copie, ensuite tapez le \ue80f bouton de reconstruction et faites glisser pour sélectionner les plans des blocs détruits.\nCela va les reconstruire automatiquement. +hint.rebuildSelect.mobile = Selectionnez le :copy: bouton de copie, ensuite tapez le :wrench: bouton de reconstruction et faites glisser pour sélectionner les plans des blocs détruits.\nCela va les reconstruire automatiquement. hint.conveyorPathfind = Retenez [accent][[Ctrl-gauche][] pendant que vous placez des convoyeurs, afin de générer un chemin automatiquement. -hint.conveyorPathfind.mobile = Activez le mode \ue844 [accent]Diagonale[] et déplacez des convoyeurs, afin de générer un chemin automatiquement. +hint.conveyorPathfind.mobile = Activez le mode :diagonal: [accent]Diagonale[] et déplacez des convoyeurs, afin de générer un chemin automatiquement. hint.boost = Retenez [accent][[Maj-gauche][] pour voler au-dessus des obstacles avec votre unité actuelle.\n\nSeules quelques unités terrestres peuvent voler. hint.payloadPickup = Pressez [accent][[[] pour transporter des blocs ou des unités. hint.payloadPickup.mobile = [accent]Tapez et retenez[] votre doigt pour transporter des blocs ou des unités. hint.payloadDrop = Pressez [accent]][] pour larguer votre chargement. hint.payloadDrop.mobile = [accent]Tapez et retenez[] votre doigt pour larguer votre chargement. hint.waveFire = [accent]Les tourelles à liquides[], approvisionnées en eau en tant que munition, peuvent automatiquement éteindre les incendies proches. -hint.generator = \uf879 Les [accent]Générateurs à combustion[] brûlent du Charbon et transmettent de l'énergie aux blocs adjacents.\n\nLa transmission d'énergie peut être étendue avec des \uf87f [accent]Transmetteurs Énergétiques[]. -hint.guardian = Les [accent]Gardiens[] sont protégés par un bouclier. Les munitions faibles telles que le [accent]Cuivre[] et le [accent]Plomb[] ne seront [scarlet]pas efficaces[].\n\nUtilisez des tourelles de plus haut niveau, ou de meilleures munitions comme le \uf835 [accent]Graphite[] avec un \uf861Duo/\uf859Salve pour pouvoir tuer le gardien. -hint.coreUpgrade = Les Noyaux peuvent être améliorés [accent]en plaçant un Noyau de plus haut niveau sur eux[].\n\nPlacez un \uf868 Noyau [accent]Fondation[] sur le \uf869 Noyau [accent]Fragment[]. Soyez sûrs que rien n'obstrue la construction. +hint.generator = :combustion-generator: Les [accent]Générateurs à combustion[] brûlent du Charbon et transmettent de l'énergie aux blocs adjacents.\n\nLa transmission d'énergie peut être étendue avec des :power-node: [accent]Transmetteurs Énergétiques[]. +hint.guardian = Les [accent]Gardiens[] sont protégés par un bouclier. Les munitions faibles telles que le [accent]Cuivre[] et le [accent]Plomb[] ne seront [scarlet]pas efficaces[].\n\nUtilisez des tourelles de plus haut niveau, ou de meilleures munitions comme le :graphite: [accent]Graphite[] avec un :duo:Duo/:salvo:Salve pour pouvoir tuer le gardien. +hint.coreUpgrade = Les Noyaux peuvent être améliorés [accent]en plaçant un Noyau de plus haut niveau sur eux[].\n\nPlacez un :core-foundation: Noyau [accent]Fondation[] sur le :core-shard: Noyau [accent]Fragment[]. Soyez sûrs que rien n'obstrue la construction. hint.presetLaunch = Les [accent]secteurs[] gris, tels que [accent]Frozen Forest[], peuvent être lancés de n'importe où. Ils ne requièrent pas la capture d'un secteur adjacent.\n\n[accent]Il y a beaucoup de secteurs[] comme celui-ci, qui sont [accent]optionnels[]. hint.presetDifficulty = Ce secteur a un niveau de menace ennemi [scarlet]élevé[].\nIl n'est [accent]pas recommandé[] de se lancer dans de tels secteurs sans la technologie et la préparation appropriées. hint.coreIncinerate = Lorsqu'un Noyau est rempli d'une ressource en particulier, le surplus qui y rentrera sera [accent]incinéré[]. hint.factoryControl = Pour régler la [accent]destination[] d'une usine à unités, cliquez sur l'usine en mode « Commande », puis clic-droit sur la destination souhaitée.\nLes unités produites s'y déplaceront automatiquement. hint.factoryControl.mobile = Pour régler la [accent]destination[] d'une usine à unités, tapez sur l'usine en mode « Commande », puis tapez sur la destination souhaitée.\nLes unités produites s'y déplaceront automatiquement. -gz.mine = Déplacez-vous près du \uf8c4 [accent]minerai de cuivre[] sur le sol et cliquez pour commencer à miner. -gz.mine.mobile = Déplacez-vous près du \uf8c4 [accent]minerai de cuivre[] sur le sol et Tapez dessus pour commencer à miner. -gz.research = Ouvrez \ue875 l'Arbre technologique.\nRecherchez la \uf870 [accent]Foreuse méchanique[], ensuite sélectionnez-la dans le menu en bas à droite.\nCliquez sur le filon de cuivre pour la placer. -gz.research.mobile = Ouvrez \ue875 l'Arbre technologique.\nRecherchez la \uf870 [accent]Foreuse méchanique[], ensuite sélectionnez-la dans le menu en bas à droite.\nTapez sur le filon de cuivre pour la placer.\n\nPressez la \ue800 [accent]coche[] en bas à droite pour confirmer. -gz.conveyors = Recherchez et placez des \uf896 [accent]convoyeurs[] pour déplacer les resources minées par vos\nforeuses vers le noyau.\n\nCliquez et retenez pour placer plusieurs convoyeurs.\n[accent]Scrollez[] pour les faire pivoter. -gz.conveyors.mobile = Recherchez et placez des \uf896 [accent]convoyeurs[] pour déplacer les resources minées par vos\nforeuses vers le noyau.\n\nRetenez pendant une seconde et faites glisser pour placer plusieurs convoyeurs. +gz.mine = Déplacez-vous près du :ore-copper: [accent]minerai de cuivre[] sur le sol et cliquez pour commencer à miner. +gz.mine.mobile = Déplacez-vous près du :ore-copper: [accent]minerai de cuivre[] sur le sol et Tapez dessus pour commencer à miner. +gz.research = Ouvrez :tree: l'Arbre technologique.\nRecherchez la :mechanical-drill: [accent]Foreuse méchanique[], ensuite sélectionnez-la dans le menu en bas à droite.\nCliquez sur le filon de cuivre pour la placer. +gz.research.mobile = Ouvrez :tree: l'Arbre technologique.\nRecherchez la :mechanical-drill: [accent]Foreuse méchanique[], ensuite sélectionnez-la dans le menu en bas à droite.\nTapez sur le filon de cuivre pour la placer.\n\nPressez la \ue800 [accent]coche[] en bas à droite pour confirmer. +gz.conveyors = Recherchez et placez des :conveyor: [accent]convoyeurs[] pour déplacer les resources minées par vos\nforeuses vers le noyau.\n\nCliquez et retenez pour placer plusieurs convoyeurs.\n[accent]Scrollez[] pour les faire pivoter. +gz.conveyors.mobile = Recherchez et placez des :conveyor: [accent]convoyeurs[] pour déplacer les resources minées par vos\nforeuses vers le noyau.\n\nRetenez pendant une seconde et faites glisser pour placer plusieurs convoyeurs. gz.drills = Étendez vos exploitations minières.\nPlacez plus de Foreuses méchaniques.\nMinez 100 minerais de cuivre. -gz.lead = \uf837 Le [accent]Plomb[] est un autre minerai assez utilisé en tant que ressource.\nConstruisez des foreuses pour miner du plomb. -gz.moveup = \ue804 Déplacez-vous vers le haut pour la suite des objectifs. -gz.turrets = Recherchez et placez 2 \uf861 [accent]Duos[] pour défendre votre noyau.\nLes Duos requierent du \uf838 cuivre en tant que [accent]munitions[] depuis des convoyeurs. +gz.lead = :lead: Le [accent]Plomb[] est un autre minerai assez utilisé en tant que ressource.\nConstruisez des foreuses pour miner du plomb. +gz.moveup = :up: Déplacez-vous vers le haut pour la suite des objectifs. +gz.turrets = Recherchez et placez 2 :duo: [accent]Duos[] pour défendre votre noyau.\nLes Duos requierent du \uf838 cuivre en tant que [accent]munitions[] depuis des convoyeurs. gz.duoammo = Rechargez vos Duos avec du [accent]cuivre[], en utilisant les convoyeurs. -gz.walls = Les [accent]Murs[] peuvent empêcher les attaques ennemies d'atteindre vos constructions.\nPlacez des \uf8ae [accent]murs de cuivre[] autour de vos tourelles. +gz.walls = Les [accent]Murs[] peuvent empêcher les attaques ennemies d'atteindre vos constructions.\nPlacez des :copper-wall: [accent]murs de cuivre[] autour de vos tourelles. gz.defend = Ennemis en approche, préparez-vous à défendre. -gz.aa = Les unités aériennes ne peuvent pas être facilement repoussées avec des tourelles standard.\n\uf860 Les [accent]Disperseurs[] sont d'excellentes tourelles anti-aériennes, mais requièrent du \uf837 [accent]plomb[] en tant que munition. +gz.aa = Les unités aériennes ne peuvent pas être facilement repoussées avec des tourelles standard.\n:scatter: Les [accent]Disperseurs[] sont d'excellentes tourelles anti-aériennes, mais requièrent du :lead: [accent]plomb[] en tant que munition. gz.scatterammo = Approvisionnez le Disperseur avec du [accent]plomb[] en utilisant des convoyeurs. gz.supplyturret = [accent]Approvisionnez la tourelle gz.zone1 = Ceci est la zone d'apparition ennemie. @@ -1995,27 +1995,27 @@ gz.zone2 = Tout ce qui est construit dans le rayon est détruit lors du commence gz.zone3 = Une vague va commencer maintenant.\nPréparez-vous. gz.finish = Construisez plus de tourelles, minez plus de resources,\net défendez-vous contre toutes les vagues ennemies afin de [accent]capturer ce secteur[]. -onset.mine = Cliquez pour miner le \uf748 [accent]béryllium[] contenu dans les murs.\n\nUtilisez [accent][[ZQSD] pour bouger. -onset.mine.mobile = Tapez pour miner le \uf748 [accent]béryllium[] contenu dans les murs. -onset.research = Ouvrez \ue875 l'arbre technologique.\nRecherchez et placez un \uf73e [accent]condenseur à turbine[] sur l'évent.\nCela va générer de [accent]l'énergie[]. -onset.bore = Recherchez et placez une \uf741 [accent]foreuse à plasma[].\nElle va automatiquement miner les ressources contenues dans les murs. -onset.power = Pour [accent]alimenter[] la foreuse à plasma, recherchez et placez un \uf73d [accent]transmetteur à rayons[].\nConnectez le condenseur à la foreuse. -onset.ducts = Recherchez et placez des \uf799 [accent]conduits[] pour déplacer les ressources minées depuis la foreuse vers le noyau.\nCliquez et faites glisser pour placer plusieurs conduits.\n[accent]Scrollez[] pour les faire pivoter. -onset.ducts.mobile = Recherchez et placez des \uf799 [accent]conduits[] pour déplacer les ressources minées depuis la foreuse vers le noyau.\n\nRetenez votre doigt pendant une seconde et déplacez-le pour placer plusieurs conduits. +onset.mine = Cliquez pour miner le :beryllium: [accent]béryllium[] contenu dans les murs.\n\nUtilisez [accent][[ZQSD] pour bouger. +onset.mine.mobile = Tapez pour miner le :beryllium: [accent]béryllium[] contenu dans les murs. +onset.research = Ouvrez :tree: l'arbre technologique.\nRecherchez et placez un :turbine-condenser: [accent]condenseur à turbine[] sur l'évent.\nCela va générer de [accent]l'énergie[]. +onset.bore = Recherchez et placez une :plasma-bore: [accent]foreuse à plasma[].\nElle va automatiquement miner les ressources contenues dans les murs. +onset.power = Pour [accent]alimenter[] la foreuse à plasma, recherchez et placez un :beam-node: [accent]transmetteur à rayons[].\nConnectez le condenseur à la foreuse. +onset.ducts = Recherchez et placez des :duct: [accent]conduits[] pour déplacer les ressources minées depuis la foreuse vers le noyau.\nCliquez et faites glisser pour placer plusieurs conduits.\n[accent]Scrollez[] pour les faire pivoter. +onset.ducts.mobile = Recherchez et placez des :duct: [accent]conduits[] pour déplacer les ressources minées depuis la foreuse vers le noyau.\n\nRetenez votre doigt pendant une seconde et déplacez-le pour placer plusieurs conduits. onset.moremine = Étendez vos exploitations minières.\nPlacez plus de foreuses à plasma et utilisez des transmetteurs à rayons pour les relier.\nMinez 200 minerais de béryllium. -onset.graphite = Les blocs plus complexes requièrent du \uf835 [accent]graphite[].\nPlacez quelques foreuses à plasma pour miner du graphite. -onset.research2 = Commencez à rechercher des [accent]usines[].\nRecherchez le \uf74d [accent]broyeur de parois[] et le \uf779 [accent]four de silicium[]. -onset.arcfurnace = Le four de silicium a besoin de \uf834 [accent]sable[] et de \uf835 [accent]graphite[] pour créer du \uf82f [accent]silicium[].\nDe [accent]l'énergie[] est aussi requise. -onset.crusher = Utilisez des \uf74d [accent]broyeurs de parois[] pour miner du sable. -onset.fabricator = Utilisez des [accent]Unités[] pour explorer la carte, défendre vos constructions et attaquer l'ennemi. Recherchez et placez un \uf6a2 [accent]Fabricateur de Tanks[]. +onset.graphite = Les blocs plus complexes requièrent du :graphite: [accent]graphite[].\nPlacez quelques foreuses à plasma pour miner du graphite. +onset.research2 = Commencez à rechercher des [accent]usines[].\nRecherchez le :cliff-crusher: [accent]broyeur de parois[] et le :silicon-arc-furnace: [accent]four de silicium[]. +onset.arcfurnace = Le four de silicium a besoin de :sand: [accent]sable[] et de :graphite: [accent]graphite[] pour créer du :silicon: [accent]silicium[].\nDe [accent]l'énergie[] est aussi requise. +onset.crusher = Utilisez des :cliff-crusher: [accent]broyeurs de parois[] pour miner du sable. +onset.fabricator = Utilisez des [accent]Unités[] pour explorer la carte, défendre vos constructions et attaquer l'ennemi. Recherchez et placez un :tank-fabricator: [accent]Fabricateur de Tanks[]. onset.makeunit = Produisez une unité.\nUtilisez le bouton "?" pour voir les ressources requises par le fabricateur. -onset.turrets = Les unités sont efficaces, mais les [accent]tourelles[] ont de meilleures capacités défensives si elles sont bien utilisées.\nPlacez une tourelle \uf6eb [accent]brèche[].\nLes tourelles requièrent des [accent]munitions[] \uf748. +onset.turrets = Les unités sont efficaces, mais les [accent]tourelles[] ont de meilleures capacités défensives si elles sont bien utilisées.\nPlacez une tourelle :breach: [accent]brèche[].\nLes tourelles requièrent des [accent]munitions[] :beryllium:. onset.turretammo = Approvisionnez les tourelles avec du [accent]béryllium[]. -onset.walls = Les [accent]murs[] peuvent encaisser les dégâts des attaques ennemies avant qu'elles atteignent vos constructions.\nPlacez quelques \uf6ee [accent]murs de béryllium[] autour de la tourelle. +onset.walls = Les [accent]murs[] peuvent encaisser les dégâts des attaques ennemies avant qu'elles atteignent vos constructions.\nPlacez quelques :beryllium-wall: [accent]murs de béryllium[] autour de la tourelle. onset.enemies = Ennemis en approche, préparez-vous à défendre. onset.defenses = [accent]Set up defenses:[lightgray] {0} onset.attack = L'ennemi est vulnérable. Contre-attaquez ! -onset.cores = Les noyaux peuvent être placés sur des [accent]tuiles de noyau[].\nCes nouveaux noyaux servent à faire avancer votre base et partager vos ressources avec d'autres noyaux.\nPlacez un noyau \uf725. +onset.cores = Les noyaux peuvent être placés sur des [accent]tuiles de noyau[].\nCes nouveaux noyaux servent à faire avancer votre base et partager vos ressources avec d'autres noyaux.\nPlacez un noyau :core-bastion:. onset.detect = L'ennemi sera capable de vous détecter dans 2 minutes.\nAméliorez vos défenses, vos exploitations minières ainsi que votre production. onset.commandmode = Retenez [accent]Maj-gauche[] pour entrer en [accent]Mode « Commande »[].\n[accent]Clic-gauche tout en bougeant la souris[] pour sélectionner des unités.\n[accent]Clic-droit[] pour ordonner aux unités sélectionnées de bouger ou attaquer. onset.commandmode.mobile = Pressez le [accent]bouton de commande[] pour entrer en [accent]Mode « Commande »[].\nRetenez votre doigt, et [accent]bougez-le[] pour sélectionner des unités.\n[accent]Tapez[] pour ordonner aux unités sélectionnées de bouger ou attaquer. diff --git a/core/assets/bundles/bundle_hu.properties b/core/assets/bundles/bundle_hu.properties index bba5c6124b3c..a195256a4d77 100644 --- a/core/assets/bundles/bundle_hu.properties +++ b/core/assets/bundles/bundle_hu.properties @@ -1950,79 +1950,79 @@ hint.respawn = Ahhoz, hogy drónként újraéledj, nyomd meg a [accent][[V][] go hint.respawn.mobile = Átvetted az irányítást egy egység vagy épület felett. Ahhoz, hogy drónként újraéledj, [accent]koppints a profilképre a bal felső sarokban.[] hint.desktopPause = Nyomd meg a [accent][[szóközt][] a játék szüneteltetéséhez vagy folytatásához. hint.breaking = [accent]Jobb egérgombbal[] és húzással lebonthatod a blokkokat. -hint.breaking.mobile = Használd a jobb alsó sarokban lévő \ue817 [accent]kalapács[] gombot a blokkok törléséhez.\n\nTartsd lenyomva az ujjad és húzd, hogy nagyobb területet tudj kijelölni. +hint.breaking.mobile = Használd a jobb alsó sarokban lévő :hammer: [accent]kalapács[] gombot a blokkok törléséhez.\n\nTartsd lenyomva az ujjad és húzd, hogy nagyobb területet tudj kijelölni. hint.blockInfo = Egy blokk információinak megtekintéséhez válaszd ki az épületet az [accent]építési menüben[], majd válaszd a [accent][[?][] gomb jobb oldalt. hint.derelict = Az [accent]elhagyatott[] szerkezetek régi bázisok maradványai, amelyek már nem működnek.\n\nEzeket az épületeket le lehet [accent]bontani[] nyersanyagokért, vagy meg is lehet javítani őket. -hint.research = Használd a \ue875 [accent]technológia fa[] gombot, hogy új technológiákat fedezz fel. -hint.research.mobile = Használd a \ue875 [accent]technológia fa[] gombot a \ue88c [accent]menüben[], hogy új technológiákat fedezz fel. +hint.research = Használd a :tree: [accent]technológia fa[] gombot, hogy új technológiákat fedezz fel. +hint.research.mobile = Használd a :tree: [accent]technológia fa[] gombot a :menu: [accent]menüben[], hogy új technológiákat fedezz fel. hint.unitControl = Nyomd le a [accent][[bal Ctrl][] gombot, és kattints [accent]jobb egérgombbal[] a baráti egység vagy lövegtorony irányításához. hint.unitControl.mobile = [accent][[Dupla koppintással][] a szövetséges egységek vagy lövegtornyok kézileg irányíthatók. hint.unitSelectControl = Az egységek irányításához lépj be [accent]parancs módba[] a [accent]bal shift[] lenyomva tartásával.\nParancs módban az egységek kijelöléséhez kattints, és húzd az egeret. A [accent]jobb egérgombbal[] küldd az egységeket a helyszínre vagy a célponthoz. hint.unitSelectControl.mobile = Az egységek irányításához lépj be [accent]parancs módba[] a bal alsó sarokban lévő [accent]parancs[] gombbal.\nParancs módban az egységek kiválasztásához érintsd meg a kijelzőt és húzással jelöld ki az egységeket. Koppintással küldd az egységeket a helyszínre vagy a célponthoz. -hint.launch = Ha elegendő nyersanyagot gyűjtöttél össze, akkor [accent]lődd ki[] a támaszpontot a következő szektorba, úgy, hogy megnyitod a \ue827 [accent]bolygótérképet[] a jobb alsó sarokban, és átforgatod az új helyszínre. -hint.launch.mobile = Ha elegendő nyersanyagot gyűjtöttél össze, akkor [accent]lődd ki[] a támaszpontot egy közeli szektorba, úgy, hogy kiválasztasz egy szektort a \ue88c [accent]menüben[] a \ue827 [accent]bolygótérképről[]. +hint.launch = Ha elegendő nyersanyagot gyűjtöttél össze, akkor [accent]lődd ki[] a támaszpontot a következő szektorba, úgy, hogy megnyitod a :map: [accent]bolygótérképet[] a jobb alsó sarokban, és átforgatod az új helyszínre. +hint.launch.mobile = Ha elegendő nyersanyagot gyűjtöttél össze, akkor [accent]lődd ki[] a támaszpontot egy közeli szektorba, úgy, hogy kiválasztasz egy szektort a :menu: [accent]menüben[] a :map: [accent]bolygótérképről[]. hint.schematicSelect = Tartsd nyomja az [accent][[F][] gombot több épület kijelöléséhez és másolásához.\n\n[accent][[Középső kattintással][] egy adott blokktípus másolható. hint.rebuildSelect = Tartsd nyomva a [accent][[B][] gombot és húzással jelöld ki a megsemmisített blokkterveket.\nEz automatikusan újraépíti őket. -hint.rebuildSelect.mobile = Válaszd a \ue874 másolás gombot, majd koppints az \ue80f újraépítés gombra, és húzd a megsemmisült blokktervek kijelöléséhez.\nEz automatikusan újraépíti őket. +hint.rebuildSelect.mobile = Válaszd a :copy: másolás gombot, majd koppints az :wrench: újraépítés gombra, és húzd a megsemmisült blokktervek kijelöléséhez.\nEz automatikusan újraépíti őket. hint.conveyorPathfind = Tartsd nyomva a [accent][[bal ctrl][] gombot a szállítószalagok lerakása közben, hogy a játék útvonalat állítson elő. -hint.conveyorPathfind.mobile = Engedélyezd az \ue844 [accent]átlós módot[], és tegyél le egyszerre több szállítószalagot, hogy a játék útvonalat állítson elő. +hint.conveyorPathfind.mobile = Engedélyezd az :diagonal: [accent]átlós módot[], és tegyél le egyszerre több szállítószalagot, hogy a játék útvonalat állítson elő. hint.boost = Tartsd nyomva a [accent][[bal shift][] gombot, hogy átrepülj az akadályok felett.\n\nErre csak néhány földi egység képes. hint.payloadPickup = Nyomd meg a [accent][[[] gombot a kis blokkok vagy egységek felemeléséhez. hint.payloadPickup.mobile = [accent]Koppints és tartsd lenyomva az ujjad[] egy kis blokk vagy egység felemeléséhez. hint.payloadDrop = Nyomd le a [accent]][] gombot a rakomány lerakásához. hint.payloadDrop.mobile = [accent]Koppints és tartsd lenyomva az ujjad[] egy üres területen a rakomány lerakásához. hint.waveFire = A vizet lőszerként használó [accent]Wave[] lövegtornyok automatikusan eloltják a közeli tüzeket. -hint.generator = Az \uf879 [accent]égetőerőmű[] szenet éget, és áramot ad át a vele érintkező épületeknek.\n\nAz áramszállítás távolsága további \uf87f [accent]villanyoszlopokkal[] növelhető. -hint.guardian = Az [accent]őrzők[] páncélozottak. A gyenge lövedékek, mint a [accent]réz[] vagy az [accent]ólom[] [scarlet]nem hatásosak[] az Őrző páncéljával szemben.\n\nHasználj magasabb szintű lövegtornyokat, vagy juttass \uf835 [accent]grafitot[] a \uf861 Duo / \uf859 Salvo lövegtornyokba, hogy leszedd az őrzőket. -hint.coreUpgrade = A támaszpont úgy fejleszthető, hogy [accent]magasabb szintű támaszpontot teszel rá[].\n\nHelyezz egy \uf868 [accent]Alapítvány[] támaszpontot a \uf869 [accent]Szilánk[] támaszpontra. Figyelj rá, hogy ne legyenek az új támaszpont területén épületek. +hint.generator = Az :combustion-generator: [accent]égetőerőmű[] szenet éget, és áramot ad át a vele érintkező épületeknek.\n\nAz áramszállítás távolsága további :power-node: [accent]villanyoszlopokkal[] növelhető. +hint.guardian = Az [accent]őrzők[] páncélozottak. A gyenge lövedékek, mint a [accent]réz[] vagy az [accent]ólom[] [scarlet]nem hatásosak[] az Őrző páncéljával szemben.\n\nHasználj magasabb szintű lövegtornyokat, vagy juttass :graphite: [accent]grafitot[] a :duo: Duo / :salvo: Salvo lövegtornyokba, hogy leszedd az őrzőket. +hint.coreUpgrade = A támaszpont úgy fejleszthető, hogy [accent]magasabb szintű támaszpontot teszel rá[].\n\nHelyezz egy :core-foundation: [accent]Alapítvány[] támaszpontot a :core-shard: [accent]Szilánk[] támaszpontra. Figyelj rá, hogy ne legyenek az új támaszpont területén épületek. hint.presetLaunch = A szürke [accent]landolási zónát tartalmazó szektorokba[], amilyen például a [accent]Fagyott erdő[], bárhonnan kilőhetsz. Nem szükséges hozzá szomszédos területet elfoglalnod.\n\nA [accent]számozott szektorokat[], mint ez is, a játékmenet szempontjából [accent]nem fontos[] elfoglalni. hint.presetDifficulty = Ebben a szektorban [scarlet]magas az ellenséges fenyegetettségi szint[].\nAz ilyen szektorokba való indulás [accent]nem ajánlott[] megfelelő technológia és felkészülés nélkül. hint.coreIncinerate = Ha a támaszpont egy nyersanyagból elérte a maximumot, a beérkező további nyersanyagok azonnal [accent]megsemmisítésre kerülnek[]. hint.factoryControl = Egy egységgyár [accent]kimeneti célpontjának[] beállításához kattints parancs módban egy gyárépületre, majd kattints jobb egérgombbal egy helyre.\nAz előállított egységek automatikusan odamennek. hint.factoryControl.mobile = Egy egységgyár [accent]kimeneti célpontjának[] beállításához koppints parancs módban egy gyárépületre, majd koppints egy helyre.\nAz előállított egységek automatikusan odamennek. -gz.mine = Menj a földön lévő \uf8c4 [accent]rézérc[] közelébe, és kattints a bányászat megkezdéséhez. -gz.mine.mobile = Menj a földön lévő \uf8c4 [accent]rézérc[] közelébe, és koppints a bányászat megkezdéséhez. -gz.research = Nyisd meg a \ue875 Technológia fát.\nFejleszd ki a \uf870 [accent]mechanikus fúrót[], majd válaszd ki a jobb alsó sarokban lévő \ue85e menüből.\nKattints egy rézfoltra az elhelyezéséhez. -gz.research.mobile = Nyisd meg a \ue875 Technológia fát.\nFejleszd ki a \uf870 [accent]mechanikus fúrót[], majd válaszd ki a jobb alsó sarokban lévő \ue85e menüből.\nKattints egy rézfoltra az elhelyezéséhez.\n\nA megerősítéshez nyomd meg a jobb alsó sarokban lévő \ue800 [accent]pipát[]. -gz.conveyors = Fejleszd ki, és építs \uf896 [accent]szállítsszalagokat[], hogy a kitermelt\nnyersanyagokat eljuttasd a fúróktól a támaszpontba.\n\nKattints és húzd az egeret, hogy több szállítószalagot helyezz el.\nHasználd a [accent]görgőt[] a forgatáshoz. -gz.conveyors.mobile = Fejleszd ki, és építs \uf896 [accent]Szállítószalagokat[], hogy a kitermelt\nnyersanyagokat eljuttasd a fúróktól a támaszpontba.\n\nTartsd lenyomva az ujjad és húzd el, hogy több szállítószalagot helyezz el. +gz.mine = Menj a földön lévő :ore-copper: [accent]rézérc[] közelébe, és kattints a bányászat megkezdéséhez. +gz.mine.mobile = Menj a földön lévő :ore-copper: [accent]rézérc[] közelébe, és koppints a bányászat megkezdéséhez. +gz.research = Nyisd meg a :tree: Technológia fát.\nFejleszd ki a :mechanical-drill: [accent]mechanikus fúrót[], majd válaszd ki a jobb alsó sarokban lévő :production: menüből.\nKattints egy rézfoltra az elhelyezéséhez. +gz.research.mobile = Nyisd meg a :tree: Technológia fát.\nFejleszd ki a :mechanical-drill: [accent]mechanikus fúrót[], majd válaszd ki a jobb alsó sarokban lévő :production: menüből.\nKattints egy rézfoltra az elhelyezéséhez.\n\nA megerősítéshez nyomd meg a jobb alsó sarokban lévő \ue800 [accent]pipát[]. +gz.conveyors = Fejleszd ki, és építs :conveyor: [accent]szállítsszalagokat[], hogy a kitermelt\nnyersanyagokat eljuttasd a fúróktól a támaszpontba.\n\nKattints és húzd az egeret, hogy több szállítószalagot helyezz el.\nHasználd a [accent]görgőt[] a forgatáshoz. +gz.conveyors.mobile = Fejleszd ki, és építs :conveyor: [accent]Szállítószalagokat[], hogy a kitermelt\nnyersanyagokat eljuttasd a fúróktól a támaszpontba.\n\nTartsd lenyomva az ujjad és húzd el, hogy több szállítószalagot helyezz el. gz.drills = Bővítsd a bányászati kapacitást.\nÉpíts több mechanikus fúrót.\nBányássz 100 rezet. -gz.lead = Az \uf837 [accent]ólom[] egy másik gyakran használt nyersanyag.\nÉpíts fúrókat az ólom kitermelésére. -gz.moveup = \ue804 Menj tovább a további utasításokért. -gz.turrets = Fejleszd ki, és építs két \uf861 [accent]Duo[] lövegtornyot, hogy megvédd a támaszpontot.\nA Duo lövegtornyoknak \uf838 [accent]lőszerre[] van szükségük, amelyet szállítószalaggal juttathatsz el hozzájuk. +gz.lead = Az :lead: [accent]ólom[] egy másik gyakran használt nyersanyag.\nÉpíts fúrókat az ólom kitermelésére. +gz.moveup = :up: Menj tovább a további utasításokért. +gz.turrets = Fejleszd ki, és építs két :duo: [accent]Duo[] lövegtornyot, hogy megvédd a támaszpontot.\nA Duo lövegtornyoknak \uf838 [accent]lőszerre[] van szükségük, amelyet szállítószalaggal juttathatsz el hozzájuk. gz.duoammo = Szállítószalagok segítségével lásd el [accent]rézzel[] a Duo lövegtornyokat. -gz.walls = A [accent]falak[] megakadályozhatják, hogy az épületekben károk keletkezzenek.\nÉpíts \uf8ae [accent]Rézfalakat[] a lövegtornyok köré. +gz.walls = A [accent]falak[] megakadályozhatják, hogy az épületekben károk keletkezzenek.\nÉpíts :copper-wall: [accent]Rézfalakat[] a lövegtornyok köré. gz.defend = Az ellenség közeledik, készülj fel a védekezésre. -gz.aa = A légi egységeket nem lehet könnyen elintézni a hagyományos lövegtornyokkal.\nA \uf860 [accent]Scatter[] lövegtornyok kiváló légelhárítást biztosítanak, de lőszerként \uf837 [accent]ólomra[] van szükségük. -gz.scatterammo = Szállítószalagok segítségével lásd el \uf837 [accent]ólommal[] a Scatter lövegtornyokat. +gz.aa = A légi egységeket nem lehet könnyen elintézni a hagyományos lövegtornyokkal.\nA :scatter: [accent]Scatter[] lövegtornyok kiváló légelhárítást biztosítanak, de lőszerként :lead: [accent]ólomra[] van szükségük. +gz.scatterammo = Szállítószalagok segítségével lásd el :lead: [accent]ólommal[] a Scatter lövegtornyokat. gz.supplyturret = [accent]Lövegtorony ellátása gz.zone1 = Ez az ellenség leszállóhelye. gz.zone2 = Bármi, ami a hatósugarában épült, elpusztul, amikor egy hullám elindul. gz.zone3 = Egy hullám most kezdődik.\nKészülj fel! gz.finish = Építs több lövegtornyot, bányássz több nyersanyagot,\nés védekezz az ellenséges hullámok ellen, hogy [accent]elfoglald a szektort[]. -onset.mine = Kattints bal egérgombbal a \uf748 [accent]berillium[] kibányászáshoz a falakból.\n\nA mozgáshoz használd a [accent][[WASD] gombokat. -onset.mine.mobile = Koppints a \uf748 [accent]berillium[] kibányászáshoz a falakból. -onset.research = Nyisd meg a \ue875 Technológia fát.\nFejleszd ki, és építs egy \uf73e [accent]kondenzációs turbinát[] a kürtőn.\nEz [accent]áramot[] fog termelni. -onset.bore = Fejleszd ki, és építs egy \uf741 [accent]plazmafúrót[].\nEz automatikusan bányássza ki a nyersanyagokat a falakból. -onset.power = Ahhoz, hogy [accent]árammal[] lásd el a plazmafúrót, fejleszd ki, és helyezz el egy \uf73d [accent]sugárcsomópontot[].\nSegítségükkel összekötheted a kondenzációs turbinát a plazmafúróval. -onset.ducts = Fejleszd ki, és építs \uf799 [accent]szállítószalagot[], hogy a kitermelt nyersanyagokat eljuttasd a plazmafúrótól a támaszpontba.\nKattints, és húzd az egeret több szállítószalag elhelyezéséhez.\nHasználd a [accent]görgőt[] a forgatáshoz. -onset.ducts.mobile = Fejleszd ki, és építs \uf799 [accent]szállítószalagot[], hogy a kitermelt nyersanyagokat eljuttasd a plazmafúrótól a támaszpontba.\n\nTartsd lenyomva az ujjad és húzd el, hogy több szállítószalagot helyezz el. +onset.mine = Kattints bal egérgombbal a :beryllium: [accent]berillium[] kibányászáshoz a falakból.\n\nA mozgáshoz használd a [accent][[WASD] gombokat. +onset.mine.mobile = Koppints a :beryllium: [accent]berillium[] kibányászáshoz a falakból. +onset.research = Nyisd meg a :tree: Technológia fát.\nFejleszd ki, és építs egy :turbine-condenser: [accent]kondenzációs turbinát[] a kürtőn.\nEz [accent]áramot[] fog termelni. +onset.bore = Fejleszd ki, és építs egy :plasma-bore: [accent]plazmafúrót[].\nEz automatikusan bányássza ki a nyersanyagokat a falakból. +onset.power = Ahhoz, hogy [accent]árammal[] lásd el a plazmafúrót, fejleszd ki, és helyezz el egy :beam-node: [accent]sugárcsomópontot[].\nSegítségükkel összekötheted a kondenzációs turbinát a plazmafúróval. +onset.ducts = Fejleszd ki, és építs :duct: [accent]szállítószalagot[], hogy a kitermelt nyersanyagokat eljuttasd a plazmafúrótól a támaszpontba.\nKattints, és húzd az egeret több szállítószalag elhelyezéséhez.\nHasználd a [accent]görgőt[] a forgatáshoz. +onset.ducts.mobile = Fejleszd ki, és építs :duct: [accent]szállítószalagot[], hogy a kitermelt nyersanyagokat eljuttasd a plazmafúrótól a támaszpontba.\n\nTartsd lenyomva az ujjad és húzd el, hogy több szállítószalagot helyezz el. onset.moremine = Bővítsd a bányászati kapacitást.\nHelyezz el több plazmavágót, és a támogatásukhoz használj sugárcsomópontokat és szállítószalagokat.\nBányássz 200 berilliumot. -onset.graphite = Az összetettebb épületekhez \uf835 [accent]grafit[] szükséges.\nÉpíts plazmavágókat a grafit kibányászásához. -onset.research2 = Kezdd el a [accent]gyárak[] fejlesztését.\nFejleszd ki a \uf74d [accent]sziklazúzót[] és a \uf779 [accent]szilícium-ívkemencét[]. -onset.arcfurnace = A szilícium-ívkemencének \uf834 [accent]homokra[] és \uf835 [accent]grafitra[] van szüksége, hogy \uf82f [accent]szilíciumot[] gyártson.\nTovábbá [accent]áram[] is szükséges a működéséhez. -onset.crusher = Használj \uf74d [accent]sziklazúzókat[], hogy homokot bányássz. -onset.fabricator = Használd az [accent]egységeket[], hogy felfedezd a pályát, megvédd az épületeket, és megtámadhasd velük az ellenséget. Fejleszd ki, és helyezz el egy \uf6a2 [accent]tankgyártót[]. +onset.graphite = Az összetettebb épületekhez :graphite: [accent]grafit[] szükséges.\nÉpíts plazmavágókat a grafit kibányászásához. +onset.research2 = Kezdd el a [accent]gyárak[] fejlesztését.\nFejleszd ki a :cliff-crusher: [accent]sziklazúzót[] és a :silicon-arc-furnace: [accent]szilícium-ívkemencét[]. +onset.arcfurnace = A szilícium-ívkemencének :sand: [accent]homokra[] és :graphite: [accent]grafitra[] van szüksége, hogy :silicon: [accent]szilíciumot[] gyártson.\nTovábbá [accent]áram[] is szükséges a működéséhez. +onset.crusher = Használj :cliff-crusher: [accent]sziklazúzókat[], hogy homokot bányássz. +onset.fabricator = Használd az [accent]egységeket[], hogy felfedezd a pályát, megvédd az épületeket, és megtámadhasd velük az ellenséget. Fejleszd ki, és helyezz el egy :tank-fabricator: [accent]tankgyártót[]. onset.makeunit = Állíts elő egy egységet.\nHasználd a „?” gombot, hogy megnézd a kiválasztott gyár követelményeit. -onset.turrets = Az egységek hatékonyak, de hatásosan alkalmazva a [accent]lövegtornyok[] jobb védelmi képességeket biztosítanak.\nHelyezz el egy \uf6eb [accent]Breach[] lövegtornyot.\nA lövegtornyoknak \uf748 [accent]lőszerre[] van szüksége. +onset.turrets = Az egységek hatékonyak, de hatásosan alkalmazva a [accent]lövegtornyok[] jobb védelmi képességeket biztosítanak.\nHelyezz el egy :breach: [accent]Breach[] lövegtornyot.\nA lövegtornyoknak :beryllium: [accent]lőszerre[] van szüksége. onset.turretammo = Szállítótalagok használatával lásd el a lövegtornyokat [accent]berillium[] lőszerrel. -onset.walls = A [accent]falak[] megakadályozhatják, hogy az épületekben károk keletkezzenek.\nÉpíts \uf6ee [accent]berilliumfalakat[] a lövegtornyok körül. +onset.walls = A [accent]falak[] megakadályozhatják, hogy az épületekben károk keletkezzenek.\nÉpíts :beryllium-wall: [accent]berilliumfalakat[] a lövegtornyok körül. onset.enemies = Az ellenség közeledik, készülj fel a védekezésre. onset.defenses = [accent]Állíts fel védelmet:[lightgray] {0} onset.attack = Az ellenség most sebezhető. Indíts ellentámadást! -onset.cores = Új támaszpont csak a [accent]támaszpontmezőre[] helyezhető.\nAz új támaszpontok előretolt bázisként működnek, és megosztják a nyersanyagkészletüket más támaszpontokkal.\nHelyezz el egy \uf725 támaszpontot. +onset.cores = Új támaszpont csak a [accent]támaszpontmezőre[] helyezhető.\nAz új támaszpontok előretolt bázisként működnek, és megosztják a nyersanyagkészletüket más támaszpontokkal.\nHelyezz el egy :core-bastion: támaszpontot. onset.detect = Az ellenség 2 percen belül észrevesz téged.\nÁllíts fel védelmet, bányászatot és termelést. onset.commandmode = Tartsd nyomva a [accent]shift[] gombot, hogy [accent]parancs módba[] lépj.\n[accent]Bal egérgombbal és húzással[] lehet egységeket kijelölni.\n[accent]Jobb egérgombbal[] az egységek mozgásra vagy támadásra utasíthatók. onset.commandmode.mobile = Nyomd meg a [accent]parancs gombot[], hogy [accent]parancs módba[] lépj.\nTartsd nyomva az ujjad, majd [accent]húzd[] az egységek kiválasztásához.\n[accent]Koppintással[] az egységek mozgásra vagy támadásra utasíthatók. diff --git a/core/assets/bundles/bundle_id_ID.properties b/core/assets/bundles/bundle_id_ID.properties index 2ca0f2c007a3..598053e1beb8 100644 --- a/core/assets/bundles/bundle_id_ID.properties +++ b/core/assets/bundles/bundle_id_ID.properties @@ -1947,51 +1947,51 @@ hint.respawn = Untuk muncul kembali seperti awal, tekan [accent][[V][]. hint.respawn.mobile = Anda telah mengambil alih kendali dari sebuah unit atau bangunan. Untuk muncul kembali sebagai pesawat, [accent]ketuk avatar di kiri atas.[] hint.desktopPause = Tekan [accent][[Spasi][] untuk menjeda dan menghentikan jeda permainan. hint.breaking = [accent]Klik kanan[] dan tarik untuk menghancurkan blok. -hint.breaking.mobile = Aktifkan \ue817 [accent]palu[] di kanan bawah dan ketuk untuk menghancurkan blok.\n\nTahan jari Anda untuk beberapa saat lalu seret pada bagian yang dipilih untuk menghancurkannya. +hint.breaking.mobile = Aktifkan :hammer: [accent]palu[] di kanan bawah dan ketuk untuk menghancurkan blok.\n\nTahan jari Anda untuk beberapa saat lalu seret pada bagian yang dipilih untuk menghancurkannya. hint.blockInfo = Lihat informasi dari sebuah blok dengan memilihnya di [accent]menu bangun[], lalu pilih tombol [accent][[?][] di sebelah kanan. hint.derelict = Bangunan berwarna [accent]abu-abu[] adalah sisa-sisa dari markas lama yang hancur dan tidak dapat berfungsi kembali.\n\nBangunan tersebut dapat [accent]didekonstruksi[] menjadi sumber daya. -hint.research = Gunakan tombol \ue875 [accent]Penelitian[] untuk mempelajari teknologi baru. -hint.research.mobile = Gunakan tombol \ue875 [accent]Riset[] di \ue88c [accent]Menu[] untuk mempelajari teknologi baru. +hint.research = Gunakan tombol :tree: [accent]Penelitian[] untuk mempelajari teknologi baru. +hint.research.mobile = Gunakan tombol :tree: [accent]Riset[] di :menu: [accent]Menu[] untuk mempelajari teknologi baru. hint.unitControl = Tekan dan Tahan [accent][[L-ctrl][] dan [accent]klik[] untuk mengendalikan unit atau turret sekutu. hint.unitControl.mobile = [accent][Ketuk dua kali[] untuk mengendalikan unit atau turret sekutu. hint.unitSelectControl = Untuk mengendalikan unit, masuki [accent]mode perintah[] dengan menahan tombol [accent]L-shift.[]\nDalam mode perintah, klik dan seret untuk memilih unit. [accent]Klik Kanan[] pada suatu lokasi atau target untuk memerintahkan unit. hint.unitSelectControl.mobile = Untuk mengendalikan unit, masuki [accent]mode perintah[] dengan menekan tombol [accent]perintah[] di pojok kanan bawah.\nDalam mode perintah, tekan layar untuk beberapa saat dan seret untuk memilih unit. ketuk pada suatu lokasi atau target untuk memerintahkan unit. -hint.launch = Ketika sumber daya sudah mencukupi, Anda dapat [accent]Meluncurkan Inti[] dengan memilih sektor terdekat dari \ue827 [accent]Peta[] di kanan bawah. -hint.launch.mobile = Ketika sumber daya sudah mencukupi, Anda bisa [accent]Meluncurkan Inti[] dengan memilih sektor terdekat dari \ue827 [accent]Peta[] dibagian \ue88c [accent]Menu[]. +hint.launch = Ketika sumber daya sudah mencukupi, Anda dapat [accent]Meluncurkan Inti[] dengan memilih sektor terdekat dari :map: [accent]Peta[] di kanan bawah. +hint.launch.mobile = Ketika sumber daya sudah mencukupi, Anda bisa [accent]Meluncurkan Inti[] dengan memilih sektor terdekat dari :map: [accent]Peta[] dibagian :menu: [accent]Menu[]. hint.schematicSelect = Tahan tombol [accent][[F][] dan seret ke bangunan untuk menyalin bangunan.\n\n[accent][[Klik tengah][] untuk menyalin satu jenis blok. hint.rebuildSelect = Tahan tombol [accent][[B][] dan seret untuk memilih bagian blok yang hancur.\nIni akan membangunnya kembali secara otomatis. -hint.rebuildSelect.mobile = Pilih Tombol \ue874 salin, lalu ketuk tombol \ue80f bangun kembali dan seret untuk memilih blok yang hancur.\nIni akan membangun ulang secara otomatis. +hint.rebuildSelect.mobile = Pilih Tombol :copy: salin, lalu ketuk tombol :wrench: bangun kembali dan seret untuk memilih blok yang hancur.\nIni akan membangun ulang secara otomatis. hint.conveyorPathfind = Tahan [accent][[L-Ctrl][] ketika menarik konveyor untuk membuat jalur secara otomatis. -hint.conveyorPathfind.mobile = Ketuk \ue844 [accent]mode diagonal[] dan tarik konveyor untuk membuat jalur secara otomatis. +hint.conveyorPathfind.mobile = Ketuk :diagonal: [accent]mode diagonal[] dan tarik konveyor untuk membuat jalur secara otomatis. hint.boost = Tahan [accent][[L-Shift][] untuk terbang dengan unit.\n\nHanya beberapa unit darat yang memiliki pendorong. hint.payloadPickup = Tekan [accent][[[] untuk mengambil blok kecil atau unit. hint.payloadPickup.mobile = [accent]Ketuk dan tahan[] untuk mengambil blok kecil atau unit. hint.payloadDrop = Tekan [accent]][] untuk menurunkan muatan. hint.payloadDrop.mobile = [accent]Tekan dan tahan[] di lokasi yang kosong untuk menurunkan muatan. hint.waveFire = [accent]Wave[] yang terisi dengan air akan memadamkan air dalam jangkauannya. -hint.generator = \uf879 [accent]Generator Pembakar[] membakar batu bara dan menghasilkan energi ke blok yang berdekatan.\n\nTransmisi energi dapat diperluas dengan \uf87f [accent]Simpul Daya[]. -hint.guardian = Unit [accent]Penjaga[] adalah unit yang diperkuat. Amunisi lemah seperti [accent]Tembaga[] dan [accent]Timah[] [scarlet]tidak efektif[].\n\nGunakan menara yang lebih bagus atau amunisi yang lebih kuat seperti \uf835 [accent]Grafit[] \uf861Duo/\uf859Salvo untuk menghancurkan Penjaga. -hint.coreUpgrade = Inti dapat ditingkatkan dengan cara [accent]meletakkan Inti yang lebih besar di atasnya[].\n\nLetakan sebuah inti \uf868 [accent]Foundation[] diatas inti \uf869 [accent]Shard[]. Pastikan terdapat ruang kosong dari bangunan yang lain. +hint.generator = :combustion-generator: [accent]Generator Pembakar[] membakar batu bara dan menghasilkan energi ke blok yang berdekatan.\n\nTransmisi energi dapat diperluas dengan :power-node: [accent]Simpul Daya[]. +hint.guardian = Unit [accent]Penjaga[] adalah unit yang diperkuat. Amunisi lemah seperti [accent]Tembaga[] dan [accent]Timah[] [scarlet]tidak efektif[].\n\nGunakan menara yang lebih bagus atau amunisi yang lebih kuat seperti :graphite: [accent]Grafit[] :duo:Duo/:salvo:Salvo untuk menghancurkan Penjaga. +hint.coreUpgrade = Inti dapat ditingkatkan dengan cara [accent]meletakkan Inti yang lebih besar di atasnya[].\n\nLetakan sebuah inti :core-foundation: [accent]Foundation[] diatas inti :core-shard: [accent]Shard[]. Pastikan terdapat ruang kosong dari bangunan yang lain. hint.presetLaunch = [accent]Zona pendaratan[] yang berwarna abu-abu, seperti [accent]Hutan yang Beku[], dapat diluncurkan dari mana saja. Sektor seperti ini tidak perlu diluncurkan dari sektor terdekat milik Anda.\n\n[accent]Sektor yang bernomor[], seperti yang ini, bersifat [accent]opsional[]. hint.presetDifficulty = Sektor ini memiliki [scarlet]tingkat ancaman musuh yang tinggi[].\nMeluncurkan ke sektor tersebut [accent]tidak disarankan[] tanpa teknologi yang sesuai dan persiapan yang matang. hint.coreIncinerate = Setelah inti penuh dengan suatu barang, barang yang sejenis akan [accent]dihanguskan[]. hint.factoryControl = Untuk menentukan [accent]tempat keluar[] unit pabrik, klik blok pabrik ketika dalam mode perintah, lalu klik kanan lokasi yang diinginkan.\nUnit yang diproduksi akan langsung bergerak ke tempat yang ditentukan. hint.factoryControl.mobile = Untuk menentukan [accent]tempat keluar[] unit pabrik, ketuk blok pabrik ketika dalam mode perintah, lalu ketuk lokasi yang diinginkan.\nUnit yang diproduksi akan langsung bergerak ke tempat yang ditentukan. -gz.mine = Bergerak di dekat \uf8c4 [accent]bijih tembaga[] di tanah dan klik untuk mulai menambang. -gz.mine.mobile = Bergerak di dekat \uf8c4 [accent]bijih tembaga[] di tanah dan ketuk untuk mulai menambang. -gz.research = Buka \ue875 pohon teknologi.\nRiset \uf870 [accent]Bor Mekanik[], lalu pilih dari menu di kanan bawah.\nKlik pada tambalan tembaga untuk menempatkannya. -gz.research.mobile = Buka \ue875 pohon teknologi.\nRiset \uf870 [accent]Bor Mekanik[], lalu pilih dari menu di kanan bawah.\nKetuk pada tambalan tembaga untuk menempatkannya.\n\nKetuk \ue800 [accent]tanda centang[] di kanan bawah untuk mengonfirmasi. -gz.conveyors = Riset dan tempatkan \uf896 [accent]konveyor[] untuk memindahkan sumber daya yang ditambang\ndari bor ke inti.\n\nKlik dan seret untuk menempatkan beberapa konveyor.\n[accent]Gulir[] untuk memutar arah konveyor -gz.conveyors.mobile = Riset dan tempatkan \uf896 [accent]konveyor[] untuk memindahkan sumber daya yang ditambang\ndari bor ke inti.\n\nTahan jari Anda sebentar dan seret untuk menempatkan beberapa konveyor. +gz.mine = Bergerak di dekat :ore-copper: [accent]bijih tembaga[] di tanah dan klik untuk mulai menambang. +gz.mine.mobile = Bergerak di dekat :ore-copper: [accent]bijih tembaga[] di tanah dan ketuk untuk mulai menambang. +gz.research = Buka :tree: pohon teknologi.\nRiset :mechanical-drill: [accent]Bor Mekanik[], lalu pilih dari menu di kanan bawah.\nKlik pada tambalan tembaga untuk menempatkannya. +gz.research.mobile = Buka :tree: pohon teknologi.\nRiset :mechanical-drill: [accent]Bor Mekanik[], lalu pilih dari menu di kanan bawah.\nKetuk pada tambalan tembaga untuk menempatkannya.\n\nKetuk \ue800 [accent]tanda centang[] di kanan bawah untuk mengonfirmasi. +gz.conveyors = Riset dan tempatkan :conveyor: [accent]konveyor[] untuk memindahkan sumber daya yang ditambang\ndari bor ke inti.\n\nKlik dan seret untuk menempatkan beberapa konveyor.\n[accent]Gulir[] untuk memutar arah konveyor +gz.conveyors.mobile = Riset dan tempatkan :conveyor: [accent]konveyor[] untuk memindahkan sumber daya yang ditambang\ndari bor ke inti.\n\nTahan jari Anda sebentar dan seret untuk menempatkan beberapa konveyor. gz.drills = Perluas operasi penambangan.\ntempatkan lebih banyak Bor Mekanik.\nTambang 100 tembaga. -gz.lead = \uf837 [accent]Timah[] adalah sumber daya lain yang umum digunakan.\nSiapkan bor untuk menambang timah. -gz.moveup = \ue804 Bergerak ke atas untuk objektif lebih lanjut. -gz.turrets = Riset dan tempatkan 2 menara \uf861 [accent]Duo[] untuk mempertahankan inti.\nMenara Duo membutuhkan \uf838 [accent]amunisi[] dari konveyor. +gz.lead = :lead: [accent]Timah[] adalah sumber daya lain yang umum digunakan.\nSiapkan bor untuk menambang timah. +gz.moveup = :up: Bergerak ke atas untuk objektif lebih lanjut. +gz.turrets = Riset dan tempatkan 2 menara :duo: [accent]Duo[] untuk mempertahankan inti.\nMenara Duo membutuhkan \uf838 [accent]amunisi[] dari konveyor. gz.duoammo = Suplai menara Duo dengan [accent]tembaga[], menggunakan konveyor. -gz.walls = [accent]Dinding[] dapat menahan kerusakan yang mencapai bangunan.\nTempatkan \uf8ae [accent]dinding tembaga[] di sekitar menara. +gz.walls = [accent]Dinding[] dapat menahan kerusakan yang mencapai bangunan.\nTempatkan :copper-wall: [accent]dinding tembaga[] di sekitar menara. gz.defend = Musuh datang, bersiaplah untuk bertahan. -gz.aa = Unit terbang tidak dapat dengan mudah dibunuh dengan menara standar.Menara\n\uf860 [accent]Scatter[] memberikan anti-udara yang sangat baik, tetapi membutuhkan \uf837 [accent]timah[] sebagai amunisi. +gz.aa = Unit terbang tidak dapat dengan mudah dibunuh dengan menara standar.Menara\n:scatter: [accent]Scatter[] memberikan anti-udara yang sangat baik, tetapi membutuhkan :lead: [accent]timah[] sebagai amunisi. gz.scatterammo = Suplai Menara Scatter dengan [accent]timah[], menggunakan konveyor. gz.supplyturret = [accent]Suplai Menara gz.zone1 = Ini adalah zona pendaratan musuh. @@ -1999,27 +1999,27 @@ gz.zone2 = Apa pun yang dibangun dalam radius tersebut akan hancur ketika gelomb gz.zone3 = Gelombang akan dimulai sekarang.Bersiap. gz.finish = Bangun lebih banyak menara, tambang lebih banyak sumber daya,\ndan bertahan melawan semua gelombang [accent]untuk menaklukkan sektor[]. -onset.mine = Klik untuk menambang \uf748 [accent]berillium[] dari dinding.\n\nGunakan tombol [accent][[WASD] untuk bergerak. -onset.mine.mobile = Ketuk untuk menambang \uf748 [accent]berillium[] dari dinding. -onset.research = Buka \ue875 pohon teknologi.\nRiset, dan tempatkan \uf73e [accent]kondensor turbin[] di ventilasi.\nIni akan menghasilkan [accent]tenaga[]. -onset.bore = Riset dan tempatkan \uf741 [accent]bor plasma[].\nIni secara otomatis mengekstraksi sumber daya dari dinding. -onset.power = Untuk [accent]menyalakan[] bor plasma, riset dan tempatkan \uf73d [accent]simpul sinar[].\nHubungkan kondensor turbin ke bor plasma. -onset.ducts = Riset dan tempatkan \uf799 [accent]pipa[] untuk memindahkan sumber daya yang ditambang dari bor plasma ke inti.\nklik dan seret untuk menempatkan beberapa saluran.\n[accent]Gulir[] untuk memutar. -onset.ducts.mobile = Riset dan tempatkan \uf799 [accent]saluran[] untuk memindahkan sumber daya yang ditambang dari bor plasma ke inti.\n\nTahan jari Anda sebentar dan seret untuk menempatkan beberapa saluran. +onset.mine = Klik untuk menambang :beryllium: [accent]berillium[] dari dinding.\n\nGunakan tombol [accent][[WASD] untuk bergerak. +onset.mine.mobile = Ketuk untuk menambang :beryllium: [accent]berillium[] dari dinding. +onset.research = Buka :tree: pohon teknologi.\nRiset, dan tempatkan :turbine-condenser: [accent]kondensor turbin[] di ventilasi.\nIni akan menghasilkan [accent]tenaga[]. +onset.bore = Riset dan tempatkan :plasma-bore: [accent]bor plasma[].\nIni secara otomatis mengekstraksi sumber daya dari dinding. +onset.power = Untuk [accent]menyalakan[] bor plasma, riset dan tempatkan :beam-node: [accent]simpul sinar[].\nHubungkan kondensor turbin ke bor plasma. +onset.ducts = Riset dan tempatkan :duct: [accent]pipa[] untuk memindahkan sumber daya yang ditambang dari bor plasma ke inti.\nklik dan seret untuk menempatkan beberapa saluran.\n[accent]Gulir[] untuk memutar. +onset.ducts.mobile = Riset dan tempatkan :duct: [accent]saluran[] untuk memindahkan sumber daya yang ditambang dari bor plasma ke inti.\n\nTahan jari Anda sebentar dan seret untuk menempatkan beberapa saluran. onset.moremine = Perluas operasi penambangan.\nTempatkan lebih banyak Bor Plasma dan gunakan simpul sinar dan pipa untuk menambangnya.\nTambang 200 berillium. -onset.graphite = Blok yang lebih kompleks membutuhkan \uf835 [accent]grafit[].\nSiapkan bor plasma untuk menambang grafit. -onset.research2 = Mulailah meneliti [accent]bangunan pabrik[].\nRiset \uf74d [accent]penghancur tebing[] dan \uf779 [accent]tungku listrik silikon[]. -onset.arcfurnace = Tungku Listrik Silikon membutuhkan \uf834 [accent]pasir[] dan \uf835 [accent]grafit[] untuk membuat \uf82f [accent]silikon[].\n[accent]Tenaga[] juga dibutuhkan. -onset.crusher = Gunakan \uf74d [accent]penghancur tebing[] untuk menambang pasir. -onset.fabricator = Gunakan [accent]unit[] untuk menjelajah peta, mempertahakan bangunan, dan menyerang musuh. Riset dan tempatkan \uf6a2 [accent]fabricator tank[]. +onset.graphite = Blok yang lebih kompleks membutuhkan :graphite: [accent]grafit[].\nSiapkan bor plasma untuk menambang grafit. +onset.research2 = Mulailah meneliti [accent]bangunan pabrik[].\nRiset :cliff-crusher: [accent]penghancur tebing[] dan :silicon-arc-furnace: [accent]tungku listrik silikon[]. +onset.arcfurnace = Tungku Listrik Silikon membutuhkan :sand: [accent]pasir[] dan :graphite: [accent]grafit[] untuk membuat :silicon: [accent]silikon[].\n[accent]Tenaga[] juga dibutuhkan. +onset.crusher = Gunakan :cliff-crusher: [accent]penghancur tebing[] untuk menambang pasir. +onset.fabricator = Gunakan [accent]unit[] untuk menjelajah peta, mempertahakan bangunan, dan menyerang musuh. Riset dan tempatkan :tank-fabricator: [accent]fabricator tank[]. onset.makeunit = Produksi sebuah unit.\nGunakan tombol "?" untuk melihat persyaratan pabrik yang dipilih. -onset.turrets = Unit sangatlah efektif, namun [accent]menara[] memberikan kemampuan pertahanan yang lebih baik jika digunakan secara efektif.\nTempatkan menara \uf6eb [accent]Breach[].\nMenara membutuhkan \uf748 [accent]amunisi[]. +onset.turrets = Unit sangatlah efektif, namun [accent]menara[] memberikan kemampuan pertahanan yang lebih baik jika digunakan secara efektif.\nTempatkan menara :breach: [accent]Breach[].\nMenara membutuhkan :beryllium: [accent]amunisi[]. onset.turretammo = Suplai menara dengan [accent]amunisi berillium.[] -onset.walls = [accent]Dinding[] dapat mencegah kerusakan yang datang pada bangunan.\nTempatkan beberapa \uf6ee [accent]dinding berillium[] di sekitar menara. +onset.walls = [accent]Dinding[] dapat mencegah kerusakan yang datang pada bangunan.\nTempatkan beberapa :beryllium-wall: [accent]dinding berillium[] di sekitar menara. onset.enemies = Musuh datang, bersiaplah untuk bertahan. onset.defenses = [accent]Siapkan pertahanan:[lightgray] {0} onset.attack = Musuh dalam keadaan rentan diserang. Luncurkan Serangan balik. -onset.cores = Inti baru dapat ditempatkan di [accent]ubin inti[].\nInti baru berfungsi sebagai pangkalan depan dan berbagi sumber daya dengan inti lainnya.\nTempatkan inti\uf725. +onset.cores = Inti baru dapat ditempatkan di [accent]ubin inti[].\nInti baru berfungsi sebagai pangkalan depan dan berbagi sumber daya dengan inti lainnya.\nTempatkan inti:core-bastion:. onset.detect = Musuh akan dapat mendeteksi Anda dalam 2 menit.\nSiapkan pertahanan, penambangan, dan produksi. onset.commandmode = Tahan [accent]shift[] untuk masuk ke[accent]mode perintah[].\n[accent]Klik kiri dan seret[] untuk memilih unit.\n[accent]Klik kanan[] untuk memerintahkan unit yang dipilih untuk bergerak atau menyerang. onset.commandmode.mobile = Tekan [accent]tombol perintah[] untuk masuk ke [accent]mode perintah[].\nTekan dan tahan jari Anda, lalu [accent]seret[] untuk memilih unit.\n[accent]Ketuk[] untuk memerintahkan unit yang dipilih untuk bergerak atau menyerang. diff --git a/core/assets/bundles/bundle_it.properties b/core/assets/bundles/bundle_it.properties index f15f3b5fce26..88fb8b6d8d0b 100644 --- a/core/assets/bundles/bundle_it.properties +++ b/core/assets/bundles/bundle_it.properties @@ -1921,77 +1921,77 @@ hint.respawn = Per rinascere come nave, premi [accent][[V][]. hint.respawn.mobile = Hai cambiato il controllo a unità/strutture. Per rinascere come nave, [accent]tocca the l'avatar in alto a sinistra.[] hint.desktopPause = Premi[accent][[Space][] per mettere in pausa o riprendere il gioco. hint.breaking = [accent]Click-destro[] e trascina per distruggere blocchi. -hint.breaking.mobile = Attivita il \ue817 [accent]martello[] in fondo a destra e tocca per distruggere blocchi.\n\nTieni premuto il tuo dito per un secondo e trascina per distruggere blocchi in una selezione. +hint.breaking.mobile = Attivita il :hammer: [accent]martello[] in fondo a destra e tocca per distruggere blocchi.\n\nTieni premuto il tuo dito per un secondo e trascina per distruggere blocchi in una selezione. hint.blockInfo = View information of a block by selecting it in the [accent]build menu[], then selecting the [accent][[?][] button at the right. hint.derelict = [accent]Derelict[] structures are broken remnants of old bases that no longer function.\n\nThese structures can be [accent]deconstructed[] for resources. -hint.research = Usa il pulsante \ue875 [accent]Scopri[] per scoprire nuova tecnologia. -hint.research.mobile = Usa il pulsante \ue875 [accent]Research[] nel \ue88c [accent]menu[] per scoprire una nuova tecnologia. +hint.research = Usa il pulsante :tree: [accent]Scopri[] per scoprire nuova tecnologia. +hint.research.mobile = Usa il pulsante :tree: [accent]Research[] nel :menu: [accent]menu[] per scoprire una nuova tecnologia. hint.unitControl = Tieni premuto [accent][[L-ctrl][] e [accent]clic[] per controllare unità o torrette amichevoli. hint.unitControl.mobile = [accent][[Doppio-tocco][] per controllare unità o torrette amichevoli. hint.unitSelectControl = To control units, enter [accent]command mode[] by holding [accent]L-shift.[]\nWhile in command mode, click and drag to select units. [accent]Right-click[] a location or target to command units there. hint.unitSelectControl.mobile = To control units, enter [accent]command mode[] by pressing the [accent]command[] button in the bottom left.\nWhile in command mode, long-press and drag to select units. Tap a location or target to command units there. -hint.launch = Una volta che sono state raccolte abbastanza risorse, puoi[accent]Lanciare[] selezionando settori vicini dalla \ue827 [accent]Mappa[] in fondo a destra. -hint.launch.mobile = Una volta che sono state raccolte abbastanza risorse, puoi[accent]Lanciare[] selezionando settori vicini dalla \ue827 [accent]Mappa[] nel \ue88c [accent]menu[]. +hint.launch = Una volta che sono state raccolte abbastanza risorse, puoi[accent]Lanciare[] selezionando settori vicini dalla :map: [accent]Mappa[] in fondo a destra. +hint.launch.mobile = Una volta che sono state raccolte abbastanza risorse, puoi[accent]Lanciare[] selezionando settori vicini dalla :map: [accent]Mappa[] nel :menu: [accent]menu[]. hint.schematicSelect = Tieni premuto [accent][[F][] e trascina per selezionare blocchi da copiare ed incollare.\n\n[accent][[Middle Click][] per copiare un singolo tipo di blocco. hint.rebuildSelect = Hold [accent][[B][] and drag to select destroyed block plans.\nThis will rebuild them automatically. -hint.rebuildSelect.mobile = Select the \ue874 copy button, then tap the \ue80f rebuild button and drag to select destroyed block plans.\nThis will rebuild them automatically. +hint.rebuildSelect.mobile = Select the :copy: copy button, then tap the :wrench: rebuild button and drag to select destroyed block plans.\nThis will rebuild them automatically. hint.conveyorPathfind = Tieni premuto [accent][[L-Ctrl][] mentre trascini nastri per generare automaticamente un percorso. -hint.conveyorPathfind.mobile = Attiva la \ue844 [accent]modalità diagonale[] e trascina nastri per generare automaticamente un percorso. +hint.conveyorPathfind.mobile = Attiva la :diagonal: [accent]modalità diagonale[] e trascina nastri per generare automaticamente un percorso. hint.boost = Tieni premuto [accent][[L-Shift][] per volare sopra gli ostacoli con la tua unità attuale.\n\nSolo poche unità terrestri possono farlo. hint.payloadPickup = Premi [accent][[[] per raccogliere piccoli blocchi o unità. hint.payloadPickup.mobile = [accent]Clicca e trattieni[] piccoli blocchi o unità per raccglierla. hint.payloadDrop = Premi [accent]][] per rilasciare un carico. hint.payloadDrop.mobile = [accent]Clicca e trattieni[] una posizione vuota per rilasciarci un carico. hint.waveFire = [accent]Idrogetto[] torrette con acqua per munizioni spegneranno automaticamente incendi. -hint.generator = \uf879 [accent]Generatori a Combustibile[] bruciano carbone e trasferiscono energia ai blocchi adiacenti.\n\nIl raggio di trasmissione dell'enrgia può essere esteso con \uf87f [accent]Nodo Energetico[]. -hint.guardian = Unità [accent]Guardiano[] sono corazzate. Munizioni deboli come [accent]Rame[] e [accent]Piombo[] sono [scarlet]inefficaci[].\n\nUsa torrette di grado superiore o \uf835 [accent]Grafite[] \uf861Duo/\uf859Cannone Leggero per buttare giù il boss. -hint.coreUpgrade = I nuclei possono essere aggiornati [accent]piazzando nuclei di un livello superiore sopra di loro[].\n\nPiazzia un nucleo \uf868 [accent]Fondazione[] sopra il nucleo \uf869 [accent]Frammento[]. Assicurati che sia libero da ostacoli. +hint.generator = :combustion-generator: [accent]Generatori a Combustibile[] bruciano carbone e trasferiscono energia ai blocchi adiacenti.\n\nIl raggio di trasmissione dell'enrgia può essere esteso con :power-node: [accent]Nodo Energetico[]. +hint.guardian = Unità [accent]Guardiano[] sono corazzate. Munizioni deboli come [accent]Rame[] e [accent]Piombo[] sono [scarlet]inefficaci[].\n\nUsa torrette di grado superiore o :graphite: [accent]Grafite[] :duo:Duo/:salvo:Cannone Leggero per buttare giù il boss. +hint.coreUpgrade = I nuclei possono essere aggiornati [accent]piazzando nuclei di un livello superiore sopra di loro[].\n\nPiazzia un nucleo :core-foundation: [accent]Fondazione[] sopra il nucleo :core-shard: [accent]Frammento[]. Assicurati che sia libero da ostacoli. hint.presetLaunch = [accent]Settori grigi d'atterraggio[], come [accent]Foresta Ghiacciata[], possono essere lanciati da ovunque. Non richiedono la cattura nei terrotori circostanti.\n\n[accent]Settori numerati[], come questo qui, sono [accent]opzionali[]. hint.presetDifficulty = This sector has a [scarlet]high enemy threat level[].\nLaunching to such sectors is [accent]not recommended[] without proper technology and preparation. hint.coreIncinerate = After the core is filled to capacity with an item, any extra items of that type it receives will be [accent]incinerated[]. hint.factoryControl = To set a unit factory's [accent]output destination[], click a factory block while in command mode, then right-click a location.\nUnits produced by it will automatically move there. hint.factoryControl.mobile = To set a unit factory's [accent]output destination[], tap a factory block while in command mode, then tap a location.\nUnits produced by it will automatically move there. -gz.mine = Move near the \uf8c4 [accent]copper ore[] on the ground and click to begin mining. -gz.mine.mobile = Move near the \uf8c4 [accent]copper ore[] on the ground and tap it to begin mining. -gz.research = Open the \ue875 tech tree.\nResearch the \uf870 [accent]Mechanical Drill[], then select it from the menu in the bottom right.\nClick on a copper patch to place it. -gz.research.mobile = Open the \ue875 tech tree.\nResearch the \uf870 [accent]Mechanical Drill[], then select it from the menu in the bottom right.\nTap on a copper patch to place it.\n\nPress the \ue800 [accent]checkmark[] at the bottom right to confirm. -gz.conveyors = Research and place \uf896 [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nClick and drag to place multiple conveyors.\n[accent]Scroll[] to rotate. -gz.conveyors.mobile = Research and place \uf896 [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nHold down your finger for a second and drag to place multiple conveyors. +gz.mine = Move near the :ore-copper: [accent]copper ore[] on the ground and click to begin mining. +gz.mine.mobile = Move near the :ore-copper: [accent]copper ore[] on the ground and tap it to begin mining. +gz.research = Open the :tree: tech tree.\nResearch the :mechanical-drill: [accent]Mechanical Drill[], then select it from the menu in the bottom right.\nClick on a copper patch to place it. +gz.research.mobile = Open the :tree: tech tree.\nResearch the :mechanical-drill: [accent]Mechanical Drill[], then select it from the menu in the bottom right.\nTap on a copper patch to place it.\n\nPress the \ue800 [accent]checkmark[] at the bottom right to confirm. +gz.conveyors = Research and place :conveyor: [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nClick and drag to place multiple conveyors.\n[accent]Scroll[] to rotate. +gz.conveyors.mobile = Research and place :conveyor: [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nHold down your finger for a second and drag to place multiple conveyors. gz.drills = Expand the mining operation.\nPlace more Mechanical Drills.\nMine 100 copper. -gz.lead = \uf837 [accent]Lead[] is another commonly used resource.\nSet up drills to mine lead. -gz.moveup = \ue804 Move up for further objectives. -gz.turrets = Research and place 2 \uf861 [accent]Duo[] turrets to defend the core.\nDuo turrets require \uf838 [accent]ammo[] from conveyors. +gz.lead = :lead: [accent]Lead[] is another commonly used resource.\nSet up drills to mine lead. +gz.moveup = :up: Move up for further objectives. +gz.turrets = Research and place 2 :duo: [accent]Duo[] turrets to defend the core.\nDuo turrets require \uf838 [accent]ammo[] from conveyors. gz.duoammo = Supply the Duo turrets with [accent]copper[], using conveyors. -gz.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace \uf8ae [accent]copper walls[] around the turrets. +gz.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace :copper-wall: [accent]copper walls[] around the turrets. gz.defend = Enemy incoming, prepare to defend. -gz.aa = Flying units cannot easily be dispatched with standard turrets.\n\uf860 [accent]Scatter[] turrets provide excellent anti-air, but require \uf837 [accent]lead[] as ammo. +gz.aa = Flying units cannot easily be dispatched with standard turrets.\n:scatter: [accent]Scatter[] turrets provide excellent anti-air, but require :lead: [accent]lead[] as ammo. gz.scatterammo = Supply the Scatter turret with [accent]lead[], using conveyors. gz.supplyturret = [accent]Supply Turret gz.zone1 = This is the enemy drop zone. gz.zone2 = Anything built in the radius is destroyed when a wave starts. gz.zone3 = A wave will begin now.\nGet ready. gz.finish = Build more turrets, mine more resources,\nand defend against all the waves to [accent]capture the sector[]. -onset.mine = Click to mine \uf748 [accent]beryllium[] from walls.\n\nUse [accent][[WASD] to move. -onset.mine.mobile = Tap to mine \uf748 [accent]beryllium[] from walls. -onset.research = Open the \ue875 tech tree.\nResearch, then place a \uf73e [accent]turbine condenser[] on the vent.\nThis will generate [accent]power[]. -onset.bore = Research and place a \uf741 [accent]plasma bore[].\nThis automatically mines resources from walls. -onset.power = To [accent]power[] the plasma bore, research and place a \uf73d [accent]beam node[].\nConnect the turbine condenser to the plasma bore. -onset.ducts = Research and place \uf799 [accent]ducts[] to move the mined resources from the plasma bore to the core.\nClick and drag to place multiple ducts.\n[accent]Scroll[] to rotate. -onset.ducts.mobile = Research and place \uf799 [accent]ducts[] to move the mined resources from the plasma bore to the core.\n\nHold down your finger for a second and drag to place multiple ducts. +onset.mine = Click to mine :beryllium: [accent]beryllium[] from walls.\n\nUse [accent][[WASD] to move. +onset.mine.mobile = Tap to mine :beryllium: [accent]beryllium[] from walls. +onset.research = Open the :tree: tech tree.\nResearch, then place a :turbine-condenser: [accent]turbine condenser[] on the vent.\nThis will generate [accent]power[]. +onset.bore = Research and place a :plasma-bore: [accent]plasma bore[].\nThis automatically mines resources from walls. +onset.power = To [accent]power[] the plasma bore, research and place a :beam-node: [accent]beam node[].\nConnect the turbine condenser to the plasma bore. +onset.ducts = Research and place :duct: [accent]ducts[] to move the mined resources from the plasma bore to the core.\nClick and drag to place multiple ducts.\n[accent]Scroll[] to rotate. +onset.ducts.mobile = Research and place :duct: [accent]ducts[] to move the mined resources from the plasma bore to the core.\n\nHold down your finger for a second and drag to place multiple ducts. onset.moremine = Expand the mining operation.\nPlace more Plasma Bores and use beam nodes and ducts to support them.\nMine 200 beryllium. -onset.graphite = More complex blocks require \uf835 [accent]graphite[].\nSet up plasma bores to mine graphite. -onset.research2 = Begin researching [accent]factories[].\nResearch the \uf74d [accent]cliff crusher[] and \uf779 [accent]silicon arc furnace[]. -onset.arcfurnace = The arc furnace needs \uf834 [accent]sand[] and \uf835 [accent]graphite[] to create \uf82f [accent]silicon[].\n[accent]Power[] is also required. -onset.crusher = Use \uf74d [accent]cliff crushers[] to mine sand. -onset.fabricator = Use [accent]units[] to explore the map, defend buildings, and attack the enemy. Research and place a \uf6a2 [accent]tank fabricator[]. +onset.graphite = More complex blocks require :graphite: [accent]graphite[].\nSet up plasma bores to mine graphite. +onset.research2 = Begin researching [accent]factories[].\nResearch the :cliff-crusher: [accent]cliff crusher[] and :silicon-arc-furnace: [accent]silicon arc furnace[]. +onset.arcfurnace = The arc furnace needs :sand: [accent]sand[] and :graphite: [accent]graphite[] to create :silicon: [accent]silicon[].\n[accent]Power[] is also required. +onset.crusher = Use :cliff-crusher: [accent]cliff crushers[] to mine sand. +onset.fabricator = Use [accent]units[] to explore the map, defend buildings, and attack the enemy. Research and place a :tank-fabricator: [accent]tank fabricator[]. onset.makeunit = Produce a unit.\nUse the "?" button to see selected factory requirements. -onset.turrets = Units are effective, but [accent]turrets[] provide better defensive capabilities if used effectively.\nPlace a \uf6eb [accent]Breach[] turret.\nTurrets require \uf748 [accent]ammo[]. +onset.turrets = Units are effective, but [accent]turrets[] provide better defensive capabilities if used effectively.\nPlace a :breach: [accent]Breach[] turret.\nTurrets require :beryllium: [accent]ammo[]. onset.turretammo = Supply the turret with [accent]beryllium ammo.[] -onset.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace some \uf6ee [accent]beryllium walls[] around the turret. +onset.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace some :beryllium-wall: [accent]beryllium walls[] around the turret. onset.enemies = Enemy incoming, prepare to defend. onset.defenses = [accent]Set up defenses:[lightgray] {0} onset.attack = The enemy is vulnerable. Counter-attack. -onset.cores = New cores can be placed on [accent]core tiles[].\nNew cores function as forward bases and share a resource inventory with other cores.\nPlace a \uf725 core. +onset.cores = New cores can be placed on [accent]core tiles[].\nNew cores function as forward bases and share a resource inventory with other cores.\nPlace a :core-bastion: core. onset.detect = The enemy will be able to detect you in 2 minutes.\nSet up defenses, mining, and production. onset.commandmode = Hold [accent]shift[] to enter [accent]command mode[].\n[accent]Left-click and drag[] to select units.\n[accent]Right-click[] to order selected units to move or attack. onset.commandmode.mobile = Press the [accent]command button[] to enter [accent]command mode[].\nHold down a finger, then [accent]drag[] to select units.\n[accent]Tap[] to order selected units to move or attack. diff --git a/core/assets/bundles/bundle_ja.properties b/core/assets/bundles/bundle_ja.properties index 013f8569c5ff..680a2485be0a 100644 --- a/core/assets/bundles/bundle_ja.properties +++ b/core/assets/bundles/bundle_ja.properties @@ -1924,77 +1924,77 @@ hint.respawn = シップとしてリスポーンするには、[accent][[V][]を hint.respawn.mobile = ユニット/建造物のコントロールを得ました。シップとしてリスポーンするには、[accent]左上のアイコンをタップします。[] hint.desktopPause = [accent][[スペース][]を押して、ゲームを一時停止と一時停止の解除ができます。 hint.breaking = [accent]右クリック[]と右クリックドラッグによりブロックを壊します。 -hint.breaking.mobile = 右下にある\ue817 [accent]ハンマー[]をアクティブにして、タップしてブロックを壊します。\n\n指を1秒間押したままドラッグすると、範囲選択が出来ます。 +hint.breaking.mobile = 右下にある:hammer: [accent]ハンマー[]をアクティブにして、タップしてブロックを壊します。\n\n指を1秒間押したままドラッグすると、範囲選択が出来ます。 hint.blockInfo = [accent]建築メニュー[]でブロックを選択し、右側の[accent][[?][]ボタンを押すと、ブロックの情報が表示されます。 hint.derelict = [accent]放棄[]され、すでに機能を失った古い基地建造物の残骸です。\n\nこれらは[accent]解体[]することにより、資源になります。 -hint.research = \ue875 [accent]研究[]ボタンを押して、新しいテクノロジーを研究します。 -hint.research.mobile = \ue88c [accent]メニュー[]の\ue875 [accent]研究[]ボタンを押して、新しいテクノロジーを研究します。 +hint.research = :tree: [accent]研究[]ボタンを押して、新しいテクノロジーを研究します。 +hint.research.mobile = :menu: [accent]メニュー[]の:tree: [accent]研究[]ボタンを押して、新しいテクノロジーを研究します。 hint.unitControl = [accent][[左ctrl][]を押しながら[accent]クリック[]するとタレットや味方ユニットを操作できます。 hint.unitControl.mobile = [accent][ダブルタップ[]すると味方ユニットやタレットを操作できます。 hint.unitSelectControl = ユニットを操作するには、 [accent][[左Shift][] を押して [accent]コマンドモード[] に入ります。\nコマンドモードでは、クリック&ドラッグでユニットを選択することができます。 [accent]右クリック[] で場所や目標物を指定し、そこにいるユニットを指揮できます。 hint.unitSelectControl.mobile = ユニットを操作するには、 [accent]command[] ボタンを押して [accent]コマンドモード[] にします。\nコマンドモードでは、長押し&ドラッグでユニットを選択できます。場所や目標をタップすると、そこにいるユニットに命令を出すことができます。 -hint.launch = 十分な資源を確保できたら、右下の\ue827 [accent]マップ[]から、近くのセクターを選択して[accent]発射[]できます。 -hint.launch.mobile = 十分な資源を確保できたら、\ue88c [accent]メニュー[]の\ue827 [accent]マップ[]から、近くのセクターを選択して[accent]発射[]できます。 +hint.launch = 十分な資源を確保できたら、右下の:map: [accent]マップ[]から、近くのセクターを選択して[accent]発射[]できます。 +hint.launch.mobile = 十分な資源を確保できたら、:menu: [accent]メニュー[]の:map: [accent]マップ[]から、近くのセクターを選択して[accent]発射[]できます。 hint.schematicSelect = [accent][[F][]を押しながらドラッグして、コピー&ペーストするブロックを選択します。\n\n[accent][[ミドルクリック][]により、1つのブロックタイプをコピーします。 hint.rebuildSelect = [accent][[B][] を押したままドラッグして、破壊されたブロック計画を選択します。\nこれにより、それらが自動的に再建築されます。 -hint.rebuildSelect.mobile = Select the \ue874 copy button, then tap the \ue80f rebuild button and drag to select destroyed block plans.\nThis will rebuild them automatically. +hint.rebuildSelect.mobile = Select the :copy: copy button, then tap the :wrench: rebuild button and drag to select destroyed block plans.\nThis will rebuild them automatically. hint.conveyorPathfind = [accent][[左-Ctrl][]を押しながらコンベアーをドラッグすると、経路が自動生成されます。 -hint.conveyorPathfind.mobile = \ue844 [accent]対角線モード[]を有効にし、コンベアーをドラッグすると経路が自動生成します。 +hint.conveyorPathfind.mobile = :diagonal: [accent]対角線モード[]を有効にし、コンベアーをドラッグすると経路が自動生成します。 hint.boost = [accent][[左シフト][]を押したままにすると、操作中のユニットは障害物を飛び越えます。\n\n少数の地上ユニットのみがこのブースターを搭載しています。 hint.payloadPickup = [accent][[[]を押して、小さなブロックまたはユニットを格納します。 hint.payloadPickup.mobile = [accent]タップ&ホールド[]により、小さなブロックまたはユニットを格納します。 hint.payloadDrop = [accent]][]を押すと、積載物を降ろします。 hint.payloadDrop.mobile = 空いている場所を[accent]タップ&ホールド[]して、積載物を降ろします。 hint.waveFire = [accent]ウェーブ[]タレットは水を搬入すると、近くの火を自動的に消火します。 -hint.generator = \uf879 [accent]火力発電機[]石炭を燃やし、隣接するブロックに電力を供給します。\n\n電力供給範囲は\uf87f [accent]電源ノード[]で拡張できます。 -hint.guardian = [accent]ガーディアン[]ユニットは装甲を搭載しています。[accent]銅[]や[accent]鉛[]などの弱い弾薬は[scarlet]効果がありません[]。\n\n強力なターレット、または\uf861デュオ/\uf859サルボーの弾薬に\uf835 [accent]黒鉛[]を使用してガーディアンを撃破してください。 -hint.coreUpgrade = コアは [accent]上位のコアを配置することでアップグレードできます[]。\n\n \uf869 [accent]シャード[]コアの上に、 \uf868 [accent]ファンデーション[]コアを置きます。近くに障害物がないことを確認してください。 +hint.generator = :combustion-generator: [accent]火力発電機[]石炭を燃やし、隣接するブロックに電力を供給します。\n\n電力供給範囲は:power-node: [accent]電源ノード[]で拡張できます。 +hint.guardian = [accent]ガーディアン[]ユニットは装甲を搭載しています。[accent]銅[]や[accent]鉛[]などの弱い弾薬は[scarlet]効果がありません[]。\n\n強力なターレット、または:duo:デュオ/:salvo:サルボーの弾薬に:graphite: [accent]黒鉛[]を使用してガーディアンを撃破してください。 +hint.coreUpgrade = コアは [accent]上位のコアを配置することでアップグレードできます[]。\n\n :core-shard: [accent]シャード[]コアの上に、 :core-foundation: [accent]ファンデーション[]コアを置きます。近くに障害物がないことを確認してください。 hint.presetLaunch = [accent]フローズン · フォレスト[]などの灰色の[accent]着陸ゾーンセクター[]には、どこからでも発射できるため近くの領土を確保する必要はありません。\n\nしかし、このような[accent]数字のセクター[]では[accent]この限りではありません[]。 hint.presetDifficulty = このセクターは[scarlet]敵の脅威レベルが高いです[]。\nこのようなセクターへの出撃は、適切な技術と準備なしには[accent]お勧めできません[]。 hint.coreIncinerate = コアのアイテム収納数の上限に達したアイテムは搬入されず[accent]破棄[]されます。 hint.factoryControl = ユニット工場の [accent]出力先[] を設定するには、コマンドモードで工場ブロックをクリックし、その場所を右クリックします。\nその工場で生産されたユニットは、自動的にそこに移動します。 hint.factoryControl.mobile = ユニット工場の [accent]出力先[] を設定するには、コマンドモードで工場ブロックをタップし、場所をタップしてください。\nその工場で生産されたユニットが自動的にそこに移動します。 -gz.mine = 地面の \uf8c4 [accent]銅鉱石[]の近くに移動し、クリックして採掘を開始します。 -gz.mine.mobile = 地面の \uf8c4 [accent]銅鉱石[]の近くに移動し、タップして採掘を開始します。 -gz.research = \ue875 技術ツリーを開きます。\n\uf870 [accent]機械ドリル[] を探して、右下のメニューから選択します。\n銅をクリックして配置します。 -gz.research.mobile = \ue875 技術ツリーを開きます。\n\uf870 [accent]機械ドリル[] を探して、右下のメニューから選択します。\n銅をタップして配置します。\n\n\ue800 [accent]右下のチェックマーク[]で確定します。 -gz.conveyors = \uf896 [accent]コンベア[] を研究して配置し、\n採掘した素材をドリルからコアに移しましょう。\n\nドラッグして複数のコンベアを配置します。\n[accent]マウスホイールをスクロール[] して向きを変更します。 -gz.conveyors.mobile = \uf896 [accent]コンベア[] を研究して配置し、\n採掘した素材をドリルからコアに移しましょう。\n\n長押し&ドラッグして、複数のコンベアを配置します。 +gz.mine = 地面の :ore-copper: [accent]銅鉱石[]の近くに移動し、クリックして採掘を開始します。 +gz.mine.mobile = 地面の :ore-copper: [accent]銅鉱石[]の近くに移動し、タップして採掘を開始します。 +gz.research = :tree: 技術ツリーを開きます。\n:mechanical-drill: [accent]機械ドリル[] を探して、右下のメニューから選択します。\n銅をクリックして配置します。 +gz.research.mobile = :tree: 技術ツリーを開きます。\n:mechanical-drill: [accent]機械ドリル[] を探して、右下のメニューから選択します。\n銅をタップして配置します。\n\n\ue800 [accent]右下のチェックマーク[]で確定します。 +gz.conveyors = :conveyor: [accent]コンベア[] を研究して配置し、\n採掘した素材をドリルからコアに移しましょう。\n\nドラッグして複数のコンベアを配置します。\n[accent]マウスホイールをスクロール[] して向きを変更します。 +gz.conveyors.mobile = :conveyor: [accent]コンベア[] を研究して配置し、\n採掘した素材をドリルからコアに移しましょう。\n\n長押し&ドラッグして、複数のコンベアを配置します。 gz.drills = 採掘場所を拡大しましょう。\n機械ドリルをさらに配置します。\n銅を 100個 採掘しましょう。 -gz.lead = \uf837 [accent]鉛[] も一般的に使用される素材です。\nドリルを配置して鉛を採掘しましょう。 -gz.moveup = \ue804 さらなる目的のために上に移動しましょう。 -gz.turrets = \uf861 [accent]デュオ[] を研究して二つ配置し、コアを守ります。\nデュオには、コンベアからの \uf838 [accent]弾丸[] が必要です。 +gz.lead = :lead: [accent]鉛[] も一般的に使用される素材です。\nドリルを配置して鉛を採掘しましょう。 +gz.moveup = :up: さらなる目的のために上に移動しましょう。 +gz.turrets = :duo: [accent]デュオ[] を研究して二つ配置し、コアを守ります。\nデュオには、コンベアからの \uf838 [accent]弾丸[] が必要です。 gz.duoammo = コンベアを使ってデュオに[accent]銅[]を供給してください。 -gz.walls = [accent]壁[]は建物に対するダメージを防ぐことができます。\nタレットの周りに\uf8ae [accent]銅の壁[]を配置しましょう。 +gz.walls = [accent]壁[]は建物に対するダメージを防ぐことができます。\nタレットの周りに:copper-wall: [accent]銅の壁[]を配置しましょう。 gz.defend = 敵が迫ってきました、防御する準備をしてください。 -gz.aa = 飛行ユニットは、標準のタレットでは簡単には倒せません。\n\uf860 [accent]スキャッター[] は優れた対空防衛を実現できますが、弾丸として \uf837 [accent]鉛[] が必要です。 +gz.aa = 飛行ユニットは、標準のタレットでは簡単には倒せません。\n:scatter: [accent]スキャッター[] は優れた対空防衛を実現できますが、弾丸として :lead: [accent]鉛[] が必要です。 gz.scatterammo = コンベアを使って、[accent]鉛[]をスキャッターに供給してください。 gz.supplyturret = [accent]タレットへの供給 gz.zone1 = ここは敵の出現ポイント。 gz.zone2 = ウェーブが始まると、円の中に構築されたものはすべて破壊されます。 gz.zone3 = もうすぐウェーブが始まります。\n準備をしてください。 gz.finish = より多くのタレットを建設し、より多くの資源を採掘し、\nすべてのウェーブから防御して[accent]セクターを占領[]してください。 -onset.mine = クリックして \uf748 [accent]ベリリウム[] を壁から採掘しましょう。\n\n移動するには [accent][[WASD] を使用してください。 -onset.mine.mobile = 壁から\uf748 [accent]ベリリウム[]を採掘するにはタップしてください。 -onset.research = \ue875 技術ツリーを開きます。\n \uf73e [accent]タービンコンデンサー[] を研究し、ジェットホールに配置しましょう。\nこれにより [accent]電力[] が生成されます。 -onset.bore = \uf741 [accent]プラズマ掘り[]を研究して配置しましょう。\nこれにより、壁から素材が自動的に採掘されます。 -onset.power = プラズマ掘りに[accent]給電[]するには、\uf73d [accent]ビームノード[]を研究して配置します。\nタービンコンデンサーをプラズマ掘りに接続します。 -onset.ducts = \uf799 [accent]ダクト[]を研究して配置し、採掘した資源をプラズマ掘りからコアに移しましょう。\nドラッグして複数のダクトを配置します。\n[accent]マウスホイールをスクロール[]して向きを変更します。 -onset.ducts.mobile = \uf799 [accent]ダクト[] を研究して配置し、採掘した資源をプラズマ掘りからコアに移しましょう。\n\n長押し&ドラッグして、複数のダクトを配置します。 +onset.mine = クリックして :beryllium: [accent]ベリリウム[] を壁から採掘しましょう。\n\n移動するには [accent][[WASD] を使用してください。 +onset.mine.mobile = 壁から:beryllium: [accent]ベリリウム[]を採掘するにはタップしてください。 +onset.research = :tree: 技術ツリーを開きます。\n :turbine-condenser: [accent]タービンコンデンサー[] を研究し、ジェットホールに配置しましょう。\nこれにより [accent]電力[] が生成されます。 +onset.bore = :plasma-bore: [accent]プラズマ掘り[]を研究して配置しましょう。\nこれにより、壁から素材が自動的に採掘されます。 +onset.power = プラズマ掘りに[accent]給電[]するには、:beam-node: [accent]ビームノード[]を研究して配置します。\nタービンコンデンサーをプラズマ掘りに接続します。 +onset.ducts = :duct: [accent]ダクト[]を研究して配置し、採掘した資源をプラズマ掘りからコアに移しましょう。\nドラッグして複数のダクトを配置します。\n[accent]マウスホイールをスクロール[]して向きを変更します。 +onset.ducts.mobile = :duct: [accent]ダクト[] を研究して配置し、採掘した資源をプラズマ掘りからコアに移しましょう。\n\n長押し&ドラッグして、複数のダクトを配置します。 onset.moremine = 採掘場所を拡大しましょう。\nさらにプラズマ掘りを配置し、ビームノードとダクトを使用して採掘します。\n200個のベリリウムを採掘しましょう。 -onset.graphite = より高度なブロックには \uf835 [accent]黒鉛[] が必要です。\n黒鉛を採掘するためにプラズマ掘りを配置します。 -onset.research2 = [accent]工場[]の研究を始めましょう。\n\uf74d [accent]クリフ掘削機[]と\uf779 [accent]シリコン放電炉[]を研究してください。 -onset.arcfurnace = シリコン放電炉で \uf82f [accent]シリコン[] を作成するには、\uf834 [accent]砂[] と \uf835 [accent]黒鉛[] が必要です。\n[accent]電力[] も必要です。 -onset.crusher = \uf74d [accent]クリフ掘削機[]を使って砂を採掘しましょう。 -onset.fabricator = [accent]ユニット[]を使ってマップを探索し、建物を守り、敵を攻撃してください。 \uf6a2 [accent]戦車工場[]を研究して配置します。 +onset.graphite = より高度なブロックには :graphite: [accent]黒鉛[] が必要です。\n黒鉛を採掘するためにプラズマ掘りを配置します。 +onset.research2 = [accent]工場[]の研究を始めましょう。\n:cliff-crusher: [accent]クリフ掘削機[]と:silicon-arc-furnace: [accent]シリコン放電炉[]を研究してください。 +onset.arcfurnace = シリコン放電炉で :silicon: [accent]シリコン[] を作成するには、:sand: [accent]砂[] と :graphite: [accent]黒鉛[] が必要です。\n[accent]電力[] も必要です。 +onset.crusher = :cliff-crusher: [accent]クリフ掘削機[]を使って砂を採掘しましょう。 +onset.fabricator = [accent]ユニット[]を使ってマップを探索し、建物を守り、敵を攻撃してください。 :tank-fabricator: [accent]戦車工場[]を研究して配置します。 onset.makeunit = ユニットを生産します。\n[[?]を使用します。ボタンをクリックして、選択した工場の概要を確認します。 -onset.turrets = ユニットは効果的ですが、[accent]タレット[] は効果的に使用すればより優れた防御能力を提供します。\n\uf6eb [accent]ブリーチ[] を配置します。\nタレットには \uf748 [accent]弾丸[] が必要です。 +onset.turrets = ユニットは効果的ですが、[accent]タレット[] は効果的に使用すればより優れた防御能力を提供します。\n:breach: [accent]ブリーチ[] を配置します。\nタレットには :beryllium: [accent]弾丸[] が必要です。 onset.turretammo = タレットに[accent]ベリリウム弾[]を供給してください。 -onset.walls = [accent]壁[]は建物に対するダメージを防ぐことができます。\n砲台の周囲に \uf6ee [accent]ベリリウムの壁[] をいくつか配置しましょう。 +onset.walls = [accent]壁[]は建物に対するダメージを防ぐことができます。\n砲台の周囲に :beryllium-wall: [accent]ベリリウムの壁[] をいくつか配置しましょう。 onset.enemies = 敵が迫ってきました、防御する準備をしてください。 onset.defenses = [accent]Set up defenses:[lightgray] {0} onset.attack = 敵は脆弱です。反撃しましょう! -onset.cores = 新しいコアは [accent]コアタイル[] に配置できます。\n新しいコアは前線基地として機能し、リソースインベントリを他のコアと共有します。\n\uf725 コアを配置しましょう。 +onset.cores = 新しいコアは [accent]コアタイル[] に配置できます。\n新しいコアは前線基地として機能し、リソースインベントリを他のコアと共有します。\n:core-bastion: コアを配置しましょう。 onset.detect = 敵は 2 分以内にあなたを見つけます。\n防御、採掘、生産を用意しましょう。 onset.commandmode = [accent]shift[] を押しながら [accent]コマンドモード[] に移行します。\n[accent]左クリック&ドラッグ[] でユニットを選択します。\n[accent]右クリック[] をすると、選択したユニットに移動や攻撃などの命令をします。 onset.commandmode.mobile = [accent]コマンドボタン[] を押して [accent]コマンドモード[] にします。\n長押ししながら [accent]ドラッグ[] でユニットを選択します。\n[accent]タップ[] で選択したユニットに移動や攻撃などの命令をします。 diff --git a/core/assets/bundles/bundle_ko.properties b/core/assets/bundles/bundle_ko.properties index fd1a353b037c..c15b4340871e 100644 --- a/core/assets/bundles/bundle_ko.properties +++ b/core/assets/bundles/bundle_ko.properties @@ -1949,30 +1949,30 @@ hint.respawn = 유닛을 떠나려면 [accent][[V][]를 누르십시오. hint.respawn.mobile = 유닛 혹은 포탑을 조종할 수 있습니다. 유닛을 떠나려면 [accent]왼쪽 위의 아바타를 누르십시오.[] hint.desktopPause = 게임을 일시 정지/재개하기 위해 [accent][[Space][]를 누르십시오. hint.breaking = 블록을 부수려면 [accent]우클릭[]한 후 드래그하십시오. -hint.breaking.mobile = 블록을 부수려면 오른쪽 하단의 \ue817 [accent]망치[]를 눌러 해체 모드를 활성화하십시오.\n\n손가락으로 누른 채로 끌어서 해체 범위를 지정하십시오. +hint.breaking.mobile = 블록을 부수려면 오른쪽 하단의 :hammer: [accent]망치[]를 눌러 해체 모드를 활성화하십시오.\n\n손가락으로 누른 채로 끌어서 해체 범위를 지정하십시오. hint.blockInfo = 블록 정보를 확인하려면, [accent]건설 목록[]에서 블록을 선택한 후 오른쪽의 [accent][[?][] 버튼을 누르십시오. hint.derelict = [accent]버려진[] 구조물은 더 이상 작동하지 않는 오래된 기지의 부서진 잔해입니다.\n\n이 구조물은 [accent]철거[]하여 자원을 얻을 수 있습니다. -hint.research = 새 기술을 연구하려면 \ue875 [accent]연구[]버튼을 누르십시오. -hint.research.mobile = 새 기술을 연구하려면 \ue88c [accent]메뉴[] 아래의 \ue875 [accent]연구[]버튼을 누르십시오. +hint.research = 새 기술을 연구하려면 :tree: [accent]연구[]버튼을 누르십시오. +hint.research.mobile = 새 기술을 연구하려면 :menu: [accent]메뉴[] 아래의 :tree: [accent]연구[]버튼을 누르십시오. hint.unitControl = 아군 유닛과 포탑을 조종하려면 [accent][[왼쪽 ctrl][]을 누른 채로 [accent]클릭[] 하십시오. hint.unitControl.mobile = 아군 유닛과 포탑을 조종하려면 해당 개체를 [accent]빠르게 두 번 누르십시오[]. hint.unitSelectControl = 유닛을 조종하려면, [accent]왼쪽 shift[]를 눌러 [accent]명령 모드[]를 활성화하시오.\n명령 모드가 활성화되어 있을 때 누르거나 끌어서 유닛을 선택합니다. [accent]우클릭[]으로 유닛에게 이동과 공격을 명령할 수 있습니다. hint.unitSelectControl.mobile = 유닛을 조종하려면, 왼쪽 아래에 있는 [accent]명령[]을 눌러 [accent]명령 모드[]를 활성화하시오.\n명령 모드가 활성화되어 있을 때 길게 누르거나 끌어서 유닛을 선택합니다. 눌러서 유닛에게 이동과 공격을 명령할 수 있습니다. -hint.launch = 충분한 자원을 모았으면, 오른쪽 아래의 \ue827 [accent]지도[]에서 주변 지역을 선택해서 [accent]출격[]할 수 있습니다. -hint.launch.mobile = 충분한 자원을 모았으면, 오른쪽 아래의 \ue88c [accent]메뉴[]에 있는 \ue827 [accent]지도[]에서 주변 지역을 선택해서 [accent]출격[]할 수 있습니다. +hint.launch = 충분한 자원을 모았으면, 오른쪽 아래의 :map: [accent]지도[]에서 주변 지역을 선택해서 [accent]출격[]할 수 있습니다. +hint.launch.mobile = 충분한 자원을 모았으면, 오른쪽 아래의 :menu: [accent]메뉴[]에 있는 :map: [accent]지도[]에서 주변 지역을 선택해서 [accent]출격[]할 수 있습니다. hint.schematicSelect = [accent][[F][]를 누른 채로 끌어서 복사하고 붙여넣을 블록을 선택하십시오. \n\n [accent][[마우스 휠][]을 누르면 한 개의 블록만 복사할 수 있습니다. hint.rebuildSelect = [accent][[B][]를 누르고 끌어서 파괴된 블록 흔적을 선택하세요.\n선택된 블록은 자동으로 복구됩니다. -hint.rebuildSelect.mobile = 복사버튼 \ue874 을 선택하시고, 재건축 버튼 \ue80f 을 탭 하신 뒤, 드래그 하여 블록 흔적을 선택하세요. 선택된 블록은 자동으로 복구됩니다. +hint.rebuildSelect.mobile = 복사버튼 :copy: 을 선택하시고, 재건축 버튼 :wrench: 을 탭 하신 뒤, 드래그 하여 블록 흔적을 선택하세요. 선택된 블록은 자동으로 복구됩니다. hint.conveyorPathfind = [accent][[왼쪽 Ctrl][]을 누른 채로 컨베이어를 대각선으로 끌면 길을 자동으로 만들어줍니다. -hint.conveyorPathfind.mobile = \ue844 [accent]대각 모드[]를 활성화하고 컨베이어를 대각선으로 끌면 길을 자동으로 찾아줍니다. +hint.conveyorPathfind.mobile = :diagonal: [accent]대각 모드[]를 활성화하고 컨베이어를 대각선으로 끌면 길을 자동으로 찾아줍니다. hint.boost = [accent][[왼쪽 Shift][]를 눌러 탑승한 기체로 장애물을 넘을 수 있습니다. \n\n 일부 지상 유닛만 이륙할 수 있습니다. hint.payloadPickup = 작은 블록이나 기체를 집으려면 [accent][[[]를 누르십시오. hint.payloadPickup.mobile = 작은 블록이나 유닛을 집으려면 [accent]잠깐 누르십시오[]. hint.payloadDrop = 다시 내려놓으려면 [accent]][]를 누르십시오. hint.payloadDrop.mobile = 다시 내려놓으려면 빈 공간에서 [accent]화면을 잠깐 누르십시오[]. hint.waveFire = [accent]파도[] 포탑에 물을 공급하면 주변에 발생한 화재를 자동으로 진압합니다. -hint.generator = \uf879 [accent]화력 발전기[]는 석탄을 태워서 주변 블록에 전력을 전달합니다.\n\n \uf87f 더 넓은 범위의 블록에 전력을 전달하려면 [accent]전력 노드[]를 활용하십시오. -hint.guardian = [accent]수호자[] 유닛은 높은 체력과 방어력을 가졌습니다. [accent]구리[]와 [accent]납[]처럼 약한 탄약으로는 [scarlet]아무런 효과도 없습니다[].\n\n수호자를 제거하려면 높은 단계의 포탑 또는 \uf835 [accent]흑연[]을 탄약으로 넣은 \uf861듀오/\uf859살보를 사용하십시오. +hint.generator = :combustion-generator: [accent]화력 발전기[]는 석탄을 태워서 주변 블록에 전력을 전달합니다.\n\n :power-node: 더 넓은 범위의 블록에 전력을 전달하려면 [accent]전력 노드[]를 활용하십시오. +hint.guardian = [accent]수호자[] 유닛은 높은 체력과 방어력을 가졌습니다. [accent]구리[]와 [accent]납[]처럼 약한 탄약으로는 [scarlet]아무런 효과도 없습니다[].\n\n수호자를 제거하려면 높은 단계의 포탑 또는 :graphite: [accent]흑연[]을 탄약으로 넣은 :duo:듀오/:salvo:살보를 사용하십시오. hint.coreUpgrade = 코어는 [accent]상위 코어를 위에 설치[]하여 업그레이드할 수 있습니다.\n\n [accent]기반[] 코어를 [accent]조각[] 코어 위에 설치하십시오. 주변에 장애물이 없는지 확인하십시오. hint.presetLaunch = [accent]얼어붙은 숲[]과 같은 회색[accent]캠페인 지역[]은 어디에서나 출격해서 올 수 있습니다. 주변 지역을 점령하지 않아도 됩니다.\n\n이와 같은 [accent]네임드 지역[]들은 [accent]선택적[]입니다. hint.presetDifficulty = 이 지역은 [scarlet]위험도가 높은[] 지역입니다.\n적절한 기술과 준비 없이 이런 지역들로 출격하는건 [accent]추천하지 않습니다[]. @@ -1980,20 +1980,20 @@ hint.coreIncinerate = 코어가 자원으로 가득 찬 후에 받는 모든 자 hint.factoryControl = 유닛 공장의 [accent]출력 목적지[]를 설정하려면, 명령 모드에서 공장 블록을 클릭한 다음, 마우스 오른쪽 버튼으로 위치를 지정합니다.\n생산된 유닛은 자동으로 그곳으로 이동합니다. hint.factoryControl.mobile = 유닛 공장의 [accent]출력 목적지[]를 설정하려면, 명령 모드에서 공장 블록을 클릭한 다음, 눌러서 위치를 지정합니다.\n생산된 유닛은 자동으로 그곳으로 이동합니다. -gz.mine = 주변 땅에 있는 \uf8c4 [accent]구리 광석[]으로 이동하고, 광석을 클릭해서 채굴을 시작하세요. -gz.mine.mobile = 주변 땅에 있는 \uf8c4 [accent]구리 광석[]으로 이동하고, 광석을 눌러서 채굴을 시작하세요. -gz.research = 오른쪽 하단에 \ue875 연구 기록을 클릭하거나 [J]키를 눌러 여세요.\n\uf870 [accent]기계식 드릴[]을 연구하고, 그 후 연구 기록을 닫아서 오른쪽 아래에 있는 메뉴에서 해당 드릴을 선택하세요.\n구리 광석 위에 클릭해서 배치합니다.\n(만약 바로 건설되는게 불편하다면, 설정에서 건설 자동 일시정지를 킬 수 있습니다.)[] -gz.research.mobile = 왼쪽 상단에 \ue875 연구 기록을 눌러 여세요.\n\uf870 [accent]기계식 드릴[]을 연구하고, 그 후 연구 메뉴를 닫아서 오른쪽 아래에 있는 블록 메뉴에서 해당 드릴을 선택하세요.\n구리 광석 위에 눌러서 배치합니다.\n\n오른쪽 아래 \ue800 [accent]체크마크[]를 눌러 확정지으세요. -gz.conveyors = \uf896 이제 연구 기록을 다시 열어 [accent]컨베이어[]를 연구하고 배치하여 채굴된 자원을 운반하세요.\n드릴에서 코어로 말이죠.\n\n컨베이어를 선택하고, 클릭하고 드래그해서 컨베이어를 길게 배치하세요.\n[accent]스크롤[]로 방향을 회전할 수 있습니다. -gz.conveyors.mobile = \uf896 이제 연구 기록을 다시 열어 [accent]컨베이어[]를 연구하고 배치하여 채굴된 자원을 운반하세요.\n드릴에서 코어로 말이죠.\n\n손가락을 길게 누르고 끌어서 컨베이어를 길게 배치하세요. +gz.mine = 주변 땅에 있는 :ore-copper: [accent]구리 광석[]으로 이동하고, 광석을 클릭해서 채굴을 시작하세요. +gz.mine.mobile = 주변 땅에 있는 :ore-copper: [accent]구리 광석[]으로 이동하고, 광석을 눌러서 채굴을 시작하세요. +gz.research = 오른쪽 하단에 :tree: 연구 기록을 클릭하거나 [J]키를 눌러 여세요.\n:mechanical-drill: [accent]기계식 드릴[]을 연구하고, 그 후 연구 기록을 닫아서 오른쪽 아래에 있는 메뉴에서 해당 드릴을 선택하세요.\n구리 광석 위에 클릭해서 배치합니다.\n(만약 바로 건설되는게 불편하다면, 설정에서 건설 자동 일시정지를 킬 수 있습니다.)[] +gz.research.mobile = 왼쪽 상단에 :tree: 연구 기록을 눌러 여세요.\n:mechanical-drill: [accent]기계식 드릴[]을 연구하고, 그 후 연구 메뉴를 닫아서 오른쪽 아래에 있는 블록 메뉴에서 해당 드릴을 선택하세요.\n구리 광석 위에 눌러서 배치합니다.\n\n오른쪽 아래 \ue800 [accent]체크마크[]를 눌러 확정지으세요. +gz.conveyors = :conveyor: 이제 연구 기록을 다시 열어 [accent]컨베이어[]를 연구하고 배치하여 채굴된 자원을 운반하세요.\n드릴에서 코어로 말이죠.\n\n컨베이어를 선택하고, 클릭하고 드래그해서 컨베이어를 길게 배치하세요.\n[accent]스크롤[]로 방향을 회전할 수 있습니다. +gz.conveyors.mobile = :conveyor: 이제 연구 기록을 다시 열어 [accent]컨베이어[]를 연구하고 배치하여 채굴된 자원을 운반하세요.\n드릴에서 코어로 말이죠.\n\n손가락을 길게 누르고 끌어서 컨베이어를 길게 배치하세요. gz.drills = 채굴 작업을 확장하세요.\n기계식 드릴을 더 배치하세요.\n[accent]새 목표:[] 드릴로 구리를 채굴하고 컨베이어를 이용해 [accent]구리 100개[]를 코어로 운반하기. -gz.lead = \uf837 [accent]납[]은 일반적으로 사용되는 또 다른 자원입니다.\n납을 채굴하기 위한 드릴을 건설하세요. -gz.moveup = \ue804 추가 목표를 위해 위로 이동하세요. -gz.turrets = 연구하는 방법은 얼추 익히셨다고 생각하니 이제 이 게임의 핵심인 '코어'를 보호하기 위해 \uf861 [accent]듀오[] 포탑을 연구하고 2개를 설치하세요.\n듀오 포탑은 컨베이어로부터 \uf838 [accent]탄약[]을 공급받아야 합니다. +gz.lead = :lead: [accent]납[]은 일반적으로 사용되는 또 다른 자원입니다.\n납을 채굴하기 위한 드릴을 건설하세요. +gz.moveup = :up: 추가 목표를 위해 위로 이동하세요. +gz.turrets = 연구하는 방법은 얼추 익히셨다고 생각하니 이제 이 게임의 핵심인 '코어'를 보호하기 위해 :duo: [accent]듀오[] 포탑을 연구하고 2개를 설치하세요.\n듀오 포탑은 컨베이어로부터 \uf838 [accent]탄약[]을 공급받아야 합니다. gz.duoammo = 컨베이어를 활용하여, 듀오 포탑에 [accent]구리[]를 공급하세요. -gz.walls = [accent]벽[]은 건물로 날아오는 공격을 막을 수 있습니다. \n포탑 주변에 \uf8ae [accent]구리 벽[]을 배치하세요. +gz.walls = [accent]벽[]은 건물로 날아오는 공격을 막을 수 있습니다. \n포탑 주변에 :copper-wall: [accent]구리 벽[]을 배치하세요. gz.defend = 적이 다가옵니다, 방어 태세를 갖추세요. -gz.aa = 비행 유닛은 기본 포탑으로는 쉽게 처리할 수 없습니다.\n\uf860 [accent]스캐터[] 포탑은 훌륭한 대공 방어를 자랑하지만, 탄환으로 \uf837 [accent]납[]이 필요합니다. +gz.aa = 비행 유닛은 기본 포탑으로는 쉽게 처리할 수 없습니다.\n:scatter: [accent]스캐터[] 포탑은 훌륭한 대공 방어를 자랑하지만, 탄환으로 :lead: [accent]납[]이 필요합니다. gz.scatterammo = 컨베이어를 활용하여,스캐터 포탑에 [accent]납[]을 공급하세요. gz.supplyturret = [accent]보급 포탑 gz.zone1 = 이건 적의 착륙 지점입니다. @@ -2001,27 +2001,27 @@ gz.zone2 = 반경에 세워진 모든 것은 단계가 시작되면 파괴됩니 gz.zone3 = 단계가 지금 시작됩니다.\n준비하세요. gz.finish = 포탑을 더 건설하고, 자원을 더 채굴하고,\n그리고 모든 단계를 막아내어 [accent]지역을 점령[]하세요. 이것으로 튜토리얼을 마칩니다. 행운을 빕니다. -onset.mine = 벽에 붙어있는 \uf748 [accent]베릴륨[]을 클릭하여 채굴하세요.\n\n[accent][WASD]로 움직이세요. -onset.mine.mobile = 벽에 붙어있는 \uf748 [accent]베릴륨[]을 눌러서 채굴하세요. -onset.research = \ue875 연구 기록을 여세요.\n \uf73e [accent]터빈 응결기[]를 연구하고, 연구 기록을 다시 닫은 다음, 구덩이 위에 배치하세요.\n[accent]전력[]을 생산합니다. -onset.bore = 다시 연구 기록을 열어 \uf741 [accent]플라즈마 채광기[]를 연구하고 배치하세요.\n벽으로부터 자동으로 자원을 채굴합니다. -onset.power = [accent]전력[]을 플라즈마 채광기로 전달하기 위해선, \uf73d [accent]빔 노드[]를 연구하고 배치하세요.\n터빈 응결기와 플라즈마 채광기를 연결하세요. -onset.ducts = \uf799 [accent]도관[]을 연구하고 배치하여 플라즈마 채광기에서 채굴한 자원을 코어로 운반하세요.\n클릭하고 끌어서 도관을 길게 연결하세요.\n[accent]스크롤해서[]해서 방향을 회전할 수 있습니다. -onset.ducts.mobile = \uf799 [accent]도관[]을 연구하고 배치하여 플라즈마 채광기에서 채굴한 자원을 코어로 운반하세요.\n손가락을 길게 누르고 끌어서 도관을 길게 연결하세요. +onset.mine = 벽에 붙어있는 :beryllium: [accent]베릴륨[]을 클릭하여 채굴하세요.\n\n[accent][WASD]로 움직이세요. +onset.mine.mobile = 벽에 붙어있는 :beryllium: [accent]베릴륨[]을 눌러서 채굴하세요. +onset.research = :tree: 연구 기록을 여세요.\n :turbine-condenser: [accent]터빈 응결기[]를 연구하고, 연구 기록을 다시 닫은 다음, 구덩이 위에 배치하세요.\n[accent]전력[]을 생산합니다. +onset.bore = 다시 연구 기록을 열어 :plasma-bore: [accent]플라즈마 채광기[]를 연구하고 배치하세요.\n벽으로부터 자동으로 자원을 채굴합니다. +onset.power = [accent]전력[]을 플라즈마 채광기로 전달하기 위해선, :beam-node: [accent]빔 노드[]를 연구하고 배치하세요.\n터빈 응결기와 플라즈마 채광기를 연결하세요. +onset.ducts = :duct: [accent]도관[]을 연구하고 배치하여 플라즈마 채광기에서 채굴한 자원을 코어로 운반하세요.\n클릭하고 끌어서 도관을 길게 연결하세요.\n[accent]스크롤해서[]해서 방향을 회전할 수 있습니다. +onset.ducts.mobile = :duct: [accent]도관[]을 연구하고 배치하여 플라즈마 채광기에서 채굴한 자원을 코어로 운반하세요.\n손가락을 길게 누르고 끌어서 도관을 길게 연결하세요. onset.moremine = 채굴 작업을 확장하세요.\n더 많은 플라즈마 채광기를 배치하고 빔 노드와 도관을 사용하여 보조하세요.\n베릴륨 200개 채굴하기. -onset.graphite = 더 복잡한 건물은 \uf835 [accent]흑연[]이 필요합니다.\n흑연을 채굴하는 플라즈마 채광기를 배치하세요. -onset.research2 = [accent]공장[]을 연구할 시간입니다.\n \uf74d [accent]벽 분쇄기[]와 \uf779 [accent]실리콘 아크 화로[]를 연구하세요. -onset.arcfurnace = 아크 화로는 \uf834 [accent]모래[]와 \uf835 [accent]흑연[]을 가공하여 \uf82f [accent]실리콘[]을 생산합니다.\n[accent]전력[] 또한 필수입니다. -onset.crusher = \uf74d [accent]벽 분쇄기[]를 사용하여 모래를 채굴하세요. -onset.fabricator = [accent]유닛[]은 맵을 정찰하거나, 건물을 보호하거나, 적을 공격할 때 활용할 수 있습니다. \uf6a2 [accent]전차 재조립기[]를 연구하고 배치하세요. +onset.graphite = 더 복잡한 건물은 :graphite: [accent]흑연[]이 필요합니다.\n흑연을 채굴하는 플라즈마 채광기를 배치하세요. +onset.research2 = [accent]공장[]을 연구할 시간입니다.\n :cliff-crusher: [accent]벽 분쇄기[]와 :silicon-arc-furnace: [accent]실리콘 아크 화로[]를 연구하세요. +onset.arcfurnace = 아크 화로는 :sand: [accent]모래[]와 :graphite: [accent]흑연[]을 가공하여 :silicon: [accent]실리콘[]을 생산합니다.\n[accent]전력[] 또한 필수입니다. +onset.crusher = :cliff-crusher: [accent]벽 분쇄기[]를 사용하여 모래를 채굴하세요. +onset.fabricator = [accent]유닛[]은 맵을 정찰하거나, 건물을 보호하거나, 적을 공격할 때 활용할 수 있습니다. :tank-fabricator: [accent]전차 재조립기[]를 연구하고 배치하세요. onset.makeunit = 유닛을 생산하세요.\n"?" 버튼을 눌러 선택한 공장의 요구사항을 확인할 수 있습니다. -onset.turrets = 유닛은 유용하지만, [accent]포탑[]은 사용하기에 따라 더 나은 방어 성능을 보여줍니다.\n \uf6eb [accent]브리치[] 포탑을 배치하세요.\n포탑은 \uf748 [accent]탄약[]이 필요합니다. +onset.turrets = 유닛은 유용하지만, [accent]포탑[]은 사용하기에 따라 더 나은 방어 성능을 보여줍니다.\n :breach: [accent]브리치[] 포탑을 배치하세요.\n포탑은 :beryllium: [accent]탄약[]이 필요합니다. onset.turretammo = 포탑에 [accent]베릴륨 탄약[]을 공급하세요. -onset.walls = [accent]벽[]은 건물로 날아오는 공격을 막을 수 있습니다. \n포탑 주변에 \uf6ee [accent]베릴륨 벽[]을 배치하세요. +onset.walls = [accent]벽[]은 건물로 날아오는 공격을 막을 수 있습니다. \n포탑 주변에 :beryllium-wall: [accent]베릴륨 벽[]을 배치하세요. onset.enemies = 적이 다가옵니다, 방어 태세를 갖추세요. onset.defenses = [accent]방어 태세 갖추기:[lightgray] {0} onset.attack = 적은 취약한 상태입니다. 반격하세요. -onset.cores = 새로운 코어는 [accent]코어 타일[]위에 배치할 수 있습니다.\n새로운 코어는 전진기지 역할을 하며 다른 코어와 저장된 자원을 공유합니다.\n \uf725 코어를 배치하세요. +onset.cores = 새로운 코어는 [accent]코어 타일[]위에 배치할 수 있습니다.\n새로운 코어는 전진기지 역할을 하며 다른 코어와 저장된 자원을 공유합니다.\n :core-bastion: 코어를 배치하세요. onset.detect = 적은 2분 이내에 당신을 탐지할 것입니다.\n생산, 채굴, 방어시설을 구성하세요. onset.commandmode = [accent]shift[]를 눌러 [accent]명령 모드[]를 활성화하세요.\n[accent]좌클릭과 드래그[]로 유닛을 선택하세요.\n[accent]우클릭[]으로 선택된 유닛들에게 이동 또는 공격 명령을 내리세요. onset.commandmode.mobile = [accent]명령 버튼[]을 눌러 [accent]명령 모드[]를 활성화하세요.\n손가락을 꾹 누르고, [accent]드래그[]해서 유닛을 선택하세요.\n[accent]눌러서[] 선택된 유닛들에게 이동 또는 공격 명령을 내리세요. 이것으로 에르키아의 튜토리얼을 마칩니다. 행운을 빕니다. diff --git a/core/assets/bundles/bundle_lt.properties b/core/assets/bundles/bundle_lt.properties index a7fd3aadbc78..4521b2d128a2 100644 --- a/core/assets/bundles/bundle_lt.properties +++ b/core/assets/bundles/bundle_lt.properties @@ -1910,77 +1910,77 @@ hint.respawn = To respawn as a ship, press [accent][[V][]. hint.respawn.mobile = You have switched control to a unit/structure. To respawn as a ship, [accent]tap the avatar in the top left.[] hint.desktopPause = Press [accent][[Space][] to pause and unpause the game. hint.breaking = [accent]Right-click[] and drag to break blocks. -hint.breaking.mobile = Activate the \ue817 [accent]hammer[] in the bottom right and tap to break blocks.\n\nHold down your finger for a second and drag to break in a selection. +hint.breaking.mobile = Activate the :hammer: [accent]hammer[] in the bottom right and tap to break blocks.\n\nHold down your finger for a second and drag to break in a selection. hint.blockInfo = View information of a block by selecting it in the [accent]build menu[], then selecting the [accent][[?][] button at the right. hint.derelict = [accent]Derelict[] structures are broken remnants of old bases that no longer function.\n\nThese structures can be [accent]deconstructed[] for resources. -hint.research = Use the \ue875 [accent]Research[] button to research new technology. -hint.research.mobile = Use the \ue875 [accent]Research[] button in the \ue88c [accent]Menu[] to research new technology. +hint.research = Use the :tree: [accent]Research[] button to research new technology. +hint.research.mobile = Use the :tree: [accent]Research[] button in the :menu: [accent]Menu[] to research new technology. hint.unitControl = Hold [accent][[L-ctrl][] and [accent]click[] to control friendly units or turrets. hint.unitControl.mobile = [accent][[Double-tap][] to control friendly units or turrets. hint.unitSelectControl = To control units, enter [accent]command mode[] by holding [accent]L-shift.[]\nWhile in command mode, click and drag to select units. [accent]Right-click[] a location or target to command units there. hint.unitSelectControl.mobile = To control units, enter [accent]command mode[] by pressing the [accent]command[] button in the bottom left.\nWhile in command mode, long-press and drag to select units. Tap a location or target to command units there. -hint.launch = Once enough resources are collected, you can [accent]Launch[] by selecting nearby sectors from the \ue827 [accent]Map[] in the bottom right. -hint.launch.mobile = Once enough resources are collected, you can [accent]Launch[] by selecting nearby sectors from the \ue827 [accent]Map[] in the \ue88c [accent]Menu[]. +hint.launch = Once enough resources are collected, you can [accent]Launch[] by selecting nearby sectors from the :map: [accent]Map[] in the bottom right. +hint.launch.mobile = Once enough resources are collected, you can [accent]Launch[] by selecting nearby sectors from the :map: [accent]Map[] in the :menu: [accent]Menu[]. hint.schematicSelect = Hold [accent][[F][] and drag to select blocks to copy and paste.\n\n[accent][[Middle Click][] to copy a single block type. hint.rebuildSelect = Hold [accent][[B][] and drag to select destroyed block plans.\nThis will rebuild them automatically. -hint.rebuildSelect.mobile = Select the \ue874 copy button, then tap the \ue80f rebuild button and drag to select destroyed block plans.\nThis will rebuild them automatically. +hint.rebuildSelect.mobile = Select the :copy: copy button, then tap the :wrench: rebuild button and drag to select destroyed block plans.\nThis will rebuild them automatically. hint.conveyorPathfind = Hold [accent][[L-Ctrl][] while dragging conveyors to automatically generate a path. -hint.conveyorPathfind.mobile = Enable \ue844 [accent]diagonal mode[] and drag conveyors to automatically generate a path. +hint.conveyorPathfind.mobile = Enable :diagonal: [accent]diagonal mode[] and drag conveyors to automatically generate a path. hint.boost = Hold [accent][[L-Shift][] to fly over obstacles with your current unit.\n\nOnly a few ground units have boosters. hint.payloadPickup = Press [accent][[[] to pick up small blocks or units. hint.payloadPickup.mobile = [accent]Tap and hold[] a small block or unit to pick it up. hint.payloadDrop = Press [accent]][] to drop a payload. hint.payloadDrop.mobile = [accent]Tap and hold[] an empty location to drop a payload there. hint.waveFire = [accent]Wave[] turrets with water as ammunition will automatically put out nearby fires. -hint.generator = \uf879 [accent]Combustion Generators[] burn coal and transmit power to adjacent blocks.\n\nPower transmission range can be extended with \uf87f [accent]Power Nodes[]. -hint.guardian = [accent]Guardian[] units are armored. Weak ammo such as [accent]Copper[] and [accent]Lead[] is [scarlet]not effective[].\n\nUse higher tier turrets or \uf835 [accent]Graphite[] \uf861Duo/\uf859Salvo ammunition to take Guardians down. -hint.coreUpgrade = Cores can be upgraded by [accent]placing higher-tier cores over them[].\n\nPlace a \uf868 [accent]Foundation[] core over the \uf869 [accent]Shard[] core. Make sure it is free from nearby obstructions. +hint.generator = :combustion-generator: [accent]Combustion Generators[] burn coal and transmit power to adjacent blocks.\n\nPower transmission range can be extended with :power-node: [accent]Power Nodes[]. +hint.guardian = [accent]Guardian[] units are armored. Weak ammo such as [accent]Copper[] and [accent]Lead[] is [scarlet]not effective[].\n\nUse higher tier turrets or :graphite: [accent]Graphite[] :duo:Duo/:salvo:Salvo ammunition to take Guardians down. +hint.coreUpgrade = Cores can be upgraded by [accent]placing higher-tier cores over them[].\n\nPlace a :core-foundation: [accent]Foundation[] core over the :core-shard: [accent]Shard[] core. Make sure it is free from nearby obstructions. hint.presetLaunch = Gray [accent]landing zone sectors[], such as [accent]Frozen Forest[], can be launched to from anywhere. They do not require capture of nearby territory.\n\n[accent]Numbered sectors[], such as this one, are [accent]optional[]. hint.presetDifficulty = This sector has a [scarlet]high enemy threat level[].\nLaunching to such sectors is [accent]not recommended[] without proper technology and preparation. hint.coreIncinerate = After the core is filled to capacity with an item, any extra items of that type it receives will be [accent]incinerated[]. hint.factoryControl = To set a unit factory's [accent]output destination[], click a factory block while in command mode, then right-click a location.\nUnits produced by it will automatically move there. hint.factoryControl.mobile = To set a unit factory's [accent]output destination[], tap a factory block while in command mode, then tap a location.\nUnits produced by it will automatically move there. -gz.mine = Move near the \uf8c4 [accent]copper ore[] on the ground and click to begin mining. -gz.mine.mobile = Move near the \uf8c4 [accent]copper ore[] on the ground and tap it to begin mining. -gz.research = Open the \ue875 tech tree.\nResearch the \uf870 [accent]Mechanical Drill[], then select it from the menu in the bottom right.\nClick on a copper patch to place it. -gz.research.mobile = Open the \ue875 tech tree.\nResearch the \uf870 [accent]Mechanical Drill[], then select it from the menu in the bottom right.\nTap on a copper patch to place it.\n\nPress the \ue800 [accent]checkmark[] at the bottom right to confirm. -gz.conveyors = Research and place \uf896 [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nClick and drag to place multiple conveyors.\n[accent]Scroll[] to rotate. -gz.conveyors.mobile = Research and place \uf896 [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nHold down your finger for a second and drag to place multiple conveyors. +gz.mine = Move near the :ore-copper: [accent]copper ore[] on the ground and click to begin mining. +gz.mine.mobile = Move near the :ore-copper: [accent]copper ore[] on the ground and tap it to begin mining. +gz.research = Open the :tree: tech tree.\nResearch the :mechanical-drill: [accent]Mechanical Drill[], then select it from the menu in the bottom right.\nClick on a copper patch to place it. +gz.research.mobile = Open the :tree: tech tree.\nResearch the :mechanical-drill: [accent]Mechanical Drill[], then select it from the menu in the bottom right.\nTap on a copper patch to place it.\n\nPress the \ue800 [accent]checkmark[] at the bottom right to confirm. +gz.conveyors = Research and place :conveyor: [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nClick and drag to place multiple conveyors.\n[accent]Scroll[] to rotate. +gz.conveyors.mobile = Research and place :conveyor: [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nHold down your finger for a second and drag to place multiple conveyors. gz.drills = Expand the mining operation.\nPlace more Mechanical Drills.\nMine 100 copper. -gz.lead = \uf837 [accent]Lead[] is another commonly used resource.\nSet up drills to mine lead. -gz.moveup = \ue804 Move up for further objectives. -gz.turrets = Research and place 2 \uf861 [accent]Duo[] turrets to defend the core.\nDuo turrets require \uf838 [accent]ammo[] from conveyors. +gz.lead = :lead: [accent]Lead[] is another commonly used resource.\nSet up drills to mine lead. +gz.moveup = :up: Move up for further objectives. +gz.turrets = Research and place 2 :duo: [accent]Duo[] turrets to defend the core.\nDuo turrets require \uf838 [accent]ammo[] from conveyors. gz.duoammo = Supply the Duo turrets with [accent]copper[], using conveyors. -gz.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace \uf8ae [accent]copper walls[] around the turrets. +gz.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace :copper-wall: [accent]copper walls[] around the turrets. gz.defend = Enemy incoming, prepare to defend. -gz.aa = Flying units cannot easily be dispatched with standard turrets.\n\uf860 [accent]Scatter[] turrets provide excellent anti-air, but require \uf837 [accent]lead[] as ammo. +gz.aa = Flying units cannot easily be dispatched with standard turrets.\n:scatter: [accent]Scatter[] turrets provide excellent anti-air, but require :lead: [accent]lead[] as ammo. gz.scatterammo = Supply the Scatter turret with [accent]lead[], using conveyors. gz.supplyturret = [accent]Supply Turret gz.zone1 = This is the enemy drop zone. gz.zone2 = Anything built in the radius is destroyed when a wave starts. gz.zone3 = A wave will begin now.\nGet ready. gz.finish = Build more turrets, mine more resources,\nand defend against all the waves to [accent]capture the sector[]. -onset.mine = Click to mine \uf748 [accent]beryllium[] from walls.\n\nUse [accent][[WASD] to move. -onset.mine.mobile = Tap to mine \uf748 [accent]beryllium[] from walls. -onset.research = Open the \ue875 tech tree.\nResearch, then place a \uf73e [accent]turbine condenser[] on the vent.\nThis will generate [accent]power[]. -onset.bore = Research and place a \uf741 [accent]plasma bore[].\nThis automatically mines resources from walls. -onset.power = To [accent]power[] the plasma bore, research and place a \uf73d [accent]beam node[].\nConnect the turbine condenser to the plasma bore. -onset.ducts = Research and place \uf799 [accent]ducts[] to move the mined resources from the plasma bore to the core.\nClick and drag to place multiple ducts.\n[accent]Scroll[] to rotate. -onset.ducts.mobile = Research and place \uf799 [accent]ducts[] to move the mined resources from the plasma bore to the core.\n\nHold down your finger for a second and drag to place multiple ducts. +onset.mine = Click to mine :beryllium: [accent]beryllium[] from walls.\n\nUse [accent][[WASD] to move. +onset.mine.mobile = Tap to mine :beryllium: [accent]beryllium[] from walls. +onset.research = Open the :tree: tech tree.\nResearch, then place a :turbine-condenser: [accent]turbine condenser[] on the vent.\nThis will generate [accent]power[]. +onset.bore = Research and place a :plasma-bore: [accent]plasma bore[].\nThis automatically mines resources from walls. +onset.power = To [accent]power[] the plasma bore, research and place a :beam-node: [accent]beam node[].\nConnect the turbine condenser to the plasma bore. +onset.ducts = Research and place :duct: [accent]ducts[] to move the mined resources from the plasma bore to the core.\nClick and drag to place multiple ducts.\n[accent]Scroll[] to rotate. +onset.ducts.mobile = Research and place :duct: [accent]ducts[] to move the mined resources from the plasma bore to the core.\n\nHold down your finger for a second and drag to place multiple ducts. onset.moremine = Expand the mining operation.\nPlace more Plasma Bores and use beam nodes and ducts to support them.\nMine 200 beryllium. -onset.graphite = More complex blocks require \uf835 [accent]graphite[].\nSet up plasma bores to mine graphite. -onset.research2 = Begin researching [accent]factories[].\nResearch the \uf74d [accent]cliff crusher[] and \uf779 [accent]silicon arc furnace[]. -onset.arcfurnace = The arc furnace needs \uf834 [accent]sand[] and \uf835 [accent]graphite[] to create \uf82f [accent]silicon[].\n[accent]Power[] is also required. -onset.crusher = Use \uf74d [accent]cliff crushers[] to mine sand. -onset.fabricator = Use [accent]units[] to explore the map, defend buildings, and attack the enemy. Research and place a \uf6a2 [accent]tank fabricator[]. +onset.graphite = More complex blocks require :graphite: [accent]graphite[].\nSet up plasma bores to mine graphite. +onset.research2 = Begin researching [accent]factories[].\nResearch the :cliff-crusher: [accent]cliff crusher[] and :silicon-arc-furnace: [accent]silicon arc furnace[]. +onset.arcfurnace = The arc furnace needs :sand: [accent]sand[] and :graphite: [accent]graphite[] to create :silicon: [accent]silicon[].\n[accent]Power[] is also required. +onset.crusher = Use :cliff-crusher: [accent]cliff crushers[] to mine sand. +onset.fabricator = Use [accent]units[] to explore the map, defend buildings, and attack the enemy. Research and place a :tank-fabricator: [accent]tank fabricator[]. onset.makeunit = Produce a unit.\nUse the "?" button to see selected factory requirements. -onset.turrets = Units are effective, but [accent]turrets[] provide better defensive capabilities if used effectively.\nPlace a \uf6eb [accent]Breach[] turret.\nTurrets require \uf748 [accent]ammo[]. +onset.turrets = Units are effective, but [accent]turrets[] provide better defensive capabilities if used effectively.\nPlace a :breach: [accent]Breach[] turret.\nTurrets require :beryllium: [accent]ammo[]. onset.turretammo = Supply the turret with [accent]beryllium ammo.[] -onset.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace some \uf6ee [accent]beryllium walls[] around the turret. +onset.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace some :beryllium-wall: [accent]beryllium walls[] around the turret. onset.enemies = Enemy incoming, prepare to defend. onset.defenses = [accent]Set up defenses:[lightgray] {0} onset.attack = The enemy is vulnerable. Counter-attack. -onset.cores = New cores can be placed on [accent]core tiles[].\nNew cores function as forward bases and share a resource inventory with other cores.\nPlace a \uf725 core. +onset.cores = New cores can be placed on [accent]core tiles[].\nNew cores function as forward bases and share a resource inventory with other cores.\nPlace a :core-bastion: core. onset.detect = The enemy will be able to detect you in 2 minutes.\nSet up defenses, mining, and production. onset.commandmode = Hold [accent]shift[] to enter [accent]command mode[].\n[accent]Left-click and drag[] to select units.\n[accent]Right-click[] to order selected units to move or attack. onset.commandmode.mobile = Press the [accent]command button[] to enter [accent]command mode[].\nHold down a finger, then [accent]drag[] to select units.\n[accent]Tap[] to order selected units to move or attack. diff --git a/core/assets/bundles/bundle_nl.properties b/core/assets/bundles/bundle_nl.properties index a46dfcebedd8..bdd3b4bac435 100644 --- a/core/assets/bundles/bundle_nl.properties +++ b/core/assets/bundles/bundle_nl.properties @@ -1923,77 +1923,77 @@ hint.respawn = To respawn as a ship, press [accent][[V][]. hint.respawn.mobile = You have switched control to a unit/structure. To respawn as a ship, [accent]tap the avatar in the top left.[] hint.desktopPause = Press [accent][[Space][] to pause and unpause the game. hint.breaking = [accent]Right-click[] and drag to break blocks. -hint.breaking.mobile = Activate the \ue817 [accent]hammer[] in the bottom right and tap to break blocks.\n\nHold down your finger for a second and drag to break in a selection. +hint.breaking.mobile = Activate the :hammer: [accent]hammer[] in the bottom right and tap to break blocks.\n\nHold down your finger for a second and drag to break in a selection. hint.blockInfo = View information of a block by selecting it in the [accent]build menu[], then selecting the [accent][[?][] button at the right. hint.derelict = [accent]Derelict[] structures are broken remnants of old bases that no longer function.\n\nThese structures can be [accent]deconstructed[] for resources. -hint.research = Use the \ue875 [accent]Research[] button to research new technology. -hint.research.mobile = Use the \ue875 [accent]Research[] button in the \ue88c [accent]Menu[] to research new technology. +hint.research = Use the :tree: [accent]Research[] button to research new technology. +hint.research.mobile = Use the :tree: [accent]Research[] button in the :menu: [accent]Menu[] to research new technology. hint.unitControl = Hold [accent][[L-ctrl][] and [accent]click[] to control friendly units or turrets. hint.unitControl.mobile = [accent][[Double-tap][] to control friendly units or turrets. hint.unitSelectControl = To control units, enter [accent]command mode[] by holding [accent]L-shift.[]\nWhile in command mode, click and drag to select units. [accent]Right-click[] a location or target to command units there. hint.unitSelectControl.mobile = To control units, enter [accent]command mode[] by pressing the [accent]command[] button in the bottom left.\nWhile in command mode, long-press and drag to select units. Tap a location or target to command units there. -hint.launch = Once enough resources are collected, you can [accent]Launch[] by selecting nearby sectors from the \ue827 [accent]Map[] in the bottom right. -hint.launch.mobile = Once enough resources are collected, you can [accent]Launch[] by selecting nearby sectors from the \ue827 [accent]Map[] in the \ue88c [accent]Menu[]. +hint.launch = Once enough resources are collected, you can [accent]Launch[] by selecting nearby sectors from the :map: [accent]Map[] in the bottom right. +hint.launch.mobile = Once enough resources are collected, you can [accent]Launch[] by selecting nearby sectors from the :map: [accent]Map[] in the :menu: [accent]Menu[]. hint.schematicSelect = Hold [accent][[F][] and drag to select blocks to copy and paste.\n\n[accent][[Middle Click][] to copy a single block type. hint.rebuildSelect = Hold [accent][[B][] and drag to select destroyed block plans.\nThis will rebuild them automatically. -hint.rebuildSelect.mobile = Select the \ue874 copy button, then tap the \ue80f rebuild button and drag to select destroyed block plans.\nThis will rebuild them automatically. +hint.rebuildSelect.mobile = Select the :copy: copy button, then tap the :wrench: rebuild button and drag to select destroyed block plans.\nThis will rebuild them automatically. hint.conveyorPathfind = Hold [accent][[L-Ctrl][] while dragging conveyors to automatically generate a path. -hint.conveyorPathfind.mobile = Enable \ue844 [accent]diagonal mode[] and drag conveyors to automatically generate a path. +hint.conveyorPathfind.mobile = Enable :diagonal: [accent]diagonal mode[] and drag conveyors to automatically generate a path. hint.boost = Hold [accent][[L-Shift][] to fly over obstacles with your current unit.\n\nOnly a few ground units have boosters. hint.payloadPickup = Press [accent][[[] to pick up small blocks or units. hint.payloadPickup.mobile = [accent]Tap and hold[] a small block or unit to pick it up. hint.payloadDrop = Press [accent]][] to drop a payload. hint.payloadDrop.mobile = [accent]Tap and hold[] an empty location to drop a payload there. hint.waveFire = [accent]Wave[] turrets with water as ammunition will automatically put out nearby fires. -hint.generator = \uf879 [accent]Combustion Generators[] burn coal and transmit power to adjacent blocks.\n\nPower transmission range can be extended with \uf87f [accent]Power Nodes[]. -hint.guardian = [accent]Guardian[] units are armored. Weak ammo such as [accent]Copper[] and [accent]Lead[] is [scarlet]not effective[].\n\nUse higher tier turrets or \uf835 [accent]Graphite[] \uf861Duo/\uf859Salvo ammunition to take Guardians down. -hint.coreUpgrade = Cores can be upgraded by [accent]placing higher-tier cores over them[].\n\nPlace a \uf868 [accent]Foundation[] core over the \uf869 [accent]Shard[] core. Make sure it is free from nearby obstructions. +hint.generator = :combustion-generator: [accent]Combustion Generators[] burn coal and transmit power to adjacent blocks.\n\nPower transmission range can be extended with :power-node: [accent]Power Nodes[]. +hint.guardian = [accent]Guardian[] units are armored. Weak ammo such as [accent]Copper[] and [accent]Lead[] is [scarlet]not effective[].\n\nUse higher tier turrets or :graphite: [accent]Graphite[] :duo:Duo/:salvo:Salvo ammunition to take Guardians down. +hint.coreUpgrade = Cores can be upgraded by [accent]placing higher-tier cores over them[].\n\nPlace a :core-foundation: [accent]Foundation[] core over the :core-shard: [accent]Shard[] core. Make sure it is free from nearby obstructions. hint.presetLaunch = Gray [accent]landing zone sectors[], such as [accent]Frozen Forest[], can be launched to from anywhere. They do not require capture of nearby territory.\n\n[accent]Numbered sectors[], such as this one, are [accent]optional[]. hint.presetDifficulty = This sector has a [scarlet]high enemy threat level[].\nLaunching to such sectors is [accent]not recommended[] without proper technology and preparation. hint.coreIncinerate = After the core is filled to capacity with an item, any extra items of that type it receives will be [accent]incinerated[]. hint.factoryControl = To set a unit factory's [accent]output destination[], click a factory block while in command mode, then right-click a location.\nUnits produced by it will automatically move there. hint.factoryControl.mobile = To set a unit factory's [accent]output destination[], tap a factory block while in command mode, then tap a location.\nUnits produced by it will automatically move there. -gz.mine = Move near the \uf8c4 [accent]copper ore[] on the ground and click to begin mining. -gz.mine.mobile = Move near the \uf8c4 [accent]copper ore[] on the ground and tap it to begin mining. -gz.research = Open the \ue875 tech tree.\nResearch the \uf870 [accent]Mechanical Drill[], then select it from the menu in the bottom right.\nClick on a copper patch to place it. -gz.research.mobile = Open the \ue875 tech tree.\nResearch the \uf870 [accent]Mechanical Drill[], then select it from the menu in the bottom right.\nTap on a copper patch to place it.\n\nPress the \ue800 [accent]checkmark[] at the bottom right to confirm. -gz.conveyors = Research and place \uf896 [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nClick and drag to place multiple conveyors.\n[accent]Scroll[] to rotate. -gz.conveyors.mobile = Research and place \uf896 [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nHold down your finger for a second and drag to place multiple conveyors. +gz.mine = Move near the :ore-copper: [accent]copper ore[] on the ground and click to begin mining. +gz.mine.mobile = Move near the :ore-copper: [accent]copper ore[] on the ground and tap it to begin mining. +gz.research = Open the :tree: tech tree.\nResearch the :mechanical-drill: [accent]Mechanical Drill[], then select it from the menu in the bottom right.\nClick on a copper patch to place it. +gz.research.mobile = Open the :tree: tech tree.\nResearch the :mechanical-drill: [accent]Mechanical Drill[], then select it from the menu in the bottom right.\nTap on a copper patch to place it.\n\nPress the \ue800 [accent]checkmark[] at the bottom right to confirm. +gz.conveyors = Research and place :conveyor: [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nClick and drag to place multiple conveyors.\n[accent]Scroll[] to rotate. +gz.conveyors.mobile = Research and place :conveyor: [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nHold down your finger for a second and drag to place multiple conveyors. gz.drills = Expand the mining operation.\nPlace more Mechanical Drills.\nMine 100 copper. -gz.lead = \uf837 [accent]Lead[] is another commonly used resource.\nSet up drills to mine lead. -gz.moveup = \ue804 Move up for further objectives. -gz.turrets = Research and place 2 \uf861 [accent]Duo[] turrets to defend the core.\nDuo turrets require \uf838 [accent]ammo[] from conveyors. +gz.lead = :lead: [accent]Lead[] is another commonly used resource.\nSet up drills to mine lead. +gz.moveup = :up: Move up for further objectives. +gz.turrets = Research and place 2 :duo: [accent]Duo[] turrets to defend the core.\nDuo turrets require \uf838 [accent]ammo[] from conveyors. gz.duoammo = Supply the Duo turrets with [accent]copper[], using conveyors. -gz.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace \uf8ae [accent]copper walls[] around the turrets. +gz.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace :copper-wall: [accent]copper walls[] around the turrets. gz.defend = Enemy incoming, prepare to defend. -gz.aa = Flying units cannot easily be dispatched with standard turrets.\n\uf860 [accent]Scatter[] turrets provide excellent anti-air, but require \uf837 [accent]lead[] as ammo. +gz.aa = Flying units cannot easily be dispatched with standard turrets.\n:scatter: [accent]Scatter[] turrets provide excellent anti-air, but require :lead: [accent]lead[] as ammo. gz.scatterammo = Supply the Scatter turret with [accent]lead[], using conveyors. gz.supplyturret = [accent]Supply Turret gz.zone1 = This is the enemy drop zone. gz.zone2 = Anything built in the radius is destroyed when a wave starts. gz.zone3 = A wave will begin now.\nGet ready. gz.finish = Build more turrets, mine more resources,\nand defend against all the waves to [accent]capture the sector[]. -onset.mine = Click to mine \uf748 [accent]beryllium[] from walls.\n\nUse [accent][[WASD] to move. -onset.mine.mobile = Tap to mine \uf748 [accent]beryllium[] from walls. -onset.research = Open the \ue875 tech tree.\nResearch, then place a \uf73e [accent]turbine condenser[] on the vent.\nThis will generate [accent]power[]. -onset.bore = Research and place a \uf741 [accent]plasma bore[].\nThis automatically mines resources from walls. -onset.power = To [accent]power[] the plasma bore, research and place a \uf73d [accent]beam node[].\nConnect the turbine condenser to the plasma bore. -onset.ducts = Research and place \uf799 [accent]ducts[] to move the mined resources from the plasma bore to the core.\nClick and drag to place multiple ducts.\n[accent]Scroll[] to rotate. -onset.ducts.mobile = Research and place \uf799 [accent]ducts[] to move the mined resources from the plasma bore to the core.\n\nHold down your finger for a second and drag to place multiple ducts. +onset.mine = Click to mine :beryllium: [accent]beryllium[] from walls.\n\nUse [accent][[WASD] to move. +onset.mine.mobile = Tap to mine :beryllium: [accent]beryllium[] from walls. +onset.research = Open the :tree: tech tree.\nResearch, then place a :turbine-condenser: [accent]turbine condenser[] on the vent.\nThis will generate [accent]power[]. +onset.bore = Research and place a :plasma-bore: [accent]plasma bore[].\nThis automatically mines resources from walls. +onset.power = To [accent]power[] the plasma bore, research and place a :beam-node: [accent]beam node[].\nConnect the turbine condenser to the plasma bore. +onset.ducts = Research and place :duct: [accent]ducts[] to move the mined resources from the plasma bore to the core.\nClick and drag to place multiple ducts.\n[accent]Scroll[] to rotate. +onset.ducts.mobile = Research and place :duct: [accent]ducts[] to move the mined resources from the plasma bore to the core.\n\nHold down your finger for a second and drag to place multiple ducts. onset.moremine = Expand the mining operation.\nPlace more Plasma Bores and use beam nodes and ducts to support them.\nMine 200 beryllium. -onset.graphite = More complex blocks require \uf835 [accent]graphite[].\nSet up plasma bores to mine graphite. -onset.research2 = Begin researching [accent]factories[].\nResearch the \uf74d [accent]cliff crusher[] and \uf779 [accent]silicon arc furnace[]. -onset.arcfurnace = The arc furnace needs \uf834 [accent]sand[] and \uf835 [accent]graphite[] to create \uf82f [accent]silicon[].\n[accent]Power[] is also required. -onset.crusher = Use \uf74d [accent]cliff crushers[] to mine sand. -onset.fabricator = Use [accent]units[] to explore the map, defend buildings, and attack the enemy. Research and place a \uf6a2 [accent]tank fabricator[]. +onset.graphite = More complex blocks require :graphite: [accent]graphite[].\nSet up plasma bores to mine graphite. +onset.research2 = Begin researching [accent]factories[].\nResearch the :cliff-crusher: [accent]cliff crusher[] and :silicon-arc-furnace: [accent]silicon arc furnace[]. +onset.arcfurnace = The arc furnace needs :sand: [accent]sand[] and :graphite: [accent]graphite[] to create :silicon: [accent]silicon[].\n[accent]Power[] is also required. +onset.crusher = Use :cliff-crusher: [accent]cliff crushers[] to mine sand. +onset.fabricator = Use [accent]units[] to explore the map, defend buildings, and attack the enemy. Research and place a :tank-fabricator: [accent]tank fabricator[]. onset.makeunit = Produce a unit.\nUse the "?" button to see selected factory requirements. -onset.turrets = Units are effective, but [accent]turrets[] provide better defensive capabilities if used effectively.\nPlace a \uf6eb [accent]Breach[] turret.\nTurrets require \uf748 [accent]ammo[]. +onset.turrets = Units are effective, but [accent]turrets[] provide better defensive capabilities if used effectively.\nPlace a :breach: [accent]Breach[] turret.\nTurrets require :beryllium: [accent]ammo[]. onset.turretammo = Supply the turret with [accent]beryllium ammo.[] -onset.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace some \uf6ee [accent]beryllium walls[] around the turret. +onset.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace some :beryllium-wall: [accent]beryllium walls[] around the turret. onset.enemies = Enemy incoming, prepare to defend. onset.defenses = [accent]Set up defenses:[lightgray] {0} onset.attack = The enemy is vulnerable. Counter-attack. -onset.cores = New cores can be placed on [accent]core tiles[].\nNew cores function as forward bases and share a resource inventory with other cores.\nPlace a \uf725 core. +onset.cores = New cores can be placed on [accent]core tiles[].\nNew cores function as forward bases and share a resource inventory with other cores.\nPlace a :core-bastion: core. onset.detect = The enemy will be able to detect you in 2 minutes.\nSet up defenses, mining, and production. onset.commandmode = Hold [accent]shift[] to enter [accent]command mode[].\n[accent]Left-click and drag[] to select units.\n[accent]Right-click[] to order selected units to move or attack. onset.commandmode.mobile = Press the [accent]command button[] to enter [accent]command mode[].\nHold down a finger, then [accent]drag[] to select units.\n[accent]Tap[] to order selected units to move or attack. diff --git a/core/assets/bundles/bundle_nl_BE.properties b/core/assets/bundles/bundle_nl_BE.properties index a2f6c46c9ebc..5aafb964848f 100644 --- a/core/assets/bundles/bundle_nl_BE.properties +++ b/core/assets/bundles/bundle_nl_BE.properties @@ -1910,77 +1910,77 @@ hint.respawn = To respawn as a ship, press [accent][[V][]. hint.respawn.mobile = You have switched control to a unit/structure. To respawn as a ship, [accent]tap the avatar in the top left.[] hint.desktopPause = Press [accent][[Space][] to pause and unpause the game. hint.breaking = [accent]Right-click[] and drag to break blocks. -hint.breaking.mobile = Activate the \ue817 [accent]hammer[] in the bottom right and tap to break blocks.\n\nHold down your finger for a second and drag to break in a selection. +hint.breaking.mobile = Activate the :hammer: [accent]hammer[] in the bottom right and tap to break blocks.\n\nHold down your finger for a second and drag to break in a selection. hint.blockInfo = View information of a block by selecting it in the [accent]build menu[], then selecting the [accent][[?][] button at the right. hint.derelict = [accent]Derelict[] structures are broken remnants of old bases that no longer function.\n\nThese structures can be [accent]deconstructed[] for resources. -hint.research = Use the \ue875 [accent]Research[] button to research new technology. -hint.research.mobile = Use the \ue875 [accent]Research[] button in the \ue88c [accent]Menu[] to research new technology. +hint.research = Use the :tree: [accent]Research[] button to research new technology. +hint.research.mobile = Use the :tree: [accent]Research[] button in the :menu: [accent]Menu[] to research new technology. hint.unitControl = Hold [accent][[L-ctrl][] and [accent]click[] to control friendly units or turrets. hint.unitControl.mobile = [accent][[Double-tap][] to control friendly units or turrets. hint.unitSelectControl = To control units, enter [accent]command mode[] by holding [accent]L-shift.[]\nWhile in command mode, click and drag to select units. [accent]Right-click[] a location or target to command units there. hint.unitSelectControl.mobile = To control units, enter [accent]command mode[] by pressing the [accent]command[] button in the bottom left.\nWhile in command mode, long-press and drag to select units. Tap a location or target to command units there. -hint.launch = Once enough resources are collected, you can [accent]Launch[] by selecting nearby sectors from the \ue827 [accent]Map[] in the bottom right. -hint.launch.mobile = Once enough resources are collected, you can [accent]Launch[] by selecting nearby sectors from the \ue827 [accent]Map[] in the \ue88c [accent]Menu[]. +hint.launch = Once enough resources are collected, you can [accent]Launch[] by selecting nearby sectors from the :map: [accent]Map[] in the bottom right. +hint.launch.mobile = Once enough resources are collected, you can [accent]Launch[] by selecting nearby sectors from the :map: [accent]Map[] in the :menu: [accent]Menu[]. hint.schematicSelect = Hold [accent][[F][] and drag to select blocks to copy and paste.\n\n[accent][[Middle Click][] to copy a single block type. hint.rebuildSelect = Hold [accent][[B][] and drag to select destroyed block plans.\nThis will rebuild them automatically. -hint.rebuildSelect.mobile = Select the \ue874 copy button, then tap the \ue80f rebuild button and drag to select destroyed block plans.\nThis will rebuild them automatically. +hint.rebuildSelect.mobile = Select the :copy: copy button, then tap the :wrench: rebuild button and drag to select destroyed block plans.\nThis will rebuild them automatically. hint.conveyorPathfind = Hold [accent][[L-Ctrl][] while dragging conveyors to automatically generate a path. -hint.conveyorPathfind.mobile = Enable \ue844 [accent]diagonal mode[] and drag conveyors to automatically generate a path. +hint.conveyorPathfind.mobile = Enable :diagonal: [accent]diagonal mode[] and drag conveyors to automatically generate a path. hint.boost = Hold [accent][[L-Shift][] to fly over obstacles with your current unit.\n\nOnly a few ground units have boosters. hint.payloadPickup = Press [accent][[[] to pick up small blocks or units. hint.payloadPickup.mobile = [accent]Tap and hold[] a small block or unit to pick it up. hint.payloadDrop = Press [accent]][] to drop a payload. hint.payloadDrop.mobile = [accent]Tap and hold[] an empty location to drop a payload there. hint.waveFire = [accent]Wave[] turrets with water as ammunition will automatically put out nearby fires. -hint.generator = \uf879 [accent]Combustion Generators[] burn coal and transmit power to adjacent blocks.\n\nPower transmission range can be extended with \uf87f [accent]Power Nodes[]. -hint.guardian = [accent]Guardian[] units are armored. Weak ammo such as [accent]Copper[] and [accent]Lead[] is [scarlet]not effective[].\n\nUse higher tier turrets or \uf835 [accent]Graphite[] \uf861Duo/\uf859Salvo ammunition to take Guardians down. -hint.coreUpgrade = Cores can be upgraded by [accent]placing higher-tier cores over them[].\n\nPlace a \uf868 [accent]Foundation[] core over the \uf869 [accent]Shard[] core. Make sure it is free from nearby obstructions. +hint.generator = :combustion-generator: [accent]Combustion Generators[] burn coal and transmit power to adjacent blocks.\n\nPower transmission range can be extended with :power-node: [accent]Power Nodes[]. +hint.guardian = [accent]Guardian[] units are armored. Weak ammo such as [accent]Copper[] and [accent]Lead[] is [scarlet]not effective[].\n\nUse higher tier turrets or :graphite: [accent]Graphite[] :duo:Duo/:salvo:Salvo ammunition to take Guardians down. +hint.coreUpgrade = Cores can be upgraded by [accent]placing higher-tier cores over them[].\n\nPlace a :core-foundation: [accent]Foundation[] core over the :core-shard: [accent]Shard[] core. Make sure it is free from nearby obstructions. hint.presetLaunch = Gray [accent]landing zone sectors[], such as [accent]Frozen Forest[], can be launched to from anywhere. They do not require capture of nearby territory.\n\n[accent]Numbered sectors[], such as this one, are [accent]optional[]. hint.presetDifficulty = This sector has a [scarlet]high enemy threat level[].\nLaunching to such sectors is [accent]not recommended[] without proper technology and preparation. hint.coreIncinerate = After the core is filled to capacity with an item, any extra items of that type it receives will be [accent]incinerated[]. hint.factoryControl = To set a unit factory's [accent]output destination[], click a factory block while in command mode, then right-click a location.\nUnits produced by it will automatically move there. hint.factoryControl.mobile = To set a unit factory's [accent]output destination[], tap a factory block while in command mode, then tap a location.\nUnits produced by it will automatically move there. -gz.mine = Move near the \uf8c4 [accent]copper ore[] on the ground and click to begin mining. -gz.mine.mobile = Move near the \uf8c4 [accent]copper ore[] on the ground and tap it to begin mining. -gz.research = Open the \ue875 tech tree.\nResearch the \uf870 [accent]Mechanical Drill[], then select it from the menu in the bottom right.\nClick on a copper patch to place it. -gz.research.mobile = Open the \ue875 tech tree.\nResearch the \uf870 [accent]Mechanical Drill[], then select it from the menu in the bottom right.\nTap on a copper patch to place it.\n\nPress the \ue800 [accent]checkmark[] at the bottom right to confirm. -gz.conveyors = Research and place \uf896 [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nClick and drag to place multiple conveyors.\n[accent]Scroll[] to rotate. -gz.conveyors.mobile = Research and place \uf896 [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nHold down your finger for a second and drag to place multiple conveyors. +gz.mine = Move near the :ore-copper: [accent]copper ore[] on the ground and click to begin mining. +gz.mine.mobile = Move near the :ore-copper: [accent]copper ore[] on the ground and tap it to begin mining. +gz.research = Open the :tree: tech tree.\nResearch the :mechanical-drill: [accent]Mechanical Drill[], then select it from the menu in the bottom right.\nClick on a copper patch to place it. +gz.research.mobile = Open the :tree: tech tree.\nResearch the :mechanical-drill: [accent]Mechanical Drill[], then select it from the menu in the bottom right.\nTap on a copper patch to place it.\n\nPress the \ue800 [accent]checkmark[] at the bottom right to confirm. +gz.conveyors = Research and place :conveyor: [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nClick and drag to place multiple conveyors.\n[accent]Scroll[] to rotate. +gz.conveyors.mobile = Research and place :conveyor: [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nHold down your finger for a second and drag to place multiple conveyors. gz.drills = Expand the mining operation.\nPlace more Mechanical Drills.\nMine 100 copper. -gz.lead = \uf837 [accent]Lead[] is another commonly used resource.\nSet up drills to mine lead. -gz.moveup = \ue804 Move up for further objectives. -gz.turrets = Research and place 2 \uf861 [accent]Duo[] turrets to defend the core.\nDuo turrets require \uf838 [accent]ammo[] from conveyors. +gz.lead = :lead: [accent]Lead[] is another commonly used resource.\nSet up drills to mine lead. +gz.moveup = :up: Move up for further objectives. +gz.turrets = Research and place 2 :duo: [accent]Duo[] turrets to defend the core.\nDuo turrets require \uf838 [accent]ammo[] from conveyors. gz.duoammo = Supply the Duo turrets with [accent]copper[], using conveyors. -gz.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace \uf8ae [accent]copper walls[] around the turrets. +gz.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace :copper-wall: [accent]copper walls[] around the turrets. gz.defend = Enemy incoming, prepare to defend. -gz.aa = Flying units cannot easily be dispatched with standard turrets.\n\uf860 [accent]Scatter[] turrets provide excellent anti-air, but require \uf837 [accent]lead[] as ammo. +gz.aa = Flying units cannot easily be dispatched with standard turrets.\n:scatter: [accent]Scatter[] turrets provide excellent anti-air, but require :lead: [accent]lead[] as ammo. gz.scatterammo = Supply the Scatter turret with [accent]lead[], using conveyors. gz.supplyturret = [accent]Supply Turret gz.zone1 = This is the enemy drop zone. gz.zone2 = Anything built in the radius is destroyed when a wave starts. gz.zone3 = A wave will begin now.\nGet ready. gz.finish = Build more turrets, mine more resources,\nand defend against all the waves to [accent]capture the sector[]. -onset.mine = Click to mine \uf748 [accent]beryllium[] from walls.\n\nUse [accent][[WASD] to move. -onset.mine.mobile = Tap to mine \uf748 [accent]beryllium[] from walls. -onset.research = Open the \ue875 tech tree.\nResearch, then place a \uf73e [accent]turbine condenser[] on the vent.\nThis will generate [accent]power[]. -onset.bore = Research and place a \uf741 [accent]plasma bore[].\nThis automatically mines resources from walls. -onset.power = To [accent]power[] the plasma bore, research and place a \uf73d [accent]beam node[].\nConnect the turbine condenser to the plasma bore. -onset.ducts = Research and place \uf799 [accent]ducts[] to move the mined resources from the plasma bore to the core.\nClick and drag to place multiple ducts.\n[accent]Scroll[] to rotate. -onset.ducts.mobile = Research and place \uf799 [accent]ducts[] to move the mined resources from the plasma bore to the core.\n\nHold down your finger for a second and drag to place multiple ducts. +onset.mine = Click to mine :beryllium: [accent]beryllium[] from walls.\n\nUse [accent][[WASD] to move. +onset.mine.mobile = Tap to mine :beryllium: [accent]beryllium[] from walls. +onset.research = Open the :tree: tech tree.\nResearch, then place a :turbine-condenser: [accent]turbine condenser[] on the vent.\nThis will generate [accent]power[]. +onset.bore = Research and place a :plasma-bore: [accent]plasma bore[].\nThis automatically mines resources from walls. +onset.power = To [accent]power[] the plasma bore, research and place a :beam-node: [accent]beam node[].\nConnect the turbine condenser to the plasma bore. +onset.ducts = Research and place :duct: [accent]ducts[] to move the mined resources from the plasma bore to the core.\nClick and drag to place multiple ducts.\n[accent]Scroll[] to rotate. +onset.ducts.mobile = Research and place :duct: [accent]ducts[] to move the mined resources from the plasma bore to the core.\n\nHold down your finger for a second and drag to place multiple ducts. onset.moremine = Expand the mining operation.\nPlace more Plasma Bores and use beam nodes and ducts to support them.\nMine 200 beryllium. -onset.graphite = More complex blocks require \uf835 [accent]graphite[].\nSet up plasma bores to mine graphite. -onset.research2 = Begin researching [accent]factories[].\nResearch the \uf74d [accent]cliff crusher[] and \uf779 [accent]silicon arc furnace[]. -onset.arcfurnace = The arc furnace needs \uf834 [accent]sand[] and \uf835 [accent]graphite[] to create \uf82f [accent]silicon[].\n[accent]Power[] is also required. -onset.crusher = Use \uf74d [accent]cliff crushers[] to mine sand. -onset.fabricator = Use [accent]units[] to explore the map, defend buildings, and attack the enemy. Research and place a \uf6a2 [accent]tank fabricator[]. +onset.graphite = More complex blocks require :graphite: [accent]graphite[].\nSet up plasma bores to mine graphite. +onset.research2 = Begin researching [accent]factories[].\nResearch the :cliff-crusher: [accent]cliff crusher[] and :silicon-arc-furnace: [accent]silicon arc furnace[]. +onset.arcfurnace = The arc furnace needs :sand: [accent]sand[] and :graphite: [accent]graphite[] to create :silicon: [accent]silicon[].\n[accent]Power[] is also required. +onset.crusher = Use :cliff-crusher: [accent]cliff crushers[] to mine sand. +onset.fabricator = Use [accent]units[] to explore the map, defend buildings, and attack the enemy. Research and place a :tank-fabricator: [accent]tank fabricator[]. onset.makeunit = Produce a unit.\nUse the "?" button to see selected factory requirements. -onset.turrets = Units are effective, but [accent]turrets[] provide better defensive capabilities if used effectively.\nPlace a \uf6eb [accent]Breach[] turret.\nTurrets require \uf748 [accent]ammo[]. +onset.turrets = Units are effective, but [accent]turrets[] provide better defensive capabilities if used effectively.\nPlace a :breach: [accent]Breach[] turret.\nTurrets require :beryllium: [accent]ammo[]. onset.turretammo = Supply the turret with [accent]beryllium ammo.[] -onset.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace some \uf6ee [accent]beryllium walls[] around the turret. +onset.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace some :beryllium-wall: [accent]beryllium walls[] around the turret. onset.enemies = Enemy incoming, prepare to defend. onset.defenses = [accent]Set up defenses:[lightgray] {0} onset.attack = The enemy is vulnerable. Counter-attack. -onset.cores = New cores can be placed on [accent]core tiles[].\nNew cores function as forward bases and share a resource inventory with other cores.\nPlace a \uf725 core. +onset.cores = New cores can be placed on [accent]core tiles[].\nNew cores function as forward bases and share a resource inventory with other cores.\nPlace a :core-bastion: core. onset.detect = The enemy will be able to detect you in 2 minutes.\nSet up defenses, mining, and production. onset.commandmode = Hold [accent]shift[] to enter [accent]command mode[].\n[accent]Left-click and drag[] to select units.\n[accent]Right-click[] to order selected units to move or attack. onset.commandmode.mobile = Press the [accent]command button[] to enter [accent]command mode[].\nHold down a finger, then [accent]drag[] to select units.\n[accent]Tap[] to order selected units to move or attack. diff --git a/core/assets/bundles/bundle_pl.properties b/core/assets/bundles/bundle_pl.properties index 6617728700ef..9ae0607a9c7d 100644 --- a/core/assets/bundles/bundle_pl.properties +++ b/core/assets/bundles/bundle_pl.properties @@ -1930,77 +1930,77 @@ hint.respawn = By się odrodzić jako statek, kliknij [accent][[V][]. hint.respawn.mobile = Przełączyłeś się na inną jednostkę/strukturę. By odrodzić się jako statek, [accent]kliknij w awatar w lewym górnym rogu.[] hint.desktopPause = Naciśnij [accent][[Spację][], by zatrzymać lub wznowić grę. hint.breaking = Użyj [accent][Prawego przycisku myszy][] i przeciągnij by zniszczyć bloki. -hint.breaking.mobile = Aktywuj \ue817 [accent]ikonę młota[] w dolnym prawym rogu by zniszczyć bloki.\n\nPrzytrzymaj swój palec i przeciągnij by wybrać wiele bloków do zniszczenia. +hint.breaking.mobile = Aktywuj :hammer: [accent]ikonę młota[] w dolnym prawym rogu by zniszczyć bloki.\n\nPrzytrzymaj swój palec i przeciągnij by wybrać wiele bloków do zniszczenia. hint.blockInfo = Wyświetl informacje o bloku, wybierając go w [accent]menu budowania[], a następnie wybierając [accent][[?][] przycisk po prawej. hint.derelict = [accent]Szare[] struktury są uszkodzonymi pozostałościami starych baz, które już nie funkcjonują.\n\nTe struktury można [accent]zdekonstruować[] dla surowców. -hint.research = Klikij przycisk \ue875 [accent]Badań[], by odkrywać nowe technologie. -hint.research.mobile = Użyj przycisku \ue875 [accent]Badań[] w \ue88c [accent]Menu[], by odkrywać nowe technologie. +hint.research = Klikij przycisk :tree: [accent]Badań[], by odkrywać nowe technologie. +hint.research.mobile = Użyj przycisku :tree: [accent]Badań[] w :menu: [accent]Menu[], by odkrywać nowe technologie. hint.unitControl = Przytrzymaj [accent][[Lewy CTRL][] i [accent]kliknij[], by kontrolować sojusznicze jednostki i działka. hint.unitControl.mobile = [accent][Kliknij dwukrotnie[] by kontrolować sojusznicze jednostki i działka. hint.unitSelectControl = Żeby kontrolować jednostki wejdź w [accent]tryb komend[] trzymając [accent]Lewy Shift.[]\nW trybie komend, kliknij i przeciągnij, żeby wybrać jednostki. Kliknij [accent]Prawym Przyciskiem Myszy[], żeby wyznaczyc jednostkom cel. hint.unitSelectControl.mobile = Aby kontrolować jednostki, wejdź w [accent]tryb dowodzenia[] poprzez naciśnięcie przcisku [accent]dowodzenia[] w lewym dolnym rogu.\nPodczas gdy jesteś w trybie dowodzenia, naciśnij długo i przeciągnij by wybrać jednostki. Stuknij w miejsce lub cel aby je tam wysłać. -hint.launch = Gdy zebrałeś wystarczająco materiałów możesz [accent]Wystrzelić[] wybierając \ue827 [accent]Mapę[] w dolnym prawym rogu. -hint.launch.mobile = Gdy zebrałeś wystarczająco materiałów możesz [accent]Wystrzelić[] do pobliskich sektorów klikając w \ue827 [accent]Mapę[] w \ue88c [accent]Menu[]. +hint.launch = Gdy zebrałeś wystarczająco materiałów możesz [accent]Wystrzelić[] wybierając :map: [accent]Mapę[] w dolnym prawym rogu. +hint.launch.mobile = Gdy zebrałeś wystarczająco materiałów możesz [accent]Wystrzelić[] do pobliskich sektorów klikając w :map: [accent]Mapę[] w :menu: [accent]Menu[]. hint.schematicSelect = Przytrzymaj [accent][[F][] by kopiować i wkleić bloki.\n\n[accent][[Środkowy przycisk myszy][] kopiuje pojedynczy blok. hint.rebuildSelect = Przytrzymaj [accent][[B][] i przeciągnij, by zaznaczyć plany zniszczonych bloków.\nTo naprawi je automatycznie. -hint.rebuildSelect.mobile = wybierz \ue874 przycisk kopiowania, wtedy dotnij \ue80f przycisk odbudowy i przeciągnij by zaznaczyć plany zniszczonych bloków.\nTo naprawi je automatycznie. +hint.rebuildSelect.mobile = wybierz :copy: przycisk kopiowania, wtedy dotnij :wrench: przycisk odbudowy i przeciągnij by zaznaczyć plany zniszczonych bloków.\nTo naprawi je automatycznie. hint.conveyorPathfind = Przeciągij i przytrzymaj [accent][[Lewy CTRL][] w trakcie budowania przenośników aby wygenerować ścieżkę. -hint.conveyorPathfind.mobile = Włącz \ue844 [accent]tryb ukośny[] i przeciągnij w trakcie budowania przenośników aby wygenerować ścieżkę. +hint.conveyorPathfind.mobile = Włącz :diagonal: [accent]tryb ukośny[] i przeciągnij w trakcie budowania przenośników aby wygenerować ścieżkę. hint.boost = Przytrzymaj [accent][[Lewy Shift][], by przelecieć ponad przeszkody.\n\nTylko część jednostek lądowych może to zrobić. hint.payloadPickup = Kliknij [accent][[[], by podnieść małe bloki lub jednostki. hint.payloadPickup.mobile = [accent]Kliknij i przytrzymaj[] mały blok by go podnieść. hint.payloadDrop = Kliknij [accent]][], by opuścić podniesiony towar. hint.payloadDrop.mobile = [accent]Kliknij i przytrzymaj[] w puste miejsce by opuścić podniesiony towar. hint.waveFire = [accent]Strumień[] wypełniony wodą będzie gasić pobiskie pożary. -hint.generator = \uf879 [accent]Generatory Spalinowe[] spalają węgiel i przekazują moc do pobliskich bloków.\n\nMożesz powiększyć odległość transmitowanej mocy używając \uf87f [accent]Węzły Prądu[]. -hint.guardian = Jednostki [accent]Strażnicze[] są uzbrojone. Słaba amunicja - taka jak [accent]Miedź[] czy [accent]Ołów[] [scarlet]nie jest efektywna[].\n\nUżyj lepszych działek takich jak naładowane \uf835 [accent]Grafitem[] \uf861 [accent]Podwójne Działka[]/\uf859 [accent]Działa Salwowe[] by pozbyć się strażników. -hint.coreUpgrade = Rdzenie mogą być ulepszone poprzez [accent]postawienie na nich rdzenia wyższej generacji[].\n\nPostaw \uf868 Rdzeń: [accent]Podstawę[] na \uf869 Rdzeń: [accent]Odłamek[]. Żadna przeszkoda ani blok nie może stać na miejscu nowego rdzenia. +hint.generator = :combustion-generator: [accent]Generatory Spalinowe[] spalają węgiel i przekazują moc do pobliskich bloków.\n\nMożesz powiększyć odległość transmitowanej mocy używając :power-node: [accent]Węzły Prądu[]. +hint.guardian = Jednostki [accent]Strażnicze[] są uzbrojone. Słaba amunicja - taka jak [accent]Miedź[] czy [accent]Ołów[] [scarlet]nie jest efektywna[].\n\nUżyj lepszych działek takich jak naładowane :graphite: [accent]Grafitem[] :duo: [accent]Podwójne Działka[]/:salvo: [accent]Działa Salwowe[] by pozbyć się strażników. +hint.coreUpgrade = Rdzenie mogą być ulepszone poprzez [accent]postawienie na nich rdzenia wyższej generacji[].\n\nPostaw :core-foundation: Rdzeń: [accent]Podstawę[] na :core-shard: Rdzeń: [accent]Odłamek[]. Żadna przeszkoda ani blok nie może stać na miejscu nowego rdzenia. hint.presetLaunch = Szare [accent]sektory[], takie jak [accent]Zamrożony Las[], to sektory do których możesz dotrzeć z każdego miejsca. Nie wymagają podbicia pobliskiego terenu.\n\n[accent]Ponumerowane sektory[], takie jak ten, [accent]są dodatkowe[]. hint.presetDifficulty = Ten sektor ma [scarlet]wysoki poziom zagrożenia przez wroga[].\nWystrzeliwanie do takich sektorów jest [accent]nie zalecane[] bez odpowiedniej technologii i przygotowania. hint.coreIncinerate = Jak rdzeń zostanie w pełni wypełniony danym przedmiotem, reszta przedmiotów tego typu zostanie [accent]spalona[]. hint.factoryControl = Aby ustawić punkt docelowy dla [accent]wyprodukowanych jednostek[], kliknij lewym przyciskiem na fabrykę w trybie poleceń, a następnie prawym przyciskiem w miejsce docelowe.\nWyprodukowane przez nią jednostki automatycznie się tam przemieszczą. hint.factoryControl.mobile = Aby ustawić punkt docelowy dla [accent]wyprodukowanych jednoste[], dotknij fabryki w trybie poleceń, a następnie miejsce docelowe.\nWyprodukowane przez nią jednostki automatycznie się tam przemieszczą. -gz.mine = Przemieść się w pobliże \uf8c4 [accent]rudy miedzi[] na ziemi i kliknij, aby zacząć kopać. -gz.mine.mobile = Przemieść się w pobliże \uf8c4 [accent]rudy miedzi[] na ziemi i dotknij, aby zacząć kopać. -gz.research = Otwórz \ue875 drzewko technologiczne.\nZbadaj \uf870 [accent]Mechaniczne Wiertło[], Następnie wybierz je z menu w prawym dolnym rogu.\nKliknij na złoże miedzi, aby postawić na nim wiertło. -gz.research.mobile = Otwórz \ue875 drzewko technologiczne.\nZbadaj \uf870 [accent]Mechaniczne Wiertło[], Następnie wybierz je z menu w prawym dolnym rogu.\nDotknij złoża miedzi aby postawić na nim wiertło.\n\nKliknij w \ue800 [accent]fajkę[] u dołu ekranu z prawej aby potwierdzić. -gz.conveyors = Zbadaj i postaw \uf896 [accent]przenośniki[], aby przemieścić wykopane surowce\nz wierteł do rdzenia.\n\nNaciśnij i przeciągnij aby postawic wiele przenośników naraz.\n[accent]Użyj kółka myszki[], żeby obrócić. -gz.conveyors.mobile = Zbadaj i postaw \uf896 [accent]przenośniki[], aby przemieścić wykopane surowce\nz wierteł do rdzenia.\n\nPrzytrzymaj przez sekundę i przeciągnij żeby postawić wiele przenośników naraz. +gz.mine = Przemieść się w pobliże :ore-copper: [accent]rudy miedzi[] na ziemi i kliknij, aby zacząć kopać. +gz.mine.mobile = Przemieść się w pobliże :ore-copper: [accent]rudy miedzi[] na ziemi i dotknij, aby zacząć kopać. +gz.research = Otwórz :tree: drzewko technologiczne.\nZbadaj :mechanical-drill: [accent]Mechaniczne Wiertło[], Następnie wybierz je z menu w prawym dolnym rogu.\nKliknij na złoże miedzi, aby postawić na nim wiertło. +gz.research.mobile = Otwórz :tree: drzewko technologiczne.\nZbadaj :mechanical-drill: [accent]Mechaniczne Wiertło[], Następnie wybierz je z menu w prawym dolnym rogu.\nDotknij złoża miedzi aby postawić na nim wiertło.\n\nKliknij w \ue800 [accent]fajkę[] u dołu ekranu z prawej aby potwierdzić. +gz.conveyors = Zbadaj i postaw :conveyor: [accent]przenośniki[], aby przemieścić wykopane surowce\nz wierteł do rdzenia.\n\nNaciśnij i przeciągnij aby postawic wiele przenośników naraz.\n[accent]Użyj kółka myszki[], żeby obrócić. +gz.conveyors.mobile = Zbadaj i postaw :conveyor: [accent]przenośniki[], aby przemieścić wykopane surowce\nz wierteł do rdzenia.\n\nPrzytrzymaj przez sekundę i przeciągnij żeby postawić wiele przenośników naraz. gz.drills = Kontynuuj kopanie.\nStawiaj więcej Mechanicznych Wierteł.\nWydobądź 100 miedzi. -gz.lead = \uf837 [accent]Ołów[] jest kolejnym często używanym surowcem.\nPostaw wiertła kopiące ołów. -gz.moveup = \ue804 Przejdź do dalszych celów. -gz.turrets = Zbadaj i postaw 2 \uf861 [accent]Podwójne Działka[] do obrony rdzenia.\nPodwójne działka wymagają \uf838 [accent]amunicji[] z przenośników. +gz.lead = :lead: [accent]Ołów[] jest kolejnym często używanym surowcem.\nPostaw wiertła kopiące ołów. +gz.moveup = :up: Przejdź do dalszych celów. +gz.turrets = Zbadaj i postaw 2 :duo: [accent]Podwójne Działka[] do obrony rdzenia.\nPodwójne działka wymagają \uf838 [accent]amunicji[] z przenośników. gz.duoammo = Dostarcz [accent]miedź[], do podwójnych działek przy użyciu przenośników. -gz.walls = [accent]Mury[] mogą zapobiec uszkodzeniu budynków.\nPostaw \uf8ae [accent]miedziane mury[] wokół działek. +gz.walls = [accent]Mury[] mogą zapobiec uszkodzeniu budynków.\nPostaw :copper-wall: [accent]miedziane mury[] wokół działek. gz.defend = Nadchodzi wróg, przygotuj się do obrony. -gz.aa = Latające jednostki trudno zestrzelić standardowymi działkami.\n\uf860 [accent]Flaki[] zapewniają świetną powietrzną obronę, ale używają \uf837 [accent]ołowiu[] jako amunicji. +gz.aa = Latające jednostki trudno zestrzelić standardowymi działkami.\n:scatter: [accent]Flaki[] zapewniają świetną powietrzną obronę, ale używają :lead: [accent]ołowiu[] jako amunicji. gz.scatterammo = Dostarcz [accent]ołowiu[]do Flaka używając przenośników. gz.supplyturret = [accent]Załaduj Działko gz.zone1 = To jest strefa zrzutu wroga. gz.zone2 = Wszytko co jest zbudowane w promieniu strefy zrzutu zostaje zniszczone z początkiem fali. gz.zone3 = Teraz zacznie się fala.\nPrzygotuj się. gz.finish = Wybuduj więcej działek, wykop więcej surowców\ni obroń się przed wszystkimi falami żeby [accent]przejąć sektor[]. -onset.mine = Naćiśnij żeby wydobywać \uf748 [accent]beryl[] ze ścian.\n\nUżyj [accent][[WASD] aby się poruszać. -onset.mine.mobile = Kliknij żeby wydobywać \uf748 [accent]beryl[] ze ścian. -onset.research = Otwórz\ue875 drzewo technologiczne.\nZbadaj, a następnie postaw \uf73e [accent]turbinę parową[] na gejzerze.\nTo zacznie generować [accent]prąd[]. -onset.bore = Zbadaj i postaw \uf741 [accent]plazmowe wiertło[].\nPlazmowe wiertło automatycznie wydobywa surowce ze ścian. -onset.power = Żeby [accent]zasilić[] plazmowe wiertło, zbadaj i postaw \uf73d [accent]węzeł promieni[].\nPołącz turbinę parową z wiertłem plazmowym. -onset.ducts = Zbadaj i postaw \uf799 [accent]rury próżniowe[], żeby móc przemieścić surowce z wiertła plazmowego do rdzenia.\nKliknij i przeciągnij żeby postawić wiele rur próżniowych naraz.\n[accent]Użyj kółka myszki[] aby obrócić. -onset.ducts.mobile = Zbadaj i postaw \uf799 [accent]rury próżniowe[], żeby móc przemieścić surowce z wiertła plazmowego do rdzenia.\n\nPrzytrzymaj sekundę i przeciągnij, aby postawic wiele rur próżniowych naraz. +onset.mine = Naćiśnij żeby wydobywać :beryllium: [accent]beryl[] ze ścian.\n\nUżyj [accent][[WASD] aby się poruszać. +onset.mine.mobile = Kliknij żeby wydobywać :beryllium: [accent]beryl[] ze ścian. +onset.research = Otwórz:tree: drzewo technologiczne.\nZbadaj, a następnie postaw :turbine-condenser: [accent]turbinę parową[] na gejzerze.\nTo zacznie generować [accent]prąd[]. +onset.bore = Zbadaj i postaw :plasma-bore: [accent]plazmowe wiertło[].\nPlazmowe wiertło automatycznie wydobywa surowce ze ścian. +onset.power = Żeby [accent]zasilić[] plazmowe wiertło, zbadaj i postaw :beam-node: [accent]węzeł promieni[].\nPołącz turbinę parową z wiertłem plazmowym. +onset.ducts = Zbadaj i postaw :duct: [accent]rury próżniowe[], żeby móc przemieścić surowce z wiertła plazmowego do rdzenia.\nKliknij i przeciągnij żeby postawić wiele rur próżniowych naraz.\n[accent]Użyj kółka myszki[] aby obrócić. +onset.ducts.mobile = Zbadaj i postaw :duct: [accent]rury próżniowe[], żeby móc przemieścić surowce z wiertła plazmowego do rdzenia.\n\nPrzytrzymaj sekundę i przeciągnij, aby postawic wiele rur próżniowych naraz. onset.moremine = Kontynuuj kopanie.\nStawiaj więcej Wierteł Plazmowych i używaj węzłów promieni oraz rur próżniowych.\nWykop 200 berylu. -onset.graphite = Bardziej skomplikowane bloki wymagają \uf835 [accent]grafitu[].\nUstaw wiertła plazmowe tak, żeby wydobywały grafit. -onset.research2 = Zacznij badać [accent]fabryki[].\nZbadaj \uf74d [accent]rozkruszacz klifów[] i \uf779 [accent]krzemowy piec łukowy[]. -onset.arcfurnace = Krzemowy piec łukowy potrzebuje \uf834 [accent]piasku[] i \uf835 [accent]grafitu[], żeby produkować \uf82f [accent]krzem[].\n[accent]Prąt[] także jest potrzebny. -onset.crusher = Użyj \uf74d [accent]rozkuruszaczy klifów[], aby wydobyć piasek. -onset.fabricator = Używaj [accent]jednostek[], żeby eksplorować mapę, bron budynki i atakuj wrogów. Zbadaj i postaw \uf6a2 [accent]fabrykę czołgów[]. +onset.graphite = Bardziej skomplikowane bloki wymagają :graphite: [accent]grafitu[].\nUstaw wiertła plazmowe tak, żeby wydobywały grafit. +onset.research2 = Zacznij badać [accent]fabryki[].\nZbadaj :cliff-crusher: [accent]rozkruszacz klifów[] i :silicon-arc-furnace: [accent]krzemowy piec łukowy[]. +onset.arcfurnace = Krzemowy piec łukowy potrzebuje :sand: [accent]piasku[] i :graphite: [accent]grafitu[], żeby produkować :silicon: [accent]krzem[].\n[accent]Prąt[] także jest potrzebny. +onset.crusher = Użyj :cliff-crusher: [accent]rozkuruszaczy klifów[], aby wydobyć piasek. +onset.fabricator = Używaj [accent]jednostek[], żeby eksplorować mapę, bron budynki i atakuj wrogów. Zbadaj i postaw :tank-fabricator: [accent]fabrykę czołgów[]. onset.makeunit = Wyprodkuj jednostkę.\nUżyj przycisku "?", żeby zobaczyć wymagania potrzebne do wybudowania obecnie wybranej fabryki. -onset.turrets = Jednostki są efektywne, ale [accent]działka[] zapewniają lepszą efektywność jeśli chodzi o obronę.\nPostaw \uf6eb [accent]Wyłom[].\nDziałka potrzebują \uf748 [accent]amuncji[]. +onset.turrets = Jednostki są efektywne, ale [accent]działka[] zapewniają lepszą efektywność jeśli chodzi o obronę.\nPostaw :breach: [accent]Wyłom[].\nDziałka potrzebują :beryllium: [accent]amuncji[]. onset.turretammo = Dostarcz [accent]beryl[] do działka. -onset.walls = [accent]Mury[] chronią budynki przed obrażeniami.\nPostaw parę \uf6ee [accent]berylowych murów[] naokoło działka. +onset.walls = [accent]Mury[] chronią budynki przed obrażeniami.\nPostaw parę :beryllium-wall: [accent]berylowych murów[] naokoło działka. onset.enemies = Nadchodzi wróg, przygotuj obronę. onset.defenses = [accent]Set up defenses:[lightgray] {0} onset.attack = Wróg jest wrażliwy na atak. Przeprowadź kontratak. -onset.cores = Nowe rdzenie mogą być postawione tylko w [accent]strefach rdzenia[].\nNowy rdzeń działa tak samo jak każdy poprzedni. Rdzenie współdzielą surowce.\nPostaw nowy \uf725 rdzeń. +onset.cores = Nowe rdzenie mogą być postawione tylko w [accent]strefach rdzenia[].\nNowy rdzeń działa tak samo jak każdy poprzedni. Rdzenie współdzielą surowce.\nPostaw nowy :core-bastion: rdzeń. onset.detect = Wróg wykryje cię za 2 minuty.\nPrzygotuj obronę, wydobywaj surowce i je produkuj. onset.commandmode = Przytrzymaj [accent]shift[] aby wejść do [accent]trybu poleceń[].\n[accent]Kliknij lewy przycisk myszy i przeciągnij[] aby wybrac jednostki.\n[accent]Kliknij prawy przycisk myszy[] aby rozkazać jednostkom się przemieścić lub zaatakować. onset.commandmode.mobile = Naciśnij [accent]przycisk poleceń[] aby wejść do [accent]trybu poleceń[].\nPrzytrzymaj palec, a następnie [accent]przeciągnij[] aby zaznaczyć jednostki.\n[accent]Kliknij[] aby rozkazać jednostkom się przemieścić lub zaatakować. diff --git a/core/assets/bundles/bundle_pt_BR.properties b/core/assets/bundles/bundle_pt_BR.properties index ebc85a981ec8..921405e33691 100644 --- a/core/assets/bundles/bundle_pt_BR.properties +++ b/core/assets/bundles/bundle_pt_BR.properties @@ -1930,78 +1930,78 @@ hint.respawn = Para respawnar como nave, aperte [accent][[V][]. hint.respawn.mobile = Você mudou o controle para uma unidade/estrutura. Para respawnar como nave, [accent]toque no avatar no canto superior esquerdo.[] hint.desktopPause = Aperte [accent][[Espaço][] para pausar e despausar o jogo. hint.breaking = [accent]Clique-direito[] e arraste para quebrar blocos. -hint.breaking.mobile = Ative o \ue817 [accent]martelo[] no canto inferior direito e toque para quebrar blocos.\n\nSegure com seu dedo por um segundo e arraste para selecionar o que quebrar. +hint.breaking.mobile = Ative o :hammer: [accent]martelo[] no canto inferior direito e toque para quebrar blocos.\n\nSegure com seu dedo por um segundo e arraste para selecionar o que quebrar. hint.blockInfo = Veja informações de um bloco, seleccionando-o no [accent]menu de construção[], então selecione o [accent][[?][] botão na direita. hint.derelict = Estruturas [accent]abandonadas[] são restos quebrados de bases antigas que já não funcionam.\n\nEssas estruturas podem ser [accent]desconstruídas[] para ganhar recursos. -hint.research = Use o botão de \ue875 [accent]Pesquisa[] para pesquisar novas tecnologias. -hint.research.mobile = Use o botão de \ue875 [accent]Pesquisa[] no \ue88c [accent]Menu[] para pesquisar novas tecnologias. +hint.research = Use o botão de :tree: [accent]Pesquisa[] para pesquisar novas tecnologias. +hint.research.mobile = Use o botão de :tree: [accent]Pesquisa[] no :menu: [accent]Menu[] para pesquisar novas tecnologias. hint.unitControl = Segure [accent][[L-ctrl][] e [accent]click[] para controlar suas unidades ou torretas. hint.unitControl.mobile = [accent][[Toque duas vezes][] para controlar suas unidades ou torretas. hint.unitSelectControl = Para controlar unidades, entre no [accent]modo de comando[] segurando [accent]Shift esquerdo.[]\nEnquanto no modo de comando, clique e segure pra selecionar unidades. Clique com o [accent]Botão direito[] em um lugar ou alvo para mandar as unidades para lá. hint.unitSelectControl.mobile = Para controlar unidades, entre no [accent]modo de comando[] segurando o botão de [accent]comando[] no canto inferior esquerdo.\nEnquanto no modo de comando, segure e arraste pra selecionar unidades. Toque em algum lugar ou alvo para mandar as unidades para lá. -hint.launch = Quando recursos suficientes forem coletados, você pode [accent]Lançar[] selecionando setores próximos a partir do \ue827 [accent]Mapa[] no canto inferior direito. -hint.launch.mobile = Quando recursos suficientes forem coletados, você pode [accent]Lançar[] selecionando setores próximos a partir do \ue827 [accent]Mapa[] no \ue88c [accent]Menu[]. +hint.launch = Quando recursos suficientes forem coletados, você pode [accent]Lançar[] selecionando setores próximos a partir do :map: [accent]Mapa[] no canto inferior direito. +hint.launch.mobile = Quando recursos suficientes forem coletados, você pode [accent]Lançar[] selecionando setores próximos a partir do :map: [accent]Mapa[] no :menu: [accent]Menu[]. hint.schematicSelect = Segure [accent][[F][] e arraste para selecionar blocos para copiar e colar.\n\n[accent][[Middle Click][] para copiar um bloco só. hint.rebuildSelect = Segure [accent][[B][] e arraste para selecionar blocos destruídos.\nIsso irá reconstruí-los automaticamente. -hint.rebuildSelect.mobile = Select the \ue874 copy button, then tap the \ue80f rebuild button and drag to select destroyed block plans.\nThis will rebuild them automatically. +hint.rebuildSelect.mobile = Select the :copy: copy button, then tap the :wrench: rebuild button and drag to select destroyed block plans.\nThis will rebuild them automatically. hint.conveyorPathfind = Segure [accent][[L-Ctrl][] enquanto arrasta as esteiras para gerar automaticamente um caminho. -hint.conveyorPathfind.mobile = Ative o \ue844 [accent]modo diagonal[] e arraste as esteiras para gerar automaticamente um caminho. +hint.conveyorPathfind.mobile = Ative o :diagonal: [accent]modo diagonal[] e arraste as esteiras para gerar automaticamente um caminho. hint.boost = Segure [accent][[L-Shift][] para voar sobre obstáculos com a sua unidade.\n\nApenas algumas unidades terrestres tem propulsores. hint.payloadPickup = Pressione [accent][[[] para pegar pequenos blocos e unidades. hint.payloadPickup.mobile = [accent]Toque e segure[] um pequeno bloco ou unidade para o pegar. hint.payloadDrop = Pressione [accent]][] para soltar a carga. hint.payloadDrop.mobile = [accent]Toque e segure[] em um local vazio para soltar ali a carga. hint.waveFire = Torretas [accent]Onda[] com munição de água vão apagar automaticamente incêndios próximos. -hint.generator = \uf879 [accent]Geradores a Combustão[] queimam carvão e transmitem energia aos blocos ao lado.\n\nO alcance da transmissão de energia pode ser aumentado com \uf87f [accent]Células de Energia[]. -hint.guardian = Unidades [accent]Guardião[] são blindadas. Munições fracas como [accent]Cobre[] e [accent]Chumbo[] são [scarlet]não efetivas[].\n\nUse torretas melhores ou \uf835 [accent]Grafite[] \uf861Duo/\uf859Salvo como munição para derrotar Guardiões. -hint.coreUpgrade = Núcleos podem ser melhorados [accent]colocando núcelos melhores sobre eles[].\n\nColoque uma \uf868 [accent]Fundação do Núcleo[] sobre o \uf869 [accent]Fragmento do Núcleo[]. Tenha certeza de que está livre de obstruções próximas. +hint.generator = :combustion-generator: [accent]Geradores a Combustão[] queimam carvão e transmitem energia aos blocos ao lado.\n\nO alcance da transmissão de energia pode ser aumentado com :power-node: [accent]Células de Energia[]. +hint.guardian = Unidades [accent]Guardião[] são blindadas. Munições fracas como [accent]Cobre[] e [accent]Chumbo[] são [scarlet]não efetivas[].\n\nUse torretas melhores ou :graphite: [accent]Grafite[] :duo:Duo/:salvo:Salvo como munição para derrotar Guardiões. +hint.coreUpgrade = Núcleos podem ser melhorados [accent]colocando núcelos melhores sobre eles[].\n\nColoque uma :core-foundation: [accent]Fundação do Núcleo[] sobre o :core-shard: [accent]Fragmento do Núcleo[]. Tenha certeza de que está livre de obstruções próximas. hint.presetLaunch = [accent]Zona de setores[] cinzas, como a [accent]Floresta Congelada[], podem ser lançadas de qualquer lugar. Elas não precisam da captura de território próximo.\n\n[accent]Setores numerados[], como esse aqui, são [accent]opcionais[]. hint.presetDifficulty = Esse setor tem um [scarlet]alto nível de ameaça inimiga[].\nIr para esse setores [accent]não é recomendado[] sem ter tecnologia e preparação adequadas. hint.coreIncinerate = Depois que o núcleo ter recebido até a capacidade máxima de um item, qualquer item do mesmo tipo que ele receber será [accent]incinerado[]. hint.factoryControl = Para definir a [accent]o local de saída[] de uma fábrica de unidades, clique em uma fábrica enquanto estiver no modo de comando, depois clique com o botão direito em um local.\nAs unidades produzidas por ela se moverão automaticamente para lá. hint.factoryControl.mobile = Para definir a [accent]o local de saída[] de uma fábrica de unidades, toque em uma fábrica enquanto estiver no modo de comando, depois toque em um local.\nAs unidades produzidas por ela se moverão automaticamente para lá. -gz.mine = Vá para perto do \uf8c4 [accent]minério de cobre[] no chão e clique para começar a minerar. -gz.mine.mobile = Vá para perto do \uf8c4 [accent]minério de cobre[] no chão e toque nele para começar a minerar. -gz.research = Abra a \ue875 árvore tecnológica.\nPesquise a \uf870 [accent]Broca mecânica[], Depois selecione-a pelo menu no canto inferior direito.\nClique no cobre para coloca-la. -gz.research.mobile = Abra a \ue875 árvore tecnológica.\nPesquise a \uf870 [accent]Broca mecânica[], Depois selecione-a pelo menu no canto inferior direito.\nClique no cobre para colocá-la.\n\nPressione a \ue800 [accent]confirmação[] no canto inferior direito para confirmar. -gz.conveyors = Pesquise e coloque \uf896 [accent]esteiras[] para mover os recursos minerados\ndas brocas para o núcleo.\n\nClique e arraste para pôr multiplas esteiras.\n[accent]Scroll[] para rotacionar. -gz.conveyors.mobile = Pesquise e coloque \uf896 [accent]esteiras[] para mover os recursos minerados\ndas brocas para o núcleo.\n\nSegure por um segundo e arraste para colocar múltiplas esteiras. +gz.mine = Vá para perto do :ore-copper: [accent]minério de cobre[] no chão e clique para começar a minerar. +gz.mine.mobile = Vá para perto do :ore-copper: [accent]minério de cobre[] no chão e toque nele para começar a minerar. +gz.research = Abra a :tree: árvore tecnológica.\nPesquise a :mechanical-drill: [accent]Broca mecânica[], Depois selecione-a pelo menu no canto inferior direito.\nClique no cobre para coloca-la. +gz.research.mobile = Abra a :tree: árvore tecnológica.\nPesquise a :mechanical-drill: [accent]Broca mecânica[], Depois selecione-a pelo menu no canto inferior direito.\nClique no cobre para colocá-la.\n\nPressione a \ue800 [accent]confirmação[] no canto inferior direito para confirmar. +gz.conveyors = Pesquise e coloque :conveyor: [accent]esteiras[] para mover os recursos minerados\ndas brocas para o núcleo.\n\nClique e arraste para pôr multiplas esteiras.\n[accent]Scroll[] para rotacionar. +gz.conveyors.mobile = Pesquise e coloque :conveyor: [accent]esteiras[] para mover os recursos minerados\ndas brocas para o núcleo.\n\nSegure por um segundo e arraste para colocar múltiplas esteiras. gz.drills = Expanda a mineração.\nColoque mais Brocas Mecânicas.\nMinere 100 cobres. -gz.lead = \uf837 [accent]Chumbo[] é outro recurso comumente usado.\nColoque brocas para minerar chumbo. -gz.moveup = \ue804 Vá para cima para outros objetivos. -gz.turrets = Pesquise e coloque 2 torretas \uf861 [accent]Duo[] para defender o núcleo.\ntorretas Duo requerem \uf838 [accent]munição[] de esteiras. +gz.lead = :lead: [accent]Chumbo[] é outro recurso comumente usado.\nColoque brocas para minerar chumbo. +gz.moveup = :up: Vá para cima para outros objetivos. +gz.turrets = Pesquise e coloque 2 torretas :duo: [accent]Duo[] para defender o núcleo.\ntorretas Duo requerem \uf838 [accent]munição[] de esteiras. gz.duoammo = Abasteça as torretas Duo com [accent]cobre[], usando esteiras. -gz.walls = [accent]Muros[] podem previnir danos recebidos de atingir as construções.\nColoque \uf8ae [accent]muros de cobre[] em volta das torretas. +gz.walls = [accent]Muros[] podem previnir danos recebidos de atingir as construções.\nColoque :copper-wall: [accent]muros de cobre[] em volta das torretas. gz.defend = Inimigos vindo, prepare-se para defender. -gz.aa = Unidades flutuantes não podem ser destruidas facilmente por torretas comuns.\nTorretas\uf860 [accent]Scatter[] Proveem ótima defesa aérea, mas requerem \uf837 [accent]chumbo[] como munição. +gz.aa = Unidades flutuantes não podem ser destruidas facilmente por torretas comuns.\nTorretas:scatter: [accent]Scatter[] Proveem ótima defesa aérea, mas requerem :lead: [accent]chumbo[] como munição. gz.scatterammo = Abasteça a torreta Scatter com [accent]chumbo[], usando esteiras. gz.supplyturret = [accent]Abasteça a torreta gz.zone1 = Essa é a zona de spawn inimigo. gz.zone2 = Qualquer coisa construida nesta área será destruida quando uma horda começar. gz.zone3 = Uma horda vai começar agora\nSe prepare. gz.finish = Construa mais torretas, minere mais recursos,\ne se defenda de todas as hordas para [accent]capturar o setor[]. -onset.mine = Clique para minerar \uf748 [accent]berílio[] das paredes.\n\nUse [accent][[WASD] para se mover. -onset.mine.mobile = Toque para minerar \uf748 [accent]berílio[] das paredes. -onset.research = Abra a \ue875 árvore tecnológica.\nPesquise, e então coloque um \uf73e [accent]Condensador de Turbina[] na ventilação.\nIsso vai gerar [accent]energia[]. -onset.bore = Pesquise e coloque uma \uf741 [accent]Mineradora de Plasma[].\nEla minera recursos das paredes automaticamente. -onset.power = Para[accent]alimentar[] a Mineradora de Plasma, pesquise e coloque uma \uf73d [accent]Célula de Feixe[].\nConecte o condensador de turbina ao minerador de plasma. -onset.ducts = Pesquise e coloque \uf799 [accent]dutos[] para mover recursos minerados da mineradora de plasma para o núcleo.\nClique e segure para colocar múltiplos dutos.\n[accent]Scroll[] para rotacionar. -onset.ducts.mobile = Pesquise e coloque \uf799 [accent]dutos[] para mover recursos minerados da mineradora de plasma para o núcleo.\n\nSegure por um segundo e arraste para colocar múltiplos dutos. +onset.mine = Clique para minerar :beryllium: [accent]berílio[] das paredes.\n\nUse [accent][[WASD] para se mover. +onset.mine.mobile = Toque para minerar :beryllium: [accent]berílio[] das paredes. +onset.research = Abra a :tree: árvore tecnológica.\nPesquise, e então coloque um :turbine-condenser: [accent]Condensador de Turbina[] na ventilação.\nIsso vai gerar [accent]energia[]. +onset.bore = Pesquise e coloque uma :plasma-bore: [accent]Mineradora de Plasma[].\nEla minera recursos das paredes automaticamente. +onset.power = Para[accent]alimentar[] a Mineradora de Plasma, pesquise e coloque uma :beam-node: [accent]Célula de Feixe[].\nConecte o condensador de turbina ao minerador de plasma. +onset.ducts = Pesquise e coloque :duct: [accent]dutos[] para mover recursos minerados da mineradora de plasma para o núcleo.\nClique e segure para colocar múltiplos dutos.\n[accent]Scroll[] para rotacionar. +onset.ducts.mobile = Pesquise e coloque :duct: [accent]dutos[] para mover recursos minerados da mineradora de plasma para o núcleo.\n\nSegure por um segundo e arraste para colocar múltiplos dutos. onset.moremine = Expanda a mineração.\nColoque mais Mineradoras de Plasma, use as Células de Feixe e dutos para isso.\nMinere 200 berílios. -onset.graphite = Blocos mais complexos requerem \uf835 [accent]grafite[].\nColoque Mineradoras de Plasma para minerar grafite. -onset.research2 = Comece a pesquisar [accent]fábricas[].\nPesquise o \uf74d [accent]Esmagador de Penhasco[] e o \uf779 [accent]silicon arc furnace[]. -onset.arcfurnace = O arc furnace precisa de \uf834 [accent]areia[] e \uf835 [accent]grafite[] para criar \uf82f [accent]silício[].\n[accent]Energia[] também é necessária. -onset.crusher = Use o \uf74d [accent]Esmagador de Areia[] para minerar areia. -onset.fabricator = Use [accent]unidades[] para explorar o mapa, defender construções e atacar o inimigo. Pesquise e coloque um \uf6a2 [accent]Fabricador de Tanques[]. +onset.graphite = Blocos mais complexos requerem :graphite: [accent]grafite[].\nColoque Mineradoras de Plasma para minerar grafite. +onset.research2 = Comece a pesquisar [accent]fábricas[].\nPesquise o :cliff-crusher: [accent]Esmagador de Penhasco[] e o :silicon-arc-furnace: [accent]silicon arc furnace[]. +onset.arcfurnace = O arc furnace precisa de :sand: [accent]areia[] e :graphite: [accent]grafite[] para criar :silicon: [accent]silício[].\n[accent]Energia[] também é necessária. +onset.crusher = Use o :cliff-crusher: [accent]Esmagador de Areia[] para minerar areia. +onset.fabricator = Use [accent]unidades[] para explorar o mapa, defender construções e atacar o inimigo. Pesquise e coloque um :tank-fabricator: [accent]Fabricador de Tanques[]. onset.makeunit = Produza uma unidade.\nUse o botão "?" para ver os requisitos da fábrica selecionada. -onset.turrets = Unidades são efetivas, mas [accent]torretas[] proveem melhores capacidades defensivas se usadas efetivamente.\nColoque uma torreta \uf6eb [accent]Breach[].\nTorretas requerem \uf748 [accent]munição[]. +onset.turrets = Unidades são efetivas, mas [accent]torretas[] proveem melhores capacidades defensivas se usadas efetivamente.\nColoque uma torreta :breach: [accent]Breach[].\nTorretas requerem :beryllium: [accent]munição[]. onset.turretammo = Abasteça a torreta com [accent]munição de berílio.[] -onset.walls = [accent]Muros[] podem previnir danos recebidos de atingir as construções.\nColoque \uf6ee [accent]muros de berílio[] em volta das torretas. +onset.walls = [accent]Muros[] podem previnir danos recebidos de atingir as construções.\nColoque :beryllium-wall: [accent]muros de berílio[] em volta das torretas. onset.enemies = Inimigo vindo, se prepare. onset.defenses = [accent]Set up defenses:[lightgray] {0} onset.attack = O inimigo está vulnerável. Contra ataque. -onset.cores = Novos núcleos podem ser colocados em [accent]ladrilhos de núcleo[].\nNovos núcleos funcionam como bases avançadas e compartilham seus recursos com outros núcleos.\nColoque um \uf725 núcleo. +onset.cores = Novos núcleos podem ser colocados em [accent]ladrilhos de núcleo[].\nNovos núcleos funcionam como bases avançadas e compartilham seus recursos com outros núcleos.\nColoque um :core-bastion: núcleo. onset.detect = O inimigo poderá te detectar em 2 minutos.\nConstrua defesas, mineração e produção. onset.commandmode = Hold [accent]shift[] to enter [accent]command mode[].\n[accent]Left-click and drag[] to select units.\n[accent]Right-click[] to order selected units to move or attack. onset.commandmode.mobile = Press the [accent]command button[] to enter [accent]command mode[].\nHold down a finger, then [accent]drag[] to select units.\n[accent]Tap[] to order selected units to move or attack. diff --git a/core/assets/bundles/bundle_pt_PT.properties b/core/assets/bundles/bundle_pt_PT.properties index c277e5883e36..a4dcee7e5cbc 100644 --- a/core/assets/bundles/bundle_pt_PT.properties +++ b/core/assets/bundles/bundle_pt_PT.properties @@ -1910,77 +1910,77 @@ hint.respawn = To respawn as a ship, press [accent][[V][]. hint.respawn.mobile = You have switched control to a unit/structure. To respawn as a ship, [accent]tap the avatar in the top left.[] hint.desktopPause = Press [accent][[Space][] to pause and unpause the game. hint.breaking = [accent]Right-click[] and drag to break blocks. -hint.breaking.mobile = Activate the \ue817 [accent]hammer[] in the bottom right and tap to break blocks.\n\nHold down your finger for a second and drag to break in a selection. +hint.breaking.mobile = Activate the :hammer: [accent]hammer[] in the bottom right and tap to break blocks.\n\nHold down your finger for a second and drag to break in a selection. hint.blockInfo = View information of a block by selecting it in the [accent]build menu[], then selecting the [accent][[?][] button at the right. hint.derelict = [accent]Derelict[] structures are broken remnants of old bases that no longer function.\n\nThese structures can be [accent]deconstructed[] for resources. -hint.research = Use the \ue875 [accent]Research[] button to research new technology. -hint.research.mobile = Use the \ue875 [accent]Research[] button in the \ue88c [accent]Menu[] to research new technology. +hint.research = Use the :tree: [accent]Research[] button to research new technology. +hint.research.mobile = Use the :tree: [accent]Research[] button in the :menu: [accent]Menu[] to research new technology. hint.unitControl = Hold [accent][[L-ctrl][] and [accent]click[] to control friendly units or turrets. hint.unitControl.mobile = [accent][[Double-tap][] to control friendly units or turrets. hint.unitSelectControl = To control units, enter [accent]command mode[] by holding [accent]L-shift.[]\nWhile in command mode, click and drag to select units. [accent]Right-click[] a location or target to command units there. hint.unitSelectControl.mobile = To control units, enter [accent]command mode[] by pressing the [accent]command[] button in the bottom left.\nWhile in command mode, long-press and drag to select units. Tap a location or target to command units there. -hint.launch = Once enough resources are collected, you can [accent]Launch[] by selecting nearby sectors from the \ue827 [accent]Map[] in the bottom right. -hint.launch.mobile = Once enough resources are collected, you can [accent]Launch[] by selecting nearby sectors from the \ue827 [accent]Map[] in the \ue88c [accent]Menu[]. +hint.launch = Once enough resources are collected, you can [accent]Launch[] by selecting nearby sectors from the :map: [accent]Map[] in the bottom right. +hint.launch.mobile = Once enough resources are collected, you can [accent]Launch[] by selecting nearby sectors from the :map: [accent]Map[] in the :menu: [accent]Menu[]. hint.schematicSelect = Hold [accent][[F][] and drag to select blocks to copy and paste.\n\n[accent][[Middle Click][] to copy a single block type. hint.rebuildSelect = Hold [accent][[B][] and drag to select destroyed block plans.\nThis will rebuild them automatically. -hint.rebuildSelect.mobile = Select the \ue874 copy button, then tap the \ue80f rebuild button and drag to select destroyed block plans.\nThis will rebuild them automatically. +hint.rebuildSelect.mobile = Select the :copy: copy button, then tap the :wrench: rebuild button and drag to select destroyed block plans.\nThis will rebuild them automatically. hint.conveyorPathfind = Hold [accent][[L-Ctrl][] while dragging conveyors to automatically generate a path. -hint.conveyorPathfind.mobile = Enable \ue844 [accent]diagonal mode[] and drag conveyors to automatically generate a path. +hint.conveyorPathfind.mobile = Enable :diagonal: [accent]diagonal mode[] and drag conveyors to automatically generate a path. hint.boost = Hold [accent][[L-Shift][] to fly over obstacles with your current unit.\n\nOnly a few ground units have boosters. hint.payloadPickup = Press [accent][[[] to pick up small blocks or units. hint.payloadPickup.mobile = [accent]Tap and hold[] a small block or unit to pick it up. hint.payloadDrop = Press [accent]][] to drop a payload. hint.payloadDrop.mobile = [accent]Tap and hold[] an empty location to drop a payload there. hint.waveFire = [accent]Wave[] turrets with water as ammunition will automatically put out nearby fires. -hint.generator = \uf879 [accent]Combustion Generators[] burn coal and transmit power to adjacent blocks.\n\nPower transmission range can be extended with \uf87f [accent]Power Nodes[]. -hint.guardian = [accent]Guardian[] units are armored. Weak ammo such as [accent]Copper[] and [accent]Lead[] is [scarlet]not effective[].\n\nUse higher tier turrets or \uf835 [accent]Graphite[] \uf861Duo/\uf859Salvo ammunition to take Guardians down. -hint.coreUpgrade = Cores can be upgraded by [accent]placing higher-tier cores over them[].\n\nPlace a \uf868 [accent]Foundation[] core over the \uf869 [accent]Shard[] core. Make sure it is free from nearby obstructions. +hint.generator = :combustion-generator: [accent]Combustion Generators[] burn coal and transmit power to adjacent blocks.\n\nPower transmission range can be extended with :power-node: [accent]Power Nodes[]. +hint.guardian = [accent]Guardian[] units are armored. Weak ammo such as [accent]Copper[] and [accent]Lead[] is [scarlet]not effective[].\n\nUse higher tier turrets or :graphite: [accent]Graphite[] :duo:Duo/:salvo:Salvo ammunition to take Guardians down. +hint.coreUpgrade = Cores can be upgraded by [accent]placing higher-tier cores over them[].\n\nPlace a :core-foundation: [accent]Foundation[] core over the :core-shard: [accent]Shard[] core. Make sure it is free from nearby obstructions. hint.presetLaunch = Gray [accent]landing zone sectors[], such as [accent]Frozen Forest[], can be launched to from anywhere. They do not require capture of nearby territory.\n\n[accent]Numbered sectors[], such as this one, are [accent]optional[]. hint.presetDifficulty = This sector has a [scarlet]high enemy threat level[].\nLaunching to such sectors is [accent]not recommended[] without proper technology and preparation. hint.coreIncinerate = After the core is filled to capacity with an item, any extra items of that type it receives will be [accent]incinerated[]. hint.factoryControl = To set a unit factory's [accent]output destination[], click a factory block while in command mode, then right-click a location.\nUnits produced by it will automatically move there. hint.factoryControl.mobile = To set a unit factory's [accent]output destination[], tap a factory block while in command mode, then tap a location.\nUnits produced by it will automatically move there. -gz.mine = Move near the \uf8c4 [accent]copper ore[] on the ground and click to begin mining. -gz.mine.mobile = Move near the \uf8c4 [accent]copper ore[] on the ground and tap it to begin mining. -gz.research = Open the \ue875 tech tree.\nResearch the \uf870 [accent]Mechanical Drill[], then select it from the menu in the bottom right.\nClick on a copper patch to place it. -gz.research.mobile = Open the \ue875 tech tree.\nResearch the \uf870 [accent]Mechanical Drill[], then select it from the menu in the bottom right.\nTap on a copper patch to place it.\n\nPress the \ue800 [accent]checkmark[] at the bottom right to confirm. -gz.conveyors = Research and place \uf896 [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nClick and drag to place multiple conveyors.\n[accent]Scroll[] to rotate. -gz.conveyors.mobile = Research and place \uf896 [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nHold down your finger for a second and drag to place multiple conveyors. +gz.mine = Move near the :ore-copper: [accent]copper ore[] on the ground and click to begin mining. +gz.mine.mobile = Move near the :ore-copper: [accent]copper ore[] on the ground and tap it to begin mining. +gz.research = Open the :tree: tech tree.\nResearch the :mechanical-drill: [accent]Mechanical Drill[], then select it from the menu in the bottom right.\nClick on a copper patch to place it. +gz.research.mobile = Open the :tree: tech tree.\nResearch the :mechanical-drill: [accent]Mechanical Drill[], then select it from the menu in the bottom right.\nTap on a copper patch to place it.\n\nPress the \ue800 [accent]checkmark[] at the bottom right to confirm. +gz.conveyors = Research and place :conveyor: [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nClick and drag to place multiple conveyors.\n[accent]Scroll[] to rotate. +gz.conveyors.mobile = Research and place :conveyor: [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nHold down your finger for a second and drag to place multiple conveyors. gz.drills = Expand the mining operation.\nPlace more Mechanical Drills.\nMine 100 copper. -gz.lead = \uf837 [accent]Lead[] is another commonly used resource.\nSet up drills to mine lead. -gz.moveup = \ue804 Move up for further objectives. -gz.turrets = Research and place 2 \uf861 [accent]Duo[] turrets to defend the core.\nDuo turrets require \uf838 [accent]ammo[] from conveyors. +gz.lead = :lead: [accent]Lead[] is another commonly used resource.\nSet up drills to mine lead. +gz.moveup = :up: Move up for further objectives. +gz.turrets = Research and place 2 :duo: [accent]Duo[] turrets to defend the core.\nDuo turrets require \uf838 [accent]ammo[] from conveyors. gz.duoammo = Supply the Duo turrets with [accent]copper[], using conveyors. -gz.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace \uf8ae [accent]copper walls[] around the turrets. +gz.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace :copper-wall: [accent]copper walls[] around the turrets. gz.defend = Enemy incoming, prepare to defend. -gz.aa = Flying units cannot easily be dispatched with standard turrets.\n\uf860 [accent]Scatter[] turrets provide excellent anti-air, but require \uf837 [accent]lead[] as ammo. +gz.aa = Flying units cannot easily be dispatched with standard turrets.\n:scatter: [accent]Scatter[] turrets provide excellent anti-air, but require :lead: [accent]lead[] as ammo. gz.scatterammo = Supply the Scatter turret with [accent]lead[], using conveyors. gz.supplyturret = [accent]Supply Turret gz.zone1 = This is the enemy drop zone. gz.zone2 = Anything built in the radius is destroyed when a wave starts. gz.zone3 = A wave will begin now.\nGet ready. gz.finish = Build more turrets, mine more resources,\nand defend against all the waves to [accent]capture the sector[]. -onset.mine = Click to mine \uf748 [accent]beryllium[] from walls.\n\nUse [accent][[WASD] to move. -onset.mine.mobile = Tap to mine \uf748 [accent]beryllium[] from walls. -onset.research = Open the \ue875 tech tree.\nResearch, then place a \uf73e [accent]turbine condenser[] on the vent.\nThis will generate [accent]power[]. -onset.bore = Research and place a \uf741 [accent]plasma bore[].\nThis automatically mines resources from walls. -onset.power = To [accent]power[] the plasma bore, research and place a \uf73d [accent]beam node[].\nConnect the turbine condenser to the plasma bore. -onset.ducts = Research and place \uf799 [accent]ducts[] to move the mined resources from the plasma bore to the core.\nClick and drag to place multiple ducts.\n[accent]Scroll[] to rotate. -onset.ducts.mobile = Research and place \uf799 [accent]ducts[] to move the mined resources from the plasma bore to the core.\n\nHold down your finger for a second and drag to place multiple ducts. +onset.mine = Click to mine :beryllium: [accent]beryllium[] from walls.\n\nUse [accent][[WASD] to move. +onset.mine.mobile = Tap to mine :beryllium: [accent]beryllium[] from walls. +onset.research = Open the :tree: tech tree.\nResearch, then place a :turbine-condenser: [accent]turbine condenser[] on the vent.\nThis will generate [accent]power[]. +onset.bore = Research and place a :plasma-bore: [accent]plasma bore[].\nThis automatically mines resources from walls. +onset.power = To [accent]power[] the plasma bore, research and place a :beam-node: [accent]beam node[].\nConnect the turbine condenser to the plasma bore. +onset.ducts = Research and place :duct: [accent]ducts[] to move the mined resources from the plasma bore to the core.\nClick and drag to place multiple ducts.\n[accent]Scroll[] to rotate. +onset.ducts.mobile = Research and place :duct: [accent]ducts[] to move the mined resources from the plasma bore to the core.\n\nHold down your finger for a second and drag to place multiple ducts. onset.moremine = Expand the mining operation.\nPlace more Plasma Bores and use beam nodes and ducts to support them.\nMine 200 beryllium. -onset.graphite = More complex blocks require \uf835 [accent]graphite[].\nSet up plasma bores to mine graphite. -onset.research2 = Begin researching [accent]factories[].\nResearch the \uf74d [accent]cliff crusher[] and \uf779 [accent]silicon arc furnace[]. -onset.arcfurnace = The arc furnace needs \uf834 [accent]sand[] and \uf835 [accent]graphite[] to create \uf82f [accent]silicon[].\n[accent]Power[] is also required. -onset.crusher = Use \uf74d [accent]cliff crushers[] to mine sand. -onset.fabricator = Use [accent]units[] to explore the map, defend buildings, and attack the enemy. Research and place a \uf6a2 [accent]tank fabricator[]. +onset.graphite = More complex blocks require :graphite: [accent]graphite[].\nSet up plasma bores to mine graphite. +onset.research2 = Begin researching [accent]factories[].\nResearch the :cliff-crusher: [accent]cliff crusher[] and :silicon-arc-furnace: [accent]silicon arc furnace[]. +onset.arcfurnace = The arc furnace needs :sand: [accent]sand[] and :graphite: [accent]graphite[] to create :silicon: [accent]silicon[].\n[accent]Power[] is also required. +onset.crusher = Use :cliff-crusher: [accent]cliff crushers[] to mine sand. +onset.fabricator = Use [accent]units[] to explore the map, defend buildings, and attack the enemy. Research and place a :tank-fabricator: [accent]tank fabricator[]. onset.makeunit = Produce a unit.\nUse the "?" button to see selected factory requirements. -onset.turrets = Units are effective, but [accent]turrets[] provide better defensive capabilities if used effectively.\nPlace a \uf6eb [accent]Breach[] turret.\nTurrets require \uf748 [accent]ammo[]. +onset.turrets = Units are effective, but [accent]turrets[] provide better defensive capabilities if used effectively.\nPlace a :breach: [accent]Breach[] turret.\nTurrets require :beryllium: [accent]ammo[]. onset.turretammo = Supply the turret with [accent]beryllium ammo.[] -onset.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace some \uf6ee [accent]beryllium walls[] around the turret. +onset.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace some :beryllium-wall: [accent]beryllium walls[] around the turret. onset.enemies = Enemy incoming, prepare to defend. onset.defenses = [accent]Set up defenses:[lightgray] {0} onset.attack = The enemy is vulnerable. Counter-attack. -onset.cores = New cores can be placed on [accent]core tiles[].\nNew cores function as forward bases and share a resource inventory with other cores.\nPlace a \uf725 core. +onset.cores = New cores can be placed on [accent]core tiles[].\nNew cores function as forward bases and share a resource inventory with other cores.\nPlace a :core-bastion: core. onset.detect = The enemy will be able to detect you in 2 minutes.\nSet up defenses, mining, and production. onset.commandmode = Hold [accent]shift[] to enter [accent]command mode[].\n[accent]Left-click and drag[] to select units.\n[accent]Right-click[] to order selected units to move or attack. onset.commandmode.mobile = Press the [accent]command button[] to enter [accent]command mode[].\nHold down a finger, then [accent]drag[] to select units.\n[accent]Tap[] to order selected units to move or attack. diff --git a/core/assets/bundles/bundle_ro.properties b/core/assets/bundles/bundle_ro.properties index aede9df414a0..0e4f1c7f1d2f 100644 --- a/core/assets/bundles/bundle_ro.properties +++ b/core/assets/bundles/bundle_ro.properties @@ -1924,77 +1924,77 @@ hint.respawn = Pt a te regenera ca navă în nucleu, apasă [accent][[V][]. hint.respawn.mobile = Acum controlezi o unitate/structură. Pt a te regenera ca navă în nucleu, [accent]dă click pe avatarul din colțul din stânga-sus.[] hint.desktopPause = Apasă pe [accent][[Space][] pt a da pauză jocului. Apasă din nou pt a ieși din modul pauză. hint.breaking = Ține apăsat [accent]click-dreapta[] și trage pe ecran pt a distruge blocuri. -hint.breaking.mobile = Activează \ue817 [accent]ciocanul[] din dreapta-jos și dă click pt a distruge blocuri.\n\nȚine apăsat cu degetul pt o secundă și trage pt a distruge mai multe blocuri deodată. +hint.breaking.mobile = Activează :hammer: [accent]ciocanul[] din dreapta-jos și dă click pt a distruge blocuri.\n\nȚine apăsat cu degetul pt o secundă și trage pt a distruge mai multe blocuri deodată. hint.blockInfo = Poți vedea informații despre un bloc selectându-l în [accent]meniul de construcție[] și dând click pe butonul [accent][[?][] din dreapta. hint.derelict = [accent]Ruinele[] sunt rămășițe deteriorate ale bazelor vechi care nu mai funcționează.\n\nAceste structuri pot fi [accent]deconstruite[] pt resurse. -hint.research = Folosește butonul \ue875 [accent]Cercetează[] pt a cerceta noi tehnologii. -hint.research.mobile = Folosește butonul \ue875 [accent]Cercetează[] din \ue88c [accent]Meniu[] pt a cerceta noi tehnologii. +hint.research = Folosește butonul :tree: [accent]Cercetează[] pt a cerceta noi tehnologii. +hint.research.mobile = Folosește butonul :tree: [accent]Cercetează[] din :menu: [accent]Meniu[] pt a cerceta noi tehnologii. hint.unitControl = Ține apăsat [accent][[Ctrl][] și [accent]dă click[] pt a controla unități aliate sau arme. hint.unitControl.mobile = [accent][[Dă dublu click][] pt a controla unități aliate sau arme. hint.unitSelectControl = To control units, enter [accent]command mode[] by holding [accent]L-shift.[]\nWhile in command mode, click and drag to select units. [accent]Right-click[] a location or target to command units there. hint.unitSelectControl.mobile = To control units, enter [accent]command mode[] by pressing the [accent]command[] button in the bottom left.\nWhile in command mode, long-press and drag to select units. Tap a location or target to command units there. -hint.launch = Odată ce s-au strâns suficiente resurse, poți [accent]Lansa[] către o altă zonă selectând sectoarele învecinate folosind \ue827 [accent]Harta[] din dreapta-jos. -hint.launch.mobile = Odată ce s-au strâns suficiente resurse, poți [accent]Lansa[] către o altă zonă selectând sectoarele învecinate folosind \ue827 [accent]Harta[] din \ue88c [accent]Meniu[]. +hint.launch = Odată ce s-au strâns suficiente resurse, poți [accent]Lansa[] către o altă zonă selectând sectoarele învecinate folosind :map: [accent]Harta[] din dreapta-jos. +hint.launch.mobile = Odată ce s-au strâns suficiente resurse, poți [accent]Lansa[] către o altă zonă selectând sectoarele învecinate folosind :map: [accent]Harta[] din :menu: [accent]Meniu[]. hint.schematicSelect = Ține apăsat [accent][[F][] și trage pt a selecta blocuri pt copiere.\n\n[accent][[Click pe rotiță][] pt a copia un singur tip de bloc. hint.rebuildSelect = Hold [accent][[B][] and drag to select destroyed block plans.\nThis will rebuild them automatically. -hint.rebuildSelect.mobile = Select the \ue874 copy button, then tap the \ue80f rebuild button and drag to select destroyed block plans.\nThis will rebuild them automatically. +hint.rebuildSelect.mobile = Select the :copy: copy button, then tap the :wrench: rebuild button and drag to select destroyed block plans.\nThis will rebuild them automatically. hint.conveyorPathfind = Ține apăsat [accent][[Ctrl][] în timp ce plasezi benzi pt a genera automat o cale între 2 puncte. -hint.conveyorPathfind.mobile = Activează \ue844 [accent]modul diagonal[] și plasează benzi pt a genera automat o cale între 2 puncte. +hint.conveyorPathfind.mobile = Activează :diagonal: [accent]modul diagonal[] și plasează benzi pt a genera automat o cale între 2 puncte. hint.boost = Ține apăsat [accent][[Shift][] pt a zbura peste obstacole cu unitatea ta.\n\nDoar câteva unități de artilerie au propulsoare. hint.payloadPickup = Apasă [accent][[[] pt a ridica blocuri mici sau unități. hint.payloadPickup.mobile = [accent]Ține apăsat[] pe un bloc mic/o unitate pt a o ridica. hint.payloadDrop = Apasă [accent]][] pt a descărca încărcătura. hint.payloadDrop.mobile = [accent]Ține apăsat[] pe o locație goală pt a descărca încărcătura acolo. hint.waveFire = Armele [accent]Wave[] încărcate cu apă vor stinge incendiile automat. -hint.generator = \uf879 [accent]Generatoarele pe Combustie[] ard cărbunele și transmit electricitatea blocurilor învecinate.\n\nElectricitatea poate fi transmisă pe distanțe lungi folosind \uf87f [accent]Noduri Electrice[]. -hint.guardian = Unitățile [accent]Gardian[] au armuri puternice. Munițiile slabe precum [accent]Cuprul[] și [accent]Plumbul[] [scarlet]nu sunt eficiente[].\n\nFolosește arme mai bune sau muniție de \uf835 [accent]Grafit[] pt \uf861Duo/\uf859Salvo pt a nimici Gardianul. -hint.coreUpgrade = Un nucleu poate pot fi îmbunătățit [accent]plasând o alt nucleu mai bun peste el[].\n\nPlasează un nucleu \uf868 [accent]Foundation[] peste nucleul \uf869 [accent]Shard[]. Nucleul nu poate fi plasat decât pe alte nuclee. Asigură-te că nu sunt alte benzi sau obstacole care să împiedice plasarea. +hint.generator = :combustion-generator: [accent]Generatoarele pe Combustie[] ard cărbunele și transmit electricitatea blocurilor învecinate.\n\nElectricitatea poate fi transmisă pe distanțe lungi folosind :power-node: [accent]Noduri Electrice[]. +hint.guardian = Unitățile [accent]Gardian[] au armuri puternice. Munițiile slabe precum [accent]Cuprul[] și [accent]Plumbul[] [scarlet]nu sunt eficiente[].\n\nFolosește arme mai bune sau muniție de :graphite: [accent]Grafit[] pt :duo:Duo/:salvo:Salvo pt a nimici Gardianul. +hint.coreUpgrade = Un nucleu poate pot fi îmbunătățit [accent]plasând o alt nucleu mai bun peste el[].\n\nPlasează un nucleu :core-foundation: [accent]Foundation[] peste nucleul :core-shard: [accent]Shard[]. Nucleul nu poate fi plasat decât pe alte nuclee. Asigură-te că nu sunt alte benzi sau obstacole care să împiedice plasarea. hint.presetLaunch = Poți lansa de oriunde în sectoarele gri, precum [accent]Pădurea Glacială[]. Ele sunt [accent]zone[] speciale [accent]de aterizare[]. Nu ai nevoie să capturezi sectoarele învecinate pt a lansa.\n\n[accent]Sectoarele numerotate[], ca acesta, sunt [accent]opționale[]. hint.presetDifficulty = Acest sector are un [scarlet]nivel ridicat de amenințare inamică[].\n[accent]Nu e recomandat[] să lansezi în asemenea sectoare fără pregătiri sau tehnologie adecvată. hint.coreIncinerate = După ce nucleul se umple până la refuz cu un tip de material, toate materialele în plus de acel tip care încearcă să între în nucleu sunt [accent]incinerate[]. hint.factoryControl = To set a unit factory's [accent]output destination[], click a factory block while in command mode, then right-click a location.\nUnits produced by it will automatically move there. hint.factoryControl.mobile = To set a unit factory's [accent]output destination[], tap a factory block while in command mode, then tap a location.\nUnits produced by it will automatically move there. -gz.mine = Move near the \uf8c4 [accent]copper ore[] on the ground and click to begin mining. -gz.mine.mobile = Move near the \uf8c4 [accent]copper ore[] on the ground and tap it to begin mining. -gz.research = Open the \ue875 tech tree.\nResearch the \uf870 [accent]Mechanical Drill[], then select it from the menu in the bottom right.\nClick on a copper patch to place it. -gz.research.mobile = Open the \ue875 tech tree.\nResearch the \uf870 [accent]Mechanical Drill[], then select it from the menu in the bottom right.\nTap on a copper patch to place it.\n\nPress the \ue800 [accent]checkmark[] at the bottom right to confirm. -gz.conveyors = Research and place \uf896 [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nClick and drag to place multiple conveyors.\n[accent]Scroll[] to rotate. -gz.conveyors.mobile = Research and place \uf896 [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nHold down your finger for a second and drag to place multiple conveyors. +gz.mine = Move near the :ore-copper: [accent]copper ore[] on the ground and click to begin mining. +gz.mine.mobile = Move near the :ore-copper: [accent]copper ore[] on the ground and tap it to begin mining. +gz.research = Open the :tree: tech tree.\nResearch the :mechanical-drill: [accent]Mechanical Drill[], then select it from the menu in the bottom right.\nClick on a copper patch to place it. +gz.research.mobile = Open the :tree: tech tree.\nResearch the :mechanical-drill: [accent]Mechanical Drill[], then select it from the menu in the bottom right.\nTap on a copper patch to place it.\n\nPress the \ue800 [accent]checkmark[] at the bottom right to confirm. +gz.conveyors = Research and place :conveyor: [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nClick and drag to place multiple conveyors.\n[accent]Scroll[] to rotate. +gz.conveyors.mobile = Research and place :conveyor: [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nHold down your finger for a second and drag to place multiple conveyors. gz.drills = Expand the mining operation.\nPlace more Mechanical Drills.\nMine 100 copper. -gz.lead = \uf837 [accent]Lead[] is another commonly used resource.\nSet up drills to mine lead. -gz.moveup = \ue804 Move up for further objectives. -gz.turrets = Research and place 2 \uf861 [accent]Duo[] turrets to defend the core.\nDuo turrets require \uf838 [accent]ammo[] from conveyors. +gz.lead = :lead: [accent]Lead[] is another commonly used resource.\nSet up drills to mine lead. +gz.moveup = :up: Move up for further objectives. +gz.turrets = Research and place 2 :duo: [accent]Duo[] turrets to defend the core.\nDuo turrets require \uf838 [accent]ammo[] from conveyors. gz.duoammo = Supply the Duo turrets with [accent]copper[], using conveyors. -gz.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace \uf8ae [accent]copper walls[] around the turrets. +gz.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace :copper-wall: [accent]copper walls[] around the turrets. gz.defend = Enemy incoming, prepare to defend. -gz.aa = Flying units cannot easily be dispatched with standard turrets.\n\uf860 [accent]Scatter[] turrets provide excellent anti-air, but require \uf837 [accent]lead[] as ammo. +gz.aa = Flying units cannot easily be dispatched with standard turrets.\n:scatter: [accent]Scatter[] turrets provide excellent anti-air, but require :lead: [accent]lead[] as ammo. gz.scatterammo = Supply the Scatter turret with [accent]lead[], using conveyors. gz.supplyturret = [accent]Supply Turret gz.zone1 = This is the enemy drop zone. gz.zone2 = Anything built in the radius is destroyed when a wave starts. gz.zone3 = A wave will begin now.\nGet ready. gz.finish = Build more turrets, mine more resources,\nand defend against all the waves to [accent]capture the sector[]. -onset.mine = Click to mine \uf748 [accent]beryllium[] from walls.\n\nUse [accent][[WASD] to move. -onset.mine.mobile = Tap to mine \uf748 [accent]beryllium[] from walls. -onset.research = Open the \ue875 tech tree.\nResearch, then place a \uf73e [accent]turbine condenser[] on the vent.\nThis will generate [accent]power[]. -onset.bore = Research and place a \uf741 [accent]plasma bore[].\nThis automatically mines resources from walls. -onset.power = To [accent]power[] the plasma bore, research and place a \uf73d [accent]beam node[].\nConnect the turbine condenser to the plasma bore. -onset.ducts = Research and place \uf799 [accent]ducts[] to move the mined resources from the plasma bore to the core.\nClick and drag to place multiple ducts.\n[accent]Scroll[] to rotate. -onset.ducts.mobile = Research and place \uf799 [accent]ducts[] to move the mined resources from the plasma bore to the core.\n\nHold down your finger for a second and drag to place multiple ducts. +onset.mine = Click to mine :beryllium: [accent]beryllium[] from walls.\n\nUse [accent][[WASD] to move. +onset.mine.mobile = Tap to mine :beryllium: [accent]beryllium[] from walls. +onset.research = Open the :tree: tech tree.\nResearch, then place a :turbine-condenser: [accent]turbine condenser[] on the vent.\nThis will generate [accent]power[]. +onset.bore = Research and place a :plasma-bore: [accent]plasma bore[].\nThis automatically mines resources from walls. +onset.power = To [accent]power[] the plasma bore, research and place a :beam-node: [accent]beam node[].\nConnect the turbine condenser to the plasma bore. +onset.ducts = Research and place :duct: [accent]ducts[] to move the mined resources from the plasma bore to the core.\nClick and drag to place multiple ducts.\n[accent]Scroll[] to rotate. +onset.ducts.mobile = Research and place :duct: [accent]ducts[] to move the mined resources from the plasma bore to the core.\n\nHold down your finger for a second and drag to place multiple ducts. onset.moremine = Expand the mining operation.\nPlace more Plasma Bores and use beam nodes and ducts to support them.\nMine 200 beryllium. -onset.graphite = More complex blocks require \uf835 [accent]graphite[].\nSet up plasma bores to mine graphite. -onset.research2 = Begin researching [accent]factories[].\nResearch the \uf74d [accent]cliff crusher[] and \uf779 [accent]silicon arc furnace[]. -onset.arcfurnace = The arc furnace needs \uf834 [accent]sand[] and \uf835 [accent]graphite[] to create \uf82f [accent]silicon[].\n[accent]Power[] is also required. -onset.crusher = Use \uf74d [accent]cliff crushers[] to mine sand. -onset.fabricator = Use [accent]units[] to explore the map, defend buildings, and attack the enemy. Research and place a \uf6a2 [accent]tank fabricator[]. +onset.graphite = More complex blocks require :graphite: [accent]graphite[].\nSet up plasma bores to mine graphite. +onset.research2 = Begin researching [accent]factories[].\nResearch the :cliff-crusher: [accent]cliff crusher[] and :silicon-arc-furnace: [accent]silicon arc furnace[]. +onset.arcfurnace = The arc furnace needs :sand: [accent]sand[] and :graphite: [accent]graphite[] to create :silicon: [accent]silicon[].\n[accent]Power[] is also required. +onset.crusher = Use :cliff-crusher: [accent]cliff crushers[] to mine sand. +onset.fabricator = Use [accent]units[] to explore the map, defend buildings, and attack the enemy. Research and place a :tank-fabricator: [accent]tank fabricator[]. onset.makeunit = Produce a unit.\nUse the "?" button to see selected factory requirements. -onset.turrets = Units are effective, but [accent]turrets[] provide better defensive capabilities if used effectively.\nPlace a \uf6eb [accent]Breach[] turret.\nTurrets require \uf748 [accent]ammo[]. +onset.turrets = Units are effective, but [accent]turrets[] provide better defensive capabilities if used effectively.\nPlace a :breach: [accent]Breach[] turret.\nTurrets require :beryllium: [accent]ammo[]. onset.turretammo = Supply the turret with [accent]beryllium ammo.[] -onset.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace some \uf6ee [accent]beryllium walls[] around the turret. +onset.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace some :beryllium-wall: [accent]beryllium walls[] around the turret. onset.enemies = Enemy incoming, prepare to defend. onset.defenses = [accent]Set up defenses:[lightgray] {0} onset.attack = The enemy is vulnerable. Counter-attack. -onset.cores = New cores can be placed on [accent]core tiles[].\nNew cores function as forward bases and share a resource inventory with other cores.\nPlace a \uf725 core. +onset.cores = New cores can be placed on [accent]core tiles[].\nNew cores function as forward bases and share a resource inventory with other cores.\nPlace a :core-bastion: core. onset.detect = The enemy will be able to detect you in 2 minutes.\nSet up defenses, mining, and production. onset.commandmode = Hold [accent]shift[] to enter [accent]command mode[].\n[accent]Left-click and drag[] to select units.\n[accent]Right-click[] to order selected units to move or attack. onset.commandmode.mobile = Press the [accent]command button[] to enter [accent]command mode[].\nHold down a finger, then [accent]drag[] to select units.\n[accent]Tap[] to order selected units to move or attack. diff --git a/core/assets/bundles/bundle_ru.properties b/core/assets/bundles/bundle_ru.properties index db75d170feee..74eb6e1c1f28 100644 --- a/core/assets/bundles/bundle_ru.properties +++ b/core/assets/bundles/bundle_ru.properties @@ -1923,51 +1923,51 @@ hint.respawn = Чтобы заново появиться в корабле, н hint.respawn.mobile = Вы переключили управление единицей/постройкой. Чтобы заново появиться в корабле, [accent]нажмите на аватар слева сверху.[] hint.desktopPause = Нажмите [accent][[Пробел][] для приостановки и возобновления игры. hint.breaking = Выделите блоки в рамку [accent]правой кнопкой мыши[], чтобы разобрать их. -hint.breaking.mobile = Активируйте \ue817 [accent]молоток[] в правом нижнем углу и нажимайте на блоки, чтобы разобрать их. Удерживайте палец в течение секунды и переместите, чтобы разобрать выделением. +hint.breaking.mobile = Активируйте :hammer: [accent]молоток[] в правом нижнем углу и нажимайте на блоки, чтобы разобрать их. Удерживайте палец в течение секунды и переместите, чтобы разобрать выделением. hint.blockInfo = Для просмотра информации о блоке, выберите его в [accent]меню строительства[], затем нажмите на кнопку [accent][[?][] справа. hint.derelict = [accent]Покинутые[] постройки - это остатки старых баз, которые больше не функционируют.\n\nОни могут быть [accent]разобраны[] для получения ресурсов. -hint.research = Используйте кнопку \ue875 [accent]Исследований[], чтобы исследовать новые технологии. -hint.research.mobile = Используйте кнопку \ue875 [accent]Исследований[] в \ue88c [accent]Меню[], чтобы исследовать новые технологии. +hint.research = Используйте кнопку :tree: [accent]Исследований[], чтобы исследовать новые технологии. +hint.research.mobile = Используйте кнопку :tree: [accent]Исследований[] в :menu: [accent]Меню[], чтобы исследовать новые технологии. hint.unitControl = Зажмите [accent][[Л-Ctrl][] и [accent]нажмите левую кнопку мыши[], чтобы контролировать дружественные единицы и турели. hint.unitControl.mobile = [accent]Дважды коснитесь[], чтобы контролировать дружественные единицы и турели. hint.unitSelectControl = Чтобы управлять боевыми единицами, войдите в [accent]режим командования[], зажав [accent]L-shift.[]\nВ режиме комадования, нажмите и перетаскивайте для выбора боевых единиц. Нажмите [accent]правой кнопкой мыши[] по месту или цели, чтобы отправить их туда. hint.unitSelectControl.mobile = Чтобы управлять боевыми единицами, войдите в [accent]режим командования[], нажав на кнопку [accent]"Командовать"[] внизу слева.\nВ режиме командования, зажмите и перетаскивайте для выбора боевых единиц. Нажмите пальцем по месту или цели, чтобы отправить их туда. -hint.launch = Как только будет собрано достаточно ресурсов, вы сможете осуществить [accent]Запуск[], выбрав близлежащие секторы на \ue827 [accent]Карте[] из правого нижнего угла. -hint.launch.mobile = Как только будет собрано достаточно ресурсов, вы сможете осуществить [accent]Запуск[], выбрав близлежащие секторы на \ue827 [accent]Карте[] в \ue88c [accent]Меню[]. +hint.launch = Как только будет собрано достаточно ресурсов, вы сможете осуществить [accent]Запуск[], выбрав близлежащие секторы на :map: [accent]Карте[] из правого нижнего угла. +hint.launch.mobile = Как только будет собрано достаточно ресурсов, вы сможете осуществить [accent]Запуск[], выбрав близлежащие секторы на :map: [accent]Карте[] в :menu: [accent]Меню[]. hint.schematicSelect = Зажмите [accent][[F][] и переместите, чтобы выбрать блоки для копирования и вставки.\n\nЩелкните [accent][[колёсиком][] по блоку для копирования. hint.rebuildSelect = Удерживайте [accent][[B][] и перетаскивайте, чтобы выбрать уничтоженные блоки.\nОни будут перестроены автоматически. -hint.rebuildSelect.mobile = Выберите кнопку \ue874 копирования, затем нажмите кнопку \ue80f перестройки, и проведите для выбора уничтоженных блоков.\nЭто перестроит их автоматически. +hint.rebuildSelect.mobile = Выберите кнопку :copy: копирования, затем нажмите кнопку :wrench: перестройки, и проведите для выбора уничтоженных блоков.\nЭто перестроит их автоматически. hint.conveyorPathfind = Удерживайте [accent][[Л-Ctrl][] при размещении конвейеров для автоматической прокладки пути. -hint.conveyorPathfind.mobile = Включите \ue844 [accent]диагональный режим[] и перетащите конвейеры для автоматической прокладки пути. +hint.conveyorPathfind.mobile = Включите :diagonal: [accent]диагональный режим[] и перетащите конвейеры для автоматической прокладки пути. hint.boost = Удерживайте [accent][[Л-Shift][], чтобы пролететь над препятствиями при помощи вашей единицы.\n\nТолько некоторые наземные единицы могут взлетать. hint.payloadPickup = Нажмите [accent][[[], чтобы подобрать маленькие блоки или единицы. hint.payloadPickup.mobile = [accent]Нажмите и удерживайте[] палец на маленьком блоке или единице, чтобы подобрать их. hint.payloadDrop = Нажмите [accent]][], чтобы сбросить груз. hint.payloadDrop.mobile = [accent]Нажмите и удерживайте[] палец на пустой локации, чтобы сбросить туда груз. hint.waveFire = Турели [accent]Волна[] при подаче воды будут автоматически тушить пожары вокруг. -hint.generator = \uf879 [accent]Генераторы внутреннего сгорания[] сжигают уголь и передают энергию рядом стоящим блокам.\n\nДальность передачи энергии может быть увеличена при помощи \uf87f [accent]силовых узлов[]. -hint.guardian = [accent]Стражи[] бронированы. Слабые боеприпасы, такие как [accent]медь[] и [accent]свинец[], [scarlet]не эффективны[].\n\nИспользуйте турели высокого уровня или \uf835 [accent]графитные[] боеприпасы в \uf861двойных турелях/\uf859залпах, чтобы уничтожить Стража. -hint.coreUpgrade = Ядра могут быть улучшены путем [accent]размещения над ними ядер более высокого уровня[].\n\nПоместите ядро \uf868 [accent]Штаб[] поверх ядра \uf869 [accent]Осколок[]. Убедитесь, что никакие препятствия не мешают ему. +hint.generator = :combustion-generator: [accent]Генераторы внутреннего сгорания[] сжигают уголь и передают энергию рядом стоящим блокам.\n\nДальность передачи энергии может быть увеличена при помощи :power-node: [accent]силовых узлов[]. +hint.guardian = [accent]Стражи[] бронированы. Слабые боеприпасы, такие как [accent]медь[] и [accent]свинец[], [scarlet]не эффективны[].\n\nИспользуйте турели высокого уровня или :graphite: [accent]графитные[] боеприпасы в :duo:двойных турелях/:salvo:залпах, чтобы уничтожить Стража. +hint.coreUpgrade = Ядра могут быть улучшены путем [accent]размещения над ними ядер более высокого уровня[].\n\nПоместите ядро :core-foundation: [accent]Штаб[] поверх ядра :core-shard: [accent]Осколок[]. Убедитесь, что никакие препятствия не мешают ему. hint.presetLaunch = В серые [accent]секторы с посадочными зонами[], такие как [accent]Ледяной лес[], можно запускаться из любого места. Они не требуют захвата близлежащей территории.\n\n[accent]Нумерованные секторы[], такие как этот, [accent]не обязательны[] для прохождения. hint.presetDifficulty = У этого сектора [scarlet]высокий уровень угрозы[].\nЗапуск на такие сектора [accent]не рекомендуется[] без достаточных технологий и подготовки. hint.coreIncinerate = После того, как ядро будет заполнено предметом до отказа, любые лишние входящие предметы этого типа будут [accent]сожжены[]. hint.factoryControl = Чтобы установить [accent]место вывода единиц[] фабрики, щелкните на блок фабрики в командном режиме, затем щелкните правой кнопкой мыши на соответствующее место.\nЕдиницы, произведенные ею, автоматически переместятся туда. hint.factoryControl.mobile = Чтобы установить [accent]место вывода единиц[] фабрики, нажмите на блок фабрики в командном режиме, затем нажмите на соответствующее место.\nЕдиницы, произведенные ею, будут автоматически перемещены туда. -gz.mine = Приблизьтесь к \uf8c4 [accent]медной руде[] на земле и нажмите на нее, чтобы начать копать. -gz.mine.mobile = Приблизьтесь к \uf8c4 [accent]медной руде[] на земле и нажмите на нее, чтобы начать копать. -gz.research = Откройте дерево технологий \ue875.\nИсследуйте \uf870 [accent]Механический бур[], затем выберите его в меню в правом нижнем углу.\nНажмите на медную руду, чтобы начать строительство бура. -gz.research.mobile = Откройте дерево технологий \ue875.\nИсследуйте \uf870 [accent]Механический бур[], затем выберите его в меню справа внизу.\nНажмите на медную руду, чтобы разместить бур.\n\nНажмите на \ue800 [accent]галочку[] справа внизу, чтобы подтвердить строительство. -gz.conveyors = Исследуйте и разместите \uf896 [accent]конвейеры[] для перемещения добытых ресурсов\nот буров до ядра.\n\nЗажмите и перетащите, чтобы разместить несколько конвейеров.\n[accent]Scroll[] для вращения. -gz.conveyors.mobile = Исследуйте и разместите \uf896 [accent]конвейеры[] для перемещения добытых ресурсов\nот буровых до ядра.\n\nЗадержите палец на секунду и перетащите его, чтобы разместить несколько конвейеров. +gz.mine = Приблизьтесь к :ore-copper: [accent]медной руде[] на земле и нажмите на нее, чтобы начать копать. +gz.mine.mobile = Приблизьтесь к :ore-copper: [accent]медной руде[] на земле и нажмите на нее, чтобы начать копать. +gz.research = Откройте дерево технологий :tree:.\nИсследуйте :mechanical-drill: [accent]Механический бур[], затем выберите его в меню в правом нижнем углу.\nНажмите на медную руду, чтобы начать строительство бура. +gz.research.mobile = Откройте дерево технологий :tree:.\nИсследуйте :mechanical-drill: [accent]Механический бур[], затем выберите его в меню справа внизу.\nНажмите на медную руду, чтобы разместить бур.\n\nНажмите на \ue800 [accent]галочку[] справа внизу, чтобы подтвердить строительство. +gz.conveyors = Исследуйте и разместите :conveyor: [accent]конвейеры[] для перемещения добытых ресурсов\nот буров до ядра.\n\nЗажмите и перетащите, чтобы разместить несколько конвейеров.\n[accent]Scroll[] для вращения. +gz.conveyors.mobile = Исследуйте и разместите :conveyor: [accent]конвейеры[] для перемещения добытых ресурсов\nот буровых до ядра.\n\nЗадержите палец на секунду и перетащите его, чтобы разместить несколько конвейеров. gz.drills = \nУвеличьте объемы добычи.\nПоместите больше механических буров.\nДобудьте 100 слитков меди. -gz.lead = \uf837 [accent]Свинец[] - еще один часто используемый ресурс.\nПодготовьте буры для добычи свинца. -gz.moveup = \ue804 Двигайтесь вверх для получения дальнейших указаний. -gz.turrets = Исследуйте и поставьте 2 \uf861 [accent]Двойные турели[] для защиты ядра.\nДвойные турели требуют \uf838 [accent]боеприпасы[] с конвейеров. +gz.lead = :lead: [accent]Свинец[] - еще один часто используемый ресурс.\nПодготовьте буры для добычи свинца. +gz.moveup = :up: Двигайтесь вверх для получения дальнейших указаний. +gz.turrets = Исследуйте и поставьте 2 :duo: [accent]Двойные турели[] для защиты ядра.\nДвойные турели требуют \uf838 [accent]боеприпасы[] с конвейеров. gz.duoammo = Снабдите двойные турели [accent]медью[] с помощью конвейеров. -gz.walls = [accent]Стены[] могут предотвратить повреждение близлежащих построек.\nПоставьте \uf8ae [accent]медные стены[] вокруг турелей. +gz.walls = [accent]Стены[] могут предотвратить повреждение близлежащих построек.\nПоставьте :copper-wall: [accent]медные стены[] вокруг турелей. gz.defend = Враг на подходе, приготовьтесь защищаться. -gz.aa = Летающие боевые единицы не могут быть легко уничтожены стандартными турелями.\n\uf860 Рассеиватели[] предоставляют отличную противовоздушную оборону, но требуют \uf837 [accent]свинец[] в качестве боеприпасов. +gz.aa = Летающие боевые единицы не могут быть легко уничтожены стандартными турелями.\n:scatter: Рассеиватели[] предоставляют отличную противовоздушную оборону, но требуют :lead: [accent]свинец[] в качестве боеприпасов. gz.scatterammo = Снабдите Рассеиватель [accent]свинцом[] с помощью конвейеров. gz.supplyturret = [accent]Запитайте турель. gz.zone1 = Это - вражеская зона высадки. @@ -1975,27 +1975,27 @@ gz.zone2 = Все, что построено в её радиусе, будет gz.zone3 = Волна начнётся прямо сейчас.\nПриготовьтесь. gz.finish = Постройте больше турелей, добудьте больше ресурсов,\nи отстойте все волны, чтобы [accent]захватить сектор[]. -onset.mine = Нажмите, чтобы добыть \uf748 [accent]бериллий[] из стен.\n\nИспользуйте [accent][[WASD] для передвижения. -onset.mine.mobile = Нажмите, чтобы добыть \uf748 [accent]бериллий[] из стен. -onset.research = Откройте \ue875 дерево исследований.\nИсследуйте, затем поставьте \uf73e [accent]турбинный конденсатор[] на жерло.\nОна будет производить [accent]энергию[]. -onset.bore = Исследуйте и поставьте \uf741 [accent]плазменный бур[].\nОн будет автоматически добывать ресурсы из стен. -onset.power = Чтобы [accent]подключить[] плазменный бур, исследуйте и поставьте \uf73d [accent]лучевой узел[].\nСоедините турбинный конденсатор с плазменным буром. -onset.ducts = Исследуйте и поставьте \uf799 [accent]предметные каналы[] для перевозки ресурсов из плазменного бура в ядро.\nПеретаскивайте для установки нескольких каналов.\n[accent]Вращайте колёсико мыши[] для поворота. -onset.ducts.mobile = Исследуйте и поставьте \uf799 [accent]предметные каналы[] для перевозки ресурсов из плазменного бура в ядро.\nЗажмите палец на секунду, затем перетаскивайте для установки нескольких каналов. +onset.mine = Нажмите, чтобы добыть :beryllium: [accent]бериллий[] из стен.\n\nИспользуйте [accent][[WASD] для передвижения. +onset.mine.mobile = Нажмите, чтобы добыть :beryllium: [accent]бериллий[] из стен. +onset.research = Откройте :tree: дерево исследований.\nИсследуйте, затем поставьте :turbine-condenser: [accent]турбинный конденсатор[] на жерло.\nОна будет производить [accent]энергию[]. +onset.bore = Исследуйте и поставьте :plasma-bore: [accent]плазменный бур[].\nОн будет автоматически добывать ресурсы из стен. +onset.power = Чтобы [accent]подключить[] плазменный бур, исследуйте и поставьте :beam-node: [accent]лучевой узел[].\nСоедините турбинный конденсатор с плазменным буром. +onset.ducts = Исследуйте и поставьте :duct: [accent]предметные каналы[] для перевозки ресурсов из плазменного бура в ядро.\nПеретаскивайте для установки нескольких каналов.\n[accent]Вращайте колёсико мыши[] для поворота. +onset.ducts.mobile = Исследуйте и поставьте :duct: [accent]предметные каналы[] для перевозки ресурсов из плазменного бура в ядро.\nЗажмите палец на секунду, затем перетаскивайте для установки нескольких каналов. onset.moremine = Расширьте добычу.\nПоставьте больше плазменных буров и используйте лучевые узлы и предметные каналы для их поддержки.\nДобудьте 200 бериллия. -onset.graphite = Более продвинутые блоки требуют \uf835 [accent]графит[].\nПоставьте плазменные буры для добычи графита. -onset.research2 = Начните исследовать [accent]фабрики[].\nИсследуйте \uf74d [accent]дробитель скал[] и \uf779 [accent]кремниевую дуговую печь[]. -onset.arcfurnace = Дуговая печь требует \uf834 [accent]песок[] и \uf835 [accent]графит[] для производства \uf82f [accent]кремния[].\nТакже нужна [accent]энергия[]. -onset.crusher = Используйте \uf74d [accent]дробители скал[] для добычи песка. -onset.fabricator = Используйте [accent]боевые единицы[] для исследования карты, защиты построек и нападения на врага. Исследуйте и поставьте \uf6a2 [accent]конструктор танков[]. +onset.graphite = Более продвинутые блоки требуют :graphite: [accent]графит[].\nПоставьте плазменные буры для добычи графита. +onset.research2 = Начните исследовать [accent]фабрики[].\nИсследуйте :cliff-crusher: [accent]дробитель скал[] и :silicon-arc-furnace: [accent]кремниевую дуговую печь[]. +onset.arcfurnace = Дуговая печь требует :sand: [accent]песок[] и :graphite: [accent]графит[] для производства :silicon: [accent]кремния[].\nТакже нужна [accent]энергия[]. +onset.crusher = Используйте :cliff-crusher: [accent]дробители скал[] для добычи песка. +onset.fabricator = Используйте [accent]боевые единицы[] для исследования карты, защиты построек и нападения на врага. Исследуйте и поставьте :tank-fabricator: [accent]конструктор танков[]. onset.makeunit = Произведите боевую единицу.\nНажмите на кнопку "?", чтобы узнать текущие необходимые ресурсы для фабрики. -onset.turrets = Боевые единицы эффективны, но [accent]турели[] предоставляют больший оборонный потенциал при их эффективном использовании.\nПоставьте турель \uf6eb [accent]Разрыв[].\nТурели требуют \uf748 [accent]боеприпасы[]. +onset.turrets = Боевые единицы эффективны, но [accent]турели[] предоставляют больший оборонный потенциал при их эффективном использовании.\nПоставьте турель :breach: [accent]Разрыв[].\nТурели требуют :beryllium: [accent]боеприпасы[]. onset.turretammo = Снабдите турель [accent]бериллиевыми боеприпасами.[] -onset.walls = [accent]Стены[] могут предотвратить повреждение близлежащих построек.\nПоставьте \uf6ee [accent]бериллиевые стены[] вокруг турели. +onset.walls = [accent]Стены[] могут предотвратить повреждение близлежащих построек.\nПоставьте :beryllium-wall: [accent]бериллиевые стены[] вокруг турели. onset.enemies = Враг на подходе, приготовьтесь защищаться. onset.defenses = [accent]Приготовьте оборону:[lightgray] {0} onset.attack = Враг уязвим. Начните контратаку. -onset.cores = Новые ядра могут быть поставлены на [accent]зоны ядра[].\nНовые ядра функционируют как передовые базы и имеют общий инвентарь между другими ядрами.\nПоставьте \uf725 ядро. +onset.cores = Новые ядра могут быть поставлены на [accent]зоны ядра[].\nНовые ядра функционируют как передовые базы и имеют общий инвентарь между другими ядрами.\nПоставьте :core-bastion: ядро. onset.detect = Враг обнаружит вас через 2 минуты.\nПриготовьте оборону, добычу и производство. onset.commandmode = Удерживайте [accent]shift[], чтобы войти в [accent]режим командования[].\n[accent]Щелкните левой кнопкой мыши и выделите область[] для выбора боевых единиц.\n[accent]Щелкните правой кнопкой мыши[], чтобы приказать выбранным единицам двигаться или атаковать. onset.commandmode.mobile = Нажмите [accent]Командовать[], чтобы войти в [accent]режим командования[].\nЗажмите палец, затем [accent]выделите область[] для выбора боевых единиц.\n[accent]Нажмите[], чтобы приказать выбранным единицам двигаться или атаковать. diff --git a/core/assets/bundles/bundle_sr.properties b/core/assets/bundles/bundle_sr.properties index 92daf60cdeb9..50e8279e1a74 100644 --- a/core/assets/bundles/bundle_sr.properties +++ b/core/assets/bundles/bundle_sr.properties @@ -1927,77 +1927,77 @@ hint.respawn = Da se stvoriš kao letelica, pritisni [accent][[V][]. hint.respawn.mobile = Promenio si kontrolu u jedinicu/građevinu. Da se stvoriš kao letelica, [accent]pritisni avatar u gornjem levom uglu.[] hint.desktopPause = Pritisni [accent][[Space][] da pauziraš, i posle nastaviš igru. hint.breaking = [accent]Desni-klik[] i vuci da bi razrušio blokove. -hint.breaking.mobile = Aktiviraj \ue817 [accent]čekić[] u donjem desnom uglu i pritiskaj blokove ra rušenje.\n\nDrži prst za trenutak i vuci ga za rušenje u prostoru. +hint.breaking.mobile = Aktiviraj :hammer: [accent]čekić[] u donjem desnom uglu i pritiskaj blokove ra rušenje.\n\nDrži prst za trenutak i vuci ga za rušenje u prostoru. hint.blockInfo = Da bi video informacije o bloku [accent]meniju gradnje[], pritom izaberite [accent][[?][] dugme desno. hint.derelict = [accent]Derelict[] structures are broken remnants of old bases that no longer function.\n\nThese structures can be [accent]deconstructed[] for resources. -hint.research = Koristi \ue875 [accent]Izuči[] dugme da bi izučio nove tehnologije. -hint.research.mobile = Koristi \ue875 [accent]Izuči[] dugme u \ue88c [accent]Meniju[] da bi izučio nove tehnologije. +hint.research = Koristi :tree: [accent]Izuči[] dugme da bi izučio nove tehnologije. +hint.research.mobile = Koristi :tree: [accent]Izuči[] dugme u :menu: [accent]Meniju[] da bi izučio nove tehnologije. hint.unitControl = Drži [accent][[L-ctrl][] i [accent]klikni[] da bi kontrolisao prijateljsku jedinicu ili platformu. hint.unitControl.mobile = [accent][[Pritisni-dva-puta][] da bi kontrolisao prijateljsku jedinicu ili platformu. hint.unitSelectControl = Da bi kontrolisao jedinice, uđi u [accent]komandni mod[] pomoću držanja [accent]L-shift.[]\nTokom komandnog moda, drži klik i vuci da bi izabrao jedinice. [accent]Desni-klik[] na lokaciju ili metu da bi komandovao jedinice tamo. hint.unitSelectControl.mobile = Da bi kontrolisao jedinice, uđi u [accent]komandni mod[] pomoću pritiskanja [accent]komanda[] dugmeta u donjem levom uglu.\nTokom komadnog moda, dugo pritisni i prevuci da bi izabrao jedinice. Pritisni na lokaciju ili metu da bi komandovao jedinice tamo. -hint.launch = Jednom kada je dovoljno resursa skupljeno, možeš [accent]Lansirati[] tako što bi izabrao obljižnji sektor iz \ue827 [accent]Mape[] u donjem desnom uglu. -hint.launch.mobile = Jednom kada je dovoljno resursa skupljeno, možeš [accent]Lansirati[] tako što bi izabrao obljižnji sektor iz \ue827 [accent]Mape[] u \ue88c [accent]Meniju[]. +hint.launch = Jednom kada je dovoljno resursa skupljeno, možeš [accent]Lansirati[] tako što bi izabrao obljižnji sektor iz :map: [accent]Mape[] u donjem desnom uglu. +hint.launch.mobile = Jednom kada je dovoljno resursa skupljeno, možeš [accent]Lansirati[] tako što bi izabrao obljižnji sektor iz :map: [accent]Mape[] u :menu: [accent]Meniju[]. hint.schematicSelect = Drži [accent][[F][] i vuci da bi izabrao blokove da kopiraš i postaviš.\n\n[accent][[Srednji Klick][] Da iskopiraš samo jedan tip blokova. hint.rebuildSelect = Drži [accent][[B][] i vuci da bi izabrao planove izabranih blokova.\nOvo će automatski ponovo da ih sagradi. -hint.rebuildSelect.mobile = Select the \ue874 copy button, then tap the \ue80f rebuild button and drag to select destroyed block plans.\nThis will rebuild them automatically. +hint.rebuildSelect.mobile = Select the :copy: copy button, then tap the :wrench: rebuild button and drag to select destroyed block plans.\nThis will rebuild them automatically. hint.conveyorPathfind = Drži [accent][[L-Ctrl][] dok vučeš trake da automatski stvoriš put. -hint.conveyorPathfind.mobile = Osposobi \ue844 [accent]dijagonalni mod[] dok vučeš trake da automatski stvoriš put. +hint.conveyorPathfind.mobile = Osposobi :diagonal: [accent]dijagonalni mod[] dok vučeš trake da automatski stvoriš put. hint.boost = Hold [accent][[L-Shift][] to fly over obstacles with your current unit.\n\nOnly a few ground units have boosters. hint.payloadPickup = Pritisni [accent][[[] da bi preuzeo male blokove ili jedinice. hint.payloadPickup.mobile = [accent]Pritisni i drži[] mali blok ili jedinicu da bi ga preuzeo. hint.payloadDrop = Pritisni [accent]][] da bi spustio tovar. hint.payloadDrop.mobile = [accent]Pritisni i drži[] prazno mesto da bi spustio tovar tamo. hint.waveFire = [accent]Talas[] platforma sa vodom kao municiom automatski gasi vatru. -hint.generator = \uf879 [accent]Generatori Sagorevanja[] sagorevaju ugalj i proizvode energiju.\n\nDomet prenosa energije se može povećati preko \uf87f [accent]Strujnog Čvora[]. -hint.guardian = [accent]Čuvari[] kao jedinice su oklopljenje. Slaba municija potput [accent]Bakra[] i [accent]Olovo[] [scarlet]nije efikasan[].\n\nKoristi platforme većeg tijera ili\uf835 [accent]Grafit[] \uf861Duo/\uf859Salvo municiju da bi se rešio čuvara. +hint.generator = :combustion-generator: [accent]Generatori Sagorevanja[] sagorevaju ugalj i proizvode energiju.\n\nDomet prenosa energije se može povećati preko :power-node: [accent]Strujnog Čvora[]. +hint.guardian = [accent]Čuvari[] kao jedinice su oklopljenje. Slaba municija potput [accent]Bakra[] i [accent]Olovo[] [scarlet]nije efikasan[].\n\nKoristi platforme većeg tijera ili:graphite: [accent]Grafit[] :duo:Duo/:salvo:Salvo municiju da bi se rešio čuvara. hint.coreUpgrade = Jezgra mogu da se unaprede [accent]postavljanjem većih jezgara preko njih[].\n\nPostavi [accent]Temelj[] preko [accent]Krhotina[] jezgra. Osigurajte da bude planiran prostor čist. hint.presetLaunch = [accent]Sektori sa ivicom[] sive boje, kao [accent]Zamrznutna Šuma[], se mogu lansiradi svuda. Oni ne zahtevaju zauzetu obljižnju teritoriju.\n\n[accent]Numerisani sektori[], potput ovog, su [accent]opcionalni[]. hint.presetDifficulty = This sector has a [scarlet]high enemy threat level[].\nLaunching to such sectors is [accent]not recommended[] without proper technology and preparation. hint.coreIncinerate = Kada je jezgro skroz puno sa specifičnim materijalom, svaka dodatna jedinica materijala koja je primljena će biti [accent]spaljena[]. hint.factoryControl = To set a unit factory's [accent]output destination[], click a factory block while in command mode, then right-click a location.\nJedinice proizvedene iz njih će se automatski pomeriti tamo. hint.factoryControl.mobile = To set a unit factory's [accent]output destination[], tap a factory block while in command mode, then tap a location.\nJedinice proizvedene iz njih će se automatski pomeriti tamo. -gz.mine = Pomerite se pored \uf8c4 [accent]bakarne rude[] na zemlji i klikni ga da bi započeo iskopavanje. -gz.mine.mobile = Pomerite se pored \uf8c4 [accent]bakarne rude[] na zemlji i pritisni ga da bi započeo iskopavanje. -gz.research = Otvorite \ue875 drvo tehnologija.Izučite \uf870 [accent]Mehaničku Drobilicu[], pritom ga izaberi iz menija u donjem desnom uglu.\nKliknite ga na nalazište bakra da bi ga postavio. -gz.research.mobile = Otvorite \ue875 drvo tehnologija.Izučite \uf870 [accent]Mehaničku Drobilicu[], pritom ga izaberi iz menija u donjem desnom uglu.\nPritisnite nalazište bakra da bi ga postavio..\n\nPritisnite \ue800 [accent]checkmark[] u donjem desnom uglu da potvrdite. -gz.conveyors = Izučite i postavite \uf896 [accent]pokretne trake[] da bi ste pomerili iskopane resurse\niz drobilice u jezgro.\n\nKliknite i držite da bi ste postavili više traka.\n[accent]Scroll[] da rotirate. -gz.conveyors.mobile = Izučite i postavite \uf896 [accent]pokretne trake[] da bi ste pomerili iskopane resurse\niz drobilice u jezgro.\n\nDržite vaš prst na sekundu i vucite da bi ste postavili više traka. +gz.mine = Pomerite se pored :ore-copper: [accent]bakarne rude[] na zemlji i klikni ga da bi započeo iskopavanje. +gz.mine.mobile = Pomerite se pored :ore-copper: [accent]bakarne rude[] na zemlji i pritisni ga da bi započeo iskopavanje. +gz.research = Otvorite :tree: drvo tehnologija.Izučite :mechanical-drill: [accent]Mehaničku Drobilicu[], pritom ga izaberi iz menija u donjem desnom uglu.\nKliknite ga na nalazište bakra da bi ga postavio. +gz.research.mobile = Otvorite :tree: drvo tehnologija.Izučite :mechanical-drill: [accent]Mehaničku Drobilicu[], pritom ga izaberi iz menija u donjem desnom uglu.\nPritisnite nalazište bakra da bi ga postavio..\n\nPritisnite \ue800 [accent]checkmark[] u donjem desnom uglu da potvrdite. +gz.conveyors = Izučite i postavite :conveyor: [accent]pokretne trake[] da bi ste pomerili iskopane resurse\niz drobilice u jezgro.\n\nKliknite i držite da bi ste postavili više traka.\n[accent]Scroll[] da rotirate. +gz.conveyors.mobile = Izučite i postavite :conveyor: [accent]pokretne trake[] da bi ste pomerili iskopane resurse\niz drobilice u jezgro.\n\nDržite vaš prst na sekundu i vucite da bi ste postavili više traka. gz.drills = Proširite rudarsku operaciju.\nPostavite dodatne mehaničke drobilice.\nIskopajte 100 bakra. -gz.lead = \uf837 [accent]Olovo[] je takođe često korišćen resurs.\nPostavite drobilice za iskopavanje olova. -gz.moveup = \ue804 Krenite dalje za dodatne zadatke. -gz.turrets = Izučite i postavite 2 \uf861 [accent]Duo[] platforme za odbranu jezgra.\nDuo platforme zahtevaju \uf838 [accent]municiju[] preko pokretnih traka. +gz.lead = :lead: [accent]Olovo[] je takođe često korišćen resurs.\nPostavite drobilice za iskopavanje olova. +gz.moveup = :up: Krenite dalje za dodatne zadatke. +gz.turrets = Izučite i postavite 2 :duo: [accent]Duo[] platforme za odbranu jezgra.\nDuo platforme zahtevaju \uf838 [accent]municiju[] preko pokretnih traka. gz.duoammo = Snabdevajte Duo platforma sa [accent]bakrom[] pomoću pokretnih traka. -gz.walls = [accent]Zidovi[] mogu da spreče da se šteta nanese na građevine.\nPostavite \uf8ae [accent]bakarne zidove[] preko platformi. +gz.walls = [accent]Zidovi[] mogu da spreče da se šteta nanese na građevine.\nPostavite :copper-wall: [accent]bakarne zidove[] preko platformi. gz.defend = Neprijatelj stiže, pripremite se za odbranu. -gz.aa = Teško se možete rešiti lebdećih jedinica sa standarnim platformama.\n\uf860 [accent]Razbaci[] platforme su savršena protiv-vazdušna odbrana, ali zahtevaju \uf837 [accent]olovo[] kao municiju. +gz.aa = Teško se možete rešiti lebdećih jedinica sa standarnim platformama.\n:scatter: [accent]Razbaci[] platforme su savršena protiv-vazdušna odbrana, ali zahtevaju :lead: [accent]olovo[] kao municiju. gz.scatterammo = Snabdevajte Razbaci sa [accent]olovom[] pomoću pokretnih traka. gz.supplyturret = [accent]Snabdevanje Platforme gz.zone1 = Ovo je neprijateljska zona. gz.zone2 = Sve sagrađeno u njoj će biti uništeno kada se započne talas. gz.zone3 = Talas će uskoro započeti.\nSpremi se. gz.finish = Build more turrets, mine more resources,\nand defend against all the waves to [accent]capture the sector[]. -onset.mine = Klikni da bi iskopao \uf748 [accent]berilijum[] iz zidova.\nKoristi [accent][[WASD] za kretanje. -onset.mine.mobile = Pritisni da bi iskopao \uf748 [accent]berilijum[] iz zidova. -onset.research = Otvori \ue875 drvo tehnologija.\nIzuči, i pritom postavi \uf73e [accent]Turbinski Kondezator[] na ventil.\nOvo će da proizvodi [accent]energiju[]. -onset.bore = Izuči i postavi \uf741 [accent]plazma bušilicu[].\nOvo će automatski da iskopava rude sa zida. -onset.power = Da bi snabdevao plazma bušilicu [accent]energijom[], izučite i postavite \uf73d [accent]snopnu diodu[].\nPovežite turbinski kondezator i plazma bušilicu. -onset.ducts = Izučite i postavite \uf799 [accent]kanale[] da bi ste pomerili iskopane resurse iz plazma bušilice u jezgro.\nKliknite i držite da bi ste postavili više kanala.\n[accent]Scroll[] da rotirate. -onset.ducts.mobile = Izučite i postavite \uf799 [accent]kanale[] da bi ste pomerili iskopane resurse iz plazma bušilice u jezgro.\n\nDržite vaš prst na sekundu i vucite da bi ste postavili više kanala. +onset.mine = Klikni da bi iskopao :beryllium: [accent]berilijum[] iz zidova.\nKoristi [accent][[WASD] za kretanje. +onset.mine.mobile = Pritisni da bi iskopao :beryllium: [accent]berilijum[] iz zidova. +onset.research = Otvori :tree: drvo tehnologija.\nIzuči, i pritom postavi :turbine-condenser: [accent]Turbinski Kondezator[] na ventil.\nOvo će da proizvodi [accent]energiju[]. +onset.bore = Izuči i postavi :plasma-bore: [accent]plazma bušilicu[].\nOvo će automatski da iskopava rude sa zida. +onset.power = Da bi snabdevao plazma bušilicu [accent]energijom[], izučite i postavite :beam-node: [accent]snopnu diodu[].\nPovežite turbinski kondezator i plazma bušilicu. +onset.ducts = Izučite i postavite :duct: [accent]kanale[] da bi ste pomerili iskopane resurse iz plazma bušilice u jezgro.\nKliknite i držite da bi ste postavili više kanala.\n[accent]Scroll[] da rotirate. +onset.ducts.mobile = Izučite i postavite :duct: [accent]kanale[] da bi ste pomerili iskopane resurse iz plazma bušilice u jezgro.\n\nDržite vaš prst na sekundu i vucite da bi ste postavili više kanala. onset.moremine = Proširite rudarsku operaciju.\nPostavite dodatne Plazma Bušilice i koristite snopne diode i kanale kao potporu.\nIskopajte 200 berilijuma. -onset.graphite = Složenije građevine zahtevaju \uf835 [accent]grafit[].\nPostavite plazma bušilice da bi ste iskopali grafit. -onset.research2 = Započnite izučavanje [accent]fabrika[].\nIzučite \uf74d [accent]planinolome[] i \uf779 [accent]elektrolučnu silicijumsku pećnicu[]. -onset.arcfurnace = Elektrolučna pećnica zahteva \uf834 [accent]pesak[] i \uf835 [accent]grafit[] da bi proizveo \uf82f [accent]silicijum[].\nIsto tako je potrebna [accent]Energija[]. -onset.crusher = Koristite \uf74d [accent]planilonome[] da kopate pesak. -onset.fabricator = Use [accent]units[] to explore the map, defend buildings, and attack the enemy. Research and place a \uf6a2 [accent]tank fabricator[]. +onset.graphite = Složenije građevine zahtevaju :graphite: [accent]grafit[].\nPostavite plazma bušilice da bi ste iskopali grafit. +onset.research2 = Započnite izučavanje [accent]fabrika[].\nIzučite :cliff-crusher: [accent]planinolome[] i :silicon-arc-furnace: [accent]elektrolučnu silicijumsku pećnicu[]. +onset.arcfurnace = Elektrolučna pećnica zahteva :sand: [accent]pesak[] i :graphite: [accent]grafit[] da bi proizveo :silicon: [accent]silicijum[].\nIsto tako je potrebna [accent]Energija[]. +onset.crusher = Koristite :cliff-crusher: [accent]planilonome[] da kopate pesak. +onset.fabricator = Use [accent]units[] to explore the map, defend buildings, and attack the enemy. Research and place a :tank-fabricator: [accent]tank fabricator[]. onset.makeunit = Proizvedi jedinicu.\nKoristite "?" da bi ste videli šta fabrika zahteva. -onset.turrets = Jedinice su efikasne, ali [accent]platforme[] imaju veći odbrambeni potencijal ako su efikasno postavljene.\nPostavite \uf6eb [accent]Proboj[] platformu.\nPlatforme zahtevaju \uf748 [accent]municiju[]. +onset.turrets = Jedinice su efikasne, ali [accent]platforme[] imaju veći odbrambeni potencijal ako su efikasno postavljene.\nPostavite :breach: [accent]Proboj[] platformu.\nPlatforme zahtevaju :beryllium: [accent]municiju[]. onset.turretammo = Snabdevajte platformu sa [accent]berilijumskom municijom.[] -onset.walls = [accent]Zidovi[] mogu da spreče da se šteta nanese na građevine.\nPostavite nekoliko \uf6ee [accent]berilijumskih zidova[] oko platformi. +onset.walls = [accent]Zidovi[] mogu da spreče da se šteta nanese na građevine.\nPostavite nekoliko :beryllium-wall: [accent]berilijumskih zidova[] oko platformi. onset.enemies = Neprijatelj dolazi, spremite se. onset.defenses = [accent]Set up defenses:[lightgray] {0} onset.attack = The enemy is vulnerable. Counter-attack. -onset.cores = Nova jezgra se mogu postaviti na [accent]poljima jezgra[].\nNova jezgra funkcionišu kao prednje baze i dele resursni invetar sa ostalim jezgrima.\nPostavi \uf725 jezgro. +onset.cores = Nova jezgra se mogu postaviti na [accent]poljima jezgra[].\nNova jezgra funkcionišu kao prednje baze i dele resursni invetar sa ostalim jezgrima.\nPostavi :core-bastion: jezgro. onset.detect = Neprijatelj će te primetiti za 2 minuta.\nPostavite odbranu, rudu i proizvodnju. onset.commandmode = Drži [accent]shift[] da bi ušao u [accent]komandni mod[].\n[accent]Levi-klik i vuci[] da izabereš jedinice.\n[accent]Desni-klik[] da bi naredio jedinicama da se kreću ili napadaju. onset.commandmode.mobile = Pritisni [accent]komandno dugme[] da bi ušao [accent]komandni mod[].\nDrži prstom, pritom [accent]vuci[] da izabereš jedinice.\n[accent]Pritisni[] da bi naredio jedinicama da se kreću ili napadaju. diff --git a/core/assets/bundles/bundle_sv.properties b/core/assets/bundles/bundle_sv.properties index dde4d4a9b245..ca5b5fe62cf8 100644 --- a/core/assets/bundles/bundle_sv.properties +++ b/core/assets/bundles/bundle_sv.properties @@ -1910,77 +1910,77 @@ hint.respawn = To respawn as a ship, press [accent][[V][]. hint.respawn.mobile = You have switched control to a unit/structure. To respawn as a ship, [accent]tap the avatar in the top left.[] hint.desktopPause = Press [accent][[Space][] to pause and unpause the game. hint.breaking = [accent]Right-click[] and drag to break blocks. -hint.breaking.mobile = Activate the \ue817 [accent]hammer[] in the bottom right and tap to break blocks.\n\nHold down your finger for a second and drag to break in a selection. +hint.breaking.mobile = Activate the :hammer: [accent]hammer[] in the bottom right and tap to break blocks.\n\nHold down your finger for a second and drag to break in a selection. hint.blockInfo = View information of a block by selecting it in the [accent]build menu[], then selecting the [accent][[?][] button at the right. hint.derelict = [accent]Derelict[] structures are broken remnants of old bases that no longer function.\n\nThese structures can be [accent]deconstructed[] for resources. -hint.research = Use the \ue875 [accent]Research[] button to research new technology. -hint.research.mobile = Use the \ue875 [accent]Research[] button in the \ue88c [accent]Menu[] to research new technology. +hint.research = Use the :tree: [accent]Research[] button to research new technology. +hint.research.mobile = Use the :tree: [accent]Research[] button in the :menu: [accent]Menu[] to research new technology. hint.unitControl = Hold [accent][[L-ctrl][] and [accent]click[] to control friendly units or turrets. hint.unitControl.mobile = [accent][[Double-tap][] to control friendly units or turrets. hint.unitSelectControl = To control units, enter [accent]command mode[] by holding [accent]L-shift.[]\nWhile in command mode, click and drag to select units. [accent]Right-click[] a location or target to command units there. hint.unitSelectControl.mobile = To control units, enter [accent]command mode[] by pressing the [accent]command[] button in the bottom left.\nWhile in command mode, long-press and drag to select units. Tap a location or target to command units there. -hint.launch = Once enough resources are collected, you can [accent]Launch[] by selecting nearby sectors from the \ue827 [accent]Map[] in the bottom right. -hint.launch.mobile = Once enough resources are collected, you can [accent]Launch[] by selecting nearby sectors from the \ue827 [accent]Map[] in the \ue88c [accent]Menu[]. +hint.launch = Once enough resources are collected, you can [accent]Launch[] by selecting nearby sectors from the :map: [accent]Map[] in the bottom right. +hint.launch.mobile = Once enough resources are collected, you can [accent]Launch[] by selecting nearby sectors from the :map: [accent]Map[] in the :menu: [accent]Menu[]. hint.schematicSelect = Hold [accent][[F][] and drag to select blocks to copy and paste.\n\n[accent][[Middle Click][] to copy a single block type. hint.rebuildSelect = Hold [accent][[B][] and drag to select destroyed block plans.\nThis will rebuild them automatically. -hint.rebuildSelect.mobile = Select the \ue874 copy button, then tap the \ue80f rebuild button and drag to select destroyed block plans.\nThis will rebuild them automatically. +hint.rebuildSelect.mobile = Select the :copy: copy button, then tap the :wrench: rebuild button and drag to select destroyed block plans.\nThis will rebuild them automatically. hint.conveyorPathfind = Hold [accent][[L-Ctrl][] while dragging conveyors to automatically generate a path. -hint.conveyorPathfind.mobile = Enable \ue844 [accent]diagonal mode[] and drag conveyors to automatically generate a path. +hint.conveyorPathfind.mobile = Enable :diagonal: [accent]diagonal mode[] and drag conveyors to automatically generate a path. hint.boost = Hold [accent][[L-Shift][] to fly over obstacles with your current unit.\n\nOnly a few ground units have boosters. hint.payloadPickup = Press [accent][[[] to pick up small blocks or units. hint.payloadPickup.mobile = [accent]Tap and hold[] a small block or unit to pick it up. hint.payloadDrop = Press [accent]][] to drop a payload. hint.payloadDrop.mobile = [accent]Tap and hold[] an empty location to drop a payload there. hint.waveFire = [accent]Wave[] turrets with water as ammunition will automatically put out nearby fires. -hint.generator = \uf879 [accent]Combustion Generators[] burn coal and transmit power to adjacent blocks.\n\nPower transmission range can be extended with \uf87f [accent]Power Nodes[]. -hint.guardian = [accent]Guardian[] units are armored. Weak ammo such as [accent]Copper[] and [accent]Lead[] is [scarlet]not effective[].\n\nUse higher tier turrets or \uf835 [accent]Graphite[] \uf861Duo/\uf859Salvo ammunition to take Guardians down. -hint.coreUpgrade = Cores can be upgraded by [accent]placing higher-tier cores over them[].\n\nPlace a \uf868 [accent]Foundation[] core over the \uf869 [accent]Shard[] core. Make sure it is free from nearby obstructions. +hint.generator = :combustion-generator: [accent]Combustion Generators[] burn coal and transmit power to adjacent blocks.\n\nPower transmission range can be extended with :power-node: [accent]Power Nodes[]. +hint.guardian = [accent]Guardian[] units are armored. Weak ammo such as [accent]Copper[] and [accent]Lead[] is [scarlet]not effective[].\n\nUse higher tier turrets or :graphite: [accent]Graphite[] :duo:Duo/:salvo:Salvo ammunition to take Guardians down. +hint.coreUpgrade = Cores can be upgraded by [accent]placing higher-tier cores over them[].\n\nPlace a :core-foundation: [accent]Foundation[] core over the :core-shard: [accent]Shard[] core. Make sure it is free from nearby obstructions. hint.presetLaunch = Gray [accent]landing zone sectors[], such as [accent]Frozen Forest[], can be launched to from anywhere. They do not require capture of nearby territory.\n\n[accent]Numbered sectors[], such as this one, are [accent]optional[]. hint.presetDifficulty = This sector has a [scarlet]high enemy threat level[].\nLaunching to such sectors is [accent]not recommended[] without proper technology and preparation. hint.coreIncinerate = After the core is filled to capacity with an item, any extra items of that type it receives will be [accent]incinerated[]. hint.factoryControl = To set a unit factory's [accent]output destination[], click a factory block while in command mode, then right-click a location.\nUnits produced by it will automatically move there. hint.factoryControl.mobile = To set a unit factory's [accent]output destination[], tap a factory block while in command mode, then tap a location.\nUnits produced by it will automatically move there. -gz.mine = Move near the \uf8c4 [accent]copper ore[] on the ground and click to begin mining. -gz.mine.mobile = Move near the \uf8c4 [accent]copper ore[] on the ground and tap it to begin mining. -gz.research = Open the \ue875 tech tree.\nResearch the \uf870 [accent]Mechanical Drill[], then select it from the menu in the bottom right.\nClick on a copper patch to place it. -gz.research.mobile = Open the \ue875 tech tree.\nResearch the \uf870 [accent]Mechanical Drill[], then select it from the menu in the bottom right.\nTap on a copper patch to place it.\n\nPress the \ue800 [accent]checkmark[] at the bottom right to confirm. -gz.conveyors = Research and place \uf896 [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nClick and drag to place multiple conveyors.\n[accent]Scroll[] to rotate. -gz.conveyors.mobile = Research and place \uf896 [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nHold down your finger for a second and drag to place multiple conveyors. +gz.mine = Move near the :ore-copper: [accent]copper ore[] on the ground and click to begin mining. +gz.mine.mobile = Move near the :ore-copper: [accent]copper ore[] on the ground and tap it to begin mining. +gz.research = Open the :tree: tech tree.\nResearch the :mechanical-drill: [accent]Mechanical Drill[], then select it from the menu in the bottom right.\nClick on a copper patch to place it. +gz.research.mobile = Open the :tree: tech tree.\nResearch the :mechanical-drill: [accent]Mechanical Drill[], then select it from the menu in the bottom right.\nTap on a copper patch to place it.\n\nPress the \ue800 [accent]checkmark[] at the bottom right to confirm. +gz.conveyors = Research and place :conveyor: [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nClick and drag to place multiple conveyors.\n[accent]Scroll[] to rotate. +gz.conveyors.mobile = Research and place :conveyor: [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nHold down your finger for a second and drag to place multiple conveyors. gz.drills = Expand the mining operation.\nPlace more Mechanical Drills.\nMine 100 copper. -gz.lead = \uf837 [accent]Lead[] is another commonly used resource.\nSet up drills to mine lead. -gz.moveup = \ue804 Move up for further objectives. -gz.turrets = Research and place 2 \uf861 [accent]Duo[] turrets to defend the core.\nDuo turrets require \uf838 [accent]ammo[] from conveyors. +gz.lead = :lead: [accent]Lead[] is another commonly used resource.\nSet up drills to mine lead. +gz.moveup = :up: Move up for further objectives. +gz.turrets = Research and place 2 :duo: [accent]Duo[] turrets to defend the core.\nDuo turrets require \uf838 [accent]ammo[] from conveyors. gz.duoammo = Supply the Duo turrets with [accent]copper[], using conveyors. -gz.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace \uf8ae [accent]copper walls[] around the turrets. +gz.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace :copper-wall: [accent]copper walls[] around the turrets. gz.defend = Enemy incoming, prepare to defend. -gz.aa = Flying units cannot easily be dispatched with standard turrets.\n\uf860 [accent]Scatter[] turrets provide excellent anti-air, but require \uf837 [accent]lead[] as ammo. +gz.aa = Flying units cannot easily be dispatched with standard turrets.\n:scatter: [accent]Scatter[] turrets provide excellent anti-air, but require :lead: [accent]lead[] as ammo. gz.scatterammo = Supply the Scatter turret with [accent]lead[], using conveyors. gz.supplyturret = [accent]Supply Turret gz.zone1 = This is the enemy drop zone. gz.zone2 = Anything built in the radius is destroyed when a wave starts. gz.zone3 = A wave will begin now.\nGet ready. gz.finish = Build more turrets, mine more resources,\nand defend against all the waves to [accent]capture the sector[]. -onset.mine = Click to mine \uf748 [accent]beryllium[] from walls.\n\nUse [accent][[WASD] to move. -onset.mine.mobile = Tap to mine \uf748 [accent]beryllium[] from walls. -onset.research = Open the \ue875 tech tree.\nResearch, then place a \uf73e [accent]turbine condenser[] on the vent.\nThis will generate [accent]power[]. -onset.bore = Research and place a \uf741 [accent]plasma bore[].\nThis automatically mines resources from walls. -onset.power = To [accent]power[] the plasma bore, research and place a \uf73d [accent]beam node[].\nConnect the turbine condenser to the plasma bore. -onset.ducts = Research and place \uf799 [accent]ducts[] to move the mined resources from the plasma bore to the core.\nClick and drag to place multiple ducts.\n[accent]Scroll[] to rotate. -onset.ducts.mobile = Research and place \uf799 [accent]ducts[] to move the mined resources from the plasma bore to the core.\n\nHold down your finger for a second and drag to place multiple ducts. +onset.mine = Click to mine :beryllium: [accent]beryllium[] from walls.\n\nUse [accent][[WASD] to move. +onset.mine.mobile = Tap to mine :beryllium: [accent]beryllium[] from walls. +onset.research = Open the :tree: tech tree.\nResearch, then place a :turbine-condenser: [accent]turbine condenser[] on the vent.\nThis will generate [accent]power[]. +onset.bore = Research and place a :plasma-bore: [accent]plasma bore[].\nThis automatically mines resources from walls. +onset.power = To [accent]power[] the plasma bore, research and place a :beam-node: [accent]beam node[].\nConnect the turbine condenser to the plasma bore. +onset.ducts = Research and place :duct: [accent]ducts[] to move the mined resources from the plasma bore to the core.\nClick and drag to place multiple ducts.\n[accent]Scroll[] to rotate. +onset.ducts.mobile = Research and place :duct: [accent]ducts[] to move the mined resources from the plasma bore to the core.\n\nHold down your finger for a second and drag to place multiple ducts. onset.moremine = Expand the mining operation.\nPlace more Plasma Bores and use beam nodes and ducts to support them.\nMine 200 beryllium. -onset.graphite = More complex blocks require \uf835 [accent]graphite[].\nSet up plasma bores to mine graphite. -onset.research2 = Begin researching [accent]factories[].\nResearch the \uf74d [accent]cliff crusher[] and \uf779 [accent]silicon arc furnace[]. -onset.arcfurnace = The arc furnace needs \uf834 [accent]sand[] and \uf835 [accent]graphite[] to create \uf82f [accent]silicon[].\n[accent]Power[] is also required. -onset.crusher = Use \uf74d [accent]cliff crushers[] to mine sand. -onset.fabricator = Use [accent]units[] to explore the map, defend buildings, and attack the enemy. Research and place a \uf6a2 [accent]tank fabricator[]. +onset.graphite = More complex blocks require :graphite: [accent]graphite[].\nSet up plasma bores to mine graphite. +onset.research2 = Begin researching [accent]factories[].\nResearch the :cliff-crusher: [accent]cliff crusher[] and :silicon-arc-furnace: [accent]silicon arc furnace[]. +onset.arcfurnace = The arc furnace needs :sand: [accent]sand[] and :graphite: [accent]graphite[] to create :silicon: [accent]silicon[].\n[accent]Power[] is also required. +onset.crusher = Use :cliff-crusher: [accent]cliff crushers[] to mine sand. +onset.fabricator = Use [accent]units[] to explore the map, defend buildings, and attack the enemy. Research and place a :tank-fabricator: [accent]tank fabricator[]. onset.makeunit = Produce a unit.\nUse the "?" button to see selected factory requirements. -onset.turrets = Units are effective, but [accent]turrets[] provide better defensive capabilities if used effectively.\nPlace a \uf6eb [accent]Breach[] turret.\nTurrets require \uf748 [accent]ammo[]. +onset.turrets = Units are effective, but [accent]turrets[] provide better defensive capabilities if used effectively.\nPlace a :breach: [accent]Breach[] turret.\nTurrets require :beryllium: [accent]ammo[]. onset.turretammo = Supply the turret with [accent]beryllium ammo.[] -onset.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace some \uf6ee [accent]beryllium walls[] around the turret. +onset.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace some :beryllium-wall: [accent]beryllium walls[] around the turret. onset.enemies = Enemy incoming, prepare to defend. onset.defenses = [accent]Set up defenses:[lightgray] {0} onset.attack = The enemy is vulnerable. Counter-attack. -onset.cores = New cores can be placed on [accent]core tiles[].\nNew cores function as forward bases and share a resource inventory with other cores.\nPlace a \uf725 core. +onset.cores = New cores can be placed on [accent]core tiles[].\nNew cores function as forward bases and share a resource inventory with other cores.\nPlace a :core-bastion: core. onset.detect = The enemy will be able to detect you in 2 minutes.\nSet up defenses, mining, and production. onset.commandmode = Hold [accent]shift[] to enter [accent]command mode[].\n[accent]Left-click and drag[] to select units.\n[accent]Right-click[] to order selected units to move or attack. onset.commandmode.mobile = Press the [accent]command button[] to enter [accent]command mode[].\nHold down a finger, then [accent]drag[] to select units.\n[accent]Tap[] to order selected units to move or attack. diff --git a/core/assets/bundles/bundle_th.properties b/core/assets/bundles/bundle_th.properties index cfa3fa00b45a..b53b032c4b14 100644 --- a/core/assets/bundles/bundle_th.properties +++ b/core/assets/bundles/bundle_th.properties @@ -1928,51 +1928,51 @@ hint.respawn = ถ้าอยากเกิดใหม่ ให้กดป hint.respawn.mobile = คุณกำลังควบคุมยูนิตหรือบล็อกอยู่ ถ้าจะเกิดใหม่เป็นยาน [accent]กดที่รูปอวาตาร์ซ้ายบน[] hint.desktopPause = กด [accent][[Space][] เพื่อหยุดชั่วคราวหรือเล่นต่อ hint.breaking = [accent]คลิ๊กขวา[] แล้วลากเพื่อทำลายบล็อก -hint.breaking.mobile = เปิดใช้ \ue817 [accent]ค้อน[] ตรงล่างขวาแล้วเลือกเพื่อทำลายบล็อก\n\nเอานิ้วจิ้มลงไปสักแป๊บนึงแล้วลากเพื่อเลือกหลายๆ อัน +hint.breaking.mobile = เปิดใช้ :hammer: [accent]ค้อน[] ตรงล่างขวาแล้วเลือกเพื่อทำลายบล็อก\n\nเอานิ้วจิ้มลงไปสักแป๊บนึงแล้วลากเพื่อเลือกหลายๆ อัน hint.blockInfo = ดูข้อมูลของบล็อกโดยการเลือกจาก[accent]เมนูการสร้าง[] แล้วกดที่รูป [accent][[?][] ตรงด้านขวา hint.derelict = สิ่งก่อสร้างที่ถูก[accent]ทิ้งร้าง[]คือเศษซากพังทลายของฐานเก่าแก่ที่ไม่สามารถใช้งานได้แล้ว\n\nสิ่งก่อสร้างพวกนี้สามารถ[accent]ทุบทิ้ง[]เพื่อเก็บเกี่ยวทรัพยากรที่อยู่ในนั้นได้ -hint.research = กดปุ่ม \ue875 [accent]วิจัย[] เพื่อวิจัยเทคโนโลยีใหม่ๆ -hint.research.mobile = กดปุ่ม \ue875 [accent]วิจัย[] ใน \ue88c [accent]เมนู[] เพื่อวิจัยเทคโนโลยีใหม่ๆ +hint.research = กดปุ่ม :tree: [accent]วิจัย[] เพื่อวิจัยเทคโนโลยีใหม่ๆ +hint.research.mobile = กดปุ่ม :tree: [accent]วิจัย[] ใน :menu: [accent]เมนู[] เพื่อวิจัยเทคโนโลยีใหม่ๆ hint.unitControl = กด [accent][[L-Ctrl][] ค้างไว้แล้วกด[accent]คลิ๊ก[]เพื่อควบคุมยานพันธมิตรหรือป้อมปืน hint.unitControl.mobile = [accent][[กดสองครั้ง][] เพื่อควบคุมยานพันธมิตรหรือป้อมปืน hint.unitSelectControl = เพื่อที่จะควบคุมยูนิต ให้เปิด[accent]โหมดสั่งการ[]โดยการกด [accent]L-shift[]\nระหว่างที่อยู่ในโหมดสั่งการ ให้คลิ๊กแล้วลากเพื่อเลือกยูนิต แล้ว[accent]คลิ๊กขวา[]ที่ตำแหน่งหรือเป้าหมายเพื่อสั่งการให้ยูนิตไปที่นั่น hint.unitSelectControl.mobile = เพื่อที่จะควบคุมยูนิต ให้เปิด[accent]โหมดสั่งการ[]โดยการกดปุ่ม[accent]สั่งการ[]ที่ซ้ายล่างของจอ\nระหว่างที่อยู่ในโหมดสั่งการ ให้กดค้างแล้วลากเพื่อเลือกยูนิต แล้วกดที่ตำแหน่งหรือเป้าหมายเพื่อสั่งการให้ยูนิตไปที่นั่น -hint.launch = เมื่อเก็บทรัพยากรเยอะพอ คุณสามารถ[accent]ส่งแกนกลาง[]ไปยังเซ็กเตอร์ถัดไปโดยการเลือกเซ็กเตอร์จาก \ue827 [accent]แผนที่[] ตรงขวาล่าง -hint.launch.mobile = เมื่อเก็บทรัพยากรเยอะพอ คุณสามารถ[accent]ส่งแกนกลาง[]ไปยังเซ็กเตอร์ถัดไปโดยการเลือกเซ็กเตอร์จาก \ue827 [accent]แผนที่[] ใน \ue88c [accent]เมนู[] +hint.launch = เมื่อเก็บทรัพยากรเยอะพอ คุณสามารถ[accent]ส่งแกนกลาง[]ไปยังเซ็กเตอร์ถัดไปโดยการเลือกเซ็กเตอร์จาก :map: [accent]แผนที่[] ตรงขวาล่าง +hint.launch.mobile = เมื่อเก็บทรัพยากรเยอะพอ คุณสามารถ[accent]ส่งแกนกลาง[]ไปยังเซ็กเตอร์ถัดไปโดยการเลือกเซ็กเตอร์จาก :map: [accent]แผนที่[] ใน :menu: [accent]เมนู[] hint.schematicSelect = กด [accent][[F][] แล้วลากเพื่อเลือกบล็อกที่จะคัดลอกและวาง\n\n[accent][[คลิ๊กกลาง][] เพื่อคัดลอกบล็อกชนิดเดียว hint.rebuildSelect = กด [accent][[B][] แล้วลากเพื่อเลือกแผนบล็อกที่ถูกทำลาย\nแผนบล็อกที่เลือกจะถูกสร้างใหม้โดยอัตโนมัติ -hint.rebuildSelect.mobile = กดปุ่ม \ue874 คัดลอก แล้วกดปุ่ม \ue80f สร้างใหม่แล้วลากเพื่อเลือกแผนบล็อกที่ถูกทำลาย\nแผนบล็อกที่เลือกจะถูกสร้างใหม้โดยอัตโนมัติ +hint.rebuildSelect.mobile = กดปุ่ม :copy: คัดลอก แล้วกดปุ่ม :wrench: สร้างใหม่แล้วลากเพื่อเลือกแผนบล็อกที่ถูกทำลาย\nแผนบล็อกที่เลือกจะถูกสร้างใหม้โดยอัตโนมัติ hint.conveyorPathfind = กด [accent][[L-Ctrl][] ในขณะที่กำลังลากสายพานเพื่อสร้างเส้นทางแบบอัตโนมัติ -hint.conveyorPathfind.mobile = เปิดใช้งาน \ue844 [accent]โหมดแนวทแยง[] แล้วลากสายพานเพื่อสร้างเส้นทางแบบอัตโนมัติ +hint.conveyorPathfind.mobile = เปิดใช้งาน :diagonal: [accent]โหมดแนวทแยง[] แล้วลากสายพานเพื่อสร้างเส้นทางแบบอัตโนมัติ hint.boost = กด [accent][[L-Shift][] เพื่อบูสต์ข้ามสิ่งกีดขวางด้วยยูนิตของคุณ\n\nยูนิตพื้นดินบางประเภทเท่านั้นที่บินได้ hint.payloadPickup = กด [accent][[[] เพื่อหยิบบล็อกเล็กๆ หรือยูนิต hint.payloadPickup.mobile = [accent]กดค้างไว้[]ที่บล็อกเล็กๆ หรือตัวยูนิตเพื่อหยิบขึ้นมา hint.payloadDrop = กด [accent]][] เพื่อวางสิ่งที่บรรทุกอยู่ hint.payloadDrop.mobile = [accent]กดค้างไว้[]ที่พื้นที่โล่งๆ เพื่อวางสิ่งที่บรรทุกอยู่ hint.waveFire = ป้อมปืน[accent]คลื่นน้ำ[]หากเติมน้ำเข้าไปจะช่วยดับไฟรอบข้างให้อัตโนมัติ -hint.generator = \uf879 [accent]เครื่องกำเนิดไฟฟ้าเผาไหม้[]จะเผาถ่านและส่งพลังงานไปยังบล็อกที่อยู่ใกล้ๆ\n\nระยะของพลังงานสามารถขยายได้ด้วย \uf87f [accent]ตัวจ่ายพลังงาน[] -hint.guardian = หน่วย[accent]ผู้พิทักษ์[]มีเกราะป้องกันหนาแน่น กระสุนเปราะบางอย่าง[accent]ทองแดง[]และ[accent]ตะกั่ว[][scarlet]ไม่มีประสิทธิภาพ[]\n\nควรใช้ป้อมปืนที่ดีกว่านี้หรือใช้ \uf835 [accent]กราไฟท์[]ใส่ใน \uf861 ดูโอ/ \uf859 ซัลโวเป็นกระสุนเพื่อทำลายผู้พิทักษ์ -hint.coreUpgrade = สามารถอัปเกรดแกนกลางได้โดย[accent]วางแกนกลางที่ใหญ่กว่าทับมัน[]\n\nวาง \uf868 [accent]แกนกลาง: ฟาวน์เดชั่น[]ทับ \uf869 [accent]แกนกลาง: ชาร์ด[] ต้องแน่ใจว่ารอบข้างมีที่ว่างก่อนจะวาง +hint.generator = :combustion-generator: [accent]เครื่องกำเนิดไฟฟ้าเผาไหม้[]จะเผาถ่านและส่งพลังงานไปยังบล็อกที่อยู่ใกล้ๆ\n\nระยะของพลังงานสามารถขยายได้ด้วย :power-node: [accent]ตัวจ่ายพลังงาน[] +hint.guardian = หน่วย[accent]ผู้พิทักษ์[]มีเกราะป้องกันหนาแน่น กระสุนเปราะบางอย่าง[accent]ทองแดง[]และ[accent]ตะกั่ว[][scarlet]ไม่มีประสิทธิภาพ[]\n\nควรใช้ป้อมปืนที่ดีกว่านี้หรือใช้ :graphite: [accent]กราไฟท์[]ใส่ใน :duo: ดูโอ/ :salvo: ซัลโวเป็นกระสุนเพื่อทำลายผู้พิทักษ์ +hint.coreUpgrade = สามารถอัปเกรดแกนกลางได้โดย[accent]วางแกนกลางที่ใหญ่กว่าทับมัน[]\n\nวาง :core-foundation: [accent]แกนกลาง: ฟาวน์เดชั่น[]ทับ :core-shard: [accent]แกนกลาง: ชาร์ด[] ต้องแน่ใจว่ารอบข้างมีที่ว่างก่อนจะวาง hint.presetLaunch = [accent]เซ็กเตอร์ลงจอด[]สีเทา อย่างเช่น[accent]ป่าหนาวเหน็บ[] สามารถลงจอดจากที่ไหนที่ได้ในแผนที่ พวกนั้นไม่จำเป็นต้องยืดครองเซ็กเตอร์รอบข้างเพื่อส่งแกนกลางไป\n\n[accent]เซ็กเตอร์ที่มีเลข[] อย่างเช่นอันนี้[accent]ไม่จำเป็น[]ต้องยืดครอง hint.presetDifficulty = เซ็กเตอร์นี้มี[scarlet]ระดับภัยคุกคามศัตรูสูง[]\n[accent]ไม่แนะนำ[]ให้ลงจอดไปยังเซ็กเซอร์พวกนั้นหากไม่มีการเตรียมพร้อมและเทคโนโลยี hint.coreIncinerate = เมื่อแกนกลางมีจำนวนไอเท็มชนิดหนึ่งที่กักเก็บไว้เต็ม ไอเท็มชนิดนั้นที่เข้ามาเพิ่มจะ[accent]ถูกเผา[] hint.factoryControl = เพื่อที่จะตั้ง[accent]ตำแหน่งการส่งออก[]ของโรงงานยูนิต ให้กดที่โรงงานยูนิตในระหว่างที่อยู่ในโหมดสั่งการ แล้วกดคลิ๊กขวาที่ตำแหน่งที่ต้องการตั้ง\nยูนิตที่ถูกผลิตจะขยับออกมาที่จุดที่ตั้งโดยอัตโนมัติ hint.factoryControl.mobile = เพื่อที่จะตั้ง[accent]ตำแหน่งการส่งออก[]ของโรงงานยูนิต ให้กดที่โรงงานยูนิตในระหว่างที่อยู่ในโหมดสั่งการ แล้วกดที่ตำแหน่งที่ต้องการตั้ง\nยูนิตที่ถูกผลิตจะขยับออกมาที่จุดที่ตั้งโดยอัตโนมัติ -gz.mine = ขยับเข้าไปใกล้ๆ กับ \uf8c4 [accent]แร่ทองแดง[]ที่อยู่บนพื้นแล้วคลิ๊กเพื่อเริ่มการขุด -gz.mine.mobile = ขยับเข้าไปใกล้ๆ กับ \uf8c4 [accent]แร่ทองแดง[]ที่อยู่บนพื้นแล้วกดที่แร่เพื่อเริ่มการขุด -gz.research = เปิด \ue875 ต้นไม้แห่งเทคโนโลยี\nวิจัย \uf870 [accent]เครื่องขุดเชิงกล[] แล้วกดเลือกจากเมนูตรงแถบขวาล่าง\nคลิ๊กที่กลุ่มแร่ทองแดงเพื่อวางที่ขุด -gz.research.mobile = เปิด \ue875 ต้นไม้แห่งเทคโนโลยี\nวิจัย \uf870 [accent]เครื่องขุดเชิงกล[] แล้วกดเลือกจากเมนูตรงแถบขวาล่าง\nกดที่กลุ่มแร่ทองแดงเพื่อวางที่ขุด\n\nกดปุ่ม \ue800 [accent]ติ๊กถูก[]ที่แถบล่างขวาเพื่อยืนยัน -gz.conveyors = วิจัยและวาง \uf896 [accent]สายพาน[] เพื่อเคลื่อนย้ายทรัพยากรที่ขุดมาได้\nจากที่ขุดไปยังแกนกลาง\n\nกดคลิ๊กแล้วลากเพื่อวางสายพานหลายๆ อันให้เป็นทาง\n[accent]หมุนเม้าส์[]เพื่อหมุน -gz.conveyors.mobile = วิจัยและวาง \uf896 [accent]สายพาน[] เพื่อเคลื่อนย้ายทรัพยากรที่ขุดมาได้\nจากที่ขุดไปยังแกนกลาง\n\nใช้นิ้วกดค้างที่ตำแหน่งซักวิแล้วลากเพื่อวางสายพานหลายๆ อันให้เป็นทาง +gz.mine = ขยับเข้าไปใกล้ๆ กับ :ore-copper: [accent]แร่ทองแดง[]ที่อยู่บนพื้นแล้วคลิ๊กเพื่อเริ่มการขุด +gz.mine.mobile = ขยับเข้าไปใกล้ๆ กับ :ore-copper: [accent]แร่ทองแดง[]ที่อยู่บนพื้นแล้วกดที่แร่เพื่อเริ่มการขุด +gz.research = เปิด :tree: ต้นไม้แห่งเทคโนโลยี\nวิจัย :mechanical-drill: [accent]เครื่องขุดเชิงกล[] แล้วกดเลือกจากเมนูตรงแถบขวาล่าง\nคลิ๊กที่กลุ่มแร่ทองแดงเพื่อวางที่ขุด +gz.research.mobile = เปิด :tree: ต้นไม้แห่งเทคโนโลยี\nวิจัย :mechanical-drill: [accent]เครื่องขุดเชิงกล[] แล้วกดเลือกจากเมนูตรงแถบขวาล่าง\nกดที่กลุ่มแร่ทองแดงเพื่อวางที่ขุด\n\nกดปุ่ม \ue800 [accent]ติ๊กถูก[]ที่แถบล่างขวาเพื่อยืนยัน +gz.conveyors = วิจัยและวาง :conveyor: [accent]สายพาน[] เพื่อเคลื่อนย้ายทรัพยากรที่ขุดมาได้\nจากที่ขุดไปยังแกนกลาง\n\nกดคลิ๊กแล้วลากเพื่อวางสายพานหลายๆ อันให้เป็นทาง\n[accent]หมุนเม้าส์[]เพื่อหมุน +gz.conveyors.mobile = วิจัยและวาง :conveyor: [accent]สายพาน[] เพื่อเคลื่อนย้ายทรัพยากรที่ขุดมาได้\nจากที่ขุดไปยังแกนกลาง\n\nใช้นิ้วกดค้างที่ตำแหน่งซักวิแล้วลากเพื่อวางสายพานหลายๆ อันให้เป็นทาง gz.drills = ขยายปฎิบัติการขุด\nวางเครื่องขุดเชิงกลเพิ่ม\nขุดทองแดง 100 ชิ้น -gz.lead = \uf837 [accent]ตะกั่ว[]เป็นทรัพยากรอีกชนิดที่ใช้กันอย่างแพร่หลาย\nตั้งเครื่องขุดเพื่อขุดแร่ตะกั่ว -gz.moveup = \ue804 ขยับขึ้นเพื่อไปยังเป้าหมายถัดไป -gz.turrets = วิจัยและวางป้อมปืน \uf861 [accent]ดูโอ้[]สองป้อมเพื่อปกป้องแกนกลางจากศัตรู\nป้อมปืนดูโอ้ต้องการ \uf838 [accent]กระสุน[]จากสายพาน +gz.lead = :lead: [accent]ตะกั่ว[]เป็นทรัพยากรอีกชนิดที่ใช้กันอย่างแพร่หลาย\nตั้งเครื่องขุดเพื่อขุดแร่ตะกั่ว +gz.moveup = :up: ขยับขึ้นเพื่อไปยังเป้าหมายถัดไป +gz.turrets = วิจัยและวางป้อมปืน :duo: [accent]ดูโอ้[]สองป้อมเพื่อปกป้องแกนกลางจากศัตรู\nป้อมปืนดูโอ้ต้องการ \uf838 [accent]กระสุน[]จากสายพาน gz.duoammo = เติมกระสุนให้แก่ป้อมปืนดูโอ้ด้วย[accent]ทองแดง[] โดยใช้สายพาน -gz.walls = [accent]กำแพง[]สามารถป้องกันความเสียหายที่จะมาถึงให้ไม่ไปโดนสิ่งก่อสร้างได้\nวาง \uf8ae [accent]กำแพงทองแดง[]รอบๆ ป้อมปืน +gz.walls = [accent]กำแพง[]สามารถป้องกันความเสียหายที่จะมาถึงให้ไม่ไปโดนสิ่งก่อสร้างได้\nวาง :copper-wall: [accent]กำแพงทองแดง[]รอบๆ ป้อมปืน gz.defend = ศัตรูกำลังจะเข้ามา เตรียมตัวป้องกันให้ดี -gz.aa = ป้อมปืนมาตรฐานไม่สามารถจัดการยูนิตบินได้เร็วพอ\nป้อมปืน \uf860 [accent]สแก็ตเตอร์[]นี้สามารถที่จะต่อต้านยูนิตบินได้อย่างดีเยี่ยม แต่ต้องใช้ \uf837 [accent]ตะกั่ว[]เป็นกระสุน +gz.aa = ป้อมปืนมาตรฐานไม่สามารถจัดการยูนิตบินได้เร็วพอ\nป้อมปืน :scatter: [accent]สแก็ตเตอร์[]นี้สามารถที่จะต่อต้านยูนิตบินได้อย่างดีเยี่ยม แต่ต้องใช้ :lead: [accent]ตะกั่ว[]เป็นกระสุน gz.scatterammo = เติมกระสุนให้แก่ป้อมปืนสแก็ตเตอร์ด้วย[accent]ตะกั่ว[] โดยใช้สายพาน gz.supplyturret = [accent]เติมกระสุนป้อมปืน gz.zone1 = นี่คือจุดเกิดของศัตรู @@ -1980,27 +1980,27 @@ gz.zone2 = สิ่งก่อสร้างทุกอย่างในร gz.zone3 = คลื่นกำลังจะเริ่มขึ้นแล้ว\nเตรียมตัวให้พร้อม gz.finish = สร้างป้อมปืนเพิ่ม ขุดทรัพยากรให้ได้มากกว่านี้\nแล้วป้องกันคลื่นทั้งหมดเพื่อ[accent]ยึดครองเซ็กเตอร์[] -onset.mine = กดคลิ๊กซ้ายเพื่อขุด \uf748 [accent]เบริลเลี่ยม[] จากกำแพง\n\nกด [accent][[WASD][] เพื่อขยับ -onset.mine.mobile = กดที่หน้าจอเพื่อขุด \uf748 [accent]เบริลเลี่ยม[] จากกำแพง -onset.research = เปิดหน้า \ue875 ต้นไม้แห่งเทคโนโลยี\nวิจัย แล้ววาง \uf73e [accent]เครื่องควบแน่นกังหัน[] บนปล่อง\nเครื่องนี้จะผลิต[accent]พลังงาน[] -onset.bore = วิจัยและวาง \uf741 [accent]เครื่องขุดเจาะพลาสม่า[]\nเครื่องนี้จะขุดทรัพยากรที่อยู่ในกำแพงให้โดยอัตโนมัติ -onset.power = เพื่อที่จะ[accent]จ่ายพลังงาน[]ให้กับเครื่องขุดเจาะพลาสม่า วิจัยและวาง \uf73d [accent]โหนดลำแสง[]\nลากโหนดเพื่อเชื่อมต่อเครื่องควบแน่นกังหันกับเครื่องขุดเจาะพลาสม่า -onset.ducts = วิจัยและวาง \uf799 [accent]ท่อสูญญากาศ[]เพื่อเคลื่อนย้ายทรัพยากรที่ขุดมาได้จากเครื่องขุดเจาะพลาสม่าไปยังแกนกลาง\nกดคลิ๊กแล้วลากเพื่อวางท่อสูญญากาศหลายๆ ท่อให้เป็นทาง\n[accent]หมุนเม้าส์[]เพื่อหมุน -onset.ducts.mobile = วิจัยและวาง \uf799 [accent]ท่อสูญญากาศ[]เพื่อเคลื่อนย้ายทรัพยากรที่ขุดมาได้จากเครื่องขุดเจาะพลาสม่าไปยังแกนกลาง\n\nใช้นิ้วกดค้างที่ตำแหน่งซักวิแล้วลากเพื่อวางท่อสูญญากาศหลายๆ ท่อให้เป็นทาง +onset.mine = กดคลิ๊กซ้ายเพื่อขุด :beryllium: [accent]เบริลเลี่ยม[] จากกำแพง\n\nกด [accent][[WASD][] เพื่อขยับ +onset.mine.mobile = กดที่หน้าจอเพื่อขุด :beryllium: [accent]เบริลเลี่ยม[] จากกำแพง +onset.research = เปิดหน้า :tree: ต้นไม้แห่งเทคโนโลยี\nวิจัย แล้ววาง :turbine-condenser: [accent]เครื่องควบแน่นกังหัน[] บนปล่อง\nเครื่องนี้จะผลิต[accent]พลังงาน[] +onset.bore = วิจัยและวาง :plasma-bore: [accent]เครื่องขุดเจาะพลาสม่า[]\nเครื่องนี้จะขุดทรัพยากรที่อยู่ในกำแพงให้โดยอัตโนมัติ +onset.power = เพื่อที่จะ[accent]จ่ายพลังงาน[]ให้กับเครื่องขุดเจาะพลาสม่า วิจัยและวาง :beam-node: [accent]โหนดลำแสง[]\nลากโหนดเพื่อเชื่อมต่อเครื่องควบแน่นกังหันกับเครื่องขุดเจาะพลาสม่า +onset.ducts = วิจัยและวาง :duct: [accent]ท่อสูญญากาศ[]เพื่อเคลื่อนย้ายทรัพยากรที่ขุดมาได้จากเครื่องขุดเจาะพลาสม่าไปยังแกนกลาง\nกดคลิ๊กแล้วลากเพื่อวางท่อสูญญากาศหลายๆ ท่อให้เป็นทาง\n[accent]หมุนเม้าส์[]เพื่อหมุน +onset.ducts.mobile = วิจัยและวาง :duct: [accent]ท่อสูญญากาศ[]เพื่อเคลื่อนย้ายทรัพยากรที่ขุดมาได้จากเครื่องขุดเจาะพลาสม่าไปยังแกนกลาง\n\nใช้นิ้วกดค้างที่ตำแหน่งซักวิแล้วลากเพื่อวางท่อสูญญากาศหลายๆ ท่อให้เป็นทาง onset.moremine = ขยายปฎิบัติการขุด\nวางเครื่องขุดเจาะพลาสม่าเพิ่มแล้วใช้โหนดลำแสงเพื่อจ่ายพลังงานให้กับมัน\nขุดเบริลเลี่ยม 200 ชิ้น -onset.graphite = บล็อกที่สูงขั้นกว่าจำเป็นต้องใช้ \uf835 [accent]กราไฟต์[]\nจัดตั้งเครื่องขุดเจาะพลาสม่าเพื่อขุดกราไฟต์ -onset.research2 = เริ่มการวิจัย[accent]โรงงาน[]\nวิจัย \uf74d [accent]เครื่องบดหน้าผา[]และ \uf779 [accent]เตาหลอมไฟฟ้าซิลิกอน[] -onset.arcfurnace = เตาหลอมไฟฟ้าจะต้องใช้ \uf834 [accent]ทราย[]และ \uf835 [accent]กราไฟต์[]เพื่อผลิต \uf82f [accent]ซิลิกอน[]\nการผลิตจำเป็นจะต้องใช้[accent]พลังงาน[]ด้วย -onset.crusher = ใช้ \uf74d [accent]เครื่องบดหน้าผา[]เพื่อผลิตทราย -onset.fabricator = ใช้[accent]ยูนิต[]เพื่อสำรวจพื้นที่ ป้องกันสิ่งก่อสร้าง และโจมตีศัตรู วิจัยและวาง \uf6a2 [accent]เครื่องสรรค์สร้างรถถัง[] +onset.graphite = บล็อกที่สูงขั้นกว่าจำเป็นต้องใช้ :graphite: [accent]กราไฟต์[]\nจัดตั้งเครื่องขุดเจาะพลาสม่าเพื่อขุดกราไฟต์ +onset.research2 = เริ่มการวิจัย[accent]โรงงาน[]\nวิจัย :cliff-crusher: [accent]เครื่องบดหน้าผา[]และ :silicon-arc-furnace: [accent]เตาหลอมไฟฟ้าซิลิกอน[] +onset.arcfurnace = เตาหลอมไฟฟ้าจะต้องใช้ :sand: [accent]ทราย[]และ :graphite: [accent]กราไฟต์[]เพื่อผลิต :silicon: [accent]ซิลิกอน[]\nการผลิตจำเป็นจะต้องใช้[accent]พลังงาน[]ด้วย +onset.crusher = ใช้ :cliff-crusher: [accent]เครื่องบดหน้าผา[]เพื่อผลิตทราย +onset.fabricator = ใช้[accent]ยูนิต[]เพื่อสำรวจพื้นที่ ป้องกันสิ่งก่อสร้าง และโจมตีศัตรู วิจัยและวาง :tank-fabricator: [accent]เครื่องสรรค์สร้างรถถัง[] onset.makeunit = ผลิตยูนิตขึ้นมา\nใช้ปุ่ม "?" เพื่อดูความต้องการทรัพยากรของแต่ละโรงงานที่เลือกมา -onset.turrets = ยูนิตนั้นมีประสิทธิภาพ แต่[accent]ป้อมปืน[]นั้นสามารถที่จะใช้ตั้งรับได้ดีกว่าหากใช้อย่างมีประสิทธิภาพ\nวางป้อมปืน \uf6eb [accent]บรีช[]\nป้อมปืนจำเป็นจะต้องใช้ \uf748 [accent]กระสุน[] +onset.turrets = ยูนิตนั้นมีประสิทธิภาพ แต่[accent]ป้อมปืน[]นั้นสามารถที่จะใช้ตั้งรับได้ดีกว่าหากใช้อย่างมีประสิทธิภาพ\nวางป้อมปืน :breach: [accent]บรีช[]\nป้อมปืนจำเป็นจะต้องใช้ :beryllium: [accent]กระสุน[] onset.turretammo = เติมกระสุนให้แก่ป้อมปืนด้วย[accent]กระสุนเบริลเลี่ยม[] -onset.walls = [accent]กำแพง[]สามารถป้องกันความเสียหายที่จะมาถึงให้ไม่ไปโดนสิ่งก่อสร้างได้\nวางกำแพง \uf6ee [accent]กำแพงเบริลเลี่ยม[]รอบๆ ป้อมปืน +onset.walls = [accent]กำแพง[]สามารถป้องกันความเสียหายที่จะมาถึงให้ไม่ไปโดนสิ่งก่อสร้างได้\nวางกำแพง :beryllium-wall: [accent]กำแพงเบริลเลี่ยม[]รอบๆ ป้อมปืน onset.enemies = ศัตรูกำลังจะเข้ามา เตรียมตัวป้องกันให้ดี onset.defenses = [accent]ติดตั้งแนวป้องกัน:[lightgray] {0} onset.attack = ศัตรูอ่อนแอลงแล้ว ตอบโต้กลับ -onset.cores = แกนกลางใหม่สามารถวางได้บน[accent]โซนแกนกลาง[]\nแกนกลางใหม่จะทำหน้าที่เป็นฐานทัพด่านหน้าและจะแบ่งปันทรัพยากรกับแกนกลางอื่นๆ\nวาง \uf725 แกนกลาง +onset.cores = แกนกลางใหม่สามารถวางได้บน[accent]โซนแกนกลาง[]\nแกนกลางใหม่จะทำหน้าที่เป็นฐานทัพด่านหน้าและจะแบ่งปันทรัพยากรกับแกนกลางอื่นๆ\nวาง :core-bastion: แกนกลาง onset.detect = ศัตรูจะสามารถตรวจจับการมีอยู่ของคุณได้ในอีก 2 นาที\nจัดตั้งกองกำลังป้องกัน ปฏิบัติการขุด และการผลิต #Don't translate these yet! diff --git a/core/assets/bundles/bundle_tk.properties b/core/assets/bundles/bundle_tk.properties index 0a25f7d1bd7f..6fdfcb0029df 100644 --- a/core/assets/bundles/bundle_tk.properties +++ b/core/assets/bundles/bundle_tk.properties @@ -1910,77 +1910,77 @@ hint.respawn = To respawn as a ship, press [accent][[V][]. hint.respawn.mobile = You have switched control to a unit/structure. To respawn as a ship, [accent]tap the avatar in the top left.[] hint.desktopPause = Press [accent][[Space][] to pause and unpause the game. hint.breaking = [accent]Right-click[] and drag to break blocks. -hint.breaking.mobile = Activate the \ue817 [accent]hammer[] in the bottom right and tap to break blocks.\n\nHold down your finger for a second and drag to break in a selection. +hint.breaking.mobile = Activate the :hammer: [accent]hammer[] in the bottom right and tap to break blocks.\n\nHold down your finger for a second and drag to break in a selection. hint.blockInfo = View information of a block by selecting it in the [accent]build menu[], then selecting the [accent][[?][] button at the right. hint.derelict = [accent]Derelict[] structures are broken remnants of old bases that no longer function.\n\nThese structures can be [accent]deconstructed[] for resources. -hint.research = Use the \ue875 [accent]Research[] button to research new technology. -hint.research.mobile = Use the \ue875 [accent]Research[] button in the \ue88c [accent]Menu[] to research new technology. +hint.research = Use the :tree: [accent]Research[] button to research new technology. +hint.research.mobile = Use the :tree: [accent]Research[] button in the :menu: [accent]Menu[] to research new technology. hint.unitControl = Hold [accent][[L-ctrl][] and [accent]click[] to control friendly units or turrets. hint.unitControl.mobile = [accent][[Double-tap][] to control friendly units or turrets. hint.unitSelectControl = To control units, enter [accent]command mode[] by holding [accent]L-shift.[]\nWhile in command mode, click and drag to select units. [accent]Right-click[] a location or target to command units there. hint.unitSelectControl.mobile = To control units, enter [accent]command mode[] by pressing the [accent]command[] button in the bottom left.\nWhile in command mode, long-press and drag to select units. Tap a location or target to command units there. -hint.launch = Once enough resources are collected, you can [accent]Launch[] by selecting nearby sectors from the \ue827 [accent]Map[] in the bottom right. -hint.launch.mobile = Once enough resources are collected, you can [accent]Launch[] by selecting nearby sectors from the \ue827 [accent]Map[] in the \ue88c [accent]Menu[]. +hint.launch = Once enough resources are collected, you can [accent]Launch[] by selecting nearby sectors from the :map: [accent]Map[] in the bottom right. +hint.launch.mobile = Once enough resources are collected, you can [accent]Launch[] by selecting nearby sectors from the :map: [accent]Map[] in the :menu: [accent]Menu[]. hint.schematicSelect = Hold [accent][[F][] and drag to select blocks to copy and paste.\n\n[accent][[Middle Click][] to copy a single block type. hint.rebuildSelect = Hold [accent][[B][] and drag to select destroyed block plans.\nThis will rebuild them automatically. -hint.rebuildSelect.mobile = Select the \ue874 copy button, then tap the \ue80f rebuild button and drag to select destroyed block plans.\nThis will rebuild them automatically. +hint.rebuildSelect.mobile = Select the :copy: copy button, then tap the :wrench: rebuild button and drag to select destroyed block plans.\nThis will rebuild them automatically. hint.conveyorPathfind = Hold [accent][[L-Ctrl][] while dragging conveyors to automatically generate a path. -hint.conveyorPathfind.mobile = Enable \ue844 [accent]diagonal mode[] and drag conveyors to automatically generate a path. +hint.conveyorPathfind.mobile = Enable :diagonal: [accent]diagonal mode[] and drag conveyors to automatically generate a path. hint.boost = Hold [accent][[L-Shift][] to fly over obstacles with your current unit.\n\nOnly a few ground units have boosters. hint.payloadPickup = Press [accent][[[] to pick up small blocks or units. hint.payloadPickup.mobile = [accent]Tap and hold[] a small block or unit to pick it up. hint.payloadDrop = Press [accent]][] to drop a payload. hint.payloadDrop.mobile = [accent]Tap and hold[] an empty location to drop a payload there. hint.waveFire = [accent]Wave[] turrets with water as ammunition will automatically put out nearby fires. -hint.generator = \uf879 [accent]Combustion Generators[] burn coal and transmit power to adjacent blocks.\n\nPower transmission range can be extended with \uf87f [accent]Power Nodes[]. -hint.guardian = [accent]Guardian[] units are armored. Weak ammo such as [accent]Copper[] and [accent]Lead[] is [scarlet]not effective[].\n\nUse higher tier turrets or \uf835 [accent]Graphite[] \uf861Duo/\uf859Salvo ammunition to take Guardians down. -hint.coreUpgrade = Cores can be upgraded by [accent]placing higher-tier cores over them[].\n\nPlace a \uf868 [accent]Foundation[] core over the \uf869 [accent]Shard[] core. Make sure it is free from nearby obstructions. +hint.generator = :combustion-generator: [accent]Combustion Generators[] burn coal and transmit power to adjacent blocks.\n\nPower transmission range can be extended with :power-node: [accent]Power Nodes[]. +hint.guardian = [accent]Guardian[] units are armored. Weak ammo such as [accent]Copper[] and [accent]Lead[] is [scarlet]not effective[].\n\nUse higher tier turrets or :graphite: [accent]Graphite[] :duo:Duo/:salvo:Salvo ammunition to take Guardians down. +hint.coreUpgrade = Cores can be upgraded by [accent]placing higher-tier cores over them[].\n\nPlace a :core-foundation: [accent]Foundation[] core over the :core-shard: [accent]Shard[] core. Make sure it is free from nearby obstructions. hint.presetLaunch = Gray [accent]landing zone sectors[], such as [accent]Frozen Forest[], can be launched to from anywhere. They do not require capture of nearby territory.\n\n[accent]Numbered sectors[], such as this one, are [accent]optional[]. hint.presetDifficulty = This sector has a [scarlet]high enemy threat level[].\nLaunching to such sectors is [accent]not recommended[] without proper technology and preparation. hint.coreIncinerate = After the core is filled to capacity with an item, any extra items of that type it receives will be [accent]incinerated[]. hint.factoryControl = To set a unit factory's [accent]output destination[], click a factory block while in command mode, then right-click a location.\nUnits produced by it will automatically move there. hint.factoryControl.mobile = To set a unit factory's [accent]output destination[], tap a factory block while in command mode, then tap a location.\nUnits produced by it will automatically move there. -gz.mine = Move near the \uf8c4 [accent]copper ore[] on the ground and click to begin mining. -gz.mine.mobile = Move near the \uf8c4 [accent]copper ore[] on the ground and tap it to begin mining. -gz.research = Open the \ue875 tech tree.\nResearch the \uf870 [accent]Mechanical Drill[], then select it from the menu in the bottom right.\nClick on a copper patch to place it. -gz.research.mobile = Open the \ue875 tech tree.\nResearch the \uf870 [accent]Mechanical Drill[], then select it from the menu in the bottom right.\nTap on a copper patch to place it.\n\nPress the \ue800 [accent]checkmark[] at the bottom right to confirm. -gz.conveyors = Research and place \uf896 [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nClick and drag to place multiple conveyors.\n[accent]Scroll[] to rotate. -gz.conveyors.mobile = Research and place \uf896 [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nHold down your finger for a second and drag to place multiple conveyors. +gz.mine = Move near the :ore-copper: [accent]copper ore[] on the ground and click to begin mining. +gz.mine.mobile = Move near the :ore-copper: [accent]copper ore[] on the ground and tap it to begin mining. +gz.research = Open the :tree: tech tree.\nResearch the :mechanical-drill: [accent]Mechanical Drill[], then select it from the menu in the bottom right.\nClick on a copper patch to place it. +gz.research.mobile = Open the :tree: tech tree.\nResearch the :mechanical-drill: [accent]Mechanical Drill[], then select it from the menu in the bottom right.\nTap on a copper patch to place it.\n\nPress the \ue800 [accent]checkmark[] at the bottom right to confirm. +gz.conveyors = Research and place :conveyor: [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nClick and drag to place multiple conveyors.\n[accent]Scroll[] to rotate. +gz.conveyors.mobile = Research and place :conveyor: [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nHold down your finger for a second and drag to place multiple conveyors. gz.drills = Expand the mining operation.\nPlace more Mechanical Drills.\nMine 100 copper. -gz.lead = \uf837 [accent]Lead[] is another commonly used resource.\nSet up drills to mine lead. -gz.moveup = \ue804 Move up for further objectives. -gz.turrets = Research and place 2 \uf861 [accent]Duo[] turrets to defend the core.\nDuo turrets require \uf838 [accent]ammo[] from conveyors. +gz.lead = :lead: [accent]Lead[] is another commonly used resource.\nSet up drills to mine lead. +gz.moveup = :up: Move up for further objectives. +gz.turrets = Research and place 2 :duo: [accent]Duo[] turrets to defend the core.\nDuo turrets require \uf838 [accent]ammo[] from conveyors. gz.duoammo = Supply the Duo turrets with [accent]copper[], using conveyors. -gz.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace \uf8ae [accent]copper walls[] around the turrets. +gz.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace :copper-wall: [accent]copper walls[] around the turrets. gz.defend = Enemy incoming, prepare to defend. -gz.aa = Flying units cannot easily be dispatched with standard turrets.\n\uf860 [accent]Scatter[] turrets provide excellent anti-air, but require \uf837 [accent]lead[] as ammo. +gz.aa = Flying units cannot easily be dispatched with standard turrets.\n:scatter: [accent]Scatter[] turrets provide excellent anti-air, but require :lead: [accent]lead[] as ammo. gz.scatterammo = Supply the Scatter turret with [accent]lead[], using conveyors. gz.supplyturret = [accent]Supply Turret gz.zone1 = This is the enemy drop zone. gz.zone2 = Anything built in the radius is destroyed when a wave starts. gz.zone3 = A wave will begin now.\nGet ready. gz.finish = Build more turrets, mine more resources,\nand defend against all the waves to [accent]capture the sector[]. -onset.mine = Click to mine \uf748 [accent]beryllium[] from walls.\n\nUse [accent][[WASD] to move. -onset.mine.mobile = Tap to mine \uf748 [accent]beryllium[] from walls. -onset.research = Open the \ue875 tech tree.\nResearch, then place a \uf73e [accent]turbine condenser[] on the vent.\nThis will generate [accent]power[]. -onset.bore = Research and place a \uf741 [accent]plasma bore[].\nThis automatically mines resources from walls. -onset.power = To [accent]power[] the plasma bore, research and place a \uf73d [accent]beam node[].\nConnect the turbine condenser to the plasma bore. -onset.ducts = Research and place \uf799 [accent]ducts[] to move the mined resources from the plasma bore to the core.\nClick and drag to place multiple ducts.\n[accent]Scroll[] to rotate. -onset.ducts.mobile = Research and place \uf799 [accent]ducts[] to move the mined resources from the plasma bore to the core.\n\nHold down your finger for a second and drag to place multiple ducts. +onset.mine = Click to mine :beryllium: [accent]beryllium[] from walls.\n\nUse [accent][[WASD] to move. +onset.mine.mobile = Tap to mine :beryllium: [accent]beryllium[] from walls. +onset.research = Open the :tree: tech tree.\nResearch, then place a :turbine-condenser: [accent]turbine condenser[] on the vent.\nThis will generate [accent]power[]. +onset.bore = Research and place a :plasma-bore: [accent]plasma bore[].\nThis automatically mines resources from walls. +onset.power = To [accent]power[] the plasma bore, research and place a :beam-node: [accent]beam node[].\nConnect the turbine condenser to the plasma bore. +onset.ducts = Research and place :duct: [accent]ducts[] to move the mined resources from the plasma bore to the core.\nClick and drag to place multiple ducts.\n[accent]Scroll[] to rotate. +onset.ducts.mobile = Research and place :duct: [accent]ducts[] to move the mined resources from the plasma bore to the core.\n\nHold down your finger for a second and drag to place multiple ducts. onset.moremine = Expand the mining operation.\nPlace more Plasma Bores and use beam nodes and ducts to support them.\nMine 200 beryllium. -onset.graphite = More complex blocks require \uf835 [accent]graphite[].\nSet up plasma bores to mine graphite. -onset.research2 = Begin researching [accent]factories[].\nResearch the \uf74d [accent]cliff crusher[] and \uf779 [accent]silicon arc furnace[]. -onset.arcfurnace = The arc furnace needs \uf834 [accent]sand[] and \uf835 [accent]graphite[] to create \uf82f [accent]silicon[].\n[accent]Power[] is also required. -onset.crusher = Use \uf74d [accent]cliff crushers[] to mine sand. -onset.fabricator = Use [accent]units[] to explore the map, defend buildings, and attack the enemy. Research and place a \uf6a2 [accent]tank fabricator[]. +onset.graphite = More complex blocks require :graphite: [accent]graphite[].\nSet up plasma bores to mine graphite. +onset.research2 = Begin researching [accent]factories[].\nResearch the :cliff-crusher: [accent]cliff crusher[] and :silicon-arc-furnace: [accent]silicon arc furnace[]. +onset.arcfurnace = The arc furnace needs :sand: [accent]sand[] and :graphite: [accent]graphite[] to create :silicon: [accent]silicon[].\n[accent]Power[] is also required. +onset.crusher = Use :cliff-crusher: [accent]cliff crushers[] to mine sand. +onset.fabricator = Use [accent]units[] to explore the map, defend buildings, and attack the enemy. Research and place a :tank-fabricator: [accent]tank fabricator[]. onset.makeunit = Produce a unit.\nUse the "?" button to see selected factory requirements. -onset.turrets = Units are effective, but [accent]turrets[] provide better defensive capabilities if used effectively.\nPlace a \uf6eb [accent]Breach[] turret.\nTurrets require \uf748 [accent]ammo[]. +onset.turrets = Units are effective, but [accent]turrets[] provide better defensive capabilities if used effectively.\nPlace a :breach: [accent]Breach[] turret.\nTurrets require :beryllium: [accent]ammo[]. onset.turretammo = Supply the turret with [accent]beryllium ammo.[] -onset.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace some \uf6ee [accent]beryllium walls[] around the turret. +onset.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace some :beryllium-wall: [accent]beryllium walls[] around the turret. onset.enemies = Enemy incoming, prepare to defend. onset.defenses = [accent]Set up defenses:[lightgray] {0} onset.attack = The enemy is vulnerable. Counter-attack. -onset.cores = New cores can be placed on [accent]core tiles[].\nNew cores function as forward bases and share a resource inventory with other cores.\nPlace a \uf725 core. +onset.cores = New cores can be placed on [accent]core tiles[].\nNew cores function as forward bases and share a resource inventory with other cores.\nPlace a :core-bastion: core. onset.detect = The enemy will be able to detect you in 2 minutes.\nSet up defenses, mining, and production. onset.commandmode = Hold [accent]shift[] to enter [accent]command mode[].\n[accent]Left-click and drag[] to select units.\n[accent]Right-click[] to order selected units to move or attack. onset.commandmode.mobile = Press the [accent]command button[] to enter [accent]command mode[].\nHold down a finger, then [accent]drag[] to select units.\n[accent]Tap[] to order selected units to move or attack. diff --git a/core/assets/bundles/bundle_tr.properties b/core/assets/bundles/bundle_tr.properties index ebd85eab4445..3978e284afe9 100644 --- a/core/assets/bundles/bundle_tr.properties +++ b/core/assets/bundles/bundle_tr.properties @@ -1924,77 +1924,77 @@ hint.respawn = Tekrar doğmak için, [accent][[V][] ye bas. hint.respawn.mobile = Bir Bina veya Birimi kontrol ediyorsun. Tekrar doğmak için, [accent]sol üstteki avatara tıkla.[] hint.desktopPause = [accent][[Boşluk][] tuşuna basarak oyunu durdurup yeniden başlata bilrisin. hint.breaking = Blokları silmek için silmek istediğiniz objelerin üstüne [accent]Sağ Tıklayın[]. Birden fazla obje silmek için sağ tuşu basılı tutun ve farenizi sürükleyin. -hint.breaking.mobile = Ekranın sağ altındaki \ue817 [accent]çekiç[] tuşuna basın ve silmek istediğiniz objelere tıklayın. \n\nBirden fazla obje silmek için parmağınızı ekranda 1 saniye basılı tutun ve parmağınızı sürükleyin. +hint.breaking.mobile = Ekranın sağ altındaki :hammer: [accent]çekiç[] tuşuna basın ve silmek istediğiniz objelere tıklayın. \n\nBirden fazla obje silmek için parmağınızı ekranda 1 saniye basılı tutun ve parmağınızı sürükleyin. hint.blockInfo = Bir blok hakkında bilgiyi görüntülemek için [accent]inşa menüsüne[] tıklayın. Sonra sağdaki [accent][[?][] sembolüne tıklayın. hint.derelict = [accent]Sahipsiz[] binalar artık çalışmaz durumdadır. \n\nBu binaları [accent]yıkarsanız[] size malzeme verirler. -hint.research = \ue875 [accent]Araştırma[] sekmesini kullanarak yeni teknolojiler araştırabilirsiniz. -hint.research.mobile = \ue88c [accent]Menüdeki[] \ue875 [accent]Araştırma[] sekmesini kullanarak yeni teknolojiler araştırabilirsiniz. +hint.research = :tree: [accent]Araştırma[] sekmesini kullanarak yeni teknolojiler araştırabilirsiniz. +hint.research.mobile = :menu: [accent]Menüdeki[] :tree: [accent]Araştırma[] sekmesini kullanarak yeni teknolojiler araştırabilirsiniz. hint.unitControl = Kendi takımınızdaki taret ve birimleri kontrol etmek için [accent][[Sol CTRL][] tuşunu basılı tutarak istediğiniz taretin yada birimin üstüne sol tıklayın. hint.unitControl.mobile = Kendi takımınızdaki taret ve birimleri kontrol etmek için istediğiniz taretin yada birimin üstüne [accent][[2 kere tıklayın.][] hint.unitSelectControl = Birim kontrol etmek için [accent]komuta moduna[] geç: [accent]L-shift.[]\nKomuta modunda iken, basılı tut ve sürükle. Bir yere [accent]Sağ-tık[]layarak birimleri oraya yönlendir. hint.unitSelectControl.mobile = Birim kontrol etmek için [accent]komuta moduna[] geç: [accent]komuta[] düğmesine bas.\nKomuta modunda iken, basılı tut ve sürükle. Bir yere tıklayarak birimleri oraya yönlendir. -hint.launch = Yeterince kaynak topladıktan sonra, üssünüzü başka bir sektöre [accent]fırlatmak[] için sağ alttaki \ue827 [accent]harita[] tuşuna basın. -hint.launch.mobile = Yeterince kaynak topladıktan sonra, üssünüzü başka bir sektöre [accent]fırlatmak[] için sağ alttaki \ue88c [accent]menüden[] \ue827 [accent]harita[] tuşuna basın. +hint.launch = Yeterince kaynak topladıktan sonra, üssünüzü başka bir sektöre [accent]fırlatmak[] için sağ alttaki :map: [accent]harita[] tuşuna basın. +hint.launch.mobile = Yeterince kaynak topladıktan sonra, üssünüzü başka bir sektöre [accent]fırlatmak[] için sağ alttaki :menu: [accent]menüden[] :map: [accent]harita[] tuşuna basın. hint.schematicSelect = İstediğiniz blokları kopyalayıp yapıştırmak için [accent][[F][] tuşunu basılı tutun ve farenizi sürükleyin.\n\n[accent][[Orta Tuş'a (Fare Tekerleği'ne)][] basarak tek bir blok seçebilirsiniz. hint.rebuildSelect = [accent][[B][] ye basılı tutarak, yok edilmiş blokları seç.\nBu binaları yeniden inşa etmeni sağlar. -hint.rebuildSelect.mobile = \ue874 kopya tuşunu seç, sonra \ue80f yeniden inşa tuşuna bas ve yok olmuş blok planlarını seçmek için sürükle.\nBu onları otomatik olarak tekrardan inşa edecektir. +hint.rebuildSelect.mobile = :copy: kopya tuşunu seç, sonra :wrench: yeniden inşa tuşuna bas ve yok olmuş blok planlarını seçmek için sürükle.\nBu onları otomatik olarak tekrardan inşa edecektir. hint.conveyorPathfind = Konveyörler ile yol yaparken bir noktadan diğer noktaya otomatik yol oluşturmak için [accent][[Sol CTRL][] tuşunu basılı tutun. -hint.conveyorPathfind.mobile = Konveyörler ile yol yaparken bir noktadan diğer noktaya otomatik yol oluşturmak için \ue844 [accent]Çapraz Mod'u[] etkinleştirin. +hint.conveyorPathfind.mobile = Konveyörler ile yol yaparken bir noktadan diğer noktaya otomatik yol oluşturmak için :diagonal: [accent]Çapraz Mod'u[] etkinleştirin. hint.boost = Bazı yer birimleri duvarların, taretlerin, diğer birimlerin üstünden uçma özelliği vardır. [accent][[Sol Shift][] tuşunu basılı tutarak bazı yer üniteleri ile uçabilirsiniz. hint.payloadPickup = Bazı birimlerin binaları ve birimleri alma özelliği vardır. Bir binanın yada birimin üstündeyken [accent][[[] tuşuna basarak kendinizden küçük binaları ve birimleri alabilirsiniz. hint.payloadPickup.mobile = Bazı birimlerin binaları ve birimleri alma özelliği vardır. Bir binaya yada birime [accent]Tıklayıp Basılı Tutarak[] kendinizden küçük binaları ve birimleri alabilirsiniz. hint.payloadDrop = [accent]][] tuşuna basarak taşıdğınız yükü bırakabilirsiniz. hint.payloadDrop.mobile = Boş bir yere [accent]tıklayıp basılı tutarak[] taşıdığınız yükü bırakabilirsiniz. hint.waveFire = [accent]Wave[] tareti su ile dolu olduğu zaman etrafta çıkan yangınları otomatik olarak söndürür. -hint.generator = \uf879 [accent]Termik Jeneratör[] kömür yakarak enerji üretir.\n\nEnerjiyi bir yerden başka bir yere götürmek için \uf87f [accent]Enerji Noktalarını[] kullanırız. -hint.guardian = [accent]Gardiyan[] birimleri güçlü bir zırha sahiptir. [accent]bakır[] ve [accent]kurşun[] gibi mermilere karşı [scarlet]Dayanıklıdır[].\n\nGardiyanları öldürmek için [accent]salvo[] gibi daha güçlü taretleri ve \uf835 [accent]grafit[] gibi daha çok hasar veren mermileri kullanın. +hint.generator = :combustion-generator: [accent]Termik Jeneratör[] kömür yakarak enerji üretir.\n\nEnerjiyi bir yerden başka bir yere götürmek için :power-node: [accent]Enerji Noktalarını[] kullanırız. +hint.guardian = [accent]Gardiyan[] birimleri güçlü bir zırha sahiptir. [accent]bakır[] ve [accent]kurşun[] gibi mermilere karşı [scarlet]Dayanıklıdır[].\n\nGardiyanları öldürmek için [accent]salvo[] gibi daha güçlü taretleri ve :graphite: [accent]grafit[] gibi daha çok hasar veren mermileri kullanın. hint.coreUpgrade = Merkezinizi, [accent]merkezinizin üstüne daha gelişmiş bir merkez[] koyarak geliştirebilirsiniz. \n\n[accent]Parçacık[] olarak adlandırılan fakirhanenizin üstüne [accent]Temel[] olarak adlandırılan merkezinizi koyun. Merkezinizin etrafında hiçbir yapı olmamalıdır. hint.presetLaunch = [accent]Donmuş Ormanlar[] gibi [accent]ana sektörlere iniş[] herhangi bir yerden yapılabilir. Yakındaki bir sektörden fırlatma gerektirmez.\n\nBunun gibi [accent]sayı ile isimlendirilmiş[] sektörleri ele geçirmek [accent]isteğe bağlıdır.[]. hint.presetDifficulty = Bu sektör, [scarlet]yüksek tehlike[] barındırıyor.\nBöyle bir sektöre hazırlıksız fırlatış yapmak [accent]tavsiye edilmez[]. hint.coreIncinerate = Bir merkez ağzına kadar dolduktan sonra, ekstra itemler [accent]eritilir[]. hint.factoryControl = Bir Birim Fabrikasının [accent]üretim noktasını[] seçmek için Komuta modundayken sol tıkla ve ardından birimlerin gitmesini isteidğin noktaya sağ tıkla.\nÜretilen birimler, otomatik o noktaya gidecektir. hint.factoryControl.mobile = Bir Birim Fabrikasının [accent]üretim noktasını[] seçmek için Komuta modundayken tıkla ve ardından birimlerin gitmesini isteidğin noktaya tıkla.\nÜretilen birimler, otomatik o noktaya gidecektir. -gz.mine = \uf8c4 [accent]Bakır madeni[]nin yanına giderek üzerine tıklayarak kazmaya başla. -gz.mine.mobile = \uf8c4 [accent]Bakır madeni[]nin yanına giderek üzerine tıklayarak kazmaya başla. -gz.research = \ue875 Teknoloji Ağacını aç.\n\uf870 [accent]Mekanik Matkap[]'ı aç, ardından sağ alttaki menüden seç.\nBakır madenine tıklayarak üzerine matkapı yerleştir. -gz.research.mobile = \ue875 Teknoloji Ağacını aç.\n\uf870 [accent]Mekanik Matkap[]'ı aç, ardından sağ alttaki menüden seç.\nBakır madenine tıklayarak üzerine matkapı yerleştir.\n\nArdından \ue800 [accent]tik[] tuşuna basarak inşayı onayla. -gz.conveyors = \uf896 [accent]Konveyör[]'ü aç ve yerleştirerek madenleri merkeze taşı.\n\nBasılı tutup sürükleyerek birden fazla konveyör koy.\n[accent]Scroll[] ile döndür. -gz.conveyors.mobile = \uf896 [accent]Konveyör[]'ü aç ve yerleştirerek madenleri merkeze taşı.\n\nBasılı tutup sürükleyerek birden fazla konveyör koy. +gz.mine = :ore-copper: [accent]Bakır madeni[]nin yanına giderek üzerine tıklayarak kazmaya başla. +gz.mine.mobile = :ore-copper: [accent]Bakır madeni[]nin yanına giderek üzerine tıklayarak kazmaya başla. +gz.research = :tree: Teknoloji Ağacını aç.\n:mechanical-drill: [accent]Mekanik Matkap[]'ı aç, ardından sağ alttaki menüden seç.\nBakır madenine tıklayarak üzerine matkapı yerleştir. +gz.research.mobile = :tree: Teknoloji Ağacını aç.\n:mechanical-drill: [accent]Mekanik Matkap[]'ı aç, ardından sağ alttaki menüden seç.\nBakır madenine tıklayarak üzerine matkapı yerleştir.\n\nArdından \ue800 [accent]tik[] tuşuna basarak inşayı onayla. +gz.conveyors = :conveyor: [accent]Konveyör[]'ü aç ve yerleştirerek madenleri merkeze taşı.\n\nBasılı tutup sürükleyerek birden fazla konveyör koy.\n[accent]Scroll[] ile döndür. +gz.conveyors.mobile = :conveyor: [accent]Konveyör[]'ü aç ve yerleştirerek madenleri merkeze taşı.\n\nBasılı tutup sürükleyerek birden fazla konveyör koy. gz.drills = Operasyonunu genişlet.\nDaha fazla Mekanik Matkap yerleştir.\n100 Bakır kaz. -gz.lead = \uf837 [accent]Kurşun[], kullanılan basit madenlerden biridir.\nKurşun kazmak için matkap kullan. -gz.moveup = \ue804 Daha fazla talimat için yukarı ilerle. -gz.turrets = 2 adet\uf861 [accent]Duo[] tareti araştır ve koy.\nDuo tareti bakır\uf838 [accent]mermi[]ye ihtiyaç duyar. +gz.lead = :lead: [accent]Kurşun[], kullanılan basit madenlerden biridir.\nKurşun kazmak için matkap kullan. +gz.moveup = :up: Daha fazla talimat için yukarı ilerle. +gz.turrets = 2 adet:duo: [accent]Duo[] tareti araştır ve koy.\nDuo tareti bakır\uf838 [accent]mermi[]ye ihtiyaç duyar. gz.duoammo = Duo'ya konveyörler ile [accent]bakır[] besle. -gz.walls = [accent]Duvarlar[] gelen hasarı engelleyebilir.\nSilahların etrafına, koruma amçlı\uf8ae [accent]Bakır Duvar[] inşa et. +gz.walls = [accent]Duvarlar[] gelen hasarı engelleyebilir.\nSilahların etrafına, koruma amçlı:copper-wall: [accent]Bakır Duvar[] inşa et. gz.defend = DÜŞMAN GELİYO!!! Hazırlan. -gz.aa = Uçan birimler standart taretlerle kolay kolay durdurulamaz..\n\uf860 Onları daha kolay durdurmak için, [accent]Scatter[] tareti kullan, ancak mermi olarak\uf837 [accent]kurşun[] gerektirir. +gz.aa = Uçan birimler standart taretlerle kolay kolay durdurulamaz..\n:scatter: Onları daha kolay durdurmak için, [accent]Scatter[] tareti kullan, ancak mermi olarak:lead: [accent]kurşun[] gerektirir. gz.scatterammo = Scatter taretini [accent]kurşun[] ile besle. gz.supplyturret = [accent]Tareti Besle gz.zone1 = Burası düşman iniş noktası. gz.zone2 = Buraya inşa edilien her şey otomatik yok edilir! gz.zone3 = Dalga başlamak üzere.\nHazır ol. Dikkat! ... Korkma sönmez bu şafak- gz.finish = Daha fazla taret inşa et, daha fazla maden kaz\nve tüm dalgaları yenerek [accent]sektörü feth et[]. Bol şans, RTOmega. -onset.mine = Tıklayarak, duvarlardan\uf748 [accent]berillyum[] kaz.\n\n[accent][[WASD] ile hareket et. -onset.mine.mobile = Tıklayarak, duvarlardan\uf748 [accent]berillyum[] kaz. -onset.research = \ue875 Teknoloji Ağacını aç.\n\uf73e [accent]Türbin Sıkıştırıcı[]'sını aç ve bir bacanın üstüne yerleştir.\nBu [accent]enerji[] üretecktir. -onset.bore = \uf741[accent]Plazma Kayalık Kazıcı[]'yı araştır ve koy.\nBu durvarlardan otomatik kum kazacak. -onset.power = Plazma kazıcıya [accent]enerji[] vermek için\uf73d [accent]Işın Noktası[]'nı araştır ve inşa et.\nTürbin Sıkıştırıcısı'nı Plazma Kazıcıya bağla. -onset.ducts = \uf799[accent]Tüp[]'ü aç ve konveyör gibi kullanarak madenleri merkeze taşı.\nTıklayığ basılı tutarak birden fazla tüp koy.\n[accent]Scroll[] ile döndür. -onset.ducts.mobile = \uf799[accent]Tüp[]'ü aç ve konveyör gibi kullanarak madenleri merkeze taşı.\nTıklayığ basılı tutarak birden fazla tüp koy. +onset.mine = Tıklayarak, duvarlardan:beryllium: [accent]berillyum[] kaz.\n\n[accent][[WASD] ile hareket et. +onset.mine.mobile = Tıklayarak, duvarlardan:beryllium: [accent]berillyum[] kaz. +onset.research = :tree: Teknoloji Ağacını aç.\n:turbine-condenser: [accent]Türbin Sıkıştırıcı[]'sını aç ve bir bacanın üstüne yerleştir.\nBu [accent]enerji[] üretecktir. +onset.bore = :plasma-bore:[accent]Plazma Kayalık Kazıcı[]'yı araştır ve koy.\nBu durvarlardan otomatik kum kazacak. +onset.power = Plazma kazıcıya [accent]enerji[] vermek için:beam-node: [accent]Işın Noktası[]'nı araştır ve inşa et.\nTürbin Sıkıştırıcısı'nı Plazma Kazıcıya bağla. +onset.ducts = :duct:[accent]Tüp[]'ü aç ve konveyör gibi kullanarak madenleri merkeze taşı.\nTıklayığ basılı tutarak birden fazla tüp koy.\n[accent]Scroll[] ile döndür. +onset.ducts.mobile = :duct:[accent]Tüp[]'ü aç ve konveyör gibi kullanarak madenleri merkeze taşı.\nTıklayığ basılı tutarak birden fazla tüp koy. onset.moremine = Kazı operasyonunu genişlet.\nDaha fazla Plazma Kayalık Kazıcı inşa et.\n200 Berilyum kaz. -onset.graphite = Daha gelişmiş bloklar\uf835 [accent]grafit[] gerektirir.\nGafit kazmak için Plazma Kayalık Kazıcıları inşa et. -onset.research2 = [accent]Fabrikaları[] araştırmaya başla.\n\uf74d[accent]Kayalık Delici[] ve\uf779 [accent]Ark Silikon Fırını[]'nı araştır. -onset.arcfurnace = Ark Fırın,\uf834 [accent]kum[] ve \uf835 [accent]grafit[]'ten \uf82f [accent]silikon[] üret.\nBu işlem [accent]Enerji[] de gerektirir. -onset.crusher = \uf74d [accent]Kayalık Delici[] kullanarak kum kaz. -onset.fabricator = [accent]Birim[] kullanarak haritayı gez, binalarını koru ve düşmanları alt et. \uf6a2 [accent]Tank İnşaatcı[]'sını araştır ve inşa et. +onset.graphite = Daha gelişmiş bloklar:graphite: [accent]grafit[] gerektirir.\nGafit kazmak için Plazma Kayalık Kazıcıları inşa et. +onset.research2 = [accent]Fabrikaları[] araştırmaya başla.\n:cliff-crusher:[accent]Kayalık Delici[] ve:silicon-arc-furnace: [accent]Ark Silikon Fırını[]'nı araştır. +onset.arcfurnace = Ark Fırın,:sand: [accent]kum[] ve :graphite: [accent]grafit[]'ten :silicon: [accent]silikon[] üret.\nBu işlem [accent]Enerji[] de gerektirir. +onset.crusher = :cliff-crusher: [accent]Kayalık Delici[] kullanarak kum kaz. +onset.fabricator = [accent]Birim[] kullanarak haritayı gez, binalarını koru ve düşmanları alt et. :tank-fabricator: [accent]Tank İnşaatcı[]'sını araştır ve inşa et. onset.makeunit = Bir Birim üret.\n"?" tuşunu kullanarak gereksinimleri görebilirsin. -onset.turrets = Birimler etkili, ancak [accent]taretler[] daha iyi bir savunma sağlar.\n\uf6eb [accent]Breach[] taretini inşa et.\nTaretler\uf748 [accent]mermi[]ye ihtiyaç duyar. +onset.turrets = Birimler etkili, ancak [accent]taretler[] daha iyi bir savunma sağlar.\n:breach: [accent]Breach[] taretini inşa et.\nTaretler:beryllium: [accent]mermi[]ye ihtiyaç duyar. onset.turretammo = Tareti [accent]berilyum mermi[] ile besle. -onset.walls = [accent]Duvarlar[] gelen hasarı engelleyebilir.\nSilahların etrafına, koruma amçlı\uf8ae [accent]Berilyum Duvar[] inşa et. +onset.walls = [accent]Duvarlar[] gelen hasarı engelleyebilir.\nSilahların etrafına, koruma amçlı:copper-wall: [accent]Berilyum Duvar[] inşa et. onset.enemies = DÜŞMAN GELİYO!!! Hazırlan. onset.defenses = [accent]Set up defenses:[lightgray] {0} onset.attack = Düşman zayıf! Hemen geri dal! -onset.cores = [accent]Merkez Zemin[]lerinin üzerine yeni merkezler inşa edilebilir.\nTüm merkezler birbirleri ile malzemeleri paylaşır.\n\uf725 Bir merkez inşa et. +onset.cores = [accent]Merkez Zemin[]lerinin üzerine yeni merkezler inşa edilebilir.\nTüm merkezler birbirleri ile malzemeleri paylaşır.\n:core-bastion: Bir merkez inşa et. onset.detect = Düşman seni 2 dakika içinde tespit edicek.\nSavunma, maden ve üretime başla. onset.commandmode = [accent]Shift[] e basılı tutarak [accent]Komuta Modu[]na geç.\n[accent]Sol Tıklayıp sürekleyerek[] birim seç.\n[accent]Sağ Tıklayarak[] Birimleri Yönlendir veya saldırt. onset.commandmode.mobile = [accent]Komuta Düğmesine[] basarak [accent]Komuta Moduna[] gir.\nBir Parmağını basılı tut ve değirini [accent]sürükle[]yerek birim seç.\n[accent]Tıkla[]yarak birimleri saldırttırabilir veya yönlendirebilirsin. diff --git a/core/assets/bundles/bundle_uk_UA.properties b/core/assets/bundles/bundle_uk_UA.properties index ea90d894ce01..0fb088d4b0c7 100644 --- a/core/assets/bundles/bundle_uk_UA.properties +++ b/core/assets/bundles/bundle_uk_UA.properties @@ -1937,80 +1937,80 @@ hint.respawn = Для відродження кораблем натисніть hint.respawn.mobile = Ви контролюєте одиницю чи структуру. Щоби відродитися як корабель, [accent]торкніться свого аватара вгорі ліворуч.[] hint.desktopPause = Натисніть [accent][[Пробіл][], щоби зупинити чи продовжити гру. hint.breaking = Натисніть [accent]ПКМ[] і тягніть, щоби зруйнувати блоки. -hint.breaking.mobile = Активуйте \ue817 [accent]молот[] внизу праворуч і зробіть швидке натискання блоків, щоби їх розібрати.\n\nУтримуйте палець протягом секунди й протягніть, щоби розібрати виділене. +hint.breaking.mobile = Активуйте :hammer: [accent]молот[] внизу праворуч і зробіть швидке натискання блоків, щоби їх розібрати.\n\nУтримуйте палець протягом секунди й протягніть, щоби розібрати виділене. hint.blockInfo = Подивіться інформацію про блок. Перейдіть до [accent]меню будівництва[] і натисніть на кнопку [accent][[?][] праворуч. hint.derelict = Будівлі [accent]Переможених[] є зламаними залишками старих баз, що більше не функціонують.\n\nЇх можна [accent]розібрати[] для отримання ресурсів або відбудувати. -hint.research = Використовуйте кнопку \ue875 [accent]Дослідження[] для дослідження нової технології. -hint.research.mobile = Використовуйте \ue875 [accent]Дослідження[] в \ue88c [accent]меню[] для дослідження нової технології. +hint.research = Використовуйте кнопку :tree: [accent]Дослідження[] для дослідження нової технології. +hint.research.mobile = Використовуйте :tree: [accent]Дослідження[] в :menu: [accent]меню[] для дослідження нової технології. hint.unitControl = Утримуйте [accent][[лівий Ctrl][] і [accent]натисніть[] на одиницю чи башту, щоби контролювати її. hint.unitControl.mobile = [accent][Зробіть коротке натискання двічі[], щоби контролювати союзні одиниці чи башти. hint.unitSelectControl = Для керування одиницями увійдіть в [accent]режим командування[], утримуючи [accent]лівий Shift[].\nПеребуваючи в командному режимі, натисніть і протягуйте для вибору одиниць. Натисніть [accent]ПКМ[] на позицію або ціль, щоби віддати наказ одиницям, які там знаходяться. hint.unitSelectControl.mobile = Для керування одиницями увійдіть в [accent]режим командування[], натиснувши кнопку [accent]командувати[] ліворуч знизу.\nПеребуваючи в командному режимі, зробіть довгий натиск і протягуйте для вибору одиниць. Торкніться позиції або цілі, щоби віддати наказ одиницям, які там знаходяться. -hint.launch = Як тільки буде зібрано достатньо ресурсів, ви зможете зробити [accent]Запуск[] до наступних секторів \ue827 [accent]мапи[] внизу праворуч і перейти на нову локацію.. -hint.launch.mobile = Як тільки буде зібрано достатньо ресурсів, ви зможете зробити [accent]Запуск[] за допомогою вибору найближчих секторів з \ue827 [accent]мапи[] у \ue88c [accent]меню[]. +hint.launch = Як тільки буде зібрано достатньо ресурсів, ви зможете зробити [accent]Запуск[] до наступних секторів :map: [accent]мапи[] внизу праворуч і перейти на нову локацію.. +hint.launch.mobile = Як тільки буде зібрано достатньо ресурсів, ви зможете зробити [accent]Запуск[] за допомогою вибору найближчих секторів з :map: [accent]мапи[] у :menu: [accent]меню[]. hint.schematicSelect = Утримуйте [accent][[F][] і тягніть, щоби вибрати блоки для їхнього подальшого копіювання і вставлення.\n\nНатисніть [accent][[СКМ][], щоби скопіювати певний тип блоку. hint.rebuildSelect = Утримуючи [accent][[B][], протягніть, щоби вибрати зруйновані проєкти блоків.\nЦе призведе до їхньої автоматичної перебудови. -hint.rebuildSelect.mobile = Натисніть кнопку \ue874 копіювання, потім натисніть кнопку \ue80f перебудови і перетягніть, щоби вибрати знищені проєкти блоків.\nЦе призведе до їхньої автоматичної перебудови. +hint.rebuildSelect.mobile = Натисніть кнопку :copy: копіювання, потім натисніть кнопку :wrench: перебудови і перетягніть, щоби вибрати знищені проєкти блоків.\nЦе призведе до їхньої автоматичної перебудови. hint.conveyorPathfind = Утримуйте [accent][[лівий Ctrl][], коли тягнете конвеєри, щоб автоматично прокласти шлях. -hint.conveyorPathfind.mobile = Увімкніть \ue844 [accent]діагональний режим[] і тягніть конвеєри, щоб автоматично прокласти шлях. +hint.conveyorPathfind.mobile = Увімкніть :diagonal: [accent]діагональний режим[] і тягніть конвеєри, щоб автоматично прокласти шлях. hint.boost = Утримуйте [accent][[лівий Shift][], щоби літати над перешкодами поточною одиницею.\n\nЛише декілька наземних одиниць мають цю перевагу. hint.payloadPickup = Натисніть [accent][[[], щоби підібрати невеличкі блоки чи одиниці. hint.payloadPickup.mobile = [accent]Натисніть й утримуйте[] невеличкий блок чи одиницю, щоби підібрати їх. hint.payloadDrop = Натисніть [accent]][], щоби вивантажити вантаж. hint.payloadDrop.mobile = [accent]Натисніть[] на вільне місце й [accent]утримуйте[], щоби вивантажити туди вантаж. hint.waveFire = Башта [accent]хвиля[] з водою буде автоматично гасити найближчі пожежі. -hint.generator = \uf879 [accent]Генератори внутрішнього згорання[] спалюють вугілля і передають енергію прилеглим блокам.\n\nРадіус передачі енергії можна збільшити за допомогою \uf87f [accent]силових вузлів[]. -hint.guardian = [accent]Вартові[] одиниці броньовані. Слабкі боєприпаси, як-от [accent]мідь[] чи [accent]свинець[], [scarlet]не є ефективними[].\n\nВикористовуйте башти вищого рангу чи \uf835 [accent]графітові боєприпаси[] для Подвійної башти чи\uf859Залпу, щоб убити Вартових. -hint.coreUpgrade = Ядро можна покращити, якщо [accent]розмістити поверх нього ядро вищого рівня[].\n\nРозмістіть \uf868 ядро [accent]«Штаб»[] поверх \uf869 ядра [accent]«Уламок»[]. Переконайтесь, що поблизу ядер немає перешкод (зайвих блоків). +hint.generator = :combustion-generator: [accent]Генератори внутрішнього згорання[] спалюють вугілля і передають енергію прилеглим блокам.\n\nРадіус передачі енергії можна збільшити за допомогою :power-node: [accent]силових вузлів[]. +hint.guardian = [accent]Вартові[] одиниці броньовані. Слабкі боєприпаси, як-от [accent]мідь[] чи [accent]свинець[], [scarlet]не є ефективними[].\n\nВикористовуйте башти вищого рангу чи :graphite: [accent]графітові боєприпаси[] для Подвійної башти чи:salvo:Залпу, щоб убити Вартових. +hint.coreUpgrade = Ядро можна покращити, якщо [accent]розмістити поверх нього ядро вищого рівня[].\n\nРозмістіть :core-foundation: ядро [accent]«Штаб»[] поверх :core-shard: ядра [accent]«Уламок»[]. Переконайтесь, що поблизу ядер немає перешкод (зайвих блоків). hint.presetLaunch = Сірі [accent]сектори зони посадки[], як-от [accent]Крижаний ліс[], можна запустити з будь-якого місця. Вони не вимагають захоплення сусідньої території.\n\n[accent]Нумеровані сектори[], як цей, [accent]необов’язкові[]. hint.presetDifficulty = Цей сектор має [scarlet]високий рівень ворожої загрози[].\nРобити запуск в такі [accent]не рекомендується[] без належних технологій та підготовки. hint.coreIncinerate = Після того, як ядро наповниться предметом, будь-які додаткові предмети того ж типу, які воно отримує, будуть [accent]спалені[]. hint.factoryControl = Щоб установити [accent]місце виводу[] заводу одиниць, клацніть на неї у режимі командування, потім клацніть ПКМ на місце призначення. \nВироблені нею одиниці автоматично перемістяться туди. hint.factoryControl.mobile = Щоб установити [accent]місце виводу[] заводу одиниць, швидко натисніть на неї у режимі командування, потім зробіть коротке натискання на місце призначення. \nВироблені нею одиниці автоматично перемістяться туди. -gz.mine = Наблизьтеся до \uf8c4 [accent]мідної руди[] і почніть видобувати її. -gz.mine.mobile = Наблизьтеся до \uf8c4 [accent]мідної руди[] і торкніться її, щоби почати видобуток. -gz.research = Відкрийте \ue875 дерево технологій.\nДослідіть \uf870 [accent]механічний бур[], потім виберіть його з правого нижнього меню.\nНатисніть на мідний клаптик, щоби почати видобуток. -gz.research.mobile = Відкрийте \ue875 дерево технологій.\nДослідіть \uf870 [accent]механічний бур[], потім виберіть його з правого нижнього меню.\nТоркніться до мідного клаптика, щоби розмістити його.\n\nНатисніть на\ue800 [accent]галочку[] праворуч внизу для підтвердження. -gz.conveyors = Дослідіть і розташуйте\uf896 [accent]конвеєри[], щоби переміщувати видобуті ресурси\nвід бурів до ядра.\n\nНатисніть і протягніть для розміщення кількох конвеєрів.\n[accent]Прокручуйте[] для обертання. -gz.conveyors.mobile = Дослідіть і розташуйте \uf896 [accent]конвеєри[], щоби переміщувати видобуті ресурси\nвід бурів до ядра.\n\nУтримуйте свій палець близько секунди протягніть його для розміщення кількох конвеєрів. +gz.mine = Наблизьтеся до :ore-copper: [accent]мідної руди[] і почніть видобувати її. +gz.mine.mobile = Наблизьтеся до :ore-copper: [accent]мідної руди[] і торкніться її, щоби почати видобуток. +gz.research = Відкрийте :tree: дерево технологій.\nДослідіть :mechanical-drill: [accent]механічний бур[], потім виберіть його з правого нижнього меню.\nНатисніть на мідний клаптик, щоби почати видобуток. +gz.research.mobile = Відкрийте :tree: дерево технологій.\nДослідіть :mechanical-drill: [accent]механічний бур[], потім виберіть його з правого нижнього меню.\nТоркніться до мідного клаптика, щоби розмістити його.\n\nНатисніть на\ue800 [accent]галочку[] праворуч внизу для підтвердження. +gz.conveyors = Дослідіть і розташуйте:conveyor: [accent]конвеєри[], щоби переміщувати видобуті ресурси\nвід бурів до ядра.\n\nНатисніть і протягніть для розміщення кількох конвеєрів.\n[accent]Прокручуйте[] для обертання. +gz.conveyors.mobile = Дослідіть і розташуйте :conveyor: [accent]конвеєри[], щоби переміщувати видобуті ресурси\nвід бурів до ядра.\n\nУтримуйте свій палець близько секунди протягніть його для розміщення кількох конвеєрів. gz.drills = Наростіть видобуток корисних копалин.\nРозмістіть більше механічних бурів.\nВидобудьте 100 міді. -gz.lead = \uf837 [accent]Свинець[] є ще одним часто використовуваним ресурсом.\nУстановіть бури, щоби розпочати видобуток. -gz.moveup = \ue804 Рухайтеся вперед до подальших цілей. -gz.turrets = Дослідіть і розмістіть 2 \uf861 [accent]подвійні[] башти, щоби захистити ядро.\nПодвійні башти потребують \uf838 [accent]боєприпаси[] з конвеєрів. +gz.lead = :lead: [accent]Свинець[] є ще одним часто використовуваним ресурсом.\nУстановіть бури, щоби розпочати видобуток. +gz.moveup = :up: Рухайтеся вперед до подальших цілей. +gz.turrets = Дослідіть і розмістіть 2 :duo: [accent]подвійні[] башти, щоби захистити ядро.\nПодвійні башти потребують \uf838 [accent]боєприпаси[] з конвеєрів. gz.duoammo = Забезпечте подвійні башти [accent]міддю[], використовуючи конвеєри. -gz.walls = [accent]Стіни[] можуть запобігти потраплянню зустрічних пошкоджень на будівлі\nРозмістіть \uf8ae [accent]мідні стіни[] навколо башт. +gz.walls = [accent]Стіни[] можуть запобігти потраплянню зустрічних пошкоджень на будівлі\nРозмістіть :copper-wall: [accent]мідні стіни[] навколо башт. gz.defend = Ворог наступає, приготуйтеся до оборони. -gz.aa = Повітряні одиниці не можуть бути легко знищені зі стандартними баштами.\n\uf860 Башта [accent]розсіювач[] забезпечує відмінну протиповітряну оборону, але потребує \uf837 [accent]свинець[] як боєприпас. -gz.scatterammo = Забезпечте башту розсіювач \uf837 [accent]свинцем[], використовуючи конвеєр. +gz.aa = Повітряні одиниці не можуть бути легко знищені зі стандартними баштами.\n:scatter: Башта [accent]розсіювач[] забезпечує відмінну протиповітряну оборону, але потребує :lead: [accent]свинець[] як боєприпас. +gz.scatterammo = Забезпечте башту розсіювач :lead: [accent]свинцем[], використовуючи конвеєр. gz.supplyturret = [accent]Постачання до башти gz.zone1 = Це зона висадки ворога. gz.zone2 = Усе, що побудовано в цьому радіусі, знищується, коли починається хвиля. gz.zone3 = Зараз почнеться хвиля.\nПриготуйется gz.finish = Збудуйте більше башт, видобудьте більше ресурсів \nі захистіться проти всіх хвиль, щоби [accent]захопити сектор[]. -onset.mine = Натисніть, щоби видобути \uf748 [accent]берилій[]зі стін.\n\nДля переміщення використовуйте [accent][[WASD]. -onset.mine.mobile = Торкніться, щоби видобути \uf748 [accent]берилій[]зі стін. -onset.research = Відкрийте \ue875 дерево технологій.\nДослідіть, а потім розмістіть \uf73e [accent]Турбінний кондесатор[] на джерелі (отворі).\nЦе буде генерувати [accent]енергію[]. -onset.bore = Дослідіть і розмістіть \uf741 [accent]плазмовий бурильник[].\nВін автоматично видобуває ресурси зі стін. -onset.power = Для підключення [accent]енергії[] до плазмового бурильника, дослідіть і розмістіть \uf73d [accent]променевий вузол[].\nПід’єднайте турбінний коденсатор до плазмового бурильника. -onset.ducts = Дослідіть і розмістіть \uf799 [accent]канали[], щоби переміщувати видобуті ресурси від плазмового бурильника до ядра.\nНатисніть і простягніть, щоби розмістити декілька каналів.\n[accent]Прокрутіть[], щоб обернути. -onset.ducts.mobile = Дослідіть і розмістіть \uf799 [accent]канали[], щоби переміщувати видобуті ресурси від плазмового бурильника до ядра.\n\nУтримуйте свій палець близько секунди і простягніть, щоби розмістити декілька каналів. +onset.mine = Натисніть, щоби видобути :beryllium: [accent]берилій[]зі стін.\n\nДля переміщення використовуйте [accent][[WASD]. +onset.mine.mobile = Торкніться, щоби видобути :beryllium: [accent]берилій[]зі стін. +onset.research = Відкрийте :tree: дерево технологій.\nДослідіть, а потім розмістіть :turbine-condenser: [accent]Турбінний кондесатор[] на джерелі (отворі).\nЦе буде генерувати [accent]енергію[]. +onset.bore = Дослідіть і розмістіть :plasma-bore: [accent]плазмовий бурильник[].\nВін автоматично видобуває ресурси зі стін. +onset.power = Для підключення [accent]енергії[] до плазмового бурильника, дослідіть і розмістіть :beam-node: [accent]променевий вузол[].\nПід’єднайте турбінний коденсатор до плазмового бурильника. +onset.ducts = Дослідіть і розмістіть :duct: [accent]канали[], щоби переміщувати видобуті ресурси від плазмового бурильника до ядра.\nНатисніть і простягніть, щоби розмістити декілька каналів.\n[accent]Прокрутіть[], щоб обернути. +onset.ducts.mobile = Дослідіть і розмістіть :duct: [accent]канали[], щоби переміщувати видобуті ресурси від плазмового бурильника до ядра.\n\nУтримуйте свій палець близько секунди і простягніть, щоби розмістити декілька каналів. onset.moremine = Наростіть видобуток корисних копалин.\nРозмістіть більше плазмових бурильників і використайте променеві вузли та канали для їхнього обслуговування.\nВидобудьте 200 берилію. -onset.graphite = Складніші блоки потребують \uf835 [accent]графіту[].\nУстановіть плазмові бурильники для видобування графіту. -onset.research2 = Почніть дослідження [accent]заводів[].\nДослідіть \uf74d [accent]дробарку скель[] і \uf779 [accent]кремнієву дугову піч[]. -onset.arcfurnace = Дугова піч потребує \uf834 [accent]пісок[] і \uf835 [accent]графіт[] задля \uf82f [accent]кремнію[].\n[accent]Енергія[] також потрібна. -onset.crusher = Використайте \uf74d [accent]дробарку скель[], щоби видобути пісок. -onset.fabricator = Використовуйте [accent]одиниць[] для дослідження, захисту будівель та нападу на ворога. Дослідіть і розмістіть \uf6a2 [accent]танкобудівний завод[]. +onset.graphite = Складніші блоки потребують :graphite: [accent]графіту[].\nУстановіть плазмові бурильники для видобування графіту. +onset.research2 = Почніть дослідження [accent]заводів[].\nДослідіть :cliff-crusher: [accent]дробарку скель[] і :silicon-arc-furnace: [accent]кремнієву дугову піч[]. +onset.arcfurnace = Дугова піч потребує :sand: [accent]пісок[] і :graphite: [accent]графіт[] задля :silicon: [accent]кремнію[].\n[accent]Енергія[] також потрібна. +onset.crusher = Використайте :cliff-crusher: [accent]дробарку скель[], щоби видобути пісок. +onset.fabricator = Використовуйте [accent]одиниць[] для дослідження, захисту будівель та нападу на ворога. Дослідіть і розмістіть :tank-fabricator: [accent]танкобудівний завод[]. onset.makeunit = Виробіть одиницю.\nВикористайте кнопку «?», щоби побачити вимоги для вибраного заводу. -onset.turrets = Одиниці ефективні, але [accent]башти[] забезпечують ліпші оборонні можливості, якщо їх ефективно використовувати.\nУстановіть \uf6eb башту [accent]Прорив[].\nБашти вимагають \uf748 [accent]боєприпасів[]. +onset.turrets = Одиниці ефективні, але [accent]башти[] забезпечують ліпші оборонні можливості, якщо їх ефективно використовувати.\nУстановіть :breach: башту [accent]Прорив[].\nБашти вимагають :beryllium: [accent]боєприпасів[]. onset.turretammo = Забезпечте башту [accent]берилієвими боєприпасами[]. -onset.walls = [accent]Стіни[] cможе запобігти потраплянню зустрічної шкоди на будівлі.\nРозмістіть декілька \uf6ee [accent]берилієвих стін[] навколо башти. +onset.walls = [accent]Стіни[] cможе запобігти потраплянню зустрічної шкоди на будівлі.\nРозмістіть декілька :beryllium-wall: [accent]берилієвих стін[] навколо башти. onset.enemies = Ворог наступає, готуйтеся до оборони. onset.defenses = [accent]Підготуйте захист:[lightgray] {0} onset.attack = Ворог беззахисний. Контратакуйте. -onset.cores = Нові ядра можуть бути розміщені на плитках [accent]зони ядра[].\nНові ядра функціонують як передові бази й мають спільний інвентар ресурсів з іншими ядрами.\nРозмістіть \uf725 ядро. +onset.cores = Нові ядра можуть бути розміщені на плитках [accent]зони ядра[].\nНові ядра функціонують як передові бази й мають спільний інвентар ресурсів з іншими ядрами.\nРозмістіть :core-bastion: ядро. onset.detect = Ворог зможе виявити вас за 2 хвилини.\nОрганізуйте оборону, видобуток корисних копалин та виробництво. #Don't translate these yet! diff --git a/core/assets/bundles/bundle_vi.properties b/core/assets/bundles/bundle_vi.properties index 456218623e9d..8a53278adea0 100644 --- a/core/assets/bundles/bundle_vi.properties +++ b/core/assets/bundles/bundle_vi.properties @@ -1950,79 +1950,79 @@ hint.respawn = Để hồi sinh dưới dạng phi thuyền, nhấn [accent][[V] hint.respawn.mobile = Bạn đã chuyển điều khiển một đơn vị/công trình. Để hồi sinh dưới dạng phi thuyền, [accent]nhấn vào hình đại diện ở phía trên cùng bên trái.[] hint.desktopPause = Nhấn [accent][[Phím cách][] để tạm dừng và tiếp tục trò chơi. hint.breaking = [accent]Nhấn chuột phải[] và kéo để phá vỡ các khối. -hint.breaking.mobile = Kích hoạt \ue817 [accent]cây búa[] ở phía dưới cùng bên phải và nhấn để phá vỡ các khối.\n\nGiữ ngón tay của bạn trong một giây và kéo để phá khối trong vùng được chọn. +hint.breaking.mobile = Kích hoạt :hammer: [accent]cây búa[] ở phía dưới cùng bên phải và nhấn để phá vỡ các khối.\n\nGiữ ngón tay của bạn trong một giây và kéo để phá khối trong vùng được chọn. hint.blockInfo = Xem thông tin của một khối bằng cách chọn nó trong [accent]trình đơn xây dựng[], Sau đó chọn nút [accent][[?][] ở bên phải. hint.derelict = [accent]Bỏ hoang[] là các công trình bị hỏng của các căn cứ cũ mà không còn hoạt động.\n\nCác công trình này có thể [accent]được tháo dỡ[] để nhận được tài nguyên hoặc sửa chữa. -hint.research = Sử dụng nút \ue875 [accent]Nghiên cứu[] để nghiên cứu công nghệ mới. -hint.research.mobile = Sử dụng nút \ue875 [accent]Nghiên cứu[] trong \ue88c [accent]Trình đơn[] để nghiên cứu công nghệ mới. +hint.research = Sử dụng nút :tree: [accent]Nghiên cứu[] để nghiên cứu công nghệ mới. +hint.research.mobile = Sử dụng nút :tree: [accent]Nghiên cứu[] trong :menu: [accent]Trình đơn[] để nghiên cứu công nghệ mới. hint.unitControl = Giữ [accent][[Ctrl trái][] và [accent]nhấn chuột[] để điều khiển thủ công đơn vị của bạn hoặc súng. hint.unitControl.mobile = [accent][[Nhấn đúp][] để điều khiển thủ công đơn vị của bạn hoặc súng. hint.unitSelectControl = Để điều khiển đơn vị, hãy nhấn [accent]chế độ mệnh lệnh[] bằng cách giữ [accent]Shift trái[].\nKhi ở chế độ mệnh lệnh, hãy nhấn và kéo để chọn đơn vị. [accent]Nhấn chuột phải[] vào một vị trí hoặc mục tiêu để ra lệnh đơn vị đến đó. hint.unitSelectControl.mobile = Để điều khiển đơn vị, hãy nhấn [accent]chế độ mệnh lệnh[] bằng cách nhấn nút [accent]mệnh lệnh[] ở phía dưới cùng bên trái.\nKhi ở chế độ mệnh lệnh, hãy nhấn giữ và kéo để chọn đơn vị. Nhấp vào một vị trí hoặc mục tiêu để ra lệnh đơn vị đến đó. -hint.launch = Một khi thu thập đủ tài nguyên, bạn có thể [accent]Phóng[] bằng cách chọn các khu vực lân cận bằng cách mở \ue827 [accent]Bản đồ[] ở phía dưới cùng bên phải, và lướt chọn vị trí mới. -hint.launch.mobile = Một khi thu thập đủ tài nguyên, bạn có thể [accent]Phóng[] bằng cách chọn các khu vực lân cận từ \ue827 [accent]Bản đồ[] trong \ue88c [accent]Trình đơn[]. +hint.launch = Một khi thu thập đủ tài nguyên, bạn có thể [accent]Phóng[] bằng cách chọn các khu vực lân cận bằng cách mở :map: [accent]Bản đồ[] ở phía dưới cùng bên phải, và lướt chọn vị trí mới. +hint.launch.mobile = Một khi thu thập đủ tài nguyên, bạn có thể [accent]Phóng[] bằng cách chọn các khu vực lân cận từ :map: [accent]Bản đồ[] trong :menu: [accent]Trình đơn[]. hint.schematicSelect = Giữ [accent][[F][] và kéo để chọn các khối để sao chép và dán.\n\n[accent][[Nhấn chuột giữa][] để sao chép một kiểu khối đơn lẻ. hint.rebuildSelect = Giữ [accent][[B][] và kéo để chọn các khối đã bị phá hủy.\nChúng sẽ được tự động được xây lại. -hint.rebuildSelect.mobile = Chọn nút \ue874 sao chép, sau đó nhấp nút \ue80f xây lại và kéo để chọn khu vực của các khối đã bị phá hủy.\nViệc này sẽ giúp xây lại chúng một cách tự động. +hint.rebuildSelect.mobile = Chọn nút :copy: sao chép, sau đó nhấp nút :wrench: xây lại và kéo để chọn khu vực của các khối đã bị phá hủy.\nViệc này sẽ giúp xây lại chúng một cách tự động. hint.conveyorPathfind = Giữ [accent][[Ctrl trái][] trong khi kéo băng chuyền để tự động tạo đường dẫn. -hint.conveyorPathfind.mobile = Bật \ue844 [accent]chế độ đường chéo[] và kéo băng chuyền để tự động tạo đường dẫn. +hint.conveyorPathfind.mobile = Bật :diagonal: [accent]chế độ đường chéo[] và kéo băng chuyền để tự động tạo đường dẫn. hint.boost = Giữ [accent][[Shift trái][] bay qua các chướng ngại vật với đơn vị hiện tại của bạn.\n\nChỉ một số đơn vị mặt đất có thể bay được. hint.payloadPickup = Nhấn [accent][[[] để nhặt một khối nhỏ hoặc một đơn vị. hint.payloadPickup.mobile = [accent]Nhấn và giữ[] một khối nhỏ hoặc một đơn vị để nhặt nó. hint.payloadDrop = Nhấn [accent]][] để thả một khối hàng. hint.payloadDrop.mobile = [accent]Nhấn và giữ[] tại một khu vực trống để thả khối hàng tại đó. hint.waveFire = [accent]Wave[] súng có nước làm đạn dược sẽ tự động dập tắt các đám cháy gần đó. -hint.generator = \uf879 [accent]Máy phát điện đốt cháy[] đốt than và truyền năng lượng cho các khối liền kề.\n\nPhạm vi truyền tải năng lượng có thể được mở rộng với \uf87f [accent]Chốt điện[]. -hint.guardian = [accent]Trùm[] được bọc giáp. Sử dụng loại đạn yếu chẳng hạn như [accent]Đồng[] và [accent]Chì[] là [scarlet]không hiệu quả[].\n\nSử dụng súng tiên tiến hơn hoặc sử dụng \uf835 [accent]Than chì[] làm đạn \uf861Duo/\uf859Salvo đạn dược để hạ gục Trùm. -hint.coreUpgrade = Các lõi có thể được nâng cấp bằng cách [accent]đặt lõi cấp cao hơn trên chúng[].\n\nĐặt một lõi \uf868 [accent]Trụ sở[] trên lõi \uf869 [accent]Cơ sở[]. Đảm bảo không có vật cản gần đó. +hint.generator = :combustion-generator: [accent]Máy phát điện đốt cháy[] đốt than và truyền năng lượng cho các khối liền kề.\n\nPhạm vi truyền tải năng lượng có thể được mở rộng với :power-node: [accent]Chốt điện[]. +hint.guardian = [accent]Trùm[] được bọc giáp. Sử dụng loại đạn yếu chẳng hạn như [accent]Đồng[] và [accent]Chì[] là [scarlet]không hiệu quả[].\n\nSử dụng súng tiên tiến hơn hoặc sử dụng :graphite: [accent]Than chì[] làm đạn :duo:Duo/:salvo:Salvo đạn dược để hạ gục Trùm. +hint.coreUpgrade = Các lõi có thể được nâng cấp bằng cách [accent]đặt lõi cấp cao hơn trên chúng[].\n\nĐặt một lõi :core-foundation: [accent]Trụ sở[] trên lõi :core-shard: [accent]Cơ sở[]. Đảm bảo không có vật cản gần đó. hint.presetLaunch = [accent]Khu vực đáp[] xám, như [accent]Frozen Forest[], có thể được phóng đến từ bất cứ đâu. Nó không yêu cầu chiếm các khu vực lân cận.\n\n[accent]Các khu vực được đánh số[], chẳng hạn như cái này, là [accent]không bắt buộc[]. hint.presetDifficulty = Khu vực này có [scarlet]mối đe dọa thù địch cao[].\nPhóng đến khu vực như vậy [accent]không được khuyến khích[] nếu không có công nghệ và chuẩn bị phù hợp. hint.coreIncinerate = Sau khi lõi đầy một loại vật phẩm, bất kỳ vật phẩm vào thuộc loại đó nhận được sẽ bị [accent]tiêu hủy[]. hint.factoryControl = Để đặt [accent]điểm đầu ra[] của một nhà máy, nhấn vào một khối nhà máy trong chế độ ra lệnh, sau đó nhấn chuột phải vào một vị trí.\nCác đơn vị sản xuất bởi nó sẽ tự động di chuyển đến đó. hint.factoryControl.mobile = Để đặt [accent]điểm đầu ra[] của một nhà máy, nhấp vào một khối nhà máy trong chế độ ra lệnh, sau đó nhấp vào một vị trí.\nCác đơn vị sản xuất bởi nó sẽ tự động di chuyển đến đó. -gz.mine = Di chuyển gần \uf8c4 [accent]quặng đồng[] trên đất và nhấn vào nó để bắt đầu khai thác. -gz.mine.mobile = Di chuyển gần \uf8c4 [accent]quặng đồng[] trên đất và nhấp vào nó để bắt đầu khai thác. -gz.research = Mở \ue875 cây công nghệ.\nNghiên cứu \uf870 [accent]Máy khoan cơ khí[], sau đó chọn nó từ \ue85e trình đơn ở góc dưới bên phải.\nNhấp vào một khoảng quặng đồng để đặt nó. -gz.research.mobile = Mở \ue875 cây công nghệ.\nNghiên cứu \uf870 [accent]Máy khoan cơ khí[], sau đó chọn nó từ \ue85e trình đơn ở góc dưới bên phải.\nNhấp vào một khoảng quặng đồng để đặt nó.\n\nNhấp vào \ue800 [accent]dấu tích[] ở góc dưới bên phải để xác nhận. -gz.conveyors = Nghiên cứu và đặt \uf896 [accent]băng chuyền[] để di chuyển các tài nguyên được khai thác\ntừ các máy khoan đến lõi.\n\nNhấn và kéo để đặt nhiều băng chuyền.\n[accent]Cuộn[] để xoay. -gz.conveyors.mobile = Nghiên cứu và đặt \uf896 [accent]băng chuyền[] để di chuyển các tài nguyên được khai thác\ntừ các máy khoan đến lõi.\n\nGiữ ngón tay một giây và kéo để đặt nhiều băng chuyền. +gz.mine = Di chuyển gần :ore-copper: [accent]quặng đồng[] trên đất và nhấn vào nó để bắt đầu khai thác. +gz.mine.mobile = Di chuyển gần :ore-copper: [accent]quặng đồng[] trên đất và nhấp vào nó để bắt đầu khai thác. +gz.research = Mở :tree: cây công nghệ.\nNghiên cứu :mechanical-drill: [accent]Máy khoan cơ khí[], sau đó chọn nó từ :production: trình đơn ở góc dưới bên phải.\nNhấp vào một khoảng quặng đồng để đặt nó. +gz.research.mobile = Mở :tree: cây công nghệ.\nNghiên cứu :mechanical-drill: [accent]Máy khoan cơ khí[], sau đó chọn nó từ :production: trình đơn ở góc dưới bên phải.\nNhấp vào một khoảng quặng đồng để đặt nó.\n\nNhấp vào \ue800 [accent]dấu tích[] ở góc dưới bên phải để xác nhận. +gz.conveyors = Nghiên cứu và đặt :conveyor: [accent]băng chuyền[] để di chuyển các tài nguyên được khai thác\ntừ các máy khoan đến lõi.\n\nNhấn và kéo để đặt nhiều băng chuyền.\n[accent]Cuộn[] để xoay. +gz.conveyors.mobile = Nghiên cứu và đặt :conveyor: [accent]băng chuyền[] để di chuyển các tài nguyên được khai thác\ntừ các máy khoan đến lõi.\n\nGiữ ngón tay một giây và kéo để đặt nhiều băng chuyền. gz.drills = Mở rộng hoạt động khai thác.\nĐặt thêm Máy khoan cơ khí.\nKhai thác 100 đồng. -gz.lead = \uf837 [accent]Chì[] là một tài nguyên được sử dụng phổ biến.\nHãy đặt các máy khoan để khai thác chì. -gz.moveup = \ue804 Di chuyển lên để xem các nhiệm vụ tiếp theo. -gz.turrets = Nghiên cứu và đặt 2 súng \uf861 [accent]Duo[] để bảo vệ lõi.\nSúng Duo cần \uf838 [accent]đạn[] từ băng chuyền. +gz.lead = :lead: [accent]Chì[] là một tài nguyên được sử dụng phổ biến.\nHãy đặt các máy khoan để khai thác chì. +gz.moveup = :up: Di chuyển lên để xem các nhiệm vụ tiếp theo. +gz.turrets = Nghiên cứu và đặt 2 súng :duo: [accent]Duo[] để bảo vệ lõi.\nSúng Duo cần \uf838 [accent]đạn[] từ băng chuyền. gz.duoammo = Tiếp đạn cho súng Duo bằng [accent]đồng[], sử dụng băng chuyền. -gz.walls = [accent]Tường[] có thể ngăn chặn sát thương đến các công trình.\nĐặt \uf8ae [accent]tường đồng[] xung quanh các súng. +gz.walls = [accent]Tường[] có thể ngăn chặn sát thương đến các công trình.\nĐặt :copper-wall: [accent]tường đồng[] xung quanh các súng. gz.defend = Quân địch đang đến, hãy chuẩn bị phòng thủ. -gz.aa = Các đơn vị bay không thể dễ dàng bị bắn hạ với các súng tiêu chuẩn.\n\uf860 [accent]Scatter[] cung cấp tốt khả năng phòng không, nhưng cần \uf837 [accent]chì[] là đạn. -gz.scatterammo = Tiếp đạn cho súng Scatter bằng \uf837 [accent]chì[], sử dụng băng chuyền. +gz.aa = Các đơn vị bay không thể dễ dàng bị bắn hạ với các súng tiêu chuẩn.\n:scatter: [accent]Scatter[] cung cấp tốt khả năng phòng không, nhưng cần :lead: [accent]chì[] là đạn. +gz.scatterammo = Tiếp đạn cho súng Scatter bằng :lead: [accent]chì[], sử dụng băng chuyền. gz.supplyturret = [accent]Cấp đạn cho súng gz.zone1 = Đây là khu vực quân địch đáp xuống. gz.zone2 = Bất kỳ thứ gì được xây dựng trong bán kính này sẽ bị phá hủy khi một đợt mới bắt đầu. gz.zone3 = Một đợt sẽ bắt đầu ngay bây giờ.\nHãy chuẩn bị. gz.finish = Đặt thêm các súng, khai thác thêm nguyên liệu,\nvà vượt qua tất cả các đợt để [accent]chiếm khu vực[]. -onset.mine = Nhấn để khai thác \uf748 [accent]beryl[] từ tường.\n\nSử dụng [accent][[WASD] để di chuyển. -onset.mine.mobile = Nhấp để khai thác \uf748 [accent]beryl[] từ tường. -onset.research = Mở \ue875 cây công nghệ.\nNghiên cứu, sau đó đặt \uf73e [accent]tua-bin điện tụ nước[] trên lỗ hơi nước.\nĐiều này sẽ tạo ra [accent]điện[]. -onset.bore = Nghiên cứu và đặt \uf741 [accent]khoan plasma[].\nĐiều này sẽ tự động khai thác tài nguyên từ tường. -onset.power = Để nối [accent]điện[] cho khoan plasma, nghiên cứu và đặt \uf73d [accent]Chốt tia điện[].\nKết nối tua-bin điện hơi nước với khoan plasma. -onset.ducts = Nghiên cứu và đặt \uf799 [accent]ống chân không[] để di chuyển các tài nguyên được khai thác từ các máy khoan plasma đến lõi.\nNhấn và kéo để đặt nhiều ống chân không.\n[accent]Cuộn[] để xoay. -onset.ducts.mobile = Nghiên cứu và đặt \uf799 [accent]ống chân không[] để di chuyển các tài nguyên được khai thác từ các máy khoan plasma đến lõi.\n\nGiữ ngón tay một giây và kéo để đặt nhiều ống chân không. +onset.mine = Nhấn để khai thác :beryllium: [accent]beryl[] từ tường.\n\nSử dụng [accent][[WASD] để di chuyển. +onset.mine.mobile = Nhấp để khai thác :beryllium: [accent]beryl[] từ tường. +onset.research = Mở :tree: cây công nghệ.\nNghiên cứu, sau đó đặt :turbine-condenser: [accent]tua-bin điện tụ nước[] trên lỗ hơi nước.\nĐiều này sẽ tạo ra [accent]điện[]. +onset.bore = Nghiên cứu và đặt :plasma-bore: [accent]khoan plasma[].\nĐiều này sẽ tự động khai thác tài nguyên từ tường. +onset.power = Để nối [accent]điện[] cho khoan plasma, nghiên cứu và đặt :beam-node: [accent]Chốt tia điện[].\nKết nối tua-bin điện hơi nước với khoan plasma. +onset.ducts = Nghiên cứu và đặt :duct: [accent]ống chân không[] để di chuyển các tài nguyên được khai thác từ các máy khoan plasma đến lõi.\nNhấn và kéo để đặt nhiều ống chân không.\n[accent]Cuộn[] để xoay. +onset.ducts.mobile = Nghiên cứu và đặt :duct: [accent]ống chân không[] để di chuyển các tài nguyên được khai thác từ các máy khoan plasma đến lõi.\n\nGiữ ngón tay một giây và kéo để đặt nhiều ống chân không. onset.moremine = Mở rộng hoạt động khai thác.\nĐặt thêm Máy khoan plasma và sử dụng chốt tia điện và ống chân không để cùng phụ trợ chúng.\nKhai thác 200 beryl. -onset.graphite = Các khối phức tạp hơn cần \uf835 [accent]than chì[].\nĐặt khoan plasma để khai thác than chì. -onset.research2 = Bắt đầu nghiên cứu [accent]các nhà máy[].\nNghiên cứu \uf74d [accent]máy phá đá[] và \uf779 [accent]lò tinh luyện silicon[]. -onset.arcfurnace = Lò tinh luyện cần \uf834 [accent]cát[] và \uf835 [accent]than chì[] để tạo \uf82f [accent]silicon[].\nYêu cầu có [accent]Điện[]. -onset.crusher = Sử dụng \uf74d [accent]máy nghiền vách đá[] để khai thác cát. -onset.fabricator = Sử dụng [accent]đơn vị[] để khám phá bản đồ, bảo vệ các công trình, và tấn công quân địch.\nNghiên cứu và đặt \uf6a2 [accent]máy chế tạo xe tăng[]. +onset.graphite = Các khối phức tạp hơn cần :graphite: [accent]than chì[].\nĐặt khoan plasma để khai thác than chì. +onset.research2 = Bắt đầu nghiên cứu [accent]các nhà máy[].\nNghiên cứu :cliff-crusher: [accent]máy phá đá[] và :silicon-arc-furnace: [accent]lò tinh luyện silicon[]. +onset.arcfurnace = Lò tinh luyện cần :sand: [accent]cát[] và :graphite: [accent]than chì[] để tạo :silicon: [accent]silicon[].\nYêu cầu có [accent]Điện[]. +onset.crusher = Sử dụng :cliff-crusher: [accent]máy nghiền vách đá[] để khai thác cát. +onset.fabricator = Sử dụng [accent]đơn vị[] để khám phá bản đồ, bảo vệ các công trình, và tấn công quân địch.\nNghiên cứu và đặt :tank-fabricator: [accent]máy chế tạo xe tăng[]. onset.makeunit = Sản xuất một đơn vị.\nSử dụng nút "?" để xem các yêu cầu của máy đã chọn. -onset.turrets = Các đơn vị rất hiệu quả, nhưng [accent]súng[] cung cấp khả năng phòng thủ tốt hơn nếu được sử dụng hiệu quả.\nĐặt một \uf6eb [accent]Breach[].\nSúng cần \uf748 [accent]đạn[]. +onset.turrets = Các đơn vị rất hiệu quả, nhưng [accent]súng[] cung cấp khả năng phòng thủ tốt hơn nếu được sử dụng hiệu quả.\nĐặt một :breach: [accent]Breach[].\nSúng cần :beryllium: [accent]đạn[]. onset.turretammo = Tiếp đạn cho súng bằng [accent]beryl[] dùng ống chân không. -onset.walls = [accent]Tường[] có thể ngăn chặn sát thương đến các công trình.\nĐặt một số \uf6ee [accent]tường beryl[] xung quanh súng. +onset.walls = [accent]Tường[] có thể ngăn chặn sát thương đến các công trình.\nĐặt một số :beryllium-wall: [accent]tường beryl[] xung quanh súng. onset.enemies = Quân địch đang đến, hãy chuẩn bị phòng thủ. onset.defenses = [accent]Thiết lập phòng thủ:[lightgray] {0} onset.attack = Quân địch đã suy yếu. Hãy phản công. -onset.cores = Các lõi mới có thể được đặt trên [accent]ô đặt lõi[].\nCác lõi mới hoạt động như một tiền cứ và chia sẻ kho tài nguyên với các lõi khác.\nĐặt một \uf725 lõi. +onset.cores = Các lõi mới có thể được đặt trên [accent]ô đặt lõi[].\nCác lõi mới hoạt động như một tiền cứ và chia sẻ kho tài nguyên với các lõi khác.\nĐặt một :core-bastion: lõi. onset.detect = Quân địch sẽ phát hiện bạn trong vòng 2 phút.\nHãy chuẩn bị phòng thủ, khai thác, và sản xuất. onset.commandmode = Giữ [accent]Shift[] để vào [accent]chế độ mệnh lệnh[].\n[accent]Nhấn chuột trái và kéo[] để chọn các đơn vị.\n[accent]Nhấn chuột phải[] để ra lệnh các đơn vị di chuyển hoặc tấn công. onset.commandmode.mobile = Nhấn vào [accent]nút mệnh lệnh[] để vào [accent]chế độ mệnh lệnh[].\nGiữ một ngón tay, sau đó [accent]kéo[] để chọn các đơn vị.\n[accent]Nhấp[] để ra lệnh các đơn vị di chuyển hoặc tấn công. diff --git a/core/assets/bundles/bundle_zh_CN.properties b/core/assets/bundles/bundle_zh_CN.properties index 16a1763cd5e0..693ff82999c6 100644 --- a/core/assets/bundles/bundle_zh_CN.properties +++ b/core/assets/bundles/bundle_zh_CN.properties @@ -1939,52 +1939,52 @@ hint.respawn = 要以初始飞船的形式重生,请按[accent][[V][]键。 hint.respawn.mobile = 您正在控制某个单位或建筑。 要以初始飞船的形式重生,请[accent]点击左上方的图标(您的单位/建筑图标)。[] hint.desktopPause = 按[accent][[空格][]键暂停或恢复游戏。 hint.breaking = 按住[accent]右键[]拖动以拆除建筑。 -hint.breaking.mobile = 激活右下角的\ue817[accent]锤子[]并点击以拆除建筑。 \n\n长按一秒后拖动,可拆除范围内多个建筑。 +hint.breaking.mobile = 激活右下角的:hammer:[accent]锤子[]并点击以拆除建筑。 \n\n长按一秒后拖动,可拆除范围内多个建筑。 hint.blockInfo = 要查看建筑信息,可以先在[accent]建造菜单[]中选择建筑,然后点击右侧的[accent][[?][]按钮。 hint.derelict = [accent]废墟[]建筑是已废弃基地的残骸。 \n\n可以[accent]拆除[]这些建筑获取资源。 -hint.research = 点击\ue875[accent]科技树[]按钮研究新科技。 -hint.research.mobile = 点击\ue88c[accent]菜单[]中的\ue875[accent]科技树[]按钮以研究新科技。 +hint.research = 点击:tree:[accent]科技树[]按钮研究新科技。 +hint.research.mobile = 点击:menu:[accent]菜单[]中的:tree:[accent]科技树[]按钮以研究新科技。 hint.unitControl = 按住[accent][[L-ctrl][]键并[accent]点击[]己方单位或炮塔进行控制。 hint.unitControl.mobile = [accent][双击][]己方单位或炮塔进行控制。 hint.unitSelectControl = 按[accent]L-shift[]键进入[accent]指挥模式[]以控制单位。\n在指挥模式下,点击并拖动框选单位。[accent]右键[]命令单位移动或攻击。 hint.unitSelectControl.mobile = 按左下角的[accent]指挥[]按钮进入[accent]指挥模式[]以控制单位。\n在指挥模式下,长按并拖动框选单位。[accent]点击[]命令单位移动或攻击。 -hint.launch = 一旦收集了足够的资源,您就可以通过右下角的\ue827[accent]地图[]选择附近的区块[accent]发射[]核心。 -hint.launch.mobile = 一旦收集到足够的资源,您就可以通过\ue88c[accent]菜单[]中的\ue827[accent]地图[]选择附近的区块[accent]发射[]核心。 +hint.launch = 一旦收集了足够的资源,您就可以通过右下角的:map:[accent]地图[]选择附近的区块[accent]发射[]核心。 +hint.launch.mobile = 一旦收集到足够的资源,您就可以通过:menu:[accent]菜单[]中的:map:[accent]地图[]选择附近的区块[accent]发射[]核心。 hint.schematicSelect = 按住[accent][[F][]键用鼠标框选建筑以复制粘贴。 \n\n[accent][鼠标中键][]复制单个建筑。 hint.rebuildSelect = 按住[accent][[B][]用鼠标框选被摧毁的建筑以自动重建。 -hint.rebuildSelect.mobile = 选择\ue874复制按钮,然后点击\ue80f重建按钮并拖动以选中被摧毁的建筑。\n这将自动重建这些建筑。 +hint.rebuildSelect.mobile = 选择:copy:复制按钮,然后点击:wrench:重建按钮并拖动以选中被摧毁的建筑。\n这将自动重建这些建筑。 hint.conveyorPathfind = 按住[accent][[L-Ctrl][]键并拖动传送带,使其自动寻路。 -hint.conveyorPathfind.mobile = 启用\ue844[accent]传送带自动寻路[]后,拖动传送带可使其自动寻路。 +hint.conveyorPathfind.mobile = 启用:diagonal:[accent]传送带自动寻路[]后,拖动传送带可使其自动寻路。 hint.boost = 按住[accent][[L-Shift][]控制当前单位助推,可飞越障碍物。 \n\n只有一部分地面单位有助推功能。 hint.payloadPickup = 按[accent][[[]键拾取小型建筑或单位作为载荷。 hint.payloadPickup.mobile = [accent]长按[]拾取一个小型建筑或单位作为载荷。 hint.payloadDrop = 按[accent]][]键放下载荷。 hint.payloadDrop.mobile = [accent]长按[]一个空的位置将载荷放在那里。 hint.waveFire = [accent]波浪[]炮塔以水作弹药时,会自动扑灭附近的火焰。 -hint.generator = \uf879[accent]火力发电机[]燃煤发电,并将电力输送至相邻建筑。 \n\n用\uf87f[accent]电力节点[]可以扩展电力输送范围。 -hint.guardian = [accent]Boss[]单位装甲厚重。 [accent]铜[]和[accent]铅[]这类较弱的子弹对其[scarlet]作用不佳[]。 \n\n使用高级别炮塔或使用\uf835[accent]石墨[]作为\uf861双管炮及\uf859齐射炮的弹药来消灭Boss。 -hint.coreUpgrade = 核心可以通过[accent]在上面覆盖更高等级的核心[]进行升级。 \n\n在\uf869[accent]初代核心[]上放置一个\uf868[accent]次代核心[]。 确保周围没有障碍物。 +hint.generator = :combustion-generator:[accent]火力发电机[]燃煤发电,并将电力输送至相邻建筑。 \n\n用:power-node:[accent]电力节点[]可以扩展电力输送范围。 +hint.guardian = [accent]Boss[]单位装甲厚重。 [accent]铜[]和[accent]铅[]这类较弱的子弹对其[scarlet]作用不佳[]。 \n\n使用高级别炮塔或使用:graphite:[accent]石墨[]作为:duo:双管炮及:salvo:齐射炮的弹药来消灭Boss。 +hint.coreUpgrade = 核心可以通过[accent]在上面覆盖更高等级的核心[]进行升级。 \n\n在:core-shard:[accent]初代核心[]上放置一个:core-foundation:[accent]次代核心[]。 确保周围没有障碍物。 hint.presetLaunch = 灰色的[accent]着陆区块[],如[accent]冰冻森林[],从其他任何地方发射都可以到达,不需要先占领邻近的区块。 \n\n[accent]数字编号的区块[],比如这个,可以[accent]选择性[]占领。 hint.presetDifficulty = 这个区块受敌人[scarlet]威胁程度很高[]。 \n解锁适当的科技,并做好充分准备,否则[accent]不建议[]向这里发射。 hint.coreIncinerate = 核心内一种物品达到容量上限后,同种物品再进入时会被[accent]销毁[]。 hint.factoryControl = 如果要设置某单位工厂的[accent]集合点[],在指挥模式下点击该单位工厂,然后右键点击某位置,由它制造的单位将会自动移动到那里。 hint.factoryControl.mobile = 如果要设置某单位工厂的[accent]集合点[],在指挥模式下点击该单位工厂,然后再点击某位置,由它制造的单位将会自动移动到那里。 -gz.mine = 接近\uf8c4[accent]铜矿[]并点击以手动开采。 -gz.mine.mobile = 接近\uf8c4[accent]铜矿[]并点击以手动开采。 -gz.research = 打开\ue875科技树。\n研究\uf870[accent]机械钻头[],然后在右下角的菜单中将其选中。\n点击铜矿放置钻头。 -gz.research.mobile = 打开\ue875科技树。\n研究\uf870[accent]机械钻头[],然后在右下角的菜单中将其选中。\n点击铜矿放置钻头。\n\n点击右下角的\ue800[accent]勾[]以确认。 -gz.conveyors = 研究并放置\uf896[accent]传送带[]\n将钻头挖掘的矿物移至核心。\n\n点击并拖动以连续放置传送带。\n滚动[accent]鼠标滚轮[]以转向。 -gz.conveyors.mobile = 研究并放置\uf896[accent]传送带[]\n将钻头挖掘的矿物移至核心。\n\n长按一秒,然后拖动以连续放置传送带。 +gz.mine = 接近:ore-copper:[accent]铜矿[]并点击以手动开采。 +gz.mine.mobile = 接近:ore-copper:[accent]铜矿[]并点击以手动开采。 +gz.research = 打开:tree:科技树。\n研究:mechanical-drill:[accent]机械钻头[],然后在右下角的菜单中将其选中。\n点击铜矿放置钻头。 +gz.research.mobile = 打开:tree:科技树。\n研究:mechanical-drill:[accent]机械钻头[],然后在右下角的菜单中将其选中。\n点击铜矿放置钻头。\n\n点击右下角的\ue800[accent]勾[]以确认。 +gz.conveyors = 研究并放置:conveyor:[accent]传送带[]\n将钻头挖掘的矿物移至核心。\n\n点击并拖动以连续放置传送带。\n滚动[accent]鼠标滚轮[]以转向。 +gz.conveyors.mobile = 研究并放置:conveyor:[accent]传送带[]\n将钻头挖掘的矿物移至核心。\n\n长按一秒,然后拖动以连续放置传送带。 gz.drills = 扩大挖掘规模。\n放置更多的机械钻头。\n挖掘100铜。 -gz.lead = \uf837[accent]铅[]是另一种常用资源。\n用钻头挖掘铅矿。 -gz.moveup = \ue804扩张以推进任务。 -gz.turrets = 研究并放置2个\uf861[accent]双管[]保卫核心。\n双管需要传送带供给\uf838[accent]弹药[]。 +gz.lead = :lead:[accent]铅[]是另一种常用资源。\n用钻头挖掘铅矿。 +gz.moveup = :up:扩张以推进任务。 +gz.turrets = 研究并放置2个:duo:[accent]双管[]保卫核心。\n双管需要传送带供给\uf838[accent]弹药[]。 gz.duoammo = 用传送带给双管供给[accent]铜[]。 -gz.walls = [accent]墙[]可以防止建筑受到伤害。\n在炮塔周围放置一些\uf8ae[accent]铜墙[]。 +gz.walls = [accent]墙[]可以防止建筑受到伤害。\n在炮塔周围放置一些:copper-wall:[accent]铜墙[]。 gz.defend = 敌人来袭,准备防御。 -gz.aa = 普通炮塔难以快速击落空中单位。\n\uf860[accent]分裂[]防空能力出色,但使用[accent]铅[]弹药。 +gz.aa = 普通炮塔难以快速击落空中单位。\n:scatter:[accent]分裂[]防空能力出色,但使用[accent]铅[]弹药。 gz.scatterammo = 用传送带给分裂供给[accent]铅[]。 gz.supplyturret = [accent]给炮塔供弹 gz.zone1 = 这是敌人的出生点。 @@ -1992,27 +1992,27 @@ gz.zone2 = 波次开始时,范围内的所有建筑都会被摧毁。 gz.zone3 = 波次即将开始。\n做好准备。 gz.finish = 建造更多炮塔,挖掘更多资源,\n击退所有波次以[accent]占领区块[]。 -onset.mine = 点击墙壁上的\uf748[accent]铍矿[]以手动开采。\n\n使用[accent][[WASD]移动。 -onset.mine.mobile = 点击墙壁上的\uf748[accent]铍矿[]以手动开采。 -onset.research = 打开\ue875科技树。\n研究\uf73e[accent]涡轮冷凝器[],并放置在喷口上。\n它可以产生[accent]电力[]。 -onset.bore = 研究并放置\uf741[accent]等离子钻机[]。\n它可以自动挖掘墙上的资源。 -onset.power = 为了给等离子钻机提供[accent]电力[],研究并放置一个\uf73d[accent]激光节点[]。\n它会连接涡轮冷凝器与等离子钻机。 -onset.ducts = 研究并放置\uf799[accent]物品管道[]将等离子钻机挖掘的矿物移至核心。\n\n点击并拖动以连续放置物品管道。\n滚动[accent]鼠标滚轮[]以转向。 -onset.ducts.mobile = 研究并放置\uf799[accent]物品管道[]将等离子钻机挖掘的矿物移至核心。\n\n长按一秒,然后拖动以连续放置物品管道。 +onset.mine = 点击墙壁上的:beryllium:[accent]铍矿[]以手动开采。\n\n使用[accent][[WASD]移动。 +onset.mine.mobile = 点击墙壁上的:beryllium:[accent]铍矿[]以手动开采。 +onset.research = 打开:tree:科技树。\n研究:turbine-condenser:[accent]涡轮冷凝器[],并放置在喷口上。\n它可以产生[accent]电力[]。 +onset.bore = 研究并放置:plasma-bore:[accent]等离子钻机[]。\n它可以自动挖掘墙上的资源。 +onset.power = 为了给等离子钻机提供[accent]电力[],研究并放置一个:beam-node:[accent]激光节点[]。\n它会连接涡轮冷凝器与等离子钻机。 +onset.ducts = 研究并放置:duct:[accent]物品管道[]将等离子钻机挖掘的矿物移至核心。\n\n点击并拖动以连续放置物品管道。\n滚动[accent]鼠标滚轮[]以转向。 +onset.ducts.mobile = 研究并放置:duct:[accent]物品管道[]将等离子钻机挖掘的矿物移至核心。\n\n长按一秒,然后拖动以连续放置物品管道。 onset.moremine = 扩大挖掘规模。\n放置更多的等离子钻机,并用激光节点与物品管道来使它们正常工作。\n挖掘200铍。 -onset.graphite = 要建造更高级的建筑,需要\uf835[accent]石墨[]。\n使用等离子钻机挖掘石墨。 -onset.research2 = 开始研究[accent]工厂[]。\n研究\uf74d[accent]墙壁粉碎机[]和\uf779[accent]电弧硅炉[]。 -onset.arcfurnace = 电弧硅炉需要\uf834[accent]沙[]与\uf835[accent]石墨[]以冶炼\uf82f[accent]硅[]。\n它也需要[accent]电力[]。 -onset.crusher = 使用\uf74d[accent]墙壁粉碎机[]挖掘沙。 -onset.fabricator = 使用[accent]单位[]探索地图,进行防御,发动攻击。\n研究并放置一个\uf6a2[accent]坦克制造厂[]。 +onset.graphite = 要建造更高级的建筑,需要:graphite:[accent]石墨[]。\n使用等离子钻机挖掘石墨。 +onset.research2 = 开始研究[accent]工厂[]。\n研究:cliff-crusher:[accent]墙壁粉碎机[]和:silicon-arc-furnace:[accent]电弧硅炉[]。 +onset.arcfurnace = 电弧硅炉需要:sand:[accent]沙[]与:graphite:[accent]石墨[]以冶炼:silicon:[accent]硅[]。\n它也需要[accent]电力[]。 +onset.crusher = 使用:cliff-crusher:[accent]墙壁粉碎机[]挖掘沙。 +onset.fabricator = 使用[accent]单位[]探索地图,进行防御,发动攻击。\n研究并放置一个:tank-fabricator:[accent]坦克制造厂[]。 onset.makeunit = 生产单位。\n点击"?"以显示生产单位所需资源。 -onset.turrets = 使用单位防御很有效,但合理使用[accent]炮塔[]可以提供更好的防御力。\n放置一个\uf6eb[accent]撕裂[]。\n炮塔需要供给\uf748[accent]弹药[]。 +onset.turrets = 使用单位防御很有效,但合理使用[accent]炮塔[]可以提供更好的防御力。\n放置一个:breach:[accent]撕裂[]。\n炮塔需要供给:beryllium:[accent]弹药[]。 onset.turretammo = 给炮塔供给[accent]铍[]。 -onset.walls = [accent]墙[]可以防止建筑受到伤害。\n在炮塔周围放置一些\uf6ee[accent]铍墙[]。 +onset.walls = [accent]墙[]可以防止建筑受到伤害。\n在炮塔周围放置一些:beryllium-wall:[accent]铍墙[]。 onset.enemies = 敌人来袭,准备防御。 onset.defenses = [accent]Set up defenses:[lightgray] {0} onset.attack = 敌军基地十分脆弱。 发动反攻。 -onset.cores = 你可以在[accent]核心地块[]上建造新的核心。\n新核心的功能类似于前沿基地,且与其他核心共享资源仓库。\n放置一个\uf725核心。 +onset.cores = 你可以在[accent]核心地块[]上建造新的核心。\n新核心的功能类似于前沿基地,且与其他核心共享资源仓库。\n放置一个:core-bastion:核心。 onset.detect = 敌军将在2分钟内发现你。\n设立防御,挖掘矿物,并建造生产设施。 onset.commandmode = 按住[accent]shift[]键进入[accent]指挥模式[]。\n按住[accent]鼠标左键[]框选单位。\n[accent]右键[]指挥所选单位移动或攻击。 onset.commandmode.mobile = 点击左下角的[accent]指挥[]进入[accent]指挥模式[]。\n按住屏幕,[accent]拖动[]框选单位。\n[accent]点击[]指挥所选单位移动或攻击。 diff --git a/core/assets/bundles/bundle_zh_TW.properties b/core/assets/bundles/bundle_zh_TW.properties index b9334474736a..5fee2d2a220d 100644 --- a/core/assets/bundles/bundle_zh_TW.properties +++ b/core/assets/bundles/bundle_zh_TW.properties @@ -1934,77 +1934,77 @@ hint.respawn = 按[accent][[V][]以重生。 hint.respawn.mobile = 你目前在控制單位/建築。[accent]點擊左上角的頭像[]重生。 hint.desktopPause = 按[accent][[空白鍵][]暫停、繼續遊戲。 hint.breaking = [accent]按住右鍵[]並拖曳以破壞方塊。 -hint.breaking.mobile = 點亮右下角的 \ue817 [accent]鐵鎚[]圖案並點擊畫面可直接拆除方塊。\n\n按住畫面超過一秒後拖曳以連續摧毀多個方塊。 +hint.breaking.mobile = 點亮右下角的 :hammer: [accent]鐵鎚[]圖案並點擊畫面可直接拆除方塊。\n\n按住畫面超過一秒後拖曳以連續摧毀多個方塊。 hint.blockInfo = 點擊各種方塊的[accent][[?][]按鈕以檢視該方塊的資訊 hint.derelict = [accent]殘骸[] 地圖上有先前基地留下的殘骸。\n\n可以[accent]銷毀[]這些建築獲得資源。 -hint.research = 使用 \ue875 [accent]研究[] 按鈕來研究新科技。 -hint.research.mobile = 使用 \ue875 [accent]研究[] 按鈕來研究新科技。 +hint.research = 使用 :tree: [accent]研究[] 按鈕來研究新科技。 +hint.research.mobile = 使用 :tree: [accent]研究[] 按鈕來研究新科技。 hint.unitControl = 按住[accent][[L-ctrl][]並[accent]點擊[]以控制我方的機甲和砲台。 hint.unitControl.mobile = [accent][[點擊兩下][]以控制我方的機甲和砲台。 hint.unitSelectControl = To control units, enter [accent]command mode[] by holding [accent]L-shift.[]\nWhile in command mode, click and drag to select units. [accent]Right-click[] a location or target to command units there. hint.unitSelectControl.mobile = To control units, enter [accent]command mode[] by pressing the [accent]command[] button in the bottom left.\nWhile in command mode, long-press and drag to select units. Tap a location or target to command units there. -hint.launch = 一旦蒐集到足夠的資源,你可以透過右下角的 \ue827 [accent]地圖[]來選取你要[accent]發射[]的區域。 -hint.launch.mobile = 一旦蒐集到足夠的資源,你可以透過選單中的 \ue827 [accent]地圖[]來選取你要[accent]發射[]的區域。 +hint.launch = 一旦蒐集到足夠的資源,你可以透過右下角的 :map: [accent]地圖[]來選取你要[accent]發射[]的區域。 +hint.launch.mobile = 一旦蒐集到足夠的資源,你可以透過選單中的 :map: [accent]地圖[]來選取你要[accent]發射[]的區域。 hint.schematicSelect = 按住[accent][[F][]並拖曳可以選取方塊並貼上。\n\n按下[accent][[滑鼠中鍵][]可以複製單一方塊。 hint.rebuildSelect = Hold [accent][[B][] and drag to select destroyed block plans.\nThis will rebuild them automatically. -hint.rebuildSelect.mobile = Select the \ue874 copy button, then tap the \ue80f rebuild button and drag to select destroyed block plans.\nThis will rebuild them automatically. +hint.rebuildSelect.mobile = Select the :copy: copy button, then tap the :wrench: rebuild button and drag to select destroyed block plans.\nThis will rebuild them automatically. hint.conveyorPathfind = 在建造輸送帶時按下[accent][[L-Ctrl][]可以自動產生路徑。 -hint.conveyorPathfind.mobile = 啟用 \ue844 [accent]對角線模式[]可以在建造輸送帶時自動產生路徑。 +hint.conveyorPathfind.mobile = 啟用 :diagonal: [accent]對角線模式[]可以在建造輸送帶時自動產生路徑。 hint.boost = 按住[accent][[L-Shift][]可以帶著你的機甲一起飛越障礙物\n\n只有少數陸行機甲有推進器。 hint.payloadPickup = 按下 [accent][[[] 拾起小方塊或機甲。 hint.payloadPickup.mobile = [accent]長按[]一個方塊或單位可將其拾起。 hint.payloadDrop = 按下 [accent]][] 可以放下持有的方塊或單位。 hint.payloadDrop.mobile = [accent]長按[]任何空白處可以放下持有的方塊或單位。 hint.waveFire = 以[accent]水[]裝填的[accent]波浪[]會自動撲滅附近火勢。 -hint.generator = \uf879 [accent]燃燒發電機[]消耗煤炭產生能源給相鄰的方塊。\n\n使用 \uf87f [accent]能量節點[]增加電力涵蓋範圍。 -hint.guardian = [accent]頭目[]擁有厚實的裝甲。較弱的彈藥如[accent]銅[]和[accent]鉛[]並[scarlet]沒有效果[].\n\n使用更高等的砲臺或以\uf835 [accent]石墨[]配合\uf861雙砲、\uf859齊射砲摧毀頭目。 -hint.coreUpgrade = 核心可以透過在上面[accent]覆蓋一個更高等級的核心[]來升級。\n\n放置 \uf868 [accent]核心:基地[] 到 \uf869 [accent]核心:碎片[] 上. 確保沒有其他障礙物。 +hint.generator = :combustion-generator: [accent]燃燒發電機[]消耗煤炭產生能源給相鄰的方塊。\n\n使用 :power-node: [accent]能量節點[]增加電力涵蓋範圍。 +hint.guardian = [accent]頭目[]擁有厚實的裝甲。較弱的彈藥如[accent]銅[]和[accent]鉛[]並[scarlet]沒有效果[].\n\n使用更高等的砲臺或以:graphite: [accent]石墨[]配合:duo:雙砲、:salvo:齊射砲摧毀頭目。 +hint.coreUpgrade = 核心可以透過在上面[accent]覆蓋一個更高等級的核心[]來升級。\n\n放置 :core-foundation: [accent]核心:基地[] 到 :core-shard: [accent]核心:碎片[] 上. 確保沒有其他障礙物。 hint.presetLaunch = 灰色的[accent]降落地區[],例如[accent]冰凍森林[],可由任何地區發射。這類地區無須由相鄰地區進攻。\n\n[accent]數字編號地區[]則是一般的區域,可自由佔領,不影響戰役的完成。 hint.presetDifficulty = 此地區為[scarlet]高危險等級[]區域。\n[accent]不建議[]在準備好科技和資源以前發射至此區域。 hint.coreIncinerate = 當任一物品的核心庫存滿了後,後續進入的同種資源會被[accent]銷毀[]。 hint.factoryControl = 若要設置兵工廠的[accent]集結點[],在指揮模式中點選工廠,再右鍵點擊指定位置。\n此工廠產生的單位將自動移動到集結點。 hint.factoryControl.mobile = 若要設置兵工廠的[accent]集結點[],在指揮模式中選取工廠,再點擊指定位置。\n此工廠產生的單位將自動移動到集結點。 -gz.mine = Move near the \uf8c4 [accent]copper ore[] on the ground and click to begin mining. -gz.mine.mobile = Move near the \uf8c4 [accent]copper ore[] on the ground and tap it to begin mining. -gz.research = Open the \ue875 tech tree.\nResearch the \uf870 [accent]Mechanical Drill[], then select it from the menu in the bottom right.\nClick on a copper patch to place it. -gz.research.mobile = Open the \ue875 tech tree.\nResearch the \uf870 [accent]Mechanical Drill[], then select it from the menu in the bottom right.\nTap on a copper patch to place it.\n\nPress the \ue800 [accent]checkmark[] at the bottom right to confirm. -gz.conveyors = Research and place \uf896 [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nClick and drag to place multiple conveyors.\n[accent]Scroll[] to rotate. -gz.conveyors.mobile = Research and place \uf896 [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nHold down your finger for a second and drag to place multiple conveyors. +gz.mine = Move near the :ore-copper: [accent]copper ore[] on the ground and click to begin mining. +gz.mine.mobile = Move near the :ore-copper: [accent]copper ore[] on the ground and tap it to begin mining. +gz.research = Open the :tree: tech tree.\nResearch the :mechanical-drill: [accent]Mechanical Drill[], then select it from the menu in the bottom right.\nClick on a copper patch to place it. +gz.research.mobile = Open the :tree: tech tree.\nResearch the :mechanical-drill: [accent]Mechanical Drill[], then select it from the menu in the bottom right.\nTap on a copper patch to place it.\n\nPress the \ue800 [accent]checkmark[] at the bottom right to confirm. +gz.conveyors = Research and place :conveyor: [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nClick and drag to place multiple conveyors.\n[accent]Scroll[] to rotate. +gz.conveyors.mobile = Research and place :conveyor: [accent]conveyors[] to move the mined resources\nfrom drills to the core.\n\nHold down your finger for a second and drag to place multiple conveyors. gz.drills = Expand the mining operation.\nPlace more Mechanical Drills.\nMine 100 copper. -gz.lead = \uf837 [accent]Lead[] is another commonly used resource.\nSet up drills to mine lead. -gz.moveup = \ue804 Move up for further objectives. -gz.turrets = Research and place 2 \uf861 [accent]Duo[] turrets to defend the core.\nDuo turrets require \uf838 [accent]ammo[] from conveyors. +gz.lead = :lead: [accent]Lead[] is another commonly used resource.\nSet up drills to mine lead. +gz.moveup = :up: Move up for further objectives. +gz.turrets = Research and place 2 :duo: [accent]Duo[] turrets to defend the core.\nDuo turrets require \uf838 [accent]ammo[] from conveyors. gz.duoammo = Supply the Duo turrets with [accent]copper[], using conveyors. -gz.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace \uf8ae [accent]copper walls[] around the turrets. +gz.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace :copper-wall: [accent]copper walls[] around the turrets. gz.defend = Enemy incoming, prepare to defend. -gz.aa = Flying units cannot easily be dispatched with standard turrets.\n\uf860 [accent]Scatter[] turrets provide excellent anti-air, but require \uf837 [accent]lead[] as ammo. +gz.aa = Flying units cannot easily be dispatched with standard turrets.\n:scatter: [accent]Scatter[] turrets provide excellent anti-air, but require :lead: [accent]lead[] as ammo. gz.scatterammo = Supply the Scatter turret with [accent]lead[], using conveyors. gz.supplyturret = [accent]Supply Turret gz.zone1 = This is the enemy drop zone. gz.zone2 = Anything built in the radius is destroyed when a wave starts. gz.zone3 = A wave will begin now.\nGet ready. gz.finish = Build more turrets, mine more resources,\nand defend against all the waves to [accent]capture the sector[]. -onset.mine = Click to mine \uf748 [accent]beryllium[] from walls.\n\nUse [accent][[WASD] to move. -onset.mine.mobile = Tap to mine \uf748 [accent]beryllium[] from walls. -onset.research = Open the \ue875 tech tree.\nResearch, then place a \uf73e [accent]turbine condenser[] on the vent.\nThis will generate [accent]power[]. -onset.bore = Research and place a \uf741 [accent]plasma bore[].\nThis automatically mines resources from walls. -onset.power = To [accent]power[] the plasma bore, research and place a \uf73d [accent]beam node[].\nConnect the turbine condenser to the plasma bore. -onset.ducts = Research and place \uf799 [accent]ducts[] to move the mined resources from the plasma bore to the core.\nClick and drag to place multiple ducts.\n[accent]Scroll[] to rotate. -onset.ducts.mobile = Research and place \uf799 [accent]ducts[] to move the mined resources from the plasma bore to the core.\n\nHold down your finger for a second and drag to place multiple ducts. +onset.mine = Click to mine :beryllium: [accent]beryllium[] from walls.\n\nUse [accent][[WASD] to move. +onset.mine.mobile = Tap to mine :beryllium: [accent]beryllium[] from walls. +onset.research = Open the :tree: tech tree.\nResearch, then place a :turbine-condenser: [accent]turbine condenser[] on the vent.\nThis will generate [accent]power[]. +onset.bore = Research and place a :plasma-bore: [accent]plasma bore[].\nThis automatically mines resources from walls. +onset.power = To [accent]power[] the plasma bore, research and place a :beam-node: [accent]beam node[].\nConnect the turbine condenser to the plasma bore. +onset.ducts = Research and place :duct: [accent]ducts[] to move the mined resources from the plasma bore to the core.\nClick and drag to place multiple ducts.\n[accent]Scroll[] to rotate. +onset.ducts.mobile = Research and place :duct: [accent]ducts[] to move the mined resources from the plasma bore to the core.\n\nHold down your finger for a second and drag to place multiple ducts. onset.moremine = Expand the mining operation.\nPlace more Plasma Bores and use beam nodes and ducts to support them.\nMine 200 beryllium. -onset.graphite = More complex blocks require \uf835 [accent]graphite[].\nSet up plasma bores to mine graphite. -onset.research2 = Begin researching [accent]factories[].\nResearch the \uf74d [accent]cliff crusher[] and \uf779 [accent]silicon arc furnace[]. -onset.arcfurnace = The arc furnace needs \uf834 [accent]sand[] and \uf835 [accent]graphite[] to create \uf82f [accent]silicon[].\n[accent]Power[] is also required. -onset.crusher = Use \uf74d [accent]cliff crushers[] to mine sand. -onset.fabricator = Use [accent]units[] to explore the map, defend buildings, and attack the enemy. Research and place a \uf6a2 [accent]tank fabricator[]. +onset.graphite = More complex blocks require :graphite: [accent]graphite[].\nSet up plasma bores to mine graphite. +onset.research2 = Begin researching [accent]factories[].\nResearch the :cliff-crusher: [accent]cliff crusher[] and :silicon-arc-furnace: [accent]silicon arc furnace[]. +onset.arcfurnace = The arc furnace needs :sand: [accent]sand[] and :graphite: [accent]graphite[] to create :silicon: [accent]silicon[].\n[accent]Power[] is also required. +onset.crusher = Use :cliff-crusher: [accent]cliff crushers[] to mine sand. +onset.fabricator = Use [accent]units[] to explore the map, defend buildings, and attack the enemy. Research and place a :tank-fabricator: [accent]tank fabricator[]. onset.makeunit = Produce a unit.\nUse the "?" button to see selected factory requirements. -onset.turrets = Units are effective, but [accent]turrets[] provide better defensive capabilities if used effectively.\nPlace a \uf6eb [accent]Breach[] turret.\nTurrets require \uf748 [accent]ammo[]. +onset.turrets = Units are effective, but [accent]turrets[] provide better defensive capabilities if used effectively.\nPlace a :breach: [accent]Breach[] turret.\nTurrets require :beryllium: [accent]ammo[]. onset.turretammo = Supply the turret with [accent]beryllium ammo.[] -onset.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace some \uf6ee [accent]beryllium walls[] around the turret. +onset.walls = [accent]Walls[] can prevent oncoming damage from reaching buildings.\nPlace some :beryllium-wall: [accent]beryllium walls[] around the turret. onset.enemies = Enemy incoming, prepare to defend. onset.defenses = [accent]Set up defenses:[lightgray] {0} onset.attack = The enemy is vulnerable. Counter-attack. -onset.cores = New cores can be placed on [accent]core tiles[].\nNew cores function as forward bases and share a resource inventory with other cores.\nPlace a \uf725 core. +onset.cores = New cores can be placed on [accent]core tiles[].\nNew cores function as forward bases and share a resource inventory with other cores.\nPlace a :core-bastion: core. onset.detect = The enemy will be able to detect you in 2 minutes.\nSet up defenses, mining, and production. #Don't translate these yet! From 9912f135f200f72c5f8d1ba40c420b1a9cd3549a Mon Sep 17 00:00:00 2001 From: MEEPofFaith <54301439+MEEPofFaith@users.noreply.github.com> Date: Mon, 2 Dec 2024 13:42:10 -0800 Subject: [PATCH 19/21] residual --- core/src/mindustry/Vars.java | 1 - 1 file changed, 1 deletion(-) diff --git a/core/src/mindustry/Vars.java b/core/src/mindustry/Vars.java index 87ad9a93a18f..c17d5a2ec64a 100644 --- a/core/src/mindustry/Vars.java +++ b/core/src/mindustry/Vars.java @@ -26,7 +26,6 @@ import mindustry.mod.*; import mindustry.net.*; import mindustry.service.*; -import mindustry.ui.*; import mindustry.ui.dialogs.*; import mindustry.world.*; import mindustry.world.blocks.storage.*; From e223cb159bf214fae6e3bcac9d9cbcc56d1d690b Mon Sep 17 00:00:00 2001 From: MEEPofFaith <54301439+MEEPofFaith@users.noreply.github.com> Date: Mon, 2 Dec 2024 13:44:37 -0800 Subject: [PATCH 20/21] Apply to message blocks --- core/src/mindustry/world/blocks/logic/MessageBlock.java | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/core/src/mindustry/world/blocks/logic/MessageBlock.java b/core/src/mindustry/world/blocks/logic/MessageBlock.java index eb644b57dec9..9faba255d078 100644 --- a/core/src/mindustry/world/blocks/logic/MessageBlock.java +++ b/core/src/mindustry/world/blocks/logic/MessageBlock.java @@ -12,6 +12,7 @@ import arc.util.*; import arc.util.io.*; import arc.util.pooling.*; +import mindustry.core.*; import mindustry.gen.*; import mindustry.ui.*; import mindustry.ui.dialogs.*; @@ -79,7 +80,7 @@ public void drawSelect(){ font.getData().setScale(1 / 4f / Scl.scl(1f)); font.setUseIntegerPositions(false); - CharSequence text = message == null || message.length() == 0 ? "[lightgray]" + Core.bundle.get("empty") : message; + String text = message == null || message.isEmpty() ? "[lightgray]" + Core.bundle.get("empty") : UI.formatIcons(message.toString()); l.setText(font, text, Color.white, 90f, Align.left, true); float offset = 1f; From 54fbc5f021e5c4999a40c1da11010d254dcf3232 Mon Sep 17 00:00:00 2001 From: MEEPofFaith <54301439+MEEPofFaith@users.noreply.github.com> Date: Mon, 2 Dec 2024 13:47:31 -0800 Subject: [PATCH 21/21] IntelliJ lied --- core/src/mindustry/world/blocks/logic/MessageBlock.java | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/core/src/mindustry/world/blocks/logic/MessageBlock.java b/core/src/mindustry/world/blocks/logic/MessageBlock.java index 9faba255d078..33178c151e72 100644 --- a/core/src/mindustry/world/blocks/logic/MessageBlock.java +++ b/core/src/mindustry/world/blocks/logic/MessageBlock.java @@ -80,7 +80,7 @@ public void drawSelect(){ font.getData().setScale(1 / 4f / Scl.scl(1f)); font.setUseIntegerPositions(false); - String text = message == null || message.isEmpty() ? "[lightgray]" + Core.bundle.get("empty") : UI.formatIcons(message.toString()); + String text = message == null || message.length() == 0 ? "[lightgray]" + Core.bundle.get("empty") : UI.formatIcons(message.toString()); l.setText(font, text, Color.white, 90f, Align.left, true); float offset = 1f;