1
0
mirror of https://github.com/tobspr/shapez.io.git synced 2025-06-13 13:04:03 +00:00
This commit is contained in:
dgs4349 2020-10-09 17:21:21 -04:00
commit 7a5885e854
36 changed files with 1525 additions and 477 deletions

View File

@ -56,8 +56,9 @@
.helperGif { .helperGif {
@include S(margin-top, 5px); @include S(margin-top, 5px);
@include S(width, 150px);
@include S(height, 150px); @include S(height, 150px);
background: center center / contain no-repeat; background: center center / cover no-repeat;
transition: opacity 0.1s ease-out; transition: opacity 0.1s ease-out;
} }
} }

View File

@ -18,6 +18,12 @@ export const THIRDPARTY_URLS = {
shapeViewer: "https://viewer.shapez.io", shapeViewer: "https://viewer.shapez.io",
standaloneStorePage: "https://store.steampowered.com/app/1318690/shapezio/", standaloneStorePage: "https://store.steampowered.com/app/1318690/shapezio/",
levelTutorialVideos: {
21: "https://www.youtube.com/watch?v=0nUfRLMCcgo&",
25: "https://www.youtube.com/watch?v=7OCV1g40Iew&",
26: "https://www.youtube.com/watch?v=gfm6dS1dCoY",
},
}; };
export const A_B_TESTING_LINK_TYPE = Math.random() > 0.5 ? "steam_1_pr" : "steam_2_npr"; export const A_B_TESTING_LINK_TYPE = Math.random() > 0.5 ? "steam_1_pr" : "steam_2_npr";

View File

