mirror of
https://github.com/tobspr/shapez.io.git
synced 2024-10-27 20:34:29 +00:00
Merge branch 'master' of https://github.com/tobspr/shapez.io
This commit is contained in:
commit
4e763ae93a
Binary file not shown.
Before Width: | Height: | Size: 2.0 KiB After Width: | Height: | Size: 4.0 KiB |
Binary file not shown.
Before Width: | Height: | Size: 15 KiB After Width: | Height: | Size: 15 KiB |
@ -15,15 +15,15 @@ $hardwareAcc: null;
|
||||
// ----------------------------------------
|
||||
/** Increased click area for this element, helpful on mobile */
|
||||
@mixin IncreasedClickArea($size) {
|
||||
&::after {
|
||||
content: "";
|
||||
position: absolute;
|
||||
top: #{D(-$size)};
|
||||
bottom: #{D(-$size)};
|
||||
left: #{D(-$size)};
|
||||
right: #{D(-$size)};
|
||||
// background: rgba(255, 0, 0, 0.3);
|
||||
}
|
||||
// &::after {
|
||||
// content: "";
|
||||
// position: absolute;
|
||||
// top: #{D(-$size)};
|
||||
// bottom: #{D(-$size)};
|
||||
// left: #{D(-$size)};
|
||||
// right: #{D(-$size)};
|
||||
// // background: rgba(255, 0, 0, 0.3);
|
||||
// }
|
||||
}
|
||||
button,
|
||||
.increasedClickArea {
|
||||
|
@ -19,13 +19,15 @@
|
||||
overflow: hidden;
|
||||
|
||||
> .categoryChooser {
|
||||
> .categories {
|
||||
display: grid;
|
||||
grid-auto-columns: 1fr;
|
||||
grid-auto-flow: column;
|
||||
@include S(grid-gap, 2px);
|
||||
@include S(padding-right, 10px);
|
||||
@include S(margin-bottom, 5px);
|
||||
|
||||
> .category {
|
||||
.category {
|
||||
background: $accentColorBright;
|
||||
border-radius: 0;
|
||||
color: $accentColorDark;
|
||||
@ -57,17 +59,27 @@
|
||||
color: #fff;
|
||||
}
|
||||
}
|
||||
|
||||
&.root {
|
||||
@include S(padding-top, 10px);
|
||||
@include S(padding-bottom, 10px);
|
||||
@include Text;
|
||||
}
|
||||
&.child {
|
||||
@include PlainText;
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
> .puzzles {
|
||||
display: grid;
|
||||
grid-template-columns: repeat(auto-fit, minmax(D(180px), 1fr));
|
||||
grid-template-columns: repeat(auto-fit, minmax(D(240px), 1fr));
|
||||
@include S(grid-auto-rows, 65px);
|
||||
@include S(grid-gap, 7px);
|
||||
@include S(margin-top, 10px);
|
||||
@include S(padding-right, 4px);
|
||||
@include S(height, 360px);
|
||||
@include S(height, 320px);
|
||||
overflow-y: scroll;
|
||||
pointer-events: all;
|
||||
position: relative;
|
||||
@ -203,14 +215,11 @@
|
||||
font-weight: bold;
|
||||
@include S(margin-right, 3px);
|
||||
opacity: 0.7;
|
||||
text-transform: uppercase;
|
||||
|
||||
&.stage--easy {
|
||||
color: $colorGreenBright;
|
||||
}
|
||||
&.stage--normal {
|
||||
color: #000;
|
||||
@include DarkThemeInvert;
|
||||
}
|
||||
&.stage--medium {
|
||||
color: $colorOrangeBright;
|
||||
}
|
||||
|
@ -89,8 +89,13 @@ export class StateManager {
|
||||
const dialogParent = document.createElement("div");
|
||||
dialogParent.classList.add("modalDialogParent");
|
||||
document.body.appendChild(dialogParent);
|
||||
|
||||
try {
|
||||
this.currentState.internalEnterCallback(payload);
|
||||
} catch (ex) {
|
||||
console.error(ex);
|
||||
throw ex;
|
||||
}
|
||||
|
||||
this.app.sound.playThemeMusic(this.currentState.getThemeMusic());
|
||||
|
||||
this.currentState.onResized(this.app.screenWidth, this.app.screenHeight);
|
||||
|
@ -118,10 +118,10 @@ export class GoalAcceptorSystem extends GameSystemWithFilter {
|
||||
|
||||
// LED indicator
|
||||
|
||||
parameters.context.lineWidth = 1;
|
||||
parameters.context.lineWidth = 1.2;
|
||||
parameters.context.strokeStyle = "#64666e";
|
||||
parameters.context.fillStyle = isValid ? "#8de255" : "#ff666a";
|
||||
parameters.context.beginCircle(10, 11.8, 3);
|
||||
parameters.context.beginCircle(10, 11.8, 5);
|
||||
parameters.context.fill();
|
||||
parameters.context.stroke();
|
||||
|
||||
|
@ -101,9 +101,15 @@ export class ClientAPI {
|
||||
*/
|
||||
apiTryLogin() {
|
||||
if (!G_IS_STANDALONE) {
|
||||
const token = window.prompt(
|
||||
let token = window.localStorage.getItem("dev_api_auth_token");
|
||||
if (!token) {
|
||||
token = window.prompt(
|
||||
"Please enter the auth token for the puzzle DLC (If you have none, you can't login):"
|
||||
);
|
||||
}
|
||||
if (token) {
|
||||
window.localStorage.setItem("dev_api_auth_token", token);
|
||||
}
|
||||
return Promise.resolve({ token });
|
||||
}
|
||||
|
||||
|
@ -13,15 +13,20 @@ function compressInt(i) {
|
||||
// Zero value breaks
|
||||
i += 1;
|
||||
|
||||
if (compressionCache[i]) {
|
||||
return compressionCache[i];
|
||||
// save `i` as the cache key
|
||||
// to avoid it being modified by the
|
||||
// rest of the function.
|
||||
const cache_key = i;
|
||||
|
||||
if (compressionCache[cache_key]) {
|
||||
return compressionCache[cache_key];
|
||||
}
|
||||
let result = "";
|
||||
do {
|
||||
result += charmap[i % charmap.length];
|
||||
i = Math.floor(i / charmap.length);
|
||||
} while (i > 0);
|
||||
return (compressionCache[i] = result);
|
||||
return (compressionCache[cache_key] = result);
|
||||
}
|
||||
|
||||
/**
|
||||
|
@ -91,7 +91,7 @@ export class MainMenuState extends GameState {
|
||||
</div>
|
||||
|
||||
${
|
||||
!G_WEGAME_VERSION && G_IS_STANDALONE && puzzleDlc
|
||||
(!G_WEGAME_VERSION && G_IS_STANDALONE && puzzleDlc) || G_IS_DEV
|
||||
? `
|
||||
<div class="puzzleContainer">
|
||||
<img class="dlcLogo" src="${cachebust(
|
||||
|
@ -1,4 +1,3 @@
|
||||
import { globalConfig } from "../core/config";
|
||||
import { createLogger } from "../core/logging";
|
||||
import { DialogWithForm } from "../core/modal_dialog_elements";
|
||||
import { FormElementInput } from "../core/modal_dialog_forms";
|
||||
@ -10,48 +9,15 @@ import { MUSIC } from "../platform/sound";
|
||||
import { Savegame } from "../savegame/savegame";
|
||||
import { T } from "../translations";
|
||||
|
||||
const categories = ["top-rated", "new", "easy", "short", "hard", "completed", "mine"];
|
||||
|
||||
/**
|
||||
* @type {import("../savegame/savegame_typedefs").PuzzleMetadata}
|
||||
*/
|
||||
const SAMPLE_PUZZLE = {
|
||||
id: 1,
|
||||
shortKey: "CuCuCuCu",
|
||||
downloads: 0,
|
||||
likes: 0,
|
||||
averageTime: 1,
|
||||
completions: 1,
|
||||
difficulty: null,
|
||||
title: "Level 1",
|
||||
author: "verylongsteamnamewhichbreaks",
|
||||
completed: false,
|
||||
const navigation = {
|
||||
categories: ["official", "top-rated", "trending", "trending-weekly", "new"],
|
||||
difficulties: ["easy", "medium", "hard"],
|
||||
account: ["mine", "completed"],
|
||||
};
|
||||
|
||||
/**
|
||||
* @type {import("../savegame/savegame_typedefs").PuzzleMetadata[]}
|
||||
*/
|
||||
const BUILTIN_PUZZLES = G_IS_DEV
|
||||
? [
|
||||
// { ...SAMPLE_PUZZLE, completed: true },
|
||||
// { ...SAMPLE_PUZZLE, completed: true },
|
||||
// SAMPLE_PUZZLE,
|
||||
// SAMPLE_PUZZLE,
|
||||
// SAMPLE_PUZZLE,
|
||||
// SAMPLE_PUZZLE,
|
||||
// SAMPLE_PUZZLE,
|
||||
// SAMPLE_PUZZLE,
|
||||
// SAMPLE_PUZZLE,
|
||||
// SAMPLE_PUZZLE,
|
||||
// SAMPLE_PUZZLE,
|
||||
// SAMPLE_PUZZLE,
|
||||
// SAMPLE_PUZZLE,
|
||||
]
|
||||
: [];
|
||||
|
||||
const logger = createLogger("puzzle-menu");
|
||||
|
||||
let lastCategory = categories[0];
|
||||
let lastCategory = "official";
|
||||
|
||||
export class PuzzleMenuState extends TextualGameState {
|
||||
constructor() {
|
||||
@ -79,6 +45,7 @@ export class PuzzleMenuState extends TextualGameState {
|
||||
<button class="styledButton loadPuzzle">${T.puzzleMenu.loadPuzzle}</button>
|
||||
<button class="styledButton createPuzzle">+ ${T.puzzleMenu.createPuzzle}</button>
|
||||
</div>
|
||||
|
||||
</div>`;
|
||||
|
||||
return `
|
||||
@ -91,18 +58,23 @@ export class PuzzleMenuState extends TextualGameState {
|
||||
|
||||
getMainContentHTML() {
|
||||
let html = `
|
||||
|
||||
|
||||
<div class="categoryChooser">
|
||||
${categories
|
||||
|
||||
<div class="categories rootCategories">
|
||||
${Object.keys(navigation)
|
||||
.map(
|
||||
category => `
|
||||
<button data-category="${category}" class="styledButton category">${T.puzzleMenu.categories[category]}</button>
|
||||
`
|
||||
rootCategory =>
|
||||
`<button data-root-category="${rootCategory}" class="styledButton category root">${T.puzzleMenu.categories[rootCategory]}</button>`
|
||||
)
|
||||
.join("")}
|
||||
</div>
|
||||
|
||||
<div class="categories subCategories">
|
||||
</div>
|
||||
|
||||
</div>
|
||||
|
||||
|
||||
<div class="puzzles" id="mainContainer"></div>
|
||||
`;
|
||||
|
||||
@ -154,6 +126,52 @@ export class PuzzleMenuState extends TextualGameState {
|
||||
.then(() => (this.loading = false));
|
||||
}
|
||||
|
||||
/**
|
||||
* Selects a root category
|
||||
* @param {string} rootCategory
|
||||
* @param {string=} category
|
||||
*/
|
||||
selectRootCategory(rootCategory, category) {
|
||||
const subCategory = category || navigation[rootCategory][0];
|
||||
console.warn("Select root category", rootCategory, category, "->", subCategory);
|
||||
|
||||
if (this.loading) {
|
||||
return;
|
||||
}
|
||||
if (this.activeCategory === subCategory) {
|
||||
return;
|
||||
}
|
||||
|
||||
const activeCategory = this.htmlElement.querySelector(".active[data-root-category]");
|
||||
if (activeCategory) {
|
||||
activeCategory.classList.remove("active");
|
||||
}
|
||||
|
||||
const newActiveCategory = this.htmlElement.querySelector(`[data-root-category="${rootCategory}"]`);
|
||||
if (newActiveCategory) {
|
||||
newActiveCategory.classList.add("active");
|
||||
}
|
||||
|
||||
// Rerender buttons
|
||||
|
||||
const subContainer = this.htmlElement.querySelector(".subCategories");
|
||||
while (subContainer.firstChild) {
|
||||
subContainer.removeChild(subContainer.firstChild);
|
||||
}
|
||||
|
||||
const children = navigation[rootCategory];
|
||||
for (const category of children) {
|
||||
const button = document.createElement("button");
|
||||
button.setAttribute("data-category", category);
|
||||
button.classList.add("styledButton", "category", "child");
|
||||
button.innerText = T.puzzleMenu.categories[category];
|
||||
this.trackClicks(button, () => this.selectCategory(category));
|
||||
subContainer.appendChild(button);
|
||||
}
|
||||
|
||||
this.selectCategory(subCategory);
|
||||
}
|
||||
|
||||
/**
|
||||
*
|
||||
* @param {import("../savegame/savegame_typedefs").PuzzleMetadata[]} puzzles
|
||||
@ -167,7 +185,10 @@ export class PuzzleMenuState extends TextualGameState {
|
||||
for (const puzzle of puzzles) {
|
||||
const elem = document.createElement("div");
|
||||
elem.classList.add("puzzle");
|
||||
|
||||
if (this.activeCategory !== "mine") {
|
||||
elem.classList.toggle("completed", puzzle.completed);
|
||||
}
|
||||
|
||||
if (puzzle.title) {
|
||||
const title = document.createElement("div");
|
||||
@ -176,7 +197,7 @@ export class PuzzleMenuState extends TextualGameState {
|
||||
elem.appendChild(title);
|
||||
}
|
||||
|
||||
if (puzzle.author) {
|
||||
if (puzzle.author && !["official", "mine"].includes(this.activeCategory)) {
|
||||
const author = document.createElement("div");
|
||||
author.classList.add("author");
|
||||
author.innerText = "by " + puzzle.author;
|
||||
@ -187,7 +208,10 @@ export class PuzzleMenuState extends TextualGameState {
|
||||
stats.classList.add("stats");
|
||||
elem.appendChild(stats);
|
||||
|
||||
if (puzzle.downloads > 0) {
|
||||
if (
|
||||
puzzle.downloads > 3 &&
|
||||
!["official", "easy", "medium", "hard"].includes(this.activeCategory)
|
||||
) {
|
||||
const difficulty = document.createElement("div");
|
||||
difficulty.classList.add("difficulty");
|
||||
|
||||
@ -198,14 +222,15 @@ export class PuzzleMenuState extends TextualGameState {
|
||||
difficulty.innerText = completionPercentage + "%";
|
||||
stats.appendChild(difficulty);
|
||||
|
||||
if (completionPercentage < 10) {
|
||||
if (completionPercentage < 40) {
|
||||
difficulty.classList.add("stage--hard");
|
||||
} else if (completionPercentage < 30) {
|
||||
difficulty.innerText = T.puzzleMenu.difficulties.hard;
|
||||
} else if (completionPercentage < 80) {
|
||||
difficulty.classList.add("stage--medium");
|
||||
} else if (completionPercentage < 60) {
|
||||
difficulty.classList.add("stage--normal");
|
||||
difficulty.innerText = T.puzzleMenu.difficulties.medium;
|
||||
} else {
|
||||
difficulty.classList.add("stage--easy");
|
||||
difficulty.innerText = T.puzzleMenu.difficulties.easy;
|
||||
}
|
||||
}
|
||||
|
||||
@ -249,10 +274,6 @@ export class PuzzleMenuState extends TextualGameState {
|
||||
* @returns {Promise<import("../savegame/savegame_typedefs").PuzzleMetadata[]>}
|
||||
*/
|
||||
getPuzzlesForCategory(category) {
|
||||
if (category === "levels") {
|
||||
return Promise.resolve(BUILTIN_PUZZLES);
|
||||
}
|
||||
|
||||
const result = this.app.clientApi.apiListPuzzles(category);
|
||||
return result.catch(err => {
|
||||
logger.error("Failed to get", category, ":", err);
|
||||
@ -300,24 +321,28 @@ export class PuzzleMenuState extends TextualGameState {
|
||||
}
|
||||
|
||||
onEnter(payload) {
|
||||
this.selectCategory(lastCategory);
|
||||
// Find old category
|
||||
let rootCategory = "categories";
|
||||
for (const [id, children] of Object.entries(navigation)) {
|
||||
if (children.includes(lastCategory)) {
|
||||
rootCategory = id;
|
||||
break;
|
||||
}
|
||||
}
|
||||
|
||||
this.selectRootCategory(rootCategory, lastCategory);
|
||||
|
||||
if (payload && payload.error) {
|
||||
this.dialogs.showWarning(payload.error.title, payload.error.desc);
|
||||
}
|
||||
|
||||
for (const category of categories) {
|
||||
const button = this.htmlElement.querySelector(`[data-category="${category}"]`);
|
||||
this.trackClicks(button, () => this.selectCategory(category));
|
||||
for (const rootCategory of Object.keys(navigation)) {
|
||||
const button = this.htmlElement.querySelector(`[data-root-category="${rootCategory}"]`);
|
||||
this.trackClicks(button, () => this.selectRootCategory(rootCategory));
|
||||
}
|
||||
|
||||
this.trackClicks(this.htmlElement.querySelector("button.createPuzzle"), () => this.createNewPuzzle());
|
||||
this.trackClicks(this.htmlElement.querySelector("button.loadPuzzle"), () => this.loadPuzzle());
|
||||
|
||||
if (G_IS_DEV && globalConfig.debug.testPuzzleMode) {
|
||||
// this.createNewPuzzle();
|
||||
this.playPuzzle(SAMPLE_PUZZLE);
|
||||
}
|
||||
}
|
||||
|
||||
createEmptySavegame() {
|
||||
|
@ -210,7 +210,7 @@ dialogs:
|
||||
offlineMode:
|
||||
title: Offline Mode
|
||||
desc: We couldn't reach the servers, so the game has to run in offline mode.
|
||||
Please make sure you have an active internect connection.
|
||||
Please make sure you have an active internet connection.
|
||||
puzzleDownloadError:
|
||||
title: Download Error
|
||||
desc: "Failed to download the puzzle:"
|
||||
|
@ -218,7 +218,7 @@ dialogs:
|
||||
offlineMode:
|
||||
title: Offline Mode
|
||||
desc: We couldn't reach the servers, so the game has to run in offline mode.
|
||||
Please make sure you have an active internect connection.
|
||||
Please make sure you have an active internet connection.
|
||||
puzzleDownloadError:
|
||||
title: Download Error
|
||||
desc: "Failed to download the puzzle:"
|
||||
|
@ -10,14 +10,14 @@ steamPage:
|
||||
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!
|
||||
|
||||
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!
|
||||
what_others_say: What people say about shapez.io
|
||||
nothernlion_comment: This game is great - I'm having a wonderful time playing,
|
||||
and time has flown by.
|
||||
notch_comment: Oh crap. I really should sleep, but I think I just figured out
|
||||
how to make a computer in shapez.io
|
||||
steam_review_comment: This game has stolen my life and I don't want it back.
|
||||
Very chill factory game that won't let me stop making my lines more
|
||||
efficient.
|
||||
what_others_say: Co o shapez.io říkají lidé
|
||||
nothernlion_comment: Tato hra je úžasná - Užívám si čas strávený hraním této hry,
|
||||
jen strašně rychle utekl.
|
||||
notch_comment: Sakra. Opravdu bych měl jít spát, ale myslím si, že jsem zrovna přišel na to,
|
||||
jak v shapez.io vytvořit počítač.
|
||||
steam_review_comment: Tato hra mi ukradla život a já ho nechci zpět.
|
||||
Odpočinková factory hra, která mi nedovolí přestat dělat mé výrobní linky více
|
||||
efektivní.
|
||||
global:
|
||||
loading: Načítání
|
||||
error: Chyba
|
||||
@ -49,7 +49,7 @@ global:
|
||||
escape: ESC
|
||||
shift: SHIFT
|
||||
space: SPACE
|
||||
loggingIn: Logging in
|
||||
loggingIn: Přihlašuji
|
||||
demoBanners:
|
||||
title: Demo verze
|
||||
intro: Získejte plnou verzi pro odemknutí všech funkcí a obsahu!
|
||||
@ -70,11 +70,11 @@ mainMenu:
|
||||
savegameLevel: Úroveň <x>
|
||||
savegameLevelUnknown: Neznámá úroveň
|
||||
savegameUnnamed: Nepojmenovaný
|
||||
puzzleMode: Puzzle Mode
|
||||
back: Back
|
||||
puzzleDlcText: Do you enjoy compacting and optimizing factories? Get the Puzzle
|
||||
DLC now on Steam for even more fun!
|
||||
puzzleDlcWishlist: Wishlist now!
|
||||
puzzleMode: Puzzle mód
|
||||
back: Zpět
|
||||
puzzleDlcText: Baví vás zmenšování a optimalizace továren? Pořiďte si nyní Puzzle
|
||||
DLC na Steamu pro ještě více zábavy!
|
||||
puzzleDlcWishlist: Přidejte si nyní na seznam přání!
|
||||
dialogs:
|
||||
buttons:
|
||||
ok: OK
|
||||
@ -88,9 +88,9 @@ dialogs:
|
||||
viewUpdate: Zobrazit aktualizaci
|
||||
showUpgrades: Zobrazit vylepšení
|
||||
showKeybindings: Zobrazit klávesové zkratky
|
||||
retry: Retry
|
||||
continue: Continue
|
||||
playOffline: Play Offline
|
||||
retry: Opakovat
|
||||
continue: Pokračovat
|
||||
playOffline: Hrát offline
|
||||
importSavegameError:
|
||||
title: Chyba Importu
|
||||
text: "Nepovedlo se importovat vaši uloženou hru:"
|
||||
@ -188,66 +188,66 @@ dialogs:
|
||||
desc: Pro tuto úroveň je k dispozici tutoriál, ale je dostupný pouze v
|
||||
angličtině. Chtěli byste se na něj podívat?
|
||||
editConstantProducer:
|
||||
title: Set Item
|
||||
title: Nastavte tvar
|
||||
puzzleLoadFailed:
|
||||
title: Puzzles failed to load
|
||||
desc: "Unfortunately the puzzles could not be loaded:"
|
||||
title: Načítání puzzle selhalo
|
||||
desc: "Bohužel nebylo možné puzzle načíst:"
|
||||
submitPuzzle:
|
||||
title: Submit Puzzle
|
||||
descName: "Give your puzzle a name:"
|
||||
descIcon: "Please enter a unique short key, which will be shown as the icon of
|
||||
your puzzle (You can generate them <link>here</link>, or choose one
|
||||
of the randomly suggested shapes below):"
|
||||
placeholderName: Puzzle Title
|
||||
title: Odeslat puzzle
|
||||
descName: "Pojmenujte svůj puzzle:"
|
||||
descIcon: "Prosím zadejte unikátní krátký klíč, který bude zobrazen jako ikona
|
||||
vašeho puzzle (Ten můžete vygenerovat <link>zde</link>, nebo vyberte jeden
|
||||
z níže náhodně vybraných tvarů):"
|
||||
placeholderName: Název puzzlu
|
||||
puzzleResizeBadBuildings:
|
||||
title: Resize not possible
|
||||
desc: You can't make the zone any smaller, because then some buildings would be
|
||||
outside the zone.
|
||||
title: Změna velikosti není možná
|
||||
desc: Zónu není možné více zmenšit, protože by některé budovy byly
|
||||
mimo zónu.
|
||||
puzzleLoadError:
|
||||
title: Bad Puzzle
|
||||
desc: "The puzzle failed to load:"
|
||||
title: Špatný puzzle
|
||||
desc: "Načítání puzzlu selhalo:"
|
||||
offlineMode:
|
||||
title: Offline Mode
|
||||
desc: We couldn't reach the servers, so the game has to run in offline mode.
|
||||
Please make sure you have an active internect connection.
|
||||
title: Offline mód
|
||||
desc: Nebylo možné kontaktovat herní servery, proto musí hra běžet v offline módu.
|
||||
Ujistěte se, že máte aktivní připojení k internetu.
|
||||
puzzleDownloadError:
|
||||
title: Download Error
|
||||
desc: "Failed to download the puzzle:"
|
||||
title: Chyba stahování
|
||||
desc: "Stažení puzzlu selhalo:"
|
||||
puzzleSubmitError:
|
||||
title: Submission Error
|
||||
desc: "Failed to submit your puzzle:"
|
||||
title: Chyba odeslání
|
||||
desc: "Odeslání puzzlu selhalo:"
|
||||
puzzleSubmitOk:
|
||||
title: Puzzle Published
|
||||
desc: Congratulations! Your puzzle has been published and can now be played by
|
||||
others. You can now find it in the "My puzzles" section.
|
||||
title: Puzzle publikováno
|
||||
desc: Gratuluji! Vaše puzzle bylo publikováno a je dostupné pro
|
||||
ostatní hráče. Můžete ho najít v sekci "Moje puzzly".
|
||||
puzzleCreateOffline:
|
||||
title: Offline Mode
|
||||
desc: Since you are offline, you will not be able to save and/or publish your
|
||||
puzzle. Would you still like to continue?
|
||||
title: Offline mód
|
||||
desc: Jelikož jste offline, nebudete moci ukládat a/nebo publikovat vaše
|
||||
puzzle. Chcete přesto pokračovat?
|
||||
puzzlePlayRegularRecommendation:
|
||||
title: Recommendation
|
||||
desc: I <strong>strongly</strong> recommend playing the normal game to level 12
|
||||
before attempting the puzzle DLC, otherwise you may encounter
|
||||
mechanics not yet introduced. Do you still want to continue?
|
||||
title: Doporučení
|
||||
desc: <strong>Důrazně</strong> doporučujeme průchod základní hrou nejméně do úrovně 12
|
||||
před vstupem do puzzle DLC, jinak můžete narazit na
|
||||
mechaniku hry, se kterou jste se ještě nesetkali. Chcete přesto pokračovat?
|
||||
puzzleShare:
|
||||
title: Short Key Copied
|
||||
desc: The short key of the puzzle (<key>) has been copied to your clipboard! It
|
||||
can be entered in the puzzle menu to access the puzzle.
|
||||
title: Krátký klíč zkopírován
|
||||
desc: Krátký klíč tohoto puzzlu (<key>) byl zkopírován do vaší schránky! Může
|
||||
být vložen v puzzle menu pro přístup k danému puzzlu.
|
||||
puzzleReport:
|
||||
title: Report Puzzle
|
||||
title: Nahlásit puzzle
|
||||
options:
|
||||
profane: Profane
|
||||
unsolvable: Not solvable
|
||||
profane: Rouhavý
|
||||
unsolvable: Nelze vyřešit
|
||||
trolling: Trolling
|
||||
puzzleReportComplete:
|
||||
title: Thank you for your feedback!
|
||||
desc: The puzzle has been flagged.
|
||||
title: Děkujeme za vaši zpětnou vazbu!
|
||||
desc: Toto puzzle bylo označeno.
|
||||
puzzleReportError:
|
||||
title: Failed to report
|
||||
desc: "Your report could not get processed:"
|
||||
title: Nahlášení selhalo
|
||||
desc: "Vaše nahlášení nemohlo být zpracováno:"
|
||||
puzzleLoadShortKey:
|
||||
title: Enter short key
|
||||
desc: Enter the short key of the puzzle to load it.
|
||||
title: Vložte krátký klíč
|
||||
desc: Vložte krátký klíč pro načtení příslušného puzzlu.
|
||||
ingame:
|
||||
keybindingsOverlay:
|
||||
moveMap: Posun mapy
|
||||
@ -418,45 +418,45 @@ ingame:
|
||||
desc: Vyvíjím to ve svém volném čase!
|
||||
achievements:
|
||||
title: Achievements
|
||||
desc: Hunt them all!
|
||||
desc: Získejte je všechny!
|
||||
puzzleEditorSettings:
|
||||
zoneTitle: Zone
|
||||
zoneWidth: Width
|
||||
zoneHeight: Height
|
||||
trimZone: Trim
|
||||
clearItems: Clear Items
|
||||
share: Share
|
||||
report: Report
|
||||
zoneTitle: Zóna
|
||||
zoneWidth: Šířka
|
||||
zoneHeight: Výška
|
||||
trimZone: Upravit zónu
|
||||
clearItems: Vymazat tvary
|
||||
share: Sdílet
|
||||
report: Nahlásit
|
||||
puzzleEditorControls:
|
||||
title: Puzzle Creator
|
||||
title: Puzzle editor
|
||||
instructions:
|
||||
- 1. Place <strong>Constant Producers</strong> to provide shapes and
|
||||
colors to the player
|
||||
- 2. Build one or more shapes you want the player to build later and
|
||||
deliver it to one or more <strong>Goal Acceptors</strong>
|
||||
- 3. Once a Goal Acceptor receives a shape for a certain amount of
|
||||
time, it <strong>saves it as a goal</strong> that the player must
|
||||
produce later (Indicated by the <strong>green badge</strong>).
|
||||
- 4. Click the <strong>lock button</strong> on a building to disable
|
||||
it.
|
||||
- 5. Once you click review, your puzzle will be validated and you
|
||||
can publish it.
|
||||
- 6. Upon release, <strong>all buildings will be removed</strong>
|
||||
except for the Producers and Goal Acceptors - That's the part that
|
||||
the player is supposed to figure out for themselves, after all :)
|
||||
- 1. Umístěte <strong>výrobníky</strong>, které poskytnou hráči
|
||||
tvary a barvy.
|
||||
- 2. Sestavte jeden či více tvarů, které chcete, aby hráč vytvořil a
|
||||
doručte to do jednoho či více <strong>příjemců cílů</strong>.
|
||||
- 3. Jakmile příjemce cílů dostane určitý tvar za určitý časový
|
||||
úsek, <strong>uloží se jako cíl</strong>, který hráč musí
|
||||
pozdeji vyprodukovat (Označeno <strong>zeleným odznakem</strong>).
|
||||
- 4. Kliknutím na <strong>tlačítko zámku</strong> na určité budově dojde k její
|
||||
deaktivaci.
|
||||
- 5. Jakmile kliknete na ověření, vaše puzzle bude ověřeno a můžete
|
||||
ho publikovat.
|
||||
- 6. Během publikace budou kromě výrobníků a příjemců cílů
|
||||
<strong>všechny budovy odstraněny</strong> - To je ta část,
|
||||
na kterou má koneckonců každý hráč přijít sám. :)
|
||||
puzzleCompletion:
|
||||
title: Puzzle Completed!
|
||||
titleLike: "Click the heart if you liked the puzzle:"
|
||||
titleRating: How difficult did you find the puzzle?
|
||||
titleRatingDesc: Your rating will help me to make you better suggestions in the future
|
||||
continueBtn: Keep Playing
|
||||
title: Puzzle dokončeno!
|
||||
titleLike: "Klikněte na srdíčko, pokud se vám puzzle líbilo:"
|
||||
titleRating: Jak obtížný ti tento puzzle přišel?
|
||||
titleRatingDesc: Vaše hodnocení nám pomůže podat vám v budoucnu lepší návrhy
|
||||
continueBtn: Hrát dál
|
||||
menuBtn: Menu
|
||||
puzzleMetadata:
|
||||
author: Author
|
||||
shortKey: Short Key
|
||||
rating: Difficulty score
|
||||
averageDuration: Avg. Duration
|
||||
completionRate: Completion rate
|
||||
author: Autor
|
||||
shortKey: Krátký klíč
|
||||
rating: Úrověn obtížnosti
|
||||
averageDuration: Prům. doba trvání
|
||||
completionRate: Míra dokončení
|
||||
shopUpgrades:
|
||||
belt:
|
||||
name: Pásy, distribuce a tunely
|
||||
@ -512,7 +512,7 @@ buildings:
|
||||
name: Rotor
|
||||
description: Otáčí tvary o 90 stupňů po směru hodinových ručiček.
|
||||
ccw:
|
||||
name: Rotor (opačný)
|
||||
name: Rotor (Opačný)
|
||||
description: Otáčí tvary o 90 stupňů proti směru hodinových ručiček.
|
||||
rotate180:
|
||||
name: Rotor (180°)
|
||||
@ -657,16 +657,16 @@ buildings:
|
||||
kabelů na běžnou vrstvu.
|
||||
constant_producer:
|
||||
default:
|
||||
name: Constant Producer
|
||||
description: Constantly outputs a specified shape or color.
|
||||
name: Výrobník
|
||||
description: Neustále vydává zadaný tvar či barvu.
|
||||
goal_acceptor:
|
||||
default:
|
||||
name: Goal Acceptor
|
||||
description: Deliver shapes to the goal acceptor to set them as a goal.
|
||||
name: Příjemce cílů
|
||||
description: Doručte tvary příjemci cílů, abyste je nastavili jako cíl.
|
||||
block:
|
||||
default:
|
||||
name: Block
|
||||
description: Allows you to block a tile.
|
||||
name: Blok
|
||||
description: Umožňuje zablokovat políčko.
|
||||
storyRewards:
|
||||
reward_cutter_and_trash:
|
||||
title: Řezání tvarů
|
||||
@ -1062,14 +1062,14 @@ keybindings:
|
||||
comparator: Porovnávač
|
||||
item_producer: Výrobník předmětů (Sandbox)
|
||||
copyWireValue: "Kabely: Zkopírovat hodnotu pod kurzorem"
|
||||
rotateToUp: "Rotate: Point Up"
|
||||
rotateToDown: "Rotate: Point Down"
|
||||
rotateToRight: "Rotate: Point Right"
|
||||
rotateToLeft: "Rotate: Point Left"
|
||||
constant_producer: Constant Producer
|
||||
goal_acceptor: Goal Acceptor
|
||||
block: Block
|
||||
massSelectClear: Clear belts
|
||||
rotateToUp: "Otočit: Nahoru"
|
||||
rotateToDown: "Otočit: Dolů"
|
||||
rotateToRight: "Otočit: Doprava"
|
||||
rotateToLeft: "Otočit: Doleva"
|
||||
constant_producer: Výrobník
|
||||
goal_acceptor: Přijemce cílů
|
||||
block: Blok
|
||||
massSelectClear: Vymazat pásy
|
||||
about:
|
||||
title: O hře
|
||||
body: >-
|
||||
@ -1165,56 +1165,56 @@ tips:
|
||||
- Stisknutím F4 dvakrát zobrazíte souřadnici myši a kamery.
|
||||
- Můžete kliknout na připínáček vlevo vedle připnutého tvaru k jeho odepnutí.
|
||||
puzzleMenu:
|
||||
play: Play
|
||||
edit: Edit
|
||||
title: Puzzle Mode
|
||||
createPuzzle: Create Puzzle
|
||||
loadPuzzle: Load
|
||||
reviewPuzzle: Review & Publish
|
||||
validatingPuzzle: Validating Puzzle
|
||||
submittingPuzzle: Submitting Puzzle
|
||||
noPuzzles: There are currently no puzzles in this section.
|
||||
play: Hrát
|
||||
edit: Upravit
|
||||
title: Puzzle mód
|
||||
createPuzzle: Vytvořit puzzle
|
||||
loadPuzzle: Načíst
|
||||
reviewPuzzle: Ověření a publikace
|
||||
validatingPuzzle: Ověřování puzzlu
|
||||
submittingPuzzle: Odesílání puzzlu
|
||||
noPuzzles: V této sekci momentálně nejsou žádné puzzly.
|
||||
categories:
|
||||
levels: Levels
|
||||
new: New
|
||||
top-rated: Top Rated
|
||||
mine: My Puzzles
|
||||
short: Short
|
||||
easy: Easy
|
||||
hard: Hard
|
||||
completed: Completed
|
||||
levels: Úrovně
|
||||
new: Nové
|
||||
top-rated: Nejlépe hodnocené
|
||||
mine: Moje puzzly
|
||||
short: Krátké
|
||||
easy: Lehké
|
||||
hard: Těžké
|
||||
completed: Dokončeno
|
||||
validation:
|
||||
title: Invalid Puzzle
|
||||
noProducers: Please place a Constant Producer!
|
||||
noGoalAcceptors: Please place a Goal Acceptor!
|
||||
goalAcceptorNoItem: One or more Goal Acceptors have not yet assigned an item.
|
||||
Deliver a shape to them to set a goal.
|
||||
goalAcceptorRateNotMet: One or more Goal Acceptors are not getting enough items.
|
||||
Make sure that the indicators are green for all acceptors.
|
||||
buildingOutOfBounds: One or more buildings are outside of the buildable area.
|
||||
Either increase the area or remove them.
|
||||
autoComplete: Your puzzle autocompletes itself! Please make sure your constant
|
||||
producers are not directly delivering to your goal acceptors.
|
||||
title: Neplatný puzzle
|
||||
noProducers: Prosím umístěte výrobník!
|
||||
noGoalAcceptors: Prosím umístěte příjemce cílů!
|
||||
goalAcceptorNoItem: Jeden nebo více příjemců cílů ještě nemají nastavený tvar.
|
||||
Doručte jim tvar, abyste jej nastavili jako cíl.
|
||||
goalAcceptorRateNotMet: Jeden nebo více příjemců cílů nedostávají dostatečný počet tvarů.
|
||||
Ujistěte se, že indikátory jsou zelené pro všechny příjemce.
|
||||
buildingOutOfBounds: Jedna nebo více budov je mimo zastavitelnou oblast.
|
||||
Buď zvětšete plochu, nebo je odstraňte.
|
||||
autoComplete: Váš puzzle automaticky dokončuje sám sebe! Ujistěte se, že vyrobníky
|
||||
nedodávají své tvary přímo do přijemců cílů.
|
||||
backendErrors:
|
||||
ratelimit: You are performing your actions too frequent. Please wait a bit.
|
||||
invalid-api-key: Failed to communicate with the backend, please try to
|
||||
update/restart the game (Invalid Api Key).
|
||||
unauthorized: Failed to communicate with the backend, please try to
|
||||
update/restart the game (Unauthorized).
|
||||
bad-token: Failed to communicate with the backend, please try to update/restart
|
||||
the game (Bad Token).
|
||||
bad-id: Invalid puzzle identifier.
|
||||
not-found: The given puzzle could not be found.
|
||||
bad-category: The given category could not be found.
|
||||
bad-short-key: The given short key is invalid.
|
||||
profane-title: Your puzzle title contains profane words.
|
||||
bad-title-too-many-spaces: Your puzzle title is too short.
|
||||
bad-shape-key-in-emitter: A constant producer has an invalid item.
|
||||
bad-shape-key-in-goal: A goal acceptor has an invalid item.
|
||||
no-emitters: Your puzzle does not contain any constant producers.
|
||||
no-goals: Your puzzle does not contain any goal acceptors.
|
||||
short-key-already-taken: This short key is already taken, please use another one.
|
||||
can-not-report-your-own-puzzle: You can not report your own puzzle.
|
||||
bad-payload: The request contains invalid data.
|
||||
bad-building-placement: Your puzzle contains invalid placed buildings.
|
||||
timeout: The request timed out.
|
||||
ratelimit: Provádíte své akce příliš často. Počkejte prosím.
|
||||
invalid-api-key: Komunikace s back-endem se nezdařila, prosím zkuste
|
||||
aktualizovat/restartovat hru (Neplatný API klíč).
|
||||
unauthorized: Komunikace s back-endem se nezdařila, prosím zkuste
|
||||
aktualizovat/restartovat hru (Bez autorizace).
|
||||
bad-token: Komunikace s back-endem se nezdařila, prosím zkuste
|
||||
aktualizovat/restartovat hru (Špatný token).
|
||||
bad-id: Neplatný identifikátor puzzlu.
|
||||
not-found: Daný puzzle nebyl nalezen.
|
||||
bad-category: Daná kategorie nebyla nalezena.
|
||||
bad-short-key: Krátký klíč je neplatný.
|
||||
profane-title: Název vašeho puzzlu obsahuje rouhavá slova.
|
||||
bad-title-too-many-spaces: Název vašeho puzzlu je příliš krátký.
|
||||
bad-shape-key-in-emitter: Výrobník má nastaven neplatný tvar.
|
||||
bad-shape-key-in-goal: Příjemce cílů má nastaven neplatný tvar.
|
||||
no-emitters: Váš puzzle neobsahuje žádné výrobníky.
|
||||
no-goals: Váš puzzle neobsahuje žádné příjemce cílů.
|
||||
short-key-already-taken: Tento krátký klíč je již používán, zadejte prosím jiný.
|
||||
can-not-report-your-own-puzzle: Nemůžete nahlásit vlastní puzzle.
|
||||
bad-payload: Žádost obsahuje neplatná data.
|
||||
bad-building-placement: Váš puzzle obsahuje neplatně umístěné budovy.
|
||||
timeout: Žádost vypršela.
|
||||
|
@ -215,7 +215,7 @@ dialogs:
|
||||
offlineMode:
|
||||
title: Offline Mode
|
||||
desc: We couldn't reach the servers, so the game has to run in offline mode.
|
||||
Please make sure you have an active internect connection.
|
||||
Please make sure you have an active internet connection.
|
||||
puzzleDownloadError:
|
||||
title: Download Error
|
||||
desc: "Failed to download the puzzle:"
|
||||
|
@ -70,11 +70,11 @@ mainMenu:
|
||||
savegameLevel: Level <x>
|
||||
savegameLevelUnknown: Unbekanntes Level
|
||||
savegameUnnamed: Unbenannt
|
||||
puzzleMode: Puzzle Mode
|
||||
back: Back
|
||||
puzzleDlcText: Do you enjoy compacting and optimizing factories? Get the Puzzle
|
||||
DLC now on Steam for even more fun!
|
||||
puzzleDlcWishlist: Wishlist now!
|
||||
puzzleMode: Puzzlemodus
|
||||
back: Zurück
|
||||
puzzleDlcText: Du hast Spaß daran, deine Fabriken zu optimieren und effizienter zu machen?
|
||||
Hol dir den Puzzle DLC auf Steam für noch mehr Spaß!
|
||||
puzzleDlcWishlist: Jetzt zur Wunschliste hinzufügen!
|
||||
dialogs:
|
||||
buttons:
|
||||
ok: OK
|
||||
@ -88,9 +88,9 @@ dialogs:
|
||||
viewUpdate: Update anzeigen
|
||||
showUpgrades: Upgrades anzeigen
|
||||
showKeybindings: Kürzel anzeigen
|
||||
retry: Retry
|
||||
continue: Continue
|
||||
playOffline: Play Offline
|
||||
retry: Erneut versuchen
|
||||
continue: Fortsetzen
|
||||
playOffline: Offline spielen
|
||||
importSavegameError:
|
||||
title: Importfehler
|
||||
text: "Fehler beim Importieren deines Speicherstands:"
|
||||
@ -212,7 +212,7 @@ dialogs:
|
||||
offlineMode:
|
||||
title: Offline Mode
|
||||
desc: We couldn't reach the servers, so the game has to run in offline mode.
|
||||
Please make sure you have an active internect connection.
|
||||
Please make sure you have an active internet connection.
|
||||
puzzleDownloadError:
|
||||
title: Download Error
|
||||
desc: "Failed to download the puzzle:"
|
||||
@ -1221,56 +1221,56 @@ tips:
|
||||
bestimmen.
|
||||
- Du kannst die angehefteten Formen am linken Rand wieder entfernen.
|
||||
puzzleMenu:
|
||||
play: Play
|
||||
edit: Edit
|
||||
title: Puzzle Mode
|
||||
createPuzzle: Create Puzzle
|
||||
loadPuzzle: Load
|
||||
reviewPuzzle: Review & Publish
|
||||
validatingPuzzle: Validating Puzzle
|
||||
submittingPuzzle: Submitting Puzzle
|
||||
noPuzzles: There are currently no puzzles in this section.
|
||||
play: Spielen
|
||||
edit: bearbeiten
|
||||
title: Puzzle Modus
|
||||
createPuzzle: Puzzle erstellen
|
||||
loadPuzzle: Laden
|
||||
reviewPuzzle: Überprüfen & Veröffentlichen
|
||||
validatingPuzzle: Puzzle wird überprüft
|
||||
submittingPuzzle: Puzzle wird veröffentlicht
|
||||
noPuzzles: Hier gibt es bisher noch keine Puzzles.
|
||||
categories:
|
||||
levels: Levels
|
||||
new: New
|
||||
top-rated: Top Rated
|
||||
mine: My Puzzles
|
||||
short: Short
|
||||
easy: Easy
|
||||
hard: Hard
|
||||
completed: Completed
|
||||
new: Neu
|
||||
top-rated: Am besten bewertet
|
||||
mine: Meine Puzzles
|
||||
short: Kurz
|
||||
easy: Einfach
|
||||
hard: Schwierig
|
||||
completed: Abgeschlossen
|
||||
validation:
|
||||
title: Invalid Puzzle
|
||||
noProducers: Please place a Constant Producer!
|
||||
noGoalAcceptors: Please place a Goal Acceptor!
|
||||
goalAcceptorNoItem: One or more Goal Acceptors have not yet assigned an item.
|
||||
Deliver a shape to them to set a goal.
|
||||
goalAcceptorRateNotMet: One or more Goal Acceptors are not getting enough items.
|
||||
Make sure that the indicators are green for all acceptors.
|
||||
buildingOutOfBounds: One or more buildings are outside of the buildable area.
|
||||
Either increase the area or remove them.
|
||||
autoComplete: Your puzzle autocompletes itself! Please make sure your constant
|
||||
producers are not directly delivering to your goal acceptors.
|
||||
title: Ungültiges Puzzle
|
||||
noProducers: Bitte plaziere einen Item-Produzent!
|
||||
noGoalAcceptors: Bitte plaziere einen Ziel-Akzeptor!
|
||||
goalAcceptorNoItem: Einer oder mehrere Ziel-Akzeptoren haben noch kein zugewiesenes Item.
|
||||
Liefere eine Form zu diesen, um ein Ziel zu setzen.
|
||||
goalAcceptorRateNotMet: Einer oder mehrere Ziel-Aktzeptoren bekommen nicht genügend Items.
|
||||
Stelle sicher, dass alle Akzeptatorindikatoren grün sind.
|
||||
buildingOutOfBounds: Ein oder mehrere Gebäude befinden sich außerhalb des beabauren Bereichs.
|
||||
Vergrößere den Bereich oder entferene die Gebäude.
|
||||
autoComplete: Dein Puzzle schließt sich selbst ab! Bitte stelle sicher, dass deine Item-Produzent
|
||||
nicht direkt an deine Ziel-Akzeptoren lieferen.
|
||||
backendErrors:
|
||||
ratelimit: You are performing your actions too frequent. Please wait a bit.
|
||||
invalid-api-key: Failed to communicate with the backend, please try to
|
||||
update/restart the game (Invalid Api Key).
|
||||
unauthorized: Failed to communicate with the backend, please try to
|
||||
update/restart the game (Unauthorized).
|
||||
bad-token: Failed to communicate with the backend, please try to update/restart
|
||||
the game (Bad Token).
|
||||
bad-id: Invalid puzzle identifier.
|
||||
not-found: The given puzzle could not be found.
|
||||
bad-category: The given category could not be found.
|
||||
bad-short-key: The given short key is invalid.
|
||||
profane-title: Your puzzle title contains profane words.
|
||||
bad-title-too-many-spaces: Your puzzle title is too short.
|
||||
bad-shape-key-in-emitter: A constant producer has an invalid item.
|
||||
bad-shape-key-in-goal: A goal acceptor has an invalid item.
|
||||
no-emitters: Your puzzle does not contain any constant producers.
|
||||
no-goals: Your puzzle does not contain any goal acceptors.
|
||||
short-key-already-taken: This short key is already taken, please use another one.
|
||||
can-not-report-your-own-puzzle: You can not report your own puzzle.
|
||||
bad-payload: The request contains invalid data.
|
||||
bad-building-placement: Your puzzle contains invalid placed buildings.
|
||||
timeout: The request timed out.
|
||||
ratelimit: Du führst Aktionen zu schnell aus. Bitte warte kurz.
|
||||
invalid-api-key: Kommunikation mit dem Back-End fehlgeschlagen, veruche das Spiel
|
||||
neustarten oder zu updaten (Ungültiger Api-Schlüssel).
|
||||
unauthorized: Kommunikation mit dem Back-End fehlgeschlagen, veruche das Spiel
|
||||
neustarten oder zu updaten (Nicht autorisiert).
|
||||
bad-token: Kommunikation mit dem Back-End fehlgeschlagen, veruche das Spiel
|
||||
neustarten oder zu updaten (Ungültiger Token).
|
||||
bad-id: Ungültige Puzzle Identifikation.
|
||||
not-found: Das gegebene Puzzle konnte nicht gefunden werden.
|
||||
bad-category: Die gegebene Kategorie konnte nicht gefunden werden.
|
||||
bad-short-key: Der gegebene Kurzschlüssel ist ungültig.
|
||||
profane-title: Dein Puzzletitel enthält ungültige Wörter.
|
||||
bad-title-too-many-spaces: Dein Puzzletitel ist zu kurz.
|
||||
bad-shape-key-in-emitter: Einem konstanten Produzenten wurde ein ungültiges Item zugewiesen.
|
||||
bad-shape-key-in-goal: Einem Ziel-Akzeptor wurde ein ungültiges Item zugewiesen.
|
||||
no-emitters: Dein Puzzle enthält keine konstanten Produzenten.
|
||||
no-goals: Dein Puzzle enthält keine Ziel-Akzeptoren.
|
||||
short-key-already-taken: Dieser Kurzschlüssel ist bereits vergeben, bitte wähle einen anderen.
|
||||
can-not-report-your-own-puzzle: Du kannst nicht dein eigenes Puzzle melden.
|
||||
bad-payload: Die Anfrage beinhaltet ungültige Daten.
|
||||
bad-building-placement: Dein Puzzle beinhaltet Gebäude, die sich an ungültigen Stellen befinden.
|
||||
timeout: Es kam zu einer Zeitüberschreitung bei der Anfrage.
|
||||
|
@ -71,14 +71,13 @@ mainMenu:
|
||||
savegameLevelUnknown: Άγνωστο Επίπεδο
|
||||
continue: Συνέχεια
|
||||
newGame: Καινούριο παιχνίδι
|
||||
madeBy: Made by <author-link>
|
||||
madeBy: Κατασκευασμένο απο <author-link>
|
||||
subreddit: Reddit
|
||||
savegameUnnamed: Unnamed
|
||||
puzzleMode: Puzzle Mode
|
||||
back: Back
|
||||
puzzleDlcText: Do you enjoy compacting and optimizing factories? Get the Puzzle
|
||||
DLC now on Steam for even more fun!
|
||||
puzzleDlcWishlist: Wishlist now!
|
||||
puzzleMode: Λειτουργία παζλ
|
||||
back: Πίσω
|
||||
puzzleDlcText: Σε αρέσει να συμπάγης και να βελτιστοποίεις εργοστάσια; Πάρε την λειτουργεία παζλ στο Steam για ακόμη περισσότερη πλάκα!
|
||||
puzzleDlcWishlist: Βαλτε το στην λίστα επιθυμιών τώρα!
|
||||
dialogs:
|
||||
buttons:
|
||||
ok: OK
|
||||
@ -186,13 +185,14 @@ dialogs:
|
||||
desc: Δεν έχεις τους πόρους να επικολλήσεις αυτήν την περιοχή! Είσαι βέβαιος/η
|
||||
ότι θέλεις να την αποκόψεις;
|
||||
editSignal:
|
||||
title: Set Signal
|
||||
descItems: "Choose a pre-defined item:"
|
||||
descShortKey: ... or enter the <strong>short key</strong> of a shape (Which you
|
||||
can generate <link>here</link>)
|
||||
title: Βάλε σήμα
|
||||
descItems: "Διάλεξε ενα προκαθορισμένο αντικείμενο:"
|
||||
descShortKey:
|
||||
... ή εισάγετε ενα <strong>ενα μικρό κλειδι</strong> απο ένα σχήμα (Που μπορείς να παράγεις
|
||||
<link>εδώ</link>)
|
||||
renameSavegame:
|
||||
title: Rename Savegame
|
||||
desc: You can rename your savegame here.
|
||||
title: Μετανόμασε το αποθηκευμένου παιχνιδι.
|
||||
desc: Μπορείς να μετανομάσεις το αποθηκευμένο σου παιχνίδι εδω.
|
||||
tutorialVideoAvailable:
|
||||
title: Tutorial Available
|
||||
desc: There is a tutorial video available for this level! Would you like to
|
||||
@ -204,36 +204,36 @@ dialogs:
|
||||
editConstantProducer:
|
||||
title: Set Item
|
||||
puzzleLoadFailed:
|
||||
title: Puzzles failed to load
|
||||
desc: "Unfortunately the puzzles could not be loaded:"
|
||||
title: Απέτυχε να φορτώσει το παζλ.
|
||||
desc: "Δυστυχώς το παζλ δεν μπορούσε να φορτωθεί:"
|
||||
submitPuzzle:
|
||||
title: Submit Puzzle
|
||||
descName: "Give your puzzle a name:"
|
||||
descIcon: "Please enter a unique short key, which will be shown as the icon of
|
||||
your puzzle (You can generate them <link>here</link>, or choose one
|
||||
of the randomly suggested shapes below):"
|
||||
placeholderName: Puzzle Title
|
||||
title: Υπόβαλε παζλ
|
||||
descName: "Δώσε όνομα στο παζλ:"
|
||||
descIcon: "Παρακαλούμε εισάγετε ενα μικρό κλειδι, που θα προβληθεί εως το εικονίδιο
|
||||
για το παζλ (Μπορείς να το παράγεις <link>εδώ</link>, ή διάλεξε ενα
|
||||
ενα από τα παρακάτω τυχαία προτεινόμενα σχήματα):"
|
||||
placeholderName: Τίτλος παζλ
|
||||
puzzleResizeBadBuildings:
|
||||
title: Resize not possible
|
||||
desc: You can't make the zone any smaller, because then some buildings would be
|
||||
outside the zone.
|
||||
puzzleLoadError:
|
||||
title: Bad Puzzle
|
||||
desc: "The puzzle failed to load:"
|
||||
title: Κακό παζλ
|
||||
desc: "Το πάζλ απέτυχε να φορτώθει:"
|
||||
offlineMode:
|
||||
title: Offline Mode
|
||||
desc: We couldn't reach the servers, so the game has to run in offline mode.
|
||||
Please make sure you have an active internect connection.
|
||||
Please make sure you have an active internet connection.
|
||||
puzzleDownloadError:
|
||||
title: Download Error
|
||||
desc: "Failed to download the puzzle:"
|
||||
title: Σφάλμα λήψης
|
||||
desc: "Απέτυχε να κατεβαθεί το πάζλ:"
|
||||
puzzleSubmitError:
|
||||
title: Submission Error
|
||||
desc: "Failed to submit your puzzle:"
|
||||
puzzleSubmitOk:
|
||||
title: Puzzle Published
|
||||
desc: Congratulations! Your puzzle has been published and can now be played by
|
||||
others. You can now find it in the "My puzzles" section.
|
||||
title: Δημοσίευτηκε το παζλ
|
||||
desc: Συγχαρητήρια! Το παζλ σας έχει δημοσιευτεί και μπορείτε τώρα να το παίξουν
|
||||
οι υπολοιποι. Τώρα μπορείτε να το βρείτε στην ενότητα "Τα παζλ μου".
|
||||
puzzleCreateOffline:
|
||||
title: Offline Mode
|
||||
desc: Since you are offline, you will not be able to save and/or publish your
|
||||
@ -244,9 +244,9 @@ dialogs:
|
||||
before attempting the puzzle DLC, otherwise you may encounter
|
||||
mechanics not yet introduced. Do you still want to continue?
|
||||
puzzleShare:
|
||||
title: Short Key Copied
|
||||
desc: The short key of the puzzle (<key>) has been copied to your clipboard! It
|
||||
can be entered in the puzzle menu to access the puzzle.
|
||||
title: Μικρό κλειδι αντιγράφηκε
|
||||
desc: Το μικρο κλειδή απο το παζλ (<key>) αντιγράφηκε στο πρόχειρο! Το
|
||||
μπορεί να εισαχθεί στο μενού παζλ για πρόσβαση στο παζλ.
|
||||
puzzleReport:
|
||||
title: Report Puzzle
|
||||
options:
|
||||
@ -443,22 +443,21 @@ ingame:
|
||||
share: Share
|
||||
report: Report
|
||||
puzzleEditorControls:
|
||||
title: Puzzle Creator
|
||||
title: Κατασκευαστείς παζλ.
|
||||
instructions:
|
||||
- 1. Place <strong>Constant Producers</strong> to provide shapes and
|
||||
colors to the player
|
||||
- 2. Build one or more shapes you want the player to build later and
|
||||
deliver it to one or more <strong>Goal Acceptors</strong>
|
||||
- 3. Once a Goal Acceptor receives a shape for a certain amount of
|
||||
time, it <strong>saves it as a goal</strong> that the player must
|
||||
produce later (Indicated by the <strong>green badge</strong>).
|
||||
- 4. Click the <strong>lock button</strong> on a building to disable
|
||||
it.
|
||||
- 5. Once you click review, your puzzle will be validated and you
|
||||
can publish it.
|
||||
- 6. Upon release, <strong>all buildings will be removed</strong>
|
||||
except for the Producers and Goal Acceptors - That's the part that
|
||||
the player is supposed to figure out for themselves, after all :)
|
||||
- 1. Τοποθετήστε τους <strong> σταθερούς παραγωγούς </strong> για να δώσετε σχήματα και
|
||||
χρώματα στον
|
||||
- 2. Δημιουργήστε ένα ή περισσότερα σχήματα που θέλετε να δημιουργήσει ο παίκτης αργότερα και
|
||||
παραδώστε το σε έναν ή περισσότερους <strong> Αποδέκτες στόχων </strong>
|
||||
- 3. Μόλις ένας Αποδέκτης Στόχου λάβει ένα σχήμα για ένα ορισμένο ποσό
|
||||
χρόνο, <strong> το αποθηκεύει ως στόχο </strong> που πρέπει να κάνει ο παίκτης
|
||||
παράγει αργότερα (Υποδεικνύεται από το <strong> πράσινο σήμα </strong>).
|
||||
- 4. Κάντε κλικ στο <strong> κουμπί κλειδώματος </strong> σε ένα κτίριο για να το απενεργοποίησετε.
|
||||
- 5. Μόλις κάνετε κλικ στην κριτική, το παζλ σας θα επικυρωθεί και εσείς
|
||||
μπορεί να το δημοσιεύσει.
|
||||
- 6. Μετά την κυκλοφόρηση του παζλ, <strong> όλα τα κτίρια θα αφαιρεθούν </strong>
|
||||
εκτός από τους παραγωγούς και τους αποδέκτες στόχων - Αυτό είναι το μέρος που
|
||||
ο παίκτης υποτίθεται ότι θα καταλάβει μόνοι του :)
|
||||
puzzleCompletion:
|
||||
title: Puzzle Completed!
|
||||
titleLike: "Click the heart if you liked the puzzle:"
|
||||
|
@ -140,11 +140,23 @@ puzzleMenu:
|
||||
levels: Levels
|
||||
new: New
|
||||
top-rated: Top Rated
|
||||
mine: My Puzzles
|
||||
short: Short
|
||||
mine: Created
|
||||
easy: Easy
|
||||
medium: Medium
|
||||
hard: Hard
|
||||
completed: Completed
|
||||
official: Official
|
||||
trending: Trending today
|
||||
trending-weekly: Trending weekly
|
||||
categories: Categories
|
||||
difficulties: By Difficulty
|
||||
account: My Puzzles
|
||||
search: Search
|
||||
|
||||
difficulties:
|
||||
easy: Easy
|
||||
medium: Medium
|
||||
hard: Hard
|
||||
|
||||
validation:
|
||||
title: Invalid Puzzle
|
||||
@ -327,7 +339,7 @@ dialogs:
|
||||
offlineMode:
|
||||
title: Offline Mode
|
||||
desc: >-
|
||||
We couldn't reach the servers, so the game has to run in offline mode. Please make sure you have an active internect connection.
|
||||
We couldn't reach the servers, so the game has to run in offline mode. Please make sure you have an active internet connection.
|
||||
|
||||
puzzleDownloadError:
|
||||
title: Download Error
|
||||
|
@ -17,7 +17,7 @@ steamPage:
|
||||
what_others_say: Lo que otras personas dicen sobre shapez.io
|
||||
nothernlion_comment: Este juego es estupendo - Estoy teniendo un tiempo
|
||||
maravolloso jugano, y el tiempo ha pasado volando.
|
||||
notch_comment: Miercoles. Verdaderamente debería dormir, pero creo que acabo de
|
||||
notch_comment: Miércoles. Verdaderamente debería dormir, pero creo que acabo de
|
||||
descubrir como hacer un ordenador en shapez.io
|
||||
steam_review_comment: Este juego ha robado mi vida y no la quiero de vuelta. Muy
|
||||
relajante juego de fábrica que no me dejará hacer mis lineas más
|
||||
@ -73,11 +73,11 @@ mainMenu:
|
||||
savegameLevel: Nivel <x>
|
||||
savegameLevelUnknown: Nivel desconocido
|
||||
savegameUnnamed: Sin nombre
|
||||
puzzleMode: Puzzle Mode
|
||||
back: Back
|
||||
puzzleDlcText: Do you enjoy compacting and optimizing factories? Get the Puzzle
|
||||
DLC now on Steam for even more fun!
|
||||
puzzleDlcWishlist: Wishlist now!
|
||||
puzzleMode: Modo Puzle
|
||||
back: Atrás
|
||||
puzzleDlcText: ¿Disfrutas compactando y optimizando fábricas?
|
||||
¡Consigue ahora el DLC de Puzles en Steam para aún más diversión!
|
||||
puzzleDlcWishlist: Añádelo ahora a tu lista de deseos!
|
||||
dialogs:
|
||||
buttons:
|
||||
ok: OK
|
||||
@ -91,9 +91,9 @@ dialogs:
|
||||
viewUpdate: Ver actualización
|
||||
showUpgrades: Ver mejoras
|
||||
showKeybindings: Ver atajos de teclado
|
||||
retry: Retry
|
||||
continue: Continue
|
||||
playOffline: Play Offline
|
||||
retry: Reintentar
|
||||
continue: Continuar
|
||||
playOffline: Jugar Offline
|
||||
importSavegameError:
|
||||
title: Error de importación
|
||||
text: "Fallo al importar tu partida guardada:"
|
||||
@ -105,7 +105,7 @@ dialogs:
|
||||
text: "No se ha podido cargar la partida guardada:"
|
||||
confirmSavegameDelete:
|
||||
title: Confirmar borrado
|
||||
text: ¿Estás seguro de querér borrar el siguiente guardado?<br><br>
|
||||
text: ¿Estás seguro de que quieres borrar el siguiente guardado?<br><br>
|
||||
'<savegameName>' que está en el nivel <savegameLevel><br><br> ¡Esto
|
||||
no se puede deshacer!
|
||||
savegameDeletionError:
|
||||
@ -183,7 +183,7 @@ dialogs:
|
||||
crashear tu juego!
|
||||
editSignal:
|
||||
title: Establecer señal
|
||||
descItems: "Elige un item pre-definido:"
|
||||
descItems: "Elige un item predefinido:"
|
||||
descShortKey: ... o escribe la <strong>clave</strong> de una forma (La cual
|
||||
puedes generar <link>aquí</link>)
|
||||
renameSavegame:
|
||||
@ -199,64 +199,63 @@ dialogs:
|
||||
editConstantProducer:
|
||||
title: Set Item
|
||||
puzzleLoadFailed:
|
||||
title: Puzzles failed to load
|
||||
desc: "Unfortunately the puzzles could not be loaded:"
|
||||
title: Fallo al cargar los Puzles
|
||||
desc: "Desafortunadamente, no se pudieron cargar los puzles."
|
||||
submitPuzzle:
|
||||
title: Submit Puzzle
|
||||
descName: "Give your puzzle a name:"
|
||||
descIcon: "Please enter a unique short key, which will be shown as the icon of
|
||||
your puzzle (You can generate them <link>here</link>, or choose one
|
||||
of the randomly suggested shapes below):"
|
||||
placeholderName: Puzzle Title
|
||||
title: Enviar Puzzle
|
||||
descName: "Nombra tu puzle:"
|
||||
descIcon: "Por favor ingresa una clave única, que será el icono de
|
||||
tu puzle (Puedes generarlas <link>aquí</link>, o escoger una
|
||||
de las formas sugeridas de forma aleatoria, aquí abajo):"
|
||||
placeholderName: Título del Puzle
|
||||
puzzleResizeBadBuildings:
|
||||
title: Resize not possible
|
||||
desc: You can't make the zone any smaller, because then some buildings would be
|
||||
outside the zone.
|
||||
title: No es posible cambiar el tamaño
|
||||
desc: No puedes hacer el área más pequeña, puesto que algunos edificios estarían fuera de esta.
|
||||
puzzleLoadError:
|
||||
title: Bad Puzzle
|
||||
desc: "The puzzle failed to load:"
|
||||
title: Fallo al cargar el puzle
|
||||
desc: "No se pudo cargar el puzle:"
|
||||
offlineMode:
|
||||
title: Offline Mode
|
||||
desc: We couldn't reach the servers, so the game has to run in offline mode.
|
||||
Please make sure you have an active internect connection.
|
||||
title: Modo sin conexión
|
||||
desc: No pudimos conectar con los servidores, y por ello el juego debe funcionar en el modo sin conexión.
|
||||
Por favor asegúrate de que tu conexión a internet funciona correctamente.
|
||||
puzzleDownloadError:
|
||||
title: Download Error
|
||||
desc: "Failed to download the puzzle:"
|
||||
title: Fallo al descargar
|
||||
desc: "Fallo al descargar el puzle:"
|
||||
puzzleSubmitError:
|
||||
title: Submission Error
|
||||
desc: "Failed to submit your puzzle:"
|
||||
title: Error al enviar
|
||||
desc: "No pudimos enviar tu puzle:"
|
||||
puzzleSubmitOk:
|
||||
title: Puzzle Published
|
||||
desc: Congratulations! Your puzzle has been published and can now be played by
|
||||
others. You can now find it in the "My puzzles" section.
|
||||
title: Puzle Publicado
|
||||
desc: ¡Enhorabuena! Tu puzle ha sido publicado y ahora pueden jugarlo otros. Puedes encontrarlo
|
||||
en la sección "Mis puzles".
|
||||
puzzleCreateOffline:
|
||||
title: Offline Mode
|
||||
desc: Since you are offline, you will not be able to save and/or publish your
|
||||
puzzle. Would you still like to continue?
|
||||
title: Modo sin conexión
|
||||
desc: Puesto que estás sin conexión, no podrás guardar y/o publicar tu
|
||||
puzle. ¿Quieres continuar igualmente?
|
||||
puzzlePlayRegularRecommendation:
|
||||
title: Recommendation
|
||||
desc: I <strong>strongly</strong> recommend playing the normal game to level 12
|
||||
before attempting the puzzle DLC, otherwise you may encounter
|
||||
mechanics not yet introduced. Do you still want to continue?
|
||||
title: Recomendación
|
||||
desc: Te recomiendo <strong>fuertemente</strong> jugar el juego normal hasta el nivel 12
|
||||
antes de intentar el DLC de puzles, de otra manera puede que te encuentres con
|
||||
mecánicas que aún no hemos introducido. ¿Quieres continuar igualmente?
|
||||
puzzleShare:
|
||||
title: Short Key Copied
|
||||
desc: The short key of the puzzle (<key>) has been copied to your clipboard! It
|
||||
can be entered in the puzzle menu to access the puzzle.
|
||||
title: Clave Copiada
|
||||
desc: Hemos copiado la clave de tu puzle (<key>) a tu portapapeles! Puedes
|
||||
ponerlo en el menú de puzles para acceder al puzle.
|
||||
puzzleReport:
|
||||
title: Report Puzzle
|
||||
title: Reportar Puzle
|
||||
options:
|
||||
profane: Profane
|
||||
unsolvable: Not solvable
|
||||
trolling: Trolling
|
||||
profane: Lenguaje soez
|
||||
unsolvable: Imposible de resolver
|
||||
trolling: Troll
|
||||
puzzleReportComplete:
|
||||
title: Thank you for your feedback!
|
||||
desc: The puzzle has been flagged.
|
||||
title: ¡Gracias por tu aporte!
|
||||
desc: El puzle ha sido marcado como abuso.
|
||||
puzzleReportError:
|
||||
title: Failed to report
|
||||
desc: "Your report could not get processed:"
|
||||
title: No se pudo reportar
|
||||
desc: "No pudimos procesar tu informe:"
|
||||
puzzleLoadShortKey:
|
||||
title: Enter short key
|
||||
desc: Enter the short key of the puzzle to load it.
|
||||
title: Introducir clave
|
||||
desc: Introduce la clave del puzle para cargarlo.
|
||||
ingame:
|
||||
keybindingsOverlay:
|
||||
moveMap: Mover
|
||||
@ -391,7 +390,7 @@ ingame:
|
||||
21_3_place_button: ¡Genial! ¡Ahora pon un <strong>Interruptor</strong> y
|
||||
conéctalo con cables!
|
||||
21_4_press_button: "Presiona el interruptor para hacer que <strong>emita una
|
||||
señal verdadera</strong> lo cual activa el pintador.<br><br> PD:
|
||||
señal</strong> lo cual activa el pintador.<br><br> PD:
|
||||
¡No necesitas conectar todas las entradas! Intenta conectando
|
||||
sólo dos."
|
||||
connectedMiners:
|
||||
@ -431,43 +430,43 @@ ingame:
|
||||
title: Logros
|
||||
desc: Atrapalos a todos!
|
||||
puzzleEditorSettings:
|
||||
zoneTitle: Zone
|
||||
zoneWidth: Width
|
||||
zoneHeight: Height
|
||||
trimZone: Trim
|
||||
clearItems: Clear Items
|
||||
share: Share
|
||||
report: Report
|
||||
zoneTitle: Área
|
||||
zoneWidth: Anchura
|
||||
zoneHeight: Altura
|
||||
trimZone: Área de recorte
|
||||
clearItems: Eliminar todos los elementos
|
||||
share: Compartir
|
||||
report: Reportar
|
||||
puzzleEditorControls:
|
||||
title: Puzzle Creator
|
||||
title: Editor de Puzles
|
||||
instructions:
|
||||
- 1. Place <strong>Constant Producers</strong> to provide shapes and
|
||||
colors to the player
|
||||
- 2. Build one or more shapes you want the player to build later and
|
||||
deliver it to one or more <strong>Goal Acceptors</strong>
|
||||
- 3. Once a Goal Acceptor receives a shape for a certain amount of
|
||||
time, it <strong>saves it as a goal</strong> that the player must
|
||||
produce later (Indicated by the <strong>green badge</strong>).
|
||||
- 4. Click the <strong>lock button</strong> on a building to disable
|
||||
it.
|
||||
- 5. Once you click review, your puzzle will be validated and you
|
||||
can publish it.
|
||||
- 6. Upon release, <strong>all buildings will be removed</strong>
|
||||
except for the Producers and Goal Acceptors - That's the part that
|
||||
the player is supposed to figure out for themselves, after all :)
|
||||
- 1. Pon <strong>Productores Constantes</strong> para proveer al jugador
|
||||
de formas y colores.
|
||||
- 2. Construye una o más formas que quieres que el jugador construya más tarde y
|
||||
llévalo hacia uno o más <strong>Aceptadores de Objetivos</strong>.
|
||||
- 3. Cuando un Aceptador de Objetivos recibe una forma por cierto tiempo,
|
||||
<strong>la guarda como un objetivo</strong> que el jugador debe producir
|
||||
más tarde (Lo sabrás por el <strong>indicador verde</strong>).
|
||||
- 4. Haz clic en el <strong>candado</strong> de un edificio para
|
||||
desactivarlo.
|
||||
- 5. Una vez hagas clic en "revisar", tu puzle será validado y podrás
|
||||
publicarlo.
|
||||
- 6. Una vez publicado, <strong>todos los edificios serán eliminados</strong>
|
||||
excepto los Productores and Aceptadores de Objetivo - Esa es la parte que
|
||||
el jugador debe averiguar por sí mismo, después de todo :)
|
||||
puzzleCompletion:
|
||||
title: Puzzle Completed!
|
||||
titleLike: "Click the heart if you liked the puzzle:"
|
||||
titleRating: How difficult did you find the puzzle?
|
||||
titleRatingDesc: Your rating will help me to make you better suggestions in the future
|
||||
continueBtn: Keep Playing
|
||||
menuBtn: Menu
|
||||
title: Puzle Completado!
|
||||
titleLike: "Haz click en el corazón si te gustó el puzle:"
|
||||
titleRating: ¿Cuánta dificultad tuviste al resolver el puzle?
|
||||
titleRatingDesc: Tu puntuación me ayudará a hacerte mejores sugerencias en el futuro
|
||||
continueBtn: Continuar Jugando
|
||||
menuBtn: Menú
|
||||
puzzleMetadata:
|
||||
author: Author
|
||||
shortKey: Short Key
|
||||
rating: Difficulty score
|
||||
averageDuration: Avg. Duration
|
||||
completionRate: Completion rate
|
||||
author: Autor
|
||||
shortKey: Clave
|
||||
rating: Puntuación de dificultad
|
||||
averageDuration: Duración media
|
||||
completionRate: Índice de finalización
|
||||
shopUpgrades:
|
||||
belt:
|
||||
name: Cintas transportadoras, Distribuidores y Túneles
|
||||
@ -486,7 +485,7 @@ buildings:
|
||||
deliver: Entregar
|
||||
toUnlock: para desbloquear
|
||||
levelShortcut: Nivel
|
||||
endOfDemo: Final de la demo
|
||||
endOfDemo: Fin de la demo
|
||||
belt:
|
||||
default:
|
||||
name: Cinta Transportadora
|
||||
@ -535,7 +534,7 @@ buildings:
|
||||
name: Rotador (Inverso)
|
||||
description: Rota las figuras en sentido antihorario 90 grados.
|
||||
rotate180:
|
||||
name: Rotador (180)
|
||||
name: Rotador (180º)
|
||||
description: Rota formas en 180 grados.
|
||||
stacker:
|
||||
default:
|
||||
@ -570,7 +569,7 @@ buildings:
|
||||
description: Acepta formas desde todos los lados y las destruye. Para siempre.
|
||||
balancer:
|
||||
default:
|
||||
name: Balanceador
|
||||
name: Equlibrador
|
||||
description: Multifuncional - Distribuye igualmente todas las entradas en las
|
||||
salidas.
|
||||
merger:
|
||||
@ -593,11 +592,11 @@ buildings:
|
||||
desbordamiento.
|
||||
wire_tunnel:
|
||||
default:
|
||||
name: Cruze de cables
|
||||
name: Cruce de cables
|
||||
description: Permite que dos cables se cruzen sin conectarse.
|
||||
constant_signal:
|
||||
default:
|
||||
name: Señal costante
|
||||
name: Señal constante
|
||||
description: Emite una señal constante, que puede ser una forma, color o valor
|
||||
booleano (1 / 0).
|
||||
lever:
|
||||
@ -682,20 +681,20 @@ buildings:
|
||||
item_producer:
|
||||
default:
|
||||
name: Productor de items
|
||||
description: Solo disponible en modo libre, envía la señal recivida de la capa
|
||||
description: Solo disponible en modo libre, envía la señal recibida de la capa
|
||||
de cables en la capa regular.
|
||||
constant_producer:
|
||||
default:
|
||||
name: Constant Producer
|
||||
description: Constantly outputs a specified shape or color.
|
||||
name: Productor de una sola pieza
|
||||
description: Da constantemente la figura o el color especificados.
|
||||
goal_acceptor:
|
||||
default:
|
||||
name: Goal Acceptor
|
||||
description: Deliver shapes to the goal acceptor to set them as a goal.
|
||||
name: Aceptador de objetivos
|
||||
description: Tranporta figuras al aceptador de objetivos para ponerlas como objetivo.
|
||||
block:
|
||||
default:
|
||||
name: Block
|
||||
description: Allows you to block a tile.
|
||||
name: Bloque
|
||||
description: Permite bloquear una celda.
|
||||
storyRewards:
|
||||
reward_cutter_and_trash:
|
||||
title: Cortador de figuras
|
||||
@ -768,15 +767,15 @@ storyRewards:
|
||||
como una <strong>puerta de desbordamiento</strong>!
|
||||
reward_freeplay:
|
||||
title: Juego libre
|
||||
desc: ¡Lo hiciste! Haz desbloqueado el <strong>modo de juego libre</strong>!
|
||||
desc: ¡Lo hiciste! Has desbloqueado el <strong>modo de juego libre</strong>!
|
||||
¡Esto significa que las formas ahora son
|
||||
<strong>aleatoriamente</strong> generadas!<br><br> Debído a que
|
||||
desde ahora de adelante el Centro pedrirá una cantidad especifica de
|
||||
formas <strong>por segundo</strong> ¡Te recomiendo encarecidamente
|
||||
que construyas una maquina que automáticamente envíe la forma
|
||||
<strong>aleatoriamente</strong> generadas!<br><br> Debido a que
|
||||
desde ahora de adelante el Centro pedirá una cantidad específica de
|
||||
formas <strong>por segundo</strong>, ¡Te recomiendo encarecidamente
|
||||
que construyas una máquina que automáticamente envíe la forma
|
||||
pedida!<br><br> El Centro emite la forma pedida en la capa de
|
||||
cables, así que todo lo que tienes que hacer es analizarla y
|
||||
automaticamente configurar tu fabrica basada en ello.
|
||||
automáticamente configurar tu fábrica basada en ello.
|
||||
reward_blueprints:
|
||||
title: Planos
|
||||
desc: ¡Ahora puedes <strong>copiar y pegar</strong> partes de tu fábrica!
|
||||
@ -1219,56 +1218,57 @@ tips:
|
||||
cámara.
|
||||
- Puedes hacer clic en una forma fijada en el lado izquierdo para desfijarla.
|
||||
puzzleMenu:
|
||||
play: Play
|
||||
edit: Edit
|
||||
title: Puzzle Mode
|
||||
createPuzzle: Create Puzzle
|
||||
loadPuzzle: Load
|
||||
reviewPuzzle: Review & Publish
|
||||
validatingPuzzle: Validating Puzzle
|
||||
submittingPuzzle: Submitting Puzzle
|
||||
noPuzzles: There are currently no puzzles in this section.
|
||||
play: Jugar
|
||||
edit: Editar
|
||||
title: Puzles
|
||||
createPuzzle: Crear Puzle
|
||||
loadPuzzle: Cargar
|
||||
reviewPuzzle: Revisar y Publicar
|
||||
validatingPuzzle: Validando Puzle
|
||||
submittingPuzzle: Enviando Puzzle
|
||||
noPuzzles: Ahora mismo no hay puzles en esta sección.
|
||||
categories:
|
||||
levels: Levels
|
||||
new: New
|
||||
top-rated: Top Rated
|
||||
mine: My Puzzles
|
||||
short: Short
|
||||
easy: Easy
|
||||
hard: Hard
|
||||
completed: Completed
|
||||
levels: Niveles
|
||||
new: Nuevos
|
||||
top-rated: Los mejor valorados
|
||||
mine: Mis Puzles
|
||||
short: Breves
|
||||
easy: Fáciles
|
||||
hard: Difíciles
|
||||
completed: Completados
|
||||
validation:
|
||||
title: Invalid Puzzle
|
||||
noProducers: Please place a Constant Producer!
|
||||
noGoalAcceptors: Please place a Goal Acceptor!
|
||||
goalAcceptorNoItem: One or more Goal Acceptors have not yet assigned an item.
|
||||
Deliver a shape to them to set a goal.
|
||||
goalAcceptorRateNotMet: One or more Goal Acceptors are not getting enough items.
|
||||
Make sure that the indicators are green for all acceptors.
|
||||
buildingOutOfBounds: One or more buildings are outside of the buildable area.
|
||||
Either increase the area or remove them.
|
||||
autoComplete: Your puzzle autocompletes itself! Please make sure your constant
|
||||
producers are not directly delivering to your goal acceptors.
|
||||
title: Puzle no válido
|
||||
noProducers: Por favor, ¡pon un Productor de una sola pieza!
|
||||
noGoalAcceptors: Por favor , ¡pon un Aceptador de objetivos!
|
||||
goalAcceptorNoItem: Uno o más aceptadores de objetivos no tienen asignado un elemento.
|
||||
Transporta una forma hacia ellos para poner un objetivo.
|
||||
goalAcceptorRateNotMet: Uno o más aceptadores de objetivos no están recibiendo suficientes
|
||||
elementos. Asegúrate de que los indicadores están verdes para todos los aceptadores.
|
||||
buildingOutOfBounds: Uno o más edificios están fuera del área en la que puedes construir.
|
||||
Aumenta el área o quítalos.
|
||||
autoComplete: ¡Tu puzle se completa solo! Asegúrate de que tus productores de un solo elemento
|
||||
no están conectados directamente a tus aceptadores de objetivos.
|
||||
backendErrors:
|
||||
ratelimit: You are performing your actions too frequent. Please wait a bit.
|
||||
invalid-api-key: Failed to communicate with the backend, please try to
|
||||
update/restart the game (Invalid Api Key).
|
||||
unauthorized: Failed to communicate with the backend, please try to
|
||||
update/restart the game (Unauthorized).
|
||||
bad-token: Failed to communicate with the backend, please try to update/restart
|
||||
the game (Bad Token).
|
||||
bad-id: Invalid puzzle identifier.
|
||||
not-found: The given puzzle could not be found.
|
||||
bad-category: The given category could not be found.
|
||||
bad-short-key: The given short key is invalid.
|
||||
profane-title: Your puzzle title contains profane words.
|
||||
bad-title-too-many-spaces: Your puzzle title is too short.
|
||||
bad-shape-key-in-emitter: A constant producer has an invalid item.
|
||||
bad-shape-key-in-goal: A goal acceptor has an invalid item.
|
||||
no-emitters: Your puzzle does not contain any constant producers.
|
||||
no-goals: Your puzzle does not contain any goal acceptors.
|
||||
short-key-already-taken: This short key is already taken, please use another one.
|
||||
can-not-report-your-own-puzzle: You can not report your own puzzle.
|
||||
bad-payload: The request contains invalid data.
|
||||
bad-building-placement: Your puzzle contains invalid placed buildings.
|
||||
timeout: The request timed out.
|
||||
ratelimit: Estás haciendo tus acciones con demasiada frecuencia. Por favor, espera un poco.
|
||||
invalid-api-key: No pudimos conectar con el servidor, por favor intenta
|
||||
actualizar/reiniciar el juego (Key de API Inválida).
|
||||
unauthorized: No pudimos conectar con el servidor, por favor intenta
|
||||
actualizar/reiniciar el juego (Sin Autorización).
|
||||
bad-token: No pudimos conectar con el servidor, por favor intenta
|
||||
actualizar/reiniciar el juego (Mal Token).
|
||||
|
||||
bad-id: El identificador del puzle no es válido.
|
||||
not-found: No pudimos encontrar ese puzle.
|
||||
bad-category: No pudimos encontar esa categoría.
|
||||
bad-short-key: La clave que nos diste no es válida.
|
||||
profane-title: El título de tu puzle contiene lenguaje soez.
|
||||
bad-title-too-many-spaces: El título de tu puzle es demasiado breve.
|
||||
bad-shape-key-in-emitter: Un productor de un solo elemento tiene un elemento no válido.
|
||||
bad-shape-key-in-goal: Un aceptador de objetivos tiene un elemento no válido.
|
||||
no-emitters: Tu puzle no contiene ningún productor de un solo item.
|
||||
no-goals: Tu puzle no contiene ningún aceptador de objetivos.
|
||||
short-key-already-taken: Esta clave ya está siendo usada, por favor usa otra.
|
||||
can-not-report-your-own-puzzle: No pudes reportar tu propio puzle.
|
||||
bad-payload: La petición contiene datos no válidos.
|
||||
bad-building-placement: Tu puzle contiene edificios en posiciones no válidas.
|
||||
timeout: El tiempo para la solicitud ha expirado.
|
||||
|
@ -211,7 +211,7 @@ dialogs:
|
||||
offlineMode:
|
||||
title: Offline Mode
|
||||
desc: We couldn't reach the servers, so the game has to run in offline mode.
|
||||
Please make sure you have an active internect connection.
|
||||
Please make sure you have an active internet connection.
|
||||
puzzleDownloadError:
|
||||
title: Download Error
|
||||
desc: "Failed to download the puzzle:"
|
||||
|
@ -11,11 +11,11 @@ steamPage:
|
||||
Et en plus, vous devrez aussi produire de plus en plus pour satisfaire la demande. La seule solution est de construire en plus grand ! Au début vous ne ferez que découper les formes, mais plus tard vous devrez les peindre — et pour ça vous devrez extraire et mélanger des couleurs !
|
||||
|
||||
En achetant le jeu sur Steam, vous aurez accès à la version complète, mais vous pouvez aussi jouer à une démo sur shapez.io et vous décider ensuite !
|
||||
what_others_say: What people say about shapez.io
|
||||
what_others_say: Ce que les gens pensent de shapez.io
|
||||
nothernlion_comment: This game is great - I'm having a wonderful time playing,
|
||||
and time has flown by.
|
||||
notch_comment: Oh crap. I really should sleep, but I think I just figured out
|
||||
how to make a computer in shapez.io
|
||||
notch_comment: Mince ! Je devrais vraiment me coucher, mais je crois que j'ai trouvé
|
||||
comment faire un ordinateur dans shapez.io
|
||||
steam_review_comment: This game has stolen my life and I don't want it back.
|
||||
Very chill factory game that won't let me stop making my lines more
|
||||
efficient.
|
||||
@ -73,8 +73,8 @@ mainMenu:
|
||||
savegameUnnamed: Sans titre
|
||||
puzzleMode: Puzzle Mode
|
||||
back: Back
|
||||
puzzleDlcText: Do you enjoy compacting and optimizing factories? Get the Puzzle
|
||||
DLC now on Steam for even more fun!
|
||||
puzzleDlcText: Vous aimez compacter et optimiser vos usines ? Achetez le DLC
|
||||
sur Steam dés maintenant pour encore plus d'amusement !
|
||||
puzzleDlcWishlist: Wishlist now!
|
||||
dialogs:
|
||||
buttons:
|
||||
@ -89,9 +89,9 @@ dialogs:
|
||||
viewUpdate: Voir les mises à jour
|
||||
showUpgrades: Montrer les améliorations
|
||||
showKeybindings: Montrer les raccourcis
|
||||
retry: Retry
|
||||
continue: Continue
|
||||
playOffline: Play Offline
|
||||
retry: Réesayer
|
||||
continue: Continuer
|
||||
playOffline: Jouer Hors-ligne
|
||||
importSavegameError:
|
||||
title: Erreur d’importation
|
||||
text: "Impossible d’importer votre sauvegarde :"
|
||||
@ -193,13 +193,13 @@ dialogs:
|
||||
desc: Il y a un tutoriel vidéo pour ce niveau, mais il n’est disponible qu’en
|
||||
anglais. Voulez-vous le regarder ?
|
||||
editConstantProducer:
|
||||
title: Set Item
|
||||
title: Définir l'objet
|
||||
puzzleLoadFailed:
|
||||
title: Puzzles failed to load
|
||||
desc: "Unfortunately the puzzles could not be loaded:"
|
||||
title: Le chargement du Puzzle à échoué
|
||||
desc: "Malheuresement, le puzzle n'a pas pu être chargé :"
|
||||
submitPuzzle:
|
||||
title: Submit Puzzle
|
||||
descName: "Give your puzzle a name:"
|
||||
title: Envoyer le Puzzle
|
||||
descName: "Donnez un nom à votre puzzle :"
|
||||
descIcon: "Please enter a unique short key, which will be shown as the icon of
|
||||
your puzzle (You can generate them <link>here</link>, or choose one
|
||||
of the randomly suggested shapes below):"
|
||||
@ -209,24 +209,24 @@ dialogs:
|
||||
desc: You can't make the zone any smaller, because then some buildings would be
|
||||
outside the zone.
|
||||
puzzleLoadError:
|
||||
title: Bad Puzzle
|
||||
desc: "The puzzle failed to load:"
|
||||
title: Mauvais Puzzle
|
||||
desc: "Le chargement du puzzle a échoué :"
|
||||
offlineMode:
|
||||
title: Offline Mode
|
||||
title: Mode hors-ligne
|
||||
desc: We couldn't reach the servers, so the game has to run in offline mode.
|
||||
Please make sure you have an active internect connection.
|
||||
Please make sure you have an active internet connection.
|
||||
puzzleDownloadError:
|
||||
title: Download Error
|
||||
desc: "Failed to download the puzzle:"
|
||||
title: Erreur de téléchargment
|
||||
desc: "Le téléchargement à échoué :"
|
||||
puzzleSubmitError:
|
||||
title: Submission Error
|
||||
desc: "Failed to submit your puzzle:"
|
||||
title: Erreur d'envoi
|
||||
desc: "L'envoi à échoué :"
|
||||
puzzleSubmitOk:
|
||||
title: Puzzle Published
|
||||
desc: Congratulations! Your puzzle has been published and can now be played by
|
||||
others. You can now find it in the "My puzzles" section.
|
||||
title: Puzzle envoyé
|
||||
desc: Félicitation ! Votre puzzle à été envoyé et peut maintenant être joué.
|
||||
Vous pouvez maintenant le retrouver dans la section "Mes Puzzles".
|
||||
puzzleCreateOffline:
|
||||
title: Offline Mode
|
||||
title: Mode Hors-ligne
|
||||
desc: Since you are offline, you will not be able to save and/or publish your
|
||||
puzzle. Would you still like to continue?
|
||||
puzzlePlayRegularRecommendation:
|
||||
@ -245,8 +245,8 @@ dialogs:
|
||||
unsolvable: Not solvable
|
||||
trolling: Trolling
|
||||
puzzleReportComplete:
|
||||
title: Thank you for your feedback!
|
||||
desc: The puzzle has been flagged.
|
||||
title: Merci pour votre retour !
|
||||
desc: Le puzzle a été marqué.
|
||||
puzzleReportError:
|
||||
title: Failed to report
|
||||
desc: "Your report could not get processed:"
|
||||
@ -274,7 +274,7 @@ ingame:
|
||||
clearSelection: Effacer la sélection
|
||||
pipette: Pipette
|
||||
switchLayers: Changer de calque
|
||||
clearBelts: Clear belts
|
||||
clearBelts: Supprimer les rails
|
||||
colors:
|
||||
red: Rouge
|
||||
green: Vert
|
||||
@ -1227,56 +1227,57 @@ tips:
|
||||
- Appuyez deux fois sur F4 pour voir les coordonnées.
|
||||
- Cliquez sur une forme épinglée à gauche pour l’enlever.
|
||||
puzzleMenu:
|
||||
play: Play
|
||||
edit: Edit
|
||||
title: Puzzle Mode
|
||||
createPuzzle: Create Puzzle
|
||||
loadPuzzle: Load
|
||||
reviewPuzzle: Review & Publish
|
||||
validatingPuzzle: Validating Puzzle
|
||||
submittingPuzzle: Submitting Puzzle
|
||||
noPuzzles: There are currently no puzzles in this section.
|
||||
play: Jouer
|
||||
edit: Éditer
|
||||
title: Mode Puzzle
|
||||
createPuzzle: Créer un Puzzle
|
||||
loadPuzzle: charger
|
||||
reviewPuzzle: Revoir & Publier
|
||||
validatingPuzzle: Validation du Puzzle
|
||||
submittingPuzzle: Publication du Puzzle
|
||||
noPuzzles: Il n'y a actuellement aucun puzzle dans cette section.
|
||||
categories:
|
||||
levels: Levels
|
||||
new: New
|
||||
top-rated: Top Rated
|
||||
mine: My Puzzles
|
||||
short: Short
|
||||
easy: Easy
|
||||
hard: Hard
|
||||
completed: Completed
|
||||
levels: Niveaux
|
||||
new: Nouveau
|
||||
top-rated: Les-mieux notés
|
||||
mine: Mes puzzles
|
||||
short: Court
|
||||
easy: Facile
|
||||
hard: Difficile
|
||||
completed: Complété
|
||||
validation:
|
||||
title: Invalid Puzzle
|
||||
noProducers: Please place a Constant Producer!
|
||||
noGoalAcceptors: Please place a Goal Acceptor!
|
||||
goalAcceptorNoItem: One or more Goal Acceptors have not yet assigned an item.
|
||||
Deliver a shape to them to set a goal.
|
||||
goalAcceptorRateNotMet: One or more Goal Acceptors are not getting enough items.
|
||||
Make sure that the indicators are green for all acceptors.
|
||||
buildingOutOfBounds: One or more buildings are outside of the buildable area.
|
||||
Either increase the area or remove them.
|
||||
autoComplete: Your puzzle autocompletes itself! Please make sure your constant
|
||||
producers are not directly delivering to your goal acceptors.
|
||||
title: Puzzle invalide
|
||||
noProducers: Veuillez placer un producteur constant !
|
||||
noGoalAcceptors: Veuillez placer un accepteur d'objectif !
|
||||
goalAcceptorNoItem: Un ou plusieurs accepteurs d'objectif n'ont pas encore attribué d'élément.
|
||||
Donnez-leur une forme pour fixer un objectif.
|
||||
goalAcceptorRateNotMet: Un ou plusieurs accepteurs d'objectifs n'obtiennent pas assez d'articles.
|
||||
Assurez-vous que les indicateurs sont verts pour tous les accepteurs.
|
||||
buildingOutOfBounds: Un ou plusieurs bâtiments se trouvent en dehors de la zone constructible.
|
||||
Augmentez la surface ou supprimez-les.
|
||||
autoComplete:
|
||||
Votre puzzle se complète automatiquement ! Veuillez vous assurer que vos producteurs constants
|
||||
ne livrent pas directement à vos accepteurs d'objectifs.
|
||||
backendErrors:
|
||||
ratelimit: You are performing your actions too frequent. Please wait a bit.
|
||||
invalid-api-key: Failed to communicate with the backend, please try to
|
||||
update/restart the game (Invalid Api Key).
|
||||
unauthorized: Failed to communicate with the backend, please try to
|
||||
update/restart the game (Unauthorized).
|
||||
bad-token: Failed to communicate with the backend, please try to update/restart
|
||||
the game (Bad Token).
|
||||
bad-id: Invalid puzzle identifier.
|
||||
not-found: The given puzzle could not be found.
|
||||
bad-category: The given category could not be found.
|
||||
bad-short-key: The given short key is invalid.
|
||||
profane-title: Your puzzle title contains profane words.
|
||||
bad-title-too-many-spaces: Your puzzle title is too short.
|
||||
bad-shape-key-in-emitter: A constant producer has an invalid item.
|
||||
bad-shape-key-in-goal: A goal acceptor has an invalid item.
|
||||
no-emitters: Your puzzle does not contain any constant producers.
|
||||
no-goals: Your puzzle does not contain any goal acceptors.
|
||||
short-key-already-taken: This short key is already taken, please use another one.
|
||||
can-not-report-your-own-puzzle: You can not report your own puzzle.
|
||||
bad-payload: The request contains invalid data.
|
||||
bad-building-placement: Your puzzle contains invalid placed buildings.
|
||||
timeout: The request timed out.
|
||||
ratelimit: Vous effectuez vos actions trop fréquemment. Veuillez attendre un peu s'il vous plait.
|
||||
invalid-api-key: Échec de la communication avec le backend, veuillez essayer de
|
||||
mettre à jour/redémarrer le jeu (clé Api invalide).
|
||||
unauthorized: Échec de la communication avec le backend, veuillez essayer de
|
||||
mettre à jour/redémarrer le jeu (non autorisé).
|
||||
bad-token: Échec de la communication avec le backend, veuillez essayer de mettre à jour/redémarrer
|
||||
le jeu (Mauvais jeton).
|
||||
bad-id: Identifiant de puzzle non valide.
|
||||
not-found: Le puzzle donné n'a pas pu être trouvé.
|
||||
bad-category: La catégorie donnée n'a pas pu être trouvée.
|
||||
bad-short-key: La clé courte donnée n'est pas valide.
|
||||
profane-title: Le titre de votre puzzle contient des mots interdits.
|
||||
bad-title-too-many-spaces: Le titre de votre puzzle est trop court.
|
||||
bad-shape-key-in-emitter: Un producteur constant a un élément invalide.
|
||||
bad-shape-key-in-goal: Un accepteur de but a un élément invalide.
|
||||
no-emitters: Votre puzzle ne contient aucun producteur constant.
|
||||
no-goals: Votre puzzle ne contient aucun accepteur de but.
|
||||
short-key-already-taken: Cette clé courte est déjà prise, veuillez en utiliser une autre.
|
||||
can-not-report-your-own-puzzle: Vous ne pouvez pas signaler votre propre puzzle.
|
||||
bad-payload: La demande contient des données invalides.
|
||||
bad-building-placement: Votre puzzle contient des bâtiments placés non valides.
|
||||
timeout: La demande a expiré.
|
||||
|
@ -204,7 +204,7 @@ dialogs:
|
||||
offlineMode:
|
||||
title: Offline Mode
|
||||
desc: We couldn't reach the servers, so the game has to run in offline mode.
|
||||
Please make sure you have an active internect connection.
|
||||
Please make sure you have an active internet connection.
|
||||
puzzleDownloadError:
|
||||
title: Download Error
|
||||
desc: "Failed to download the puzzle:"
|
||||
|
@ -212,7 +212,7 @@ dialogs:
|
||||
offlineMode:
|
||||
title: Offline Mode
|
||||
desc: We couldn't reach the servers, so the game has to run in offline mode.
|
||||
Please make sure you have an active internect connection.
|
||||
Please make sure you have an active internet connection.
|
||||
puzzleDownloadError:
|
||||
title: Download Error
|
||||
desc: "Failed to download the puzzle:"
|
||||
|
@ -11,14 +11,14 @@ steamPage:
|
||||
És ha ez nem lenne elég, exponenciálisan többet kell termelned az igények kielégítése érdekében - az egyetlen dolog, ami segít, az a termelés mennyisége! Az alakzatokat a játék elején csak feldolgoznod kell, később azonban színezned is kell őket - ehhez bányászni és keverni kell a színeket!
|
||||
|
||||
A játék Steamen történő megvásárlása hozzáférést biztosít a teljes verzióhoz, de kipróbálhatod a játékot a shapez.io oldalon, és később dönthetsz!
|
||||
what_others_say: What people say about shapez.io
|
||||
nothernlion_comment: This game is great - I'm having a wonderful time playing,
|
||||
and time has flown by.
|
||||
notch_comment: Oh crap. I really should sleep, but I think I just figured out
|
||||
how to make a computer in shapez.io
|
||||
steam_review_comment: This game has stolen my life and I don't want it back.
|
||||
Very chill factory game that won't let me stop making my lines more
|
||||
efficient.
|
||||
what_others_say: Mit mondanak mások a shapez.io-ról
|
||||
nothernlion_comment: Ez a játék nagyszerű - Csodás élmény vele játszani,
|
||||
az idő meg csak repül.
|
||||
notch_comment: Basszus... aludnom kéne, de épp most jöttem rá,
|
||||
hogyan tudok számítógépet építeni a shapez.io-ban!
|
||||
steam_review_comment: Ez a játék ellopta az életemet, de nem kérem vissza!
|
||||
Nagyon nyugis gyárépítős játék, amiben nem győzöm a futószalagjaimat
|
||||
optimalizálni.
|
||||
global:
|
||||
loading: Betöltés
|
||||
error: Hiba
|
||||
@ -50,7 +50,7 @@ global:
|
||||
escape: ESC
|
||||
shift: SHIFT
|
||||
space: SZÓKÖZ
|
||||
loggingIn: Logging in
|
||||
loggingIn: Bejelentkezés
|
||||
demoBanners:
|
||||
title: Demó verzió
|
||||
intro: Vásárold meg az Önálló Verziót a teljes játékélményért!
|
||||
@ -70,11 +70,11 @@ mainMenu:
|
||||
savegameLevel: <x>. szint
|
||||
savegameLevelUnknown: Ismeretlen szint
|
||||
savegameUnnamed: Névtelen
|
||||
puzzleMode: Puzzle Mode
|
||||
back: Back
|
||||
puzzleDlcText: Do you enjoy compacting and optimizing factories? Get the Puzzle
|
||||
DLC now on Steam for even more fun!
|
||||
puzzleDlcWishlist: Wishlist now!
|
||||
puzzleMode: Fejtörő Mód
|
||||
back: Vissza
|
||||
puzzleDlcText: Szereted optimalizálni a gyáraid méretét és hatákonyságát? Szerezd meg a Puzzle
|
||||
DLC-t a Steamen most!
|
||||
puzzleDlcWishlist: Kívánságlistára vele!
|
||||
dialogs:
|
||||
buttons:
|
||||
ok: OK
|
||||
@ -88,9 +88,9 @@ dialogs:
|
||||
viewUpdate: Frissítés Megtekintése
|
||||
showUpgrades: Fejlesztések
|
||||
showKeybindings: Irányítás
|
||||
retry: Retry
|
||||
continue: Continue
|
||||
playOffline: Play Offline
|
||||
retry: Újra
|
||||
continue: Folytatás
|
||||
playOffline: Offline Játék
|
||||
importSavegameError:
|
||||
title: Importálás Hiba
|
||||
text: "Nem sikerült importálni a mentésedet:"
|
||||
@ -192,66 +192,66 @@ dialogs:
|
||||
desc: Elérhető egy oktatóvideó ehhez a szinthez, de csak angol nyelven.
|
||||
Szeretnéd megnézni?
|
||||
editConstantProducer:
|
||||
title: Set Item
|
||||
title: Elem beállítása
|
||||
puzzleLoadFailed:
|
||||
title: Puzzles failed to load
|
||||
desc: "Unfortunately the puzzles could not be loaded:"
|
||||
title: Fejtörő betöltése sikertelen
|
||||
desc: "Sajnos a fejtörőt nem sikerült betölteni:"
|
||||
submitPuzzle:
|
||||
title: Submit Puzzle
|
||||
descName: "Give your puzzle a name:"
|
||||
descIcon: "Please enter a unique short key, which will be shown as the icon of
|
||||
your puzzle (You can generate them <link>here</link>, or choose one
|
||||
of the randomly suggested shapes below):"
|
||||
placeholderName: Puzzle Title
|
||||
title: Fejtörő Beküldése
|
||||
descName: "Adj nevet a fejtörődnek:"
|
||||
descIcon: "Írj be egy egyedi gyorskódot, ami a fejtörőd ikonja lesz
|
||||
(<link>itt</link> tudod legenerálni, vagy válassz egyet az alábbi
|
||||
random generált alakzatok közül):"
|
||||
placeholderName: Fejtörő Neve
|
||||
puzzleResizeBadBuildings:
|
||||
title: Resize not possible
|
||||
desc: You can't make the zone any smaller, because then some buildings would be
|
||||
outside the zone.
|
||||
title: Átméretezés nem lehetséges
|
||||
desc: Nem tudod tovább csökkenteni a zóna méretét, mert bizonyos épületek
|
||||
kilógnának a zónából.
|
||||
puzzleLoadError:
|
||||
title: Bad Puzzle
|
||||
desc: "The puzzle failed to load:"
|
||||
title: Hibás Fejtörő
|
||||
desc: "A fejtörőt nem sikerült betölteni:"
|
||||
offlineMode:
|
||||
title: Offline Mode
|
||||
desc: We couldn't reach the servers, so the game has to run in offline mode.
|
||||
Please make sure you have an active internect connection.
|
||||
title: Offline Mód
|
||||
desc: Nem tudjuk elérni a szervereket, így a játék Offline módban fut.
|
||||
Kérlek győződj meg róla, hogy megfelelő az internetkapcsolatod.
|
||||
puzzleDownloadError:
|
||||
title: Download Error
|
||||
desc: "Failed to download the puzzle:"
|
||||
title: Letöltési Hiba
|
||||
desc: "Nem sikerült letölteni a fejtörőt:"
|
||||
puzzleSubmitError:
|
||||
title: Submission Error
|
||||
desc: "Failed to submit your puzzle:"
|
||||
title: Beküldési Hiba
|
||||
desc: "Nem sikerült beküldeni a fejtörőt:"
|
||||
puzzleSubmitOk:
|
||||
title: Puzzle Published
|
||||
desc: Congratulations! Your puzzle has been published and can now be played by
|
||||
others. You can now find it in the "My puzzles" section.
|
||||
title: Fejtörő Közzétéve
|
||||
desc: Gratulálunk! A fejtörődet közzétettük, így mások által is játszhatóvá
|
||||
vált. A fejtörőidet a "Fejtörőim" ablakban találod.
|
||||
puzzleCreateOffline:
|
||||
title: Offline Mode
|
||||
desc: Since you are offline, you will not be able to save and/or publish your
|
||||
puzzle. Would you still like to continue?
|
||||
title: Offline Mód
|
||||
desc: Offline módban nem lehet elmenteni és közzétenni a fejtörődet.
|
||||
Szeretnéd így is folytatni?
|
||||
puzzlePlayRegularRecommendation:
|
||||
title: Recommendation
|
||||
desc: I <strong>strongly</strong> recommend playing the normal game to level 12
|
||||
before attempting the puzzle DLC, otherwise you may encounter
|
||||
mechanics not yet introduced. Do you still want to continue?
|
||||
title: Javaslat
|
||||
desc: A Puzzle DLC előtt <strong>erősen</strong> ajánlott az alapjátékot legalább
|
||||
a 12-dik Szintig kijátszani. Ellenekző esetben olyan mechanikákkal találkozhatsz,
|
||||
amelyeket még nem ismersz. Szeretnéd így is folytatni?
|
||||
puzzleShare:
|
||||
title: Short Key Copied
|
||||
desc: The short key of the puzzle (<key>) has been copied to your clipboard! It
|
||||
can be entered in the puzzle menu to access the puzzle.
|
||||
title: Gyorskód Másolva a Vágólapra
|
||||
desc: A fejtörő gyorskódját (<key>) kimásoltad a vágólapra! A Fejtörők menüben
|
||||
beillesztve betöltheted vele a fejtörőt.
|
||||
puzzleReport:
|
||||
title: Report Puzzle
|
||||
title: Fejtörő Jelentése
|
||||
options:
|
||||
profane: Profane
|
||||
unsolvable: Not solvable
|
||||
trolling: Trolling
|
||||
profane: Durva
|
||||
unsolvable: Nem megoldható
|
||||
trolling: Trollkodás
|
||||
puzzleReportComplete:
|
||||
title: Thank you for your feedback!
|
||||
desc: The puzzle has been flagged.
|
||||
title: Köszönjük a visszajelzésedet!
|
||||
desc: A fejtörőt sikeresen jelentetted.
|
||||
puzzleReportError:
|
||||
title: Failed to report
|
||||
desc: "Your report could not get processed:"
|
||||
title: Nem sikerült jelenteni
|
||||
desc: "A jelentésedet nem tudtuk feldolgozni:"
|
||||
puzzleLoadShortKey:
|
||||
title: Enter short key
|
||||
desc: Enter the short key of the puzzle to load it.
|
||||
title: Gyorskód Beillesztése
|
||||
desc: Illeszd be a gyorskódot, hogy betöltsd a Fejtörőt.
|
||||
ingame:
|
||||
keybindingsOverlay:
|
||||
moveMap: Mozgatás
|
||||
@ -273,7 +273,7 @@ ingame:
|
||||
clearSelection: Kijelölés megszüntetése
|
||||
pipette: Pipetta
|
||||
switchLayers: Réteg váltás
|
||||
clearBelts: Clear belts
|
||||
clearBelts: Futószalagok Kiürítése
|
||||
colors:
|
||||
red: Piros
|
||||
green: Zöld
|
||||
@ -421,46 +421,46 @@ ingame:
|
||||
title: Támogass
|
||||
desc: A játékot továbbfejlesztem szabadidőmben
|
||||
achievements:
|
||||
title: Achievements
|
||||
desc: Hunt them all!
|
||||
title: Steam Achievementek
|
||||
desc: Szerezd meg mindet!
|
||||
puzzleEditorSettings:
|
||||
zoneTitle: Zone
|
||||
zoneWidth: Width
|
||||
zoneHeight: Height
|
||||
trimZone: Trim
|
||||
clearItems: Clear Items
|
||||
share: Share
|
||||
report: Report
|
||||
zoneTitle: Zóna
|
||||
zoneWidth: Szélesség
|
||||
zoneHeight: Magasság
|
||||
trimZone: Üres szegélyek levásága
|
||||
clearItems: Elemek eltávolítása
|
||||
share: Megosztás
|
||||
report: Jelentés
|
||||
puzzleEditorControls:
|
||||
title: Puzzle Creator
|
||||
title: Fejtörő Készítő
|
||||
instructions:
|
||||
- 1. Place <strong>Constant Producers</strong> to provide shapes and
|
||||
colors to the player
|
||||
- 2. Build one or more shapes you want the player to build later and
|
||||
deliver it to one or more <strong>Goal Acceptors</strong>
|
||||
- 3. Once a Goal Acceptor receives a shape for a certain amount of
|
||||
time, it <strong>saves it as a goal</strong> that the player must
|
||||
produce later (Indicated by the <strong>green badge</strong>).
|
||||
- 4. Click the <strong>lock button</strong> on a building to disable
|
||||
it.
|
||||
- 5. Once you click review, your puzzle will be validated and you
|
||||
can publish it.
|
||||
- 6. Upon release, <strong>all buildings will be removed</strong>
|
||||
except for the Producers and Goal Acceptors - That's the part that
|
||||
the player is supposed to figure out for themselves, after all :)
|
||||
- 1. Helyezz le <strong>Termelőket</strong>, amelyek alakzatokat és színeket
|
||||
generálnak a játékosoknak.
|
||||
- 2. Készíts el egy vagy több alakzatot, amit szeretnél, hogy a játékos később legyártson,
|
||||
és szállítsd el egy vagy több <strong>Elfogadóba</strong>.
|
||||
- 3. Amint az Elfogadóba folyamatosan érkeznek az alakzatok,
|
||||
<strong>elmenti, mint célt</strong>, amit a játékosnak később
|
||||
teljesítenie kell (Ezt a <strong>zöld jelölő</strong> mutatja).
|
||||
- 4. Kattints a <strong>Lezárás gombra</strong> egy épületen, hogy
|
||||
felfüggeszd azt.
|
||||
- 5. A fejtörőd beküldésekor átnézzük azt, majd lehetőséged lesz
|
||||
közzétenni.
|
||||
- 6. A fejtörő kiadásakor, <strong>minden épület törlődik</strong>,
|
||||
kivéve a Termelők és az Elfogadók - a többit ugyebár a játékosnak
|
||||
kell majd kitalálnia :)
|
||||
puzzleCompletion:
|
||||
title: Puzzle Completed!
|
||||
titleLike: "Click the heart if you liked the puzzle:"
|
||||
titleRating: How difficult did you find the puzzle?
|
||||
titleRatingDesc: Your rating will help me to make you better suggestions in the future
|
||||
continueBtn: Keep Playing
|
||||
menuBtn: Menu
|
||||
title: Fejtörő Teljesítve!
|
||||
titleLike: "Kattins a ♥ gombra, ha tetszett a fejtörő:"
|
||||
titleRating: Mennyire találtad nehéznek a fejtörőt?
|
||||
titleRatingDesc: Az értékelésed lehetővé teszi, hogy okosabb javaslatokat kapj a jövőben
|
||||
continueBtn: Játék Folytatása
|
||||
menuBtn: Menü
|
||||
puzzleMetadata:
|
||||
author: Author
|
||||
shortKey: Short Key
|
||||
rating: Difficulty score
|
||||
averageDuration: Avg. Duration
|
||||
completionRate: Completion rate
|
||||
author: Szerző
|
||||
shortKey: Gyorskód
|
||||
rating: Nehézség
|
||||
averageDuration: Átlagos Időtartam
|
||||
completionRate: Teljesítési Arány
|
||||
shopUpgrades:
|
||||
belt:
|
||||
name: Futószalagok, Elosztók & Alagutak
|
||||
@ -672,16 +672,16 @@ buildings:
|
||||
beállított jelet a normál rétegen.
|
||||
constant_producer:
|
||||
default:
|
||||
name: Constant Producer
|
||||
description: Constantly outputs a specified shape or color.
|
||||
name: Termelő
|
||||
description: Folyamatosan termeli a beállított alakzatot vagy színt.
|
||||
goal_acceptor:
|
||||
default:
|
||||
name: Goal Acceptor
|
||||
description: Deliver shapes to the goal acceptor to set them as a goal.
|
||||
name: Elfogadó
|
||||
description: Szállíts alakzatoakt az Elfogadóba, hogy beállítsd egy Fejtörő céljaként.
|
||||
block:
|
||||
default:
|
||||
name: Block
|
||||
description: Allows you to block a tile.
|
||||
name: Blokkolás
|
||||
description: Lehetővé teszi, hogy leblokkolj egy csempét.
|
||||
storyRewards:
|
||||
reward_cutter_and_trash:
|
||||
title: Alakzatok Vágása
|
||||
@ -1089,14 +1089,14 @@ keybindings:
|
||||
placementDisableAutoOrientation: Automatikus irány kikapcsolása
|
||||
placeMultiple: Több lehelyezése
|
||||
placeInverse: Futószalag irányának megfordítása
|
||||
rotateToUp: "Rotate: Point Up"
|
||||
rotateToDown: "Rotate: Point Down"
|
||||
rotateToRight: "Rotate: Point Right"
|
||||
rotateToLeft: "Rotate: Point Left"
|
||||
constant_producer: Constant Producer
|
||||
goal_acceptor: Goal Acceptor
|
||||
block: Block
|
||||
massSelectClear: Clear belts
|
||||
rotateToUp: "Forgatás: Felfelé"
|
||||
rotateToDown: "Forgatás: Lefelé"
|
||||
rotateToRight: "Forgatás: Jobbra"
|
||||
rotateToLeft: "Forgatás: Balra"
|
||||
constant_producer: Termelő
|
||||
goal_acceptor: Elfogadó
|
||||
block: Blokkolás
|
||||
massSelectClear: Futószalagok Kiürítése
|
||||
about:
|
||||
title: A Játékról
|
||||
body: >-
|
||||
@ -1132,7 +1132,7 @@ tips:
|
||||
- Serial execution is more efficient than parallel.
|
||||
- A szimmetria kulcsfontosságú!
|
||||
- You can use <b>T</b> to switch between different variants.
|
||||
- Symmetry is key!
|
||||
- A szimmetria kulcsfontosságú!
|
||||
- Az épületek megfelelő arányban való építésével maximalizálható a
|
||||
hatékonyság.
|
||||
- A legmagasabb szinten 5 Bánya teljesen megtölt egy Futószalagot.
|
||||
@ -1168,7 +1168,7 @@ tips:
|
||||
- A Fejlesztések lapon a gombostű ikon megnyomásával kitűzheted a képernyőre
|
||||
az aktuális alakzatot.
|
||||
- Keverd össze mind a három alapszínt, hogy Fehéret csinálj!
|
||||
- A pálya végtelen méretű; ne nyomorgasd sösze a gyáraidat, terjeszkedj!
|
||||
- A pálya végtelen méretű; ne nyomorgasd össze a gyáraidat, terjeszkedj!
|
||||
- Próbáld ki a Factorio-t is! Az a kedvenc játékom.
|
||||
- A Negyedelő az alakzat jobb felső negyedétől kezd vágni, az óramutató
|
||||
járásával megegyező irányban!
|
||||
@ -1187,60 +1187,58 @@ tips:
|
||||
- This game has a lot of settings, be sure to check them out!
|
||||
- Your hub marker has a small compass that shows which direction it is in!
|
||||
- To clear belts, cut the area and then paste it at the same location.
|
||||
- Press F4 to show your FPS and Tick Rate.
|
||||
- Press F4 twice to show the tile of your mouse and camera.
|
||||
- You can click a pinned shape on the left side to unpin it.
|
||||
puzzleMenu:
|
||||
play: Play
|
||||
edit: Edit
|
||||
title: Puzzle Mode
|
||||
createPuzzle: Create Puzzle
|
||||
loadPuzzle: Load
|
||||
reviewPuzzle: Review & Publish
|
||||
validatingPuzzle: Validating Puzzle
|
||||
submittingPuzzle: Submitting Puzzle
|
||||
noPuzzles: There are currently no puzzles in this section.
|
||||
play: Játék
|
||||
edit: Szerkesztés
|
||||
title: Fejtörő Mód
|
||||
createPuzzle: Új Fejtörő
|
||||
loadPuzzle: Betöltés
|
||||
reviewPuzzle: Beküldés & Publikálás
|
||||
validatingPuzzle: Fejtörő Validálása
|
||||
submittingPuzzle: Fejtörő Beküldése
|
||||
noPuzzles: Jelenleg nincs fejtörő ebben a szekcióban.
|
||||
categories:
|
||||
levels: Levels
|
||||
new: New
|
||||
top-rated: Top Rated
|
||||
mine: My Puzzles
|
||||
short: Short
|
||||
easy: Easy
|
||||
hard: Hard
|
||||
completed: Completed
|
||||
levels: Szintek
|
||||
new: Új
|
||||
top-rated: Legjobbra Értékelt
|
||||
mine: Az Én Fejtörőim
|
||||
short: Rövid
|
||||
easy: Könnyű
|
||||
hard: Nehéz
|
||||
completed: Teljesítve
|
||||
validation:
|
||||
title: Invalid Puzzle
|
||||
noProducers: Please place a Constant Producer!
|
||||
noGoalAcceptors: Please place a Goal Acceptor!
|
||||
goalAcceptorNoItem: One or more Goal Acceptors have not yet assigned an item.
|
||||
Deliver a shape to them to set a goal.
|
||||
goalAcceptorRateNotMet: One or more Goal Acceptors are not getting enough items.
|
||||
Make sure that the indicators are green for all acceptors.
|
||||
buildingOutOfBounds: One or more buildings are outside of the buildable area.
|
||||
Either increase the area or remove them.
|
||||
autoComplete: Your puzzle autocompletes itself! Please make sure your constant
|
||||
producers are not directly delivering to your goal acceptors.
|
||||
title: Hibás Fejtörő
|
||||
noProducers: Helyezz le egy Termelőt!
|
||||
noGoalAcceptors: Helyezz le egy Elfogadót!
|
||||
goalAcceptorNoItem: Egy vagy több Elfogadónál nincs beállítva célként alakzat.
|
||||
Szállíts le egy alazkatot a cél beállításához.
|
||||
goalAcceptorRateNotMet: Egy vagy több Elfogadó nem kap elegendő alakzatot.
|
||||
Győződj meg róla, hogy a jelölő minden Elfogadónál zölden világít.
|
||||
buildingOutOfBounds: Egy vagy több épület kívül esik a beépíthető területen.
|
||||
Növeld meg a terület méretét, vagy távolíts el épületeket.
|
||||
autoComplete: A fejtörő automatikusan megoldja magát! Győződj meg róla, hogy a
|
||||
Termelők nem közvetlenül az Elfogadóba termelnek.
|
||||
backendErrors:
|
||||
ratelimit: You are performing your actions too frequent. Please wait a bit.
|
||||
invalid-api-key: Failed to communicate with the backend, please try to
|
||||
update/restart the game (Invalid Api Key).
|
||||
unauthorized: Failed to communicate with the backend, please try to
|
||||
update/restart the game (Unauthorized).
|
||||
bad-token: Failed to communicate with the backend, please try to update/restart
|
||||
the game (Bad Token).
|
||||
bad-id: Invalid puzzle identifier.
|
||||
not-found: The given puzzle could not be found.
|
||||
bad-category: The given category could not be found.
|
||||
bad-short-key: The given short key is invalid.
|
||||
profane-title: Your puzzle title contains profane words.
|
||||
bad-title-too-many-spaces: Your puzzle title is too short.
|
||||
bad-shape-key-in-emitter: A constant producer has an invalid item.
|
||||
bad-shape-key-in-goal: A goal acceptor has an invalid item.
|
||||
no-emitters: Your puzzle does not contain any constant producers.
|
||||
no-goals: Your puzzle does not contain any goal acceptors.
|
||||
short-key-already-taken: This short key is already taken, please use another one.
|
||||
can-not-report-your-own-puzzle: You can not report your own puzzle.
|
||||
bad-payload: The request contains invalid data.
|
||||
bad-building-placement: Your puzzle contains invalid placed buildings.
|
||||
timeout: The request timed out.
|
||||
ratelimit: Túl gyorsan csinálsz dolgokat. Kérlek, várj egy kicsit.
|
||||
invalid-api-key: Valami nem oké a játékkal. Próbáld meg frissíteni vagy újraindítani.
|
||||
(HIBA - Invalid Api Key).
|
||||
unauthorized: Valami nem oké a játékkal. Próbáld meg frissíteni vagy újraindítani.
|
||||
(HIBA - Unauthorized).
|
||||
bad-token: Valami nem oké a játékkal. Próbáld meg frissíteni vagy újraindítani.
|
||||
(HIBA - Bad Token).
|
||||
bad-id: Helytelen Fejtörő azonosító.
|
||||
not-found: A megadott fejtörőt nem találjuk.
|
||||
bad-category: A megadott kategóriát nem találjuk.
|
||||
bad-short-key: A megadott gyorskód helytelen.
|
||||
profane-title: A fejtörő címe csúnya szavakat tartalmaz.
|
||||
bad-title-too-many-spaces: A fejtörő címe túl rövid.
|
||||
bad-shape-key-in-emitter: Egy Termelőnek helytelen alakzat van beállítva.
|
||||
bad-shape-key-in-goal: Egy Elfogadónak helytelen alakzat van beállítva.
|
||||
no-emitters: A fejtörődben nem szerepel Termelő.
|
||||
no-goals: A fejtörődben nem szerepel Elfogadó.
|
||||
short-key-already-taken: Ez a gyorskód már foglalt, kérlek válassz másikat.
|
||||
can-not-report-your-own-puzzle: Nem jelentheted a saját fejtörődet.
|
||||
bad-payload: A kérés helytelen adatot tartalmaz.
|
||||
bad-building-placement: A fejtörőd helytelenül lehelyezett épületeket tartalmaz.
|
||||
timeout: A kérés időtúllépésbe került.
|
||||
|
@ -216,7 +216,7 @@ dialogs:
|
||||
offlineMode:
|
||||
title: Offline Mode
|
||||
desc: We couldn't reach the servers, so the game has to run in offline mode.
|
||||
Please make sure you have an active internect connection.
|
||||
Please make sure you have an active internet connection.
|
||||
puzzleDownloadError:
|
||||
title: Download Error
|
||||
desc: "Failed to download the puzzle:"
|
||||
|
@ -14,7 +14,7 @@ steamPage:
|
||||
All'inizio lavorerai solo con le forme, ma in seguito dovrai colorarle; a questo scopo dovrai estrarre e mescolare i colori!
|
||||
|
||||
Comprare il gioco su Steam ti garantirà l'accesso alla versone completa, ma puoi anche giocare una demo su shapez.io e decidere in seguito!
|
||||
what_others_say: What people say about shapez.io
|
||||
what_others_say: "Hanno detto di shapez.io:"
|
||||
nothernlion_comment: This game is great - I'm having a wonderful time playing,
|
||||
and time has flown by.
|
||||
notch_comment: Oh crap. I really should sleep, but I think I just figured out
|
||||
@ -73,11 +73,11 @@ mainMenu:
|
||||
madeBy: Creato da <author-link>
|
||||
subreddit: Reddit
|
||||
savegameUnnamed: Senza nome
|
||||
puzzleMode: Puzzle Mode
|
||||
puzzleMode: Modalità puzzle
|
||||
back: Back
|
||||
puzzleDlcText: Do you enjoy compacting and optimizing factories? Get the Puzzle
|
||||
DLC now on Steam for even more fun!
|
||||
puzzleDlcWishlist: Wishlist now!
|
||||
puzzleDlcText: Ti piace miniaturizzare e ottimizzare le tue fabbriche? Ottini il Puzzle
|
||||
DLC ora su steam per un divertimento ancora maggiore!
|
||||
puzzleDlcWishlist: Aggiungi alla lista dei desideri ora!
|
||||
dialogs:
|
||||
buttons:
|
||||
ok: OK
|
||||
@ -91,9 +91,9 @@ dialogs:
|
||||
viewUpdate: Mostra aggiornamento
|
||||
showUpgrades: Mostra miglioramenti
|
||||
showKeybindings: Mostra scorciatoie
|
||||
retry: Retry
|
||||
continue: Continue
|
||||
playOffline: Play Offline
|
||||
retry: Riprova
|
||||
continue: Continua
|
||||
playOffline: Gioca offline
|
||||
importSavegameError:
|
||||
title: Errore di importazione
|
||||
text: "Impossibile caricare il salvataggio:"
|
||||
@ -199,66 +199,66 @@ dialogs:
|
||||
desc: C'è un video tutorial per questo livello, ma è disponibile solo in
|
||||
Inglese. Vorresti dargli un'occhiata?
|
||||
editConstantProducer:
|
||||
title: Set Item
|
||||
title: Imposta oggetto
|
||||
puzzleLoadFailed:
|
||||
title: Puzzles failed to load
|
||||
desc: "Unfortunately the puzzles could not be loaded:"
|
||||
title: Impossibile caricare i puzzle
|
||||
desc: "Sfortunatamente non è stato possibile caricare i puzzle:"
|
||||
submitPuzzle:
|
||||
title: Submit Puzzle
|
||||
descName: "Give your puzzle a name:"
|
||||
descIcon: "Please enter a unique short key, which will be shown as the icon of
|
||||
your puzzle (You can generate them <link>here</link>, or choose one
|
||||
of the randomly suggested shapes below):"
|
||||
placeholderName: Puzzle Title
|
||||
title: Pubblica il puzzle
|
||||
descName: "Dai un nome al tuo puzzle:"
|
||||
descIcon: "Per favore inserisci un codice per la forma identificativa, che sarà mostrata come icona
|
||||
del tuo puzzle (Pui generarla <link>qui</link>, oppure sceglierne una
|
||||
tra quelle casuali qui sotto):"
|
||||
placeholderName: Nome puzzle
|
||||
puzzleResizeBadBuildings:
|
||||
title: Resize not possible
|
||||
desc: You can't make the zone any smaller, because then some buildings would be
|
||||
outside the zone.
|
||||
title: Impossibile ridimensionare
|
||||
desc: Non è possibile ridurre la zona ulteriormente, dato che alcuni edifici sarebbero
|
||||
fuori dalla zona.
|
||||
puzzleLoadError:
|
||||
title: Bad Puzzle
|
||||
desc: "The puzzle failed to load:"
|
||||
title: Caricamento fallito
|
||||
desc: "Impossibile caricare il puzzle:"
|
||||
offlineMode:
|
||||
title: Offline Mode
|
||||
desc: We couldn't reach the servers, so the game has to run in offline mode.
|
||||
Please make sure you have an active internect connection.
|
||||
title: Modalità offline
|
||||
desc: Non siamo risciti a contattare i server, quindi il gioco è in modalità offline.
|
||||
Per favore assicurati di avere una connessione internet attiva.
|
||||
puzzleDownloadError:
|
||||
title: Download Error
|
||||
desc: "Failed to download the puzzle:"
|
||||
title: Errore di download
|
||||
desc: "Il download del puzzle è fallito:"
|
||||
puzzleSubmitError:
|
||||
title: Submission Error
|
||||
desc: "Failed to submit your puzzle:"
|
||||
title: Errore di pubblicazione
|
||||
desc: "La pubblicazione del puzzle è fallita:"
|
||||
puzzleSubmitOk:
|
||||
title: Puzzle Published
|
||||
desc: Congratulations! Your puzzle has been published and can now be played by
|
||||
others. You can now find it in the "My puzzles" section.
|
||||
title: Puzzle pubblicato
|
||||
desc: Congratulazioni! Il tuo puzzle è stato pubblicato e ora può essere giocato da
|
||||
altri. Puoi trovarlo nella sezione "I miei puzzle".
|
||||
puzzleCreateOffline:
|
||||
title: Offline Mode
|
||||
desc: Since you are offline, you will not be able to save and/or publish your
|
||||
puzzle. Would you still like to continue?
|
||||
title: Modalità offline
|
||||
desc: Dato che sei offline, non potrai salvare e/o pubblicare il tuo
|
||||
puzzle. Sei sicuro di voler contnuare?
|
||||
puzzlePlayRegularRecommendation:
|
||||
title: Recommendation
|
||||
desc: I <strong>strongly</strong> recommend playing the normal game to level 12
|
||||
before attempting the puzzle DLC, otherwise you may encounter
|
||||
mechanics not yet introduced. Do you still want to continue?
|
||||
title: Raccomandazione
|
||||
desc: Ti raccomando <strong>fortemente</strong> di giocare nella modalità normale fino al livello 12
|
||||
prima di cimentarti nel puzzle DLC, altrimenti potresti incontrare
|
||||
meccaniche non ancora introdotte. Sei sicuro di voler continuare?
|
||||
puzzleShare:
|
||||
title: Short Key Copied
|
||||
desc: The short key of the puzzle (<key>) has been copied to your clipboard! It
|
||||
can be entered in the puzzle menu to access the puzzle.
|
||||
title: Codice copiato
|
||||
desc: Il codice del puzzle (<key>) è stato copiato negli appunti! Può
|
||||
essere inserito nel menù dei puzzle per accedere al puzzle.
|
||||
puzzleReport:
|
||||
title: Report Puzzle
|
||||
title: Segnala puzzle
|
||||
options:
|
||||
profane: Profane
|
||||
unsolvable: Not solvable
|
||||
trolling: Trolling
|
||||
profane: Volgare
|
||||
unsolvable: Senza soluzione
|
||||
trolling: Troll
|
||||
puzzleReportComplete:
|
||||
title: Thank you for your feedback!
|
||||
desc: The puzzle has been flagged.
|
||||
title: Grazie per il tuo feedback!
|
||||
desc: Il puzzle è stato segnalato.
|
||||
puzzleReportError:
|
||||
title: Failed to report
|
||||
desc: "Your report could not get processed:"
|
||||
title: Segnalazione fallita
|
||||
desc: "Non è stato possibile elaborare la tua segnalazione:"
|
||||
puzzleLoadShortKey:
|
||||
title: Enter short key
|
||||
desc: Enter the short key of the puzzle to load it.
|
||||
title: Inserisci codice
|
||||
desc: Inserisci il codice del puzzle per caricarlo.
|
||||
ingame:
|
||||
keybindingsOverlay:
|
||||
moveMap: Sposta
|
||||
@ -430,46 +430,44 @@ ingame:
|
||||
title: Sostienimi
|
||||
desc: Lo sviluppo nel tempo libero!
|
||||
achievements:
|
||||
title: Achievements
|
||||
desc: Hunt them all!
|
||||
title: Achievement
|
||||
desc: Collezionali tutti!
|
||||
puzzleEditorSettings:
|
||||
zoneTitle: Zone
|
||||
zoneWidth: Width
|
||||
zoneHeight: Height
|
||||
trimZone: Trim
|
||||
clearItems: Clear Items
|
||||
share: Share
|
||||
report: Report
|
||||
zoneTitle: Zona
|
||||
zoneWidth: Larghezza
|
||||
zoneHeight: Altezza
|
||||
trimZone: Riduci
|
||||
clearItems: Elimina oggetti
|
||||
share: Condividi
|
||||
report: Segnala
|
||||
puzzleEditorControls:
|
||||
title: Puzzle Creator
|
||||
title: Creazione puzzle
|
||||
instructions:
|
||||
- 1. Place <strong>Constant Producers</strong> to provide shapes and
|
||||
colors to the player
|
||||
- 2. Build one or more shapes you want the player to build later and
|
||||
deliver it to one or more <strong>Goal Acceptors</strong>
|
||||
- 3. Once a Goal Acceptor receives a shape for a certain amount of
|
||||
time, it <strong>saves it as a goal</strong> that the player must
|
||||
produce later (Indicated by the <strong>green badge</strong>).
|
||||
- 4. Click the <strong>lock button</strong> on a building to disable
|
||||
it.
|
||||
- 5. Once you click review, your puzzle will be validated and you
|
||||
can publish it.
|
||||
- 6. Upon release, <strong>all buildings will be removed</strong>
|
||||
except for the Producers and Goal Acceptors - That's the part that
|
||||
the player is supposed to figure out for themselves, after all :)
|
||||
- 1. Posiziona dei <strong>produttori costanti</strong> per fornire forme e
|
||||
colori al giocatore
|
||||
- 2. Costruisci una o più forme che vuoi che il giocatore costruisca e
|
||||
consegni a uno o più degli <strong>Accettori di obiettivi</strong>
|
||||
- 3. Una volta che un accettore di obiettivi riceve una forma per un certo lasso di
|
||||
tempo, lo <strong>salva come obiettivo</strong> che il giocatore dovrà poi
|
||||
produrre (Indicato dal <strong>aimbolo verde</strong>).
|
||||
- 4. Clicca il <strong>bottone di blocco</strong> su un edificio per disabilitarlo.
|
||||
- 5. Una volta che cliccherai verifica, il tuo puzzle sarà convalidato e potrai pubblicarlo.
|
||||
- 6. Una volta rilasciato, <strong>tutti gli edifici saranno rimossi</strong>
|
||||
ad eccezione di produttori e accettori di obiettivi. Quella è la parte che
|
||||
il giocatore deve capire da solo, dopo tutto :)
|
||||
puzzleCompletion:
|
||||
title: Puzzle Completed!
|
||||
titleLike: "Click the heart if you liked the puzzle:"
|
||||
titleRating: How difficult did you find the puzzle?
|
||||
titleRatingDesc: Your rating will help me to make you better suggestions in the future
|
||||
continueBtn: Keep Playing
|
||||
menuBtn: Menu
|
||||
title: Puzzle completato!
|
||||
titleLike: "Clicca il cuore se ti è piaciuto:"
|
||||
titleRating: Quanto è stato difficile il puzzle?
|
||||
titleRatingDesc: La tua valutazione mi aiuterà a darti raccomandazioni migliori in futuro
|
||||
continueBtn: Continua a giocare
|
||||
menuBtn: Menù
|
||||
puzzleMetadata:
|
||||
author: Author
|
||||
shortKey: Short Key
|
||||
rating: Difficulty score
|
||||
averageDuration: Avg. Duration
|
||||
completionRate: Completion rate
|
||||
author: Autore
|
||||
shortKey: Codice
|
||||
rating: Punteggio difficoltà
|
||||
averageDuration: Durata media
|
||||
completionRate: Tasso di completamento
|
||||
shopUpgrades:
|
||||
belt:
|
||||
name: Nastri, distribuzione e tunnel
|
||||
@ -698,11 +696,11 @@ buildings:
|
||||
storyRewards:
|
||||
reward_cutter_and_trash:
|
||||
title: Taglio forme
|
||||
desc: Il <strong>taglierino</strong> è stato bloccato! Taglia le forme a metà da
|
||||
desc: Il <strong>taglierino</strong> è stato sbloccato! Taglia le forme a metà da
|
||||
sopra a sotto <strong>indipendentemente dal suo
|
||||
orientamento</strong>!<br><br> Assicurati di buttare via lo scarto,
|
||||
sennò <strong>si intaserà e andrà in stallo </strong> - Per questo
|
||||
ti ho dato il <strong>certino</strong>, che distrugge tutto quello
|
||||
altrimenti <strong>si intaserà e andrà in stallo </strong> - Per questo
|
||||
ti ho dato il <strong>cestino</strong>, che distrugge tutto quello
|
||||
che riceve!
|
||||
reward_rotater:
|
||||
title: Rotazione
|
||||
@ -1108,14 +1106,14 @@ keybindings:
|
||||
comparator: Comparatore
|
||||
item_producer: Generatore di oggetti (Sandbox)
|
||||
copyWireValue: "Cavi: Copia valore sotto il cursore"
|
||||
rotateToUp: "Rotate: Point Up"
|
||||
rotateToDown: "Rotate: Point Down"
|
||||
rotateToRight: "Rotate: Point Right"
|
||||
rotateToLeft: "Rotate: Point Left"
|
||||
constant_producer: Constant Producer
|
||||
goal_acceptor: Goal Acceptor
|
||||
block: Block
|
||||
massSelectClear: Clear belts
|
||||
rotateToUp: "Ruota: punta in alto"
|
||||
rotateToDown: "Ruota: punta in basso"
|
||||
rotateToRight: "Ruota: punta a destra"
|
||||
rotateToLeft: "Ruota: punta a sinistra"
|
||||
constant_producer: Produttore costante
|
||||
goal_acceptor: Accettore di obiettivi
|
||||
block: Bloca
|
||||
massSelectClear: Sgombra nastri
|
||||
about:
|
||||
title: Riguardo questo gioco
|
||||
body: >-
|
||||
@ -1215,56 +1213,56 @@ tips:
|
||||
- Puoi cliccare a sinistra di una forma fermata a schermo per rimuoverla
|
||||
dalla lista.
|
||||
puzzleMenu:
|
||||
play: Play
|
||||
edit: Edit
|
||||
title: Puzzle Mode
|
||||
createPuzzle: Create Puzzle
|
||||
loadPuzzle: Load
|
||||
reviewPuzzle: Review & Publish
|
||||
validatingPuzzle: Validating Puzzle
|
||||
submittingPuzzle: Submitting Puzzle
|
||||
noPuzzles: There are currently no puzzles in this section.
|
||||
play: Gioca
|
||||
edit: Modifica
|
||||
title: Modalità puzzle
|
||||
createPuzzle: Crea puzzle
|
||||
loadPuzzle: Carica
|
||||
reviewPuzzle: Verifica e pubblica
|
||||
validatingPuzzle: Convalidazione puzzle
|
||||
submittingPuzzle: Pubblicazione puzzle
|
||||
noPuzzles: Al momento non ci sono puzzle in questa sezione.
|
||||
categories:
|
||||
levels: Levels
|
||||
new: New
|
||||
top-rated: Top Rated
|
||||
mine: My Puzzles
|
||||
short: Short
|
||||
easy: Easy
|
||||
hard: Hard
|
||||
completed: Completed
|
||||
levels: Livelli
|
||||
new: Nuovo
|
||||
top-rated: Più votati
|
||||
mine: I miei puzzle
|
||||
short: Brevi
|
||||
easy: Facili
|
||||
hard: Difficili
|
||||
completed: Completati
|
||||
validation:
|
||||
title: Invalid Puzzle
|
||||
noProducers: Please place a Constant Producer!
|
||||
noGoalAcceptors: Please place a Goal Acceptor!
|
||||
goalAcceptorNoItem: One or more Goal Acceptors have not yet assigned an item.
|
||||
Deliver a shape to them to set a goal.
|
||||
goalAcceptorRateNotMet: One or more Goal Acceptors are not getting enough items.
|
||||
Make sure that the indicators are green for all acceptors.
|
||||
buildingOutOfBounds: One or more buildings are outside of the buildable area.
|
||||
Either increase the area or remove them.
|
||||
autoComplete: Your puzzle autocompletes itself! Please make sure your constant
|
||||
producers are not directly delivering to your goal acceptors.
|
||||
title: Puzzle non valido
|
||||
noProducers: Per favore posiziona un Produttore costante!
|
||||
noGoalAcceptors: Per favore posiziona un accettore di obiettivi!
|
||||
goalAcceptorNoItem: Uno o più degli accettori di obiettivi non hanno un oggetto assegnato.
|
||||
Consgnagli una forma per impostare l'obiettivo.
|
||||
goalAcceptorRateNotMet: Uno o più degli accettori di obiettivi non ricevono abbastanza oggetti.
|
||||
Assicurati che gli indicatori siano verdi per tutti gli accettori.
|
||||
buildingOutOfBounds: Uno o più edifici sono fuori dalla zona di costruzione.
|
||||
Ingrandisci l'area o rimuovili.
|
||||
autoComplete: Il tuo puzzle si autocompleta! Per favore assicurati che i tuoi produttori
|
||||
costanti non consegnino direttamente agli accettori di obiettivi.
|
||||
backendErrors:
|
||||
ratelimit: You are performing your actions too frequent. Please wait a bit.
|
||||
invalid-api-key: Failed to communicate with the backend, please try to
|
||||
update/restart the game (Invalid Api Key).
|
||||
unauthorized: Failed to communicate with the backend, please try to
|
||||
update/restart the game (Unauthorized).
|
||||
bad-token: Failed to communicate with the backend, please try to update/restart
|
||||
the game (Bad Token).
|
||||
bad-id: Invalid puzzle identifier.
|
||||
not-found: The given puzzle could not be found.
|
||||
bad-category: The given category could not be found.
|
||||
bad-short-key: The given short key is invalid.
|
||||
profane-title: Your puzzle title contains profane words.
|
||||
bad-title-too-many-spaces: Your puzzle title is too short.
|
||||
bad-shape-key-in-emitter: A constant producer has an invalid item.
|
||||
bad-shape-key-in-goal: A goal acceptor has an invalid item.
|
||||
no-emitters: Your puzzle does not contain any constant producers.
|
||||
no-goals: Your puzzle does not contain any goal acceptors.
|
||||
short-key-already-taken: This short key is already taken, please use another one.
|
||||
can-not-report-your-own-puzzle: You can not report your own puzzle.
|
||||
bad-payload: The request contains invalid data.
|
||||
bad-building-placement: Your puzzle contains invalid placed buildings.
|
||||
timeout: The request timed out.
|
||||
ratelimit: Stai facendo troppe azioni velocemente. Per favore attendi un attimo.
|
||||
invalid-api-key: Comunicazione con il backend fallita, per favore prova ad
|
||||
aggiornare o riavviare il gioco (Invalid Api Key).
|
||||
unauthorized: Comunicazione con il backend fallita, per favore prova ad
|
||||
aggiornare o riavviare il gioco (Unauthorized).
|
||||
bad-token: Comunicazione con il backend fallita, per favore prova ad
|
||||
aggiornare o riavviare il gioco (Bad Token).
|
||||
bad-id: Identificativo puzzle non valido.
|
||||
not-found: Non è stato possibile trovare il puzzle.
|
||||
bad-category: Non è stato possibile trovare la categoria.
|
||||
bad-short-key: Il codice non è valido.
|
||||
profane-title: Il titolo del tuo puzzle contiene volgarità.
|
||||
bad-title-too-many-spaces: Il titolo del tuo puzzle è troppo breve.
|
||||
bad-shape-key-in-emitter: Un produttore costante ha un oggetto non valido.
|
||||
bad-shape-key-in-goal: Un accettore di obiettivi ha un oggetto non valido.
|
||||
no-emitters: Il tuo puzzle non contiente alcun produttore costante.
|
||||
no-goals: Il tuo puzzle non contiene alcun accettore di obiettivi.
|
||||
short-key-already-taken: Queesto codice forma è già in uso, per favore scegline un altro.
|
||||
can-not-report-your-own-puzzle: Non puoi segnlare il tuo puzzle.
|
||||
bad-payload: La richiesta contiene dati non validi.
|
||||
bad-building-placement: Il tuo puzzle contiene edifici non validi.
|
||||
timeout: La richiesta è scaduta.
|
||||
|
@ -188,7 +188,7 @@ dialogs:
|
||||
offlineMode:
|
||||
title: Offline Mode
|
||||
desc: We couldn't reach the servers, so the game has to run in offline mode.
|
||||
Please make sure you have an active internect connection.
|
||||
Please make sure you have an active internet connection.
|
||||
puzzleDownloadError:
|
||||
title: Download Error
|
||||
desc: "Failed to download the puzzle:"
|
||||
@ -335,9 +335,11 @@ ingame:
|
||||
切断機はそれの向きに関わらず、<strong>縦の線</strong>で切断します。"
|
||||
2_2_place_trash: 切断機は<strong>詰まる</strong>場合があります!<br><br>
|
||||
<strong>ゴミ箱</strong>を利用して、不必要な部品を廃棄できます。
|
||||
2_3_more_cutters: "いいですね! <strong>更に2つ以上の切断機</strong>を設置して処理をスピードアップさせましょう!<br>\
|
||||
2_3_more_cutters:
|
||||
"いいですね! <strong>更に2つ以上の切断機</strong>を設置して処理をスピードアップさせましょう!<br>\
|
||||
<br> 追記: <strong>0から9 のホットキー</strong>を使用すると素早く部品にアクセスできます。"
|
||||
3_1_rectangles: "それでは四角形を抽出しましょう! <strong>4つの抽出機を作成</strong>してそれをハブに接続します。<br><\
|
||||
3_1_rectangles:
|
||||
"それでは四角形を抽出しましょう! <strong>4つの抽出機を作成</strong>してそれをハブに接続します。<br><\
|
||||
br> 追記: <strong>SHIFT</strong>を押しながらベルトを引くと ベルトプランナーが有効になります!"
|
||||
21_1_place_quad_painter: <strong>四色着色機</strong>を設置して、
|
||||
<strong>円</strong>、<strong>白</strong>そして
|
||||
@ -617,14 +619,16 @@ buildings:
|
||||
storyRewards:
|
||||
reward_cutter_and_trash:
|
||||
title: 形の切断
|
||||
desc: <strong>切断機</strong>が利用可能になりました。これは入力された形を、<strong>向きを考慮せず上下の直線で</strong>半分に切断します! <br><br>利用しない側の出力に注意しましょう、破棄しなければ<strong>詰まって停止してしまいます。</strong>
|
||||
desc:
|
||||
<strong>切断機</strong>が利用可能になりました。これは入力された形を、<strong>向きを考慮せず上下の直線で</strong>半分に切断します! <br><br>利用しない側の出力に注意しましょう、破棄しなければ<strong>詰まって停止してしまいます。</strong>
|
||||
- このために<strong>ゴミ箱</strong>も用意しました。入力アイテムをすべて破棄できます!
|
||||
reward_rotater:
|
||||
title: 回転
|
||||
desc: <strong>回転機</strong>が利用可能になりました! 形を時計回り方向に90度回転させます。
|
||||
reward_painter:
|
||||
title: 着色
|
||||
desc: "<strong>着色機</strong>が利用可能になりました。(今まで形状でやってきた方法で)色を抽出し、形状と合成することで着色します! <\
|
||||
desc:
|
||||
"<strong>着色機</strong>が利用可能になりました。(今まで形状でやってきた方法で)色を抽出し、形状と合成することで着色します! <\
|
||||
br><br>追伸: もし色覚特性をお持ちでしたら、 設定に<strong>色覚特性モード</strong>があります!"
|
||||
reward_mixer:
|
||||
title: 混色
|
||||
@ -643,7 +647,8 @@ storyRewards:
|
||||
desc: <strong>回転機</strong>のバリエーションが利用可能になりました。反時計回りの回転ができるようになります! 回転機を選択し、<strong>'T'キーを押すことで方向の切り替えができます。</strong>
|
||||
reward_miner_chainable:
|
||||
title: 連鎖抽出機
|
||||
desc: "<strong>連鎖抽出機</strong>が利用可能になりました! 他の抽出機に<strong>出力を渡す</strong>ことができるので、
|
||||
desc:
|
||||
"<strong>連鎖抽出機</strong>が利用可能になりました! 他の抽出機に<strong>出力を渡す</strong>ことができるので、
|
||||
資源の抽出がより効率的になります!<br><br> 補足: ツールバーの 旧い抽出機が置き換えられました!"
|
||||
reward_underground_belt_tier_2:
|
||||
title: トンネル レベルII
|
||||
@ -668,7 +673,8 @@ storyRewards:
|
||||
通常の着色機と同様に機能しますが、ひとつの色の消費で<strong>一度に2つの形</strong>を着色処理できます!
|
||||
reward_storage:
|
||||
title: ストレージ
|
||||
desc: <strong>ストレージ</strong>が利用可能になりました。 - 容量上限までアイテムを格納できます!<br><br>
|
||||
desc:
|
||||
<strong>ストレージ</strong>が利用可能になりました。 - 容量上限までアイテムを格納できます!<br><br>
|
||||
左側の出力を優先するため、<strong>オーバーフローゲート</strong>としても使用できます!
|
||||
reward_blueprints:
|
||||
title: ブループリント
|
||||
@ -687,7 +693,8 @@ storyRewards:
|
||||
設定で<strong>ヒントを有効にする</strong>と、 ワイヤのチュートリアルが有効になります。"
|
||||
reward_filter:
|
||||
title: アイテムフィルタ
|
||||
desc: <strong>アイテムフィルタ</strong>が利用可能になりました! ワイヤレイヤの信号と一致するかどうかに応じて、アイテムを上側または右側の出力に分離します。<br><br>
|
||||
desc:
|
||||
<strong>アイテムフィルタ</strong>が利用可能になりました! ワイヤレイヤの信号と一致するかどうかに応じて、アイテムを上側または右側の出力に分離します。<br><br>
|
||||
また、真偽値(0/1)信号を入力すれば全てのアイテムの通過・非通過を制御できます。
|
||||
reward_display:
|
||||
title: ディスプレイ
|
||||
@ -696,11 +703,13 @@ storyRewards:
|
||||
ベルトリーダーとストレージが最後に通過したアイテムを出力していることに気づきましたか? それをディスプレイに表示してみてください!"
|
||||
reward_constant_signal:
|
||||
title: 定数信号
|
||||
desc: <strong>定数信号</strong>がワイヤレイヤで利用可能になりました! これは例えば<strong>アイテムフィルタ</strong>に接続すると便利です。<br><br>
|
||||
desc:
|
||||
<strong>定数信号</strong>がワイヤレイヤで利用可能になりました! これは例えば<strong>アイテムフィルタ</strong>に接続すると便利です。<br><br>
|
||||
発信できる信号は<strong>形状</strong>、<strong>色</strong>、<strong>真偽値</strong>(1か0)です。
|
||||
reward_logic_gates:
|
||||
title: 論理ゲート
|
||||
desc: <strong>論理ゲート</strong>が利用可能になりました! 興奮する必要はありませんが、これは非常に優秀なんですよ!<br><br>
|
||||
desc:
|
||||
<strong>論理ゲート</strong>が利用可能になりました! 興奮する必要はありませんが、これは非常に優秀なんですよ!<br><br>
|
||||
これでAND, OR, XOR, NOTを計算できます。<br><br>
|
||||
ボーナスとして<strong>トランジスタ</strong>も追加しました!
|
||||
reward_virtual_processing:
|
||||
@ -712,7 +721,8 @@ storyRewards:
|
||||
- ワイヤでイカしたものを作る。<br><br> - 今までのように工場を建設する。<br><br> いずれにしても、楽しんでください!
|
||||
no_reward:
|
||||
title: 次のレベル
|
||||
desc: "このレベルには報酬はありません。次はきっとありますよ! <br><br> 補足: すでに作った生産ラインは削除しないようにしましょう。 -
|
||||
desc:
|
||||
"このレベルには報酬はありません。次はきっとありますよ! <br><br> 補足: すでに作った生産ラインは削除しないようにしましょう。 -
|
||||
生産された形は<strong>すべて</strong>、後で<strong>アップグレードの解除</strong>に必要になります!"
|
||||
no_reward_freeplay:
|
||||
title: 次のレベル
|
||||
@ -838,7 +848,8 @@ settings:
|
||||
description: 配置用のグリッドを無効にして、パフォーマンスを向上させます。 これにより、ゲームの見た目もすっきりします。
|
||||
clearCursorOnDeleteWhilePlacing:
|
||||
title: 右クリックで配置をキャンセル
|
||||
description: デフォルトで有効です。建物を設置しているときに右クリックすると、選択中の建物がキャンセルされます。
|
||||
description:
|
||||
デフォルトで有効です。建物を設置しているときに右クリックすると、選択中の建物がキャンセルされます。
|
||||
無効にすると、建物の設置中に右クリックで建物を削除できます。
|
||||
lowQualityTextures:
|
||||
title: 低品質のテクスチャ(視認性低下)
|
||||
|
@ -8,7 +8,7 @@ steamPage:
|
||||
심지어 그것만으로는 충분하지 않을 겁니다. 수요는 기하급수적으로 늘어나게 될 것이고, 더욱 복잡한 도형을 더욱 많이 생산하여야 하므로, 유일하게 도움이 되는 것은 끊임없이 확장을 하는 것입니다! 처음에는 단순한 도형만을 만들지만, 나중에는 색소를 추출하고 혼합하여 도형에 색칠을 해야 합니다!
|
||||
|
||||
Steam에서 게임을 구매하여 정식 버전의 콘텐츠를 사용하실 수 있지만, 먼저 Shapez.io의 체험판 버전을 플레이해보시고 구매를 고려하셔도 됩니다!
|
||||
what_others_say: What people say about shapez.io
|
||||
what_others_say: shapez.io에 대한 의견들
|
||||
nothernlion_comment: This game is great - I'm having a wonderful time playing,
|
||||
and time has flown by.
|
||||
notch_comment: Oh crap. I really should sleep, but I think I just figured out
|
||||
@ -47,7 +47,7 @@ global:
|
||||
escape: ESC
|
||||
shift: SHIFT
|
||||
space: SPACE
|
||||
loggingIn: Logging in
|
||||
loggingIn: 로그인 중
|
||||
demoBanners:
|
||||
title: 체험판 버전
|
||||
intro: 정식 버전을 구매해서 모든 콘텐츠를 사용해 보세요!
|
||||
@ -67,11 +67,11 @@ mainMenu:
|
||||
madeBy: 제작 <author-link>
|
||||
subreddit: Reddit
|
||||
savegameUnnamed: 이름 없음
|
||||
puzzleMode: Puzzle Mode
|
||||
puzzleMode: 퍼즐 모드
|
||||
back: Back
|
||||
puzzleDlcText: Do you enjoy compacting and optimizing factories? Get the Puzzle
|
||||
DLC now on Steam for even more fun!
|
||||
puzzleDlcWishlist: Wishlist now!
|
||||
puzzleDlcText: 공장의 크기를 줄이고 최적화하는데 관심이 많으신가요? 지금 퍼즐 DLC를
|
||||
구입하세요!
|
||||
puzzleDlcWishlist: 지금 찜 목록에 추가하세요!
|
||||
dialogs:
|
||||
buttons:
|
||||
ok: 확인
|
||||
@ -85,9 +85,9 @@ dialogs:
|
||||
viewUpdate: 업데이트 보기
|
||||
showUpgrades: 업그레이드 보기
|
||||
showKeybindings: 조작법 보기
|
||||
retry: Retry
|
||||
continue: Continue
|
||||
playOffline: Play Offline
|
||||
retry: 재시작
|
||||
continue: 계속하기
|
||||
playOffline: 오프라인 플레이
|
||||
importSavegameError:
|
||||
title: 가져오기 오류
|
||||
text: "세이브 파일을 가져오지 못했습니다:"
|
||||
@ -173,66 +173,65 @@ dialogs:
|
||||
title: 활성화된 튜토리얼
|
||||
desc: 현재 레벨에서 사용할 수 있는 튜토리얼 비디오가 있습니다! 허나 영어로만 제공될 것입니다. 보시겠습니까?
|
||||
editConstantProducer:
|
||||
title: Set Item
|
||||
title: 아이템 설정
|
||||
puzzleLoadFailed:
|
||||
title: Puzzles failed to load
|
||||
title: 퍼즐 불러오기 실패
|
||||
desc: "Unfortunately the puzzles could not be loaded:"
|
||||
submitPuzzle:
|
||||
title: Submit Puzzle
|
||||
descName: "Give your puzzle a name:"
|
||||
descIcon: "Please enter a unique short key, which will be shown as the icon of
|
||||
your puzzle (You can generate them <link>here</link>, or choose one
|
||||
of the randomly suggested shapes below):"
|
||||
placeholderName: Puzzle Title
|
||||
title: 퍼즐 보내기
|
||||
descName: "퍼즐에 이름을 지어 주세요:"
|
||||
descIcon: "퍼즐의 아이콘으로 보여지게 될 짧은 단어를 지정해 주세요.
|
||||
(<link>이곳</link>에서 생성하시거나, 아래 랜덤한 모양 중
|
||||
하나를 선택하세요):"
|
||||
placeholderName: 퍼즐 제목
|
||||
puzzleResizeBadBuildings:
|
||||
title: Resize not possible
|
||||
desc: You can't make the zone any smaller, because then some buildings would be
|
||||
outside the zone.
|
||||
title: 크기 조절 불가능
|
||||
desc: 몇몇 건물이 구역 밖으로 벗어나게 되므로 크기를 조절할 수 없습니다.
|
||||
puzzleLoadError:
|
||||
title: Bad Puzzle
|
||||
desc: "The puzzle failed to load:"
|
||||
title: 잘못된 퍼즐
|
||||
desc: "퍼즐을 불러올 수 없었습니다:"
|
||||
offlineMode:
|
||||
title: Offline Mode
|
||||
desc: We couldn't reach the servers, so the game has to run in offline mode.
|
||||
Please make sure you have an active internect connection.
|
||||
title: 오프라인 모드
|
||||
desc: 서버에 접속할 수 없었으므로 오프라인 모드로 게임이 시작되었습니다.
|
||||
인터넷 연결 상태를 다시 한번 확인해 주세요.
|
||||
puzzleDownloadError:
|
||||
title: Download Error
|
||||
desc: "Failed to download the puzzle:"
|
||||
title: 다운로드 오류
|
||||
desc: "퍼즐을 다운로드할 수 없습니다:"
|
||||
puzzleSubmitError:
|
||||
title: Submission Error
|
||||
desc: "Failed to submit your puzzle:"
|
||||
title: 전송 오류
|
||||
desc: "퍼즐을 전송할 수 없습니다:"
|
||||
puzzleSubmitOk:
|
||||
title: Puzzle Published
|
||||
desc: Congratulations! Your puzzle has been published and can now be played by
|
||||
others. You can now find it in the "My puzzles" section.
|
||||
title: 퍼즐 공개됨
|
||||
desc: 축하합니다! 퍼즐이 업로드되었고 이제 다른 사람이 플레이할 수 있습니다.
|
||||
"내 퍼즐" 섹션에서 찾으실 수 있습니다.
|
||||
puzzleCreateOffline:
|
||||
title: Offline Mode
|
||||
desc: Since you are offline, you will not be able to save and/or publish your
|
||||
puzzle. Would you still like to continue?
|
||||
title: 오프라인 모드
|
||||
desc: 오프라인 모드임으로 퍼즐을 저장하거나 업로드할 수 없습니다.
|
||||
그래도 계속하시겠습니까?
|
||||
puzzlePlayRegularRecommendation:
|
||||
title: Recommendation
|
||||
desc: I <strong>strongly</strong> recommend playing the normal game to level 12
|
||||
before attempting the puzzle DLC, otherwise you may encounter
|
||||
mechanics not yet introduced. Do you still want to continue?
|
||||
title: 권장 사항
|
||||
desc: 퍼즐 DLC 플레이시 소개되지 않은 요소를 접하시게 될 수 있으므로, 적어도
|
||||
일반 게임을 12레벨까지 플레이하시는것을 <strong>강력히</strong> 권장드립니다.
|
||||
그래도 계속하시겠습니까?
|
||||
puzzleShare:
|
||||
title: Short Key Copied
|
||||
desc: The short key of the puzzle (<key>) has been copied to your clipboard! It
|
||||
can be entered in the puzzle menu to access the puzzle.
|
||||
title: 짧은 키 복사됨
|
||||
desc: 퍼즐의 짧은 키 (<key>) 가 클립보드에 복사되었습니다!
|
||||
메인 메뉴에서 퍼즐 접근 시 사용할 수 있습니다.
|
||||
puzzleReport:
|
||||
title: Report Puzzle
|
||||
title: 퍼즐 신고
|
||||
options:
|
||||
profane: Profane
|
||||
unsolvable: Not solvable
|
||||
trolling: Trolling
|
||||
profane: 부적절함
|
||||
unsolvable: 풀 수 없음
|
||||
trolling: 낚시성
|
||||
puzzleReportComplete:
|
||||
title: Thank you for your feedback!
|
||||
desc: The puzzle has been flagged.
|
||||
title: 피드백을 보내주셔서 감사드립니다!
|
||||
desc: 퍼즐이 신고되었습니다.
|
||||
puzzleReportError:
|
||||
title: Failed to report
|
||||
desc: "Your report could not get processed:"
|
||||
title: 신고 실패
|
||||
desc: "오류로 신고가 처리되지 못했습니다:"
|
||||
puzzleLoadShortKey:
|
||||
title: Enter short key
|
||||
desc: Enter the short key of the puzzle to load it.
|
||||
title: 짧은 키 입력
|
||||
desc: 불러올 퍼즐의 짧은 키를 입력해 주세요.
|
||||
ingame:
|
||||
keybindingsOverlay:
|
||||
moveMap: 이동
|
||||
@ -324,9 +323,9 @@ ingame:
|
||||
1_3_expand: "이 게임은 방치형 게임이 <strong>아닙니다</strong>! 더 많은 추출기와 벨트를 만들어 지정된 목표를 빨리
|
||||
달성하세요.<br><br> 팁: <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_1_place_cutter: "<strong>절단기</strong>를 배치해서 원을 절반으로 나눠 보세요!
|
||||
<br><br> 추신: 절단기는 방향에 상관없이 모양을 <strong>위에서부터
|
||||
아래로 자릅니다."
|
||||
2_2_place_trash: 절단기가 <strong>막히거나 멈출 수 있습니다</strong>!<br><br>
|
||||
<strong>휴지통</strong>을 사용하여 현재 필요없는 쓰레기 도형 (!)을 제거하세요.
|
||||
2_3_more_cutters: "잘하셨습니다! 느린 처리 속도를 보완하기 위해 <strong>절단기를 두 개</strong> 이상
|
||||
@ -340,9 +339,8 @@ ingame:
|
||||
21_2_switch_to_wires: <strong>E 키</strong>를 눌러 전선 레이어 로 전환하세요!<br><br> 그 후 색칠기의
|
||||
<strong>네 입력 부분</strong>을 모두 케이블로 연결하세요!
|
||||
21_3_place_button: 훌륭해요! 이제 <strong>스위치</strong>를 배치하고 전선으로 연결하세요!
|
||||
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."
|
||||
21_4_press_button: "스위치를 눌러서 색칠기에 <strong>참 신호를 보내</strong> 활성화해보세요.<br><br> 추신:
|
||||
모든 입력을 연결할 필요는 없습니다! 두개만 연결해 보세요."
|
||||
colors:
|
||||
red: 빨간색
|
||||
green: 초록색
|
||||
@ -391,46 +389,43 @@ ingame:
|
||||
title: 저를 지원해주세요
|
||||
desc: 저는 여가 시간에 게임을 개발합니다!
|
||||
achievements:
|
||||
title: Achievements
|
||||
desc: Hunt them all!
|
||||
title: 도전 과제
|
||||
desc: 모두 잡아 보세요!
|
||||
puzzleEditorSettings:
|
||||
zoneTitle: Zone
|
||||
zoneWidth: Width
|
||||
zoneHeight: Height
|
||||
trimZone: Trim
|
||||
clearItems: Clear Items
|
||||
share: Share
|
||||
report: Report
|
||||
zoneTitle: 구역
|
||||
zoneWidth: 너비
|
||||
zoneHeight: 높이
|
||||
trimZone: 자르기
|
||||
clearItems: 아이템 초기화
|
||||
share: 공유
|
||||
report: 신고
|
||||
puzzleEditorControls:
|
||||
title: Puzzle Creator
|
||||
title: 퍼즐 생성기
|
||||
instructions:
|
||||
- 1. Place <strong>Constant Producers</strong> to provide shapes and
|
||||
colors to the player
|
||||
- 2. Build one or more shapes you want the player to build later and
|
||||
deliver it to one or more <strong>Goal Acceptors</strong>
|
||||
- 3. Once a Goal Acceptor receives a shape for a certain amount of
|
||||
time, it <strong>saves it as a goal</strong> that the player must
|
||||
produce later (Indicated by the <strong>green badge</strong>).
|
||||
- 4. Click the <strong>lock button</strong> on a building to disable
|
||||
it.
|
||||
- 5. Once you click review, your puzzle will be validated and you
|
||||
can publish it.
|
||||
- 6. Upon release, <strong>all buildings will be removed</strong>
|
||||
except for the Producers and Goal Acceptors - That's the part that
|
||||
the player is supposed to figure out for themselves, after all :)
|
||||
- 1. <strong>일정 생성기</strong>를 배치해 플레이어가 사용할 색깔과 모양
|
||||
을 생성하세요
|
||||
- 2. 플레이어가 나중에 만들 모양을 하나 이상 만들어 <strong>목표 수집기</strong>
|
||||
로 배달하도록 만드세요
|
||||
- 3. 목표 수집기가 모양을 일정 양 이상 수집하면 그것은 플레이어가 반드시
|
||||
<strong>생산해야 할 목표 모양</strong>으로 저장합니다 (<strong>초록색 뱃지</strong>
|
||||
로 표시됨)
|
||||
- 4. 건물의 <strong>잠금 버튼</strong>을 눌러서 비활성화하세요
|
||||
- 5. 리뷰 버튼을 누르면 퍼즐이 검증되고 업로드할수 있게 됩니다.
|
||||
- 6. 공개시, 생성기와 목표 수집기를 제외한 <strong>모든 건물이</strong>
|
||||
제거됩니다 - 그 부분이 바로 플레이어가 스스로 알아내야 하는 것들이죠 :)
|
||||
puzzleCompletion:
|
||||
title: Puzzle Completed!
|
||||
titleLike: "Click the heart if you liked the puzzle:"
|
||||
titleRating: How difficult did you find the puzzle?
|
||||
titleRatingDesc: Your rating will help me to make you better suggestions in the future
|
||||
continueBtn: Keep Playing
|
||||
menuBtn: Menu
|
||||
title: 퍼즐 완료됨!
|
||||
titleLike: "퍼즐이 좋았다면 하트를 눌러주세요:"
|
||||
titleRating: 퍼즐의 난이도는 어땠나요?
|
||||
titleRatingDesc: 당신의 평가는 제가 미래에 더 나은 평가를 만들수 있도록 도울 수 있습니다.
|
||||
continueBtn: 계속 플레이하기
|
||||
menuBtn: 메뉴
|
||||
puzzleMetadata:
|
||||
author: Author
|
||||
shortKey: Short Key
|
||||
rating: Difficulty score
|
||||
averageDuration: Avg. Duration
|
||||
completionRate: Completion rate
|
||||
author: 제작자
|
||||
shortKey: 짧은 키
|
||||
rating: 난이도
|
||||
averageDuration: 평균 플레이 시간
|
||||
completionRate: 완료율
|
||||
shopUpgrades:
|
||||
belt:
|
||||
name: 벨트, 밸런서, 터널
|
||||
@ -548,7 +543,7 @@ buildings:
|
||||
constant_signal:
|
||||
default:
|
||||
name: 일정 신호기
|
||||
description: 모양, 색상, 또는 불 값 (1 또는 0) 상수 신호를 방출합니다.
|
||||
description: 모양, 색상, 또는 불 값 (1 또는 0)이 될 수 있는 일정한 신호를 방출합니다.
|
||||
lever:
|
||||
default:
|
||||
name: 스위치
|
||||
@ -617,16 +612,16 @@ buildings:
|
||||
description: 샌드박스 모드에서만 사용할 수 있는 아이템으로, 일반 레이어 위에 있는 전선 레이어에서 주어진 신호를 출력합니다.
|
||||
constant_producer:
|
||||
default:
|
||||
name: Constant Producer
|
||||
description: Constantly outputs a specified shape or color.
|
||||
name: 일정 생성기
|
||||
description: 지정한 모양이나 색깔을 일정하게 생성합니다.
|
||||
goal_acceptor:
|
||||
default:
|
||||
name: Goal Acceptor
|
||||
description: Deliver shapes to the goal acceptor to set them as a goal.
|
||||
name: 목표 수집기
|
||||
description: 목표 수집기로 모양을 보내 목표로 설정하세요.
|
||||
block:
|
||||
default:
|
||||
name: Block
|
||||
description: Allows you to block a tile.
|
||||
name: 차단기
|
||||
description: 타일을 사용하지 못하게 차단합니다.
|
||||
storyRewards:
|
||||
reward_cutter_and_trash:
|
||||
title: 절단기
|
||||
@ -743,13 +738,12 @@ storyRewards:
|
||||
- 평소처럼 게임을 진행합니다.<br><br> 어떤 방식으로든, 재미있게 게임을 플레이해주시길 바랍니다!
|
||||
reward_wires_painter_and_levers:
|
||||
title: 전선과 4단 색칠기
|
||||
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
|
||||
mechanics!<br><br> For the beginning I unlocked you the <strong>Quad
|
||||
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!"
|
||||
desc: " 방금 <strong>전선 레이어</strong>를 활성화하셨습니다: 이것은 일반
|
||||
레이어 위에 존재하는 별개의 레이어로 수많은 새로운 요소를 사용할 수
|
||||
있습니다!<br><br> <strong>4단 색칠기</strong>를 활성화해 드리겠습니다 -
|
||||
전선 레이어에서 색을 칠할 부분에 연결해 보세요!<br><br> 전선 레이어로
|
||||
전환하시려면 <strong>E</strong>키를 눌러주세요.<br><br> 추신: <strong>힌트를
|
||||
활성화</strong>해서 전선 튜토리얼을 활성화해 보세요!"
|
||||
reward_filter:
|
||||
title: 아이템 선별기
|
||||
desc: <strong>아이템 선별기</strong>가 잠금 해제되었습니다! 전선 레이어의 신호와 일치하는지에 대한 여부로 아이템을 위쪽
|
||||
@ -974,7 +968,7 @@ keybindings:
|
||||
rotateToDown: "Rotate: Point Down"
|
||||
rotateToRight: "Rotate: Point Right"
|
||||
rotateToLeft: "Rotate: Point Left"
|
||||
constant_producer: Constant Producer
|
||||
constant_producer: 일정 생성기
|
||||
goal_acceptor: Goal Acceptor
|
||||
block: Block
|
||||
massSelectClear: Clear belts
|
||||
@ -1059,56 +1053,56 @@ tips:
|
||||
- F4 키를 두번 누르면 마우스와 카메라의 타일을 표시합니다.
|
||||
- 왼쪽에 고정된 도형을 클릭하여 고정을 해제할 수 있습니다.
|
||||
puzzleMenu:
|
||||
play: Play
|
||||
edit: Edit
|
||||
title: Puzzle Mode
|
||||
createPuzzle: Create Puzzle
|
||||
loadPuzzle: Load
|
||||
reviewPuzzle: Review & Publish
|
||||
validatingPuzzle: Validating Puzzle
|
||||
submittingPuzzle: Submitting Puzzle
|
||||
noPuzzles: There are currently no puzzles in this section.
|
||||
play: 플레이
|
||||
edit: 편집
|
||||
title: 퍼즐 모드
|
||||
createPuzzle: 퍼즐 만들기
|
||||
loadPuzzle: 불러오기
|
||||
reviewPuzzle: 리뷰 & 공개
|
||||
validatingPuzzle: 퍼즐 검증중
|
||||
submittingPuzzle: 퍼즐 전송중
|
||||
noPuzzles: 이 섹션에 퍼즐이 없습니다.
|
||||
categories:
|
||||
levels: Levels
|
||||
new: New
|
||||
top-rated: Top Rated
|
||||
mine: My Puzzles
|
||||
short: Short
|
||||
easy: Easy
|
||||
hard: Hard
|
||||
completed: Completed
|
||||
levels: 레벨순
|
||||
new: 최신순
|
||||
top-rated: 등급순
|
||||
mine: 내 퍼즐
|
||||
short: 짧음
|
||||
easy: 쉬움
|
||||
hard: 어러움
|
||||
completed: 완료함
|
||||
validation:
|
||||
title: Invalid Puzzle
|
||||
noProducers: Please place a Constant Producer!
|
||||
noGoalAcceptors: Please place a Goal Acceptor!
|
||||
goalAcceptorNoItem: One or more Goal Acceptors have not yet assigned an item.
|
||||
Deliver a shape to them to set a goal.
|
||||
goalAcceptorRateNotMet: One or more Goal Acceptors are not getting enough items.
|
||||
Make sure that the indicators are green for all acceptors.
|
||||
buildingOutOfBounds: One or more buildings are outside of the buildable area.
|
||||
Either increase the area or remove them.
|
||||
autoComplete: Your puzzle autocompletes itself! Please make sure your constant
|
||||
producers are not directly delivering to your goal acceptors.
|
||||
title: 잘못된 퍼즐
|
||||
noProducers: 일정 생성기를 배치해주세요!
|
||||
noGoalAcceptors: 목표 수집기를 배치해주세요!
|
||||
goalAcceptorNoItem: 하나 이상의 목표 수집기에 아이템이 지정되지 않았습니다.
|
||||
모양을 운반해서 목표를 지정해 주세요.
|
||||
goalAcceptorRateNotMet: 하나 이상의 목표 수집기에 아이템이 충분하지 않습니다.
|
||||
모든 수집기의 표시가 초록색인지 확인해주세요.
|
||||
buildingOutOfBounds: 하나 이상의 건물이 지을 수 있는 영역 밖에 존재합니다.
|
||||
영역을 늘리거나 건물을 제거하세요.
|
||||
autoComplete: 퍼즐이 스스로 완료됩니다! 일정 생성기가 만든 모양이 목표 수집기로
|
||||
바로 들어가고 있는건 아닌지 확인해주세요.
|
||||
backendErrors:
|
||||
ratelimit: You are performing your actions too frequent. Please wait a bit.
|
||||
invalid-api-key: Failed to communicate with the backend, please try to
|
||||
update/restart the game (Invalid Api Key).
|
||||
unauthorized: Failed to communicate with the backend, please try to
|
||||
update/restart the game (Unauthorized).
|
||||
bad-token: Failed to communicate with the backend, please try to update/restart
|
||||
the game (Bad Token).
|
||||
bad-id: Invalid puzzle identifier.
|
||||
not-found: The given puzzle could not be found.
|
||||
bad-category: The given category could not be found.
|
||||
bad-short-key: The given short key is invalid.
|
||||
profane-title: Your puzzle title contains profane words.
|
||||
bad-title-too-many-spaces: Your puzzle title is too short.
|
||||
bad-shape-key-in-emitter: A constant producer has an invalid item.
|
||||
bad-shape-key-in-goal: A goal acceptor has an invalid item.
|
||||
no-emitters: Your puzzle does not contain any constant producers.
|
||||
no-goals: Your puzzle does not contain any goal acceptors.
|
||||
short-key-already-taken: This short key is already taken, please use another one.
|
||||
can-not-report-your-own-puzzle: You can not report your own puzzle.
|
||||
bad-payload: The request contains invalid data.
|
||||
bad-building-placement: Your puzzle contains invalid placed buildings.
|
||||
timeout: The request timed out.
|
||||
ratelimit: 너무 빠른 시간 내 작업을 반복하고 있습니다. 조금만 기다려 주세요.
|
||||
invalid-api-key: 백엔드 서버와 통신할 수 없습니다. 게임을 업데이트하거나
|
||||
재시작해 주세요 (잘못된 API 키).
|
||||
unauthorized: 백엔드 서버와 통신할 수 없습니다. 게임을 업데이트하거나
|
||||
재시작해 주세요 (인증되지 않음).
|
||||
bad-token: 백엔드 서버와 통신할 수 없습니다. 게임을 업데이트하거나
|
||||
재시작해 주세요 (잘못된 토큰).
|
||||
bad-id: 잘못된 퍼즐 구분자.
|
||||
not-found: 해당하는 퍼즐을 찾을 수 없습니다.
|
||||
bad-category: 해당하는 분류를 찾을 수 없습니다.
|
||||
bad-short-key: 입력한 짧은 키가 올바르지 않습니다.
|
||||
profane-title: 퍼즐 제목에 부적절한 단어가 포함되어 있습니다.
|
||||
bad-title-too-many-spaces: 퍼즐 제목이 너무 짧습니다.
|
||||
bad-shape-key-in-emitter: 일정 생성기에 잘못된 아이템이 지정되어 있습니다.
|
||||
bad-shape-key-in-goal: 목표 수집기에 잘못된 아이템이 지정되어 있습니다.
|
||||
no-emitters: 퍼즐에 일정 생성기가 하나도 존재하지 않습니다.
|
||||
no-goals: 퍼즐에 목표 생성기가 하나도 존재하지 않습니다.
|
||||
short-key-already-taken: 이 짧은 키는 이미 사용중입니다. 다른 것을 이용해 주세요.
|
||||
can-not-report-your-own-puzzle: 자신이 만든 퍼즐을 신고할 수 없습니다.
|
||||
bad-payload: 요청이 잘못된 데이터를 포함하고 있습니다.
|
||||
bad-building-placement: 퍼즐에 잘못된 곳에 위치한 건물이 있습니다.
|
||||
timeout: 요청 시간이 초과되었습니다.
|
||||
|
@ -211,7 +211,7 @@ dialogs:
|
||||
offlineMode:
|
||||
title: Offline Mode
|
||||
desc: We couldn't reach the servers, so the game has to run in offline mode.
|
||||
Please make sure you have an active internect connection.
|
||||
Please make sure you have an active internet connection.
|
||||
puzzleDownloadError:
|
||||
title: Download Error
|
||||
desc: "Failed to download the puzzle:"
|
||||
|
@ -1,17 +1,17 @@
|
||||
steamPage:
|
||||
shortText: shapez.io is een spel dat draait om het bouwen van fabrieken voor het
|
||||
produceren en automatiseren van steeds complexere vormen in een oneindig
|
||||
groot speelveld.
|
||||
grote wereld.
|
||||
discordLinkShort: Officiële Discord server
|
||||
intro: >-
|
||||
Shapez.io is een spel waarin je fabrieken moet bouwen voor de
|
||||
Shapez.io is een spel waarin je fabrieken bouwt voor de
|
||||
automatische productie van geometrische vormen.
|
||||
|
||||
Naarmate het spel vordert, worden de vormen complexer, en moet je uitbreiden in het oneindige speelveld.
|
||||
Naarmate het spel vordert, worden de vormen complexer, en zul je moeten uitbreiden in de oneindige wereld.
|
||||
|
||||
En als dat nog niet genoeg is moet je ook nog eens steeds meer produceren om aan de vraag te kunnen voldoen. Het enige dat helpt is uitbreiden!
|
||||
En als dat nog niet genoeg is produceer je ook nog steeds meer om aan de vraag te kunnen voldoen. Het enige dat helpt is uitbreiden!
|
||||
|
||||
Ondanks het feit dat je in het begin alleen vormen maakt, komt er het punt waarop je ze moet kleuren. Deze kleuren moet je vinden en mengen!
|
||||
Ondanks het feit dat je in het begin alleen vormen maakt, komt er een punt waarop je ze gaat kleuren. Deze kleuren kun je vinden en mengen!
|
||||
|
||||
Door het spel op Steam te kopen kun je de volledige versie spelen. Je kunt echter ook een demo versie spelen op shapez.io en later beslissen om over te schakelen zonder voortgang te verliezen.
|
||||
what_others_say: What people say about shapez.io
|
||||
@ -65,7 +65,7 @@ mainMenu:
|
||||
discordLink: Officiële Discord-server (Engelstalig)
|
||||
helpTranslate: Help ons met vertalen!
|
||||
browserWarning: Sorry, maar dit spel draait langzaam in je huidige browser! Koop
|
||||
de standalone versie of download chrome voor de volledige ervaring.
|
||||
de standalone versie of download Google Chrome voor de volledige ervaring.
|
||||
savegameLevel: Level <x>
|
||||
savegameLevelUnknown: Level onbekend
|
||||
continue: Ga verder
|
||||
@ -104,7 +104,7 @@ dialogs:
|
||||
title: Corrupte savegame
|
||||
text: "Het laden van je savegame is mislukt:"
|
||||
confirmSavegameDelete:
|
||||
title: Bevestig het verwijderen
|
||||
title: Bevestig verwijderen van savegame
|
||||
text: Ben je zeker dat je het volgende spel wil verwijderen?<br><br>
|
||||
'<savegameName>' op niveau <savegameLevel><br><br> Dit kan niet
|
||||
ongedaan worden gemaakt!
|
||||
@ -113,7 +113,7 @@ dialogs:
|
||||
text: "Het verwijderen van de savegame is mislukt:"
|
||||
restartRequired:
|
||||
title: Opnieuw opstarten vereist
|
||||
text: Je moet het spel opnieuw opstarten om de instellingen toe te passen.
|
||||
text: Start het spel opnieuw op om de instellingen toe te passen.
|
||||
editKeybinding:
|
||||
title: Verander sneltoetsen
|
||||
desc: Druk op de toets of muisknop die je aan deze functie toe wil wijzen, of
|
||||
@ -162,8 +162,8 @@ dialogs:
|
||||
van lopende banden om te draaien wanneer je ze plaatst.<br>"
|
||||
createMarker:
|
||||
title: Nieuwe markering
|
||||
desc: Geef het een nuttige naam, Je kan ook een <strong>snel toets</strong> van
|
||||
een vorm gebruiken (die je <link>here</link> kan genereren).
|
||||
desc: Geef het een nuttige naam, Je kan ook een <strong>sleutel</strong> van
|
||||
een vorm gebruiken (die je <link>hier</link> kunt genereren).
|
||||
titleEdit: Bewerk markering
|
||||
markerDemoLimit:
|
||||
desc: Je kunt maar twee markeringen plaatsen in de demo. Koop de standalone voor
|
||||
@ -184,7 +184,7 @@ dialogs:
|
||||
editSignal:
|
||||
title: Stel het signaal in.
|
||||
descItems: "Kies een ingesteld item:"
|
||||
descShortKey: ... of voer de <strong>hotkey</strong> in van een vorm (Die je
|
||||
descShortKey: ... of voer de <strong>sleutel</strong> in van een vorm (Die je
|
||||
<link>hier</link> kunt vinden).
|
||||
renameSavegame:
|
||||
title: Hernoem opgeslagen spel
|
||||
@ -196,7 +196,7 @@ dialogs:
|
||||
tutorialVideoAvailableForeignLanguage:
|
||||
title: Tutorial Beschikbaar
|
||||
desc: Er is een tutorial beschikbaar voor dit level, maar het is alleen
|
||||
beschikbaar in het Engels. Zou je het toch graag kijken?
|
||||
beschikbaar in het Engels. Wil je toch een kijkje nemen?
|
||||
editConstantProducer:
|
||||
title: Item instellen
|
||||
puzzleLoadFailed:
|
||||
@ -217,7 +217,7 @@ dialogs:
|
||||
desc: "De puzzel kon niet geladen worden:"
|
||||
offlineMode:
|
||||
title: Offline Modus
|
||||
desc: We konden de server niet bereiken, dus het spel moet offline modus draaien. Zorg ervoor dat je een actieve internetverbinding heeft.
|
||||
desc: We konden de server niet bereiken, het spel draait nu in de offline modus. Zorg ervoor dat je een actieve internetverbinding heeft.
|
||||
puzzleDownloadError:
|
||||
title: Download fout
|
||||
desc: "Downloaden van de puzzel is mislukt:"
|
||||
@ -230,7 +230,7 @@ dialogs:
|
||||
anderen. Je kunt het nu vinden in het gedeelte "Mijn puzzels".
|
||||
puzzleCreateOffline:
|
||||
title: Offline Modus
|
||||
desc: Aangezien je offline bent, kan je je puzzels niet opslaan of publiceren. Wil je nog steeds doorgaan?
|
||||
desc: Aangezien je offline bent, kun je je puzzels niet opslaan of publiceren. Wil je nog steeds doorgaan?
|
||||
puzzlePlayRegularRecommendation:
|
||||
title: Aanbeveling
|
||||
desc: Ik raad <strong>sterk</strong> aan om het normale spel tot niveau 12 te spelen voordat je de puzzel-DLC probeert, anders kan je mechanica tegenkomen die je nog niet kent. Wil je toch doorgaan?
|
||||
@ -254,11 +254,11 @@ dialogs:
|
||||
desc: Voer de vorm sleutel van de puzzel in om deze te laden.
|
||||
ingame:
|
||||
keybindingsOverlay:
|
||||
moveMap: Beweeg speelveld
|
||||
moveMap: Beweeg rond de wereld
|
||||
selectBuildings: Selecteer gebied
|
||||
stopPlacement: Stop met plaatsen
|
||||
rotateBuilding: Draai gebouw
|
||||
placeMultiple: Plaats meerdere
|
||||
placeMultiple: Plaats meerderen
|
||||
reverseOrientation: Omgekeerde oriëntatie
|
||||
disableAutoOrientation: Schakel auto-oriëntatie uit
|
||||
toggleHud: HUD aan-/uitzetten
|
||||
@ -331,7 +331,7 @@ ingame:
|
||||
waypoints: Markeringen
|
||||
hub: HUB
|
||||
description: Klik met de linkermuisknop op een markering om hier naartoe te
|
||||
gaan, klik met de rechtermuisknop om de markering te
|
||||
gaan, klik met de rechtermuisknop om hem te
|
||||
verwijderen.<br><br>Druk op <keybinding> om een markering te maken
|
||||
in het huidige zicht, of <strong>rechtermuisknop</strong> om een
|
||||
markering te maken bij het geselecteerde gebied.
|
||||
@ -340,39 +340,39 @@ ingame:
|
||||
title: Tutorial
|
||||
hints:
|
||||
1_1_extractor: Plaats een <strong>ontginner</strong> op een
|
||||
<strong>cirkelvorm</strong> om deze te onttrekken!
|
||||
<strong>cirkelvorm</strong> om deze te ontginnen!
|
||||
1_2_conveyor: "Verbind de ontginner met een <strong>lopende band</strong> aan je
|
||||
hub!<br><br>Tip: <strong>Klik en sleep</strong> de lopende band
|
||||
HUB!<br><br>Tip: <strong>Klik en sleep</strong> de lopende band
|
||||
met je muis!"
|
||||
1_3_expand: "Dit is <strong>GEEN</strong> nietsdoen-spel! Bouw meer ontginners
|
||||
en lopende banden om het doel sneller te behalen.<br><br>Tip:
|
||||
Houd <strong>SHIFT</strong> ingedrukt om meerdere ontginners te
|
||||
plaatsen en gebruik <strong>R</strong> om ze te draaien."
|
||||
2_1_place_cutter: "Plaats nu een <strong>Knipper</strong> om de cirkels in twee
|
||||
te knippen halves!<br><br> PS: De knipper knipt altijd van
|
||||
2_1_place_cutter: "Plaats nu een <strong>Knipper</strong> om de cirkels in twee helften te
|
||||
knippen<br><br> PS: De knipper knipt altijd van
|
||||
<strong>boven naar onder</strong> ongeacht zijn oriëntatie."
|
||||
2_2_place_trash: De knipper kan vormen <strong>verstoppen en
|
||||
bijhouden</strong>!<br><br> Gebruik een <strong>vuilbak</strong>
|
||||
om van het (!) niet nodige afval vanaf te geraken.
|
||||
bijhouden</strong>!<br><br> Gebruik een <strong>vuilnisbak</strong>
|
||||
om van het momenteel (!) niet nodige afval af te geraken.
|
||||
2_3_more_cutters: "Goed gedaan! Plaats nu <strong>2 extra knippers</strong> om
|
||||
dit traag process te versnellen! <br><br> PS: Gebruik de
|
||||
dit trage process te versnellen! <br><br> PS: Gebruik de
|
||||
<strong>0-9 sneltoetsen</strong> om gebouwen sneller te
|
||||
selecteren."
|
||||
3_1_rectangles: "Laten we nu rechthoeken ontginnen! <strong>Bouw 4
|
||||
ontginners</strong> en verbind ze met de lever.<br><br> PS: Houd
|
||||
ontginners</strong> en verbind ze met de schakelaar.<br><br> PS: Houd
|
||||
<strong>SHIFT</strong> Ingedrukt terwijl je lopende banden
|
||||
plaats om ze te plannen!"
|
||||
21_1_place_quad_painter: Plaats de <strong>quad painter</strong> en krijg een
|
||||
paar <strong>cirkels</strong> in <strong>witte</strong> en
|
||||
<strong>rode</strong> kleur!
|
||||
21_2_switch_to_wires: Schakel naar de draden laag door te duwen op
|
||||
21_2_switch_to_wires: Schakel naar de draden-laag door te drukken op
|
||||
<strong>E</strong>!<br><br> <strong>verbind daarna alle
|
||||
inputs</strong> van de verver met kabels!
|
||||
21_3_place_button: Mooi! Plaats nu een <strong>schakelaar</strong> en verbind
|
||||
het met draden!
|
||||
21_4_press_button: "Druk op de schakelaar om het een <strong>Juist signaal door
|
||||
te geven</strong> en de verver te activeren.<br><br> PS: Je moet
|
||||
niet alle inputs verbinden! Probeer er eens 2."
|
||||
te geven</strong> en de verver te activeren.<br><br> PS: Verbind niet alle
|
||||
inputs! Probeer er eens 2."
|
||||
colors:
|
||||
red: Rood
|
||||
green: Groen
|
||||
@ -388,8 +388,8 @@ ingame:
|
||||
empty: Leeg
|
||||
copyKey: Kopieer sleutel
|
||||
connectedMiners:
|
||||
one_miner: 1 Miner
|
||||
n_miners: <amount> Miners
|
||||
one_miner: 1 Ontginner
|
||||
n_miners: <amount> Ontginners
|
||||
limited_items: "Gelimiteerd tot: <max_throughput>"
|
||||
watermark:
|
||||
title: Demo versie
|
||||
@ -407,13 +407,13 @@ ingame:
|
||||
desc: Automatiseer je fabrieken nog beter en maak ze nog sneller!
|
||||
upgrades:
|
||||
title: ∞ Upgrade Levels
|
||||
desc: Deze demo heeft er enkel 5!
|
||||
desc: Deze demo heeft er slechts 5!
|
||||
markers:
|
||||
title: ∞ Markeringen
|
||||
desc: Verdwaal nooit meer in je fabriek!
|
||||
wires:
|
||||
title: Kabels
|
||||
desc: Een volledig nieuwe wereld!
|
||||
desc: Een volledig nieuwe laag!
|
||||
darkmode:
|
||||
title: Dark Mode
|
||||
desc: Minder vervelend voor je ogen!
|
||||
@ -422,7 +422,7 @@ ingame:
|
||||
desc: Ik maak dit spel in mijn vrije tijd!
|
||||
achievements:
|
||||
title: Achievements
|
||||
desc: Hunt them all!
|
||||
desc: Krijg ze allemaal!
|
||||
puzzleEditorSettings:
|
||||
zoneTitle: Gebied
|
||||
zoneWidth: Breedte
|
||||
@ -435,13 +435,11 @@ ingame:
|
||||
title: Puzzel Maker
|
||||
instructions:
|
||||
- 1. Plaats <strong>Constante Producenten</strong> om vormen en
|
||||
kleuren aan de speler te bieden
|
||||
- 2. Bouw een of meer vormen die de speler later en
|
||||
bezorg het aan een of meer <strong>Ontvangers</strong>
|
||||
- 3. Wanneer een Ontvanger een vorm ontvangt voor een bepaalde tijd, het <strong>slaat het op als een doel</strong> dat de speler later moet produceren (Aangegeven door de <strong>groene indicatoren</strong>).
|
||||
kleuren aan de speler te bieden.
|
||||
- 2. Bouw een of meer vormen waarvan je wil dat de speler ze later maakt en lever het aan een of meerdere <strong>Ontvangers</strong>.
|
||||
- 3. Wanneer een Ontvanger voor een bepaalde tijd lang een vorm ontvangt, <strong>wordt het opgeslagen als een doel</strong> dat de speler later moet produceren (Aangegeven door de <strong>groene indicator</strong>).
|
||||
- 4. Klik de <strong>vergrendelknop</strong> om een gebouw uit te schakelen.
|
||||
- 5. Zodra je op review klikt, wordt je puzzel gevalideerd en jij
|
||||
kan het publiceren.
|
||||
- 5. Zodra je op review klikt, wordt je puzzel gevalideerd en kun je het publiceren.
|
||||
- 6. Bij publicatie, <strong>worden alle gebouwen verwijderd</strong> behalve de Muren, Constante Producenten en Ontvangers - Dat is het deel dat de speler tenslotte voor zichzelf moet uitzoeken :)
|
||||
puzzleCompletion:
|
||||
title: Puzzel Voltooid!
|
||||
@ -455,13 +453,13 @@ ingame:
|
||||
shortKey: Vorm Sleutel
|
||||
rating: Moeilijkheidsgraad
|
||||
averageDuration: Gem. Speel Tijd
|
||||
completionRate: Voltooiingspercentage
|
||||
completionRate: Voltooiïngspercentage
|
||||
shopUpgrades:
|
||||
belt:
|
||||
name: Banden, Verdeler & Tunnels
|
||||
name: Lopende banden, Verdeler & Tunnels
|
||||
description: Snelheid x<currentMult> → x<newMult>
|
||||
miner:
|
||||
name: Mijner
|
||||
name: Ontginner
|
||||
description: Snelheid x<currentMult> → x<newMult>
|
||||
processors:
|
||||
name: Knippen, draaien & stapelen
|
||||
@ -476,11 +474,11 @@ buildings:
|
||||
description: Transporteert voorwerpen, klik en sleep om meerdere te plaatsen.
|
||||
miner:
|
||||
default:
|
||||
name: Mijner
|
||||
description: Plaats op een vorm of kleur om deze te onttrekken.
|
||||
name: Ontginner
|
||||
description: Plaats op een vorm of kleur om deze te ontginnen.
|
||||
chainable:
|
||||
name: Ontginner (Ketting)
|
||||
description: Plaats op een vorm of kleur om deze te onttrekken. Kan achter
|
||||
description: Plaats op een vorm of kleur om deze te ontginnen. Kunnen achter
|
||||
elkaar worden geplaatst.
|
||||
underground_belt:
|
||||
default:
|
||||
@ -558,19 +556,19 @@ buildings:
|
||||
balancer:
|
||||
default:
|
||||
name: Balanceerder
|
||||
description: Multifunctioneel - Verdeel alle invoeren over alle uitvoeren.
|
||||
description: Multifunctioneel - Verdeelt alle invoeren over alle uitvoeren.
|
||||
merger:
|
||||
name: Samenvoeger (compact)
|
||||
description: Voeg 2 lopende banden samen.
|
||||
description: Voegt 2 lopende banden samen.
|
||||
merger-inverse:
|
||||
name: Samenvoeger
|
||||
description: Voeg 2 lopende banden samen.
|
||||
description: Voegt 2 lopende banden samen.
|
||||
splitter:
|
||||
name: Splitser (compact)
|
||||
description: Splits een lopende band in tweeën.
|
||||
description: Splitst een lopende band in tweeën.
|
||||
splitter-inverse:
|
||||
name: Splitser
|
||||
description: Splits een lopende band in tweeën.
|
||||
description: Splitst een lopende band in tweeën.
|
||||
storage:
|
||||
default:
|
||||
name: Opslag
|
||||
@ -583,7 +581,7 @@ buildings:
|
||||
constant_signal:
|
||||
default:
|
||||
name: Constant Signaal
|
||||
description: Zend een constant signaal, dit kan een vorm, kleur of boolean (1 /
|
||||
description: Zendt een constant signaal, dit kan een vorm, kleur of boolean (1 /
|
||||
0) zijn.
|
||||
lever:
|
||||
default:
|
||||
@ -592,18 +590,18 @@ buildings:
|
||||
logic_gate:
|
||||
default:
|
||||
name: AND poort
|
||||
description: Zend een 1 uit als beide invoeren hetzelfde zijn. (Kan een vorm,
|
||||
description: Zendt een 1 uit als beide invoeren hetzelfde zijn. (Kan een vorm,
|
||||
kleur of boolean (1/0) zijn)
|
||||
not:
|
||||
name: NOT poort
|
||||
description: Zend een 1 uit als de invoer een 0 is.
|
||||
description: Zendt een 1 uit als de invoer een 0 is.
|
||||
xor:
|
||||
name: XOR poort
|
||||
description: Zend een 1 uit als de invoeren niet hetzelfde zijn. (Kan een vorm,
|
||||
description: Zendt een 1 uit als de invoeren niet hetzelfde zijn. (Kan een vorm,
|
||||
kleur of boolean (1/0) zijn)
|
||||
or:
|
||||
name: OR poort
|
||||
description: Zend een 1 uit als de invoeren wel of niet hetzelfde zijn, maar
|
||||
description: Zendt een 1 uit als de invoeren wel of niet hetzelfde zijn, maar
|
||||
niet uit zijn. (Kan een vorm, kleur of boolean (1/0) zijn)
|
||||
transistor:
|
||||
default:
|
||||
@ -625,7 +623,7 @@ buildings:
|
||||
reader:
|
||||
default:
|
||||
name: Lopende band lezer
|
||||
description: Meet de gemiddelde doorvoer op de band. Geeft het laatste gelezen
|
||||
description: Meet de gemiddelde doorvoer op de lopende band. Geeft het laatste gelezen
|
||||
item door aan de kabel.
|
||||
analyzer:
|
||||
default:
|
||||
@ -635,12 +633,12 @@ buildings:
|
||||
comparator:
|
||||
default:
|
||||
name: Vergelijker
|
||||
description: Zend 1 uit als beiden invoeren gelijk zijn, kunnen vormen, kleuren
|
||||
description: Zendt 1 uit als beiden invoeren gelijk zijn, dat kunnen vormen, kleuren
|
||||
of booleans (1/0) zijn
|
||||
virtual_processor:
|
||||
default:
|
||||
name: Virtuele Snijder
|
||||
description: Snijdt de vorm virtueel in twee helften.
|
||||
name: Virtuele Knipper
|
||||
description: Knipt de vorm virtueel in twee helften.
|
||||
rotater:
|
||||
name: Virtuele Draaier
|
||||
description: Draait de vorm virtueel met de klok mee en tegen de klok in.
|
||||
@ -654,12 +652,12 @@ buildings:
|
||||
painter:
|
||||
name: Virtuele Schilder
|
||||
description: Schildert de vorm virtueel vanaf de onderste invoer met de vorm aan
|
||||
de rechter ingang.
|
||||
de rechter invoer.
|
||||
item_producer:
|
||||
default:
|
||||
name: Item Producent
|
||||
description: Alleen beschikbaar in sandbox-modus, geeft het gegeven signaal van
|
||||
de kabel laag op de reguliere laag.
|
||||
description: Alleen beschikbaar in sandbox-modus. Geeft het gegeven signaal van
|
||||
de draden-laag op de normale laag.
|
||||
constant_producer:
|
||||
default:
|
||||
name: Constante Producent
|
||||
@ -678,8 +676,8 @@ storyRewards:
|
||||
desc: Je hebt juist de <strong>knipper</strong> ontgrendeld, die vormen in de
|
||||
helft kan knippen van boven naar onder <strong>ongeacht zijn rotatie
|
||||
</strong>!<br><br>Wees zeker dat je het afval weggooit, want anders
|
||||
<strong>zal het vastlopen</strong> - Voor deze reden heb ik je de
|
||||
<strong>vuilbak</strong> gegeven, die alles vernietigd wat je erin
|
||||
<strong>zal het vastlopen</strong> - Daarom heb ik je de
|
||||
<strong>vuilnisbak</strong> gegeven, die alles vernietigt wat je erin
|
||||
laat stromen!
|
||||
reward_rotater:
|
||||
title: Roteren
|
||||
@ -687,14 +685,14 @@ storyRewards:
|
||||
met de klok mee.
|
||||
reward_painter:
|
||||
title: Verven
|
||||
desc: "De <strong>verver</strong> is ontgrendeld - Onttrek wat kleur (op
|
||||
dezelfde manier hoe je vormen onttrekt) en combineer het met een
|
||||
desc: "De <strong>verver</strong> is ontgrendeld - Ontgin wat kleur (op
|
||||
dezelfde manier hoe je vormen ontgint) en combineer het met een
|
||||
vorm in de verver om ze te kleuren!<br><br>PS: Als je kleurenblind
|
||||
bent, is er een <strong>kleurenblindmodus</strong> in de
|
||||
bent, is er een <strong>kleurenblind-modus</strong> in de
|
||||
instellingen!"
|
||||
reward_mixer:
|
||||
title: Kleuren mengen
|
||||
desc: De <strong>menger</strong> is ontgrendeld - Gebruik dit gebouw om twee
|
||||
desc: De <strong>menger</strong> is ontgrendeld - Gebruik deze om twee
|
||||
kleuren te mengen met behulp van <strong>additieve
|
||||
kleurmenging</strong>!
|
||||
reward_stacker:
|
||||
@ -707,7 +705,7 @@ storyRewards:
|
||||
reward_splitter:
|
||||
title: Splitser/samenvoeger
|
||||
desc: Je hebt de <strong>splitser</strong> ontgrendeld, een variant van de
|
||||
<strong>samenvoeger</strong> - Het accepteert 1 input en verdeelt
|
||||
<strong>samenvoeger</strong>. - Het accepteert 1 input en verdeelt
|
||||
het in 2!
|
||||
reward_tunnel:
|
||||
title: Tunnel
|
||||
@ -715,24 +713,24 @@ storyRewards:
|
||||
gebouwen en lopende banden door laten lopen.
|
||||
reward_rotater_ccw:
|
||||
title: Roteren (andersom)
|
||||
desc: Je hebt een variant van de <strong>roteerder</strong> ontgrendeld - Het
|
||||
roteert voorwerpen tegen de klok in! Om het te bouwen selecteer je
|
||||
desc: Je hebt een variant van de <strong>roteerder</strong> ontgrendeld - Deze
|
||||
roteert voorwerpen tegen de klok in! Om hem te plaatsen selecteer je
|
||||
de roteerder en <strong>druk je op 'T' om tussen varianten te
|
||||
wisselen</strong>!
|
||||
reward_miner_chainable:
|
||||
title: Ketting-ontginner
|
||||
desc: "Je hebt de <strong>Ketting-ontginner</strong> ontgrendeld! Het kan
|
||||
<strong>zijn materialen ontginnen</strong> via andere ontginners
|
||||
zodat je meer materialen tegelijkertijd kan ontginnen!<br><br> PS:
|
||||
desc: "Je hebt de <strong>Ketting-ontginner</strong> ontgrendeld! Je kunt hem
|
||||
<strong>koppelen aan andere ontginners</strong>
|
||||
zodat je meer materialen tegelijkertijd kunt ontginnen!<br><br> PS:
|
||||
De oude ontginner is vervangen in je toolbar!"
|
||||
reward_underground_belt_tier_2:
|
||||
title: Tunnel Niveau II
|
||||
desc: Je hebt een nieuwe variant van de <strong>tunnel</strong> ontgrendeld. -
|
||||
Het heeft een <strong>groter bereik</strong>, en je kan nu ook die
|
||||
tunnels mixen over en onder elkaar!
|
||||
Het heeft een <strong>groter bereik</strong>, en je kunt nu ook
|
||||
tunnels over en onder elkaar mixen!
|
||||
reward_cutter_quad:
|
||||
title: Quad Knippen
|
||||
desc: Je hebt een variant van de <strong>knipper</strong> ontgrendeld - Dit
|
||||
desc: Je hebt een variant van de <strong>knipper</strong> ontgrendeld - Deze
|
||||
knipt vormen in <strong>vier stukken</strong> in plaats van twee!
|
||||
reward_painter_double:
|
||||
title: Dubbel verven
|
||||
@ -743,19 +741,18 @@ storyRewards:
|
||||
title: Opslagbuffer
|
||||
desc: Je hebt een variant van de <strong>opslag</strong> ontgrendeld - Het laat
|
||||
je toe om vormen op te slagen tot een bepaalde capaciteit!<br><br>
|
||||
Het verkiest de linkse output, dus je kan het altijd gebruiken als
|
||||
Het verkiest de linkse output, dus je kunt het altijd gebruiken als
|
||||
een <strong>overloop poort</strong>!
|
||||
reward_freeplay:
|
||||
title: Vrij spel
|
||||
title: Free-play modus
|
||||
desc: Je hebt het gedaan! Je hebt de <strong>free-play modus</strong>
|
||||
ontgrendeld! Dit betekend dat vormen nu <strong>willekeurig</strong>
|
||||
gegenereerd worden!<br><br> Omdat de hub vanaf nu een
|
||||
ontgrendeld! Dit betekent dat vormen nu <strong>willekeurig</strong>
|
||||
gegenereerd worden!<br><br> Omdat de HUB vanaf nu een
|
||||
<strong>bepaald aantal vormen per seconden</strong> nodig heeft,
|
||||
Raad ik echt aan een machine te maken die automatisch de juiste
|
||||
vormen genereert!<br><br> De HUB geeft de vorm die je nodig hebt op
|
||||
de tweede laag met draden, dus alles wat je moet doen is dat
|
||||
analyseren en je fabriek dat automatisch laten maken op basis van
|
||||
dat.
|
||||
vormen genereert!<br><br> De HUB geeft de vorm die je nodig hebt door op
|
||||
de draden-laag, dus je hoeft dat alleen te analyseren en
|
||||
je fabriek dat automatisch te laten maken op basis daarvan.
|
||||
reward_blueprints:
|
||||
title: Blauwdrukken
|
||||
desc: Je kunt nu delen van je fabriek <strong>kopiëren en plakken</strong>!
|
||||
@ -786,13 +783,13 @@ storyRewards:
|
||||
lopende banden 1!
|
||||
reward_belt_reader:
|
||||
title: Lopende band sensor
|
||||
desc: Je hebt de <strong>lopende band lezer</strong> vrijgespeeld! Dit gebouw
|
||||
desc: Je hebt de <strong>lopende band sensor</strong> vrijgespeeld! Dit gebouw
|
||||
geeft de doorvoer op een lopende band weer.<br><br>Wacht maar tot je
|
||||
kabels vrijspeeld, dan wordt het pas echt interessant!
|
||||
reward_rotater_180:
|
||||
title: Draaier (180 graden)
|
||||
desc: Je hebt de 180 graden <strong>draaier</strong> vrijgespeeld! - Hiermee kun
|
||||
je een item op de band 180 graden draaien!
|
||||
desc: Je hebt de <strong>180 graden draaier</strong> vrijgespeeld! - Hiermee kun
|
||||
je een item op de lopende band 180 graden draaien!
|
||||
reward_display:
|
||||
title: Scherm
|
||||
desc: "Je hebt het <strong>scherm</strong> ontgrendeld - Verbind een signaal met
|
||||
@ -801,8 +798,8 @@ storyRewards:
|
||||
Probeer het te tonen op een scherm!"
|
||||
reward_constant_signal:
|
||||
title: Constant Signaal
|
||||
desc: Je hebt het <strong>constante signaal</strong> vrijgespeeld op de kabel
|
||||
dimensie! Dit gebouw is handig in samenwerking met <strong>item
|
||||
desc: Je hebt het <strong>constante signaal</strong> vrijgespeeld op de draden
|
||||
laag! Dit gebouw is handig in samenwerking met <strong>item
|
||||
filters</strong>.<br><br> Het constante signaal kan een
|
||||
<strong>vorm</strong>, <strong>kleur</strong> of
|
||||
<strong>boolean</strong> (1/0) zijn.
|
||||
@ -812,26 +809,26 @@ storyRewards:
|
||||
je hier nog niet zo vrolijk van, maar eigenlijk zijn ze heel erg
|
||||
handig!<br><br> Met logische poorten kun je AND, OR en XOR operaties
|
||||
uitvoeren.<br><br> Als bonus krijg je ook nog een
|
||||
<strong>transistor</strong> van mij!
|
||||
<strong>transistor</strong> van me!
|
||||
reward_virtual_processing:
|
||||
title: Virtuele verwerking
|
||||
desc: Ik heb juist een hele hoop nieuwe gebouwen toegevoegd die je toetstaan om
|
||||
<strong>het process van vormen te stimuleren</strong>!<br><br> Je
|
||||
kan nu de knipper, draaier, stapelaar en meer op de dradenlaag
|
||||
stimuleren! Met dit heb je nu 3 opties om verder te gaan met het
|
||||
kunt nu de knipper, draaier, stapelaar en meer op de dradenlaag
|
||||
stimuleren! Daarmee heb je nu 3 opties om verder te gaan met het
|
||||
spel:<br><br> - Bouw een <strong>automatische fabriek</strong> om
|
||||
eender welke mogelijke vorm te maken gebraagd door de HUB (Ik raad
|
||||
aan dit te proberen!).<br><br> - Bouw iets cool met draden.<br><br>
|
||||
elke mogelijke vorm te maken gevraagd door de HUB (Ik raad
|
||||
aan dit te proberen!).<br><br> - Bouw iets cool met de draden-laag.<br><br>
|
||||
- Ga verder met normaal spelen.<br><br> Wat je ook kiest, onthoud
|
||||
dat je plezier hoort te hebben!
|
||||
dat je plezier blijft hebben!
|
||||
reward_wires_painter_and_levers:
|
||||
title: Wires & Quad Painter
|
||||
desc: "Je hebt juist de <strong>draden laag</strong> ontgrendeld: Het is een
|
||||
desc: "Je hebt juist de <strong>draden-laag</strong> ontgrendeld: Het is een
|
||||
aparte laag boven op de huidige laag en introduceert heel veel
|
||||
nieuwe manieren om te spelen!<br><br> Voor het begin heb ik voor jou
|
||||
nieuwe manieren om te spelen!<br><br> Aan het begin heb ik voor jou
|
||||
de <strong>Quad Painter</strong> ontgrendeld - Verbind de gleuf
|
||||
waarin je wilt verven op de draden laag!<br><br> Om over te
|
||||
schakelen naar de draden laag, Duw op <strong>E</strong>. <br><br>
|
||||
waarin je wilt verven op de draden-laag!<br><br> Om over te
|
||||
schakelen naar de draden-laag, Druk op <strong>E</strong>. <br><br>
|
||||
PS: <strong>Zet hints aan</strong> in de instellingen om de draden
|
||||
tutorial te activeren!"
|
||||
reward_filter:
|
||||
@ -858,7 +855,7 @@ settings:
|
||||
labels:
|
||||
uiScale:
|
||||
title: Interface-schaal
|
||||
description: Veranderd de grootte van de gebruikersinterface. De interface
|
||||
description: Verandert de grootte van de gebruikersinterface. De interface
|
||||
schaalt nog steeds gebaseerd op de resolutie van je apparaat,
|
||||
maar deze optie heeft invloed op de hoeveelheid schaling.
|
||||
scales:
|
||||
@ -869,7 +866,7 @@ settings:
|
||||
huge: Ultragroot
|
||||
scrollWheelSensitivity:
|
||||
title: Zoom-gevoeligheid
|
||||
description: Veranderd hoe gevoelig het zoomen is (muiswiel of trackpad).
|
||||
description: Verandert hoe gevoelig het zoomen is (muiswiel of trackpad).
|
||||
sensitivity:
|
||||
super_slow: Super langzaam
|
||||
slow: Langzaam
|
||||
@ -914,7 +911,7 @@ settings:
|
||||
gebruikt worden om de instap in het spel makkelijker te maken.
|
||||
movementSpeed:
|
||||
title: Bewegingssnelheid
|
||||
description: Veranderd hoe snel het beeld beweegt wanneer je het toetsenbord
|
||||
description: Verandert hoe snel het beeld beweegt wanneer je het toetsenbord
|
||||
gebruikt.
|
||||
speeds:
|
||||
super_slow: Super langzaam
|
||||
@ -934,7 +931,7 @@ settings:
|
||||
zodat de tekst makkelijker te lezen is.
|
||||
autosaveInterval:
|
||||
title: Autosave Interval
|
||||
description: Bepaalt hoe vaak het spel automatisch opslaat. Je kan het hier ook
|
||||
description: Bepaalt hoe vaak het spel automatisch opslaat. Je kunt het hier ook
|
||||
volledig mee uitschakelen.
|
||||
intervals:
|
||||
one_minute: 1 Minuut
|
||||
@ -952,7 +949,7 @@ settings:
|
||||
description: Schakelt de waarschuwing uit die wordt weergegeven wanneer je meer
|
||||
dan 100 dingen probeert te knippen/verwijderen.
|
||||
enableColorBlindHelper:
|
||||
title: Kleurenblindmodus
|
||||
title: Kleurenblind-modus
|
||||
description: Schakelt verschillende hulpmiddelen in zodat je het spel alsnog
|
||||
kunt spelen wanneer je kleurenblind bent.
|
||||
rotationByBuilding:
|
||||
@ -967,8 +964,8 @@ settings:
|
||||
title: Muziekvolume
|
||||
description: Stel het volume voor muziek in.
|
||||
lowQualityMapResources:
|
||||
title: Lage kwaliteit van resources
|
||||
description: Versimpeldde resources op de wereld wanneer ingezoomd om de
|
||||
title: Lage kwaliteit van uiterlijk
|
||||
description: Versimpelt het uiterlijk op de wereld wanneer ingezoomd om de
|
||||
performance te verbeteren. Het lijkt ook opgeruimder, dus
|
||||
probeer het zelf een keertje uit!
|
||||
disableTileGrid:
|
||||
@ -995,9 +992,9 @@ settings:
|
||||
met de pipet boven het vakje van een resource staat.
|
||||
simplifiedBelts:
|
||||
title: Versimpelde lopende banden
|
||||
description: Toont geen items op de band tenzij je over de lopende band beweegt
|
||||
met je muis. De functie wordt niet aangeraden tenzij het qua
|
||||
performance echt niet anders kan!
|
||||
description: Toont geen items op de lopende band tenzij je over de lopende band beweegt
|
||||
met je muis. De functie wordt niet aangeraden tenzij het wat je
|
||||
computer betreft echt niet anders kan!
|
||||
enableMousePan:
|
||||
title: Schakel bewegen met muis in
|
||||
description: Schakel deze functie in om met je muis het veld te kunnen bewegen.
|
||||
@ -1032,7 +1029,7 @@ keybindings:
|
||||
mapMoveRight: Beweeg naar rechts
|
||||
mapMoveDown: Beweeg omlaag
|
||||
mapMoveLeft: Beweeg naar links
|
||||
centerMap: Ga naar het midden van het speelveld
|
||||
centerMap: Ga naar het midden van de wereld
|
||||
mapZoomIn: Zoom in
|
||||
mapZoomOut: Zoom uit
|
||||
createMarker: Plaats een markering
|
||||
@ -1079,16 +1076,16 @@ keybindings:
|
||||
wire_tunnel: Kabel kruising
|
||||
display: Scherm
|
||||
reader: Lopende band lezer
|
||||
virtual_processor: Virtuele Snijder
|
||||
virtual_processor: Virtuele Knipper
|
||||
transistor: Transistor
|
||||
analyzer: Vorm Analyse
|
||||
comparator: Vergelijk
|
||||
item_producer: Item Producent (Sandbox)
|
||||
item_producer: Voorwerp Producent (Sandbox)
|
||||
copyWireValue: "Kabels: Kopieer waarde onder cursor"
|
||||
rotateToUp: "Rotate: Point Up"
|
||||
rotateToDown: "Rotate: Point Down"
|
||||
rotateToRight: "Rotate: Point Right"
|
||||
rotateToLeft: "Rotate: Point Left"
|
||||
rotateToUp: "Rotate: Wijs omhoog"
|
||||
rotateToDown: "Rotate: Wijs omlaag"
|
||||
rotateToRight: "Rotate: Wijs naar rechts"
|
||||
rotateToLeft: "Rotate: Wijs naar links"
|
||||
constant_producer: Constante Producent
|
||||
goal_acceptor: Ontvanger
|
||||
block: Blokkade
|
||||
@ -1118,78 +1115,77 @@ demo:
|
||||
exportingBase: Exporteer volledige basis als afbeelding
|
||||
settingNotAvailable: Niet beschikbaar in de demo.
|
||||
tips:
|
||||
- De hub accepteert elke vorm van invoer, niet alleen de huidige vorm!
|
||||
- De HUB accepteert elke vorm van invoer, niet alleen de huidige vorm!
|
||||
- Zorg ervoor dat uw fabrieken modulair zijn - het loont!
|
||||
- Bouw niet te dicht bij de hub, anders wordt het een enorme chaos!
|
||||
- Als het stapelen niet werkt, probeer dan de ingangen om te wisselen.
|
||||
- U kunt de richting van de lopende band planner wijzigen door op <b>R</b>
|
||||
- Bouw niet te dicht bij de HUB, anders wordt het een enorme chaos!
|
||||
- Als het stapelen niet werkt, probeer dan de invoeren om te wisselen.
|
||||
- Je kunt de richting van de lopende band planner wijzigen door op <b>R</b>
|
||||
te drukken.
|
||||
- Door <b>CTRL</b> ingedrukt te houden, kunnen lopende banden worden
|
||||
gesleept zonder automatische oriëntatie.
|
||||
- Verhoudingen blijven hetzelfde, zolang alle upgrades zich op hetzelfde
|
||||
- Verhoudingen van gebouw-snelheden blijven hetzelfde, zolang alle upgrades zich op hetzelfde
|
||||
niveau bevinden.
|
||||
- Opeenvolgende uitvoering is efficiënter dan parallele uitvoering.
|
||||
- Je ontgrendelt later in het spel meer varianten van gebouwen!
|
||||
- U kunt <b>T</b> gebruiken om tussen verschillende varianten te schakelen.
|
||||
- Je kunt <b>T</b> gebruiken om tussen verschillende varianten te schakelen.
|
||||
- Symmetrie is de sleutel!
|
||||
- Je kunt verschillende tunnels weven.
|
||||
- Probeer compacte fabrieken te bouwen - het loont!
|
||||
- De schilder heeft een gespiegelde variant die u kunt selecteren met
|
||||
- De schilder heeft een gespiegelde variant die je kunt selecteren met
|
||||
<b>T</b>
|
||||
- Met de juiste bouwverhoudingen wordt de efficiëntie gemaximaliseerd.
|
||||
- Op het maximale niveau vullen 5 ontginners een enkele band.
|
||||
- Op het maximale niveau vullen 5 ontginners één lopende band.
|
||||
- Vergeet tunnels niet!
|
||||
- U hoeft de items niet gelijkmatig te verdelen voor volledige efficiëntie.
|
||||
- Als u <b>SHIFT</b> ingedrukt houdt tijdens het bouwen van lopende banden,
|
||||
- Je hoeft de items niet gelijkmatig te verdelen voor volledige efficiëntie.
|
||||
- Als je <b>SHIFT</b> ingedrukt houdt tijdens het bouwen van lopende banden,
|
||||
wordt de planner geactiveerd, zodat je gemakkelijk lange rijen kunt
|
||||
plaatsen.
|
||||
- Snijders snijden altijd verticaal, ongeacht hun oriëntatie.
|
||||
- Knippers knippen altijd verticaal, ongeacht hun oriëntatie.
|
||||
- Meng alle drie de kleuren om wit te krijgen.
|
||||
- De opslagbuffer geeft prioriteit aan de eerste uitvoer.
|
||||
- Investeer tijd om herhaalbare ontwerpen te maken - het is het waard!
|
||||
- Door <b>SHIFT</b> ingedrukt te houden, kunnen meerdere gebouwen worden
|
||||
geplaatst.
|
||||
- U kunt <b>ALT</b> ingedrukt houden om de richting van de geplaatste banden
|
||||
- Je kunt <b>ALT</b> ingedrukt houden om de richting van de geplaatste lopende banden
|
||||
om te keren.
|
||||
- Efficiëntie is de sleutel!
|
||||
- Vormontginningen die verder van de hub verwijderd zijn, zijn complexer.
|
||||
- Vormontginningen die verder van de HUB verwijderd zijn, zijn complexer.
|
||||
- Machines hebben een beperkte snelheid, verdeel ze voor maximale
|
||||
efficiëntie.
|
||||
- Gebruik verdelers om uw efficiëntie te maximaliseren.
|
||||
- Organisatie is belangrijk. Probeer de transportbanden niet te veel over te
|
||||
- Organisatie is belangrijk. Probeer de lopende banden niet te veel over te
|
||||
steken.
|
||||
- Plan van tevoren, anders wordt het een enorme chaos!
|
||||
- Verwijder uw oude fabrieken niet! Je hebt ze nodig om upgrades te
|
||||
ontgrendelen.
|
||||
- Probeer in je eentje level 20 te verslaan voordat je hulp zoekt!
|
||||
- Maak de dingen niet ingewikkeld, probeer eenvoudig te blijven en u zult
|
||||
- Maak de dingen niet ingewikkeld, probeer eenvoudig te blijven en je zult
|
||||
ver komen.
|
||||
- Mogelijk moet u later in het spel fabrieken hergebruiken. Plan uw
|
||||
- Mogelijk zul je later in het spel fabrieken moeten hergebruiken. Plan uw
|
||||
fabrieken zodat ze herbruikbaar zijn.
|
||||
- Soms kunt u een gewenste vorm op de kaart vinden zonder deze met
|
||||
- Soms kun je een gewenste vorm op de kaart vinden zonder deze met
|
||||
stapelaars te maken.
|
||||
- Volle windmolens / vuurwielen kunnen nooit op natuurlijke wijze spawnen.
|
||||
- Kleur uw vormen voordat u ze snijdt voor maximale efficiëntie.
|
||||
- Volle windmolens kunnen nooit op natuurlijke wijze spawnen.
|
||||
- Kleur uw vormen voordat je ze knipt voor maximale efficiëntie.
|
||||
- Bij modules is ruimte slechts een beleving; een zorg voor sterfelijke
|
||||
mannen.
|
||||
- Maak een aparte blueprint fabriek. Ze zijn belangrijk voor modules.
|
||||
- Bekijk de kleurenmixer eens wat beter, en uw vragen worden beantwoord.
|
||||
- Gebruik <b>CTRL</b> + klik om een gebied te selecteren.
|
||||
- Te dicht bij de hub bouwen kan latere projecten in de weg staan.
|
||||
- Het speldpictogram naast elke vorm in de upgradelijst zet deze vast op het
|
||||
- Te dicht bij de HUB bouwen kan latere projecten in de weg staan.
|
||||
- Met het speldpictogram naast elke vorm in de upgradelijst zet deze vast op het
|
||||
scherm.
|
||||
- Meng alle primaire kleuren door elkaar om wit te maken!
|
||||
- Je hebt een oneindige kaart, verkramp je fabriek niet, breid uit!
|
||||
- Je hebt een oneindige wereld, verkramp je fabriek niet, breid uit!
|
||||
- Probeer ook Factorio! Het is mijn favoriete spel.
|
||||
- De quad-snijder snijdt met de klok mee vanaf de rechterbovenhoek!
|
||||
- De quad-knipper knipt met de klok mee vanaf de rechterbovenhoek!
|
||||
- Je kunt je savegames downloaden in het hoofdmenu!
|
||||
- Deze game heeft veel handige sneltoetsen! Bekijk zeker de
|
||||
- Dit spel heeft veel handige sneltoetsen! Bekijk zeker de
|
||||
instellingenpagina.
|
||||
- Deze game heeft veel instellingen, bekijk ze zeker!
|
||||
- De markering naar uw hub heeft een klein kompas om de richting aan te
|
||||
- Dit spel heeft veel instellingen, bekijk ze zeker!
|
||||
- De markering naar uw HUB heeft een klein kompas om de richting aan te
|
||||
geven!
|
||||
- Om de banden leeg te maken, knipt u het gebied af en plakt u het op
|
||||
dezelfde locatie.
|
||||
- Om de lopende banden leeg te maken, kun je een gebied kopiëren en plakken op dezelfde locatie.
|
||||
- Druk op F4 om uw FPS en Tick Rate weer te geven.
|
||||
- Druk twee keer op F4 om de tegel van je muis en camera weer te geven.
|
||||
- Je kan aan de linkerkant op een vastgezette vorm klikken om deze los te
|
||||
@ -1222,7 +1218,7 @@ puzzleMenu:
|
||||
goalAcceptorRateNotMet: Een of meerdere Ontvangers krijgen niet genoeg items.
|
||||
Zorg ervoor dat de indicatoren groen zijn voor alle acceptanten.
|
||||
buildingOutOfBounds: Een of meer gebouwen bevinden zich buiten het bebouwbare gebied. Vergroot het gebied of verwijder ze.
|
||||
autoComplete: Je puzzel voltooid zichzelf automatisch! Zorg ervoor dat je Constante Producenten niet rechtstreeks aan je Ontvangers leveren.
|
||||
autoComplete: Je puzzel voltooit zichzelf automatisch! Zorg ervoor dat je Constante Producenten niet rechtstreeks aan je Ontvangers leveren.
|
||||
backendErrors:
|
||||
ratelimit: Je voert je handelingen te vaak uit. Wacht alstublieft even.
|
||||
invalid-api-key: Kan niet communiceren met de servers, probeer alstublieft het spel te updaten/herstarten (ongeldige API-sleutel).
|
||||
|
File diff suppressed because it is too large
Load Diff
@ -218,7 +218,7 @@ dialogs:
|
||||
offlineMode:
|
||||
title: Offline Mode
|
||||
desc: We couldn't reach the servers, so the game has to run in offline mode.
|
||||
Please make sure you have an active internect connection.
|
||||
Please make sure you have an active internet connection.
|
||||
puzzleDownloadError:
|
||||
title: Download Error
|
||||
desc: "Failed to download the puzzle:"
|
||||
|
@ -219,7 +219,7 @@ dialogs:
|
||||
offlineMode:
|
||||
title: Offline Mode
|
||||
desc: We couldn't reach the servers, so the game has to run in offline mode.
|
||||
Please make sure you have an active internect connection.
|
||||
Please make sure you have an active internet connection.
|
||||
puzzleDownloadError:
|
||||
title: Download Error
|
||||
desc: "Failed to download the puzzle:"
|
||||
|
@ -216,7 +216,7 @@ dialogs:
|
||||
offlineMode:
|
||||
title: Offline Mode
|
||||
desc: We couldn't reach the servers, so the game has to run in offline mode.
|
||||
Please make sure you have an active internect connection.
|
||||
Please make sure you have an active internet connection.
|
||||
puzzleDownloadError:
|
||||
title: Download Error
|
||||
desc: "Failed to download the puzzle:"
|
||||
@ -1196,56 +1196,56 @@ tips:
|
||||
- Нажмите F4 дважды, чтобы показать координаты курсора и камеры.
|
||||
- Вы можете нажать на закрепленную фигуру слева, чтобы открепить её.
|
||||
puzzleMenu:
|
||||
play: Play
|
||||
edit: Edit
|
||||
title: Puzzle Mode
|
||||
createPuzzle: Create Puzzle
|
||||
loadPuzzle: Load
|
||||
reviewPuzzle: Review & Publish
|
||||
validatingPuzzle: Validating Puzzle
|
||||
submittingPuzzle: Submitting Puzzle
|
||||
noPuzzles: There are currently no puzzles in this section.
|
||||
play: Играть
|
||||
edit: Редактировать
|
||||
title: Режим головоломок
|
||||
createPuzzle: Создать головоломку
|
||||
loadPuzzle: Загрузить
|
||||
reviewPuzzle: Просмотреть и опубликовать
|
||||
validatingPuzzle: Подтверждение головоломки
|
||||
submittingPuzzle: Отправка головоломки
|
||||
noPuzzles: В данный момент в этом разделе нет головоломок.
|
||||
categories:
|
||||
levels: Levels
|
||||
new: New
|
||||
top-rated: Top Rated
|
||||
mine: My Puzzles
|
||||
short: Short
|
||||
easy: Easy
|
||||
hard: Hard
|
||||
completed: Completed
|
||||
levels: Уровни
|
||||
new: Новые
|
||||
top-rated: Популярные
|
||||
mine: Мои головоломки
|
||||
short: Короткие
|
||||
easy: Простые
|
||||
hard: Сложные
|
||||
completed: Завершенные
|
||||
validation:
|
||||
title: Invalid Puzzle
|
||||
noProducers: Please place a Constant Producer!
|
||||
noGoalAcceptors: Please place a Goal Acceptor!
|
||||
goalAcceptorNoItem: One or more Goal Acceptors have not yet assigned an item.
|
||||
Deliver a shape to them to set a goal.
|
||||
goalAcceptorRateNotMet: One or more Goal Acceptors are not getting enough items.
|
||||
Make sure that the indicators are green for all acceptors.
|
||||
buildingOutOfBounds: One or more buildings are outside of the buildable area.
|
||||
Either increase the area or remove them.
|
||||
autoComplete: Your puzzle autocompletes itself! Please make sure your constant
|
||||
producers are not directly delivering to your goal acceptors.
|
||||
title: Недействительная головоломка
|
||||
noProducers: Пожалуйста, разместисте постоянный производитель!
|
||||
noGoalAcceptors: Пожалуйста, разместите приемник цели!
|
||||
goalAcceptorNoItem: Одному или несколькоим приеминкам цели не назначен предмет.
|
||||
Доставьте к ним фигуру, чтоб установить цель.
|
||||
goalAcceptorRateNotMet: Один или несколько приемников цели не получают достаточно предметов.
|
||||
Убедитесь, что индикаторы всех приемников зеленые.
|
||||
buildingOutOfBounds: Одно или несколько зданий находятся за пределами зоны строительства.
|
||||
Либо увеличьте зону, либо удалите их.
|
||||
autoComplete: Ваша головоломка завершится автоматически! Убедитесь, что ваши постоянные
|
||||
производители не доставляют фигуры напрямую приемникам цели.
|
||||
backendErrors:
|
||||
ratelimit: You are performing your actions too frequent. Please wait a bit.
|
||||
invalid-api-key: Failed to communicate with the backend, please try to
|
||||
update/restart the game (Invalid Api Key).
|
||||
unauthorized: Failed to communicate with the backend, please try to
|
||||
update/restart the game (Unauthorized).
|
||||
bad-token: Failed to communicate with the backend, please try to update/restart
|
||||
the game (Bad Token).
|
||||
bad-id: Invalid puzzle identifier.
|
||||
not-found: The given puzzle could not be found.
|
||||
bad-category: The given category could not be found.
|
||||
bad-short-key: The given short key is invalid.
|
||||
profane-title: Your puzzle title contains profane words.
|
||||
bad-title-too-many-spaces: Your puzzle title is too short.
|
||||
bad-shape-key-in-emitter: A constant producer has an invalid item.
|
||||
bad-shape-key-in-goal: A goal acceptor has an invalid item.
|
||||
no-emitters: Your puzzle does not contain any constant producers.
|
||||
no-goals: Your puzzle does not contain any goal acceptors.
|
||||
short-key-already-taken: This short key is already taken, please use another one.
|
||||
can-not-report-your-own-puzzle: You can not report your own puzzle.
|
||||
bad-payload: The request contains invalid data.
|
||||
bad-building-placement: Your puzzle contains invalid placed buildings.
|
||||
timeout: The request timed out.
|
||||
ratelimit: Вы слишком часто выполняете свои действия. Подождите немного.
|
||||
invalid-api-key: Не удалось связаться с сервером, попробуйте обновить/перезапустить
|
||||
игру (Invalid Api Key).
|
||||
unauthorized: Не удалось связаться с сервером, попробуйте обновить/перезапустить
|
||||
игру (Unauthorized).
|
||||
bad-token: Не удалось связаться с сервером, попробуйте обновить/перезапустить
|
||||
игру (Bad Token).
|
||||
bad-id: Недействительный идентификатор головоломки.
|
||||
not-found: Данная головломка не может быть найдена.
|
||||
bad-category: Данная категория не может быть найдена.
|
||||
bad-short-key: Данный короткий ключ недействителен.
|
||||
profane-title: Название вашей головоломки содержит нецензурные слова.
|
||||
bad-title-too-many-spaces: Название вашей головоломки слишком короткое.
|
||||
bad-shape-key-in-emitter: Недопустимный предмет у постоянного производителя.
|
||||
bad-shape-key-in-goal: Недопустимный предмет у применика цели.
|
||||
no-emitters: Ваша головоломка не содержит постоянных производителей.
|
||||
no-goals: Ваша головоломка не содержит приемников цели.
|
||||
short-key-already-taken: Этот короткий ключ уже занят, используйте другой.
|
||||
can-not-report-your-own-puzzle: Вы не можете пожаловаться на собственную головоломку.
|
||||
bad-payload: Запрос содержит неверные данные.
|
||||
bad-building-placement: Ваша головоломка содержит неверно размещенные здания.
|
||||
timeout: Время ожидания запроса истекло.
|
||||
|
@ -213,7 +213,7 @@ dialogs:
|
||||
offlineMode:
|
||||
title: Offline Mode
|
||||
desc: We couldn't reach the servers, so the game has to run in offline mode.
|
||||
Please make sure you have an active internect connection.
|
||||
Please make sure you have an active internet connection.
|
||||
puzzleDownloadError:
|
||||
title: Download Error
|
||||
desc: "Failed to download the puzzle:"
|
||||
|
@ -213,7 +213,7 @@ dialogs:
|
||||
offlineMode:
|
||||
title: Offline Mode
|
||||
desc: We couldn't reach the servers, so the game has to run in offline mode.
|
||||
Please make sure you have an active internect connection.
|
||||
Please make sure you have an active internet connection.
|
||||
puzzleDownloadError:
|
||||
title: Download Error
|
||||
desc: "Failed to download the puzzle:"
|
||||
|
@ -217,7 +217,7 @@ dialogs:
|
||||
offlineMode:
|
||||
title: Offline Mode
|
||||
desc: We couldn't reach the servers, so the game has to run in offline mode.
|
||||
Please make sure you have an active internect connection.
|
||||
Please make sure you have an active internet connection.
|
||||
puzzleDownloadError:
|
||||
title: Download Error
|
||||
desc: "Failed to download the puzzle:"
|
||||
|
@ -51,7 +51,7 @@ global:
|
||||
escape: ESC
|
||||
shift: SHIFT
|
||||
space: SPACE
|
||||
loggingIn: Logging in
|
||||
loggingIn: Giriş yapılıyor
|
||||
demoBanners:
|
||||
title: Deneme Sürümü
|
||||
intro: Bütün özellikleri açmak için tam sürümü satın alın!
|
||||
@ -71,11 +71,11 @@ mainMenu:
|
||||
madeBy: <author-link> tarafından yapıldı
|
||||
subreddit: Reddit
|
||||
savegameUnnamed: İsimsiz
|
||||
puzzleMode: Puzzle Mode
|
||||
back: Back
|
||||
puzzleDlcText: Do you enjoy compacting and optimizing factories? Get the Puzzle
|
||||
DLC now on Steam for even more fun!
|
||||
puzzleDlcWishlist: Wishlist now!
|
||||
puzzleMode: Yapboz Modu
|
||||
back: Geri
|
||||
puzzleDlcText: Fabrikaları küçültmeyi ve verimli hale getirmekten keyif mi
|
||||
alıyorsun? Şimdi Yapboz Paketini (DLC) Steam'de alarak keyfine keyif katabilirsin!
|
||||
puzzleDlcWishlist: İstek listene ekle!
|
||||
dialogs:
|
||||
buttons:
|
||||
ok: OK
|
||||
@ -89,8 +89,8 @@ dialogs:
|
||||
viewUpdate: Güncellemeleri Görüntüle
|
||||
showUpgrades: Geliştirmeleri Göster
|
||||
showKeybindings: Tuş Kısayollarını Göster
|
||||
retry: Retry
|
||||
continue: Continue
|
||||
retry: Yeniden Dene
|
||||
continue: Devam Et
|
||||
playOffline: Play Offline
|
||||
importSavegameError:
|
||||
title: Kayıt yükleme hatası
|
||||
@ -191,66 +191,66 @@ dialogs:
|
||||
desc: Bu seviye için eğitim videosu mevcut, ama İngilizce dilinde. İzlemek ister
|
||||
misin?
|
||||
editConstantProducer:
|
||||
title: Set Item
|
||||
title: Eşya Seç
|
||||
puzzleLoadFailed:
|
||||
title: Puzzles failed to load
|
||||
desc: "Unfortunately the puzzles could not be loaded:"
|
||||
title: Yapbozlar yüklenirken hata oluştu
|
||||
desc: "Malesef yapbozlar yüklenemedi:"
|
||||
submitPuzzle:
|
||||
title: Submit Puzzle
|
||||
descName: "Give your puzzle a name:"
|
||||
descIcon: "Please enter a unique short key, which will be shown as the icon of
|
||||
your puzzle (You can generate them <link>here</link>, or choose one
|
||||
of the randomly suggested shapes below):"
|
||||
placeholderName: Puzzle Title
|
||||
title: Yapboz Yayınla
|
||||
descName: "Yapbozuna bir isim ver:"
|
||||
descIcon: "Lütfen yapbozunun ikonu olacak eşsiz kısa bir anahtar gir.
|
||||
(Anahtarı <link>buradan</link> oluşturabilirsin, yada aşagıdaki
|
||||
şekillerden rastgele birini seçebilirsin):"
|
||||
placeholderName: Yapboz İsmi
|
||||
puzzleResizeBadBuildings:
|
||||
title: Resize not possible
|
||||
desc: You can't make the zone any smaller, because then some buildings would be
|
||||
outside the zone.
|
||||
title: Yeniden boyutlandırma mümkün değil
|
||||
desc: Alanı daha fazla küçültemezsin, çünkü bazı yapılar alanın
|
||||
dışında kalabilir.
|
||||
puzzleLoadError:
|
||||
title: Bad Puzzle
|
||||
desc: "The puzzle failed to load:"
|
||||
title: Kötü Yapboz
|
||||
desc: "Yapboz yüklenirken hata oluştu:"
|
||||
offlineMode:
|
||||
title: Offline Mode
|
||||
desc: We couldn't reach the servers, so the game has to run in offline mode.
|
||||
Please make sure you have an active internect connection.
|
||||
title: Çevrimdışı Modu
|
||||
desc: Sunuculara ulaşamadık, bu yüzden oyun çevrimdışı modda çalışmak zorunda.
|
||||
Lütfen aktif bir internet bağlantısı olduğundan emin olunuz.
|
||||
puzzleDownloadError:
|
||||
title: Download Error
|
||||
desc: "Failed to download the puzzle:"
|
||||
title: İndirme Hatası
|
||||
desc: "Yapboz indirilemedi:"
|
||||
puzzleSubmitError:
|
||||
title: Submission Error
|
||||
desc: "Failed to submit your puzzle:"
|
||||
title: Yayınlama Hatası
|
||||
desc: "Yapboz yayınlanamadı:"
|
||||
puzzleSubmitOk:
|
||||
title: Puzzle Published
|
||||
desc: Congratulations! Your puzzle has been published and can now be played by
|
||||
others. You can now find it in the "My puzzles" section.
|
||||
title: Yapboz Yayınlandı
|
||||
desc: Tebrikler! Yapbozun yayınlandı ve artık başkaları tarafından oynanabilecek.
|
||||
Şimdi yapbozunu "Yapbozlarım" kısmında bulabilirsin.
|
||||
puzzleCreateOffline:
|
||||
title: Offline Mode
|
||||
desc: Since you are offline, you will not be able to save and/or publish your
|
||||
puzzle. Would you still like to continue?
|
||||
title: Çevrimdışı Modu
|
||||
desc: Çevrimdışı olduğundan yapbozunu kayıt edemeyecek veya yayınlayamayacaksın.
|
||||
Devam etmek istediğinize emin misiniz?
|
||||
puzzlePlayRegularRecommendation:
|
||||
title: Recommendation
|
||||
desc: I <strong>strongly</strong> recommend playing the normal game to level 12
|
||||
before attempting the puzzle DLC, otherwise you may encounter
|
||||
mechanics not yet introduced. Do you still want to continue?
|
||||
title: Öneri
|
||||
desc: Ben <strong>muhakkak</strong> yapboz moduna başlamadan önce normal oyunu
|
||||
seviye 12'ye kadar oynamayı tavsiye ediyorum, aksi takdirde henüz sunulmamış
|
||||
mekaniklerle (yapılar ve oynanış şekilleri) karşılaşabilirsiniz.
|
||||
puzzleShare:
|
||||
title: Short Key Copied
|
||||
desc: The short key of the puzzle (<key>) has been copied to your clipboard! It
|
||||
can be entered in the puzzle menu to access the puzzle.
|
||||
title: Kısa Anahtar Kopyalandı
|
||||
desc: Yapbozun kısa anahtarı (<key>) kopyala/yapıştır hafızasına kopyalandı!
|
||||
Bu anahtar yapboz menüsünde, yapboza erişmek için kullanılabilir.
|
||||
puzzleReport:
|
||||
title: Report Puzzle
|
||||
title: Yapbozu Şikayet Et
|
||||
options:
|
||||
profane: Profane
|
||||
unsolvable: Not solvable
|
||||
trolling: Trolling
|
||||
profane: Ayrımcılık (din, dil, ırk)
|
||||
unsolvable: Çözülemez Yapboz
|
||||
trolling: Trolleme
|
||||
puzzleReportComplete:
|
||||
title: Thank you for your feedback!
|
||||
desc: The puzzle has been flagged.
|
||||
title: Geri bildiriminiz için teşekkürler!
|
||||
desc: Yapboz işaretlendi.
|
||||
puzzleReportError:
|
||||
title: Failed to report
|
||||
desc: "Your report could not get processed:"
|
||||
title: Şikayet edilemedi
|
||||
desc: "Şikayetiniz iletilemedi:"
|
||||
puzzleLoadShortKey:
|
||||
title: Enter short key
|
||||
desc: Enter the short key of the puzzle to load it.
|
||||
title: Kısa anahtar gir
|
||||
desc: Yapbozu yüklemek için kısa anahtarı giriniz
|
||||
ingame:
|
||||
keybindingsOverlay:
|
||||
moveMap: Hareket Et
|
||||
@ -272,7 +272,7 @@ ingame:
|
||||
clearSelection: Seçimi temİzle
|
||||
pipette: Pipet
|
||||
switchLayers: Katman değiştir
|
||||
clearBelts: Clear belts
|
||||
clearBelts: Bantları temizle
|
||||
buildingPlacement:
|
||||
cycleBuildingVariants: Yapının farklı türlerine geçmek için <key> tuşuna bas.
|
||||
hotkeyLabel: "Kısayol: <key>"
|
||||
@ -423,43 +423,43 @@ ingame:
|
||||
title: Başarımlar
|
||||
desc: Bütün başarımları açmaya çalış!
|
||||
puzzleEditorSettings:
|
||||
zoneTitle: Zone
|
||||
zoneWidth: Width
|
||||
zoneHeight: Height
|
||||
trimZone: Trim
|
||||
clearItems: Clear Items
|
||||
share: Share
|
||||
report: Report
|
||||
zoneTitle: Alan
|
||||
zoneWidth: Genişlik
|
||||
zoneHeight: Yükseklik
|
||||
trimZone: Alanı Sınırlandır
|
||||
clearItems: Eşyaları temizle
|
||||
share: Paylaş
|
||||
report: Şikayet et
|
||||
puzzleEditorControls:
|
||||
title: Puzzle Creator
|
||||
title: Yapboz Oluşturucu
|
||||
instructions:
|
||||
- 1. Place <strong>Constant Producers</strong> to provide shapes and
|
||||
colors to the player
|
||||
- 2. Build one or more shapes you want the player to build later and
|
||||
deliver it to one or more <strong>Goal Acceptors</strong>
|
||||
- 3. Once a Goal Acceptor receives a shape for a certain amount of
|
||||
time, it <strong>saves it as a goal</strong> that the player must
|
||||
produce later (Indicated by the <strong>green badge</strong>).
|
||||
- 4. Click the <strong>lock button</strong> on a building to disable
|
||||
it.
|
||||
- 5. Once you click review, your puzzle will be validated and you
|
||||
can publish it.
|
||||
- 6. Upon release, <strong>all buildings will be removed</strong>
|
||||
except for the Producers and Goal Acceptors - That's the part that
|
||||
the player is supposed to figure out for themselves, after all :)
|
||||
- 1. Oyunculara şekil ve renk sağlamak için <strong>Sabit Üreticileri</strong>
|
||||
yerleştir.
|
||||
- 2. Oyuncuların üretmesi ve bir veya birden fazla <strong>Hedef Merkezine</strong>
|
||||
teslim edebilmeleri için bir veya birden fazla şekil oluştur.
|
||||
- 3. Bir Hedef Merkezine belirli bir zaman içinde şekil teslim edilirse,
|
||||
Hedef Merkezi bunu oyuncuların tekrardan üreteceği bir
|
||||
<strong>hedef olarak kabul eder</strong> (<strong>Yeşil rozetle</strong> gösterilmiş).
|
||||
- 4. Bir yapıyı devre dışı bırakmak için üzerindeki <strong>kilit butonuna</strong>
|
||||
basınız.
|
||||
- 5. Gözat butonuna bastığınız zaman, yapbozunuz onaylanacaktır ve sonra onu
|
||||
yayınlayabileceksiniz.
|
||||
- 6. Yayınlandığı zaman, Sabit Üreticiler ve Hedef Merkezleri dışındaki
|
||||
<strong>bütün yapılar silinecektir</strong> - Bu kısmı oyuncuların
|
||||
kendisi çözmesi gerekecek sonuçta :)
|
||||
puzzleCompletion:
|
||||
title: Puzzle Completed!
|
||||
titleLike: "Click the heart if you liked the puzzle:"
|
||||
titleRating: How difficult did you find the puzzle?
|
||||
titleRatingDesc: Your rating will help me to make you better suggestions in the future
|
||||
continueBtn: Keep Playing
|
||||
menuBtn: Menu
|
||||
title: Yapboz Tamamlandı!
|
||||
titleLike: "Yapbozu beğendiyseniz kalbe tıklayınız:"
|
||||
titleRating: Yapbozu ne kadar zor buldunuz?
|
||||
titleRatingDesc: Değerlendirmeniz size daha iyi öneriler sunmamda yardımcı olacaktır
|
||||
continueBtn: Oynamaya Devam Et
|
||||
menuBtn: Menü
|
||||
puzzleMetadata:
|
||||
author: Author
|
||||
shortKey: Short Key
|
||||
rating: Difficulty score
|
||||
averageDuration: Avg. Duration
|
||||
completionRate: Completion rate
|
||||
author: Yapımcı
|
||||
shortKey: Kısa Anahtar
|
||||
rating: Zorluk
|
||||
averageDuration: Ortamala Süre
|
||||
completionRate: Tamamlama Süresi
|
||||
shopUpgrades:
|
||||
belt:
|
||||
name: Taşıma Bandı, Dağıtıcılar & Tüneller
|
||||
@ -670,16 +670,16 @@ buildings:
|
||||
katmanda çıktı olarak verir.
|
||||
constant_producer:
|
||||
default:
|
||||
name: Constant Producer
|
||||
description: Constantly outputs a specified shape or color.
|
||||
name: Sabit Üretici
|
||||
description: Sabit olarak belirli bir şekli veya rengi üretir.
|
||||
goal_acceptor:
|
||||
default:
|
||||
name: Goal Acceptor
|
||||
description: Deliver shapes to the goal acceptor to set them as a goal.
|
||||
name: Hedef Merkezi
|
||||
description: Şekilleri hedef olarak tanımlamak için hedef merkezine teslim et.
|
||||
block:
|
||||
default:
|
||||
name: Block
|
||||
description: Allows you to block a tile.
|
||||
name: Engel
|
||||
description: Bir karoyu kullanıma kapatmayı sağlar.
|
||||
storyRewards:
|
||||
reward_cutter_and_trash:
|
||||
title: Şekilleri Kesmek
|
||||
@ -847,7 +847,7 @@ settings:
|
||||
categories:
|
||||
general: Genel
|
||||
userInterface: Kullanıcı Arayüzü
|
||||
advanced: Gelişmİş
|
||||
advanced: Gelİşmİş
|
||||
performance: Performans
|
||||
versionBadges:
|
||||
dev: Geliştirme
|
||||
@ -1087,10 +1087,10 @@ keybindings:
|
||||
rotateToDown: Aşağı Döndür
|
||||
rotateToRight: Sağa Döndür
|
||||
rotateToLeft: Sola Döndür
|
||||
constant_producer: Constant Producer
|
||||
goal_acceptor: Goal Acceptor
|
||||
block: Block
|
||||
massSelectClear: Clear belts
|
||||
constant_producer: Sabit Üretici
|
||||
goal_acceptor: Hedef Merkezi
|
||||
block: Engel
|
||||
massSelectClear: Bantları temizle
|
||||
about:
|
||||
title: Oyun Hakkında
|
||||
body: >-
|
||||
@ -1190,56 +1190,56 @@ tips:
|
||||
- Sol tarafta sabitlenmiş bir şekle tıklayarak sabitlemesini
|
||||
kaldırabilirsiniz.
|
||||
puzzleMenu:
|
||||
play: Play
|
||||
edit: Edit
|
||||
title: Puzzle Mode
|
||||
createPuzzle: Create Puzzle
|
||||
loadPuzzle: Load
|
||||
reviewPuzzle: Review & Publish
|
||||
validatingPuzzle: Validating Puzzle
|
||||
submittingPuzzle: Submitting Puzzle
|
||||
noPuzzles: There are currently no puzzles in this section.
|
||||
play: Oyna
|
||||
edit: Düzenle
|
||||
title: Yapboz Modu
|
||||
createPuzzle: Yapboz Oluştur
|
||||
loadPuzzle: Yükle
|
||||
reviewPuzzle: Gözat & Yayınla
|
||||
validatingPuzzle: Yapboz onaylanıyor
|
||||
submittingPuzzle: Yapboz yayınlanıyor
|
||||
noPuzzles: Bu kısımda yapboz yok.
|
||||
categories:
|
||||
levels: Levels
|
||||
new: New
|
||||
top-rated: Top Rated
|
||||
mine: My Puzzles
|
||||
short: Short
|
||||
easy: Easy
|
||||
hard: Hard
|
||||
completed: Completed
|
||||
levels: Seviyeler
|
||||
new: Yeni
|
||||
top-rated: En İyi Değerlendirilen
|
||||
mine: Yapbozlarım
|
||||
short: Kısa
|
||||
easy: Kolay
|
||||
hard: Zor
|
||||
completed: Tamamlanan
|
||||
validation:
|
||||
title: Invalid Puzzle
|
||||
noProducers: Please place a Constant Producer!
|
||||
noGoalAcceptors: Please place a Goal Acceptor!
|
||||
goalAcceptorNoItem: One or more Goal Acceptors have not yet assigned an item.
|
||||
Deliver a shape to them to set a goal.
|
||||
goalAcceptorRateNotMet: One or more Goal Acceptors are not getting enough items.
|
||||
Make sure that the indicators are green for all acceptors.
|
||||
buildingOutOfBounds: One or more buildings are outside of the buildable area.
|
||||
Either increase the area or remove them.
|
||||
autoComplete: Your puzzle autocompletes itself! Please make sure your constant
|
||||
producers are not directly delivering to your goal acceptors.
|
||||
title: Geçersiz Yapboz
|
||||
noProducers: Lütfen bir Sabit Üretici yerleştiriniz!
|
||||
noGoalAcceptors: Lütfen bir Hedef Merkezi yerleştiriniz!
|
||||
goalAcceptorNoItem: Bir veya birden fazla Hedef Merkezine şekil gönderilmedi.
|
||||
Hedef belirlemek için onlara şekil gönderiniz.
|
||||
goalAcceptorRateNotMet: Bir veya birden fazla Hedef Merkezi yeterince eşya almıyor.
|
||||
Hedef Merkezlerindeki bütün göstergelerin yeşil olduğundan emin olunuz.
|
||||
buildingOutOfBounds: Bir veya birden fazla yapı inşa edilebilir alanın dışında.
|
||||
Alanı azaltınız veya yapıları siliniz.
|
||||
autoComplete: Yapbozunuz kendisini çözüyor! Sabit üreticilerin hedef merkezlerine
|
||||
direkt olarak şekil göndermediğinden emin olunuz.
|
||||
backendErrors:
|
||||
ratelimit: You are performing your actions too frequent. Please wait a bit.
|
||||
invalid-api-key: Failed to communicate with the backend, please try to
|
||||
update/restart the game (Invalid Api Key).
|
||||
unauthorized: Failed to communicate with the backend, please try to
|
||||
update/restart the game (Unauthorized).
|
||||
bad-token: Failed to communicate with the backend, please try to update/restart
|
||||
the game (Bad Token).
|
||||
bad-id: Invalid puzzle identifier.
|
||||
not-found: The given puzzle could not be found.
|
||||
bad-category: The given category could not be found.
|
||||
bad-short-key: The given short key is invalid.
|
||||
profane-title: Your puzzle title contains profane words.
|
||||
bad-title-too-many-spaces: Your puzzle title is too short.
|
||||
bad-shape-key-in-emitter: A constant producer has an invalid item.
|
||||
bad-shape-key-in-goal: A goal acceptor has an invalid item.
|
||||
no-emitters: Your puzzle does not contain any constant producers.
|
||||
no-goals: Your puzzle does not contain any goal acceptors.
|
||||
short-key-already-taken: This short key is already taken, please use another one.
|
||||
can-not-report-your-own-puzzle: You can not report your own puzzle.
|
||||
bad-payload: The request contains invalid data.
|
||||
bad-building-placement: Your puzzle contains invalid placed buildings.
|
||||
timeout: The request timed out.
|
||||
ratelimit: Çok sık işlem yapıyorsunuz. Biraz bekleyiniz.
|
||||
invalid-api-key: Arka tarafla iletişim kurulamadı, lütfen oyunu
|
||||
güncellemeyi/yeniden başlatmayı deneyiniz (Geçersiz Api Anahtarı).
|
||||
unauthorized: Arka tarafla iletişim kurulamadı, lütfen oyunu
|
||||
güncellemeyi/yeniden başlatmayı deneyiniz (Yetkisiz erişim).
|
||||
bad-token: Arka tarafla iletişim kurulamadı, lütfen oyunu
|
||||
güncellemeyi/yeniden başlatmayı deneyiniz (Kötü Anahtar).
|
||||
bad-id: Geçersiz Yapboz tanımlayıcısı (ID).
|
||||
not-found: İstenilen Yapboz bulunamadı.
|
||||
bad-category: İstenilen kategori bulunamadı.
|
||||
bad-short-key: Girilen kısa anahtar geçersiz.
|
||||
profane-title: Yapboz ismi ayrımcı kelimeler(din,dil,ırk) içeriyor.
|
||||
bad-title-too-many-spaces: Yapboz ismi çok kısa.
|
||||
bad-shape-key-in-emitter: Bir sabit üreticide geçersiz bir eşya mevcut.
|
||||
bad-shape-key-in-goal: Bir hedef merkezinde geçersiz bir eşya mevcut.
|
||||
no-emitters: Yapbozda hiç sabit üretici yok.
|
||||
no-goals: Yapbozda hiç hedef merkezi yok.
|
||||
short-key-already-taken: Bu kısa anahtar kullanılıyor, lütfen başka bir tane kullanınız.
|
||||
can-not-report-your-own-puzzle: Kendi yapbozunuzu şikayet edemezsiniz.
|
||||
bad-payload: İstek geçersiz veri içeriyor.
|
||||
bad-building-placement: Yapbozunuzda uygun yerleştirilmeyen yapılar mevcut.
|
||||
timeout: İstek zaman aşımına uğradı.
|
||||
|
@ -215,7 +215,7 @@ dialogs:
|
||||
offlineMode:
|
||||
title: Offline Mode
|
||||
desc: We couldn't reach the servers, so the game has to run in offline mode.
|
||||
Please make sure you have an active internect connection.
|
||||
Please make sure you have an active internet connection.
|
||||
puzzleDownloadError:
|
||||
title: Download Error
|
||||
desc: "Failed to download the puzzle:"
|
||||
@ -387,10 +387,10 @@ ingame:
|
||||
вводи</strong> фарбувальника за допомогою проводу!
|
||||
21_3_place_button: Неймовірно! Тепер розмістіть <strong>Вимикач</strong> Та
|
||||
з'єднайте їх дротом!
|
||||
21_4_press_button: "Натисніть вимикач, аби він почав <strong>видавати сигнал
|
||||
\"Істина\" </strong> активувавши таким чином
|
||||
фарбувальник.<br><br> PS: Не обов'язково підключати всі входи!
|
||||
Спробуйте підключити лише два."
|
||||
21_4_press_button: 'Натисніть вимикач, аби він почав <strong>видавати сигнал
|
||||
"Істина" </strong> активувавши таким чином
|
||||
фарбувальник.<br><br> PS: Не обов''язково підключати всі входи!
|
||||
Спробуйте підключити лише два.'
|
||||
connectedMiners:
|
||||
one_miner: 1 Екстрактор
|
||||
n_miners: <amount> Екстракторів
|
||||
|
@ -134,13 +134,15 @@ dialogs:
|
||||
desc: 你還沒有解鎖藍圖功能!完成更多的關卡來解鎖藍圖。
|
||||
keybindingsIntroduction:
|
||||
title: 實用按鍵
|
||||
desc: "這個遊戲有很多能幫助搭建工廠的使用按鍵。 以下是其中的一些,記得在<strong>按鍵設定</strong>中查看其他的! <br><br>
|
||||
desc:
|
||||
"這個遊戲有很多能幫助搭建工廠的使用按鍵。 以下是其中的一些,記得在<strong>按鍵設定</strong>中查看其他的! <br><br>
|
||||
<code class='keybinding'>CTRL</code> + 拖曳:選擇區域以複製或刪除。 <br> <code
|
||||
class='keybinding'>SHIFT</code>: 按住以放置多個。 <br> <code
|
||||
class='keybinding'>ALT</code>: 反向放置輸送帶。 <br>"
|
||||
createMarker:
|
||||
title: 建立標記
|
||||
desc: 給地圖標記取一個名字。你可以在名字中加入一個<strong>簡短代碼</strong>以加入圖形。(你可以在<link>這裡</link>
|
||||
desc:
|
||||
給地圖標記取一個名字。你可以在名字中加入一個<strong>簡短代碼</strong>以加入圖形。(你可以在<link>這裡</link>
|
||||
建立簡短代碼。)
|
||||
titleEdit: 修改標記
|
||||
markerDemoLimit:
|
||||
@ -189,7 +191,7 @@ dialogs:
|
||||
offlineMode:
|
||||
title: Offline Mode
|
||||
desc: We couldn't reach the servers, so the game has to run in offline mode.
|
||||
Please make sure you have an active internect connection.
|
||||
Please make sure you have an active internet connection.
|
||||
puzzleDownloadError:
|
||||
title: Download Error
|
||||
desc: "Failed to download the puzzle:"
|
||||
@ -314,17 +316,20 @@ ingame:
|
||||
1_1_extractor: 在<strong>圓形礦脈</strong>上放一個<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>鍵旋轉它們。
|
||||
2_1_place_cutter: "現在放置一個<strong>切割機</strong>並利用它把圓圈切成兩半!<br><br> PS:
|
||||
不論切割機的方向,它都會把圖形<strong>垂直地</strong>切成兩半。"
|
||||
2_2_place_trash: 切割機可能會<strong>堵塞並停止運作</strong>!<br><br>
|
||||
用<strong>垃圾桶</strong>把「目前」不需要的部分處理掉。
|
||||
2_3_more_cutters: "做得好! 現在,再放<strong>2個切割機</strong>來加速這個緩慢的生產線!<br><br> PS:
|
||||
2_3_more_cutters:
|
||||
"做得好! 現在,再放<strong>2個切割機</strong>來加速這個緩慢的生產線!<br><br> PS:
|
||||
使用<strong>0-9快捷鍵</strong>可以更快選取建築 !"
|
||||
3_1_rectangles: "現在來開採一些方形吧!<strong>蓋4座開採機</strong>,把形狀收集到基地。<br><br> PS:
|
||||
3_1_rectangles:
|
||||
"現在來開採一些方形吧!<strong>蓋4座開採機</strong>,把形狀收集到基地。<br><br> PS:
|
||||
選擇輸送帶,按住<strong>SHIFT</strong>並拖曳滑鼠可以計畫輸送帶位置!"
|
||||
21_1_place_quad_painter: 放置一個<strong>切割機(四分)</strong>並取得一些
|
||||
21_1_place_quad_painter: 放置一個<strong>上色機(四向)</strong>並取得一些
|
||||
<strong>圓形</strong>、<strong>白色</strong>和<strong>紅色</strong>!
|
||||
21_2_switch_to_wires: Switch to the wires layer by pressing
|
||||
<strong>E</strong>!<br><br> Then <strong>connect all four
|
||||
@ -554,11 +559,13 @@ buildings:
|
||||
transistor:
|
||||
default:
|
||||
name: 電晶體
|
||||
description: 如果基極(側面)的輸入訊號為「真」,則把射極(底部)輸入的真假值複製到集極(頂部)的輸出。
|
||||
description:
|
||||
如果基極(側面)的輸入訊號為「真」,則把射極(底部)輸入的真假值複製到集極(頂部)的輸出。
|
||||
(「真」值代表:形狀正確、顏色正確或布林值為1)
|
||||
mirrored:
|
||||
name: 電晶體
|
||||
description: 如果基極(側面)的輸入訊號為「真」,則把射極(底部)輸入的真假值複製到集極(頂部)的輸出。
|
||||
description:
|
||||
如果基極(側面)的輸入訊號為「真」,則把射極(底部)輸入的真假值複製到集極(頂部)的輸出。
|
||||
(「真」值代表:形狀正確、顏色正確或布林值為1)
|
||||
filter:
|
||||
default:
|
||||
@ -701,11 +708,13 @@ storyRewards:
|
||||
<strong>布林值</strong>(1或0)。
|
||||
reward_logic_gates:
|
||||
title: 邏輯閘
|
||||
desc: <strong>邏輯閘</strong>已解鎖。 你可以覺得無所謂,但其實邏輯閘其實超酷的!<br><br> 有了這些邏輯閘,你可以運算 AND,
|
||||
desc:
|
||||
<strong>邏輯閘</strong>已解鎖。 你可以覺得無所謂,但其實邏輯閘其實超酷的!<br><br> 有了這些邏輯閘,你可以運算 AND,
|
||||
OR, XOR 與 NOT。<br><br> 錦上添花,我再送你<strong>電晶體</strong>!
|
||||
reward_virtual_processing:
|
||||
title: 虛擬操作
|
||||
desc: <strong>虛擬操作</strong>!<br><br>已解鎖。很多新建築有虛擬版,你可以模擬切割機、旋轉機、推疊機還有更多電路層上的建築。
|
||||
desc:
|
||||
<strong>虛擬操作</strong>!<br><br>已解鎖。很多新建築有虛擬版,你可以模擬切割機、旋轉機、推疊機還有更多電路層上的建築。
|
||||
繼續遊玩的你現在有三個選項:<br><br> -
|
||||
蓋一個自動生成任何基地要求圖形的<strong>自動機</strong>(推薦!)。<br><br> -
|
||||
利用電路層蓋一些很酷建築<br><br> - 繼續用原本的方式破關。<br><br> 不論你的選擇是什麼,祝你玩得開心!
|
||||
|
Loading…
Reference in New Issue
Block a user