@ -48,6 +48,7 @@ import { Entity } from "../entity";
import { HUDBetaOverlay } from "./parts/beta_overlay"; import { HUDBetaOverlay } from "./parts/beta_overlay";
import { HUDStandaloneAdvantages } from "./parts/standalone_advantages"; import { HUDStandaloneAdvantages } from "./parts/standalone_advantages";
import { HUDCatMemes } from "./parts/cat_memes"; import { HUDCatMemes } from "./parts/cat_memes";
import { HUDTutorialVideoOffer } from "./parts/tutorial_video_offer";
export class GameHUD { export class GameHUD {
/** /**
@ -61,6 +62,18 @@ export class GameHUD {
* Initializes the hud parts * Initializes the hud parts
*/ */
initialize() { initialize() {
this.signals = {
buildingSelectedForPlacement: /** @type {TypedSignal<[MetaBuilding|null]>} */ (new Signal()),
selectedPlacementBuildingChanged: /** @type {TypedSignal<[MetaBuilding|null]>} */ (new Signal()),
shapePinRequested: /** @type {TypedSignal<[ShapeDefinition]>} */ (new Signal()),
shapeUnpinRequested: /** @type {TypedSignal<[string]>} */ (new Signal()),
notification: /** @type {TypedSignal<[string, enumNotificationType]>} */ (new Signal()),
buildingsSelectedForCopy: /** @type {TypedSignal<[Array<number>]>} */ (new Signal()),
pasteBlueprintRequested: /** @type {TypedSignal<[]>} */ (new Signal()),
viewShapeDetailsRequested: /** @type {TypedSignal<[ShapeDefinition]>} */ (new Signal()),
unlockNotificationFinished: /** @type {TypedSignal<[]>} */ (new Signal()),
};
this.parts = { this.parts = {
buildingsToolbar: new HUDBuildingsToolbar(this.root), buildingsToolbar: new HUDBuildingsToolbar(this.root),
wiresToolbar: new HUDWiresToolbar(this.root), wiresToolbar: new HUDWiresToolbar(this.root),
@ -88,6 +101,7 @@ export class GameHUD {
layerPreview: new HUDLayerPreview(this.root), layerPreview: new HUDLayerPreview(this.root),
minerHighlight: new HUDMinerHighlight(this.root), minerHighlight: new HUDMinerHighlight(this.root),
tutorialVideoOffer: new HUDTutorialVideoOffer(this.root),
// Typing hints // Typing hints
/* typehints:start */ /* typehints:start */
@ -96,17 +110,6 @@ export class GameHUD {
/* typehints:end */ /* typehints:end */
}; };
this.signals = {
buildingSelectedForPlacement: /** @type {TypedSignal<[MetaBuilding|null]>} */ (new Signal()),
selectedPlacementBuildingChanged: /** @type {TypedSignal<[MetaBuilding|null]>} */ (new Signal()),
shapePinRequested: /** @type {TypedSignal<[ShapeDefinition]>} */ (new Signal()),
shapeUnpinRequested: /** @type {TypedSignal<[string]>} */ (new Signal()),
notification: /** @type {TypedSignal<[string, enumNotificationType]>} */ (new Signal()),
buildingsSelectedForCopy: /** @type {TypedSignal<[Array<Entity>]>} */ (new Signal()),
pasteBlueprintRequested: /** @type {TypedSignal<[]>} */ (new Signal()),
viewShapeDetailsRequested: /** @type {TypedSignal<[ShapeDefinition]>} */ (new Signal()),
};
if (!IS_MOBILE) { if (!IS_MOBILE) {
this.parts.keybindingOverlay = new HUDKeybindingOverlay(this.root); this.parts.keybindingOverlay = new HUDKeybindingOverlay(this.root);
} }

View File

@ -0,0 +1,34 @@
import { THIRDPARTY_URLS } from "../../../core/config";
import { T } from "../../../translations";
import { BaseHUDPart } from "../base_hud_part";
/**
* Offers to open the tutorial video after completing a level
*/
export class HUDTutorialVideoOffer extends BaseHUDPart {
createElements() {}
initialize() {
this.root.hud.signals.unlockNotificationFinished.add(() => {
const level = this.root.hubGoals.level;
const tutorialVideoLink = THIRDPARTY_URLS.levelTutorialVideos[level];
if (tutorialVideoLink) {
const isForeign = this.root.app.settings.getLanguage() !== "en";
const dialogData = isForeign
? T.dialogs.tutorialVideoAvailableForeignLanguage
: T.dialogs.tutorialVideoAvailable;
const { ok } = this.root.hud.parts.dialogs.showInfo(dialogData.title, dialogData.desc, [
"cancel:bad",
"ok:good",
]);
this.root.app.analytics.trackUiClick("ingame_video_link_show_" + level);
ok.add(() => {
this.root.app.platformWrapper.openExternalLink(tutorialVideoLink);
this.root.app.analytics.trackUiClick("ingame_video_link_open_" + level);
});
}
});
}
}

View File

@ -129,6 +129,8 @@ export class HUDUnlockNotification extends BaseHUDPart {
this.root.app.adProvider.showVideoAd().then(() => { this.root.app.adProvider.showVideoAd().then(() => {
this.close(); this.close();
this.root.hud.signals.unlockNotificationFinished.dispatch();
if (!this.root.app.settings.getAllSettings().offerHints) { if (!this.root.app.settings.getAllSettings().offerHints) {
return; return;
} }

View File

@ -196,6 +196,14 @@ dialogs:
renameSavegame: renameSavegame:
title: Rename Savegame title: Rename Savegame
desc: You can rename your savegame here. desc: You can rename your savegame here.
tutorialVideoAvailable:
title: Tutorial Available
desc: There is a tutorial video available for this level! Would you like to
watch it?
tutorialVideoAvailableForeignLanguage:
title: Tutorial Available
desc: There is a tutorial video available for this level, but it is only
available in English. Would you like to watch it?
ingame: ingame:
keybindingsOverlay: keybindingsOverlay:
moveMap: Move moveMap: Move
@ -304,6 +312,30 @@ ingame:
and belts to finish the goal quicker.<br><br>Tip: Hold and belts to finish the goal quicker.<br><br>Tip: Hold
<strong>SHIFT</strong> to place multiple extractors, and use <strong>SHIFT</strong> to place multiple extractors, and use
<strong>R</strong> to rotate them." <strong>R</strong> to rotate them."
2_1_place_cutter: "Now place a <strong>Cutter</strong> to cut the circles in two
halves!<br><br> PS: The cutter always cuts from <strong>top to
bottom</strong> regardless of its orientation."
2_2_place_trash: The cutter can <strong>clog and stall</strong>!<br><br> Use a
<strong>trash</strong> to get rid of the currently (!) not
needed waste.
2_3_more_cutters: "Good job! Now place <strong>2 more cutters</strong> to speed
up this slow process!<br><br> PS: Use the <strong>0-9
hotkeys</strong> to access buildings faster!"
3_1_rectangles: "Now let's extract some rectangles! <strong>Build 4
extractors</strong> and connect them to the hub.<br><br> PS:
Hold <strong>SHIFT</strong> while dragging a belt to activate
the belt planner!"
21_1_place_quad_painter: Place the <strong>quad painter</strong> and get some
<strong>circles</strong>, <strong>white</strong> and
<strong>red</strong> color!
21_2_switch_to_wires: Switch to the wires layer by pressing
<strong>E</strong>!<br><br> Then <strong>connect all four
inputs</strong> of the painter with cables!
21_3_place_button: Awesome! Now place a <strong>Switch</strong> and connect it
with wires!
21_4_press_button: "Press the switch to make it <strong>emit a truthy
signal</strong> and thus activate the painter.<br><br> PS: You
don't have to connect all inputs! Try wiring only two."
connectedMiners: connectedMiners:
one_miner: 1 Miner one_miner: 1 Miner
n_miners: <amount> Miners n_miners: <amount> Miners
@ -694,7 +726,8 @@ storyRewards:
mechanics!<br><br> For the beginning I unlocked you the <strong>Quad mechanics!<br><br> For the beginning I unlocked you the <strong>Quad
Painter</strong> - Connect the slots you would like to paint with on Painter</strong> - Connect the slots you would like to paint with on
the wires layer!<br><br> To switch to the wires layer, press the wires layer!<br><br> To switch to the wires layer, press
<strong>E</strong>." <strong>E</strong>. <br><br> PS: <strong>Enable hints</strong> in
the settings to activate the wires tutorial!"
reward_filter: reward_filter:
title: Item Filter title: Item Filter
desc: You unlocked the <strong>Item Filter</strong>! It will route items either desc: You unlocked the <strong>Item Filter</strong>! It will route items either

View File

@ -93,8 +93,9 @@ mainMenu:
discordLink: Servidor Discord oficial discordLink: Servidor Discord oficial
helpTranslate: Ajuda a traduir-lo! helpTranslate: Ajuda a traduir-lo!
madeBy: Creat per <author-link> madeBy: Creat per <author-link>
browserWarning: >- browserWarning: Disculpa, però el joc funcionarà lent al teu navegador!
Disculpa, però el joc funcionarà lent al teu navegador! Aconsegueix el joc complet o descarrega't chrome per una millor experiència. Aconsegueix el joc complet o descarrega't chrome per una millor
experiència.
savegameLevel: Nivell <x> savegameLevel: Nivell <x>
savegameLevelUnknown: Nivell desconegut savegameLevelUnknown: Nivell desconegut
savegameUnnamed: Unnamed savegameUnnamed: Unnamed
@ -204,6 +205,14 @@ dialogs:
renameSavegame: renameSavegame:
title: Canviar el nom. title: Canviar el nom.
desc: Canviar el nom de la partida guardada. desc: Canviar el nom de la partida guardada.
tutorialVideoAvailable:
title: Tutorial Available
desc: There is a tutorial video available for this level! Would you like to
watch it?
tutorialVideoAvailableForeignLanguage:
title: Tutorial Available
desc: There is a tutorial video available for this level, but it is only
available in English. Would you like to watch it?
ingame: ingame:
keybindingsOverlay: keybindingsOverlay:
moveMap: Moure moveMap: Moure
@ -314,6 +323,30 @@ ingame:
ràpidament.<br><br>Pista: Manté pressionat ràpidament.<br><br>Pista: Manté pressionat
<strong>SHIFT</strong> per a col·locar més extractors, i <strong>SHIFT</strong> per a col·locar més extractors, i
utilitza <strong>R</strong> per a rotar-los." utilitza <strong>R</strong> per a rotar-los."
2_1_place_cutter: "Now place a <strong>Cutter</strong> to cut the circles in two
halves!<br><br> PS: The cutter always cuts from <strong>top to
bottom</strong> regardless of its orientation."
2_2_place_trash: The cutter can <strong>clog and stall</strong>!<br><br> Use a
<strong>trash</strong> to get rid of the currently (!) not
needed waste.
2_3_more_cutters: "Good job! Now place <strong>2 more cutters</strong> to speed
up this slow process!<br><br> PS: Use the <strong>0-9
hotkeys</strong> to access buildings faster!"
3_1_rectangles: "Now let's extract some rectangles! <strong>Build 4
extractors</strong> and connect them to the hub.<br><br> PS:
Hold <strong>SHIFT</strong> while dragging a belt to activate
the belt planner!"
21_1_place_quad_painter: Place the <strong>quad painter</strong> and get some
<strong>circles</strong>, <strong>white</strong> and
<strong>red</strong> color!
21_2_switch_to_wires: Switch to the wires layer by pressing
<strong>E</strong>!<br><br> Then <strong>connect all four
inputs</strong> of the painter with cables!
21_3_place_button: Awesome! Now place a <strong>Switch</strong> and connect it
with wires!
21_4_press_button: "Press the switch to make it <strong>emit a truthy
signal</strong> and thus activate the painter.<br><br> PS: You
don't have to connect all inputs! Try wiring only two."
connectedMiners: connectedMiners:
one_miner: 1 Miner one_miner: 1 Miner
n_miners: <amount> Miners n_miners: <amount> Miners
@ -711,12 +744,13 @@ storyRewards:
passar-ho bé! passar-ho bé!
reward_wires_painter_and_levers: reward_wires_painter_and_levers:
title: Cables i Pintador Quàdruple title: Cables i Pintador Quàdruple
desc: "\"Has desbloquejat la <strong>Capa de Cables</strong>: És una capa desc: "You just unlocked the <strong>Wires Layer</strong>: It is a separate
separada damunt la capa normal i introdueix moltes mecàniques layer on top of the regular layer and introduces a lot of new
noves!<br><br> Per començar t'he desbloquejat el <strong>Pintador mechanics!<br><br> For the beginning I unlocked you the <strong>Quad
Quàdruple</strong>. Conecta les ranures que vols pintar a la capa de Painter</strong> - Connect the slots you would like to paint with on
Cables!<br><br> Per canviar a la capa de Cables, prem the wires layer!<br><br> To switch to the wires layer, press
<strong>E</strong>.\"" <strong>E</strong>. <br><br> PS: <strong>Enable hints</strong> in
the settings to activate the wires tutorial!"
reward_filter: reward_filter:
title: Filtre d'Ítems title: Filtre d'Ítems
desc: Has desbloquejat el <strong>Filtre d'Ítems</strong>! Filtrarà els ítems a desc: Has desbloquejat el <strong>Filtre d'Ítems</strong>! Filtrarà els ítems a

View File

@ -1,55 +1,53 @@
steamPage: steamPage:
shortText: shapez.io je hra o stavbě továren pro automatizaci výroby a shortText: shapez.io je hra o stavbě továren na automatizaci výroby a
kombinování čím dál složitějších tvarů na nekonečné mapě. kombinování čím dál složitějších tvarů na nekonečné mapě.
discordLinkShort: Oficiální Discord discordLinkShort: Oficiální Discord
intro: >- intro: >-
Shapez.io je relaxační hra, ve které musíte stavět továrny pro automatizaci výroby geometrických tvarů. Máte rádi automatizaci? Tak to jste na správném místě!
Jak se zvyšuje úroveň, tvary se stávají stále složitějšími a vy se musíte rozšířit po nekonečné mapě. shapez.io je relaxační hra, ve které musíte stavět továrny na automatizaci výroby geometrických tvarů. Jak se zvyšuje úroveň, tvary se stávají stále složitějšími a vy se musíte rozšířit po nekonečné mapě.
A jako by to nestačilo, musíte také produkovat exponenciálně více, abyste uspokojili požadavky - jediná věc, která pomáhá, je škálování! A jako by to nestačilo, musíte také produkovat exponenciálně více, abyste uspokojili požadavky - jediná věc, která pomáhá, je škálování! Zatímco na začátku tvary pouze zpracováváte, později je musíte obarvit - těžbou a mícháním barev!
Zatímco tvary zpracováváte pouze na začátku, musíte je později obarvit - k tomu musíte těžit a míchat barvy! Koupením hry na platformě Steam získáte přístup k plné verzi hry, ale také můžete nejdříve hrát demo verzi na shapez.io a až potom se rozhodnout!
Koupením hry na platformě Steam vám dá přístup k plné verzi hry, ale také můžete hrát demo verzi na shapez.io a potom se můžete rozhodnou jestli hru koupíte!
title_advantages: Výhody samostatné verze hry title_advantages: Výhody samostatné verze hry
advantages: advantages:
- <b>12 Nových úrovní</b> celkem 26 úrovní - <b>12 Nových úrovní</b> z celkových 26 úrovní
- <b>18 Nových budov</b> pro plně automatizovanou továrnu! - <b>18 Nových budov</b> pro plně automatizovanou továrnu!
- <b>20 vylepšení</b> pro mnoho hodin zábavy! - <b>20 Řad vylepšení</b> pro mnoho hodin zábavy!
- <b>Wires Update</b> pro zcela nové rozměry! - <b>Wires Update</b> pro zcela novou dimenzi!
- <b>Dark Mode</b>! - <b>Tmavý mód</b>!
- Neomezený počet uložených her - Neomezený počet uložených her
- Neomezené značky - Neomezené značky
- Podpořte mě! ❤️ - Podpořte mě! ❤️
title_future: Plánovaný kontent title_future: Plánovaný obsah
planned: planned:
- Blueprintová knihovna - Blueprintová knihovna
- Steam Achievements - Steam Achievements
- Puzzle Mód - Puzzle mód
- Minimapa - Minimapa
- Módy - Módy
- Sandbox Mód - Sandbox mód
- ... a o hodně víc! - ... a mnohem víc!
title_open_source: Tato hra je open source! title_open_source: Tato hra je open source!
text_open_source: >-
Kdokoli může přispět, jsem aktivně zapojený do komunity, pokouším se
zkontrolovat všechny návrhy a vzít v úvahu zpětnou vazbu všude, kde je
to možné.
Nezapomeňte se podívat na můj trello board pro kompletní plán!
title_links: Odkazy title_links: Odkazy
links: links:
discord: Oficiální Discord discord: Oficiální Discord
roadmap: Roadmap roadmap: Roadmap
subreddit: Subreddit subreddit: Subreddit
source_code: Source code (GitHub) source_code: Zdrojový kód (GitHub)
translate: Pomozte přeložit hru! translate: Pomozte přeložit hru!
text_open_source: >-
Kdokoli může přispět, jsem aktivně zapojený do komunity,
pokouším se zkontrolovat všechny návrhy a vzít v úvahu zpětnou vazbu všude,
kde je to možné.
Nezapomeňte se podívat na můj trello board, kde najdete kompletní plán!
global: global:
loading: Načítám loading: Načítání
error: Chyba error: Chyba
thousandsDivider: " " thousandsDivider: " "
decimalSeparator: . decimalSeparator: ","
suffix: suffix:
thousands: k thousands: k
millions: M millions: M
@ -78,23 +76,23 @@ global:
space: SPACE space: SPACE
demoBanners: demoBanners:
title: Demo verze title: Demo verze
intro: Získejte plnou verzi pro odemknutí všech funkcí! intro: Získejte plnou verzi pro odemknutí všech funkcí a obsahu!
mainMenu: mainMenu:
play: Hrát play: Hrát
changelog: Změny continue: Pokračovat
newGame: Nová hra
changelog: Seznam změn
subreddit: Reddit
importSavegame: Importovat importSavegame: Importovat
openSourceHint: Tato hra je open source! openSourceHint: Tato hra je open source!
discordLink: Oficiální Discord Server discordLink: Oficiální Discord Server
helpTranslate: Pomozte přeložit hru! helpTranslate: Pomozte přeložit hru!
browserWarning: Hrajete v nepodporovaném prohlížeči, je možné že hra poběží madeBy: Vytvořil <author-link>
pomalu! Pořiďte si samostatnou verzi nebo vyzkoušejte prohlížeč Chrome browserWarning: Promiňte, ale víme, že hra poběží pomalu ve vašem prohlížeči!
pro plnohodnotný zážitek. Pořiďte si samostatnou verzi nebo si stíhněte Google Chrome pro
plnohodnotný zážitek.
savegameLevel: Úroveň <x> savegameLevel: Úroveň <x>
savegameLevelUnknown: Neznámá úroveň savegameLevelUnknown: Neznámá úroveň
continue: Pokračovat
newGame: Nová hra
madeBy: Vytvořil <author-link>
subreddit: Reddit
savegameUnnamed: Nepojmenovaný savegameUnnamed: Nepojmenovaný
dialogs: dialogs:
buttons: buttons:
@ -131,39 +129,46 @@ dialogs:
text: Pro aplikování nastavení musíte restartovat hru. text: Pro aplikování nastavení musíte restartovat hru.
editKeybinding: editKeybinding:
title: Změna klávesové zkratky title: Změna klávesové zkratky
desc: Zmáčkněte klávesu nebo tlačítko na myši pro přiřazení nebo Escape pro desc: Zmáčkněte klávesu nebo tlačítko myši pro přiřazení nebo Escape pro
zrušení. zrušení.
resetKeybindingsConfirmation: resetKeybindingsConfirmation:
title: Reset klávesových zkratek title: Reset klávesových zkratek
desc: Opravdu chcete vrátit klávesové zkratky zpět do původního nastavení? desc: Toto vrátí všechny klávesové zkratky do původního nastavení. Prosím
potvrďte.
keybindingsResetOk: keybindingsResetOk:
title: Reset klávesových zkratek title: Reset klávesových zkratek
desc: Vaše klávesové zkratky byly resetovány do původního nastavení! desc: Všechny klávesové zkratky byly vráceny do původního nastavení!
featureRestriction: featureRestriction:
title: Demo verze title: Demo verze
desc: Zkoušíte použít funkci (<feature>), která není v demo verzi. Pořiďte si desc: Zkoušíte použít funkci (<feature>), která není v demo verzi. Zvažte
plnou verzi pro lepší zážitek! pořízení plné verze pro kompletní zážitek!
oneSavegameLimit: oneSavegameLimit:
title: Omezené ukládání title: Omezené ukládání
desc: Ve zkušební verzi můžete mít pouze jednu uloženou hru. Odstraňte stávající desc: Ve demo verzi můžete mít pouze jednu uloženou hru. Odstraňte stávající
uloženou hru nebo si pořiďte plnou verzi! uloženou hru nebo si pořiďte plnou verzi!
updateSummary: updateSummary:
title: Nová aktualizace! title: Nová aktualizace!
desc: "Tady jsou změny od posledně:" desc: "Tady jsou změny od posledního hraní:"
upgradesIntroduction: upgradesIntroduction:
title: Odemknout vylepšení title: Odemknout vylepšení
desc: Všechny tvary, které vytvoříte, lze použít k odemčení vylepšení - desc: Všechny tvary, které vytvoříte, lze použít k odemčení vylepšení -
<strong>Neničte své staré továrny!</strong> Karta vylepšení se <strong>Neničte své staré továrny!</strong> Kartu vylepšení lze
nachází v pravém horním rohu obrazovky. najít v pravém horním rohu obrazovky.
massDeleteConfirm: massDeleteConfirm:
title: Potvrdit smazání title: Potvrdit smazání
desc: Odstraňujete spoustu budov (přesněji <count>)! Opravdu je chcete smazat? desc: Odstraňujete spoustu budov (přesněji <count>)! Opravdu je chcete smazat?
massCutConfirm:
title: Potvrdit vyjmutí
desc: Vyjímáte spoustu budov (přesněji <count>)! Opravdu je chcete vyjmout?
massCutInsufficientConfirm:
title: Potvrdit vyjmutí
desc: Nemůžete si dovolit vložení této oblasti! Opravdu ji chcete vyjmout?
blueprintsNotUnlocked: blueprintsNotUnlocked:
title: Zatím neodemčeno title: Zatím neodemčeno
desc: Plány ještě nebyly odemčeny! Chcete-li je odemknout, dokončete úroveň 12. desc: Dokončete úroveň 12 pro odemčení Plánů!
keybindingsIntroduction: keybindingsIntroduction:
title: Užitečné klávesové zkratky title: Užitečné klávesové zkratky
desc: "Hra má spoustu klávesových zkratek, které usnadňují stavbu velkých desc: "Tato hra má spoustu klávesových zkratek, které usnadňují stavbu velkých
továren. Zde jsou některé, ale nezapomeňte se podívat i na továren. Zde jsou některé, ale nezapomeňte se podívat i na
<strong>ostatní klávesové zkratky</strong>!<br><br> <code <strong>ostatní klávesové zkratky</strong>!<br><br> <code
class='keybinding'>CTRL</code> + Táhnout: Vybrání oblasti.<br> <code class='keybinding'>CTRL</code> + Táhnout: Vybrání oblasti.<br> <code
@ -172,32 +177,33 @@ dialogs:
umístěných pásů.<br>" umístěných pásů.<br>"
createMarker: createMarker:
title: Nová značka title: Nová značka
desc: Použijte smysluplný název, můžete také zahrnout <strong>krátký
klíč</strong> tvaru (který můžete vygenerovat <link>zde</link>)
titleEdit: Upravit značku titleEdit: Upravit značku
markerDemoLimit: desc: Použijte smysluplný název, můžete také zahrnout <strong>krátký
desc: V ukázce můžete vytvořit pouze dvě značky. Získejte plnou verzi pro klíč</strong> tvaru (Ten můžete vygenerovat <link>zde</link>)
neomezený počet značek!
massCutConfirm:
title: Potvrdit vyjmutí
desc: Chceš vyjmout spoustu budov (přesněji řečeno <count>)! Vážně to chceš
udělat?
exportScreenshotWarning:
title: Exportuj snímek obrazovky
desc: Zažádal jsi o exportování své základny jako obrázek. Měj prosím na paměti,
že to může zejména u větších základen dlouho trvat, nebo dokonce
shodit hru!
massCutInsufficientConfirm:
title: Potvrdit vyjmutí
desc: Nemůžeš si dovolit vložení této oblasti! Skutečně ji chceš vyjmout?
editSignal: editSignal:
title: Nastavte signál title: Nastavte signál
descItems: "Vyberte předdefinovanou položku:" descItems: "Vyberte předdefinovanou položku:"
descShortKey: ... nebo zadejte <strong>krátký klíč</strong> tvaru (který můžete descShortKey: ... nebo zadejte <strong>krátký klíč</strong> tvaru (Ten můžete
vygenerovat <link>zde</link>) vygenerovat <link>zde</link>)
markerDemoLimit:
desc: V demo verzi můžete vytvořit pouze dvě značky. Pořiďte si plnou verzi pro
neomezený počet značek!
exportScreenshotWarning:
title: Exportuj snímek obrazovky
desc: Chcete exportovat svou základnu jako snímek obrazovky. Mějte prosím na
paměti, že to bude docela pomalé u větších základen a může dokonce
dojít k pádu hry!
renameSavegame: renameSavegame:
title: Přejmenovat uloženou hru title: Přejmenovat uloženou hru
desc: Zde můžeš přejmenovat svoji uloženou hru. desc: Zde můžete přejmenovat svoji uloženou hru.
tutorialVideoAvailable:
title: Tutorial Available
desc: There is a tutorial video available for this level! Would you like to
watch it?
tutorialVideoAvailableForeignLanguage:
title: Tutorial Available
desc: There is a tutorial video available for this level, but it is only
available in English. Would you like to watch it?
ingame: ingame:
keybindingsOverlay: keybindingsOverlay:
moveMap: Posun mapy moveMap: Posun mapy
@ -292,6 +298,30 @@ ingame:
a pásy, abyste dosáhli cíle rychleji.<br><br>Tip: Chcete-li a pásy, abyste dosáhli cíle rychleji.<br><br>Tip: Chcete-li
umístit více extraktorů, podržte <strong>SHIFT</strong>. Pomocí umístit více extraktorů, podržte <strong>SHIFT</strong>. Pomocí
<strong>R</strong> je můžete otočit." <strong>R</strong> je můžete otočit."
2_1_place_cutter: "Now place a <strong>Cutter</strong> to cut the circles in two
halves!<br><br> PS: The cutter always cuts from <strong>top to
bottom</strong> regardless of its orientation."
2_2_place_trash: The cutter can <strong>clog and stall</strong>!<br><br> Use a
<strong>trash</strong> to get rid of the currently (!) not
needed waste.
2_3_more_cutters: "Good job! Now place <strong>2 more cutters</strong> to speed
up this slow process!<br><br> PS: Use the <strong>0-9
hotkeys</strong> to access buildings faster!"
3_1_rectangles: "Now let's extract some rectangles! <strong>Build 4
extractors</strong> and connect them to the hub.<br><br> PS:
Hold <strong>SHIFT</strong> while dragging a belt to activate
the belt planner!"
21_1_place_quad_painter: Place the <strong>quad painter</strong> and get some
<strong>circles</strong>, <strong>white</strong> and
<strong>red</strong> color!
21_2_switch_to_wires: Switch to the wires layer by pressing
<strong>E</strong>!<br><br> Then <strong>connect all four
inputs</strong> of the painter with cables!
21_3_place_button: Awesome! Now place a <strong>Switch</strong> and connect it
with wires!
21_4_press_button: "Press the switch to make it <strong>emit a truthy
signal</strong> and thus activate the painter.<br><br> PS: You
don't have to connect all inputs! Try wiring only two."
colors: colors:
red: Červená red: Červená
green: Zelená green: Zelená
@ -681,12 +711,13 @@ storyRewards:
na tvou volbu, nezapomeň si svou hru užít! na tvou volbu, nezapomeň si svou hru užít!
reward_wires_painter_and_levers: reward_wires_painter_and_levers:
title: Kabely a čtyřnásobný barvič title: Kabely a čtyřnásobný barvič
desc: "Právě jste odemkli <strong>vrstvu kabelů</strong>: Je to samostatná desc: "You just unlocked the <strong>Wires Layer</strong>: It is a separate
vrstva navíc oproti běžné vrstvě a představuje spoustu nových layer on top of the regular layer and introduces a lot of new
možností!<br><br> Do začátku jsem zpřístupnil <strong>čtyřnásobný mechanics!<br><br> For the beginning I unlocked you the <strong>Quad
barvič</strong> - Připojte vstupy, které byste chtěli obarvit na Painter</strong> - Connect the slots you would like to paint with on
vrstvě kabelů!<br><br> Pro přepnutí mezi vrstvami stiskněte klávesu the wires layer!<br><br> To switch to the wires layer, press
<strong>E</strong>." <strong>E</strong>. <br><br> PS: <strong>Enable hints</strong> in
the settings to activate the wires tutorial!"
reward_filter: reward_filter:
title: Filtr předmětů title: Filtr předmětů
desc: Právě jste odemkli <strong>filtr předmětů</strong>! Nasměruje předměty buď desc: Právě jste odemkli <strong>filtr předmětů</strong>! Nasměruje předměty buď

View File

@ -201,6 +201,14 @@ dialogs:
renameSavegame: renameSavegame:
title: Rename Savegame title: Rename Savegame
desc: You can rename your savegame here. desc: You can rename your savegame here.
tutorialVideoAvailable:
title: Tutorial Available
desc: There is a tutorial video available for this level! Would you like to
watch it?
tutorialVideoAvailableForeignLanguage:
title: Tutorial Available
desc: There is a tutorial video available for this level, but it is only
available in English. Would you like to watch it?
ingame: ingame:
keybindingsOverlay: keybindingsOverlay:
moveMap: Bevæg dig moveMap: Bevæg dig
@ -309,6 +317,30 @@ ingame:
bælter for at færdiggøre målet hurtigere.<br><br>Tip: Hold bælter for at færdiggøre målet hurtigere.<br><br>Tip: Hold
<strong>SKIFT</strong> for at sætte flere udvindere, og tryk <strong>SKIFT</strong> for at sætte flere udvindere, og tryk
<strong>R</strong> for at rotere dem." <strong>R</strong> for at rotere dem."
2_1_place_cutter: "Now place a <strong>Cutter</strong> to cut the circles in two
halves!<br><br> PS: The cutter always cuts from <strong>top to
bottom</strong> regardless of its orientation."
2_2_place_trash: The cutter can <strong>clog and stall</strong>!<br><br> Use a
<strong>trash</strong> to get rid of the currently (!) not
needed waste.
2_3_more_cutters: "Good job! Now place <strong>2 more cutters</strong> to speed
up this slow process!<br><br> PS: Use the <strong>0-9
hotkeys</strong> to access buildings faster!"
3_1_rectangles: "Now let's extract some rectangles! <strong>Build 4
extractors</strong> and connect them to the hub.<br><br> PS:
Hold <strong>SHIFT</strong> while dragging a belt to activate
the belt planner!"
21_1_place_quad_painter: Place the <strong>quad painter</strong> and get some
<strong>circles</strong>, <strong>white</strong> and
<strong>red</strong> color!
21_2_switch_to_wires: Switch to the wires layer by pressing
<strong>E</strong>!<br><br> Then <strong>connect all four
inputs</strong> of the painter with cables!
21_3_place_button: Awesome! Now place a <strong>Switch</strong> and connect it
with wires!
21_4_press_button: "Press the switch to make it <strong>emit a truthy
signal</strong> and thus activate the painter.<br><br> PS: You
don't have to connect all inputs! Try wiring only two."
connectedMiners: connectedMiners:
one_miner: 1 Miner one_miner: 1 Miner
n_miners: <amount> Miners n_miners: <amount> Miners
@ -699,7 +731,8 @@ storyRewards:
mechanics!<br><br> For the beginning I unlocked you the <strong>Quad mechanics!<br><br> For the beginning I unlocked you the <strong>Quad
Painter</strong> - Connect the slots you would like to paint with on Painter</strong> - Connect the slots you would like to paint with on
the wires layer!<br><br> To switch to the wires layer, press the wires layer!<br><br> To switch to the wires layer, press
<strong>E</strong>." <strong>E</strong>. <br><br> PS: <strong>Enable hints</strong> in
the settings to activate the wires tutorial!"
reward_filter: reward_filter:
title: Item Filter title: Item Filter
desc: You unlocked the <strong>Item Filter</strong>! It will route items either desc: You unlocked the <strong>Item Filter</strong>! It will route items either

View File

@ -5,8 +5,7 @@ steamPage:
intro: >- intro: >-
Du magst Automatisierungsspiele? Dann bist du hier genau richtig! Du magst Automatisierungsspiele? Dann bist du hier genau richtig!
shapez.io ist ein entspanntes Spiel, in dem du Fabriken zur shapez.io ist ein entspanntes Spiel, in dem du Fabriken zur automatisierten Produktion von geometrischen Formen bauen musst.
automatisierten Produktion von geometrischen Formen bauen musst.
Mit steigendem Level werden die Formen immer komplexer, und du musst dich auf der unendlich großen Karte ausbreiten. Das ist noch nicht alles, denn du musst exponentiell mehr produzieren, um die Anforderungen zu erfüllen - Da hilft nur skalieren! Mit steigendem Level werden die Formen immer komplexer, und du musst dich auf der unendlich großen Karte ausbreiten. Das ist noch nicht alles, denn du musst exponentiell mehr produzieren, um die Anforderungen zu erfüllen - Da hilft nur skalieren!
@ -197,6 +196,13 @@ dialogs:
renameSavegame: renameSavegame:
title: Speicherstand umbenennen title: Speicherstand umbenennen
desc: Hier kannst du deinen Speicherstand umbenennen. desc: Hier kannst du deinen Speicherstand umbenennen.
tutorialVideoAvailable:
title: Tutorial verfügbar
desc: Für dieses Level ist ein Tutorial-Video verfügbar. Willst du es anschauen?
tutorialVideoAvailableForeignLanguage:
title: Tutorial verfügbar
desc: Für dieses Level ist ein Tutorial-Video verfügbar, allerdings nur auf
Englisch. Willst du es trotzdem anschauen?
ingame: ingame:
keybindingsOverlay: keybindingsOverlay:
moveMap: Bewegen moveMap: Bewegen
@ -304,6 +310,32 @@ ingame:
Fließbänder, um das Ziel schneller zu erreichen.<br><br>Tipp: Fließbänder, um das Ziel schneller zu erreichen.<br><br>Tipp:
Halte <strong>UMSCH</strong>, um mehrere Gebäude zu platzieren Halte <strong>UMSCH</strong>, um mehrere Gebäude zu platzieren
und nutze <strong>R</strong>, um sie zu rotieren." und nutze <strong>R</strong>, um sie zu rotieren."
2_1_place_cutter: "Platziere nun einen <strong>Schneider</strong> um die Kreise
in zwei Hälften zu zerteilen.<br><br> Übrigens: Der Schneider
schneidet immer von <strong>oben nach unten</strong>, unabhängig
seiner Orientierung!"
2_2_place_trash: Der Schneider kann <strong>verstopfen</strong>!<br><br>Benutze
einen <strong>Mülleimer</strong> um den aktuell (!) nicht
benötigten Rest loszuwerden.
2_3_more_cutters: "Gut gemacht! Platziere noch <strong>2 mehr Schneider</strong>
um das ganze zu beschleunigen.<br><br> Übrigens: Benutze die
<strong>Tasten 0-9</strong> um Gebäude schneller auszuwählen!"
3_1_rectangles: "Lass uns ein paar Quadrate extrahieren! <strong>Baue 4
Extrahierer</strong> und verbinde sie mit deinem HUB.<br><br>
PS: Halte <strong>SHIFT</strong> während du ein Fließband
ziehst, um den Fließbandplaner zu aktivieren!"
21_1_place_quad_painter: Platzier den <strong>Vierfach-Färber</strong> und
organisier ein paar <strong>Kreise</strong>,
<strong>weiße</strong> und <strong>rote</strong> Farbe!
21_2_switch_to_wires: Wechsle in die Wires-Ebene indem du <strong>E</strong>
drückst!<br><br> Verbinde danach <strong>alle vier
Eingänge</strong> mit Signalkabeln!
21_3_place_button: Perfekt! Platziere jetzt einen <strong>Schalter</strong> und
verbinde ihn mit Signalkabeln.
21_4_press_button: "Drücke den Schalter damit er ein <strong>wahres
Signal</strong> ausgibt, und damit den Färber aktiviert.<br><br>
PS: Du musst nicht alle Eingänge verbinden! Probiere mal nur 2
aus."
connectedMiners: connectedMiners:
one_miner: Ein Extrahierer one_miner: Ein Extrahierer
n_miners: <amount> Extrahierer n_miners: <amount> Extrahierer
@ -588,8 +620,9 @@ storyRewards:
<strong>gestapelt</strong>. <strong>gestapelt</strong>.
reward_balancer: reward_balancer:
title: Verteiler title: Verteiler
desc: Der multifunktionale <strong>Verteiler</strong> wurde freigeschaltet! Er kann desc: Der multifunktionale <strong>Verteiler</strong> wurde freigeschaltet! Er
benutzt werden, um größere Fabriken zu bauen, indem Fließbänder <strong>aufgeteilt oder zusammengelegt</strong> werden! kann benutzt werden, um größere Fabriken zu bauen, indem Fließbänder
<strong>aufgeteilt oder zusammengelegt</strong> werden!
reward_tunnel: reward_tunnel:
title: Tunnel title: Tunnel
desc: Der <strong>Tunnel</strong> wurde freigeschaltet! Du kannst Items nun desc: Der <strong>Tunnel</strong> wurde freigeschaltet! Du kannst Items nun
@ -658,13 +691,14 @@ storyRewards:
(Überraschung! :D). (Überraschung! :D).
reward_wires_painter_and_levers: reward_wires_painter_and_levers:
title: Wires-Ebene & vierfacher Färber title: Wires-Ebene & vierfacher Färber
desc: Du hast soeben die <strong>Wires-Ebene</strong> freigeschaltet! Diese desc: "Du hast soeben die <strong>Wires-Ebene</strong> freigeschaltet! Diese
separate Ebene befindet sich unter deinen Gebäuden und gibt dir separate Ebene befindet sich unter deinen Gebäuden und gibt dir
viele neue Möglichkeiten.<br><br> Für den Anfang bekommst du einen viele neue Möglichkeiten.<br><br> Für den Anfang bekommst du einen
<strong>vierfachen Färber</strong>. Schließe die Eingänge, mit denen <strong>vierfachen Färber</strong>. Schließe die Eingänge, mit denen
du die Quadranten färben möchtest, an ein Signalkabel auf der du die Quadranten färben möchtest, an ein Signalkabel auf der
Wires-Ebene an!<br><br> Mit <strong>E</strong> wechselst du zwischen Wires-Ebene an!<br><br> Mit <strong>E</strong> wechselst du zwischen
den Ebenen. den Ebenen. <br><br>PS: <strong>Aktiviere Hinweise</strong> in den
Einstellungen um das Tutorial anzuzeigen!"
reward_filter: reward_filter:
title: Itemfilter title: Itemfilter
desc: Du hast den <strong>Itemfilter</strong> freigeschaltet! Items, die dem desc: Du hast den <strong>Itemfilter</strong> freigeschaltet! Items, die dem
@ -687,12 +721,13 @@ storyRewards:
<strong>Wahrheitswerte</strong> (1 oder 0) zur Verfügung stellen. <strong>Wahrheitswerte</strong> (1 oder 0) zur Verfügung stellen.
reward_logic_gates: reward_logic_gates:
title: Logikgatter title: Logikgatter
desc: >- desc: Du hast nun eine Reihe an <strong>Logikgattern</strong> freigeschaltet!
Du hast nun eine Reihe an <strong>Logikgattern</strong> freigeschaltet! Das muss dich jetzt nicht Das muss dich jetzt nicht nervös machen, die Funktionsweise ist
nervös machen, die Funktionsweise ist simpel und ziemlich cool.<br><br> simpel und ziemlich cool.<br><br> Mit Logikgattern kannst du UND-,
Mit Logikgattern kannst du UND-, ODER-, XODER- und NICHT-Operationen ausführen.<br><br> ODER-, XODER- und NICHT-Operationen ausführen.<br><br> Als
Als Sahnehäubchen obendrauf stelle ich dir noch einen <strong>Transistor</strong> zur Verfügung. Sahnehäubchen obendrauf stelle ich dir noch einen
Houston, wir sind Turing-vollständig! <strong>Transistor</strong> zur Verfügung. Houston, wir sind
Turing-vollständig!
reward_virtual_processing: reward_virtual_processing:
title: Virtuelle Verarbeitung title: Virtuelle Verarbeitung
desc: "Du hast gerade eine Menge neue Gebäude freigeschaltet! Mit ihnen kannst desc: "Du hast gerade eine Menge neue Gebäude freigeschaltet! Mit ihnen kannst

View File

@ -209,6 +209,14 @@ dialogs:
renameSavegame: renameSavegame:
title: Rename Savegame title: Rename Savegame
desc: You can rename your savegame here. desc: You can rename your savegame here.
tutorialVideoAvailable:
title: Tutorial Available
desc: There is a tutorial video available for this level! Would you like to
watch it?
tutorialVideoAvailableForeignLanguage:
title: Tutorial Available
desc: There is a tutorial video available for this level, but it is only
available in English. Would you like to watch it?
ingame: ingame:
keybindingsOverlay: keybindingsOverlay:
moveMap: Κίνηση moveMap: Κίνηση
@ -306,6 +314,30 @@ ingame:
<strong>SHIFT</strong> για να τοποθετήσεις πολλούς αποσπαστές <strong>SHIFT</strong> για να τοποθετήσεις πολλούς αποσπαστές
και χρησιμοποιήστε το <strong>R</strong> για να τους και χρησιμοποιήστε το <strong>R</strong> για να τους
περιστρέψεις." περιστρέψεις."
2_1_place_cutter: "Now place a <strong>Cutter</strong> to cut the circles in two
halves!<br><br> PS: The cutter always cuts from <strong>top to
bottom</strong> regardless of its orientation."
2_2_place_trash: The cutter can <strong>clog and stall</strong>!<br><br> Use a
<strong>trash</strong> to get rid of the currently (!) not
needed waste.
2_3_more_cutters: "Good job! Now place <strong>2 more cutters</strong> to speed
up this slow process!<br><br> PS: Use the <strong>0-9
hotkeys</strong> to access buildings faster!"
3_1_rectangles: "Now let's extract some rectangles! <strong>Build 4
extractors</strong> and connect them to the hub.<br><br> PS:
Hold <strong>SHIFT</strong> while dragging a belt to activate
the belt planner!"
21_1_place_quad_painter: Place the <strong>quad painter</strong> and get some
<strong>circles</strong>, <strong>white</strong> and
<strong>red</strong> color!
21_2_switch_to_wires: Switch to the wires layer by pressing
<strong>E</strong>!<br><br> Then <strong>connect all four
inputs</strong> of the painter with cables!
21_3_place_button: Awesome! Now place a <strong>Switch</strong> and connect it
with wires!
21_4_press_button: "Press the switch to make it <strong>emit a truthy
signal</strong> and thus activate the painter.<br><br> PS: You
don't have to connect all inputs! Try wiring only two."
colors: colors:
red: Κόκκινο red: Κόκκινο
green: Πράσινο green: Πράσινο
@ -721,7 +753,8 @@ storyRewards:
mechanics!<br><br> For the beginning I unlocked you the <strong>Quad mechanics!<br><br> For the beginning I unlocked you the <strong>Quad
Painter</strong> - Connect the slots you would like to paint with on Painter</strong> - Connect the slots you would like to paint with on
the wires layer!<br><br> To switch to the wires layer, press the wires layer!<br><br> To switch to the wires layer, press
<strong>E</strong>." <strong>E</strong>. <br><br> PS: <strong>Enable hints</strong> in
the settings to activate the wires tutorial!"
reward_filter: reward_filter:
title: Item Filter title: Item Filter
desc: You unlocked the <strong>Item Filter</strong>! It will route items either desc: You unlocked the <strong>Item Filter</strong>! It will route items either

View File

@ -28,7 +28,7 @@ steamPage:
discordLinkShort: Official Discord discordLinkShort: Official Discord
intro: >- intro: >-
You like automation games? Then you are in the right place! Do you like automation games? Then you are in the right place!
shapez.io is a relaxed game in which you have to build factories for the automated production of geometric shapes. As the level increases, the shapes become more and more complex, and you have to spread out on the infinite map. shapez.io is a relaxed game in which you have to build factories for the automated production of geometric shapes. As the level increases, the shapes become more and more complex, and you have to spread out on the infinite map.
@ -272,6 +272,14 @@ dialogs:
title: Rename Savegame title: Rename Savegame
desc: You can rename your savegame here. desc: You can rename your savegame here.
tutorialVideoAvailable:
title: Tutorial Available
desc: There is a tutorial video available for this level! Would you like to watch it?
tutorialVideoAvailableForeignLanguage:
title: Tutorial Available
desc: There is a tutorial video available for this level, but it is only available in English. Would you like to watch it?
ingame: ingame:
# This is shown in the top left corner and displays useful keybindings in # This is shown in the top left corner and displays useful keybindings in
# every situation # every situation

View File

@ -204,6 +204,14 @@ dialogs:
renameSavegame: renameSavegame:
title: Rename Savegame title: Rename Savegame
desc: You can rename your savegame here. desc: You can rename your savegame here.
tutorialVideoAvailable:
title: Tutorial Available
desc: There is a tutorial video available for this level! Would you like to
watch it?
tutorialVideoAvailableForeignLanguage:
title: Tutorial Available
desc: There is a tutorial video available for this level, but it is only
available in English. Would you like to watch it?
ingame: ingame:
keybindingsOverlay: keybindingsOverlay:
moveMap: Mover moveMap: Mover
@ -314,6 +322,30 @@ ingame:
más rápido.<br><br> Pista: Mantén pulsado <strong>SHIFT</strong> más rápido.<br><br> Pista: Mantén pulsado <strong>SHIFT</strong>
para colocar varios extractores y usa <strong>R</strong> para para colocar varios extractores y usa <strong>R</strong> para
rotarlos.' rotarlos.'
2_1_place_cutter: "Now place a <strong>Cutter</strong> to cut the circles in two
halves!<br><br> PS: The cutter always cuts from <strong>top to
bottom</strong> regardless of its orientation."
2_2_place_trash: The cutter can <strong>clog and stall</strong>!<br><br> Use a
<strong>trash</strong> to get rid of the currently (!) not
needed waste.
2_3_more_cutters: "Good job! Now place <strong>2 more cutters</strong> to speed
up this slow process!<br><br> PS: Use the <strong>0-9
hotkeys</strong> to access buildings faster!"
3_1_rectangles: "Now let's extract some rectangles! <strong>Build 4
extractors</strong> and connect them to the hub.<br><br> PS:
Hold <strong>SHIFT</strong> while dragging a belt to activate
the belt planner!"
21_1_place_quad_painter: Place the <strong>quad painter</strong> and get some
<strong>circles</strong>, <strong>white</strong> and
<strong>red</strong> color!
21_2_switch_to_wires: Switch to the wires layer by pressing
<strong>E</strong>!<br><br> Then <strong>connect all four
inputs</strong> of the painter with cables!
21_3_place_button: Awesome! Now place a <strong>Switch</strong> and connect it
with wires!
21_4_press_button: "Press the switch to make it <strong>emit a truthy
signal</strong> and thus activate the painter.<br><br> PS: You
don't have to connect all inputs! Try wiring only two."
connectedMiners: connectedMiners:
one_miner: 1 Miner one_miner: 1 Miner
n_miners: <amount> Miners n_miners: <amount> Miners
@ -711,7 +743,8 @@ storyRewards:
mechanics!<br><br> For the beginning I unlocked you the <strong>Quad mechanics!<br><br> For the beginning I unlocked you the <strong>Quad
Painter</strong> - Connect the slots you would like to paint with on Painter</strong> - Connect the slots you would like to paint with on
the wires layer!<br><br> To switch to the wires layer, press the wires layer!<br><br> To switch to the wires layer, press
<strong>E</strong>." <strong>E</strong>. <br><br> PS: <strong>Enable hints</strong> in
the settings to activate the wires tutorial!"
reward_filter: reward_filter:
title: Item Filter title: Item Filter
desc: You unlocked the <strong>Item Filter</strong>! It will route items either desc: You unlocked the <strong>Item Filter</strong>! It will route items either

View File

@ -201,6 +201,14 @@ dialogs:
renameSavegame: renameSavegame:
title: Rename Savegame title: Rename Savegame
desc: You can rename your savegame here. desc: You can rename your savegame here.
tutorialVideoAvailable:
title: Tutorial Available
desc: There is a tutorial video available for this level! Would you like to
watch it?
tutorialVideoAvailableForeignLanguage:
title: Tutorial Available
desc: There is a tutorial video available for this level, but it is only
available in English. Would you like to watch it?
ingame: ingame:
keybindingsOverlay: keybindingsOverlay:
moveMap: Liiku moveMap: Liiku
@ -310,6 +318,30 @@ ingame:
valmiiksi.<br><br>Vihje: Pidä pohjassa <strong>VAIHTO</strong> valmiiksi.<br><br>Vihje: Pidä pohjassa <strong>VAIHTO</strong>
laittaaksesi useampia kaivajia ja käytä <strong>R</strong> laittaaksesi useampia kaivajia ja käytä <strong>R</strong>
kääntääksesi niitä." kääntääksesi niitä."
2_1_place_cutter: "Now place a <strong>Cutter</strong> to cut the circles in two
halves!<br><br> PS: The cutter always cuts from <strong>top to
bottom</strong> regardless of its orientation."
2_2_place_trash: The cutter can <strong>clog and stall</strong>!<br><br> Use a
<strong>trash</strong> to get rid of the currently (!) not
needed waste.
2_3_more_cutters: "Good job! Now place <strong>2 more cutters</strong> to speed
up this slow process!<br><br> PS: Use the <strong>0-9
hotkeys</strong> to access buildings faster!"
3_1_rectangles: "Now let's extract some rectangles! <strong>Build 4
extractors</strong> and connect them to the hub.<br><br> PS:
Hold <strong>SHIFT</strong> while dragging a belt to activate
the belt planner!"
21_1_place_quad_painter: Place the <strong>quad painter</strong> and get some
<strong>circles</strong>, <strong>white</strong> and
<strong>red</strong> color!
21_2_switch_to_wires: Switch to the wires layer by pressing
<strong>E</strong>!<br><br> Then <strong>connect all four
inputs</strong> of the painter with cables!
21_3_place_button: Awesome! Now place a <strong>Switch</strong> and connect it
with wires!
21_4_press_button: "Press the switch to make it <strong>emit a truthy
signal</strong> and thus activate the painter.<br><br> PS: You
don't have to connect all inputs! Try wiring only two."
connectedMiners: connectedMiners:
one_miner: 1 Miner one_miner: 1 Miner
n_miners: <amount> Miners n_miners: <amount> Miners
@ -703,7 +735,8 @@ storyRewards:
mechanics!<br><br> For the beginning I unlocked you the <strong>Quad mechanics!<br><br> For the beginning I unlocked you the <strong>Quad
Painter</strong> - Connect the slots you would like to paint with on Painter</strong> - Connect the slots you would like to paint with on
the wires layer!<br><br> To switch to the wires layer, press the wires layer!<br><br> To switch to the wires layer, press
<strong>E</strong>." <strong>E</strong>. <br><br> PS: <strong>Enable hints</strong> in
the settings to activate the wires tutorial!"
reward_filter: reward_filter:
title: Item Filter title: Item Filter
desc: You unlocked the <strong>Item Filter</strong>! It will route items either desc: You unlocked the <strong>Item Filter</strong>! It will route items either

View File

@ -201,6 +201,14 @@ dialogs:
renameSavegame: renameSavegame:
title: Renommer la sauvegarde title: Renommer la sauvegarde
desc: Vous pouvez renommer la sauvegarde ici. desc: Vous pouvez renommer la sauvegarde ici.
tutorialVideoAvailable:
title: Tutorial Available
desc: There is a tutorial video available for this level! Would you like to
watch it?
tutorialVideoAvailableForeignLanguage:
title: Tutorial Available
desc: There is a tutorial video available for this level, but it is only
available in English. Would you like to watch it?
ingame: ingame:
keybindingsOverlay: keybindingsOverlay:
moveMap: Déplacer moveMap: Déplacer
@ -310,6 +318,30 @@ ingame:
plus vite votre but.<br><br> Astuce : Gardez plus vite votre but.<br><br> Astuce : Gardez
<strong>MAJ</strong> enfoncé pour placer plusieurs extracteurs, <strong>MAJ</strong> enfoncé pour placer plusieurs extracteurs,
et utilisez <strong>R</strong> pour les faire pivoter." et utilisez <strong>R</strong> pour les faire pivoter."
2_1_place_cutter: "Now place a <strong>Cutter</strong> to cut the circles in two
halves!<br><br> PS: The cutter always cuts from <strong>top to
bottom</strong> regardless of its orientation."
2_2_place_trash: The cutter can <strong>clog and stall</strong>!<br><br> Use a
<strong>trash</strong> to get rid of the currently (!) not
needed waste.
2_3_more_cutters: "Good job! Now place <strong>2 more cutters</strong> to speed
up this slow process!<br><br> PS: Use the <strong>0-9
hotkeys</strong> to access buildings faster!"
3_1_rectangles: "Now let's extract some rectangles! <strong>Build 4
extractors</strong> and connect them to the hub.<br><br> PS:
Hold <strong>SHIFT</strong> while dragging a belt to activate
the belt planner!"
21_1_place_quad_painter: Place the <strong>quad painter</strong> and get some
<strong>circles</strong>, <strong>white</strong> and
<strong>red</strong> color!
21_2_switch_to_wires: Switch to the wires layer by pressing
<strong>E</strong>!<br><br> Then <strong>connect all four
inputs</strong> of the painter with cables!
21_3_place_button: Awesome! Now place a <strong>Switch</strong> and connect it
with wires!
21_4_press_button: "Press the switch to make it <strong>emit a truthy
signal</strong> and thus activate the painter.<br><br> PS: You
don't have to connect all inputs! Try wiring only two."
connectedMiners: connectedMiners:
one_miner: 1 extracteur one_miner: 1 extracteur
n_miners: <amount>extracteurs n_miners: <amount>extracteurs
@ -667,12 +699,13 @@ storyRewards:
pivoter une forme de 180 degrés (Surprise! :D) pivoter une forme de 180 degrés (Surprise! :D)
reward_wires_painter_and_levers: reward_wires_painter_and_levers:
title: Câbles & quadruple peintre title: Câbles & quadruple peintre
desc: "Vous avez débloqué le <strong>calque de câblage</strong> : Cest un desc: "You just unlocked the <strong>Wires Layer</strong>: It is a separate
calque au-dessus du calque normal, qui introduit beaucoup de layer on top of the regular layer and introduces a lot of new
nouvelles mécaniques de jeu!<br><br> Pour commencer, je vous mechanics!<br><br> For the beginning I unlocked you the <strong>Quad
débloque le <strong>quadruple peintre</strong>. Connectez les Painter</strong> - Connect the slots you would like to paint with on
entrées à peindre sur le calque de câblage.<br><br> Pour voir le the wires layer!<br><br> To switch to the wires layer, press
calque de câblage, appuyez sur <strong>E</strong>." <strong>E</strong>. <br><br> PS: <strong>Enable hints</strong> in
the settings to activate the wires tutorial!"
reward_filter: reward_filter:
title: Filtre à objets title: Filtre à objets
desc: Vous avez débloqué le <strong>filtre à objets</strong>! Il dirige les desc: Vous avez débloqué le <strong>filtre à objets</strong>! Il dirige les

View File

@ -198,6 +198,14 @@ dialogs:
renameSavegame: renameSavegame:
title: Rename Savegame title: Rename Savegame
desc: You can rename your savegame here. desc: You can rename your savegame here.
tutorialVideoAvailable:
title: Tutorial Available
desc: There is a tutorial video available for this level! Would you like to
watch it?
tutorialVideoAvailableForeignLanguage:
title: Tutorial Available
desc: There is a tutorial video available for this level, but it is only
available in English. Would you like to watch it?
ingame: ingame:
keybindingsOverlay: keybindingsOverlay:
moveMap: Kretanje moveMap: Kretanje
@ -306,6 +314,30 @@ ingame:
traka će ubrzati napredak do cilja.<br><br>Savjet: Drži traka će ubrzati napredak do cilja.<br><br>Savjet: Drži
<strong>SHIFT</strong> za postavljanje više rudara istovremeno, <strong>SHIFT</strong> za postavljanje više rudara istovremeno,
a pritisni <strong>R</strong> za rotaciju." a pritisni <strong>R</strong> za rotaciju."
2_1_place_cutter: "Now place a <strong>Cutter</strong> to cut the circles in two
halves!<br><br> PS: The cutter always cuts from <strong>top to
bottom</strong> regardless of its orientation."
2_2_place_trash: The cutter can <strong>clog and stall</strong>!<br><br> Use a
<strong>trash</strong> to get rid of the currently (!) not
needed waste.
2_3_more_cutters: "Good job! Now place <strong>2 more cutters</strong> to speed
up this slow process!<br><br> PS: Use the <strong>0-9
hotkeys</strong> to access buildings faster!"
3_1_rectangles: "Now let's extract some rectangles! <strong>Build 4
extractors</strong> and connect them to the hub.<br><br> PS:
Hold <strong>SHIFT</strong> while dragging a belt to activate
the belt planner!"
21_1_place_quad_painter: Place the <strong>quad painter</strong> and get some
<strong>circles</strong>, <strong>white</strong> and
<strong>red</strong> color!
21_2_switch_to_wires: Switch to the wires layer by pressing
<strong>E</strong>!<br><br> Then <strong>connect all four
inputs</strong> of the painter with cables!
21_3_place_button: Awesome! Now place a <strong>Switch</strong> and connect it
with wires!
21_4_press_button: "Press the switch to make it <strong>emit a truthy
signal</strong> and thus activate the painter.<br><br> PS: You
don't have to connect all inputs! Try wiring only two."
connectedMiners: connectedMiners:
one_miner: 1 Miner one_miner: 1 Miner
n_miners: <amount> Miners n_miners: <amount> Miners
@ -691,7 +723,8 @@ storyRewards:
mechanics!<br><br> For the beginning I unlocked you the <strong>Quad mechanics!<br><br> For the beginning I unlocked you the <strong>Quad
Painter</strong> - Connect the slots you would like to paint with on Painter</strong> - Connect the slots you would like to paint with on
the wires layer!<br><br> To switch to the wires layer, press the wires layer!<br><br> To switch to the wires layer, press
<strong>E</strong>." <strong>E</strong>. <br><br> PS: <strong>Enable hints</strong> in
the settings to activate the wires tutorial!"
reward_filter: reward_filter:
title: Item Filter title: Item Filter
desc: You unlocked the <strong>Item Filter</strong>! It will route items either desc: You unlocked the <strong>Item Filter</strong>! It will route items either

View File

@ -204,6 +204,14 @@ dialogs:
renameSavegame: renameSavegame:
title: Rename Savegame title: Rename Savegame
desc: You can rename your savegame here. desc: You can rename your savegame here.
tutorialVideoAvailable:
title: Tutorial Available
desc: There is a tutorial video available for this level! Would you like to
watch it?
tutorialVideoAvailableForeignLanguage:
title: Tutorial Available
desc: There is a tutorial video available for this level, but it is only
available in English. Would you like to watch it?
ingame: ingame:
keybindingsOverlay: keybindingsOverlay:
moveMap: Mozgatás moveMap: Mozgatás
@ -312,6 +320,30 @@ ingame:
futószalagot, hogy hamarabb elérd a célt.<br><br>Tipp: Tartsd futószalagot, hogy hamarabb elérd a célt.<br><br>Tipp: Tartsd
lenyomva a <strong>SHIFT</strong>-et, hogy egyszerre több bányát lenyomva a <strong>SHIFT</strong>-et, hogy egyszerre több bányát
helyezz le, és nyomj <strong>R</strong>-t a forgatáshoz." helyezz le, és nyomj <strong>R</strong>-t a forgatáshoz."
2_1_place_cutter: "Now place a <strong>Cutter</strong> to cut the circles in two
halves!<br><br> PS: The cutter always cuts from <strong>top to
bottom</strong> regardless of its orientation."
2_2_place_trash: The cutter can <strong>clog and stall</strong>!<br><br> Use a
<strong>trash</strong> to get rid of the currently (!) not
needed waste.
2_3_more_cutters: "Good job! Now place <strong>2 more cutters</strong> to speed
up this slow process!<br><br> PS: Use the <strong>0-9
hotkeys</strong> to access buildings faster!"
3_1_rectangles: "Now let's extract some rectangles! <strong>Build 4
extractors</strong> and connect them to the hub.<br><br> PS:
Hold <strong>SHIFT</strong> while dragging a belt to activate
the belt planner!"
21_1_place_quad_painter: Place the <strong>quad painter</strong> and get some
<strong>circles</strong>, <strong>white</strong> and
<strong>red</strong> color!
21_2_switch_to_wires: Switch to the wires layer by pressing
<strong>E</strong>!<br><br> Then <strong>connect all four
inputs</strong> of the painter with cables!
21_3_place_button: Awesome! Now place a <strong>Switch</strong> and connect it
with wires!
21_4_press_button: "Press the switch to make it <strong>emit a truthy
signal</strong> and thus activate the painter.<br><br> PS: You
don't have to connect all inputs! Try wiring only two."
connectedMiners: connectedMiners:
one_miner: 1 Miner one_miner: 1 Miner
n_miners: <amount> Miners n_miners: <amount> Miners
@ -705,7 +737,8 @@ storyRewards:
mechanics!<br><br> For the beginning I unlocked you the <strong>Quad mechanics!<br><br> For the beginning I unlocked you the <strong>Quad
Painter</strong> - Connect the slots you would like to paint with on Painter</strong> - Connect the slots you would like to paint with on
the wires layer!<br><br> To switch to the wires layer, press the wires layer!<br><br> To switch to the wires layer, press
<strong>E</strong>." <strong>E</strong>. <br><br> PS: <strong>Enable hints</strong> in
the settings to activate the wires tutorial!"
reward_filter: reward_filter:
title: Item Filter title: Item Filter
desc: You unlocked the <strong>Item Filter</strong>! It will route items either desc: You unlocked the <strong>Item Filter</strong>! It will route items either

View File

@ -40,8 +40,8 @@ steamPage:
translate: Bantu menterjemahkan translate: Bantu menterjemahkan
text_open_source: >- text_open_source: >-
Semua orang bisa berpartisipasi, saya aktif terlibat dalam komunitas dan Semua orang bisa berpartisipasi, saya aktif terlibat dalam komunitas dan
mencoba untuk meninjau semua saran dan mempertimbangkan segala umpan balik mencoba untuk meninjau semua saran dan mempertimbangkan segala umpan
jika memungkinkan. balik jika memungkinkan.
Pastikan untuk memeriksa papan trello saya untuk peta jalan lengkapnya! Pastikan untuk memeriksa papan trello saya untuk peta jalan lengkapnya!
global: global:
@ -90,8 +90,8 @@ mainMenu:
helpTranslate: Bantu Terjemahkan! helpTranslate: Bantu Terjemahkan!
madeBy: Dibuat oleh <author-link> madeBy: Dibuat oleh <author-link>
browserWarning: Maaf, tetapi permainan ini biasanya lambat pada perambah browserWarning: Maaf, tetapi permainan ini biasanya lambat pada perambah
(browser) Anda! Dapatkan versi lengkap atau unduh Chrome untuk pengalaman (browser) Anda! Dapatkan versi lengkap atau unduh Chrome untuk
sepenuhnya. pengalaman sepenuhnya.
savegameLevel: Level <x> savegameLevel: Level <x>
savegameLevelUnknown: Level tidak diketahui savegameLevelUnknown: Level tidak diketahui
savegameUnnamed: Unnamed savegameUnnamed: Unnamed
@ -119,9 +119,8 @@ dialogs:
text: "Gagal memuat data simpanan Anda:" text: "Gagal memuat data simpanan Anda:"
confirmSavegameDelete: confirmSavegameDelete:
title: Konfirmasi Penghapusan title: Konfirmasi Penghapusan
text: Apakah anda yakin ingin menghapus game berikut?<br><br> text: Apakah anda yakin ingin menghapus game berikut?<br><br> '<savegameName>'
'<savegameName>' pada level <savegameLevel><br><br> pada level <savegameLevel><br><br> Hal ini tak dapat diulang!
Hal ini tak dapat diulang!
savegameDeletionError: savegameDeletionError:
title: Gagal Menghapus title: Gagal Menghapus
text: "Gagal untuk menghapus data simpanan:" text: "Gagal untuk menghapus data simpanan:"
@ -186,10 +185,11 @@ dialogs:
title: Penanda Baru title: Penanda Baru
titleEdit: Sunting Penanda titleEdit: Sunting Penanda
desc: Berikan nama yang berguna, anda juga bisa memasukkan <strong>kunci desc: Berikan nama yang berguna, anda juga bisa memasukkan <strong>kunci
pintas</strong> dari sebuah bentuk (Yang bisa anda buat sendiri <link>disini</link>) pintas</strong> dari sebuah bentuk (Yang bisa anda buat sendiri
<link>disini</link>)
markerDemoLimit: markerDemoLimit:
desc: Anda hanya dapat memuat dua penanda pada versi demo. Dapatkan versi lengkap desc: Anda hanya dapat memuat dua penanda pada versi demo. Dapatkan versi
untuk penanda-penanda tak terhingga! lengkap untuk penanda-penanda tak terhingga!
exportScreenshotWarning: exportScreenshotWarning:
title: Ekspor Tangkapan Layar title: Ekspor Tangkapan Layar
desc: Anda meminta untuk mengekspor pangkalan pusat Anda sebagai tangkapan desc: Anda meminta untuk mengekspor pangkalan pusat Anda sebagai tangkapan
@ -198,14 +198,19 @@ dialogs:
editSignal: editSignal:
title: Atur Tanda title: Atur Tanda
descItems: "Pilih item yang telah ditentukan sebelumnya:" descItems: "Pilih item yang telah ditentukan sebelumnya:"
descShortKey: ... atau masukkan <strong>kunci pintas</strong> dari bentuk (Yang bisa anda buat sendiri <link>disini</link>) descShortKey: ... atau masukkan <strong>kunci pintas</strong> dari bentuk (Yang
bisa anda buat sendiri <link>disini</link>)
renameSavegame: renameSavegame:
title: Ganti Nama Data Simpanan title: Ganti Nama Data Simpanan
desc: Anda bisa mengganti nama data simpanan di sini. desc: Anda bisa mengganti nama data simpanan di sini.
entityWarning: tutorialVideoAvailable:
title: Peringatan Kapasitas title: Tutorial Available
desc: Anda telah membangun banyak bangunan, ini hanya sebuah peringatan kecil bahwa desc: There is a tutorial video available for this level! Would you like to
game ini tidak dapat menangani jumlah bangunan yang tak terbatas - Jadi cobalah untuk membangun pabrik yang rapat. watch it?
tutorialVideoAvailableForeignLanguage:
title: Tutorial Available
desc: There is a tutorial video available for this level, but it is only
available in English. Would you like to watch it?
ingame: ingame:
keybindingsOverlay: keybindingsOverlay:
moveMap: Pindahkan moveMap: Pindahkan
@ -261,27 +266,6 @@ ingame:
title: Tingkatan-tingkatan title: Tingkatan-tingkatan
buttonUnlock: Tingkatkan buttonUnlock: Tingkatkan
tier: Tingkat <x> tier: Tingkat <x>
tierLabels:
- I
- II
- III
- IV
- V
- VI
- VII
- VIII
- IX
- X
- XI
- XII
- XIII
- XIV
- XV
- XVI
- XVII
- XVIII
- XIX
- XX
maximumLevel: LEVEL MAKSIMUM (Kecepatan x<currentMult>) maximumLevel: LEVEL MAKSIMUM (Kecepatan x<currentMult>)
statistics: statistics:
title: Statistika title: Statistika
@ -307,10 +291,6 @@ ingame:
playtime: Waktu bermain playtime: Waktu bermain
buildingsPlaced: Bangunan buildingsPlaced: Bangunan
beltsPlaced: Sabuk konveyor beltsPlaced: Sabuk konveyor
buttons:
continue: Lanjutkan
settings: Pengaturan
menu: Kembali ke menu
tutorialHints: tutorialHints:
title: Butuh bantuan? title: Butuh bantuan?
showHint: Tampilkan petunjuk showHint: Tampilkan petunjuk
@ -320,9 +300,9 @@ ingame:
waypoints: waypoints:
waypoints: Penanda waypoints: Penanda
hub: PUSAT hub: PUSAT
description: Klik tombol kiri mouse pada penanda untuk melompat kepadanya, description: Klik tombol kiri mouse pada penanda untuk melompat kepadanya, klik
klik tombol kanan untuk menghapusnya. <br><br>Tekan <keybinding> tombol kanan untuk menghapusnya. <br><br>Tekan <keybinding> untuk
untuk membuat penanda dari sudut pandang saat ini, atau <strong>klik membuat penanda dari sudut pandang saat ini, atau <strong>klik
tombol kanan</strong> untuk membuat penanda pada lokasi yang tombol kanan</strong> untuk membuat penanda pada lokasi yang
dipilih. dipilih.
creationSuccessNotification: Penanda telah dibuat. creationSuccessNotification: Penanda telah dibuat.
@ -340,10 +320,33 @@ ingame:
seret</strong> sabuk konveyor dengan mouse!" seret</strong> sabuk konveyor dengan mouse!"
1_3_expand: "Ini <strong>BUKAN</strong> permainan menganggur! Bangun lebih 1_3_expand: "Ini <strong>BUKAN</strong> permainan menganggur! Bangun lebih
banyak ekstraktor dan sabuk konveyor untuk menyelesaikan banyak ekstraktor dan sabuk konveyor untuk menyelesaikan
obyektif dengan lebih cepat. <br><br>Kiat: Tahan obyektif dengan lebih cepat. <br><br>Kiat: Tahan tombol
tombol <strong>SHIFT</strong> untuk meletakkan beberapa <strong>SHIFT</strong> untuk meletakkan beberapa ekstraktor, dan
ekstraktor, dan gunakan tombol <strong>R</strong> untuk gunakan tombol <strong>R</strong> untuk memutar."
memutar." 2_1_place_cutter: "Now place a <strong>Cutter</strong> to cut the circles in two
halves!<br><br> PS: The cutter always cuts from <strong>top to
bottom</strong> regardless of its orientation."
2_2_place_trash: The cutter can <strong>clog and stall</strong>!<br><br> Use a
<strong>trash</strong> to get rid of the currently (!) not
needed waste.
2_3_more_cutters: "Good job! Now place <strong>2 more cutters</strong> to speed
up this slow process!<br><br> PS: Use the <strong>0-9
hotkeys</strong> to access buildings faster!"
3_1_rectangles: "Now let's extract some rectangles! <strong>Build 4
extractors</strong> and connect them to the hub.<br><br> PS:
Hold <strong>SHIFT</strong> while dragging a belt to activate
the belt planner!"
21_1_place_quad_painter: Place the <strong>quad painter</strong> and get some
<strong>circles</strong>, <strong>white</strong> and
<strong>red</strong> color!
21_2_switch_to_wires: Switch to the wires layer by pressing
<strong>E</strong>!<br><br> Then <strong>connect all four
inputs</strong> of the painter with cables!
21_3_place_button: Awesome! Now place a <strong>Switch</strong> and connect it
with wires!
21_4_press_button: "Press the switch to make it <strong>emit a truthy
signal</strong> and thus activate the painter.<br><br> PS: You
don't have to connect all inputs! Try wiring only two."
connectedMiners: connectedMiners:
one_miner: 1 Ekstraktor one_miner: 1 Ekstraktor
n_miners: <amount> Ekstraktor n_miners: <amount> Ekstraktor
@ -402,16 +405,15 @@ buildings:
belt: belt:
default: default:
name: Sabuk Konveyor name: Sabuk Konveyor
description: Mengangkut sumber daya, tahan dan seret untuk meletakkan description: Mengangkut sumber daya, tahan dan seret untuk meletakkan beberapa.
beberapa.
wire: wire:
default: default:
name: Kabel name: Kabel
description: Memungkinkan anda untuk mengangkut Energi. description: Memungkinkan anda untuk mengangkut Energi.
second: second:
name: Kabel name: Kabel
description: Mentransfer sinyal, dapat berupa bentuk, warna, atau boolean (1 atau 0). description: Mentransfer sinyal, dapat berupa bentuk, warna, atau boolean (1
Kabel dengan warna berbeda tidak akan menyambung. atau 0). Kabel dengan warna berbeda tidak akan menyambung.
miner: miner:
default: default:
name: Ekstraktor name: Ekstraktor
@ -455,8 +457,8 @@ buildings:
stacker: stacker:
default: default:
name: Penumpuk name: Penumpuk
description: Menumpukkan kedua bentuk. Apabila mereka tidak dapat description: Menumpukkan kedua bentuk. Apabila mereka tidak dapat digabungkan,
digabungkan, bentuk kanan akan diletakkan diatas bentuk kiri. bentuk kanan akan diletakkan diatas bentuk kiri.
mixer: mixer:
default: default:
name: Pencampur Warna name: Pencampur Warna
@ -472,11 +474,13 @@ buildings:
atas. atas.
double: double:
name: Pengecat (Ganda) name: Pengecat (Ganda)
description: Mengecat bentuk-bentuk dari input kiri dengan warna dari input atas. description: Mengecat bentuk-bentuk dari input kiri dengan warna dari input
atas.
quad: quad:
name: Pengecat (Empat Bagian) name: Pengecat (Empat Bagian)
description: Memungkinkan anda untuk mengecat tiap kuadrannya masing - masing pada bentuk. Hanya menyambung dengan description: Memungkinkan anda untuk mengecat tiap kuadrannya masing - masing
<strong>sinyal yang benar</strong> pada lapisan kabel yang akan dicat! pada bentuk. Hanya menyambung dengan <strong>sinyal yang
benar</strong> pada lapisan kabel yang akan dicat!
trash: trash:
default: default:
name: Tong Sampah name: Tong Sampah
@ -484,7 +488,8 @@ buildings:
balancer: balancer:
default: default:
name: Penyeimbang name: Penyeimbang
description: Multifungsional - Mendistribusikan seluruh input secara merata ke seluruh output. description: Multifungsional - Mendistribusikan seluruh input secara merata ke
seluruh output.
merger: merger:
name: Penggabung Sederhana name: Penggabung Sederhana
description: Menggabungkan dua sabuk konveyor menjadi satu. description: Menggabungkan dua sabuk konveyor menjadi satu.
@ -500,7 +505,8 @@ buildings:
storage: storage:
default: default:
name: Tempat Penyimpanan name: Tempat Penyimpanan
description: Menyumpan bentuk yang berlebihan, hingga kapasitas yang tertentu. Memprioritaskan output dari kiri description: Menyumpan bentuk yang berlebihan, hingga kapasitas yang tertentu.
Memprioritaskan output dari kiri
wire_tunnel: wire_tunnel:
default: default:
name: Penyebrangan Kabel name: Penyebrangan Kabel
@ -508,53 +514,57 @@ buildings:
constant_signal: constant_signal:
default: default:
name: Sinyal Konstan name: Sinyal Konstan
description: Mengeluarkan sinyal yang konstan, dapat berupa bentuk, warna atau boolean (1 atau 0). description: Mengeluarkan sinyal yang konstan, dapat berupa bentuk, warna atau
boolean (1 atau 0).
lever: lever:
default: default:
name: Saklar name: Saklar
description: Dapat diubah untuk mengeluarkan sinyal boolean (1 atau 0) pada lapisan kabel, description: Dapat diubah untuk mengeluarkan sinyal boolean (1 atau 0) pada
yang bisa digunakan untuk mengontrol seperti penyaring. lapisan kabel, yang bisa digunakan untuk mengontrol seperti
penyaring.
logic_gate: logic_gate:
default: default:
name: Gerbang AND name: Gerbang AND
description: Mengeluarkan boolean "1" jika kedua input adalah benar. (Benar berarti sebuah bentuk, description: Mengeluarkan boolean "1" jika kedua input adalah benar. (Benar
warna atau boolean "1") berarti sebuah bentuk, warna atau boolean "1")
not: not:
name: Gerbang NOT name: Gerbang NOT
description: Mengeluarkan boolean "1" jika input adalah tidak benar. (Benar berarti sebuah bentuk, description: Mengeluarkan boolean "1" jika input adalah tidak benar. (Benar
warna atau boolean "1") berarti sebuah bentuk, warna atau boolean "1")
xor: xor:
name: Gerbang XOR name: Gerbang XOR
description: Mengeluarkan boolean "1" jika kedua input adalah benar, namun bukan keduanya. description: Mengeluarkan boolean "1" jika kedua input adalah benar, namun bukan
(Benar berarti sebuah bentuk, warna atau boolean "1") keduanya. (Benar berarti sebuah bentuk, warna atau boolean "1")
or: or:
name: Gerbang OR name: Gerbang OR
description: Mengeluarkan boolean "1" jika satu input adalah benar. (Benar berarti sebuah bentuk, description: Mengeluarkan boolean "1" jika satu input adalah benar. (Benar
warna atau boolean "1") berarti sebuah bentuk, warna atau boolean "1")
transistor: transistor:
default: default:
name: Transistor name: Transistor
description: Melanjutkan sinyal dari input bawah jika input samping adalah benar (sebuah bentuk, description: Melanjutkan sinyal dari input bawah jika input samping adalah benar
warna atau boolean "1") (sebuah bentuk, warna atau boolean "1")
mirrored: mirrored:
name: Transistor name: Transistor
description: Melanjutkan sinyal dari input bawah jika input samping adalah benar (sebuah bentuk, description: Melanjutkan sinyal dari input bawah jika input samping adalah benar
warna atau boolean "1") (sebuah bentuk, warna atau boolean "1")
filter: filter:
default: default:
name: Filter name: Filter
description: Hubungkan sebuah sinyal untuk merutekan semua benda yang cocok ke atas dan description: Hubungkan sebuah sinyal untuk merutekan semua benda yang cocok ke
sisanya ke kanan. Dapat juga dikontrol dengan sinyal boolean atas dan sisanya ke kanan. Dapat juga dikontrol dengan sinyal
boolean
display: display:
default: default:
name: Layar name: Layar
description: Hubungkan dengan sebuah sinyal untuk ditunjukkan pada layar - Dapat berupa bentuk, description: Hubungkan dengan sebuah sinyal untuk ditunjukkan pada layar - Dapat
warna atau boolean. berupa bentuk, warna atau boolean.
reader: reader:
default: default:
name: Pembaca Sabuk Konveyor name: Pembaca Sabuk Konveyor
description: Memungkinkan untuk mengukur rata-rata benda yang melewati sabuk konveyor. Mengeluarkan output benda terakhir description: Memungkinkan untuk mengukur rata-rata benda yang melewati sabuk
yang dilewati pada lapisan kabel (Setelah terbuka). konveyor. Mengeluarkan output benda terakhir yang dilewati pada
lapisan kabel (Setelah terbuka).
analyzer: analyzer:
default: default:
name: Penganalisa bentuk name: Penganalisa bentuk
@ -563,15 +573,16 @@ buildings:
comparator: comparator:
default: default:
name: Pembanding name: Pembanding
description: Mengeluarkan boolean "1" jika kedua sinya adalah sama. Dapat membandingkan description: Mengeluarkan boolean "1" jika kedua sinya adalah sama. Dapat
Bentuk, warna dan boolean. membandingkan Bentuk, warna dan boolean.
virtual_processor: virtual_processor:
default: default:
name: Pemotong Virtual name: Pemotong Virtual
description: Memotong bentuk secara virtual menjadi dua bagian. description: Memotong bentuk secara virtual menjadi dua bagian.
rotater: rotater:
name: Pemutar Virtual name: Pemutar Virtual
description: Memutar bentuk secara virtual, searah jarum jam dan tidak searah jarum jam. description: Memutar bentuk secara virtual, searah jarum jam dan tidak searah
jarum jam.
unstacker: unstacker:
name: Pemisah Tumpukan Virtual name: Pemisah Tumpukan Virtual
description: Memisahkan lapisan teratas secara virtual ke output kanan dan description: Memisahkan lapisan teratas secara virtual ke output kanan dan
@ -581,31 +592,32 @@ buildings:
description: Menumpuk bentuk kanan ke bentuk kiri secara virtual. description: Menumpuk bentuk kanan ke bentuk kiri secara virtual.
painter: painter:
name: Pengecat Virtual name: Pengecat Virtual
description: Mengecat bentuk dari input bawah dengan warna description: Mengecat bentuk dari input bawah dengan warna dari input kanan.
dari input kanan.
item_producer: item_producer:
default: default:
name: Pembuat Bentuk name: Pembuat Bentuk
description: Hanya tersedia di dalam mode sandbox , Mengeluarkan sinyal yang diberikan dari description: Hanya tersedia di dalam mode sandbox , Mengeluarkan sinyal yang
lapisan kabel ke lapisan biasa. diberikan dari lapisan kabel ke lapisan biasa.
storyRewards: storyRewards:
reward_cutter_and_trash: reward_cutter_and_trash:
title: Memotong Bentuk title: Memotong Bentuk
desc: <strong>Pemotong</strong> telah dibuka, yang dapat memotong bentuk menjadi dua desc: <strong>Pemotong</strong> telah dibuka, yang dapat memotong bentuk menjadi
secara vertikal <strong>apapun dua secara vertikal <strong>apapun
orientasinya</strong>!<br><br>Pastikan untuk membuang sisanya, jika orientasinya</strong>!<br><br>Pastikan untuk membuang sisanya, jika
tidak <strong>ini dapat menghambat dan memperlambat</strong> - karena ini tidak <strong>ini dapat menghambat dan memperlambat</strong> -
anda diberikan <strong>Tong sampah</strong>, yang menghapus karena ini anda diberikan <strong>Tong sampah</strong>, yang
semua yang anda masukkan! menghapus semua yang anda masukkan!
reward_rotater: reward_rotater:
title: Memutar title: Memutar
desc: <strong>Pemutar</strong> telah dibuka! Ia memutar bentuk-bentuk searah desc: <strong>Pemutar</strong> telah dibuka! Ia memutar bentuk-bentuk searah
jarum jam sebesar 90 derajat. jarum jam sebesar 90 derajat.
reward_painter: reward_painter:
title: Mengecat title: Mengecat
desc: "<strong>Pengecat</strong> telah dibuka Ekstraksi beberapa warna (seperti yang Anda lakukan dengan bentuk) dan kemudian kombinasikan dengan bentuk di dalam pengecat untuk mewarnai mereka!<br><br> Catatan: desc: "<strong>Pengecat</strong> telah dibuka Ekstraksi beberapa warna
Apabila Anda buta warna, terdapat <strong>mode buta warna</strong> (seperti yang Anda lakukan dengan bentuk) dan kemudian kombinasikan
di dalam pengaturan!" dengan bentuk di dalam pengecat untuk mewarnai mereka!<br><br>
Catatan: Apabila Anda buta warna, terdapat <strong>mode buta
warna</strong> di dalam pengaturan!"
reward_mixer: reward_mixer:
title: Mencampur Warna title: Mencampur Warna
desc: <strong>Pencampur</strong> telah dibuka Kombinasikan dua warna desc: <strong>Pencampur</strong> telah dibuka Kombinasikan dua warna
@ -620,7 +632,8 @@ storyRewards:
reward_splitter: reward_splitter:
title: Membagi title: Membagi
desc: Anda telah membuka varian <strong>pembagi</strong> dari desc: Anda telah membuka varian <strong>pembagi</strong> dari
<strong>penyeimbang</strong> - Menerima satu input dan membaginya menjadi 2! <strong>penyeimbang</strong> - Menerima satu input dan membaginya
menjadi 2!
reward_tunnel: reward_tunnel:
title: Terowongan title: Terowongan
desc: <strong>Terowongan</strong> telah dibuka Sekarang Anda dapat memindahkan desc: <strong>Terowongan</strong> telah dibuka Sekarang Anda dapat memindahkan
@ -634,7 +647,11 @@ storyRewards:
varian</strong>! varian</strong>!
reward_miner_chainable: reward_miner_chainable:
title: Ekstraktor Merantai title: Ekstraktor Merantai
desc: "Anda telah membuka <strong>Ekstraktor (Berantai)</strong>! Ia dapat <strong>mengoper sumber daya</strong> ke ekstraktor depannya sehingga anda dapat mengekstrak sumber daya denga lebih efisien!<br><br> NB: Ekstraktor yang lama sudah diganti pada toolbar anda sekarang!" desc: "Anda telah membuka <strong>Ekstraktor (Berantai)</strong>! Ia dapat
<strong>mengoper sumber daya</strong> ke ekstraktor depannya
sehingga anda dapat mengekstrak sumber daya denga lebih
efisien!<br><br> NB: Ekstraktor yang lama sudah diganti pada toolbar
anda sekarang!"
reward_underground_belt_tier_2: reward_underground_belt_tier_2:
title: Terowongan Tingkat II title: Terowongan Tingkat II
desc: Anda telah membuka varian baru <strong>terowongan</strong> - Ia memiliki desc: Anda telah membuka varian baru <strong>terowongan</strong> - Ia memiliki
@ -652,17 +669,20 @@ storyRewards:
sekaligus</strong> mengonsumsi hanya satu warna daripada dua! sekaligus</strong> mengonsumsi hanya satu warna daripada dua!
reward_storage: reward_storage:
title: Tempat Penyimpanan title: Tempat Penyimpanan
desc: Anda telah membuka <strong>Tempat Penyimpanan</strong> - Ia memungkinkan anda untuk desc: Anda telah membuka <strong>Tempat Penyimpanan</strong> - Ia memungkinkan
menyimpan item hingga kapasitas tertentu!<br><br> Ia mengutamakan output kiri, sehingga anda dapat menggunakannya sebagai <strong>gerbang luapan</strong>! anda untuk menyimpan item hingga kapasitas tertentu!<br><br> Ia
mengutamakan output kiri, sehingga anda dapat menggunakannya sebagai
<strong>gerbang luapan</strong>!
reward_freeplay: reward_freeplay:
title: Permainan Bebas title: Permainan Bebas
desc: Anda berhasil! Anda telah membuka <strong>mode permainan bebas</strong>! Ini artinya desc: Anda berhasil! Anda telah membuka <strong>mode permainan bebas</strong>!
bentuk-bentuk akan dibuat secara <strong>acak</strong>!<br><br> Ini artinya bentuk-bentuk akan dibuat secara
Karena pusat pangkalan akan membutuhkan <strong>penghasilan</strong> dari sekarang, <strong>acak</strong>!<br><br> Karena pusat pangkalan akan
Saya sangat menyarankan untuk membangun mesin yang secara otomatis membutuhkan <strong>penghasilan</strong> dari sekarang, Saya sangat
mengirim bentuk yang diminta!<br><br> Pusat pangkalan mengeluarkan bentuk menyarankan untuk membangun mesin yang secara otomatis mengirim
yang diminta pada lapisan kabel, jadi yang harus anda lakukan adalah menganalisa dan bentuk yang diminta!<br><br> Pusat pangkalan mengeluarkan bentuk
membangun pabrik secara otomatis berdasarkan itu. yang diminta pada lapisan kabel, jadi yang harus anda lakukan adalah
menganalisa dan membangun pabrik secara otomatis berdasarkan itu.
reward_blueprints: reward_blueprints:
title: Cetak Biru title: Cetak Biru
desc: Anda sekarang dapat <strong>menyalin dan meletakkan</strong> bagian dari desc: Anda sekarang dapat <strong>menyalin dan meletakkan</strong> bagian dari
@ -684,25 +704,31 @@ storyRewards:
penuh! penuh!
reward_balancer: reward_balancer:
title: Penyeimbang title: Penyeimbang
desc: <strong>Penyeimbang</strong> yang multifungsional telah terbuka - Ia dapat desc: The multifunctional <strong>balancer</strong> has been unlocked - It can
digunakan untuk membuat pabrik yang lebih besar dengan cara be used to build bigger factories by <strong>splitting and merging
<strong>memisahkan atau menggabungkan item</strong> ke beberapa sabuk konveyor!<br><br> items</strong> onto multiple belts!
reward_merger: reward_merger:
title: Penggabung Sederhana title: Penggabung Sederhana
desc: Anda telah membuka varian<strong>penggabung</strong> dari desc: Anda telah membuka varian<strong>penggabung</strong> dari
<strong>penyeimbang</strong> - Ia menerima dua input dan menggabungkannya dalam satu sabuk konveyor! <strong>penyeimbang</strong> - Ia menerima dua input dan
menggabungkannya dalam satu sabuk konveyor!
reward_belt_reader: reward_belt_reader:
title: Pembaca Sabuk Konveyor title: Pembaca Sabuk Konveyor
desc: Anda telah membuka <strong>pembaca sabuk konveyor</strong>! Ini memungkinkan anda untuk desc: Anda telah membuka <strong>pembaca sabuk konveyor</strong>! Ini
mengukur penghasilan dalam sebuah sabuk konveyor.<br><br> Dan tunggu sampai anda membuka memungkinkan anda untuk mengukur penghasilan dalam sebuah sabuk
kabel - maka ini akan sangat berguna! konveyor.<br><br> Dan tunggu sampai anda membuka kabel - maka ini
akan sangat berguna!
reward_rotater_180: reward_rotater_180:
title: Pemutar (180 derajat) title: Pemutar (180 derajat)
desc: Anda telah membuka <strong>pemutar</strong> 180 derajat! - Ini memungkinkan desc: Anda telah membuka <strong>pemutar</strong> 180 derajat! - Ini
anda untuk memutar bentuk dalam 180 derajat (Kejutan! :D) memungkinkan anda untuk memutar bentuk dalam 180 derajat (Kejutan!
:D)
reward_display: reward_display:
title: Layar title: Layar
desc: "Anda baru saja membuka <strong>Layar</strong> - Hubungkan sebuah sinyal dalam lapisan kabel untuk memvisualisasikannya!<br><br> NB: Apakah anda memperhatikan pembaca sabuk dan penyimpanan mengeluarkan item bacaan terakhir? Coba tampilkan pada layar!" desc: "Anda baru saja membuka <strong>Layar</strong> - Hubungkan sebuah sinyal
dalam lapisan kabel untuk memvisualisasikannya!<br><br> NB: Apakah
anda memperhatikan pembaca sabuk dan penyimpanan mengeluarkan item
bacaan terakhir? Coba tampilkan pada layar!"
reward_constant_signal: reward_constant_signal:
title: Constant Signal title: Constant Signal
desc: You unlocked the <strong>constant signal</strong> building on the wires desc: You unlocked the <strong>constant signal</strong> building on the wires
@ -733,7 +759,8 @@ storyRewards:
mechanics!<br><br> For the beginning I unlocked you the <strong>Quad mechanics!<br><br> For the beginning I unlocked you the <strong>Quad
Painter</strong> - Connect the slots you would like to paint with on Painter</strong> - Connect the slots you would like to paint with on
the wires layer!<br><br> To switch to the wires layer, press the wires layer!<br><br> To switch to the wires layer, press
<strong>E</strong>." <strong>E</strong>. <br><br> PS: <strong>Enable hints</strong> in
the settings to activate the wires tutorial!"
reward_filter: reward_filter:
title: Item Filter title: Item Filter
desc: You unlocked the <strong>Item Filter</strong>! It will route items either desc: You unlocked the <strong>Item Filter</strong>! It will route items either
@ -906,6 +933,14 @@ settings:
title: Enable Mouse Pan title: Enable Mouse Pan
description: Allows to move the map by moving the cursor to the edges of the description: Allows to move the map by moving the cursor to the edges of the
screen. The speed depends on the Movement Speed setting. screen. The speed depends on the Movement Speed setting.
zoomToCursor:
title: Zoom towards Cursor
description: If activated the zoom will happen in the direction of your mouse
position, otherwise in the middle of the screen.
mapResourcesScale:
title: Map Resources Size
description: Controls the size of the shapes on the map overview (when zooming
out).
rangeSliderPercentage: <amount> % rangeSliderPercentage: <amount> %
keybindings: keybindings:
title: Tombol pintas title: Tombol pintas

View File

@ -22,7 +22,7 @@ steamPage:
- <b>L'aggiornamento dei Cavi</b> per una dimensione completamente nuova! - <b>L'aggiornamento dei Cavi</b> per una dimensione completamente nuova!
- <b>Modalità scura</b>! - <b>Modalità scura</b>!
- Salvataggi illimitati - Salvataggi illimitati
- Segnapunti illimitati - Etichette illimitate
- Mi sostieni! ❤️ - Mi sostieni! ❤️
title_future: Contenuti pianificati title_future: Contenuti pianificati
planned: planned:
@ -82,8 +82,8 @@ demoBanners:
title: Versione Demo title: Versione Demo
intro: Ottieni la versione completa per sbloccare tutte le funzioni! intro: Ottieni la versione completa per sbloccare tutte le funzioni!
mainMenu: mainMenu:
play: Play play: Gioca
changelog: Changelog changelog: Registro modifiche
importSavegame: Importa importSavegame: Importa
openSourceHint: Questo gioco è open source! openSourceHint: Questo gioco è open source!
discordLink: Server ufficiale Discord discordLink: Server ufficiale Discord
@ -121,9 +121,9 @@ dialogs:
text: "Impossibile caricare il salvataggio:" text: "Impossibile caricare il salvataggio:"
confirmSavegameDelete: confirmSavegameDelete:
title: Conferma eliminazione title: Conferma eliminazione
text: Are you sure you want to delete the following game?<br><br> text: Sei sicuro di voler eliminare la partita seguente?<br><br>
'<savegameName>' at level <savegameLevel><br><br> This can not be '<savegameName>' al livello <savegameLevel><br><br> Da qui in poi
undone! non si può più tornare indietro!
savegameDeletionError: savegameDeletionError:
title: Impossibile eliminare title: Impossibile eliminare
text: "Impossibile eliminare il salvataggio:" text: "Impossibile eliminare il salvataggio:"
@ -177,13 +177,14 @@ dialogs:
class='keybinding'>ALT</code>: Inverti l'orientamento dei nastri class='keybinding'>ALT</code>: Inverti l'orientamento dei nastri
trasportatori.<br>" trasportatori.<br>"
createMarker: createMarker:
title: Nuovo segnapunto title: Nuova etichetta
desc: Give it a meaningful name, you can also include a <strong>short desc: Dagli un nome significativo, puoi anche inserire un
key</strong> of a shape (Which you can generate <link>here</link>) <strong>codice</strong> di una forma (Che puoi generare
titleEdit: Modifica segnapunto <link>qui</link>)
titleEdit: Modifica etichetta
markerDemoLimit: markerDemoLimit:
desc: Puoi creare solo due segnapunti personalizzati nella Demo. Ottieni la desc: Puoi creare solo due etichette personalizzate nella Demo. Ottieni la
versione completa per avere segnapunti personalizzati illimitati! versione completa per avere etichette personalizzate illimitati!
massCutConfirm: massCutConfirm:
title: Conferma taglio title: Conferma taglio
desc: Stai tagliando molte strutture (<count> per essere precisi)! Sei sicuro di desc: Stai tagliando molte strutture (<count> per essere precisi)! Sei sicuro di
@ -205,6 +206,14 @@ dialogs:
renameSavegame: renameSavegame:
title: Rinomina salvataggio. title: Rinomina salvataggio.
desc: Qui puoi cambiare il nome del salvataggio. desc: Qui puoi cambiare il nome del salvataggio.
tutorialVideoAvailable:
title: Tutorial Available
desc: There is a tutorial video available for this level! Would you like to
watch it?
tutorialVideoAvailableForeignLanguage:
title: Tutorial Available
desc: There is a tutorial video available for this level, but it is only
available in English. Would you like to watch it?
ingame: ingame:
keybindingsOverlay: keybindingsOverlay:
moveMap: Sposta moveMap: Sposta
@ -234,7 +243,7 @@ ingame:
range: Raggio range: Raggio
storage: Spazio storage: Spazio
oneItemPerSecond: 1 oggetto / secondo oneItemPerSecond: 1 oggetto / secondo
itemsPerSecond: <x> oggetti / s itemsPerSecond: <x> oggetti / secondo
itemsPerSecondDouble: (x2) itemsPerSecondDouble: (x2)
tiles: <x> caselle tiles: <x> caselle
levelCompleteNotification: levelCompleteNotification:
@ -245,7 +254,7 @@ ingame:
notifications: notifications:
newUpgrade: È disponibile un nuovo aggiornamento! newUpgrade: È disponibile un nuovo aggiornamento!
gameSaved: Partita salvata. gameSaved: Partita salvata.
freeplayLevelComplete: Level <level> has been completed! freeplayLevelComplete: Il livello <level> è stato completato!
shop: shop:
title: Miglioramenti title: Miglioramenti
buttonUnlock: Sblocca buttonUnlock: Sblocca
@ -256,7 +265,7 @@ ingame:
dataSources: dataSources:
stored: stored:
title: Immagazzinate title: Immagazzinate
description: Mostra il numero di forme immagizzinate nell'edificio centrale. description: Mostra il numero di forme immagazzinate nell'Edificio centrale.
produced: produced:
title: Prodotte title: Prodotte
description: Mostra tutte le forme prodotte dalla tua fabbrica, inclusi i description: Mostra tutte le forme prodotte dalla tua fabbrica, inclusi i
@ -280,19 +289,19 @@ ingame:
blueprintPlacer: blueprintPlacer:
cost: Costo cost: Costo
waypoints: waypoints:
waypoints: Segnapunti waypoints: Punti di interesse
hub: HUB hub: HUB
description: Clic sinistro su un segnapunto per raggiungerlo, clic destro per description: Clic sinistro su un etichetta per raggiungerla, clic destro per
cancellarlo. <br><br>Premi <keybinding> per creare un segnapunto cancellarla. <br><br>Premi <keybinding> per creare un etichetta
dalla visuale corrente, oppure <strong>click destro</strong> per dalla visuale corrente, oppure <strong>click destro</strong> per
creare un segnapunto nella posizione selezionata. creare un etichetta nella posizione selezionata.
creationSuccessNotification: Il segnapunto è stato creato. creationSuccessNotification: L'etichetta è stata creata.
interactiveTutorial: interactiveTutorial:
title: Tutorial title: Tutorial
hints: hints:
1_1_extractor: Posiziona un <strong>estrattore</strong> sopra una <strong>forma 1_1_extractor: Posiziona un <strong>estrattore</strong> sopra una <strong>forma
circolare</strong> per estrarla! circolare</strong> per estrarla!
1_2_conveyor: "Connetti l'estrattore all'Hub centrale utilizzando un 1_2_conveyor: "Connetti l'estrattore all'Edificio centrale utilizzando un
<strong>nastro trasportatore</strong>!<br><br>Suggerimento: <strong>nastro trasportatore</strong>!<br><br>Suggerimento:
<strong>Clicca e trascina</strong> il nastro con il mouse!" <strong>Clicca e trascina</strong> il nastro con il mouse!"
1_3_expand: "Questo <strong>NON</strong> è un idle game! Costruisci più 1_3_expand: "Questo <strong>NON</strong> è un idle game! Costruisci più
@ -300,6 +309,30 @@ ingame:
velocemente.<br><br>Suggerimento: Tieni premuto velocemente.<br><br>Suggerimento: Tieni premuto
<strong>MAIUSC</strong> per piazzare estrattori multipli, e usa <strong>MAIUSC</strong> per piazzare estrattori multipli, e usa
<strong>R</strong> per ruotarli." <strong>R</strong> per ruotarli."
2_1_place_cutter: "Now place a <strong>Cutter</strong> to cut the circles in two
halves!<br><br> PS: The cutter always cuts from <strong>top to
bottom</strong> regardless of its orientation."
2_2_place_trash: The cutter can <strong>clog and stall</strong>!<br><br> Use a
<strong>trash</strong> to get rid of the currently (!) not
needed waste.
2_3_more_cutters: "Good job! Now place <strong>2 more cutters</strong> to speed
up this slow process!<br><br> PS: Use the <strong>0-9
hotkeys</strong> to access buildings faster!"
3_1_rectangles: "Now let's extract some rectangles! <strong>Build 4
extractors</strong> and connect them to the hub.<br><br> PS:
Hold <strong>SHIFT</strong> while dragging a belt to activate
the belt planner!"
21_1_place_quad_painter: Place the <strong>quad painter</strong> and get some
<strong>circles</strong>, <strong>white</strong> and
<strong>red</strong> color!
21_2_switch_to_wires: Switch to the wires layer by pressing
<strong>E</strong>!<br><br> Then <strong>connect all four
inputs</strong> of the painter with cables!
21_3_place_button: Awesome! Now place a <strong>Switch</strong> and connect it
with wires!
21_4_press_button: "Press the switch to make it <strong>emit a truthy
signal</strong> and thus activate the painter.<br><br> PS: You
don't have to connect all inputs! Try wiring only two."
colors: colors:
red: Rosso red: Rosso
green: Verde green: Verde
@ -308,7 +341,7 @@ ingame:
purple: Magenta purple: Magenta
cyan: Azzurro cyan: Azzurro
white: Bianco white: Bianco
uncolored: No colore uncolored: Senza colore
black: Nero black: Nero
shapeViewer: shapeViewer:
title: Strati title: Strati
@ -320,7 +353,7 @@ ingame:
limited_items: Limitato a <max_throughput> limited_items: Limitato a <max_throughput>
watermark: watermark:
title: Versione demo title: Versione demo
desc: Clicca qui per vedere i vantaggi della versione Steam! desc: Clicca qui per vedere i vantaggi della versione Completa!
get_on_steam: Ottieni su Steam get_on_steam: Ottieni su Steam
standaloneAdvantages: standaloneAdvantages:
title: Ottieni la versione completa! title: Ottieni la versione completa!
@ -339,7 +372,7 @@ ingame:
title: 20 gradi di miglioramenti title: 20 gradi di miglioramenti
desc: Questa demo ne ha solo 5! desc: Questa demo ne ha solo 5!
markers: markers:
title: segnapunti title: etichette
desc: Non perderti nella tua fabbrica! desc: Non perderti nella tua fabbrica!
wires: wires:
title: Cavi title: Cavi
@ -367,43 +400,43 @@ buildings:
belt: belt:
default: default:
name: Nastro Trasportatore name: Nastro Trasportatore
description: Trasporta oggetti, clicca e trascina per posizionare in sequenza. description: Trasporta oggetti, clicca e trascina per posizionarli in sequenza.
miner: miner:
default: default:
name: Estrattore name: Estrattore
description: Posiziona sopra una forma o un colore per estrarlo. description: Posizionalo sopra una forma o un colore per estrarlo.
chainable: chainable:
name: Estrattore (Catena) name: Estrattore (Catena)
description: Posiziona sopra una forma o un colore per estrarlo. Puoi combinarlo description: Posizionalo sopra una forma o un colore per estrarlo. Puoi
con altri estrattori. combinarlo con altri estrattori.
underground_belt: underground_belt:
default: default:
name: Tunnel name: Tunnel
description: Permette di far passare delle risorse sotto a costruzioni e nastri description: Permette di far passare le risorse sotto alle costruzioni e ai
trasportatori. nastri trasportatori.
tier2: tier2:
name: Tunnel Grado II name: Tunnel Grado II
description: Permette di far passare delle risorse sotto a costruzioni e nastri description: Permette di far passare le risorse sotto alle costruzioni e ai
trasportatori. nastri trasportatori.
cutter: cutter:
default: default:
name: Tagliatrice name: Taglierino
description: Taglia le forme verticalmente e restituisce le metà destra e description: Taglia le forme verticalmente e restituisce le due metà a destra e
sinistra. <strong>Se usi solo una parte, distruggi l'altra o la a sinistra. <strong>Se usi solo una parte, distruggi l'altra o
macchina si fermerà!</strong> la macchina si fermerà!</strong>
quad: quad:
name: Tagliatrice (4x) name: Taglierino (4x)
description: Taglia le forme in quattro parti. <strong>Se usi solo una parte, description: Taglia le forme in quattro parti. <strong>Se usi meno di quattro
distruggi le altre o la macchina si fermerà!</strong> parti, distruggi le altre o la macchina si fermerà!</strong>
rotater: rotater:
default: default:
name: Ruotatrice name: Ruotatore
description: Ruota le forme di 90 gradi in senso orario. description: Ruota le forme di 90 gradi in senso orario.
ccw: ccw:
name: Ruotatrice (Ant.) name: Ruotatore (Ant.)
description: Ruota le forme di 90 gradi in senso antiorario. description: Ruota le forme di 90 gradi in senso antiorario.
rotate180: rotate180:
name: Ruotatrice (180) name: Ruotatore (180°)
description: Ruota le forme di 180 gradi. description: Ruota le forme di 180 gradi.
stacker: stacker:
default: default:
@ -412,26 +445,26 @@ buildings:
uniti, l'oggetto destro è posizionato sopra il sinstro. uniti, l'oggetto destro è posizionato sopra il sinstro.
mixer: mixer:
default: default:
name: Mixer Colori name: Miscelatore di vernice
description: Mescola due colori mediante sintesi additiva. description: Mescola due colori mediante sintesi additiva.
painter: painter:
default: default:
name: Verniciatrice name: Verniciatore
description: Colora l'intera forma dall'ingresso sinistro con il colore description: Colora l'intera forma dall'ingresso sinistro con il colore
dall'ingresso destro. dall'ingresso superiore.
double: double:
name: Verniciatrice (2x) name: Verniciatore (2x)
description: Colora le forme dagli ingressi sinistri con il colore dall'ingresso description: Colora le forme dagli ingressi sinistri con il colore dall'ingresso
destro. superiore.
quad: quad:
name: Verniciatrice (4x) name: Verniciatore (4x)
description: Allows you to color each quadrant of the shape individually. Only description: Ti permette di colorare ogni quadrante della forma individualmente.
slots with a <strong>truthy signal</strong> on the wires layer Solo gli spazi con un <strong>Vero</strong> sul livello
will be painted! elettrico saranno colorati!
mirrored: mirrored:
name: Verniciatrice name: Verniciatore
description: Colora l'intera forma dall'ingresso sinistro con il colore description: Colora l'intera forma dall'ingresso sinistro con il colore
dall'ingresso destro. dall'ingresso inferiore.
trash: trash:
default: default:
name: Cestino name: Cestino
@ -452,7 +485,7 @@ buildings:
balancer: balancer:
default: default:
name: Bilanciatore name: Bilanciatore
description: Multifunzionale, distribuisce equamente gli ogetti in ingresso tra description: Multifunzione, distribuisce equamente gli oggetti in ingresso tra
tutte le uscite. tutte le uscite.
merger: merger:
name: Aggregatore (compatto) name: Aggregatore (compatto)
@ -468,13 +501,13 @@ buildings:
description: Divide un nastro in due. description: Divide un nastro in due.
storage: storage:
default: default:
name: Stoccaggio name: Magazzino
description: Immagazzina gli oggetti in eccesso, fino ad una capacità massima. description: Immagazzina gli oggetti in eccesso, fino ad una capacità massima.
Prioritizza l'uscita sinistra e può quindi essere usato per Dà priorità all'uscita sinistra e può quindi essere usato per
gestire le eccedenze. gestire le eccedenze.
wire_tunnel: wire_tunnel:
default: default:
name: Incrocio cavi name: Incrocio fra cavi
description: Consente a due cavi di attraversarsi senza connettersi. description: Consente a due cavi di attraversarsi senza connettersi.
constant_signal: constant_signal:
default: default:
@ -483,15 +516,15 @@ buildings:
un booleano (1 / 0). un booleano (1 / 0).
lever: lever:
default: default:
name: Bottone name: Interruttore
description: Può essere azionato per emettere un segnale booleano (1 / 0) nel description: Può essere azionato per emettere un segnale booleano (1 / 0) nel
livello dei cavi, che può essere usato per controllare, per livello elettrico, che può essere usato per controllare, per
esempio, un filtro. esempio, un filtro.
logic_gate: logic_gate:
default: default:
name: Porta AND name: Porta AND
description: Emette un "1" booleano se entrambi gli ingressi sono veri. (Vero description: Emette un "1" booleano se entrambi gli ingressi sono veri. (Vero
significa forma, colore o "1" boolean) significa forma, colore o "1" booleano)
not: not:
name: Porta NOT name: Porta NOT
description: Emette un "1" booleano se l'ingresso è falso. (Vero significa description: Emette un "1" booleano se l'ingresso è falso. (Vero significa
@ -506,11 +539,11 @@ buildings:
significa forma, colore o "1" booleano) significa forma, colore o "1" booleano)
transistor: transistor:
default: default:
name: Transistor name: Transistore
description: Inoltra il segnale dall'ingresso inferiore se l'ingresso laterale è description: Inoltra il segnale dall'ingresso inferiore se l'ingresso laterale è
vero (una forma, un colore o "1"). vero (una forma, un colore o "1").
mirrored: mirrored:
name: Transistor name: Transistore
description: Inoltra il segnale dall'ingresso inferiore se l'ingresso laterale è description: Inoltra il segnale dall'ingresso inferiore se l'ingresso laterale è
vero (una forma, un colore o "1"). vero (una forma, un colore o "1").
filter: filter:
@ -542,105 +575,107 @@ buildings:
comparare forme, colori e booleani. comparare forme, colori e booleani.
virtual_processor: virtual_processor:
default: default:
name: Tagliatrice virtuale name: Taglierino virtuale
description: Taglia virtualmente la forma in due metà. description: Taglia virtualmente la forma in due metà.
rotater: rotater:
name: Ruotatrice virtuale name: Ruotatore virtuale
description: Ruota virtualmente la forma, sia in senso orario che antiorario. description: Ruota virtualmente la forma, sia in senso orario sia antiorario.
unstacker: unstacker:
name: Disimpilatrice virtuale name: Disimpilatrice virtuale
description: Estrae virtualmente lo strato più alto e lo emette a destra, i description: Estrae virtualmente lo strato più alto e lo emette a destra, i
restanti sono emessi a sinistra. restanti sono emessi a sinistra.
stacker: stacker:
name: Impilatrice virtuale name: Impilatrice virtuale
description: Impila visrtualmente la forma destra sulla sinistra. description: Impila virtualmente la forma destra sulla sinistra.
painter: painter:
name: Verniciatrice virtuale name: Verniciatore virtuale
description: Vernicia virtualmente la forma dall'ingresso inferiore con il description: Vernicia virtualmente la forma dall'ingresso inferiore con il
colore dall'ingresso destro. colore dall'ingresso destro.
item_producer: item_producer:
default: default:
name: Generatore di oggetti name: Generatore di oggetti
description: Disponibile solo nella modalità sandbox, emette il segnale dal description: Disponibile solo nella modalità sandbox, emette il segnale dal
livello dei cavi come oggetti sul livello normale. livello elettrico come oggetti sul livello normale.
storyRewards: storyRewards:
reward_cutter_and_trash: reward_cutter_and_trash:
title: Taglio forme title: Taglio forme
desc: You just unlocked the <strong>cutter</strong>, which cuts shapes in half desc: Il <strong>taglierino</strong> è stato bloccato! Taglia le forme a metà da
from top to bottom <strong>regardless of its sopra a sotto <strong>indipendentemente dal suo
orientation</strong>!<br><br>Be sure to get rid of the waste, or orientamento</strong>!<br><br> Assicurati di buttare via lo scarto,
otherwise <strong>it will clog and stall</strong> - For this purpose sennò <strong>si intaserà e andrà in stallo </strong> - Per questo
I have given you the <strong>trash</strong>, which destroys ti ho dato il <strong>certino</strong>, che distrugge tutto quello
everything you put into it! che riceve!
reward_rotater: reward_rotater:
title: Rotazione title: Rotazione
desc: La <strong>ruotatrice</strong> è stata sbloccata! Ruota le forme di 90 desc: Il <strong>ruotatore</strong> è stato sbloccato! Ruota le forme di 90
gradi in senso orario. gradi in senso orario.
reward_painter: reward_painter:
title: Verniciatura title: Verniciatura
desc: "La <strong>verniciatrice</strong> è stata sbloccata - Estrai dalle vene desc: "Il <strong>verniciatore</strong> è stato sbloccato! Estrai dalle vene
colorate (esattamente come fai con le forme) e combina il colore con colorate (esattamente come fai con le forme) e combina il colore con
una forma nella veniciatrice per colorarla!<br><br>PS: Se sei una forma nella veniciatrice per colorarla!<br><br>PS: Se sei
daltonico, c'è la <strong>modalità daltonici </strong> nelle daltonico, c'è la <strong>modalità daltonici </strong> nelle
opzioni!" impostazion!"
reward_mixer: reward_mixer:
title: Mix colori title: Mix colori
desc: Il <strong>mixer</strong> è stato sbloccato - Con questo edificio, puoi desc: Il <strong>miscelatore</strong> è stato sbloccato! Con questo edificio,
combinare due colori mediante <strong>sintesi additiva</strong>! puoi combinare due colori mediante la <strong>sintesi
additiva</strong>!
reward_splitter: reward_splitter:
title: Separatore/Agrregatore title: Separatore/Agrregatore
desc: You have unlocked a <strong>splitter</strong> variant of the desc: Il <strong>separatore</strong> è stato sbloccato! è una variante del
<strong>balancer</strong> - It accepts one input and splits them <strong>bilanciatore</strong> - Accetta un imput e lo divide in due!
into two!
reward_tunnel: reward_tunnel:
title: Tunnel title: Tunnel
desc: Il <strong>tunnel</strong> è stato sbloccato. In questo modo puoi desc: Il <strong>tunnel</strong> è stato sbloccato! In questo modo puoi
trasportare oggetti al di sotto di nastri ed edifici! trasportare oggetti al di sotto di nastri ed edifici!
reward_rotater_ccw: reward_rotater_ccw:
title: Rotazione antioraria title: Rotazione antioraria
desc: Hai sbloccato una variante della <strong>ruotatrice</strong>. Consente di desc: Hai sbloccato una variante del <strong>ruotatore</strong>! Consente di
ruotare in senso antiorario! Per costruirla, seleziona la ruotatrice ruotare in senso antiorario! Per costruirla, seleziona la ruotatrice
e <strong>premi 'T' per cambiare variante</strong>! e <strong>premi 'T' per cambiare variante</strong>!
reward_miner_chainable: reward_miner_chainable:
title: Estrattore a catena title: Estrattore a catena
desc: "You have unlocked the <strong>chained extractor</strong>! It can desc: "L'<strong>estrattore a catena</strong> è stato sbloccato! Può
<strong>forward its resources</strong> to other extractors so you <strong>passare le sue risorse</strong> agli altri estrattori, così
can more efficiently extract resources!<br><br> PS: The old tu puoi estrarre le risorse in modo più efficiente!<br><br> PS: Il
extractor has been replaced in your toolbar now!" primo estrattore è stato rimpiazzato nel tuo inventario!"
reward_underground_belt_tier_2: reward_underground_belt_tier_2:
title: Tunnel grado II title: Tunnel grado II
desc: Hai sbloccato una nuova variante del <strong>tunnel</strong>. Ha un desc: Hai sbloccato una variante del <strong>tunnel</strong>! Ha un
<strong>raggio più ampio</strong> e puoi anche mischiare le due <strong>raggio più ampio</strong> e puoi anche mischiare le due
varianti ora! varianti ora!
reward_cutter_quad: reward_cutter_quad:
title: Taglio quadruplo title: Taglio quadruplo
desc: Hai sbloccato una variante della <strong>tagliatrice</strong>. Cconsente desc: Hai sbloccato una variante del <strong>taglierino</strong>! Consente di
di tagliare le forme in <strong>quattro parti</strong> invece che in tagliare le forme in <strong>quattro parti</strong> invece che in
due! due!
reward_painter_double: reward_painter_double:
title: Verniciatura doppia title: Verniciatura doppia
desc: Hai sbloccato una variante della <strong>verniciatrice</strong>. Funziona desc: Hai sbloccato una variante del <strong>verniciatore</strong>! Funziona
come una normale verniciatrice, ma processa <strong>due forme alla come un normale verniciatore, ma processa <strong>due forme alla
volta</strong> consumando solo un'unità di colore invece che due! volta</strong> consumando solo un'unità di colore invece che due!
reward_storage: reward_storage:
title: Unità di stoccaggio title: Unità di stoccaggio
desc: You have unlocked the <strong>storage</strong> building - It allows you to desc: Hai sbloccato il <strong>magazzino</strong>! Ti permette di immagazzinare
store items up to a given capacity!<br><br> It priorities the left le forme fino a un certo limite!<br><br> Dà priorità all'uscita a
output, so you can also use it as an <strong>overflow gate</strong>! sinistra, puoi quindi usarlo per gestire le
<strong>eccedenze</strong>!
reward_freeplay: reward_freeplay:
title: Modalità libera title: Modalità libera
desc: You did it! You unlocked the <strong>free-play mode</strong>! This means desc: Ce l'hai fatta! Hai sbloccato la <strong>modalità libera</strong>! Questo
that shapes are now <strong>randomly</strong> generated!<br><br> significa che le forme da adesso in poi sono generate
Since the hub will require a <strong>throughput</strong> from now <strong>casualmente</strong>!<br><br> Visto che la HUB avrà bisogno
on, I highly recommend to build a machine which automatically di una <strong>portata maggiore</strong> Ti consiglio vivamente di
delivers the requested shape!<br><br> The HUB outputs the requested costruire un macchinario che consegna automaticamente la forma
shape on the wires layer, so all you have to do is to analyze it and richiesta!<br><br> La HUB da come output la forma richiesta sul
automatically configure your factory based on that. livello elettrico, quindi ti basta solo analizzarla e configurare
automaticamente la tua fabbrica in base a quei dati.
reward_blueprints: reward_blueprints:
title: Progetti title: Progetti
desc: Ora puoi <strong>copiare ed incollare</strong> parti della tua fabbrica! desc: Ora puoi <strong>copiare ed incollare</strong> componenti della tua
Seleziona un'area (Tieni premuto CTRL e trascina con il mouse) e fabbrica! Seleziona un'area (Tieni premuto CTRL e trascina con il
premi 'C' per copiarla.<br><br>Incollarla <strong>non è mouse) e premi 'C' per copiarla.<br><br>Incollarla <strong>non è
gratis</strong>, devi produrre <strong>forme progetto</strong> per gratis</strong>, devi produrre <strong>forme progetto</strong> per
potertelo permettere! (Quelle che hai appena consegnato). potertelo permettere! (Quelle che hai appena consegnato).
no_reward: no_reward:
@ -667,7 +702,7 @@ storyRewards:
reward_merger: reward_merger:
title: Aggregatore compatto title: Aggregatore compatto
desc: Hai sbloccato un <strong>aggregatore</strong>, variante del desc: Hai sbloccato un <strong>aggregatore</strong>, variante del
<strong>bilanciatore</strong>. Acetta due ingressi e li aggrega su <strong>bilanciatore</strong>! Acetta due ingressi e li aggrega su
un unico nastro! un unico nastro!
reward_belt_reader: reward_belt_reader:
title: Lettore di nastri title: Lettore di nastri
@ -676,19 +711,19 @@ storyRewards:
allora sì che sarà molto utile! allora sì che sarà molto utile!
reward_rotater_180: reward_rotater_180:
title: Ruotatrice (180 gradi) title: Ruotatrice (180 gradi)
desc: Hai appena sbloccato la <strong>ruotatrice</strong> a 180 gradi! Consente desc: Hai appena sbloccato il <strong>ruotatore</strong> a 180 gradi! Consente
di ruotare una forma di 180 gradi (Sorpresa! :D) di ruotare una forma di 180 gradi (Sorpresa! :D)
reward_display: reward_display:
title: Display title: Display
desc: "You have unlocked the <strong>Display</strong> - Connect a signal on the desc: "Hai sbloccato il <strong>Display</strong>! Connetti un segnale sul
wires layer to visualize it!<br><br> PS: Did you notice the belt livello elettrico per visualizzarlo!<br><br> PS: Hai notato che il
reader and storage output their last read item? Try showing it on a lettore di nastri e il magazzino mostrano l'ultimo oggetto da loro
display!" letto? Prova a mostrarlo su di un display!"
reward_constant_signal: reward_constant_signal:
title: Sengale costante title: Sengale costante
desc: Hai sblocatto l'edificio <strong>segnale costante</strong> sul livello dei desc: Hai sblocatto l'edificio <strong>segnale costante</strong> sul livello
cavi! È utile collegarlo ai <strong>filtri oggetti</strong> per elettrico! È utile collegarlo ai <strong>filtri di oggetti</strong>
esempio.<br><br> Il segnale costante può emettere una per esempio.<br><br> Il segnale costante può emettere una
<strong>forma</strong>, un <strong>colore</strong> o un <strong>forma</strong>, un <strong>colore</strong> o un
<strong>booleano</strong> (1 / 0). <strong>booleano</strong> (1 / 0).
reward_logic_gates: reward_logic_gates:
@ -697,33 +732,34 @@ storyRewards:
entusiasta, ma in realtà sono fantastiche!<br><br> Con quelle porte entusiasta, ma in realtà sono fantastiche!<br><br> Con quelle porte
ora puoi eseguire le operazioni logiche di AND, OR, XOR e ora puoi eseguire le operazioni logiche di AND, OR, XOR e
NOT.<br><br> Come bonus extra ti ho anche regalato un NOT.<br><br> Come bonus extra ti ho anche regalato un
<strong>transistor</strong>! <strong>transistore</strong>!
reward_virtual_processing: reward_virtual_processing:
title: Lavorazione virtuale title: Lavorazione virtuale
desc: Ti ho appena dato un bel po' di nuovi edifici che ti consentono di desc: Ti ho appena dato un bel po' di nuovi edifici che ti consentono di
<strong>simulare la lavorazione delle forme</strong>!<br><br> Ora <strong>simulare la lavorazione delle forme</strong>!<br><br> Ora
puoi simulare una tagliatrice, una ruotatrice, un'impilatrice e puoi simulare un taglierino, un ruotatore, un'impilatrice e molto
molto altro sul livello dei cavi! In questo modo hai tre opzioni per altro sul livello elettrico! In questo modo hai tre opzioni per
continuare il gioco:<br><br> -Costruisci una <strong>macchina continuare il gioco:<br><br> -Costruisci una <strong>macchina
automatica</strong> per creare ogni possibile forma richiesta automatica</strong> per creare ogni possibile forma richiesta
dall'HUB (ti consiglio di provarci!).<br><br> - Costruisci qualcosa dall'HUB (ti consiglio di provarci!).<br><br> - Costruisci qualcosa
di interessante con i cavi.<br><br> - Continua a giocare di interessante con i cavi.<br><br> - Continua a giocare
normalmente. <br><br> Qualsiasi cosa tu scelga, riordati di normalmente. <br><br> Qualsiasi cosa tu scelga, ricordati di
divertirti! divertirti!
reward_wires_painter_and_levers: reward_wires_painter_and_levers:
title: Cavi e Verniciatrice quadrupla title: Cavi e Verniciatrice quadrupla
desc: "Hai appena sbloccato il <strong>livello dei cavi</strong>: È un livello desc: "You just unlocked the <strong>Wires Layer</strong>: It is a separate
separato al di sopra di quello normale e introduce un sacco di nuove layer on top of the regular layer and introduces a lot of new
meccaniche!<br><br> Per il momento ti ho sbloccato la mechanics!<br><br> For the beginning I unlocked you the <strong>Quad
<strong>Verniciatrice quadrupla</strong>. Collega gli ingressi con i Painter</strong> - Connect the slots you would like to paint with on
quali vuoi dipingere nel livello dei cavi!<br><br> Per passare al the wires layer!<br><br> To switch to the wires layer, press
livello dei cavi, premi <strong>E</strong>." <strong>E</strong>. <br><br> PS: <strong>Enable hints</strong> in
the settings to activate the wires tutorial!"
reward_filter: reward_filter:
title: Filtro oggetti title: Filtro oggetti
desc: Hai sbloccato il <strong>filtro oggetti</strong>! Smisterà gli oggetti desc: Hai sbloccato il <strong>filtro oggetti</strong>! Smisterà gli oggetti
verso l'alto o verso destra a seconda che corrispondano al sengale verso l'alto o verso destra a seconda del segnale dal livello
dal livello dei cavi o no.<br><br> Puoi anche mandargli un segnale elettrico o meno.<br><br> Puoi anche mandargli un segnale booleano
booleano (1 / 0) per attivarlo o disattivarlo completamente. (1 / 0) per attivarlo o disattivarlo completamente.
reward_demo_end: reward_demo_end:
title: Fine della demo title: Fine della demo
desc: Hai raggiunto la fine della demo! desc: Hai raggiunto la fine della demo!
@ -733,7 +769,7 @@ settings:
general: Generali general: Generali
userInterface: Interfaccia utente userInterface: Interfaccia utente
advanced: Avanzate advanced: Avanzate
performance: Performance performance: Prestazioni
versionBadges: versionBadges:
dev: Sviluppo dev: Sviluppo
staging: Staging staging: Staging
@ -922,7 +958,7 @@ keybindings:
centerMap: Centra mappa centerMap: Centra mappa
mapZoomIn: Aumenta zoom mapZoomIn: Aumenta zoom
mapZoomOut: Riduci zoom mapZoomOut: Riduci zoom
createMarker: Crea segnapunto createMarker: Crea Etichetta
menuOpenShop: Miglioramenti menuOpenShop: Miglioramenti
menuOpenStats: Statistiche menuOpenStats: Statistiche
toggleHud: Mostra/Nascondi HUD toggleHud: Mostra/Nascondi HUD
@ -930,17 +966,17 @@ keybindings:
belt: Nastro Trasportatore belt: Nastro Trasportatore
underground_belt: Tunnel underground_belt: Tunnel
miner: Estrattore miner: Estrattore
cutter: Tagliatrice cutter: Taglierino
rotater: Ruotatrice rotater: Ruotatore
stacker: Impilatrice stacker: Impilatrice
mixer: Mixer Colori mixer: Miscelatore di vernice
painter: Verniciatrice painter: Verniciatore
trash: Cestino trash: Cestino
rotateWhilePlacing: Ruota rotateWhilePlacing: Ruota
rotateInverseModifier: "Modificatore: Ruota in senso antiorario" rotateInverseModifier: "Modificatore: Ruota in senso antiorario"
cycleBuildingVariants: Cicla varianti cycleBuildingVariants: Cicla varianti
confirmMassDelete: Conferma eliminazione di massa confirmMassDelete: Conferma eliminazione di massa
cycleBuildings: Cicla edifici cycleBuildings: Cambia variante
massSelectStart: Clicca e trascina per cominciare massSelectStart: Clicca e trascina per cominciare
massSelectSelectMultiple: Seleziona aree multiple massSelectSelectMultiple: Seleziona aree multiple
massSelectCopy: Copia area massSelectCopy: Copia area
@ -958,16 +994,16 @@ keybindings:
switchLayers: Cambia livello switchLayers: Cambia livello
wire: Cavo wire: Cavo
balancer: Bilanciatore balancer: Bilanciatore
storage: Stoccaggio storage: Magazzino
constant_signal: Segnale costante constant_signal: Segnale costante
logic_gate: Porta logica logic_gate: Porta logica
lever: Bottone (normale) lever: Interruttore (normale)
filter: Filtro filter: Filtro
wire_tunnel: Incrocio cavi wire_tunnel: Incrocio cavi
display: Display display: Display
reader: Lettore nastri reader: Lettore nastri
virtual_processor: Tagliatrice virtuale virtual_processor: Taglierino virtuale
transistor: Transistor transistor: Transistore
analyzer: Analizzatore forme analyzer: Analizzatore forme
comparator: Comparatore comparator: Comparatore
item_producer: Generatore di oggetti (Sandbox) item_producer: Generatore di oggetti (Sandbox)
@ -987,7 +1023,7 @@ about:
Per finire, grazie di cuore al mio migliore amico <a href="https://github.com/niklas-dahl" target="_blank">Niklas</a> - Senza le nostre sessioni su factorio questo gioco non sarebbe mai esistito. Per finire, grazie di cuore al mio migliore amico <a href="https://github.com/niklas-dahl" target="_blank">Niklas</a> - Senza le nostre sessioni su factorio questo gioco non sarebbe mai esistito.
changelog: changelog:
title: Changelog title: Registro modifiche
demo: demo:
features: features:
restoringGames: Recupero salvataggi restoringGames: Recupero salvataggi
@ -1012,8 +1048,7 @@ tips:
- La simmetria è la chiave! - La simmetria è la chiave!
- Puoi intrecciare gradi diversi del tunnel. - Puoi intrecciare gradi diversi del tunnel.
- Cerca di costruire fabbriche compatte, sarai ricompensato! - Cerca di costruire fabbriche compatte, sarai ricompensato!
- La verniciatrice ha una variante speculare che puoi selezionare con - Il verniciatore ha una variante speculare che puoi selezionare con <b>T</b>
<b>T</b>
- Avere i giusti rapporti tra gli edifici massimizzerà l'efficienza. - Avere i giusti rapporti tra gli edifici massimizzerà l'efficienza.
- Al massimo livello, 5 estrattori saturano un singolo nastro. - Al massimo livello, 5 estrattori saturano un singolo nastro.
- Non dimenticare i tunnel! - Non dimenticare i tunnel!
@ -1021,10 +1056,10 @@ tips:
efficienza. efficienza.
- Tenere premuto <b>SHIFT</b> attiva il pianificatore nastri, facilitando il - Tenere premuto <b>SHIFT</b> attiva il pianificatore nastri, facilitando il
posizionamento dei nastri più lunghi posizionamento dei nastri più lunghi
- Le tagliatrici tagliano sempre in verticale, indipendentemente dalla - I taglierini tagliano sempre in verticale, indipendentemente
direzione. dall'orientamento.
- Mischia tutti i tre colori per fare il bianco. - Mischia tutti i tre colori per fare il bianco.
- L'unità di stoccaggio prioritizza la prima uscita. - Il magazzino prioritizza la prima uscita.
- Impiega tempo per costruire design replicabili, ne vale la pena! - Impiega tempo per costruire design replicabili, ne vale la pena!
- Tenere premuto <b>CTRL</b> ti consente di piazzare multipli edifici. - Tenere premuto <b>CTRL</b> ti consente di piazzare multipli edifici.
- Puoi tenere premuto <b>ALT</b> per invertire la direzione dei nastri - Puoi tenere premuto <b>ALT</b> per invertire la direzione dei nastri
@ -1050,23 +1085,24 @@ tips:
mortali. mortali.
- Costruisci una fabbrica dedicata per i progetti. Sono importanti per i - Costruisci una fabbrica dedicata per i progetti. Sono importanti per i
moduli. moduli.
- Guarda da vicino il mixer dei colori, e le tue domande avranno risposta. - Guarda da vicino il miscelatore di colori, e le tue domande avranno
risposta.
- Usa <b>CTRL</b> + Clic per selezionare un'area. - Usa <b>CTRL</b> + Clic per selezionare un'area.
- Costruire troppo vicino all'hub potrebbe intralciare progetti futuri. - Costruire troppo vicino all'hub potrebbe intralciare progetti futuri.
- Premere la puntina vicino a ogni forma nel menù miglioramenti la farà - Premere la puntina vicino a ogni forma nel menù miglioramenti la farà
visualizzare sempre a schermo visualizzare sempre a schermo
- Mescola tutti i colori primari per fare il bianco! - Mescola tutti i colori primari per fare il bianco!
- Hai una mappa finita, non incastrare la tua fabbrica, espanditi! - Hai una mappa infinita, non incastrare la tua fabbrica, espanditi!
- Prova anhe factorio! È il mio gioco preferito. - Prova anche factorio! È il mio gioco preferito.
- La tagliatrice quadrupla taglia in senso orario a partire dal quadrante in - Il taglierino quadruplo taglia in senso orario a partire dal quadrante in
alto a destra! alto a destra!
- Puoi scaricare i salvataggi dal menù principale! - Puoi scaricare i salvataggi dal menù principale!
- Questo gioco ha molti tasti di scelta rapida! Dai un'occhiata alla pagina - Questo gioco ha molti tasti di scelta rapida! Dai un'occhiata alla pagina
delle impostazioni delle impostazioni
- Questo gioco ha molte impostazioni, dai un'occhiata! - Questo gioco ha molte impostazioni, dai un'occhiata!
- Il segnapunto dell'hub ha una piccola bussola per indicarne la direzione! - L'etichetta dell'hub ha una piccola bussola per indicarne la direzione!
- Per svutare i nastri, taglia e re-incolla l'area nello stesso punto. - Per svuotare i nastri, taglia e re-incolla l'area nello stesso punto.
- Premi F4 per mostrare FPS e Tick al secondo. - Premi F4 per mostrare FPS e Tick al secondo.
- Press F4 due volte per mostrare la casella del cursore e della telecamera. - Press F4 due volte per mostrare la casella del cursore e della telecamera.
- Puoi cliccare a sinistra di una forma fermata a schermo per rimuoverla - Puoi cliccare a sinistra di una forma fermata a schermo per rimuoverla
dalla lisata. dalla lista.

View File

@ -176,6 +176,14 @@ dialogs:
renameSavegame: renameSavegame:
title: セーブデータの名前を変更 title: セーブデータの名前を変更
desc: セーブデータの名前を変更することができます desc: セーブデータの名前を変更することができます
tutorialVideoAvailable:
title: Tutorial Available
desc: There is a tutorial video available for this level! Would you like to
watch it?
tutorialVideoAvailableForeignLanguage:
title: Tutorial Available
desc: There is a tutorial video available for this level, but it is only
available in English. Would you like to watch it?
ingame: ingame:
keybindingsOverlay: keybindingsOverlay:
moveMap: マップ移動 moveMap: マップ移動
@ -279,6 +287,30 @@ ingame:
もっと早く要件を満たせるように、追加の抽出機とベルトを設置しましょう。<br><br>Tip: もっと早く要件を満たせるように、追加の抽出機とベルトを設置しましょう。<br><br>Tip:
<strong>SHIFT</strong> <strong>SHIFT</strong>
キーを押し続けると抽出機を連続配置できます。<strong>R</strong>キーで設置方向を回転できます。" キーを押し続けると抽出機を連続配置できます。<strong>R</strong>キーで設置方向を回転できます。"
2_1_place_cutter: "Now place a <strong>Cutter</strong> to cut the circles in two
halves!<br><br> PS: The cutter always cuts from <strong>top to
bottom</strong> regardless of its orientation."
2_2_place_trash: The cutter can <strong>clog and stall</strong>!<br><br> Use a
<strong>trash</strong> to get rid of the currently (!) not
needed waste.
2_3_more_cutters: "Good job! Now place <strong>2 more cutters</strong> to speed
up this slow process!<br><br> PS: Use the <strong>0-9
hotkeys</strong> to access buildings faster!"
3_1_rectangles: "Now let's extract some rectangles! <strong>Build 4
extractors</strong> and connect them to the hub.<br><br> PS:
Hold <strong>SHIFT</strong> while dragging a belt to activate
the belt planner!"
21_1_place_quad_painter: Place the <strong>quad painter</strong> and get some
<strong>circles</strong>, <strong>white</strong> and
<strong>red</strong> color!
21_2_switch_to_wires: Switch to the wires layer by pressing
<strong>E</strong>!<br><br> Then <strong>connect all four
inputs</strong> of the painter with cables!
21_3_place_button: Awesome! Now place a <strong>Switch</strong> and connect it
with wires!
21_4_press_button: "Press the switch to make it <strong>emit a truthy
signal</strong> and thus activate the painter.<br><br> PS: You
don't have to connect all inputs! Try wiring only two."
connectedMiners: connectedMiners:
one_miner: 1個の抽出機 one_miner: 1個の抽出機
n_miners: <amount>個の抽出機 n_miners: <amount>個の抽出機
@ -568,10 +600,13 @@ storyRewards:
desc: <strong>回転機</strong>のバリエーションが利用可能になりました! 180度の回転ができるようになります(サプライズ! :D) desc: <strong>回転機</strong>のバリエーションが利用可能になりました! 180度の回転ができるようになります(サプライズ! :D)
reward_wires_painter_and_levers: reward_wires_painter_and_levers:
title: ワイヤ&着色機(四分割) title: ワイヤ&着色機(四分割)
desc: "<strong>ワイヤレイヤ</strong>が利用可能になりました!: desc: "You just unlocked the <strong>Wires Layer</strong>: It is a separate
通常レイヤとは別のレイヤーであり、異なる機能が使用できます!<br><br> layer on top of the regular layer and introduces a lot of new
最初に、<strong>着色機(四分割)</strong>が利用可能です。着色したいスロットを、ワイヤレイヤで接続します。<br><b\ mechanics!<br><br> For the beginning I unlocked you the <strong>Quad
r> ワイヤレイヤに切り替えるには、<strong>E</strong>を押します。" Painter</strong> - Connect the slots you would like to paint with on
the wires layer!<br><br> To switch to the wires layer, press
<strong>E</strong>. <br><br> PS: <strong>Enable hints</strong> in
the settings to activate the wires tutorial!"
reward_filter: reward_filter:
title: アイテムフィルタ title: アイテムフィルタ
desc: <strong>アイテムフィルタ</strong>が利用可能になりました! ワイヤレイヤの信号と一致するかどうかに応じて、 desc: <strong>アイテムフィルタ</strong>が利用可能になりました! ワイヤレイヤの信号と一致するかどうかに応じて、

View File

@ -181,6 +181,14 @@ dialogs:
renameSavegame: renameSavegame:
title: 세이브 파일 이름 설정 title: 세이브 파일 이름 설정
desc: 여기에서 세이브 파일의 이름을 바꿀 수 있습니다. desc: 여기에서 세이브 파일의 이름을 바꿀 수 있습니다.
tutorialVideoAvailable:
title: Tutorial Available
desc: There is a tutorial video available for this level! Would you like to
watch it?
tutorialVideoAvailableForeignLanguage:
title: Tutorial Available
desc: There is a tutorial video available for this level, but it is only
available in English. Would you like to watch it?
ingame: ingame:
keybindingsOverlay: keybindingsOverlay:
moveMap: 이동 moveMap: 이동
@ -266,12 +274,35 @@ ingame:
hints: hints:
1_1_extractor: <strong>원형 도형</strong>을 추출하기 위해 그 위에 <strong>추출기</strong>를 선택한 뒤 1_1_extractor: <strong>원형 도형</strong>을 추출하기 위해 그 위에 <strong>추출기</strong>를 선택한 뒤
배치하여 추출하세요! 배치하여 추출하세요!
1_2_conveyor: "이제 <strong>컨베이어 벨트</strong>를 추출기와 허브를 서로 연결하세요!<br><br> 1_2_conveyor: "이제 <strong>컨베이어 벨트</strong>를 추출기와 허브를 서로 연결하세요!<br><br> 팁: 벨트를
: 벨트를 마우스로 <strong>클릭한 뒤 드래그</strong>하세요!" 마우스로 <strong>클릭한 뒤 드래그</strong>하세요!"
1_3_expand: "이 게임은 방치형 게임이 <strong>아닙니다</strong>! 더 많은 추출기와 1_3_expand: "이 게임은 방치형 게임이 <strong>아닙니다</strong>! 더 많은 추출기와 벨트를 만들어 지정된 목표를 빨리
벨트를 만들어 지정된 목표를 빨리 달성하세요.<br><br> 달성하세요.<br><br> 팁: <strong>SHIFT</strong> 키를 누른 상태에서는 빠르게 배치할 수
: <strong>SHIFT</strong> 키를 누른 상태에서는 빠르게 있고, <strong>R</strong> 키를 눌러 회전할 수 있습니다."
배치할 수 있고, <strong>R</strong> 키를 눌러 회전할 수 있습니다." 2_1_place_cutter: "Now place a <strong>Cutter</strong> to cut the circles in two
halves!<br><br> PS: The cutter always cuts from <strong>top to
bottom</strong> regardless of its orientation."
2_2_place_trash: The cutter can <strong>clog and stall</strong>!<br><br> Use a
<strong>trash</strong> to get rid of the currently (!) not
needed waste.
2_3_more_cutters: "Good job! Now place <strong>2 more cutters</strong> to speed
up this slow process!<br><br> PS: Use the <strong>0-9
hotkeys</strong> to access buildings faster!"
3_1_rectangles: "Now let's extract some rectangles! <strong>Build 4
extractors</strong> and connect them to the hub.<br><br> PS:
Hold <strong>SHIFT</strong> while dragging a belt to activate
the belt planner!"
21_1_place_quad_painter: Place the <strong>quad painter</strong> and get some
<strong>circles</strong>, <strong>white</strong> and
<strong>red</strong> color!
21_2_switch_to_wires: Switch to the wires layer by pressing
<strong>E</strong>!<br><br> Then <strong>connect all four
inputs</strong> of the painter with cables!
21_3_place_button: Awesome! Now place a <strong>Switch</strong> and connect it
with wires!
21_4_press_button: "Press the switch to make it <strong>emit a truthy
signal</strong> and thus activate the painter.<br><br> PS: You
don't have to connect all inputs! Try wiring only two."
colors: colors:
red: 빨간색 red: 빨간색
green: 초록색 green: 초록색
@ -509,12 +540,10 @@ buildings:
storyRewards: storyRewards:
reward_cutter_and_trash: reward_cutter_and_trash:
title: 절단기 title: 절단기
desc: <strong>절단기</strong>가 잠금 해제되었습니다! 절단기는 들어오는 도형이 desc: <strong>절단기</strong>가 잠금 해제되었습니다! 절단기는 들어오는 도형이 어떤 모양을 하고 있던 수직으로 잘라
어떤 모양을 하고 있던 수직으로 잘라 <strong>반으로 나눕니다</strong>!<br><br> 쓰지 않는 도형은 쓰레기로 처리하세요, 그렇지 않으면
<strong>반으로 나눕니다</strong>!<br><br> 쓰지 않는 도형은 쓰레기로 처리하세요, <strong>작동을 멈출 것입니다</strong>! 이러한 목적을 위해 <strong>휴지통</strong>도 함께
그렇지 않으면 <strong>작동을 멈출 것입니다</strong>! 이러한 목적을 위해 지급되었습니다. 휴지통에 들어간 것은 모두 파괴됩니다!
<strong>휴지통</strong>도 함께 지급되었습니다.
휴지통에 들어간 것은 모두 파괴됩니다!
reward_rotater: reward_rotater:
title: 회전기 title: 회전기
desc: <strong>회전기</strong>가 잠금 해제되었습니다! 회전기는 들어오는 도형을 시계 방향으로 90도 회전시켜줍니다. desc: <strong>회전기</strong>가 잠금 해제되었습니다! 회전기는 들어오는 도형을 시계 방향으로 90도 회전시켜줍니다.
@ -579,9 +608,8 @@ storyRewards:
기능을 사용할 수 있습니다! (방금 당신이 만든 것입니다.) 기능을 사용할 수 있습니다! (방금 당신이 만든 것입니다.)
no_reward: no_reward:
title: 다음 레벨 title: 다음 레벨
desc: "이번 레벨의 보상은 없네요. 대신 다음 레벨에서 줄겁니다!<br><br> 추신: desc: "이번 레벨의 보상은 없네요. 대신 다음 레벨에서 줄겁니다!<br><br> 추신: 기존 공장을 파괴하지는 마세요. 후에
기존 공장을 파괴하지는 마세요. 후에 <strong>업그레이드 잠금 해제</strong>되면 <strong>업그레이드 잠금 해제</strong>되면 <strong>기존의 모든</strong> 도형이 필요합니다!"
<strong>기존의 모든</strong> 도형이 필요합니다!"
no_reward_freeplay: no_reward_freeplay:
title: 다음 레벨 title: 다음 레벨
desc: 축하드립니다! desc: 축하드립니다!
@ -624,11 +652,13 @@ storyRewards:
- 평소처럼 게임을 진행합니다.<br><br> 어떤 방식으로든, 재미있게 게임을 플레이해주시길 바랍니다! - 평소처럼 게임을 진행합니다.<br><br> 어떤 방식으로든, 재미있게 게임을 플레이해주시길 바랍니다!
reward_wires_painter_and_levers: reward_wires_painter_and_levers:
title: 전선과 4단 색칠기 title: 전선과 4단 색칠기
desc: "<strong>전선 레이어</strong>가 잠금 해제되었습니다! 전선 레이어는 desc: "You just unlocked the <strong>Wires Layer</strong>: It is a separate
일반 레이어 위에 존재하는 별도의 레이어로, 이를 통한 다양하고 새로운 layer on top of the regular layer and introduces a lot of new
메커니즘을 소개하겠습니다!<br><br> 우선 <strong>4단 색칠기</strong>가 mechanics!<br><br> For the beginning I unlocked you the <strong>Quad
잠금 해제되었습니다. 전선 레이어에서 색칠하고 싶은 슬롯에 전선을 연결하세요! Painter</strong> - Connect the slots you would like to paint with on
전선 레이어로 전환하려면 <strong>E</strong> 키를 누르세요." the wires layer!<br><br> To switch to the wires layer, press
<strong>E</strong>. <br><br> PS: <strong>Enable hints</strong> in
the settings to activate the wires tutorial!"
reward_filter: reward_filter:
title: 아이템 선별기 title: 아이템 선별기
desc: <strong>아이템 선별기</strong>가 잠금 해제되었습니다! 전선 레이어의 신호와 일치하는지에 대한 여부로 아이템을 위쪽 desc: <strong>아이템 선별기</strong>가 잠금 해제되었습니다! 전선 레이어의 신호와 일치하는지에 대한 여부로 아이템을 위쪽
@ -772,16 +802,14 @@ settings:
description: 커서를 화면 가장자리로 옮기면 스크롤되어 지도를 이동할 수 있습니다. 스크롤 속도는 이동 속도 설정에 따릅니다. description: 커서를 화면 가장자리로 옮기면 스크롤되어 지도를 이동할 수 있습니다. 스크롤 속도는 이동 속도 설정에 따릅니다.
zoomToCursor: zoomToCursor:
title: 커서를 기준으로 줌 title: 커서를 기준으로 줌
description: 활성화할 경우 화면 줌 인 아웃이 마우스 커서가 있는 지점을 기준이 되며, description: 활성화할 경우 화면 줌 인 아웃이 마우스 커서가 있는 지점을 기준이 되며, 아닐 경우 화면 중앙이 기준이 됩니다.
아닐 경우 화면 중앙이 기준이 됩니다.
mapResourcesScale: mapResourcesScale:
title: 지도 자원 크기 title: 지도 자원 크기
description: 지도를 축소할 때 나타나는 도형의 크기를 제어합니다. description: 지도를 축소할 때 나타나는 도형의 크기를 제어합니다.
rangeSliderPercentage: <amount> % rangeSliderPercentage: <amount> %
keybindings: keybindings:
title: 조작법 title: 조작법
hint: "팁: CTRL, SHIFT, ALT를 적절히 사용하세요! hint: "팁: CTRL, SHIFT, ALT를 적절히 사용하세요! 건물을 배치할 때 유용합니다."
건물을 배치할 때 유용합니다."
resetKeybindings: 초기화 resetKeybindings: 초기화
categoryLabels: categoryLabels:
general: 애플리케이션 general: 애플리케이션
@ -893,8 +921,7 @@ tips:
- 최대 레벨에서, 한 줄의 벨트를 채우기 위해 다섯 개의 추출기가 필요합니다. - 최대 레벨에서, 한 줄의 벨트를 채우기 위해 다섯 개의 추출기가 필요합니다.
- 터널을 잊지 마세요! - 터널을 잊지 마세요!
- 완벽한 효율성을 위해 굳이 아이템을 균등하게 배분할 필요는 없습니다. - 완벽한 효율성을 위해 굳이 아이템을 균등하게 배분할 필요는 없습니다.
- <b>SHIFT</b>키를 누르면 벨트 계획기가 활성화되어 - <b>SHIFT</b>키를 누르면 벨트 계획기가 활성화되어 긴 길이의 벨트 한 줄을 쉽게 배치할 수 있습니다.
긴 길이의 벨트 한 줄을 쉽게 배치할 수 있습니다.
- 절단기는 들어오는 도형과 배치된 절단기의 방향에 관계 없이, 언제나 수직으로 자릅니다. - 절단기는 들어오는 도형과 배치된 절단기의 방향에 관계 없이, 언제나 수직으로 자릅니다.
- 흰색은 세 가지의 색소를 혼합해야 합니다. - 흰색은 세 가지의 색소를 혼합해야 합니다.
- 저장고의 양쪽 출력 중 왼쪽 출력이 가장 우선됩니다. - 저장고의 양쪽 출력 중 왼쪽 출력이 가장 우선됩니다.

View File

@ -197,6 +197,14 @@ dialogs:
renameSavegame: renameSavegame:
title: Rename Savegame title: Rename Savegame
desc: You can rename your savegame here. desc: You can rename your savegame here.
tutorialVideoAvailable:
title: Tutorial Available
desc: There is a tutorial video available for this level! Would you like to
watch it?
tutorialVideoAvailableForeignLanguage:
title: Tutorial Available
desc: There is a tutorial video available for this level, but it is only
available in English. Would you like to watch it?
ingame: ingame:
keybindingsOverlay: keybindingsOverlay:
moveMap: Move moveMap: Move
@ -291,6 +299,30 @@ ingame:
and belts to finish the goal quicker.<br><br>Tip: Hold and belts to finish the goal quicker.<br><br>Tip: Hold
<strong>SHIFT</strong> to place multiple extractors, and use <strong>SHIFT</strong> to place multiple extractors, and use
<strong>R</strong> to rotate them." <strong>R</strong> to rotate them."
2_1_place_cutter: "Now place a <strong>Cutter</strong> to cut the circles in two
halves!<br><br> PS: The cutter always cuts from <strong>top to
bottom</strong> regardless of its orientation."
2_2_place_trash: The cutter can <strong>clog and stall</strong>!<br><br> Use a
<strong>trash</strong> to get rid of the currently (!) not
needed waste.
2_3_more_cutters: "Good job! Now place <strong>2 more cutters</strong> to speed
up this slow process!<br><br> PS: Use the <strong>0-9
hotkeys</strong> to access buildings faster!"
3_1_rectangles: "Now let's extract some rectangles! <strong>Build 4
extractors</strong> and connect them to the hub.<br><br> PS:
Hold <strong>SHIFT</strong> while dragging a belt to activate
the belt planner!"
21_1_place_quad_painter: Place the <strong>quad painter</strong> and get some
<strong>circles</strong>, <strong>white</strong> and
<strong>red</strong> color!
21_2_switch_to_wires: Switch to the wires layer by pressing
<strong>E</strong>!<br><br> Then <strong>connect all four
inputs</strong> of the painter with cables!
21_3_place_button: Awesome! Now place a <strong>Switch</strong> and connect it
with wires!
21_4_press_button: "Press the switch to make it <strong>emit a truthy
signal</strong> and thus activate the painter.<br><br> PS: You
don't have to connect all inputs! Try wiring only two."
colors: colors:
red: Red red: Red
green: Green green: Green
@ -694,7 +726,8 @@ storyRewards:
mechanics!<br><br> For the beginning I unlocked you the <strong>Quad mechanics!<br><br> For the beginning I unlocked you the <strong>Quad
Painter</strong> - Connect the slots you would like to paint with on Painter</strong> - Connect the slots you would like to paint with on
the wires layer!<br><br> To switch to the wires layer, press the wires layer!<br><br> To switch to the wires layer, press
<strong>E</strong>." <strong>E</strong>. <br><br> PS: <strong>Enable hints</strong> in
the settings to activate the wires tutorial!"
reward_filter: reward_filter:
title: Item Filter title: Item Filter
desc: You unlocked the <strong>Item Filter</strong>! It will route items either desc: You unlocked the <strong>Item Filter</strong>! It will route items either

View File

@ -204,6 +204,14 @@ dialogs:
renameSavegame: renameSavegame:
title: Hernoem opgeslagen spel title: Hernoem opgeslagen spel
desc: Geef je opgeslagen spel een nieuwe naam. desc: Geef je opgeslagen spel een nieuwe naam.
tutorialVideoAvailable:
title: Tutorial Available
desc: There is a tutorial video available for this level! Would you like to
watch it?
tutorialVideoAvailableForeignLanguage:
title: Tutorial Available
desc: There is a tutorial video available for this level, but it is only
available in English. Would you like to watch it?
ingame: ingame:
keybindingsOverlay: keybindingsOverlay:
moveMap: Beweeg speelveld moveMap: Beweeg speelveld
@ -299,6 +307,30 @@ ingame:
en lopende banden om het doel sneller te behalen.<br><br>Tip: en lopende banden om het doel sneller te behalen.<br><br>Tip:
Houd <strong>SHIFT</strong> ingedrukt om meerdere ontginners te Houd <strong>SHIFT</strong> ingedrukt om meerdere ontginners te
plaatsen en gebruik <strong>R</strong> om ze te draaien." plaatsen en gebruik <strong>R</strong> om ze te draaien."
2_1_place_cutter: "Now place a <strong>Cutter</strong> to cut the circles in two
halves!<br><br> PS: The cutter always cuts from <strong>top to
bottom</strong> regardless of its orientation."
2_2_place_trash: The cutter can <strong>clog and stall</strong>!<br><br> Use a
<strong>trash</strong> to get rid of the currently (!) not
needed waste.
2_3_more_cutters: "Good job! Now place <strong>2 more cutters</strong> to speed
up this slow process!<br><br> PS: Use the <strong>0-9
hotkeys</strong> to access buildings faster!"
3_1_rectangles: "Now let's extract some rectangles! <strong>Build 4
extractors</strong> and connect them to the hub.<br><br> PS:
Hold <strong>SHIFT</strong> while dragging a belt to activate
the belt planner!"
21_1_place_quad_painter: Place the <strong>quad painter</strong> and get some
<strong>circles</strong>, <strong>white</strong> and
<strong>red</strong> color!
21_2_switch_to_wires: Switch to the wires layer by pressing
<strong>E</strong>!<br><br> Then <strong>connect all four
inputs</strong> of the painter with cables!
21_3_place_button: Awesome! Now place a <strong>Switch</strong> and connect it
with wires!
21_4_press_button: "Press the switch to make it <strong>emit a truthy
signal</strong> and thus activate the painter.<br><br> PS: You
don't have to connect all inputs! Try wiring only two."
colors: colors:
red: Rood red: Rood
green: Groen green: Groen
@ -707,7 +739,8 @@ storyRewards:
mechanics!<br><br> For the beginning I unlocked you the <strong>Quad mechanics!<br><br> For the beginning I unlocked you the <strong>Quad
Painter</strong> - Connect the slots you would like to paint with on Painter</strong> - Connect the slots you would like to paint with on
the wires layer!<br><br> To switch to the wires layer, press the wires layer!<br><br> To switch to the wires layer, press
<strong>E</strong>." <strong>E</strong>. <br><br> PS: <strong>Enable hints</strong> in
the settings to activate the wires tutorial!"
reward_filter: reward_filter:
title: Item Filter title: Item Filter
desc: Je hebt de <strong>Item Filter</strong> vrijgespeeld! Items worden naar desc: Je hebt de <strong>Item Filter</strong> vrijgespeeld! Items worden naar

View File

@ -203,6 +203,14 @@ dialogs:
renameSavegame: renameSavegame:
title: Rename Savegame title: Rename Savegame
desc: You can rename your savegame here. desc: You can rename your savegame here.
tutorialVideoAvailable:
title: Tutorial Available
desc: There is a tutorial video available for this level! Would you like to
watch it?
tutorialVideoAvailableForeignLanguage:
title: Tutorial Available
desc: There is a tutorial video available for this level, but it is only
available in English. Would you like to watch it?
ingame: ingame:
keybindingsOverlay: keybindingsOverlay:
moveMap: Beveg moveMap: Beveg
@ -297,6 +305,30 @@ ingame:
og belter for å nå målet raskere.<br><br>Tips: Hold og belter for å nå målet raskere.<br><br>Tips: Hold
<strong>SHIFT</strong> for å plassere flere utdragere, og bruk <strong>SHIFT</strong> for å plassere flere utdragere, og bruk
<strong>R</strong> for å rotere dem." <strong>R</strong> for å rotere dem."
2_1_place_cutter: "Now place a <strong>Cutter</strong> to cut the circles in two
halves!<br><br> PS: The cutter always cuts from <strong>top to
bottom</strong> regardless of its orientation."
2_2_place_trash: The cutter can <strong>clog and stall</strong>!<br><br> Use a
<strong>trash</strong> to get rid of the currently (!) not
needed waste.
2_3_more_cutters: "Good job! Now place <strong>2 more cutters</strong> to speed
up this slow process!<br><br> PS: Use the <strong>0-9
hotkeys</strong> to access buildings faster!"
3_1_rectangles: "Now let's extract some rectangles! <strong>Build 4
extractors</strong> and connect them to the hub.<br><br> PS:
Hold <strong>SHIFT</strong> while dragging a belt to activate
the belt planner!"
21_1_place_quad_painter: Place the <strong>quad painter</strong> and get some
<strong>circles</strong>, <strong>white</strong> and
<strong>red</strong> color!
21_2_switch_to_wires: Switch to the wires layer by pressing
<strong>E</strong>!<br><br> Then <strong>connect all four
inputs</strong> of the painter with cables!
21_3_place_button: Awesome! Now place a <strong>Switch</strong> and connect it
with wires!
21_4_press_button: "Press the switch to make it <strong>emit a truthy
signal</strong> and thus activate the painter.<br><br> PS: You
don't have to connect all inputs! Try wiring only two."
colors: colors:
red: Rød red: Rød
green: Grønn green: Grønn
@ -708,7 +740,8 @@ storyRewards:
mechanics!<br><br> For the beginning I unlocked you the <strong>Quad mechanics!<br><br> For the beginning I unlocked you the <strong>Quad
Painter</strong> - Connect the slots you would like to paint with on Painter</strong> - Connect the slots you would like to paint with on
the wires layer!<br><br> To switch to the wires layer, press the wires layer!<br><br> To switch to the wires layer, press
<strong>E</strong>." <strong>E</strong>. <br><br> PS: <strong>Enable hints</strong> in
the settings to activate the wires tutorial!"
reward_filter: reward_filter:
title: Item Filter title: Item Filter
desc: You unlocked the <strong>Item Filter</strong>! It will route items either desc: You unlocked the <strong>Item Filter</strong>! It will route items either

View File

@ -206,6 +206,14 @@ dialogs:
renameSavegame: renameSavegame:
title: Zmień nazwę zapisu gry title: Zmień nazwę zapisu gry
desc: Tutaj możesz zmienić nazwę zapisu gry. desc: Tutaj możesz zmienić nazwę zapisu gry.
tutorialVideoAvailable:
title: Tutorial Available
desc: There is a tutorial video available for this level! Would you like to
watch it?
tutorialVideoAvailableForeignLanguage:
title: Tutorial Available
desc: There is a tutorial video available for this level, but it is only
available in English. Would you like to watch it?
ingame: ingame:
keybindingsOverlay: keybindingsOverlay:
moveMap: Ruch moveMap: Ruch
@ -315,6 +323,30 @@ ingame:
szybciej.<br><br>Porada: Przytrzymaj <strong>SHIFT</strong>, by szybciej.<br><br>Porada: Przytrzymaj <strong>SHIFT</strong>, by
postawić wiele ekstraktorów. Naciśnij <strong>R</strong>, by je postawić wiele ekstraktorów. Naciśnij <strong>R</strong>, by je
obracać.' obracać.'
2_1_place_cutter: "Now place a <strong>Cutter</strong> to cut the circles in two
halves!<br><br> PS: The cutter always cuts from <strong>top to
bottom</strong> regardless of its orientation."
2_2_place_trash: The cutter can <strong>clog and stall</strong>!<br><br> Use a
<strong>trash</strong> to get rid of the currently (!) not
needed waste.
2_3_more_cutters: "Good job! Now place <strong>2 more cutters</strong> to speed
up this slow process!<br><br> PS: Use the <strong>0-9
hotkeys</strong> to access buildings faster!"
3_1_rectangles: "Now let's extract some rectangles! <strong>Build 4
extractors</strong> and connect them to the hub.<br><br> PS:
Hold <strong>SHIFT</strong> while dragging a belt to activate
the belt planner!"
21_1_place_quad_painter: Place the <strong>quad painter</strong> and get some
<strong>circles</strong>, <strong>white</strong> and
<strong>red</strong> color!
21_2_switch_to_wires: Switch to the wires layer by pressing
<strong>E</strong>!<br><br> Then <strong>connect all four
inputs</strong> of the painter with cables!
21_3_place_button: Awesome! Now place a <strong>Switch</strong> and connect it
with wires!
21_4_press_button: "Press the switch to make it <strong>emit a truthy
signal</strong> and thus activate the painter.<br><br> PS: You
don't have to connect all inputs! Try wiring only two."
connectedMiners: connectedMiners:
one_miner: 1 ekstraktor one_miner: 1 ekstraktor
n_miners: <amount> ekstraktorów n_miners: <amount> ekstraktorów
@ -717,12 +749,13 @@ storyRewards:
bawić! bawić!
reward_wires_painter_and_levers: reward_wires_painter_and_levers:
title: Przewody i poczwórny malarz title: Przewody i poczwórny malarz
desc: "Właśnie odblokowałeś <strong>Warstwę przewodów</strong>: Jest to osobna desc: "You just unlocked the <strong>Wires Layer</strong>: It is a separate
warstwa położnoa na istniejącej, która wprowadza wiele nowych layer on top of the regular layer and introduces a lot of new
mechanik! <br><br> Na początek dałem ci <strong>Poczwórnego mechanics!<br><br> For the beginning I unlocked you the <strong>Quad
Malarza</strong> - Podłącz ćwiartki, które chcesz pomalować na Painter</strong> - Connect the slots you would like to paint with on
warstwie przewodów!<br><br> By przełączyć się na warstwę przewodów, the wires layer!<br><br> To switch to the wires layer, press
wciśnij <strong>E</strong>." <strong>E</strong>. <br><br> PS: <strong>Enable hints</strong> in
the settings to activate the wires tutorial!"
reward_filter: reward_filter:
title: Filtr przedmiotów title: Filtr przedmiotów
desc: Właśnie odblokowałeś <strong>Filtr Przedmiotów</strong>! Będzie on desc: Właśnie odblokowałeś <strong>Filtr Przedmiotów</strong>! Będzie on

View File

@ -198,6 +198,14 @@ dialogs:
renameSavegame: renameSavegame:
title: Renomear Save title: Renomear Save
desc: Você pode renomear seu save aqui. desc: Você pode renomear seu save aqui.
tutorialVideoAvailable:
title: Tutorial Available
desc: There is a tutorial video available for this level! Would you like to
watch it?
tutorialVideoAvailableForeignLanguage:
title: Tutorial Available
desc: There is a tutorial video available for this level, but it is only
available in English. Would you like to watch it?
ingame: ingame:
keybindingsOverlay: keybindingsOverlay:
moveMap: Mover moveMap: Mover
@ -307,6 +315,30 @@ ingame:
esteiras para concluir o objetivo mais rapidamente.<br><br>Dica, esteiras para concluir o objetivo mais rapidamente.<br><br>Dica,
segure <strong>SHIFT</strong> para colocar vários extratores e segure <strong>SHIFT</strong> para colocar vários extratores e
use <strong>R</strong> para girá-los. use <strong>R</strong> para girá-los.
2_1_place_cutter: "Now place a <strong>Cutter</strong> to cut the circles in two
halves!<br><br> PS: The cutter always cuts from <strong>top to
bottom</strong> regardless of its orientation."
2_2_place_trash: The cutter can <strong>clog and stall</strong>!<br><br> Use a
<strong>trash</strong> to get rid of the currently (!) not
needed waste.
2_3_more_cutters: "Good job! Now place <strong>2 more cutters</strong> to speed
up this slow process!<br><br> PS: Use the <strong>0-9
hotkeys</strong> to access buildings faster!"
3_1_rectangles: "Now let's extract some rectangles! <strong>Build 4
extractors</strong> and connect them to the hub.<br><br> PS:
Hold <strong>SHIFT</strong> while dragging a belt to activate
the belt planner!"
21_1_place_quad_painter: Place the <strong>quad painter</strong> and get some
<strong>circles</strong>, <strong>white</strong> and
<strong>red</strong> color!
21_2_switch_to_wires: Switch to the wires layer by pressing
<strong>E</strong>!<br><br> Then <strong>connect all four
inputs</strong> of the painter with cables!
21_3_place_button: Awesome! Now place a <strong>Switch</strong> and connect it
with wires!
21_4_press_button: "Press the switch to make it <strong>emit a truthy
signal</strong> and thus activate the painter.<br><br> PS: You
don't have to connect all inputs! Try wiring only two."
connectedMiners: connectedMiners:
one_miner: 1 Extrator one_miner: 1 Extrator
n_miners: <amount> Extratores n_miners: <amount> Extratores
@ -707,12 +739,13 @@ storyRewards:
lembre de se divertir! lembre de se divertir!
reward_wires_painter_and_levers: reward_wires_painter_and_levers:
title: Fios e Pintor Quádruplo title: Fios e Pintor Quádruplo
desc: "Você acabou de desbloquear o <strong>Plano de Fiação</strong>: Ele é um desc: "You just unlocked the <strong>Wires Layer</strong>: It is a separate
plano separado no topo do plano comum e introduz um monte de novas layer on top of the regular layer and introduces a lot of new
mecânicas!<br><br> Para começar eu te dou o <strong>Pintor mechanics!<br><br> For the beginning I unlocked you the <strong>Quad
Quádruplo</strong> - Conecte a entrada que você quer que seja Painter</strong> - Connect the slots you would like to paint with on
colorida com o plano da fiação!<br><br> Para mudar de plano, aperte the wires layer!<br><br> To switch to the wires layer, press
<strong>E</strong>." <strong>E</strong>. <br><br> PS: <strong>Enable hints</strong> in
the settings to activate the wires tutorial!"
reward_filter: reward_filter:
title: Filtro de Itens title: Filtro de Itens
desc: Você desbloqueou o <strong>Filtro de Itens</strong>! Ele irá rotear os desc: Você desbloqueou o <strong>Filtro de Itens</strong>! Ele irá rotear os

View File

@ -206,6 +206,14 @@ dialogs:
renameSavegame: renameSavegame:
title: Renomear Savegame title: Renomear Savegame
desc: Podes renomear o teu savegame aqui. desc: Podes renomear o teu savegame aqui.
tutorialVideoAvailable:
title: Tutorial Available
desc: There is a tutorial video available for this level! Would you like to
watch it?
tutorialVideoAvailableForeignLanguage:
title: Tutorial Available
desc: There is a tutorial video available for this level, but it is only
available in English. Would you like to watch it?
ingame: ingame:
keybindingsOverlay: keybindingsOverlay:
moveMap: Mover moveMap: Mover
@ -300,6 +308,30 @@ ingame:
e tapetes para atingir o objetivo mais rapidamente.<br><br>Dica: e tapetes para atingir o objetivo mais rapidamente.<br><br>Dica:
Pressiona <strong>SHIFT</strong> para colocar vários extratores, Pressiona <strong>SHIFT</strong> para colocar vários extratores,
e usa <strong>R</strong> para os rodar." e usa <strong>R</strong> para os rodar."
2_1_place_cutter: "Now place a <strong>Cutter</strong> to cut the circles in two
halves!<br><br> PS: The cutter always cuts from <strong>top to
bottom</strong> regardless of its orientation."
2_2_place_trash: The cutter can <strong>clog and stall</strong>!<br><br> Use a
<strong>trash</strong> to get rid of the currently (!) not
needed waste.
2_3_more_cutters: "Good job! Now place <strong>2 more cutters</strong> to speed
up this slow process!<br><br> PS: Use the <strong>0-9
hotkeys</strong> to access buildings faster!"
3_1_rectangles: "Now let's extract some rectangles! <strong>Build 4
extractors</strong> and connect them to the hub.<br><br> PS:
Hold <strong>SHIFT</strong> while dragging a belt to activate
the belt planner!"
21_1_place_quad_painter: Place the <strong>quad painter</strong> and get some
<strong>circles</strong>, <strong>white</strong> and
<strong>red</strong> color!
21_2_switch_to_wires: Switch to the wires layer by pressing
<strong>E</strong>!<br><br> Then <strong>connect all four
inputs</strong> of the painter with cables!
21_3_place_button: Awesome! Now place a <strong>Switch</strong> and connect it
with wires!
21_4_press_button: "Press the switch to make it <strong>emit a truthy
signal</strong> and thus activate the painter.<br><br> PS: You
don't have to connect all inputs! Try wiring only two."
colors: colors:
red: Vermelho red: Vermelho
green: Verde green: Verde
@ -716,12 +748,13 @@ storyRewards:
Independentemente da tua escolha, lembra-te de te divertires! Independentemente da tua escolha, lembra-te de te divertires!
reward_wires_painter_and_levers: reward_wires_painter_and_levers:
title: Fios & Pintor Quádruplo title: Fios & Pintor Quádruplo
desc: "Desbloquaste a <strong>Camada de Fios</strong>: É uma camada separada no desc: "You just unlocked the <strong>Wires Layer</strong>: It is a separate
topo da camada normal e introduz um monte de novas layer on top of the regular layer and introduces a lot of new
mecânicas!<br><br> Para o inicio eu dei-te o <strong>Pintor mechanics!<br><br> For the beginning I unlocked you the <strong>Quad
Quádruplo</strong> - Conecta as entradasque queres pintar na camada Painter</strong> - Connect the slots you would like to paint with on
de fios!<br><br> Para trocares para a camada de fios, pressiona a the wires layer!<br><br> To switch to the wires layer, press
tecla <strong>E</strong>." <strong>E</strong>. <br><br> PS: <strong>Enable hints</strong> in
the settings to activate the wires tutorial!"
reward_filter: reward_filter:
title: Filtro de Itens title: Filtro de Itens
desc: Desbloquaste o <strong>Filtro de Itens</strong>! Vai mandar itens ou para desc: Desbloquaste o <strong>Filtro de Itens</strong>! Vai mandar itens ou para

View File

@ -204,6 +204,14 @@ dialogs:
renameSavegame: renameSavegame:
title: Rename Savegame title: Rename Savegame
desc: You can rename your savegame here. desc: You can rename your savegame here.
tutorialVideoAvailable:
title: Tutorial Available
desc: There is a tutorial video available for this level! Would you like to
watch it?
tutorialVideoAvailableForeignLanguage:
title: Tutorial Available
desc: There is a tutorial video available for this level, but it is only
available in English. Would you like to watch it?
ingame: ingame:
keybindingsOverlay: keybindingsOverlay:
moveMap: Move moveMap: Move
@ -299,6 +307,30 @@ ingame:
rapid.<br><br>Sfat: Ține apăsat <strong>SHIFT</strong> pentru a rapid.<br><br>Sfat: Ține apăsat <strong>SHIFT</strong> pentru a
plasa mai multe extractoare, și flosește <strong>R</strong> plasa mai multe extractoare, și flosește <strong>R</strong>
pentru a le roti." pentru a le roti."
2_1_place_cutter: "Now place a <strong>Cutter</strong> to cut the circles in two
halves!<br><br> PS: The cutter always cuts from <strong>top to
bottom</strong> regardless of its orientation."
2_2_place_trash: The cutter can <strong>clog and stall</strong>!<br><br> Use a
<strong>trash</strong> to get rid of the currently (!) not
needed waste.
2_3_more_cutters: "Good job! Now place <strong>2 more cutters</strong> to speed
up this slow process!<br><br> PS: Use the <strong>0-9
hotkeys</strong> to access buildings faster!"
3_1_rectangles: "Now let's extract some rectangles! <strong>Build 4
extractors</strong> and connect them to the hub.<br><br> PS:
Hold <strong>SHIFT</strong> while dragging a belt to activate
the belt planner!"
21_1_place_quad_painter: Place the <strong>quad painter</strong> and get some
<strong>circles</strong>, <strong>white</strong> and
<strong>red</strong> color!
21_2_switch_to_wires: Switch to the wires layer by pressing
<strong>E</strong>!<br><br> Then <strong>connect all four
inputs</strong> of the painter with cables!
21_3_place_button: Awesome! Now place a <strong>Switch</strong> and connect it
with wires!
21_4_press_button: "Press the switch to make it <strong>emit a truthy
signal</strong> and thus activate the painter.<br><br> PS: You
don't have to connect all inputs! Try wiring only two."
colors: colors:
red: Roșu red: Roșu
green: Verde green: Verde
@ -710,7 +742,8 @@ storyRewards:
mechanics!<br><br> For the beginning I unlocked you the <strong>Quad mechanics!<br><br> For the beginning I unlocked you the <strong>Quad
Painter</strong> - Connect the slots you would like to paint with on Painter</strong> - Connect the slots you would like to paint with on
the wires layer!<br><br> To switch to the wires layer, press the wires layer!<br><br> To switch to the wires layer, press
<strong>E</strong>." <strong>E</strong>. <br><br> PS: <strong>Enable hints</strong> in
the settings to activate the wires tutorial!"
reward_filter: reward_filter:
title: Item Filter title: Item Filter
desc: You unlocked the <strong>Item Filter</strong>! It will route items either desc: You unlocked the <strong>Item Filter</strong>! It will route items either

View File

@ -204,6 +204,14 @@ dialogs:
renameSavegame: renameSavegame:
title: Переименовать Сохранение title: Переименовать Сохранение
desc: Здесь вы можете изменить название своего сохранения. desc: Здесь вы можете изменить название своего сохранения.
tutorialVideoAvailable:
title: Tutorial Available
desc: There is a tutorial video available for this level! Would you like to
watch it?
tutorialVideoAvailableForeignLanguage:
title: Tutorial Available
desc: There is a tutorial video available for this level, but it is only
available in English. Would you like to watch it?
ingame: ingame:
keybindingsOverlay: keybindingsOverlay:
moveMap: Передвижение moveMap: Передвижение
@ -298,6 +306,30 @@ ingame:
конвейеров, чтобы достичь цели быстрее.<br><br>Подсказка: конвейеров, чтобы достичь цели быстрее.<br><br>Подсказка:
Удерживайте <strong>SHIFT</strong> чтобы разместить несколько Удерживайте <strong>SHIFT</strong> чтобы разместить несколько
экстракторов, а <strong>R</strong> чтобы вращать их." экстракторов, а <strong>R</strong> чтобы вращать их."
2_1_place_cutter: "Now place a <strong>Cutter</strong> to cut the circles in two
halves!<br><br> PS: The cutter always cuts from <strong>top to
bottom</strong> regardless of its orientation."
2_2_place_trash: The cutter can <strong>clog and stall</strong>!<br><br> Use a
<strong>trash</strong> to get rid of the currently (!) not
needed waste.
2_3_more_cutters: "Good job! Now place <strong>2 more cutters</strong> to speed
up this slow process!<br><br> PS: Use the <strong>0-9
hotkeys</strong> to access buildings faster!"
3_1_rectangles: "Now let's extract some rectangles! <strong>Build 4
extractors</strong> and connect them to the hub.<br><br> PS:
Hold <strong>SHIFT</strong> while dragging a belt to activate
the belt planner!"
21_1_place_quad_painter: Place the <strong>quad painter</strong> and get some
<strong>circles</strong>, <strong>white</strong> and
<strong>red</strong> color!
21_2_switch_to_wires: Switch to the wires layer by pressing
<strong>E</strong>!<br><br> Then <strong>connect all four
inputs</strong> of the painter with cables!
21_3_place_button: Awesome! Now place a <strong>Switch</strong> and connect it
with wires!
21_4_press_button: "Press the switch to make it <strong>emit a truthy
signal</strong> and thus activate the painter.<br><br> PS: You
don't have to connect all inputs! Try wiring only two."
colors: colors:
red: Красный red: Красный
green: Зеленый green: Зеленый
@ -705,12 +737,13 @@ storyRewards:
выбрали, не забывайте хорошо проводить время! выбрали, не забывайте хорошо проводить время!
reward_wires_painter_and_levers: reward_wires_painter_and_levers:
title: Провода & Покрасчик (4 входа) title: Провода & Покрасчик (4 входа)
desc: Разблокирован <strong>Слой с Проводами</strong>. Это отдельный слой поверх desc: "You just unlocked the <strong>Wires Layer</strong>: It is a separate
обычного слоя, добавляющий множество новых механик!<br><br> Для layer on top of the regular layer and introduces a lot of new
начала я разблокировал <strong>Покрасчик на четыре входа</strong> - mechanics!<br><br> For the beginning I unlocked you the <strong>Quad
соедините ячейки, которые вы бы хотели окрасить на слое с Painter</strong> - Connect the slots you would like to paint with on
проводами!<br><br> Чтобы переключиться на слой слой с проводами, the wires layer!<br><br> To switch to the wires layer, press
нажмите <strong>E</strong>. <strong>E</strong>. <br><br> PS: <strong>Enable hints</strong> in
the settings to activate the wires tutorial!"
reward_filter: reward_filter:
title: Фильтр title: Фильтр
desc: Разблокирован <strong>Фильтр</strong>! Он направит ресурсы наверх или desc: Разблокирован <strong>Фильтр</strong>! Он направит ресурсы наверх или

View File

@ -199,6 +199,14 @@ dialogs:
renameSavegame: renameSavegame:
title: Rename Savegame title: Rename Savegame
desc: You can rename your savegame here. desc: You can rename your savegame here.
tutorialVideoAvailable:
title: Tutorial Available
desc: There is a tutorial video available for this level! Would you like to
watch it?
tutorialVideoAvailableForeignLanguage:
title: Tutorial Available
desc: There is a tutorial video available for this level, but it is only
available in English. Would you like to watch it?
ingame: ingame:
keybindingsOverlay: keybindingsOverlay:
moveMap: Move moveMap: Move
@ -307,6 +315,30 @@ ingame:
and belts to finish the goal quicker.<br><br>Tip: Hold and belts to finish the goal quicker.<br><br>Tip: Hold
<strong>SHIFT</strong> to place multiple extractors, and use <strong>SHIFT</strong> to place multiple extractors, and use
<strong>R</strong> to rotate them." <strong>R</strong> to rotate them."
2_1_place_cutter: "Now place a <strong>Cutter</strong> to cut the circles in two
halves!<br><br> PS: The cutter always cuts from <strong>top to
bottom</strong> regardless of its orientation."
2_2_place_trash: The cutter can <strong>clog and stall</strong>!<br><br> Use a
<strong>trash</strong> to get rid of the currently (!) not
needed waste.
2_3_more_cutters: "Good job! Now place <strong>2 more cutters</strong> to speed
up this slow process!<br><br> PS: Use the <strong>0-9
hotkeys</strong> to access buildings faster!"
3_1_rectangles: "Now let's extract some rectangles! <strong>Build 4
extractors</strong> and connect them to the hub.<br><br> PS:
Hold <strong>SHIFT</strong> while dragging a belt to activate
the belt planner!"
21_1_place_quad_painter: Place the <strong>quad painter</strong> and get some
<strong>circles</strong>, <strong>white</strong> and
<strong>red</strong> color!
21_2_switch_to_wires: Switch to the wires layer by pressing
<strong>E</strong>!<br><br> Then <strong>connect all four
inputs</strong> of the painter with cables!
21_3_place_button: Awesome! Now place a <strong>Switch</strong> and connect it
with wires!
21_4_press_button: "Press the switch to make it <strong>emit a truthy
signal</strong> and thus activate the painter.<br><br> PS: You
don't have to connect all inputs! Try wiring only two."
connectedMiners: connectedMiners:
one_miner: 1 Miner one_miner: 1 Miner
n_miners: <amount> Miners n_miners: <amount> Miners
@ -697,7 +729,8 @@ storyRewards:
mechanics!<br><br> For the beginning I unlocked you the <strong>Quad mechanics!<br><br> For the beginning I unlocked you the <strong>Quad
Painter</strong> - Connect the slots you would like to paint with on Painter</strong> - Connect the slots you would like to paint with on
the wires layer!<br><br> To switch to the wires layer, press the wires layer!<br><br> To switch to the wires layer, press
<strong>E</strong>." <strong>E</strong>. <br><br> PS: <strong>Enable hints</strong> in
the settings to activate the wires tutorial!"
reward_filter: reward_filter:
title: Item Filter title: Item Filter
desc: You unlocked the <strong>Item Filter</strong>! It will route items either desc: You unlocked the <strong>Item Filter</strong>! It will route items either

View File

@ -199,6 +199,14 @@ dialogs:
renameSavegame: renameSavegame:
title: Rename Savegame title: Rename Savegame
desc: You can rename your savegame here. desc: You can rename your savegame here.
tutorialVideoAvailable:
title: Tutorial Available
desc: There is a tutorial video available for this level! Would you like to
watch it?
tutorialVideoAvailableForeignLanguage:
title: Tutorial Available
desc: There is a tutorial video available for this level, but it is only
available in English. Would you like to watch it?
ingame: ingame:
keybindingsOverlay: keybindingsOverlay:
moveMap: Kretanje moveMap: Kretanje
@ -307,6 +315,30 @@ ingame:
pokretnih traka će ubrzati napredak do cilja.<br><br>Savet: Drži pokretnih traka će ubrzati napredak do cilja.<br><br>Savet: Drži
<strong>SHIFT</strong> za postavljanje više rudara istovremeno, <strong>SHIFT</strong> za postavljanje više rudara istovremeno,
a pritisni <strong>R</strong> za okretanje." a pritisni <strong>R</strong> za okretanje."
2_1_place_cutter: "Now place a <strong>Cutter</strong> to cut the circles in two
halves!<br><br> PS: The cutter always cuts from <strong>top to
bottom</strong> regardless of its orientation."
2_2_place_trash: The cutter can <strong>clog and stall</strong>!<br><br> Use a
<strong>trash</strong> to get rid of the currently (!) not
needed waste.
2_3_more_cutters: "Good job! Now place <strong>2 more cutters</strong> to speed
up this slow process!<br><br> PS: Use the <strong>0-9
hotkeys</strong> to access buildings faster!"
3_1_rectangles: "Now let's extract some rectangles! <strong>Build 4
extractors</strong> and connect them to the hub.<br><br> PS:
Hold <strong>SHIFT</strong> while dragging a belt to activate
the belt planner!"
21_1_place_quad_painter: Place the <strong>quad painter</strong> and get some
<strong>circles</strong>, <strong>white</strong> and
<strong>red</strong> color!
21_2_switch_to_wires: Switch to the wires layer by pressing
<strong>E</strong>!<br><br> Then <strong>connect all four
inputs</strong> of the painter with cables!
21_3_place_button: Awesome! Now place a <strong>Switch</strong> and connect it
with wires!
21_4_press_button: "Press the switch to make it <strong>emit a truthy
signal</strong> and thus activate the painter.<br><br> PS: You
don't have to connect all inputs! Try wiring only two."
connectedMiners: connectedMiners:
one_miner: 1 Miner one_miner: 1 Miner
n_miners: <amount> Miners n_miners: <amount> Miners
@ -695,7 +727,8 @@ storyRewards:
mechanics!<br><br> For the beginning I unlocked you the <strong>Quad mechanics!<br><br> For the beginning I unlocked you the <strong>Quad
Painter</strong> - Connect the slots you would like to paint with on Painter</strong> - Connect the slots you would like to paint with on
the wires layer!<br><br> To switch to the wires layer, press the wires layer!<br><br> To switch to the wires layer, press
<strong>E</strong>." <strong>E</strong>. <br><br> PS: <strong>Enable hints</strong> in
the settings to activate the wires tutorial!"
reward_filter: reward_filter:
title: Item Filter title: Item Filter
desc: You unlocked the <strong>Item Filter</strong>! It will route items either desc: You unlocked the <strong>Item Filter</strong>! It will route items either

View File

@ -203,6 +203,14 @@ dialogs:
renameSavegame: renameSavegame:
title: Byt namn på sparfil title: Byt namn på sparfil
desc: Du kan byta namn på din sparfil här. desc: Du kan byta namn på din sparfil här.
tutorialVideoAvailable:
title: Tutorial Available
desc: There is a tutorial video available for this level! Would you like to
watch it?
tutorialVideoAvailableForeignLanguage:
title: Tutorial Available
desc: There is a tutorial video available for this level, but it is only
available in English. Would you like to watch it?
ingame: ingame:
keybindingsOverlay: keybindingsOverlay:
moveMap: Flytta moveMap: Flytta
@ -297,6 +305,30 @@ ingame:
för att klara målet snabbare.<br><br>Tips: Håll för att klara målet snabbare.<br><br>Tips: Håll
<strong>SKIFT</strong> för att placera flera extraktörer, och <strong>SKIFT</strong> för att placera flera extraktörer, och
använd <strong>R</strong> för att rotera dem." använd <strong>R</strong> för att rotera dem."
2_1_place_cutter: "Now place a <strong>Cutter</strong> to cut the circles in two
halves!<br><br> PS: The cutter always cuts from <strong>top to
bottom</strong> regardless of its orientation."
2_2_place_trash: The cutter can <strong>clog and stall</strong>!<br><br> Use a
<strong>trash</strong> to get rid of the currently (!) not
needed waste.
2_3_more_cutters: "Good job! Now place <strong>2 more cutters</strong> to speed
up this slow process!<br><br> PS: Use the <strong>0-9
hotkeys</strong> to access buildings faster!"
3_1_rectangles: "Now let's extract some rectangles! <strong>Build 4
extractors</strong> and connect them to the hub.<br><br> PS:
Hold <strong>SHIFT</strong> while dragging a belt to activate
the belt planner!"
21_1_place_quad_painter: Place the <strong>quad painter</strong> and get some
<strong>circles</strong>, <strong>white</strong> and
<strong>red</strong> color!
21_2_switch_to_wires: Switch to the wires layer by pressing
<strong>E</strong>!<br><br> Then <strong>connect all four
inputs</strong> of the painter with cables!
21_3_place_button: Awesome! Now place a <strong>Switch</strong> and connect it
with wires!
21_4_press_button: "Press the switch to make it <strong>emit a truthy
signal</strong> and thus activate the painter.<br><br> PS: You
don't have to connect all inputs! Try wiring only two."
colors: colors:
red: Röd red: Röd
green: Grön green: Grön
@ -706,7 +738,8 @@ storyRewards:
mechanics!<br><br> For the beginning I unlocked you the <strong>Quad mechanics!<br><br> For the beginning I unlocked you the <strong>Quad
Painter</strong> - Connect the slots you would like to paint with on Painter</strong> - Connect the slots you would like to paint with on
the wires layer!<br><br> To switch to the wires layer, press the wires layer!<br><br> To switch to the wires layer, press
<strong>E</strong>." <strong>E</strong>. <br><br> PS: <strong>Enable hints</strong> in
the settings to activate the wires tutorial!"
reward_filter: reward_filter:
title: Item Filter title: Item Filter
desc: You unlocked the <strong>Item Filter</strong>! It will route items either desc: You unlocked the <strong>Item Filter</strong>! It will route items either

View File

@ -201,6 +201,14 @@ dialogs:
renameSavegame: renameSavegame:
title: Oyun Kaydının Yeniden Adlandır title: Oyun Kaydının Yeniden Adlandır
desc: Oyun kaydını buradan adlandırabilirsiniz. desc: Oyun kaydını buradan adlandırabilirsiniz.
tutorialVideoAvailable:
title: Tutorial Available
desc: There is a tutorial video available for this level! Would you like to
watch it?
tutorialVideoAvailableForeignLanguage:
title: Tutorial Available
desc: There is a tutorial video available for this level, but it is only
available in English. Would you like to watch it?
ingame: ingame:
keybindingsOverlay: keybindingsOverlay:
moveMap: Hareket Et moveMap: Hareket Et
@ -294,6 +302,30 @@ ingame:
yerleştir.<br><br>İpucu: Birden fazla üretici yerleştirmek için yerleştir.<br><br>İpucu: Birden fazla üretici yerleştirmek için
<strong>SHIFT</strong> tuşuna basılı tut, ve <strong>R</strong> <strong>SHIFT</strong> tuşuna basılı tut, ve <strong>R</strong>
tuşuyla taşıma bandının yönünü döndür." tuşuyla taşıma bandının yönünü döndür."
2_1_place_cutter: "Now place a <strong>Cutter</strong> to cut the circles in two
halves!<br><br> PS: The cutter always cuts from <strong>top to
bottom</strong> regardless of its orientation."
2_2_place_trash: The cutter can <strong>clog and stall</strong>!<br><br> Use a
<strong>trash</strong> to get rid of the currently (!) not
needed waste.
2_3_more_cutters: "Good job! Now place <strong>2 more cutters</strong> to speed
up this slow process!<br><br> PS: Use the <strong>0-9
hotkeys</strong> to access buildings faster!"
3_1_rectangles: "Now let's extract some rectangles! <strong>Build 4
extractors</strong> and connect them to the hub.<br><br> PS:
Hold <strong>SHIFT</strong> while dragging a belt to activate
the belt planner!"
21_1_place_quad_painter: Place the <strong>quad painter</strong> and get some
<strong>circles</strong>, <strong>white</strong> and
<strong>red</strong> color!
21_2_switch_to_wires: Switch to the wires layer by pressing
<strong>E</strong>!<br><br> Then <strong>connect all four
inputs</strong> of the painter with cables!
21_3_place_button: Awesome! Now place a <strong>Switch</strong> and connect it
with wires!
21_4_press_button: "Press the switch to make it <strong>emit a truthy
signal</strong> and thus activate the painter.<br><br> PS: You
don't have to connect all inputs! Try wiring only two."
colors: colors:
red: Kırmızı red: Kırmızı
green: Yeşil green: Yeşil
@ -653,9 +685,9 @@ storyRewards:
desc: Deneme sürümünün sonuna geldin! desc: Deneme sürümünün sonuna geldin!
reward_balancer: reward_balancer:
title: Dengeleyici title: Dengeleyici
desc: Çok fonksiyonlu <strong>dengeleyici</strong> açıldı. - Eşyaları desc: The multifunctional <strong>balancer</strong> has been unlocked - It can
bantlara ayırarak ve bantları birleştirerek daha büyük be used to build bigger factories by <strong>splitting and merging
fabrikalar kurmak için kullanılabilir! items</strong> onto multiple belts!
reward_merger: reward_merger:
title: Tekil Birleştirici title: Tekil Birleştirici
desc: <strong>Birleştiriciyi</strong> açtın ! <strong>dengeleyecinin</strong> desc: <strong>Birleştiriciyi</strong> açtın ! <strong>dengeleyecinin</strong>
@ -671,17 +703,17 @@ storyRewards:
döndürür (Süpriz! :D) döndürür (Süpriz! :D)
reward_display: reward_display:
title: Ekran title: Ekran
desc: "<strong>Ekranı</strong> açtın. - Kablo katmanında bir sinyal desc: "<strong>Ekranı</strong> açtın. - Kablo katmanında bir sinyal bağla ve onu
bağla ve onu ekranda göster! <br><br> Not: Bant okuyucunun ve ekranda göster! <br><br> Not: Bant okuyucunun ve deponun son
deponun son okudukları eşyayı çıkardığını fark ettin mi? okudukları eşyayı çıkardığını fark ettin mi? Bunu ekranda göstermeyi
Bunu ekranda göstermeyi dene!" dene!"
reward_constant_signal: reward_constant_signal:
title: Sabit Sinyal title: Sabit Sinyal
desc: Kablo katmanında inşa edilebilen <strong>sabit sinyal</strong>'i açtın! desc: You unlocked the <strong>constant signal</strong> building on the wires
Bu yapı <strong>eşya filtrelerine</strong> bağlanabilir. layer! This is useful to connect it to <strong>item filters</strong>
Sabit sinyal <strong>şekil</strong>, for example.<br><br> The constant signal can emit a
<strong>renk</strong> veya <strong>ikili değer</strong> (1 veya 0) <strong>shape</strong>, <strong>color</strong> or
gönderelebilir. <strong>boolean</strong> (1 or 0).
reward_logic_gates: reward_logic_gates:
title: Mantık Kapıları title: Mantık Kapıları
desc: <strong>Mantık kapıları</strong> açıldı! Çok heyecanlanmana gerek yok, ama desc: <strong>Mantık kapıları</strong> açıldı! Çok heyecanlanmana gerek yok, ama
@ -701,12 +733,13 @@ storyRewards:
et.<br><br> Ne seçersen seç eğlenmeyi unutma! et.<br><br> Ne seçersen seç eğlenmeyi unutma!
reward_wires_painter_and_levers: reward_wires_painter_and_levers:
title: Kablolar ve Dörtlü Boyayıcı title: Kablolar ve Dörtlü Boyayıcı
desc: "Az önce <strong>Kablo Katmanını</strong> açtın: Normal oyunun bulunduğu desc: "You just unlocked the <strong>Wires Layer</strong>: It is a separate
katmanın üzerinde ayrı bir katmandır ve bir sürü yeni özelliği layer on top of the regular layer and introduces a lot of new
vardır!<br><br> Başlangıç olarak senin için <strong>Dörtlü mechanics!<br><br> For the beginning I unlocked you the <strong>Quad
Boyayıcıyı</strong> açıyorum. - Kablo katmanında boyamak için Painter</strong> - Connect the slots you would like to paint with on
istediğin hatları bağla! <br><br> Kablo katmanına geçiş yapmak için the wires layer!<br><br> To switch to the wires layer, press
<strong>E</strong> tuşunu kullan." <strong>E</strong>. <br><br> PS: <strong>Enable hints</strong> in
the settings to activate the wires tutorial!"
reward_filter: reward_filter:
title: Eşya Filtresi title: Eşya Filtresi
desc: <strong>Eşya filtresini</strong> açtın! Kablo katmanından gelen sinyalle desc: <strong>Eşya filtresini</strong> açtın! Kablo katmanından gelen sinyalle
@ -874,12 +907,13 @@ settings:
description: Fareyi ekranın köşelerine getirerek hareket ettirmeyi sağlar. description: Fareyi ekranın köşelerine getirerek hareket ettirmeyi sağlar.
zoomToCursor: zoomToCursor:
title: Farenin Konumuna Yakınlaştırma title: Farenin Konumuna Yakınlaştırma
description: Eğer etkinleştirilirse zaman ekran yakınlaştırılması fare imlecinin bulunduğu description: Eğer etkinleştirilirse zaman ekran yakınlaştırılması fare imlecinin
yere doğru olur. Etkinleştirilmezse yakınlaştırma ekranın ortasına doğru olur. bulunduğu yere doğru olur. Etkinleştirilmezse yakınlaştırma
ekranın ortasına doğru olur.
mapResourcesScale: mapResourcesScale:
title: Uzak Bakışta Kaynakların Büyüklüğü title: Uzak Bakışta Kaynakların Büyüklüğü
description: Haritaya uzaktan bakıldığında, haritadaki şekillerin description: Haritaya uzaktan bakıldığında, haritadaki şekillerin büyüklüğünü
büyüklüğünü ayarlar. ayarlar.
keybindings: keybindings:
title: Tuş Atamaları title: Tuş Atamaları
hint: "İpucu: CTRL, SHIFT ve ALT tuşlarından yararlanın! Farklı yerleştirme hint: "İpucu: CTRL, SHIFT ve ALT tuşlarından yararlanın! Farklı yerleştirme

View File

@ -202,6 +202,14 @@ dialogs:
renameSavegame: renameSavegame:
title: Rename Savegame title: Rename Savegame
desc: You can rename your savegame here. desc: You can rename your savegame here.
tutorialVideoAvailable:
title: Tutorial Available
desc: There is a tutorial video available for this level! Would you like to
watch it?
tutorialVideoAvailableForeignLanguage:
title: Tutorial Available
desc: There is a tutorial video available for this level, but it is only
available in English. Would you like to watch it?
ingame: ingame:
keybindingsOverlay: keybindingsOverlay:
moveMap: Рухатися moveMap: Рухатися
@ -311,6 +319,30 @@ ingame:
швидше.<br><br>Підказка: Утримуйте <strong>SHIFT</strong>, щоб швидше.<br><br>Підказка: Утримуйте <strong>SHIFT</strong>, щоб
розмістити багато екстракторів, і використовуйте розмістити багато екстракторів, і використовуйте
<strong>R</strong>, щоб обертати їх." <strong>R</strong>, щоб обертати їх."
2_1_place_cutter: "Now place a <strong>Cutter</strong> to cut the circles in two
halves!<br><br> PS: The cutter always cuts from <strong>top to
bottom</strong> regardless of its orientation."
2_2_place_trash: The cutter can <strong>clog and stall</strong>!<br><br> Use a
<strong>trash</strong> to get rid of the currently (!) not
needed waste.
2_3_more_cutters: "Good job! Now place <strong>2 more cutters</strong> to speed
up this slow process!<br><br> PS: Use the <strong>0-9
hotkeys</strong> to access buildings faster!"
3_1_rectangles: "Now let's extract some rectangles! <strong>Build 4
extractors</strong> and connect them to the hub.<br><br> PS:
Hold <strong>SHIFT</strong> while dragging a belt to activate
the belt planner!"
21_1_place_quad_painter: Place the <strong>quad painter</strong> and get some
<strong>circles</strong>, <strong>white</strong> and
<strong>red</strong> color!
21_2_switch_to_wires: Switch to the wires layer by pressing
<strong>E</strong>!<br><br> Then <strong>connect all four
inputs</strong> of the painter with cables!
21_3_place_button: Awesome! Now place a <strong>Switch</strong> and connect it
with wires!
21_4_press_button: "Press the switch to make it <strong>emit a truthy
signal</strong> and thus activate the painter.<br><br> PS: You
don't have to connect all inputs! Try wiring only two."
connectedMiners: connectedMiners:
one_miner: 1 Miner one_miner: 1 Miner
n_miners: <amount> Miners n_miners: <amount> Miners
@ -705,7 +737,8 @@ storyRewards:
mechanics!<br><br> For the beginning I unlocked you the <strong>Quad mechanics!<br><br> For the beginning I unlocked you the <strong>Quad
Painter</strong> - Connect the slots you would like to paint with on Painter</strong> - Connect the slots you would like to paint with on
the wires layer!<br><br> To switch to the wires layer, press the wires layer!<br><br> To switch to the wires layer, press
<strong>E</strong>." <strong>E</strong>. <br><br> PS: <strong>Enable hints</strong> in
the settings to activate the wires tutorial!"
reward_filter: reward_filter:
title: Item Filter title: Item Filter
desc: You unlocked the <strong>Item Filter</strong>! It will route items either desc: You unlocked the <strong>Item Filter</strong>! It will route items either

View File

@ -176,6 +176,14 @@ dialogs:
renameSavegame: renameSavegame:
title: 重命名存档 title: 重命名存档
desc: 您可以在此重命名存档。 desc: 您可以在此重命名存档。
tutorialVideoAvailable:
title: Tutorial Available
desc: There is a tutorial video available for this level! Would you like to
watch it?
tutorialVideoAvailableForeignLanguage:
title: Tutorial Available
desc: There is a tutorial video available for this level, but it is only
available in English. Would you like to watch it?
ingame: ingame:
keybindingsOverlay: keybindingsOverlay:
moveMap: 移动地图 moveMap: 移动地图
@ -262,6 +270,30 @@ ingame:
1_2_conveyor: 用<strong>传送带</strong>将你的开采机连接到基地上!<br><br>提示:用你的鼠标<strong>按下并拖动</strong>传送带! 1_2_conveyor: 用<strong>传送带</strong>将你的开采机连接到基地上!<br><br>提示:用你的鼠标<strong>按下并拖动</strong>传送带!
1_3_expand: 这<strong>不是</strong>一个挂机游戏!建造更多的开采机和传送带来更快地完成目标。<br><br> 提示:按住 1_3_expand: 这<strong>不是</strong>一个挂机游戏!建造更多的开采机和传送带来更快地完成目标。<br><br> 提示:按住
<strong>SHIFT</strong> 键来放置多个开采机,用 <strong>R</strong> 键旋转它们。 <strong>SHIFT</strong> 键来放置多个开采机,用 <strong>R</strong> 键旋转它们。
2_1_place_cutter: "Now place a <strong>Cutter</strong> to cut the circles in two
halves!<br><br> PS: The cutter always cuts from <strong>top to
bottom</strong> regardless of its orientation."
2_2_place_trash: The cutter can <strong>clog and stall</strong>!<br><br> Use a
<strong>trash</strong> to get rid of the currently (!) not
needed waste.
2_3_more_cutters: "Good job! Now place <strong>2 more cutters</strong> to speed
up this slow process!<br><br> PS: Use the <strong>0-9
hotkeys</strong> to access buildings faster!"
3_1_rectangles: "Now let's extract some rectangles! <strong>Build 4
extractors</strong> and connect them to the hub.<br><br> PS:
Hold <strong>SHIFT</strong> while dragging a belt to activate
the belt planner!"
21_1_place_quad_painter: Place the <strong>quad painter</strong> and get some
<strong>circles</strong>, <strong>white</strong> and
<strong>red</strong> color!
21_2_switch_to_wires: Switch to the wires layer by pressing
<strong>E</strong>!<br><br> Then <strong>connect all four
inputs</strong> of the painter with cables!
21_3_place_button: Awesome! Now place a <strong>Switch</strong> and connect it
with wires!
21_4_press_button: "Press the switch to make it <strong>emit a truthy
signal</strong> and thus activate the painter.<br><br> PS: You
don't have to connect all inputs! Try wiring only two."
colors: colors:
red: 红色 red: 红色
green: 绿色 green: 绿色
@ -638,7 +670,8 @@ storyRewards:
mechanics!<br><br> For the beginning I unlocked you the <strong>Quad mechanics!<br><br> For the beginning I unlocked you the <strong>Quad
Painter</strong> - Connect the slots you would like to paint with on Painter</strong> - Connect the slots you would like to paint with on
the wires layer!<br><br> To switch to the wires layer, press the wires layer!<br><br> To switch to the wires layer, press
<strong>E</strong>." <strong>E</strong>. <br><br> PS: <strong>Enable hints</strong> in
the settings to activate the wires tutorial!"
reward_filter: reward_filter:
title: Item Filter title: Item Filter
desc: You unlocked the <strong>Item Filter</strong>! It will route items either desc: You unlocked the <strong>Item Filter</strong>! It will route items either

View File

@ -153,9 +153,8 @@ dialogs:
class='keybinding'>ALT</code>: 反向放置傳送帶。 <br>" class='keybinding'>ALT</code>: 反向放置傳送帶。 <br>"
createMarker: createMarker:
title: 創建標記 title: 創建標記
desc: 給地圖標記起一個的名字。 desc: 給地圖標記起一個的名字。 你可以在名字中加入一個<strong>短代碼</strong>以加入圖形。 (你可以在 <link>here</link>
你可以在名字中加入一個<strong>短代碼</strong>以加入圖形。 生成短代碼。)
(你可以在 <link>here</link> 生成短代碼。)
titleEdit: 修改標記 titleEdit: 修改標記
markerDemoLimit: markerDemoLimit:
desc: 在演示版中你只能創建兩個地圖標記。請獲取單機版以創建更多標記。 desc: 在演示版中你只能創建兩個地圖標記。請獲取單機版以創建更多標記。
@ -176,6 +175,14 @@ dialogs:
renameSavegame: renameSavegame:
title: 重新命名存檔 title: 重新命名存檔
desc: 你可以在這裡重新命名存檔 desc: 你可以在這裡重新命名存檔
tutorialVideoAvailable:
title: Tutorial Available
desc: There is a tutorial video available for this level! Would you like to
watch it?
tutorialVideoAvailableForeignLanguage:
title: Tutorial Available
desc: There is a tutorial video available for this level, but it is only
available in English. Would you like to watch it?
ingame: ingame:
keybindingsOverlay: keybindingsOverlay:
moveMap: 移動 moveMap: 移動
@ -263,6 +270,30 @@ ingame:
<br><br>提示:用你的游標<strong>按下並拖動</strong>傳送帶! <br><br>提示:用你的游標<strong>按下並拖動</strong>傳送帶!
1_3_expand: 這<strong>不是</strong>一個放置型遊戲!建造更多的開採機和傳送帶來更快地完成目標。 <br><br> 1_3_expand: 這<strong>不是</strong>一個放置型遊戲!建造更多的開採機和傳送帶來更快地完成目標。 <br><br>
提示:按住<strong>SHIFT</strong>鍵來放置多個開採機,用<strong>R</strong>鍵旋轉它們。 提示:按住<strong>SHIFT</strong>鍵來放置多個開採機,用<strong>R</strong>鍵旋轉它們。
2_1_place_cutter: "Now place a <strong>Cutter</strong> to cut the circles in two
halves!<br><br> PS: The cutter always cuts from <strong>top to
bottom</strong> regardless of its orientation."
2_2_place_trash: The cutter can <strong>clog and stall</strong>!<br><br> Use a
<strong>trash</strong> to get rid of the currently (!) not
needed waste.
2_3_more_cutters: "Good job! Now place <strong>2 more cutters</strong> to speed
up this slow process!<br><br> PS: Use the <strong>0-9
hotkeys</strong> to access buildings faster!"
3_1_rectangles: "Now let's extract some rectangles! <strong>Build 4
extractors</strong> and connect them to the hub.<br><br> PS:
Hold <strong>SHIFT</strong> while dragging a belt to activate
the belt planner!"
21_1_place_quad_painter: Place the <strong>quad painter</strong> and get some
<strong>circles</strong>, <strong>white</strong> and
<strong>red</strong> color!
21_2_switch_to_wires: Switch to the wires layer by pressing
<strong>E</strong>!<br><br> Then <strong>connect all four
inputs</strong> of the painter with cables!
21_3_place_button: Awesome! Now place a <strong>Switch</strong> and connect it
with wires!
21_4_press_button: "Press the switch to make it <strong>emit a truthy
signal</strong> and thus activate the painter.<br><br> PS: You
don't have to connect all inputs! Try wiring only two."
colors: colors:
red: red:
green: green:
@ -534,8 +565,8 @@ storyRewards:
reward_miner_chainable: reward_miner_chainable:
title: 鏈式開採 title: 鏈式開採
desc: "<strong>鏈式開採機</strong>變體已解鎖。它是開採機的一個變體。 desc: "<strong>鏈式開採機</strong>變體已解鎖。它是開採機的一個變體。
它可以將開採出來的資源<strong>傳遞</strong>給其他的開採機,使得資源提取更加高效!<br><br> 它可以將開採出來的資源<strong>傳遞</strong>給其他的開採機,使得資源提取更加高效!<br><br> PS:
PS: 工具列中舊的開採機已被取代。" 工具列中舊的開採機已被取代。"
reward_underground_belt_tier_2: reward_underground_belt_tier_2:
title: 貳級隧道 title: 貳級隧道
desc: <strong>貳級隧道</strong>變體已解鎖。這個隧道有<strong>更長的傳輸距離</strong>。你還可以混用不同的隧道變體! desc: <strong>貳級隧道</strong>變體已解鎖。這個隧道有<strong>更長的傳輸距離</strong>。你還可以混用不同的隧道變體!
@ -558,9 +589,11 @@ storyRewards:
基地會在電路層輸出他需要的形狀,你只需要分析這些訊號,然後依照需求自動調整你的工廠。 基地會在電路層輸出他需要的形狀,你只需要分析這些訊號,然後依照需求自動調整你的工廠。
reward_blueprints: reward_blueprints:
title: 藍圖 title: 藍圖
desc: 現在,你可以<strong>複製並貼上</ strong>工廠的各個部分! desc: You can now <strong>copy and paste</strong> parts of your factory! Select
選擇一個區域按住CTRL然後用游標拖動然後按「C」將其複制。<br><br> an area (Hold CTRL, then drag with your mouse), and press 'C' to
複製<strong>不是免費的</strong>,你需要用<strong>藍圖形狀</strong>來支付!(剛交付的那些)。 copy it.<br><br>Pasting it is <strong>not free</strong>, you need to
produce <strong>blueprint shapes</strong> to afford it! (Those you
just delivered).
no_reward: no_reward:
title: 下一關 title: 下一關
desc: "這一關沒有獎勵,但是下一關有! <br><br> PS: desc: "這一關沒有獎勵,但是下一關有! <br><br> PS:
@ -621,7 +654,8 @@ storyRewards:
mechanics!<br><br> For the beginning I unlocked you the <strong>Quad mechanics!<br><br> For the beginning I unlocked you the <strong>Quad
Painter</strong> - Connect the slots you would like to paint with on Painter</strong> - Connect the slots you would like to paint with on
the wires layer!<br><br> To switch to the wires layer, press the wires layer!<br><br> To switch to the wires layer, press
<strong>E</strong>." <strong>E</strong>. <br><br> PS: <strong>Enable hints</strong> in
the settings to activate the wires tutorial!"
reward_filter: reward_filter:
title: Item Filter title: Item Filter
desc: You unlocked the <strong>Item Filter</strong>! It will route items either desc: You unlocked the <strong>Item Filter</strong>! It will route items either