mirror of
https://github.com/tobspr/shapez.io.git
synced 2025-06-13 13:04:03 +00:00
commit
00844d5700
@ -3,7 +3,7 @@ export default {
|
|||||||
/* dev:start */
|
/* dev:start */
|
||||||
// -----------------------------------------------------------------------------------
|
// -----------------------------------------------------------------------------------
|
||||||
// Quickly enters the game and skips the main menu - good for fast iterating
|
// Quickly enters the game and skips the main menu - good for fast iterating
|
||||||
fastGameEnter: true,
|
// fastGameEnter: true,
|
||||||
// -----------------------------------------------------------------------------------
|
// -----------------------------------------------------------------------------------
|
||||||
// Skips any delays like transitions between states and such
|
// Skips any delays like transitions between states and such
|
||||||
// noArtificialDelays: true,
|
// noArtificialDelays: true,
|
||||||
@ -33,13 +33,13 @@ export default {
|
|||||||
// rewardsInstant: true,
|
// rewardsInstant: true,
|
||||||
// -----------------------------------------------------------------------------------
|
// -----------------------------------------------------------------------------------
|
||||||
// Unlocks all buildings
|
// Unlocks all buildings
|
||||||
allBuildingsUnlocked: true,
|
// allBuildingsUnlocked: true,
|
||||||
// -----------------------------------------------------------------------------------
|
// -----------------------------------------------------------------------------------
|
||||||
// Disables cost of blueprints
|
// Disables cost of blueprints
|
||||||
blueprintsNoCost: true,
|
// blueprintsNoCost: true,
|
||||||
// -----------------------------------------------------------------------------------
|
// -----------------------------------------------------------------------------------
|
||||||
// Disables cost of upgrades
|
// Disables cost of upgrades
|
||||||
upgradesNoCost: true,
|
// upgradesNoCost: true,
|
||||||
// -----------------------------------------------------------------------------------
|
// -----------------------------------------------------------------------------------
|
||||||
// Disables the dialog when completing a level
|
// Disables the dialog when completing a level
|
||||||
// disableUnlockDialog: true,
|
// disableUnlockDialog: true,
|
||||||
@ -78,7 +78,7 @@ export default {
|
|||||||
// instantMiners: true,
|
// instantMiners: true,
|
||||||
// -----------------------------------------------------------------------------------
|
// -----------------------------------------------------------------------------------
|
||||||
// When using fastGameEnter, controls whether a new game is started or the last one is resumed
|
// When using fastGameEnter, controls whether a new game is started or the last one is resumed
|
||||||
resumeGameOnFastEnter: true,
|
// resumeGameOnFastEnter: true,
|
||||||
// -----------------------------------------------------------------------------------
|
// -----------------------------------------------------------------------------------
|
||||||
// Special option used to render the trailer
|
// Special option used to render the trailer
|
||||||
// renderForTrailer: true,
|
// renderForTrailer: true,
|
||||||
|
@ -413,10 +413,10 @@ function roundSmart(n) {
|
|||||||
/**
|
/**
|
||||||
* Formats a big number
|
* Formats a big number
|
||||||
* @param {number} num
|
* @param {number} num
|
||||||
* @param {string=} divider THe divider for numbers like 50,000 (divider=',')
|
* @param {string=} separator The decimal separator for numbers like 50.1 (separator='.')
|
||||||
* @returns {string}
|
* @returns {string}
|
||||||
*/
|
*/
|
||||||
export function formatBigNumber(num, divider = ".") {
|
export function formatBigNumber(num, separator = T.global.decimalSeparator) {
|
||||||
const sign = num < 0 ? "-" : "";
|
const sign = num < 0 ? "-" : "";
|
||||||
num = Math.abs(num);
|
num = Math.abs(num);
|
||||||
|
|
||||||
@ -445,7 +445,10 @@ export function formatBigNumber(num, divider = ".") {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
const leadingDigitsRounded = round1Digit(leadingDigits);
|
const leadingDigitsRounded = round1Digit(leadingDigits);
|
||||||
const leadingDigitsNoTrailingDecimal = leadingDigitsRounded.toString().replace(".0", "");
|
const leadingDigitsNoTrailingDecimal = leadingDigitsRounded
|
||||||
|
.toString()
|
||||||
|
.replace(".0", "")
|
||||||
|
.replace(".", separator);
|
||||||
return sign + leadingDigitsNoTrailingDecimal + suffix;
|
return sign + leadingDigitsNoTrailingDecimal + suffix;
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
@ -453,7 +456,7 @@ export function formatBigNumber(num, divider = ".") {
|
|||||||
/**
|
/**
|
||||||
* Formats a big number, but does not add any suffix and instead uses its full representation
|
* Formats a big number, but does not add any suffix and instead uses its full representation
|
||||||
* @param {number} num
|
* @param {number} num
|
||||||
* @param {string=} divider THe divider for numbers like 50,000 (divider=',')
|
* @param {string=} divider The divider for numbers like 50,000 (divider=',')
|
||||||
* @returns {string}
|
* @returns {string}
|
||||||
*/
|
*/
|
||||||
export function formatBigNumberFull(num, divider = T.global.thousandsDivider) {
|
export function formatBigNumberFull(num, divider = T.global.thousandsDivider) {
|
||||||
@ -954,10 +957,13 @@ export function capitalizeFirstLetter(str) {
|
|||||||
* Formats a number like 2.5 to "2.5 items / s"
|
* Formats a number like 2.5 to "2.5 items / s"
|
||||||
* @param {number} speed
|
* @param {number} speed
|
||||||
* @param {boolean=} double
|
* @param {boolean=} double
|
||||||
|
* @param {string=} separator The decimal separator for numbers like 50.1 (separator='.')
|
||||||
*/
|
*/
|
||||||
export function formatItemsPerSecond(speed, double = false) {
|
export function formatItemsPerSecond(speed, double = false, separator = T.global.decimalSeparator) {
|
||||||
return speed === 1.0
|
return speed === 1.0
|
||||||
? T.ingame.buildingPlacement.infoTexts.oneItemPerSecond
|
? T.ingame.buildingPlacement.infoTexts.oneItemPerSecond
|
||||||
: T.ingame.buildingPlacement.infoTexts.itemsPerSecond.replace("<x>", "" + round2Digits(speed)) +
|
: T.ingame.buildingPlacement.infoTexts.itemsPerSecond.replace(
|
||||||
(double ? " " + T.ingame.buildingPlacement.infoTexts.itemsPerSecondDouble : "");
|
"<x>",
|
||||||
|
round2Digits(speed).toString().replace(".", separator)
|
||||||
|
) + (double ? " " + T.ingame.buildingPlacement.infoTexts.itemsPerSecondDouble : "");
|
||||||
}
|
}
|
||||||
|
@ -1,10 +1,9 @@
|
|||||||
# Translations
|
# Translations
|
||||||
|
|
||||||
The base translation is `base-en.yaml`. It will always contain the latest phrases and structure.
|
The base language is English and can be found [here](base-en.yaml).
|
||||||
|
|
||||||
## Languages
|
## Languages
|
||||||
|
|
||||||
- [English (Base Language, Source of Truth)](base-en.yaml)
|
|
||||||
- [German](base-de.yaml)
|
- [German](base-de.yaml)
|
||||||
- [French](base-fr.yaml)
|
- [French](base-fr.yaml)
|
||||||
- [Korean](base-kor.yaml)
|
- [Korean](base-kor.yaml)
|
||||||
@ -39,15 +38,39 @@ The base translation is `base-en.yaml`. It will always contain the latest phrase
|
|||||||
|
|
||||||
If you want to edit an existing translation (Fixing typos, Updating it to a newer version, etc), you can just use the github file editor to edit the file.
|
If you want to edit an existing translation (Fixing typos, Updating it to a newer version, etc), you can just use the github file editor to edit the file.
|
||||||
|
|
||||||
- Find the file you want to edit (For example, `base-de.yaml` if you want to change the german translation)
|
- Click the language you want to edit from the list above
|
||||||
- Click on the file name on, there will be a small "edit" symbol on the top right
|
- Click the small "edit" symbol on the top right
|
||||||
- Do the changes you wish to do (Be sure **not** to translate placeholders!)
|
|
||||||
|
<img src="https://i.imgur.com/gZnUQoe.png" alt="edit symbol" width="200">
|
||||||
|
|
||||||
|
- Do the changes you wish to do (Be sure **not** to translate placeholders! For example, `<amount> minutes` should get `<amount> Minuten` and **not** `<anzahl> Minuten`!)
|
||||||
|
|
||||||
- Click "Propose Changes"
|
- Click "Propose Changes"
|
||||||
- I will review your changes and make comments, and eventually merge them so they will be in the next release!
|
|
||||||
|
<img src="https://i.imgur.com/KT9ZFp6.png" alt="propose changes" width="200">
|
||||||
|
|
||||||
|
- Click "Create pull request"
|
||||||
|
|
||||||
|
<img src="https://i.imgur.com/oVljvRE.png" alt="create pull request" width="200">
|
||||||
|
|
||||||
|
- I will review your changes and make comments, and eventually merge them so they will be in the next release! Be sure to regulary check the created pull request for comments.
|
||||||
|
|
||||||
## Adding a new language
|
## Adding a new language
|
||||||
|
|
||||||
Please DM me on discord (tobspr#5407), so I can add the language template for you. It is not as simple as creating a new file.
|
Please DM me on discord (tobspr#5407), so I can add the language template for you.
|
||||||
|
|
||||||
|
Please use the following template:
|
||||||
|
|
||||||
|
```
|
||||||
|
Hey, could you add a new translation?
|
||||||
|
|
||||||
|
Language: <Language, e.g. 'German'>
|
||||||
|
Short code: <Short code, e.g. 'de', see below>
|
||||||
|
Local Name: <Name of your Language, e.g. 'Deutsch'>
|
||||||
|
```
|
||||||
|
|
||||||
|
You can find the short code [here](https://www.science.co.il/language/Codes.php) (In column `Code 2`).
|
||||||
|
|
||||||
PS: I'm super busy, but I'll give my best to do it quickly!
|
PS: I'm super busy, but I'll give my best to do it quickly!
|
||||||
|
|
||||||
## Updating a language to the latest version
|
## Updating a language to the latest version
|
||||||
|
@ -91,6 +91,9 @@ global:
|
|||||||
# How big numbers are rendered, e.g. "10,000"
|
# How big numbers are rendered, e.g. "10,000"
|
||||||
thousandsDivider: ","
|
thousandsDivider: ","
|
||||||
|
|
||||||
|
# What symbol to use to seperate the integer part from the fractional part of a number, e.g. "0.4"
|
||||||
|
decimalSeparator: "."
|
||||||
|
|
||||||
# The suffix for large numbers, e.g. 1.3k, 400.2M, etc.
|
# The suffix for large numbers, e.g. 1.3k, 400.2M, etc.
|
||||||
suffix:
|
suffix:
|
||||||
thousands: k
|
thousands: k
|
||||||
|
@ -91,6 +91,9 @@ global:
|
|||||||
# How big numbers are rendered, e.g. "10,000"
|
# How big numbers are rendered, e.g. "10,000"
|
||||||
thousandsDivider: ","
|
thousandsDivider: ","
|
||||||
|
|
||||||
|
# What symbol to use to seperate the integer part from the fractional part of a number, e.g. "0.4"
|
||||||
|
decimalSeparator: "."
|
||||||
|
|
||||||
# The suffix for large numbers, e.g. 1.3k, 400.2M, etc.
|
# The suffix for large numbers, e.g. 1.3k, 400.2M, etc.
|
||||||
suffix:
|
suffix:
|
||||||
thousands: k
|
thousands: k
|
||||||
|
@ -72,6 +72,9 @@ global:
|
|||||||
# How big numbers are rendered, e.g. "10,000"
|
# How big numbers are rendered, e.g. "10,000"
|
||||||
thousandsDivider: " "
|
thousandsDivider: " "
|
||||||
|
|
||||||
|
# What symbol to use to seperate the integer part from the fractional part of a number, e.g. "0.4"
|
||||||
|
decimalSeparator: "."
|
||||||
|
|
||||||
# The suffix for large numbers, e.g. 1.3k, 400.2M, etc.
|
# The suffix for large numbers, e.g. 1.3k, 400.2M, etc.
|
||||||
suffix:
|
suffix:
|
||||||
thousands: k
|
thousands: k
|
||||||
|
@ -91,6 +91,9 @@ global:
|
|||||||
# How big numbers are rendered, e.g. "10,000"
|
# How big numbers are rendered, e.g. "10,000"
|
||||||
thousandsDivider: ","
|
thousandsDivider: ","
|
||||||
|
|
||||||
|
# What symbol to use to seperate the integer part from the fractional part of a number, e.g. "0.4"
|
||||||
|
decimalSeparator: "."
|
||||||
|
|
||||||
# The suffix for large numbers, e.g. 1.3k, 400.2M, etc.
|
# The suffix for large numbers, e.g. 1.3k, 400.2M, etc.
|
||||||
suffix:
|
suffix:
|
||||||
thousands: k
|
thousands: k
|
||||||
|
@ -91,6 +91,9 @@ global:
|
|||||||
# How big numbers are rendered, e.g. "10,000"
|
# How big numbers are rendered, e.g. "10,000"
|
||||||
thousandsDivider: "."
|
thousandsDivider: "."
|
||||||
|
|
||||||
|
# What symbol to use to seperate the integer part from the fractional part of a number, e.g. "0.4"
|
||||||
|
decimalSeparator: ","
|
||||||
|
|
||||||
# The suffix for large numbers, e.g. 1.3k, 400.2M, etc.
|
# The suffix for large numbers, e.g. 1.3k, 400.2M, etc.
|
||||||
suffix:
|
suffix:
|
||||||
thousands: k
|
thousands: k
|
||||||
|
@ -91,6 +91,9 @@ global:
|
|||||||
# How big numbers are rendered, e.g. "10,000"
|
# How big numbers are rendered, e.g. "10,000"
|
||||||
thousandsDivider: ","
|
thousandsDivider: ","
|
||||||
|
|
||||||
|
# What symbol to use to seperate the integer part from the fractional part of a number, e.g. "0.4"
|
||||||
|
decimalSeparator: "."
|
||||||
|
|
||||||
# The suffix for large numbers, e.g. 1.3k, 400.2M, etc.
|
# The suffix for large numbers, e.g. 1.3k, 400.2M, etc.
|
||||||
suffix:
|
suffix:
|
||||||
thousands: k
|
thousands: k
|
||||||
|
@ -34,15 +34,16 @@ steamPage:
|
|||||||
[img]{STEAM_APP_IMAGE}/extras/store_page_gif.gif[/img]
|
[img]{STEAM_APP_IMAGE}/extras/store_page_gif.gif[/img]
|
||||||
|
|
||||||
shapez.io is a game about building factories to automate the creation and processing of increasingly complex shapes across an infinitely expanding map.
|
shapez.io is a game about building factories to automate the creation and processing of increasingly complex shapes across an infinitely expanding map.
|
||||||
Upon delivering the requested shapes you will progress within the game and unlock upgrades to speed up your factory.
|
|
||||||
|
|
||||||
As the demand for shapes increases, you will have to scale up your factory to meet the demand - Don't forget about resources though, you will have to expand across the [b]infinite map[/b]!
|
Upon delivering the requested shapes you'll progress within the game and unlock upgrades to speed up your factory.
|
||||||
|
|
||||||
Soon you will have to mix colors and paint your shapes with them - Combine red, green and blue color resources to produce different colors and paint shapes with it to satisfy the demand.
|
As the demand for shapes increases, you'll have to scale up your factory to meet the demand - Don't forget about resources though, you'll have to expand across the [b]infinite map[/b]!
|
||||||
|
|
||||||
This game features 18 progressive levels (Which should keep you busy for hours already!) but I'm constantly adding new content - There is a lot planned!
|
Soon you'll have to mix colors and paint your shapes with them - Combine red, green and blue color resources to produce different colors and paint shapes with them to satisfy the demand.
|
||||||
|
|
||||||
Purchasing the game gives you access to the standalone version which has additional features and you'll also receive access to newly developed features.
|
This game features 18 progressive levels (Which should already keep you busy for hours!) but I'm constantly adding new content - There's a lot planned!
|
||||||
|
|
||||||
|
Purchasing the game gives you access to the standalone version which has additional features, and you'll also receive access to newly developed features.
|
||||||
|
|
||||||
[b]Standalone Advantages[/b]
|
[b]Standalone Advantages[/b]
|
||||||
|
|
||||||
@ -58,7 +59,7 @@ steamPage:
|
|||||||
|
|
||||||
[b]Future Updates[/b]
|
[b]Future Updates[/b]
|
||||||
|
|
||||||
I am updating the game very often and trying to push an update at least every week!
|
I am updating the game often and trying to push an update at least once every week!
|
||||||
|
|
||||||
[list]
|
[list]
|
||||||
[*] Different maps and challenges (e.g. maps with obstacles)
|
[*] Different maps and challenges (e.g. maps with obstacles)
|
||||||
@ -92,6 +93,9 @@ global:
|
|||||||
# How big numbers are rendered, e.g. "10,000"
|
# How big numbers are rendered, e.g. "10,000"
|
||||||
thousandsDivider: ","
|
thousandsDivider: ","
|
||||||
|
|
||||||
|
# What symbol to use to seperate the integer part from the fractional part of a number, e.g. "0.4"
|
||||||
|
decimalSeparator: "."
|
||||||
|
|
||||||
# The suffix for large numbers, e.g. 1.3k, 400.2M, etc.
|
# The suffix for large numbers, e.g. 1.3k, 400.2M, etc.
|
||||||
suffix:
|
suffix:
|
||||||
thousands: k
|
thousands: k
|
||||||
|
@ -23,6 +23,9 @@ steamPage:
|
|||||||
# This is the short text appearing on the steam page
|
# This is the short text appearing on the steam page
|
||||||
shortText: shapez.io es un juego sobre construir fábricas para automatizar la creación y combinación de figuras cada vez más complejas en un mapa infinito.
|
shortText: shapez.io es un juego sobre construir fábricas para automatizar la creación y combinación de figuras cada vez más complejas en un mapa infinito.
|
||||||
|
|
||||||
|
# This is the text shown above the discord link
|
||||||
|
discordLink: Discord oficial - ¡Chatea conmigo!
|
||||||
|
|
||||||
# This is the long description for the steam page - It is contained here so you can help to translate it, and I will regulary update the store page.
|
# This is the long description for the steam page - It is contained here so you can help to translate it, and I will regulary update the store page.
|
||||||
# NOTICE:
|
# NOTICE:
|
||||||
# - Do not translate the first line (This is the gif image at the start of the store)
|
# - Do not translate the first line (This is the gif image at the start of the store)
|
||||||
@ -30,60 +33,58 @@ steamPage:
|
|||||||
longText: >-
|
longText: >-
|
||||||
[img]{STEAM_APP_IMAGE}/extras/store_page_gif.gif[/img]
|
[img]{STEAM_APP_IMAGE}/extras/store_page_gif.gif[/img]
|
||||||
|
|
||||||
shapez.io is a game about building factories to automate the creation and processing of increasingly complex shapes across an infinitely expanding map.
|
shapez.io es un juego basado en la construcción de fábricas para automatizar la creación y combinación de figuras en un mapa que se expande infinitamente.
|
||||||
Upon delivering the requested shapes you will progress within the game and unlock upgrades to speed up your factory.
|
Entrega las figuras requeridas para progresar y desbloquear mejoras para aumentar la velocidad de tu fábrica.
|
||||||
|
|
||||||
As the demand for shapes increases, you will have to scale up your factory to meet the demand - Don't forget about resources though, you will have to expand across the [b]infinite map[/b]!
|
Al aumentar la demanda, necesitarás escalar tu fábrica para ajustarte a las necesidades - ¡No te olvides de los recursos, necesitarás expandirte en el [b]mapa infinito[/b]!
|
||||||
|
|
||||||
Soon you will have to mix colors and paint your shapes with them - Combine red, green and blue color resources to produce different colors and paint shapes with it to satisfy the demand.
|
Después necesitarás mezclar colores para pintar las figuras - Combina recursos de colores rojo, verde y azul para producir diferentes colores y pintar figuras para satisfacer la demanda.
|
||||||
|
|
||||||
This game features 18 progressive levels (Which should keep you busy for hours already!) but I'm constantly adding new content - There is a lot planned!
|
Este juego cuenta con 18 niveles (¡Que te mantendrán ocupado durante horas!) pero estoy constantemente añadiendo nuevo contenido - ¡Hay mucho planeado!
|
||||||
|
|
||||||
Purchasing the game gives you access to the standalone version which has additional features and you'll also receive access to newly developed features.
|
Comprando el juego tendrás acceso a la versión completa con contenido adicional, además del contenido en desarrollo.
|
||||||
|
|
||||||
[b]Standalone Advantages[/b]
|
[b]Ventajas del juego completo[/b]
|
||||||
|
|
||||||
[list]
|
[list]
|
||||||
[*] Dark Mode
|
[*] Modo oscuro
|
||||||
[*] Unlimited Waypoints
|
[*] Puntos de referencia ilimitados
|
||||||
[*] Unlimited Savegames
|
[*] Partidas guardadas ilimitadas
|
||||||
[*] Additional settings
|
[*] Ajustes adicionales
|
||||||
[*] Coming soon: Wires & Energy! Aiming for (roughly) end of July 2020.
|
[*] Próximamente: ¡Cables y Energía! Aproximadamente para finales de julio de 2020.
|
||||||
[*] Coming soon: More Levels
|
[*] Próximamente: Más niveles
|
||||||
[*] Allows me to further develop shapez.io ❤️
|
[*] Ayúdame a seguir desarrollando shapez.io ❤️
|
||||||
[/list]
|
[/list]
|
||||||
|
|
||||||
[b]Future Updates[/b]
|
[b]Futuras actualizaciones[/b]
|
||||||
|
|
||||||
I am updating the game very often and trying to push an update at least every week!
|
¡Estoy actualizando el juego muy a menudo e intentando subir actualizaciones al menos una vez a la semana!
|
||||||
|
|
||||||
[list]
|
[list]
|
||||||
[*] Different maps and challenges (e.g. maps with obstacles)
|
[*] Diferentes mapas y desafíos (por ejemplo: mapas con obstáculos)
|
||||||
[*] Puzzles (Deliver the requested shape with a restricted area / set of buildings)
|
[*] Puzles (Entrega la forma requerida con una zona o conjunto de edificios restringidos)
|
||||||
[*] A story mode where buildings have a cost
|
[*] Modo historia en el que los edificios tengan un coste
|
||||||
[*] Configurable map generator (Configure resource/shape size/density, seed and more)
|
[*] Generador de mapas configurable (Configurar recursos, forma, tamaño, densidad, semilla y más)
|
||||||
[*] Additional types of shapes
|
[*] Más tipos de figuras
|
||||||
[*] Performance improvements (The game already runs pretty well!)
|
[*] Mejoras de rendimiento (¡Aunque el juego ya funciona muy bien!)
|
||||||
[*] And much more!
|
[*] ¡Y mucho más!
|
||||||
[/list]
|
[/list]
|
||||||
|
|
||||||
[b]This game is open source![/b]
|
[b]¡Este juego es de código abierto![/b]
|
||||||
|
|
||||||
Anybody can contribute, I'm actively involved in the community and attempt to review all suggestions and take feedback into consideration where possible.
|
Cualquiera puede contribuir, estoy activamente involucrado en la comunidad e intento leer todas las sugerencias y considerar todas las propuestas planteadas.
|
||||||
Be sure to check out my trello board for the full roadmap!
|
¡Comprueba mi tablero de Trello para ver todo lo planificado!
|
||||||
|
|
||||||
[b]Links[/b]
|
[b]Enlaces[/b]
|
||||||
|
|
||||||
[list]
|
[list]
|
||||||
[*] [url=https://discord.com/invite/HN7EVzV]Official Discord[/url]
|
[*] [url=https://discord.com/invite/HN7EVzV]Discord oficial[/url]
|
||||||
[*] [url=https://trello.com/b/ISQncpJP/shapezio]Roadmap[/url]
|
[*] [url=https://trello.com/b/ISQncpJP/shapezio]Hoja de ruta[/url]
|
||||||
[*] [url=https://www.reddit.com/r/shapezio]Subreddit[/url]
|
[*] [url=https://www.reddit.com/r/shapezio]Subreddit[/url]
|
||||||
[*] [url=https://github.com/tobspr/shapez.io]Source code (GitHub)[/url]
|
[*] [url=https://github.com/tobspr/shapez.io]Código fuente (GitHub)[/url]
|
||||||
[*] [url=https://github.com/tobspr/shapez.io/blob/master/translations/README.md]Help translate[/url]
|
[*] [url=https://github.com/tobspr/shapez.io/blob/master/translations/README.md]Ayuda a traducir[/url]
|
||||||
[/list]
|
[/list]
|
||||||
|
|
||||||
discordLink: Official Discord - Chat with me!
|
|
||||||
|
|
||||||
global:
|
global:
|
||||||
loading: Cargando
|
loading: Cargando
|
||||||
error: Error
|
error: Error
|
||||||
@ -91,6 +92,9 @@ global:
|
|||||||
# How big numbers are rendered, e.g. "10,000"
|
# How big numbers are rendered, e.g. "10,000"
|
||||||
thousandsDivider: "."
|
thousandsDivider: "."
|
||||||
|
|
||||||
|
# What symbol to use to seperate the integer part from the fractional part of a number, e.g. "0.4"
|
||||||
|
decimalSeparator: ","
|
||||||
|
|
||||||
# The suffix for large numbers, e.g. 1.3k, 400.2M, etc.
|
# The suffix for large numbers, e.g. 1.3k, 400.2M, etc.
|
||||||
suffix:
|
suffix:
|
||||||
thousands: k
|
thousands: k
|
||||||
@ -114,8 +118,8 @@ global:
|
|||||||
|
|
||||||
# Short formats for times, e.g. '5h 23m'
|
# Short formats for times, e.g. '5h 23m'
|
||||||
secondsShort: <seconds>s
|
secondsShort: <seconds>s
|
||||||
minutesAndSecondsShort: <minutes>m <seconds>s
|
minutesAndSecondsShort: <minutes>min <seconds>s
|
||||||
hoursAndMinutesShort: <hours>h <minutes>m
|
hoursAndMinutesShort: <hours>h <minutes>min
|
||||||
|
|
||||||
xMinutes: <x> minutos
|
xMinutes: <x> minutos
|
||||||
|
|
||||||
@ -129,18 +133,19 @@ global:
|
|||||||
|
|
||||||
demoBanners:
|
demoBanners:
|
||||||
# This is the "advertisement" shown in the main menu and other various places
|
# This is the "advertisement" shown in the main menu and other various places
|
||||||
title: Versión de Prueba
|
title: Versión de prueba
|
||||||
intro: >-
|
intro: >-
|
||||||
¡Obtén el juego completo para conseguir todas las características!
|
¡Obtén el juego completo para desbloquear todas las características!
|
||||||
|
|
||||||
mainMenu:
|
mainMenu:
|
||||||
play: Jugar
|
play: Jugar
|
||||||
continue: Continuar
|
continue: Continuar
|
||||||
newGame: Nuevo Juego
|
newGame: Nuevo juego
|
||||||
changelog: Historial de cambios
|
changelog: Historial de cambios
|
||||||
|
subreddit: Reddit
|
||||||
importSavegame: Importar
|
importSavegame: Importar
|
||||||
openSourceHint: ¡Este juego es de código abierto!
|
openSourceHint: ¡Este juego es de código abierto!
|
||||||
discordLink: Servidor de Discord Oficial
|
discordLink: Servidor de Discord oficial
|
||||||
helpTranslate: ¡Ayuda a traducirlo!
|
helpTranslate: ¡Ayuda a traducirlo!
|
||||||
madeBy: Desarrollado por <author-link>
|
madeBy: Desarrollado por <author-link>
|
||||||
|
|
||||||
@ -151,35 +156,32 @@ mainMenu:
|
|||||||
savegameLevel: Nivel <x>
|
savegameLevel: Nivel <x>
|
||||||
savegameLevelUnknown: Nivel desconocido
|
savegameLevelUnknown: Nivel desconocido
|
||||||
|
|
||||||
|
|
||||||
subreddit: Reddit
|
|
||||||
|
|
||||||
dialogs:
|
dialogs:
|
||||||
buttons:
|
buttons:
|
||||||
ok: OK
|
ok: OK
|
||||||
delete: Borrar
|
delete: Borrar
|
||||||
cancel: Cancelar
|
cancel: Cancelar
|
||||||
later: Más Tarde
|
later: Más tarde
|
||||||
restart: Volver A Empezar
|
restart: Volver a empezar
|
||||||
reset: Reiniciar
|
reset: Reiniciar
|
||||||
getStandalone: Obtener Juego Completo
|
getStandalone: Obtener juego completo
|
||||||
deleteGame: Sé Lo Que Hago
|
deleteGame: Sé lo que hago
|
||||||
viewUpdate: Ver Actualización
|
viewUpdate: Ver actualización
|
||||||
showUpgrades: Ver Mejoras
|
showUpgrades: Ver mejoras
|
||||||
showKeybindings: Ver Atajos De teclado
|
showKeybindings: Ver atajos de teclado
|
||||||
|
|
||||||
importSavegameError:
|
importSavegameError:
|
||||||
title: Error de Importación
|
title: Error de importación
|
||||||
text: >-
|
text: >-
|
||||||
Fallo al importar tu partida guardada:
|
Fallo al importar tu partida guardada:
|
||||||
|
|
||||||
importSavegameSuccess:
|
importSavegameSuccess:
|
||||||
title: Partida Guardada Importada
|
title: Partida guardada importada
|
||||||
text: >-
|
text: >-
|
||||||
Tu partida guardada ha sido importada con éxito.
|
Tu partida guardada ha sido importada con éxito.
|
||||||
|
|
||||||
gameLoadFailure:
|
gameLoadFailure:
|
||||||
title: Error de Carga
|
title: Error de carga
|
||||||
text: >-
|
text: >-
|
||||||
No se ha podido cargar la partida guardada:
|
No se ha podido cargar la partida guardada:
|
||||||
|
|
||||||
@ -200,32 +202,33 @@ dialogs:
|
|||||||
|
|
||||||
editKeybinding:
|
editKeybinding:
|
||||||
title: Cambiar atajos de teclado
|
title: Cambiar atajos de teclado
|
||||||
desc: Presiona la tecla o botón del ratón que quieras asignar o escape para cancelar.
|
desc: Pulsa la tecla o botón del ratón que quieras asignar, o escape para cancelar.
|
||||||
|
|
||||||
resetKeybindingsConfirmation:
|
resetKeybindingsConfirmation:
|
||||||
title: Reiniciar atajos de teclado
|
title: Reiniciar atajos de teclado
|
||||||
desc: Esto devolverá todos los atajos de teclado a los valores por defecto. Por favor, confirma.
|
desc: Esto devolverá todos los atajos de teclado a los valores por defecto. Por favor, confirma.
|
||||||
|
|
||||||
keybindingsResetOk:
|
keybindingsResetOk:
|
||||||
title: Reseteo de los atajos de teclado
|
title: Atajos de teclado reiniciados
|
||||||
desc: ¡Los atajos de taclado han sito reseteados a los valores por defecto!
|
desc: ¡Los atajos de teclado han sito reiniciados a los valores por defecto!
|
||||||
|
|
||||||
featureRestriction:
|
featureRestriction:
|
||||||
title: Versión de Prueba
|
title: Versión de prueba
|
||||||
desc: Has intentado acceder a una característica (<feature>) que no está disponible en la demo. ¡Considera obtener el juego completo para la experiencia completa!
|
desc: Has intentado acceder a una característica (<feature>) que no está disponible en la versión de prueba. ¡Considera obtener el juego completo para la experiencia completa!
|
||||||
|
|
||||||
oneSavegameLimit:
|
oneSavegameLimit:
|
||||||
title: partidas guardadas limitadas
|
title: Partidas guardadas limitadas
|
||||||
desc: Solo puedes tener una partida guardada a la vez en la versión de prueba. ¡Por favor elimina la ya existente u obtén el juego completo!
|
desc: Solo puedes tener una partida guardada a la vez en la versión de prueba. ¡Por favor, elimina la ya existente u obtén el juego completo!
|
||||||
|
|
||||||
updateSummary:
|
updateSummary:
|
||||||
title: ¡Nueva actualización!
|
title: ¡Nueva actualización!
|
||||||
desc: >-
|
desc: >-
|
||||||
Estos son los cambios desde la última vez que jugaste:
|
Estos son los cambios desde la última vez que jugaste:
|
||||||
|
|
||||||
upgradesIntroduction:
|
upgradesIntroduction:
|
||||||
title: Desbloquear Mejoras
|
title: Desbloquear mejoras
|
||||||
desc: >-
|
desc: >-
|
||||||
Todas las figuras pueden ser usadas para desbloquear mejoras - <strong>¡No destruyas tus fábricas anteriores!</strong>
|
Todas las figuras se pueden usar para desbloquear mejoras - <strong>¡No destruyas tus fábricas anteriores!</strong>
|
||||||
La pestaña de mejoras está en la esquina superior derecha de la pantalla.
|
La pestaña de mejoras está en la esquina superior derecha de la pantalla.
|
||||||
|
|
||||||
massDeleteConfirm:
|
massDeleteConfirm:
|
||||||
@ -236,39 +239,38 @@ dialogs:
|
|||||||
massCutConfirm:
|
massCutConfirm:
|
||||||
title: Confirmar corte
|
title: Confirmar corte
|
||||||
desc: >-
|
desc: >-
|
||||||
¡Estás cortando muchos edificios (<count> para ser exactos)! ¿Estas seguro de
|
¡Estás cortando muchos edificios (<count> para ser exactos)! ¿Estas seguro de que quieres hacer esto?
|
||||||
que quieres hacer esto?
|
|
||||||
|
massCutInsufficientConfirm:
|
||||||
|
title: Confirm cut
|
||||||
|
desc: >-
|
||||||
|
¡No puedes permitirte pegar este área! ¿Estás seguro de que quieres cortarlo?
|
||||||
|
|
||||||
blueprintsNotUnlocked:
|
blueprintsNotUnlocked:
|
||||||
title: No desbloqueado todavía
|
title: No desbloqueado todavía
|
||||||
desc: >-
|
desc: >-
|
||||||
¡Los planos no han sido desbloqueados todavía! Completa más niveles para desbloquearlos.
|
¡Completa el nivel 12 para desbloquear los Planos!
|
||||||
|
|
||||||
keybindingsIntroduction:
|
keybindingsIntroduction:
|
||||||
title: Atajos de teclado útiles
|
title: Atajos de teclado útiles
|
||||||
desc: >-
|
desc: >-
|
||||||
El juego tiene muchos atajos de teclado que facilitan la tarea de construir grandes fábricas.
|
El juego tiene muchos atajos de teclado que facilitan la tarea de construir grandes fábricas.
|
||||||
¡Aquí hay algunos, pero asegúrate de <strong>comprobar los atajos de teclado</strong>!<br><br>
|
¡Aquí hay algunos, pero asegúrate de <strong>comprobar los atajos de teclado</strong>!<br><br>
|
||||||
<code class='keybinding'>CTRL</code> + Arrastrar: Selecciona un área para copiarla / borrarla.<br>
|
<code class='keybinding'>CTRL</code> + Arrastrar: Selecciona un área.<br>
|
||||||
<code class='keybinding'>SHIFT</code>: Mánten pulsado para colocar varias veces el mismo edificio.<br>
|
<code class='keybinding'>SHIFT</code>: Mánten pulsado para colocar varias veces un edificio.<br>
|
||||||
<code class='keybinding'>ALT</code>: Invierte la orientación de las cintas transportadoras colocadas.<br>
|
<code class='keybinding'>ALT</code>: Invierte la orientación de las cintas transportadoras colocadas.<br>
|
||||||
|
|
||||||
createMarker:
|
createMarker:
|
||||||
title: Nuevo marcador
|
title: Nuevo marcador
|
||||||
desc: Dale un nombre significativo, tambien puedes agregarle la <strong>clave</strong> de una forma (La cual puedes generar <a href="https://viewer.shapez.io" target="_blank">aquí</a>)
|
titleEdit: Editar marcador
|
||||||
titleEdit: Edit Marker
|
desc: Dale un nombre significativo, también puedes agregarle una <strong>clave</strong> de una forma (La cual puedes generar <a href="https://viewer.shapez.io" target="_blank">aquí</a>)
|
||||||
|
|
||||||
markerDemoLimit:
|
markerDemoLimit:
|
||||||
desc: Sólo puedes crear dos marcadores en la versión de prueba. ¡Obtén el juego completo para marcas ilimitadas!
|
desc: Solo puedes crear dos marcadores en la versión de prueba. ¡Obtén el juego completo para marcadores ilimitados!
|
||||||
|
|
||||||
exportScreenshotWarning:
|
exportScreenshotWarning:
|
||||||
title: Exportar captura de pantalla
|
title: Exportar captura de pantalla
|
||||||
desc: >-
|
desc: Has solicitado una captura de pantalla de tu base. Por favor, ten en cuenta que puede tardar bastante en las bases grandes. ¡E incluso crashear tu juego!
|
||||||
Has pedido una captura de pantalla. Por favor ten en cuenta que
|
|
||||||
puede tardar bastante en las bases grandes ¡He incluso crashear tu juego!
|
|
||||||
|
|
||||||
massCutInsufficientConfirm:
|
|
||||||
title: Confirm cut
|
|
||||||
desc: You can not afford to paste this area! Are you sure you want to cut it?
|
|
||||||
|
|
||||||
ingame:
|
ingame:
|
||||||
# This is shown in the top left corner and displays useful keybindings in
|
# This is shown in the top left corner and displays useful keybindings in
|
||||||
@ -276,23 +278,35 @@ ingame:
|
|||||||
keybindingsOverlay:
|
keybindingsOverlay:
|
||||||
moveMap: Mover
|
moveMap: Mover
|
||||||
selectBuildings: Seleccionar área
|
selectBuildings: Seleccionar área
|
||||||
stopPlacement: Parar de colocar
|
stopPlacement: Dejar de colocar
|
||||||
rotateBuilding: Rotar edificio
|
rotateBuilding: Rotar edificio
|
||||||
placeMultiple: Colocar varios
|
placeMultiple: Colocar varios
|
||||||
reverseOrientation: Invertir la orientación
|
reverseOrientation: Invertir la orientación
|
||||||
disableAutoOrientation: Desactivar la autoorientación
|
disableAutoOrientation: Desactivar la autoorientación
|
||||||
toggleHud: Habilitar el HUD
|
toggleHud: Habilitar el HUD
|
||||||
placeBuilding: Colocar edificio
|
placeBuilding: Colocar edificio
|
||||||
createMarker: Crear marca
|
createMarker: Crear marcador
|
||||||
delete: Destruir
|
delete: Destruir
|
||||||
pasteLastBlueprint: Pegar último plano
|
pasteLastBlueprint: Pegar último plano
|
||||||
lockBeltDirection: Activar planificador de cintas transportadoras
|
lockBeltDirection: Activar planificador de cintas transportadoras
|
||||||
plannerSwitchSide: Invertir giro del planificador
|
plannerSwitchSide: Invertir giro del planificador
|
||||||
cutSelection: Cortar
|
cutSelection: Cortar
|
||||||
copySelection: Copiar
|
copySelection: Copiar
|
||||||
clearSelection: Limpiar Selección
|
clearSelection: Limpiar selección
|
||||||
pipette: Pipette
|
pipette: Pipette
|
||||||
switchLayers: Switch layers
|
switchLayers: Cambiar capas
|
||||||
|
|
||||||
|
# Names of the colors, used for the color blind mode
|
||||||
|
colors:
|
||||||
|
red: Rojo
|
||||||
|
green: Verde
|
||||||
|
blue: Azul
|
||||||
|
yellow: Amarillo
|
||||||
|
purple: Púrpura
|
||||||
|
cyan: Cian
|
||||||
|
white: Blanco
|
||||||
|
black: Negro
|
||||||
|
uncolored: Gris
|
||||||
|
|
||||||
# Everything related to placing buildings (I.e. as soon as you selected a building
|
# Everything related to placing buildings (I.e. as soon as you selected a building
|
||||||
# from the toolbar)
|
# from the toolbar)
|
||||||
@ -321,12 +335,12 @@ ingame:
|
|||||||
levelTitle: Nivel <level>
|
levelTitle: Nivel <level>
|
||||||
completed: Completado
|
completed: Completado
|
||||||
unlockText: ¡Has desbloqueado <reward>!
|
unlockText: ¡Has desbloqueado <reward>!
|
||||||
buttonNextLevel: Siguiente Nivel
|
buttonNextLevel: Siguiente nivel
|
||||||
|
|
||||||
# Notifications on the lower right
|
# Notifications on the lower right
|
||||||
notifications:
|
notifications:
|
||||||
newUpgrade: ¡Una nueva mejora está disponible!
|
newUpgrade: ¡Una nueva mejora está disponible!
|
||||||
gameSaved: Tu partida ha sido guardada.
|
gameSaved: Se ha guardado la partida.
|
||||||
|
|
||||||
# The "Upgrades" window
|
# The "Upgrades" window
|
||||||
shop:
|
shop:
|
||||||
@ -350,14 +364,14 @@ ingame:
|
|||||||
description: Muestra la cantidad de figuras guardadas en tu edificio central.
|
description: Muestra la cantidad de figuras guardadas en tu edificio central.
|
||||||
produced:
|
produced:
|
||||||
title: Producido
|
title: Producido
|
||||||
description: Muestra todas las figuras que tu fábrica entera produce, incluyendo productos intermedios.
|
description: Muestra todas las figuras que tu fábrica al completo produce, incluyendo productos intermedios.
|
||||||
delivered:
|
delivered:
|
||||||
title: Entregados
|
title: Entregados
|
||||||
description: Muestra las figuras que son entregadas a tu edificio central.
|
description: Muestra las figuras que son entregadas a tu edificio central.
|
||||||
noShapesProduced: Todavía no se han producido figuras.
|
noShapesProduced: Todavía no se han producido figuras.
|
||||||
|
|
||||||
# Displays the shapes per minute, e.g. '523 / m'
|
# Displays the shapes per minute, e.g. '523 / min'
|
||||||
shapesPerMinute: <shapes> / m
|
shapesPerMinute: <shapes> / min
|
||||||
|
|
||||||
# Settings menu, when you press "ESC"
|
# Settings menu, when you press "ESC"
|
||||||
settingsMenu:
|
settingsMenu:
|
||||||
@ -369,12 +383,12 @@ ingame:
|
|||||||
buttons:
|
buttons:
|
||||||
continue: Continuar
|
continue: Continuar
|
||||||
settings: Opciones
|
settings: Opciones
|
||||||
menu: Volver al Menú Principal
|
menu: Volver al menú principal
|
||||||
|
|
||||||
# Bottom left tutorial hints
|
# Bottom left tutorial hints
|
||||||
tutorialHints:
|
tutorialHints:
|
||||||
title: ¿Necesitas ayuda?
|
title: ¿Necesitas ayuda?
|
||||||
showHint: Mostrar Pista
|
showHint: Mostrar pista
|
||||||
hideHint: Cerrar
|
hideHint: Cerrar
|
||||||
|
|
||||||
# When placing a blueprint
|
# When placing a blueprint
|
||||||
@ -388,31 +402,23 @@ ingame:
|
|||||||
description: Click izquierdo sobre un marcador para ir ahí, click derecho para borrarlo. <br><br> Pulsa <keybinding> para crear un marcador de la vista actual o <strong>click derecho</strong> para crear un marcador en la posición seleccionada.
|
description: Click izquierdo sobre un marcador para ir ahí, click derecho para borrarlo. <br><br> Pulsa <keybinding> para crear un marcador de la vista actual o <strong>click derecho</strong> para crear un marcador en la posición seleccionada.
|
||||||
creationSuccessNotification: El marcador ha sido creado.
|
creationSuccessNotification: El marcador ha sido creado.
|
||||||
|
|
||||||
|
# Shape viewer
|
||||||
|
shapeViewer:
|
||||||
|
title: Capas
|
||||||
|
empty: Vacío
|
||||||
|
copyKey: Copiar
|
||||||
|
|
||||||
# Interactive tutorial
|
# Interactive tutorial
|
||||||
interactiveTutorial:
|
interactiveTutorial:
|
||||||
title: Tutorial
|
title: Tutorial
|
||||||
hints:
|
hints:
|
||||||
1_1_extractor: ¡Coloca un <strong>extractor</strong> encima de un <strong>círculo</strong> para extraerlo!
|
1_1_extractor: ¡Coloca un <strong>extractor</strong> encima de un <strong>círculo</strong> para extraerlo!
|
||||||
1_2_conveyor: >-
|
1_2_conveyor: >-
|
||||||
¡Conecta el extractor con una <strong>cinta transportadora</strong> a tu edificio central!<br><br> Pista: <strong>Pulsa y arrastra</strong> la cinta transportadora con el ratón!
|
¡Conecta el extractor con una <strong>cinta transportadora</strong> a tu edificio central!<br><br> Pista: ¡<strong>Pulsa y arrastra</strong> la cinta transportadora con el ratón!
|
||||||
|
|
||||||
1_3_expand: >-
|
1_3_expand: >-
|
||||||
¡Esto <strong>NO</strong> es un "juego de esperar"! Construye más extractores y cintas transportadoras para completar el objetivo más rápido.<br><br> Pista: Mantén pulsado <strong>SHIFT</strong> para colocar varios extractores y usa <strong>R</strong> para rotarlos.
|
¡Esto <strong>NO</strong> es un "juego de esperar"! Construye más extractores y cintas transportadoras para completar el objetivo más rápido.<br><br> Pista: Mantén pulsado <strong>SHIFT</strong> para colocar varios extractores y usa <strong>R</strong> para rotarlos.
|
||||||
|
|
||||||
colors:
|
|
||||||
red: Rojo
|
|
||||||
green: Verde
|
|
||||||
blue: Azul
|
|
||||||
yellow: Amarillo
|
|
||||||
purple: Morado
|
|
||||||
cyan: Cian
|
|
||||||
white: Blanco
|
|
||||||
uncolored: Sin color
|
|
||||||
black: Black
|
|
||||||
shapeViewer:
|
|
||||||
title: Capas
|
|
||||||
empty: Vacio
|
|
||||||
copyKey: Copy Key
|
|
||||||
|
|
||||||
# All shop upgrades
|
# All shop upgrades
|
||||||
shopUpgrades:
|
shopUpgrades:
|
||||||
belt:
|
belt:
|
||||||
@ -430,10 +436,20 @@ shopUpgrades:
|
|||||||
|
|
||||||
# Buildings and their name / description
|
# Buildings and their name / description
|
||||||
buildings:
|
buildings:
|
||||||
|
hub:
|
||||||
|
deliver: Entregar
|
||||||
|
toUnlock: para desbloquear
|
||||||
|
levelShortcut: LVL
|
||||||
|
|
||||||
belt:
|
belt:
|
||||||
default:
|
default:
|
||||||
name: &belt Cinta Transportadora
|
name: &belt Cinta Transportadora
|
||||||
description: Transporta elementos, mantén pulsado y arrastra para colocar múltiples.
|
description: Transporta elementos, mantén pulsado y arrastra para colocar varios.
|
||||||
|
|
||||||
|
wire:
|
||||||
|
default:
|
||||||
|
name: &wire Cable
|
||||||
|
description: Te permite transportar energía
|
||||||
|
|
||||||
miner: # Internal name for the Extractor
|
miner: # Internal name for the Extractor
|
||||||
default:
|
default:
|
||||||
@ -450,7 +466,7 @@ buildings:
|
|||||||
description: Permite contruir un túnel para transportar los elementos por debajo de edificios y otras cintas transportadoras.
|
description: Permite contruir un túnel para transportar los elementos por debajo de edificios y otras cintas transportadoras.
|
||||||
|
|
||||||
tier2:
|
tier2:
|
||||||
name: Túnel de nivel II
|
name: Túnel nivel II
|
||||||
description: Permite contruir un túnel para transportar los elementos por debajo de edificios y otras cintas transportadoras.
|
description: Permite contruir un túnel para transportar los elementos por debajo de edificios y otras cintas transportadoras.
|
||||||
|
|
||||||
splitter: # Internal name for the Balancer
|
splitter: # Internal name for the Balancer
|
||||||
@ -469,39 +485,46 @@ buildings:
|
|||||||
cutter:
|
cutter:
|
||||||
default:
|
default:
|
||||||
name: &cutter Cortador
|
name: &cutter Cortador
|
||||||
description: Corta las figuras de arriba a abajo y saca ambas mitades. <strong> ¡Si solo usas una parte, asegúrate de destruir la otra parte o se parará!</strong>
|
description: Corta las figuras de arriba abajo y saca ambas mitades. <strong> ¡Si solo usas una parte, asegúrate de destruir la otra parte o se parará!</strong>
|
||||||
quad:
|
quad:
|
||||||
name: Cortador (Cuádruple)
|
name: Cortador (Cuádruple)
|
||||||
description: Corta figuras en cuatro partes. <strong> ¡Si solo usas una parte, asegúrate de destruir las otras partes o se parará!</strong>
|
description: Corta figuras en cuatro partes. <strong> ¡Si solo usas una parte, asegúrate de destruir las otras partes o se parará!</strong>
|
||||||
|
|
||||||
|
advanced_processor:
|
||||||
|
default:
|
||||||
|
name: &advanced_processor Inversor de color
|
||||||
|
description: Invierte un color o una figura
|
||||||
|
|
||||||
rotater:
|
rotater:
|
||||||
default:
|
default:
|
||||||
name: &rotater Rotador
|
name: &rotater Rotador
|
||||||
description: Rota la figura en sentido horario, 90 grados.
|
description: Rota las figuras en sentido horario 90 grados.
|
||||||
ccw:
|
ccw:
|
||||||
name: Rotador (Inverso)
|
name: Rotador (Inverso)
|
||||||
description: Rota las figuras en sentido antihorario, 90 grados.
|
description: Rota las figuras en sentido antihorario 90 grados.
|
||||||
|
|
||||||
stacker:
|
stacker:
|
||||||
default:
|
default:
|
||||||
name: &stacker Apilador
|
name: &stacker Apilador
|
||||||
description: Junta ambos elementos. Si no pueden ser juntados, el elemento de la derecha es colocado encima del elemento de la izquierda.
|
description: Apila ambos elementos. Si no se pueden unir, el elemento de la derecha se coloca encima del elemento de la izquierda.
|
||||||
|
|
||||||
mixer:
|
mixer:
|
||||||
default:
|
default:
|
||||||
name: &mixer Mezclador de colores
|
name: &mixer Mezclador de colores
|
||||||
description: Junta dos colores usando mezcla aditiva.
|
description: Mezcla dos colores usando mezcla aditiva.
|
||||||
|
|
||||||
painter:
|
painter:
|
||||||
default:
|
default:
|
||||||
name: &painter Pintor
|
name: &painter Pintor
|
||||||
description: &painter_desc Colorea la figura entera con el color que entra por la izquierda.
|
description: &painter_desc Colorea la figura completa de la entrada izquierda con el color de la entrada de arriba.
|
||||||
|
|
||||||
mirrored:
|
mirrored:
|
||||||
name: *painter
|
name: *painter
|
||||||
description: *painter_desc
|
description: *painter_desc
|
||||||
|
|
||||||
double:
|
double:
|
||||||
name: Pintor (Doble)
|
name: Pintor (Doble)
|
||||||
description: Colorea las figuras que entran por la izquierda con el color que entra por arriba.
|
description: Colorea las figuras de las entradas de la izquierda con el color de la entrada de arriba.
|
||||||
quad:
|
quad:
|
||||||
name: Pintor (Cuádruple)
|
name: Pintor (Cuádruple)
|
||||||
description: Permite colorear cada cuadrante de una figura con un color distinto.
|
description: Permite colorear cada cuadrante de una figura con un color distinto.
|
||||||
@ -509,119 +532,112 @@ buildings:
|
|||||||
trash:
|
trash:
|
||||||
default:
|
default:
|
||||||
name: &trash Basurero
|
name: &trash Basurero
|
||||||
description: Acepta entradas desde todos los lados y los destruye. Para Siempre.
|
description: Acepta entradas desde todos los lados y los destruye. Para siempre.
|
||||||
|
|
||||||
storage:
|
storage:
|
||||||
name: Almacenamiento.
|
name: Almacenamiento.
|
||||||
description: Guarda el exceso de elementos, hasta cierta cantidad. Puede ser usado para controlar el desborde de elementos.
|
description: Guarda el exceso de elementos, hasta cierta cantidad. Puede ser usado para controlar el desborde de elementos.
|
||||||
|
|
||||||
hub:
|
|
||||||
deliver: Envía
|
|
||||||
toUnlock: para desbloquear
|
|
||||||
levelShortcut: LVL
|
|
||||||
wire:
|
|
||||||
default:
|
|
||||||
name: Energy Wire
|
|
||||||
description: Allows you to transport energy.
|
|
||||||
advanced_processor:
|
|
||||||
default:
|
|
||||||
name: Color Inverter
|
|
||||||
description: Accepts a color or shape and inverts it.
|
|
||||||
energy_generator:
|
energy_generator:
|
||||||
deliver: Deliver
|
deliver: Entregar
|
||||||
toGenerateEnergy: For
|
|
||||||
|
# This will be shown before the amount, so for example 'For 123 Energy'
|
||||||
|
toGenerateEnergy: Para
|
||||||
|
|
||||||
default:
|
default:
|
||||||
name: Energy Generator
|
name: &energy_generator Generador de energía
|
||||||
description: Generates energy by consuming shapes.
|
description: Genera energía consumiendo figuras.
|
||||||
|
|
||||||
wire_crossings:
|
wire_crossings:
|
||||||
default:
|
default:
|
||||||
name: Wire Splitter
|
name: &wire_crossings Divisor de cables
|
||||||
description: Splits a energy wire into two.
|
description: Divide un cable en dos
|
||||||
|
|
||||||
merger:
|
merger:
|
||||||
name: Wire Merger
|
name: Fusionador de cables
|
||||||
description: Merges two energy wires into one.
|
description: Fusiona dos cables en uno
|
||||||
|
|
||||||
storyRewards:
|
storyRewards:
|
||||||
# Those are the rewards gained from completing the store
|
# Those are the rewards gained from completing the store
|
||||||
reward_cutter_and_trash:
|
reward_cutter_and_trash:
|
||||||
title: Cortador de Figuras
|
title: Cortador de figuras
|
||||||
|
desc: ¡Acabas de desbloquear el <strong>cortador</strong> - corta las figuras por la mitad <strong>de arriba abajo</strong> sin importar su orientación!<br><br>Asegúrate de deshacerte de lo que no vayas a usar o <strong>se parará</strong> - ¡Para eso te he dado un basurero, que destruye todo lo que le pongas!
|
||||||
desc: Acabas de desbloquear el <strong>cortador</strong> - corta las figuras por la mitad <strong>de arriba abajo</strong> ¡Sin importar su orientación!<br><br>Asegúrate de deshacerte de lo que no vayas a usar o <strong>se parará</strong> - Para ese propósito te he dado una basura que destruye todo lo que le pongas!
|
|
||||||
|
|
||||||
reward_rotater:
|
reward_rotater:
|
||||||
title: Rotador
|
title: Rotador
|
||||||
desc: ¡El <strong>rotador</strong> ha sido desbloqueado! Rota figuras en sentido horario, 90 grados.
|
desc: ¡El <strong>rotador</strong> se ha desbloqueado! Rota figuras en sentido horario 90 grados.
|
||||||
|
|
||||||
reward_painter:
|
reward_painter:
|
||||||
title: Pintor
|
title: Pintor
|
||||||
desc: >-
|
desc: >-
|
||||||
El <strong>pintor</strong> ha sido desbloqueado - ¡Extrae vetas de color (igual que lo haces con las figuras) y combínalas con una figura en el pintor para colorearlas! <br><br>PD: Si tienes alguna forma de daltonismo, ¡hay un <strong>modo para daltonicos</strong> en las configuraciones!
|
El <strong>pintor</strong> se ha desbloqueado - ¡Extrae vetas de color (igual que lo haces con las figuras) y combínalas con una figura en el pintor para colorearlas! <br><br>PD: Si tienes alguna forma de daltonismo, ¡hay un <strong>modo para daltónicos</strong> en los ajustes!
|
||||||
|
|
||||||
reward_mixer:
|
reward_mixer:
|
||||||
title: Mezclador de Color
|
title: Mezclador de color
|
||||||
desc: El <strong>mezclador</strong> ha sido desbloqueado - ¡Combina dos colores usando <strong>mezcla aditiva</strong> con este edificio!
|
desc: El <strong>mezclador</strong> se ha desbloqueado - ¡Combina dos colores usando <strong>mezcla aditiva</strong> con este edificio!
|
||||||
|
|
||||||
reward_stacker:
|
reward_stacker:
|
||||||
title: Apilador
|
title: Apilador
|
||||||
desc: ¡Ahora puedes combinar figuras con el <strong>apilador</strong>! Ambas entradas son combinadas, y si pueden ser colocadas una junto a la otra serán <strong>fusionadas</strong>. ¡Si no, la entrada derecha será <strong>apilada encima</strong> de la entrada izquierda!
|
desc: ¡Ahora puedes combinar figuras con el <strong>apilador</strong>! Ambas entradas son combinadas, y si pueden ser colocadas una junto a la otra serán <strong>fusionadas</strong>. ¡Si no, la entrada derecha será <strong>apilada encima</strong> de la entrada izquierda!
|
||||||
|
|
||||||
reward_splitter:
|
reward_splitter:
|
||||||
title: Separador/Fusión
|
title: Separador/Fusionador
|
||||||
desc: El <strong>balanceador</strong> multiusos ha sido desbloqueado - ¡Puede ser usado para construir fábricas más grandes <strong>separando y uniendo elementos</strong> en varias cintas transportadoras!<br><br>
|
desc: El <strong>balanceador</strong> multiusos se ha desbloqueado - ¡Se puede usar para construir fábricas más grandes <strong>separando y uniendo elementos</strong> en varias cintas transportadoras!<br><br>
|
||||||
|
|
||||||
reward_tunnel:
|
reward_tunnel:
|
||||||
title: Túnel
|
title: Túnel
|
||||||
desc: El <strong>túnel</strong> ha sido desbloqueado - ¡Ahora puedes transportar elementos por debajo de edificios u otras cintas!
|
desc: El <strong>túnel</strong> se ha desbloqueado - ¡Ahora puedes transportar elementos por debajo de edificios u otras cintas!
|
||||||
|
|
||||||
reward_rotater_ccw:
|
reward_rotater_ccw:
|
||||||
title: Rotador Inverso
|
title: Rotador inverso
|
||||||
desc: Has desbloqueado una variante del <strong>rotador</strong> - ¡Te permite rotar en sentido antihorario! Para construirlo selecciona el rotador y <strong>pulsa 'T' para ciclar por sus variantes</strong>
|
desc: Has desbloqueado una variante del <strong>rotador</strong> - ¡Te permite rotar en sentido antihorario! Para construirlo selecciona el rotador y <strong>pulsa 'T' para ciclar por sus variantes</strong>
|
||||||
|
|
||||||
reward_miner_chainable:
|
reward_miner_chainable:
|
||||||
title: Extractor en Cadena
|
title: Extractor en cadena
|
||||||
desc: ¡Has desbloqueado el <strong>extractor en cadena</strong>! Puede <strong>enviar los recursos</strong> a otros extractores, así puedes extraer recursos más eficientemente
|
desc: ¡Has desbloqueado el <strong>extractor en cadena</strong>! Puede <strong>enviar los recursos</strong> a otros extractores, extrayendo recursos más eficientemente.
|
||||||
|
|
||||||
reward_underground_belt_tier_2:
|
reward_underground_belt_tier_2:
|
||||||
title: Túnel de Nivel II
|
title: Túnel nivel II
|
||||||
desc: Has desbloqueado una nueva variante del <strong>túnel</strong> - ¡Tiene un <strong>mayor rango</strong>, ahora puedes mezclar los distintos tipos de túneles!
|
desc: Has desbloqueado una nueva variante del <strong>túnel</strong> - ¡Tiene un <strong>mayor rango</strong>, y ahora puedes mezclar los distintos tipos de túneles!
|
||||||
|
|
||||||
reward_splitter_compact:
|
reward_splitter_compact:
|
||||||
title: Balanceador Compacto
|
title: Balanceador compacto
|
||||||
desc: Has desbloqueado una variante compacta del <strong>balanceador</strong> - ¡Acepta dos entradas y las junta en una salida!
|
desc: Has desbloqueado una variante compacta del <strong>balanceador</strong> - ¡Acepta dos entradas y las junta en una salida!
|
||||||
|
|
||||||
reward_cutter_quad:
|
reward_cutter_quad:
|
||||||
title: Cortador Cuádruple
|
title: Cortador cuádruple
|
||||||
desc: Has desbloqueado una variante del <strong>cortador</strong> - ¡Permite cortar figuras en <strong>cuatro partes</strong> en vez de solo dos!
|
desc: Has desbloqueado una variante del <strong>cortador</strong> - ¡Permite cortar figuras en <strong>cuatro partes</strong> en vez de solo dos!
|
||||||
|
|
||||||
reward_painter_double:
|
reward_painter_double:
|
||||||
title: Doble Pintor
|
title: Pintor doble
|
||||||
desc: Has desbloqueado una variante del <strong>pintor</strong> - ¡Funciona como un pintor regular pero procesa <strong>dos formas a la vez</strong>, consumiendo solo un color en vez de dos!
|
desc: Has desbloqueado una variante del <strong>pintor</strong> - ¡Funciona como un pintor normal pero procesa <strong>dos figuras a la vez</strong>, consumiendo solo un color en vez de dos!
|
||||||
|
|
||||||
reward_painter_quad:
|
reward_painter_quad:
|
||||||
title: Cuádruple Pintor
|
title: Pintor cuádruple
|
||||||
desc: Has desbloqueado una variante del <strong>pintor</strong> - ¡Permite pintar cada parte de una figura individualmente!
|
desc: Has desbloqueado una variante del <strong>pintor</strong> - ¡Permite pintar cada parte de una figura individualmente!
|
||||||
|
|
||||||
reward_storage:
|
reward_storage:
|
||||||
title: Almacenamiento Intermedio
|
title: Almacenamiento intermedio
|
||||||
desc: Has desbloqueado una variante de la <strong>basura</strong> - ¡Permite almacenar elementos hasta una cierta capacidad!
|
desc: Has desbloqueado una variante del <strong>basurero</strong> - ¡Permite almacenar elementos hasta una cierta capacidad!
|
||||||
|
|
||||||
reward_freeplay:
|
reward_freeplay:
|
||||||
title: Juego libre
|
title: Juego libre
|
||||||
desc: ¡Lo has conseguido! ¡Has desbloqueado el <strong>Juego Libre</strong>! ¡Esto significa que las figuras son ahora generadas aleatoriamente! (¡No te preocupes, más contenido está planeado para el juego completo!)
|
desc: ¡Lo has conseguido! ¡Has desbloqueado el <strong>Juego Libre</strong>! ¡Esto significa que ahora las figuras se generan aleatoriamente! (¡No te preocupes, hay más contenido planeado para el juego completo!)
|
||||||
|
|
||||||
reward_blueprints:
|
reward_blueprints:
|
||||||
title: Planos
|
title: Planos
|
||||||
desc: ¡Ahora puedes <strong>copiar y pegar</strong> partes de tu fábrica! Selecciona un área (Mantén pulsado CTRL, después arrastra con el ratón), y pulsa 'C' para copiarlo.<br><br>Pegarlo <strong>no es gratis</strong>, necesitas producir <strong>figuras de planos</strong> para poder permitírtelo (Esas que acabas de entregar).
|
desc: ¡Ahora puedes <strong>copiar y pegar</strong> partes de tu fábrica! Selecciona un área (mantén pulsado CTRL, después arrastra con el ratón), y pulsa 'C' para copiarlo.<br><br>Pegarlo <strong>no es gratis</strong>, necesitas producir <strong>figuras de planos</strong> para poder permitírtelo (Esas que acabas de entregar).
|
||||||
|
|
||||||
# Special reward, which is shown when there is no reward actually
|
# Special reward, which is shown when there is no reward actually
|
||||||
no_reward:
|
no_reward:
|
||||||
title: Siguiente Nivel
|
title: Siguiente nivel
|
||||||
desc: >-
|
desc: >-
|
||||||
Este nivel no da recompensa, ¡pero el siguiente si! <br><br> PS: Mejor no destruyas la fábrica que tienes - ¡Necesitarás <strong>todas</strong> esas figuras más adelante para <strong>desbloquear mejoras</strong>!
|
Este nivel no da recompensa, ¡pero el siguiente sí! <br><br> PD: Es mejor que no destruyas la fábrica que tienes - ¡Necesitarás <strong>todas</strong> esas figuras más adelante para <strong>desbloquear mejoras</strong>!
|
||||||
|
|
||||||
no_reward_freeplay:
|
no_reward_freeplay:
|
||||||
title: Next level
|
title: Siguiente nivel
|
||||||
desc: Congratulations! By the way, more content is planned for the standalone!
|
desc: >-
|
||||||
|
¡Felicidades! ¡Por cierto, hay más contenido planeado para el juego completo!
|
||||||
|
|
||||||
settings:
|
settings:
|
||||||
title: Opciones
|
title: Opciones
|
||||||
@ -631,15 +647,15 @@ settings:
|
|||||||
|
|
||||||
versionBadges:
|
versionBadges:
|
||||||
dev: Desarrollo
|
dev: Desarrollo
|
||||||
staging: Staging
|
staging: Escenificación
|
||||||
prod: Producción
|
prod: Producción
|
||||||
buildDate: Generado <at-date>
|
buildDate: Generado <at-date>
|
||||||
|
|
||||||
labels:
|
labels:
|
||||||
uiScale:
|
uiScale:
|
||||||
title: Escala de la Interfaz
|
title: Escala de la interfaz
|
||||||
description: >-
|
description: >-
|
||||||
Cambia el tamaño de la interfaz de usuario. La interfaz seguirá escalando dependiendo de la resolución de tu dispositivo, pero esta opción controla la cantidad de la escala.
|
Cambia el tamaño de la interfaz de usuario. La interfaz se seguirá escalando dependiendo de la resolución de tu dispositivo, pero esta opción controla la cantidad de escalado.
|
||||||
scales:
|
scales:
|
||||||
super_small: Muy pequeño
|
super_small: Muy pequeño
|
||||||
small: Pequeño
|
small: Pequeño
|
||||||
@ -647,24 +663,38 @@ settings:
|
|||||||
large: Grande
|
large: Grande
|
||||||
huge: Enorme
|
huge: Enorme
|
||||||
|
|
||||||
|
autosaveInterval:
|
||||||
|
title: Intervalo de autoguardado
|
||||||
|
description: >-
|
||||||
|
Controla con qué frecuencia se guarda el juego automáticamente. También se puede desactivar por completo.
|
||||||
|
|
||||||
|
intervals:
|
||||||
|
one_minute: 1 minuto
|
||||||
|
two_minutes: 2 minutos
|
||||||
|
five_minutes: 5 minutos
|
||||||
|
ten_minutes: 10 minutos
|
||||||
|
twenty_minutes: 20 minutos
|
||||||
|
disabled: Desactivado
|
||||||
|
|
||||||
scrollWheelSensitivity:
|
scrollWheelSensitivity:
|
||||||
title: Sensibilidad del zoom
|
title: Sensibilidad del zoom
|
||||||
description: >-
|
description: >-
|
||||||
Cambia cómo de sensible es el zoom (Tanto la rueda del ratón como el trackpad)
|
Cambia cómo de sensible es el zoom (Tanto la rueda del ratón como el panel táctil)
|
||||||
sensitivity:
|
sensitivity:
|
||||||
super_slow: Muy Lento
|
super_slow: Muy lento
|
||||||
slow: Lento
|
slow: Lento
|
||||||
regular: Normal
|
regular: Normal
|
||||||
fast: Rápido
|
fast: Rápido
|
||||||
super_fast: Muy Rápido
|
super_fast: Muy rápido
|
||||||
|
|
||||||
movementSpeed:
|
movementSpeed:
|
||||||
title: Velocidad de movimiento
|
title: Velocidad de movimiento
|
||||||
description: Cambia qué tan rápido se mueve la cámara al usar el teclado.
|
description: >-
|
||||||
|
Cambia cómo de rápido se mueve la vista usando el teclado.
|
||||||
speeds:
|
speeds:
|
||||||
super_slow: Super lento
|
super_slow: Super lento
|
||||||
slow: Lento
|
slow: Lento
|
||||||
regular: Regular
|
regular: Normal
|
||||||
fast: Rápido
|
fast: Rápido
|
||||||
super_fast: Súper rápido
|
super_fast: Súper rápido
|
||||||
extremely_fast: Extremadamente rápido
|
extremely_fast: Extremadamente rápido
|
||||||
@ -672,186 +702,171 @@ settings:
|
|||||||
language:
|
language:
|
||||||
title: Idioma
|
title: Idioma
|
||||||
description: >-
|
description: >-
|
||||||
Cambia el idioma. Todas las traducciones son contribuciones de los usuarios y pueden estar incompletas!
|
Cambia el idioma. ¡Todas las traducciones son contribuciones de los usuarios y pueden estar incompletas!
|
||||||
|
|
||||||
|
enableColorBlindHelper:
|
||||||
|
title: Modo para daltónicos
|
||||||
|
description: >-
|
||||||
|
Activa varias herramientas que facilitan jugar si tienes alguna forma de daltonismo.
|
||||||
|
|
||||||
fullscreen:
|
fullscreen:
|
||||||
title: Pantalla Completa
|
title: Pantalla Completa
|
||||||
description: >-
|
description: >-
|
||||||
Es recomendado jugar en pantalla completa para conseguir la mejor experiencia. Solo disponible en el juego completo.
|
Se recomienda jugar en pantalla completa para conseguir la mejor experiencia. Solo disponible en el juego completo.
|
||||||
|
|
||||||
soundsMuted:
|
soundsMuted:
|
||||||
title: Silenciar Sonidos
|
title: Silenciar sonidos
|
||||||
description: >-
|
description: >-
|
||||||
Si está habilitado, silencia todos los efectos de sonido.
|
Si está habilitado, silencia todos los efectos de sonido.
|
||||||
|
|
||||||
musicMuted:
|
musicMuted:
|
||||||
title: Silenciar Música
|
title: Silenciar música
|
||||||
description: >-
|
description: >-
|
||||||
Si está habilitado, silencia toda la música.
|
Si está habilitado, silencia toda la música.
|
||||||
|
|
||||||
theme:
|
theme:
|
||||||
title: Tema del Juego
|
title: Tema del juego
|
||||||
description: >-
|
description: >-
|
||||||
Elije el tema del juego (claro/oscuro).
|
Elige el tema del juego (claro/oscuro).
|
||||||
|
|
||||||
themes:
|
themes:
|
||||||
dark: Oscuro
|
dark: Oscuro
|
||||||
light: Claro
|
light: Claro
|
||||||
|
|
||||||
refreshRate:
|
refreshRate:
|
||||||
title: Objetivo de Simulación
|
title: Objetivo de simulación
|
||||||
description: >-
|
description: >-
|
||||||
Si tienes un monitor de 144hz, cambia la tasa de refresco. Así el juego se ejecutará correctamente a una mayor tasa de refresco. Esto puede disminuir los FPS si tu ordenador no es lo suficientemente rápido.
|
Si tienes un monitor de 144hz, cambia la tasa de refresco. Así el juego se ejecutará correctamente a una mayor tasa de refresco. Esto puede disminuir los FPS si tu ordenador no es lo suficientemente rápido.
|
||||||
|
|
||||||
alwaysMultiplace:
|
alwaysMultiplace:
|
||||||
title: Colocación Múltiple
|
title: Colocación múltiple
|
||||||
description: >-
|
description: >-
|
||||||
Si está activado, todos los edificios quedarán seleccionados después de colocarlos hasta que lo canceles. Es equivalente a pulsar SHIFT permanentemente.
|
Si está activado, todos los edificios se quedarán seleccionados después de colocarlos hasta que lo canceles. Equivale a pulsar SHIFT permanentemente.
|
||||||
|
|
||||||
offerHints:
|
offerHints:
|
||||||
title: Pistas y Tutorial
|
title: Pistas y tutoriales
|
||||||
description: >-
|
description: >-
|
||||||
Activa para recibir pistas y tutoriales mientras juegas. También oculta algunos elementos de la interfaz hasta cierto nivel para hacer más fácil la introducción al juego.
|
Actívalo para recibir pistas y tutoriales mientras juegas. También oculta algunos elementos de la interfaz hasta cierto nivel para hacer más fácil la introducción al juego.
|
||||||
|
|
||||||
enableTunnelSmartplace:
|
enableTunnelSmartplace:
|
||||||
title: Túneles Inteligentes
|
title: Túneles inteligentes
|
||||||
description: >-
|
description: >-
|
||||||
Si está activado, colocar túneles automáticamente eliminará las cintas transportadoras innecesarias. Esto también permite arrastrar con el ratón y los túneles excedentes serán eliminados.
|
Si está activado, al colocar túneles se eliminará automáticamente las cintas transportadoras innecesarias. También te permite arrastrar con el ratón y los túneles restantes serán eliminados.
|
||||||
|
|
||||||
vignette:
|
vignette:
|
||||||
title: Viñeta
|
title: Viñeta
|
||||||
description: >-
|
description: >-
|
||||||
Activa el efecto viñeta que oscurece las esquinas de la pantalla y hace el texto más fácil de leer.
|
Activa el efecto viñeta que oscurece las esquinas de la pantalla y hace el texto más fácil de leer.
|
||||||
|
|
||||||
autosaveInterval:
|
rotationByBuilding:
|
||||||
title: Intervalo de Autoguardado
|
title: Rotación por tipo de edificio
|
||||||
description: >-
|
description: >-
|
||||||
Controla cada cuánto tiempo se guarda el juego automáticamente. Aquí también puedes deshabilitarlo por completo.
|
Cada tipo de edificio recuerda la última rotación que le diste individualmente. Esto puede ser más cómodo si cambias a menudo entre colocar diferentes tipos de edificio.
|
||||||
intervals:
|
|
||||||
one_minute: 1 Minuto
|
|
||||||
two_minutes: 2 Minutos
|
|
||||||
five_minutes: 5 Minutos
|
|
||||||
ten_minutes: 10 Minutos
|
|
||||||
twenty_minutes: 20 Minutos
|
|
||||||
disabled: Deshabilitado
|
|
||||||
compactBuildingInfo:
|
compactBuildingInfo:
|
||||||
title: Información Compacta de Edificios
|
title: Información compacta de edificios
|
||||||
description: >-
|
description: >-
|
||||||
Acorta la caja de información mostrando solo sus ratios. Si no, se mostrará una descripción y una imagen.
|
Acorta la caja de información mostrando solo sus ratios. Si no, se mostrará una descripción y una imagen.
|
||||||
|
|
||||||
disableCutDeleteWarnings:
|
disableCutDeleteWarnings:
|
||||||
title: Deshabilitar las advertencias de Cortar/Eliminar
|
title: Deshabilitar las advertencias de cortar/eliminar
|
||||||
description: >-
|
description: >-
|
||||||
Deshabilita los diálogos de advertencia que se muestran cuando se cortan/eliminan más de 100 elementos.
|
Deshabilita los diálogos de advertencia que se muestran cuando se cortan/eliminan más de 100 elementos.
|
||||||
|
|
||||||
enableColorBlindHelper:
|
|
||||||
title: Modo para Daltónicos
|
|
||||||
description: Activa varias herramientas que facilitan jugar si tienes alguna forma de daltonismo.
|
|
||||||
|
|
||||||
rotationByBuilding:
|
|
||||||
title: Rotación por tipo de edificio
|
|
||||||
description: >-
|
|
||||||
Cada tipo de edificio recuerda la última rotación que le diste individualmente.
|
|
||||||
Esto puede ser más cómodo si cambias a menudo entre colocar diferentes tipos de edificio.
|
|
||||||
|
|
||||||
keybindings:
|
keybindings:
|
||||||
title: Atajos de Teclado
|
title: Atajos de teclado
|
||||||
hint: >-
|
hint: >-
|
||||||
Pista: Asegúrate de usar CTRL, SHIFT y ALT! Habilitan distintas opciones de colocación.
|
Pista: ¡Asegúrate de usar CTRL, SHIFT y ALT! Habilitan distintas opciones de colocación.
|
||||||
resetKeybindings: Reestablecer Atajos de Teclado
|
|
||||||
|
resetKeybindings: Reestablecer atajos de teclado
|
||||||
|
|
||||||
categoryLabels:
|
categoryLabels:
|
||||||
general: Aplicación
|
general: Aplicación
|
||||||
ingame: Juego
|
ingame: Juego
|
||||||
navigation: Navegación
|
navigation: Navegación
|
||||||
placement: Colocación
|
placement: Colocación
|
||||||
massSelect: Selección Masiva
|
massSelect: Selección masiva
|
||||||
buildings: Atajos de Edificios
|
buildings: Atajos de edificios
|
||||||
placementModifiers: Modificadores de Colocación
|
placementModifiers: Modificadores de colocación
|
||||||
|
|
||||||
mappings:
|
mappings:
|
||||||
confirm: Confirmar
|
confirm: Confirmar
|
||||||
back: Atrás
|
back: Atrás
|
||||||
mapMoveUp: Mover Arriba
|
mapMoveUp: Mover arriba
|
||||||
mapMoveRight: Mover a la Derecha
|
mapMoveRight: Mover a la derecha
|
||||||
mapMoveDown: Move Abajo
|
mapMoveDown: Mover abajo
|
||||||
mapMoveLeft: Move a la Izquierda
|
mapMoveLeft: Mover a la izquierda
|
||||||
centerMap: Centro del Mapa
|
mapMoveFaster: Mover más rápido
|
||||||
|
centerMap: Centrar mapa
|
||||||
|
|
||||||
mapZoomIn: Acercarse
|
mapZoomIn: Acercarse
|
||||||
mapZoomOut: Alejarse
|
mapZoomOut: Alejarse
|
||||||
createMarker: Crear Marca
|
createMarker: Crear marcador
|
||||||
|
|
||||||
menuOpenShop: Mejoras
|
menuOpenShop: Mejoras
|
||||||
menuOpenStats: Estadísticas
|
menuOpenStats: Estadísticas
|
||||||
|
menuClose: Cerrar menú
|
||||||
|
|
||||||
toggleHud: Activar interfáz
|
toggleHud: Activar HUD
|
||||||
toggleFPSInfo: Activa FPS e información de depurado
|
toggleFPSInfo: Activar FPS e información de depurado
|
||||||
|
switchLayers: Cambiar capas
|
||||||
|
exportScreenshot: Exportar la base completa como imagen
|
||||||
belt: *belt
|
belt: *belt
|
||||||
splitter: *splitter
|
splitter: *splitter
|
||||||
underground_belt: *underground_belt
|
underground_belt: *underground_belt
|
||||||
miner: *miner
|
miner: *miner
|
||||||
cutter: *cutter
|
cutter: *cutter
|
||||||
|
advanced_processor: *advanced_processor
|
||||||
rotater: *rotater
|
rotater: *rotater
|
||||||
stacker: *stacker
|
stacker: *stacker
|
||||||
mixer: *mixer
|
mixer: *mixer
|
||||||
|
energy_generator: *energy_generator
|
||||||
painter: *painter
|
painter: *painter
|
||||||
trash: *trash
|
trash: *trash
|
||||||
|
wire: *wire
|
||||||
|
|
||||||
|
pipette: Pipette
|
||||||
rotateWhilePlacing: Rotar
|
rotateWhilePlacing: Rotar
|
||||||
rotateInverseModifier: >-
|
rotateInverseModifier: >-
|
||||||
Modificador: Rotar inversamente en su lugar
|
Modificador: Rotar inversamente
|
||||||
cycleBuildingVariants: Ciclar variantes
|
cycleBuildingVariants: Ciclar variantes
|
||||||
confirmMassDelete: Confirmar Borrado Masivo
|
confirmMassDelete: Borrar área
|
||||||
cycleBuildings: Ciclar Edificios
|
pasteLastBlueprint: Pegar último plano
|
||||||
lockBeltDirection: Colocar en línea recta
|
cycleBuildings: Ciclar edificios
|
||||||
|
lockBeltDirection: Activar planificador de cintas transportadoras
|
||||||
|
switchDirectionLockSide: >-
|
||||||
|
Planner: Cambiar sentido
|
||||||
|
|
||||||
massSelectStart: Mantén pulsado y arrastra para empezar
|
massSelectStart: Mantén pulsado y arrastra para empezar
|
||||||
massSelectSelectMultiple: Seleccionar múltiples áreas
|
massSelectSelectMultiple: Seleccionar múltiples áreas
|
||||||
massSelectCopy: Copiar área
|
massSelectCopy: Copiar área
|
||||||
|
massSelectCut: Cortar área
|
||||||
|
|
||||||
placementDisableAutoOrientation: Desactivar orientación automática
|
placementDisableAutoOrientation: Desactivar orientación automática
|
||||||
placeMultiple: Permanecer en modo de construcción
|
placeMultiple: Permanecer en modo de construcción
|
||||||
placeInverse: Invierte automáticamente la orientación de las cintas transportadoras
|
placeInverse: Invierte automáticamente la orientación de las cintas transportadoras
|
||||||
pasteLastBlueprint: Pegar último plano
|
|
||||||
massSelectCut: Cortar área
|
|
||||||
exportScreenshot: Exportar toda la base como imagen
|
|
||||||
mapMoveFaster: Mover más rápido
|
|
||||||
switchDirectionLockSide: "Planner: Switch side"
|
|
||||||
pipette: Pipette
|
|
||||||
menuClose: Close Menu
|
|
||||||
switchLayers: Switch layers
|
|
||||||
advanced_processor: Color Inverter
|
|
||||||
energy_generator: Energy Generator
|
|
||||||
wire: Energy Wire
|
|
||||||
|
|
||||||
about:
|
about:
|
||||||
title: Sobre el Juego
|
title: Sobre el juego
|
||||||
body: >-
|
body: >-
|
||||||
Este juego es de código abierto y ha sido desarrollado por <a href="https://github.com/tobspr"
|
Este juego es de código abierto y ha sido desarrollado por <a href="https://github.com/tobspr" target="_blank">Tobias Springer</a> (Ese soy yo).<br><br>
|
||||||
target="_blank">Tobias Springer</a> (Ese soy yo).<br><br>
|
|
||||||
|
|
||||||
Si quieres contribuir revisa <a href="<githublink>"
|
Si quieres contribuir, revisa <a href="<githublink>" target="_blank">shapez.io en github</a>.<br><br>
|
||||||
target="_blank">shapez.io en github</a>.<br><br>
|
|
||||||
|
|
||||||
Este juego no habría sido posible si no fuera por la gran comunidad de Discord
|
Este juego no habría sido posible si no fuera por la gran comunidad de Discord en mis juegos - ¡Deberías unirte al <a href="<discordlink>" target="_blank">servidor de Discord</a>!<br><br>
|
||||||
sobre mis juegos - ¡Deberías unirte al <a href="<discordlink>"
|
|
||||||
target="_blank">servidor de Discord</a>!<br><br>
|
|
||||||
|
|
||||||
La banda sonora ha sido creada por <a href="https://soundcloud.com/pettersumelius"
|
La banda sonora ha sido creada por <a href="https://soundcloud.com/pettersumelius" target="_blank">Peppsen</a> - Es genial.<br><br>
|
||||||
target="_blank">Peppsen</a> - Él es genial.<br><br>
|
|
||||||
|
|
||||||
Finalmente muchísimas gracias a mi amigo <a
|
Por último, muchísimas gracias a mi amigo <a href="https://github.com/niklas-dahl" target="_blank">Niklas</a> - Sin nuestras sesiones de Factorio, este juego nunca existiría.
|
||||||
href="https://github.com/niklas-dahl" target="_blank">Niklas</a> - Sin nuestras sesiones
|
|
||||||
de Factorio este juego nunca existiría.
|
|
||||||
|
|
||||||
changelog:
|
changelog:
|
||||||
title: Historial de Cambios
|
title: Historial de cambios
|
||||||
|
|
||||||
demo:
|
demo:
|
||||||
features:
|
features:
|
||||||
restoringGames: Recuperando partidas guardadas
|
restoringGames: Recuperando partidas guardadas
|
||||||
importingGames: Importando partidas guardadas
|
importingGames: Importando partidas guardadas
|
||||||
oneGameLimit: Limitado a una partida guardada
|
oneGameLimit: Limitado a una partida guardada
|
||||||
customizeKeybindings: Personalizando Atajos de Teclado
|
customizeKeybindings: Personalizando atajos de teclado
|
||||||
exportingBase: Exportando base entera como captura de pantalla
|
exportingBase: Exportando la base completa como imagen
|
||||||
|
|
||||||
settingNotAvailable: No disponible en la versión de prueba.
|
settingNotAvailable: No disponible en la versión de prueba.
|
||||||
|
@ -91,6 +91,9 @@ global:
|
|||||||
# How big numbers are rendered, e.g. "10,000"
|
# How big numbers are rendered, e.g. "10,000"
|
||||||
thousandsDivider: ","
|
thousandsDivider: ","
|
||||||
|
|
||||||
|
# What symbol to use to seperate the integer part from the fractional part of a number, e.g. "0.4"
|
||||||
|
decimalSeparator: "."
|
||||||
|
|
||||||
# The suffix for large numbers, e.g. 1.3k, 400.2M, etc.
|
# The suffix for large numbers, e.g. 1.3k, 400.2M, etc.
|
||||||
suffix:
|
suffix:
|
||||||
thousands: k
|
thousands: k
|
||||||
|
@ -30,66 +30,69 @@ steamPage:
|
|||||||
longText: >-
|
longText: >-
|
||||||
[img]{STEAM_APP_IMAGE}/extras/store_page_gif.gif[/img]
|
[img]{STEAM_APP_IMAGE}/extras/store_page_gif.gif[/img]
|
||||||
|
|
||||||
shapez.io is a game about building factories to automate the creation and processing of increasingly complex shapes across an infinitely expanding map.
|
shapez.io est un jeu ou il faut construire des usines pour automatiser la création et la transformation de formes de plus en plus complexes sur une carte infinie.
|
||||||
Upon delivering the requested shapes you will progress within the game and unlock upgrades to speed up your factory.
|
En livrant les bonnes formes tu vas progresser dans le jeu et débloquer des améliorations pour accélerer ton usine.
|
||||||
|
|
||||||
As the demand for shapes increases, you will have to scale up your factory to meet the demand - Don't forget about resources though, you will have to expand across the [b]infinite map[/b]!
|
Comme la demande de formes augmente, il vas falloir agrandir ton usine pour produire plus - N'oublie pas les resources, il vas falloir s'étendre tout autour de la [b]carte infinie[/b]!
|
||||||
|
|
||||||
Soon you will have to mix colors and paint your shapes with them - Combine red, green and blue color resources to produce different colors and paint shapes with it to satisfy the demand.
|
Puis il vas falloir mélanger les couleurs et peindres tes formes avec - Combine du rouge, du bleu et du vert pour produire différente couleurs et peindre des formes pour satisfaire la demande.
|
||||||
|
|
||||||
This game features 18 progressive levels (Which should keep you busy for hours already!) but I'm constantly adding new content - There is a lot planned!
|
Ce jeu propose 18 niveaux progressifs (qui devraient vous occuper pendant des heures!) et j'ajoute constament plus de contenu - Il y en as beaucoup qui arrive!
|
||||||
|
|
||||||
Purchasing the game gives you access to the standalone version which has additional features and you'll also receive access to newly developed features.
|
Acheter le jeu te donnes accès à la version hors-ligne qui as plus de contenu et tu recevras l'accès aux nouvelles fonctionnalités.
|
||||||
|
|
||||||
[b]Standalone Advantages[/b]
|
[b]Avantages de la version hors-ligne[/b]
|
||||||
|
|
||||||
[list]
|
[list]
|
||||||
[*] Dark Mode
|
[*] Mode sombre
|
||||||
[*] Unlimited Waypoints
|
[*] Balises infinies
|
||||||
[*] Unlimited Savegames
|
[*] Sauvegardes infinies
|
||||||
[*] Additional settings
|
[*] Plus de setting
|
||||||
[*] Coming soon: Wires & Energy! Aiming for (roughly) end of July 2020.
|
[*] Arrive bientôt: Cables et éléctricité! Sort en Juillet 2020.
|
||||||
[*] Coming soon: More Levels
|
[*] Arrive bientôt: Plus de niveaux
|
||||||
[*] Allows me to further develop shapez.io ❤️
|
[*] Me permet de plus déveloper le jeu ❤️
|
||||||
[/list]
|
[/list]
|
||||||
|
|
||||||
[b]Future Updates[/b]
|
[b]Mises à jours futures[/b]
|
||||||
|
|
||||||
I am updating the game very often and trying to push an update at least every week!
|
Je fait souvent des mises à jours et essaye d'en sortir une part semaine!
|
||||||
|
|
||||||
[list]
|
[list]
|
||||||
[*] Different maps and challenges (e.g. maps with obstacles)
|
[*] Plusieurs cartes et challenges (e.g. carte avec des obstacles)
|
||||||
[*] Puzzles (Deliver the requested shape with a restricted area / set of buildings)
|
[*] Puzzles (Livrer les formes avec des batiments limités/une carte limitée)
|
||||||
[*] A story mode where buildings have a cost
|
[*] Un mode histoire ou les bâtiments on un coût
|
||||||
[*] Configurable map generator (Configure resource/shape size/density, seed and more)
|
[*] Générateur de carte configurable (Configure les ressources/formes leur taille, densité et plus)
|
||||||
[*] Additional types of shapes
|
[*] Plus de formes
|
||||||
[*] Performance improvements (The game already runs pretty well!)
|
[*] Meilleures performances (Le jeu est déja très optimisé!)
|
||||||
[*] And much more!
|
[*] Et bien plus!
|
||||||
[/list]
|
[/list]
|
||||||
|
|
||||||
[b]This game is open source![/b]
|
[b]Ce jeu est open source![/b]
|
||||||
|
|
||||||
Anybody can contribute, I'm actively involved in the community and attempt to review all suggestions and take feedback into consideration where possible.
|
Tout le monde peut contribuer, je suis très impliqué dans la communeauté et essaye de regarder toutes les suggestions et prendre les retours si possible.
|
||||||
Be sure to check out my trello board for the full roadmap!
|
Vas voir mon trello pour plus d'informations!
|
||||||
|
|
||||||
[b]Links[/b]
|
[b]Liens[/b]
|
||||||
|
|
||||||
[list]
|
[list]
|
||||||
[*] [url=https://discord.com/invite/HN7EVzV]Official Discord[/url]
|
[*] [url=https://discord.com/invite/HN7EVzV]Discord officiel[/url]
|
||||||
[*] [url=https://trello.com/b/ISQncpJP/shapezio]Roadmap[/url]
|
[*] [url=https://trello.com/b/ISQncpJP/shapezio]Trello[/url]
|
||||||
[*] [url=https://www.reddit.com/r/shapezio]Subreddit[/url]
|
[*] [url=https://www.reddit.com/r/shapezio]Subreddit[/url]
|
||||||
[*] [url=https://github.com/tobspr/shapez.io]Source code (GitHub)[/url]
|
[*] [url=https://github.com/tobspr/shapez.io]Code source (GitHub)[/url]
|
||||||
[*] [url=https://github.com/tobspr/shapez.io/blob/master/translations/README.md]Help translate[/url]
|
[*] [url=https://github.com/tobspr/shapez.io/blob/master/translations/README.md]Aide à traduire[/url]
|
||||||
[/list]
|
[/list]
|
||||||
|
|
||||||
discordLink: Official Discord - Chat with me!
|
discordLink: Discord officiel - Parles avec moi!
|
||||||
|
|
||||||
global:
|
global:
|
||||||
loading: Chargement
|
loading: Chargement
|
||||||
error: Erreur
|
error: Erreur
|
||||||
|
|
||||||
# How big numbers are rendered, e.g. "10,000"
|
# How big numbers are rendered, e.g. "10,000"
|
||||||
thousandsDivider: "."
|
thousandsDivider: ","
|
||||||
|
|
||||||
|
# What symbol to use to seperate the integer part from the fractional part of a number, e.g. "0.4"
|
||||||
|
decimalSeparator: ","
|
||||||
|
|
||||||
# The suffix for large numbers, e.g. 1.3k, 400.2M, etc. cf wikipedia système international d'unité
|
# The suffix for large numbers, e.g. 1.3k, 400.2M, etc. cf wikipedia système international d'unité
|
||||||
# For french: https://fr.wikipedia.org/wiki/Pr%C3%A9fixes_du_Syst%C3%A8me_international_d%27unit%C3%A9s
|
# For french: https://fr.wikipedia.org/wiki/Pr%C3%A9fixes_du_Syst%C3%A8me_international_d%27unit%C3%A9s
|
||||||
@ -149,7 +152,6 @@ mainMenu:
|
|||||||
savegameLevel: Niveau <x>
|
savegameLevel: Niveau <x>
|
||||||
savegameLevelUnknown: Niveau inconnu
|
savegameLevelUnknown: Niveau inconnu
|
||||||
|
|
||||||
|
|
||||||
continue: Continuer
|
continue: Continuer
|
||||||
newGame: Nouvelle partie
|
newGame: Nouvelle partie
|
||||||
madeBy: Créé par <author-link>
|
madeBy: Créé par <author-link>
|
||||||
|
@ -120,6 +120,9 @@ global:
|
|||||||
# How big numbers are rendered, e.g. "10,000"
|
# How big numbers are rendered, e.g. "10,000"
|
||||||
thousandsDivider: " "
|
thousandsDivider: " "
|
||||||
|
|
||||||
|
# What symbol to use to seperate the integer part from the fractional part of a number, e.g. "0.4"
|
||||||
|
decimalSeparator: "."
|
||||||
|
|
||||||
# The suffix for large numbers, e.g. 1.3k, 400.2M, etc.
|
# The suffix for large numbers, e.g. 1.3k, 400.2M, etc.
|
||||||
suffix:
|
suffix:
|
||||||
thousands: k
|
thousands: k
|
||||||
|
@ -91,6 +91,9 @@ global:
|
|||||||
# How big numbers are rendered, e.g. "10,000"
|
# How big numbers are rendered, e.g. "10,000"
|
||||||
thousandsDivider: ","
|
thousandsDivider: ","
|
||||||
|
|
||||||
|
# What symbol to use to seperate the integer part from the fractional part of a number, e.g. "0.4"
|
||||||
|
decimalSeparator: "."
|
||||||
|
|
||||||
# The suffix for large numbers, e.g. 1.3k, 400.2M, etc.
|
# The suffix for large numbers, e.g. 1.3k, 400.2M, etc.
|
||||||
suffix:
|
suffix:
|
||||||
thousands: E
|
thousands: E
|
||||||
|
@ -91,6 +91,9 @@ global:
|
|||||||
# How big numbers are rendered, e.g. "10,000"
|
# How big numbers are rendered, e.g. "10,000"
|
||||||
thousandsDivider: ","
|
thousandsDivider: ","
|
||||||
|
|
||||||
|
# What symbol to use to seperate the integer part from the fractional part of a number, e.g. "0.4"
|
||||||
|
decimalSeparator: "."
|
||||||
|
|
||||||
# The suffix for large numbers, e.g. 1.3k, 400.2M, etc.
|
# The suffix for large numbers, e.g. 1.3k, 400.2M, etc.
|
||||||
suffix:
|
suffix:
|
||||||
thousands: k
|
thousands: k
|
||||||
|
@ -91,6 +91,9 @@ global:
|
|||||||
# How big numbers are rendered, e.g. "10,000"
|
# How big numbers are rendered, e.g. "10,000"
|
||||||
thousandsDivider: ","
|
thousandsDivider: ","
|
||||||
|
|
||||||
|
# What symbol to use to seperate the integer part from the fractional part of a number, e.g. "0.4"
|
||||||
|
decimalSeparator: "."
|
||||||
|
|
||||||
# The suffix for large numbers, e.g. 1.3k, 400.2M, etc.
|
# The suffix for large numbers, e.g. 1.3k, 400.2M, etc.
|
||||||
suffix:
|
suffix:
|
||||||
thousands: k
|
thousands: k
|
||||||
|
@ -91,6 +91,9 @@ global:
|
|||||||
# How big numbers are rendered, e.g. "10,000"
|
# How big numbers are rendered, e.g. "10,000"
|
||||||
thousandsDivider: ","
|
thousandsDivider: ","
|
||||||
|
|
||||||
|
# What symbol to use to seperate the integer part from the fractional part of a number, e.g. "0.4"
|
||||||
|
decimalSeparator: "."
|
||||||
|
|
||||||
# The suffix for large numbers, e.g. 1.3k, 400.2M, etc.
|
# The suffix for large numbers, e.g. 1.3k, 400.2M, etc.
|
||||||
suffix:
|
suffix:
|
||||||
thousands: k
|
thousands: k
|
||||||
|
@ -91,6 +91,9 @@ global:
|
|||||||
# How big numbers are rendered, e.g. "10,000"
|
# How big numbers are rendered, e.g. "10,000"
|
||||||
thousandsDivider: ","
|
thousandsDivider: ","
|
||||||
|
|
||||||
|
# What symbol to use to seperate the integer part from the fractional part of a number, e.g. "0.4"
|
||||||
|
decimalSeparator: "."
|
||||||
|
|
||||||
# The suffix for large numbers, e.g. 1.3k, 400.2M, etc.
|
# The suffix for large numbers, e.g. 1.3k, 400.2M, etc.
|
||||||
suffix:
|
suffix:
|
||||||
thousands: k
|
thousands: k
|
||||||
|
@ -30,59 +30,59 @@ steamPage:
|
|||||||
longText: >-
|
longText: >-
|
||||||
[img]{STEAM_APP_IMAGE}/extras/store_page_gif.gif[/img]
|
[img]{STEAM_APP_IMAGE}/extras/store_page_gif.gif[/img]
|
||||||
|
|
||||||
shapez.io is a game about building factories to automate the creation and processing of increasingly complex shapes across an infinitely expanding map.
|
shapez.io is een spel dat draait om het bouwen van fabrieken om steeds complexere vormen te produceren en deze productie te automatiseren in een oneindig groot speelveld.
|
||||||
Upon delivering the requested shapes you will progress within the game and unlock upgrades to speed up your factory.
|
Door het leveren van de gevraagde vormen, kom je verder in het spel en ontgrendel je upgrades waar je fabriek sneller van wordt.
|
||||||
|
|
||||||
As the demand for shapes increases, you will have to scale up your factory to meet the demand - Don't forget about resources though, you will have to expand across the [b]infinite map[/b]!
|
De vraag naar vormen wordt steeds groter, wat betekent dat je de fabriek moet uitbreiden om de vraag tegemoet te komen. Om de juiste grondstoffen te delven zul je steeds verder in het [b]oneindig grote speelveld[/b] moeten gaan werken!
|
||||||
|
|
||||||
Soon you will have to mix colors and paint your shapes with them - Combine red, green and blue color resources to produce different colors and paint shapes with it to satisfy the demand.
|
Omdat simpele vormen snel saai worden, moet je kleuren mengen om de vormen te verven - Combineer rode, groene en blauwe grondstoffen om verschillende kleuren te produceren en gebruik deze om de vormen te verven, zodat je de vraag hiernaar tegemoet kan komen.
|
||||||
|
|
||||||
This game features 18 progressive levels (Which should keep you busy for hours already!) but I'm constantly adding new content - There is a lot planned!
|
Dit spel bevat 18 levels (Waar je al uren mee bezig zal zijn!), maar ik ben continu bezig om het spel uit te breiden - er staat veel in de planning!
|
||||||
|
|
||||||
Purchasing the game gives you access to the standalone version which has additional features and you'll also receive access to newly developed features.
|
Wanneer je het spel koopt dan krijg je toegang tot de standalone versie. Deze heeft extra functies en je krijgt ook toegang tot nieuwe ontwikkelingen.
|
||||||
|
|
||||||
[b]Standalone Advantages[/b]
|
[b]Standalone Voordelen[/b]
|
||||||
|
|
||||||
[list]
|
[list]
|
||||||
[*] Dark Mode
|
[*] Donkere modus
|
||||||
[*] Unlimited Waypoints
|
[*] Oneindig veel markeringen
|
||||||
[*] Unlimited Savegames
|
[*] Oneindig veel savegames
|
||||||
[*] Additional settings
|
[*] Extra opties
|
||||||
[*] Coming soon: Wires & Energy! Aiming for (roughly) end of July 2020.
|
[*] Binnenkort: Kabels & Energie! Hopelijk vanaf eind juli 2020.
|
||||||
[*] Coming soon: More Levels
|
[*] Binnenkort: Meer Levels
|
||||||
[*] Allows me to further develop shapez.io ❤️
|
[*] Helpt mij om shapez.io verder te ontwikkelen ❤️
|
||||||
[/list]
|
[/list]
|
||||||
|
|
||||||
[b]Future Updates[/b]
|
[b]Geplande Updates[/b]
|
||||||
|
|
||||||
I am updating the game very often and trying to push an update at least every week!
|
Ik update het spel regelmatig en probeer dit zeker eenmaal per week te doen!
|
||||||
|
|
||||||
[list]
|
[list]
|
||||||
[*] Different maps and challenges (e.g. maps with obstacles)
|
[*] Verschillende speelvelden en uitdagingen (bijv. obstakels)
|
||||||
[*] Puzzles (Deliver the requested shape with a restricted area / set of buildings)
|
[*] Puzzels (Bezorg de gevraagde vorm binnen een afgesloten gebied of met bepaalde gebouwen)
|
||||||
[*] A story mode where buildings have a cost
|
[*] Een verhaalmodus waar gebouwen iets kosten
|
||||||
[*] Configurable map generator (Configure resource/shape size/density, seed and more)
|
[*] Aanpasbare speelveldgenerator (Kies de hoeveelheid en grootte van grondstoffen, seed en meer)
|
||||||
[*] Additional types of shapes
|
[*] Meer soorten vormen
|
||||||
[*] Performance improvements (The game already runs pretty well!)
|
[*] Prestatieverbeteringen (Het spel loopt al vrij goed!)
|
||||||
[*] And much more!
|
[*] En nog veel meer!
|
||||||
[/list]
|
[/list]
|
||||||
|
|
||||||
[b]This game is open source![/b]
|
[b]Dit spel is open source![/b]
|
||||||
|
|
||||||
Anybody can contribute, I'm actively involved in the community and attempt to review all suggestions and take feedback into consideration where possible.
|
Iedreen kan bijdragen. Ik ben actief in de community en probeer naar alle suggesties en feedback te kijken en deze mee te nemen in de ontwikkeling.
|
||||||
Be sure to check out my trello board for the full roadmap!
|
Bekijk mijn trello-bord voor het volledige stappenplan!
|
||||||
|
|
||||||
[b]Links[/b]
|
[b]Links[/b]
|
||||||
|
|
||||||
[list]
|
[list]
|
||||||
[*] [url=https://discord.com/invite/HN7EVzV]Official Discord[/url]
|
[*] [url=https://discord.com/invite/HN7EVzV]Official Discord[/url]
|
||||||
[*] [url=https://trello.com/b/ISQncpJP/shapezio]Roadmap[/url]
|
[*] [url=https://trello.com/b/ISQncpJP/shapezio]Stappenplan[/url]
|
||||||
[*] [url=https://www.reddit.com/r/shapezio]Subreddit[/url]
|
[*] [url=https://www.reddit.com/r/shapezio]Subreddit[/url]
|
||||||
[*] [url=https://github.com/tobspr/shapez.io]Source code (GitHub)[/url]
|
[*] [url=https://github.com/tobspr/shapez.io]Source code (GitHub)[/url]
|
||||||
[*] [url=https://github.com/tobspr/shapez.io/blob/master/translations/README.md]Help translate[/url]
|
[*] [url=https://github.com/tobspr/shapez.io/blob/master/translations/README.md]Help met vertalen[/url]
|
||||||
[/list]
|
[/list]
|
||||||
|
|
||||||
discordLink: Official Discord - Chat with me!
|
discordLink: Officiële Discord - Chat met mij!
|
||||||
|
|
||||||
global:
|
global:
|
||||||
loading: Laden
|
loading: Laden
|
||||||
@ -91,11 +91,14 @@ global:
|
|||||||
# How big numbers are rendered, e.g. "10,000"
|
# How big numbers are rendered, e.g. "10,000"
|
||||||
thousandsDivider: "."
|
thousandsDivider: "."
|
||||||
|
|
||||||
|
# What symbol to use to seperate the integer part from the fractional part of a number, e.g. "0.4"
|
||||||
|
decimalSeparator: ","
|
||||||
|
|
||||||
# The suffix for large numbers, e.g. 1.3k, 400.2M, etc.
|
# The suffix for large numbers, e.g. 1.3k, 400.2M, etc.
|
||||||
suffix:
|
suffix:
|
||||||
thousands: K
|
thousands: k
|
||||||
millions: M
|
millions: M
|
||||||
billions: G
|
billions: B
|
||||||
trillions: T
|
trillions: T
|
||||||
|
|
||||||
# Shown for infinitely big numbers
|
# Shown for infinitely big numbers
|
||||||
@ -166,7 +169,7 @@ dialogs:
|
|||||||
deleteGame: Ik weet wat ik doe
|
deleteGame: Ik weet wat ik doe
|
||||||
viewUpdate: Zie Update
|
viewUpdate: Zie Update
|
||||||
showUpgrades: Zie Upgrades
|
showUpgrades: Zie Upgrades
|
||||||
showKeybindings: Zie sneltoetsen
|
showKeybindings: Zie Sneltoetsen
|
||||||
|
|
||||||
importSavegameError:
|
importSavegameError:
|
||||||
title: Import Error
|
title: Import Error
|
||||||
@ -266,8 +269,8 @@ dialogs:
|
|||||||
Je hebt aangegeven dat je jouw basis wil exporteren als screenshot. Als je een grote basis hebt kan dit proces langzaam zijn en er zelfs voor zorgen dat je spel crasht!
|
Je hebt aangegeven dat je jouw basis wil exporteren als screenshot. Als je een grote basis hebt kan dit proces langzaam zijn en er zelfs voor zorgen dat je spel crasht!
|
||||||
|
|
||||||
massCutInsufficientConfirm:
|
massCutInsufficientConfirm:
|
||||||
title: Confirm cut
|
title: Bevestig knippen
|
||||||
desc: You can not afford to paste this area! Are you sure you want to cut it?
|
desc: Je kunt het je niet veroorloven om de selectie te plakken! Weet je zeker dat je het wil knippen?
|
||||||
|
|
||||||
ingame:
|
ingame:
|
||||||
# This is shown in the top left corner and displays useful keybindings in
|
# This is shown in the top left corner and displays useful keybindings in
|
||||||
@ -284,14 +287,14 @@ ingame:
|
|||||||
placeBuilding: Plaats gebouw
|
placeBuilding: Plaats gebouw
|
||||||
createMarker: Plaats markering
|
createMarker: Plaats markering
|
||||||
delete: Vernietig
|
delete: Vernietig
|
||||||
pasteLastBlueprint: Plak de laatst gekopiëerde blauwdruk
|
pasteLastBlueprint: Plak laatst gekopiëerde blauwdruk
|
||||||
lockBeltDirection: Maak gebruik van de lopende band planner
|
lockBeltDirection: Gebruik lopende band planner
|
||||||
plannerSwitchSide: Draai de richting van de planner
|
plannerSwitchSide: Draai de richting van de planner
|
||||||
cutSelection: Knip
|
cutSelection: Knip
|
||||||
copySelection: Kopieer
|
copySelection: Kopieer
|
||||||
clearSelection: Cancel selectie
|
clearSelection: Annuleer selectie
|
||||||
pipette: Pipet
|
pipette: Pipet
|
||||||
switchLayers: Switch layers
|
switchLayers: Wissel lagen
|
||||||
|
|
||||||
# Everything related to placing buildings (I.e. as soon as you selected a building
|
# Everything related to placing buildings (I.e. as soon as you selected a building
|
||||||
# from the toolbar)
|
# from the toolbar)
|
||||||
@ -368,7 +371,7 @@ ingame:
|
|||||||
buttons:
|
buttons:
|
||||||
continue: Verder spelen
|
continue: Verder spelen
|
||||||
settings: Opties
|
settings: Opties
|
||||||
menu: Terug naar het menu
|
menu: Terug naar het Menu
|
||||||
|
|
||||||
# Bottom left tutorial hints
|
# Bottom left tutorial hints
|
||||||
tutorialHints:
|
tutorialHints:
|
||||||
@ -407,11 +410,11 @@ ingame:
|
|||||||
cyan: Cyaan
|
cyan: Cyaan
|
||||||
white: Wit
|
white: Wit
|
||||||
uncolored: Geen kleur
|
uncolored: Geen kleur
|
||||||
black: Black
|
black: Zwart
|
||||||
shapeViewer:
|
shapeViewer:
|
||||||
title: Lagen
|
title: Lagen
|
||||||
empty: Leeg
|
empty: Leeg
|
||||||
copyKey: Copy Key
|
copyKey: Kopiëer sleutel
|
||||||
|
|
||||||
# All shop upgrades
|
# All shop upgrades
|
||||||
shopUpgrades:
|
shopUpgrades:
|
||||||
@ -521,25 +524,25 @@ buildings:
|
|||||||
levelShortcut: LVL
|
levelShortcut: LVL
|
||||||
wire:
|
wire:
|
||||||
default:
|
default:
|
||||||
name: Energy Wire
|
name: Energiekabel
|
||||||
description: Allows you to transport energy.
|
description: Voor transport van energie.
|
||||||
advanced_processor:
|
advanced_processor:
|
||||||
default:
|
default:
|
||||||
name: Color Inverter
|
name: Kleur-omkeerder
|
||||||
description: Accepts a color or shape and inverts it.
|
description: Keert de kleur om van een voorwerp.
|
||||||
energy_generator:
|
energy_generator:
|
||||||
deliver: Deliver
|
deliver: Lever
|
||||||
toGenerateEnergy: For
|
toGenerateEnergy: Voor
|
||||||
default:
|
default:
|
||||||
name: Energy Generator
|
name: Energiegenerator
|
||||||
description: Generates energy by consuming shapes.
|
description: Wekt energie op door vormen te consumeren.
|
||||||
wire_crossings:
|
wire_crossings:
|
||||||
default:
|
default:
|
||||||
name: Wire Splitter
|
name: Kabelsplijter
|
||||||
description: Splits a energy wire into two.
|
description: Splijt één kabel in twee.
|
||||||
merger:
|
merger:
|
||||||
name: Wire Merger
|
name: Kabelvoeger
|
||||||
description: Merges two energy wires into one.
|
description: Voegt twee kabels samen tot één.
|
||||||
|
|
||||||
storyRewards:
|
storyRewards:
|
||||||
# Those are the rewards gained from completing the store
|
# Those are the rewards gained from completing the store
|
||||||
@ -590,7 +593,7 @@ storyRewards:
|
|||||||
Je hebt een compacte variant van de <strong>verdeler</strong> ontgrendeld - Dit voegt twee lopende banden samen tot één.
|
Je hebt een compacte variant van de <strong>verdeler</strong> ontgrendeld - Dit voegt twee lopende banden samen tot één.
|
||||||
|
|
||||||
reward_cutter_quad:
|
reward_cutter_quad:
|
||||||
title: Quad Cutting
|
title: Quad Knippen
|
||||||
desc: Je hebt een variant van de <strong>knipper</strong> ontgrendeld - Dit knipt vormen in <strong>vier stukken</strong> in plaats van twee!
|
desc: Je hebt een variant van de <strong>knipper</strong> ontgrendeld - Dit knipt vormen in <strong>vier stukken</strong> in plaats van twee!
|
||||||
|
|
||||||
reward_painter_double:
|
reward_painter_double:
|
||||||
@ -602,7 +605,7 @@ storyRewards:
|
|||||||
desc: Je hebt een variant van de <strong>verver</strong> ontgrendeld - Het verft elk kwadrant van de vorm een andere kleur!
|
desc: Je hebt een variant van de <strong>verver</strong> ontgrendeld - Het verft elk kwadrant van de vorm een andere kleur!
|
||||||
|
|
||||||
reward_storage:
|
reward_storage:
|
||||||
title: Opslag buffer
|
title: Opslagbuffer
|
||||||
desc: Je hebt een variant van de <strong>vuilnisbak</strong> ontgrendeld - Het slaat voorwerpen op tot een zekere hoeveelheid!
|
desc: Je hebt een variant van de <strong>vuilnisbak</strong> ontgrendeld - Het slaat voorwerpen op tot een zekere hoeveelheid!
|
||||||
|
|
||||||
reward_freeplay:
|
reward_freeplay:
|
||||||
@ -822,11 +825,11 @@ keybindings:
|
|||||||
lockBeltDirection: Schakel lopende band-planner in
|
lockBeltDirection: Schakel lopende band-planner in
|
||||||
switchDirectionLockSide: "Planner: Wissel van richting"
|
switchDirectionLockSide: "Planner: Wissel van richting"
|
||||||
pipette: Pipet
|
pipette: Pipet
|
||||||
menuClose: Close Menu
|
menuClose: Sluit Menu
|
||||||
switchLayers: Switch layers
|
switchLayers: Lagen omwisselen
|
||||||
advanced_processor: Color Inverter
|
advanced_processor: Kleur-omvormer
|
||||||
energy_generator: Energy Generator
|
energy_generator: Energiegenerator
|
||||||
wire: Energy Wire
|
wire: Energiekabel
|
||||||
|
|
||||||
about:
|
about:
|
||||||
title: Over dit spel
|
title: Over dit spel
|
||||||
|
@ -91,6 +91,9 @@ global:
|
|||||||
# How big numbers are rendered, e.g. "10,000"
|
# How big numbers are rendered, e.g. "10,000"
|
||||||
thousandsDivider: ","
|
thousandsDivider: ","
|
||||||
|
|
||||||
|
# What symbol to use to seperate the integer part from the fractional part of a number, e.g. "0.4"
|
||||||
|
decimalSeparator: "."
|
||||||
|
|
||||||
# The suffix for large numbers, e.g. 1.3k, 400.2M, etc.
|
# The suffix for large numbers, e.g. 1.3k, 400.2M, etc.
|
||||||
suffix:
|
suffix:
|
||||||
thousands: k
|
thousands: k
|
||||||
|
@ -30,59 +30,59 @@ steamPage:
|
|||||||
longText: >-
|
longText: >-
|
||||||
[img]{STEAM_APP_IMAGE}/extras/store_page_gif.gif[/img]
|
[img]{STEAM_APP_IMAGE}/extras/store_page_gif.gif[/img]
|
||||||
|
|
||||||
shapez.io is a game about building factories to automate the creation and processing of increasingly complex shapes across an infinitely expanding map.
|
shapez.io to gra o budowie fabryk, która automatyzuje tworzenie i przetwarzanie coraz bardziej złożonych kształtów na nieskończenie powiększającej się mapie.
|
||||||
Upon delivering the requested shapes you will progress within the game and unlock upgrades to speed up your factory.
|
Po dostarczeniu wymaganych kształtów będziesz postępować w grze i odblokowywać ulepszenia, aby przyspieszyć fabrykę.
|
||||||
|
|
||||||
As the demand for shapes increases, you will have to scale up your factory to meet the demand - Don't forget about resources though, you will have to expand across the [b]infinite map[/b]!
|
Wraz ze wzrostem zapotrzebowania na kształty, będziesz musiał powiększyć swoją fabrykę, aby zaspokoić popyt - Nie zapominaj jednak o zasobach, będziesz musiał rozwinąć się na [b] nieskończonej mapie [/ b]!
|
||||||
|
|
||||||
Soon you will have to mix colors and paint your shapes with them - Combine red, green and blue color resources to produce different colors and paint shapes with it to satisfy the demand.
|
Wkrótce będziesz musiał mieszać kolory i malować nimi kształty - Połącz zasoby kolorów czerwonego, zielonego i niebieskiego, aby uzyskać różne kolory i pomalować kształty, aby zaspokoić popyt.
|
||||||
|
|
||||||
This game features 18 progressive levels (Which should keep you busy for hours already!) but I'm constantly adding new content - There is a lot planned!
|
Ta gra oferuje 18 poziomów progresywnych (które powinny być zajęte przez wiele godzin!), Ale ciągle dodam nowe treści - Wiele jest zaplanowanych!
|
||||||
|
|
||||||
Purchasing the game gives you access to the standalone version which has additional features and you'll also receive access to newly developed features.
|
Zakup gry daje dostęp do samodzielnej wersji, która ma dodatkowe funkcje, a także dostęp do nowo opracowanych funkcji.
|
||||||
|
|
||||||
[b]Standalone Advantages[/b]
|
[b]Samodzielne zalety[/b]
|
||||||
|
|
||||||
[list]
|
[list]
|
||||||
[*] Dark Mode
|
[*] Tryb ciemny
|
||||||
[*] Unlimited Waypoints
|
[*] Nieograniczone punkty trasy
|
||||||
[*] Unlimited Savegames
|
[*] Nieograniczona liczba zapisanych gier
|
||||||
[*] Additional settings
|
[*] Dodatkowe ustawienia
|
||||||
[*] Coming soon: Wires & Energy! Aiming for (roughly) end of July 2020.
|
[*] Wkrótce: przewody i energia! Dążenie do (z grubsza) końca lipca 2020 r.
|
||||||
[*] Coming soon: More Levels
|
[*] Wkrótce: Więcej poziomów
|
||||||
[*] Allows me to further develop shapez.io ❤️
|
[*] Pozwala mi dalej rozwijać shapez.io ❤️
|
||||||
[/list]
|
[/list]
|
||||||
|
|
||||||
[b]Future Updates[/b]
|
[b]Przyszłe aktualizacje[/b]
|
||||||
|
|
||||||
I am updating the game very often and trying to push an update at least every week!
|
Aktualizuję grę bardzo często i staram się przesyłać aktualizacje przynajmniej co tydzień!
|
||||||
|
|
||||||
[list]
|
[list]
|
||||||
[*] Different maps and challenges (e.g. maps with obstacles)
|
[*] Różne mapy i wyzwania (np. Mapy z przeszkodami)
|
||||||
[*] Puzzles (Deliver the requested shape with a restricted area / set of buildings)
|
[*] Puzzle (Dostarcz żądany kształt z ograniczonym obszarem / zestawem budynków)
|
||||||
[*] A story mode where buildings have a cost
|
[*] Tryb fabularny, w którym budynki kosztują
|
||||||
[*] Configurable map generator (Configure resource/shape size/density, seed and more)
|
[*] Konfigurowalny generator map (Konfiguruj rozmiar / gęstość zasobu / kształtu, ziarno i więcej)
|
||||||
[*] Additional types of shapes
|
[*] Dodatkowe typy kształtów
|
||||||
[*] Performance improvements (The game already runs pretty well!)
|
[*] Ulepszenia wydajności (gra działa już całkiem dobrze!)
|
||||||
[*] And much more!
|
[*] I wiele więcej!
|
||||||
[/list]
|
[/list]
|
||||||
|
|
||||||
[b]This game is open source![/b]
|
[b]Ta gra jest open source![/b]
|
||||||
|
|
||||||
Anybody can contribute, I'm actively involved in the community and attempt to review all suggestions and take feedback into consideration where possible.
|
Każdy może się przyłączyć, jestem aktywnie zaangażowany w społeczność i staram się przejrzeć wszystkie sugestie i wziąć pod uwagę opinie tam, gdzie to możliwe.
|
||||||
Be sure to check out my trello board for the full roadmap!
|
Zapoznaj się z moją tablicą trello, aby zobaczyć pełną mapę drogową!
|
||||||
|
|
||||||
[b]Links[/b]
|
[b]Linki[/b]
|
||||||
|
|
||||||
[list]
|
[list]
|
||||||
[*] [url=https://discord.com/invite/HN7EVzV]Official Discord[/url]
|
[*] [url=https://discord.com/invite/HN7EVzV]Oficjalna Discord[/url]
|
||||||
[*] [url=https://trello.com/b/ISQncpJP/shapezio]Roadmap[/url]
|
[*] [url=https://trello.com/b/ISQncpJP/shapezio]Roadmap[/url]
|
||||||
[*] [url=https://www.reddit.com/r/shapezio]Subreddit[/url]
|
[*] [url=https://www.reddit.com/r/shapezio]Subreddit[/url]
|
||||||
[*] [url=https://github.com/tobspr/shapez.io]Source code (GitHub)[/url]
|
[*] [url=https://github.com/tobspr/shapez.io]Kod źródłowy (GitHub)[/url]
|
||||||
[*] [url=https://github.com/tobspr/shapez.io/blob/master/translations/README.md]Help translate[/url]
|
[*] [url=https://github.com/tobspr/shapez.io/blob/master/translations/README.md]Pomóż w tłumaczeniu[/url]
|
||||||
[/list]
|
[/list]
|
||||||
|
|
||||||
discordLink: Official Discord - Chat with me!
|
discordLink: Oficjalna Discord - Porozmawiaj ze mną!
|
||||||
|
|
||||||
global:
|
global:
|
||||||
loading: Ładowanie
|
loading: Ładowanie
|
||||||
@ -91,6 +91,9 @@ global:
|
|||||||
# How big numbers are rendered, e.g. "10,000"
|
# How big numbers are rendered, e.g. "10,000"
|
||||||
thousandsDivider: " "
|
thousandsDivider: " "
|
||||||
|
|
||||||
|
# What symbol to use to seperate the integer part from the fractional part of a number, e.g. "0.4"
|
||||||
|
decimalSeparator: "."
|
||||||
|
|
||||||
# The suffix for large numbers, e.g. 1.3k, 400.2M, etc.
|
# The suffix for large numbers, e.g. 1.3k, 400.2M, etc.
|
||||||
# Translator note: We don't use SI size units for common speak, but if you want to keep it SI
|
# Translator note: We don't use SI size units for common speak, but if you want to keep it SI
|
||||||
# ...also, Polish has wierd nature of diffrent number naming, we have "million" and "milliard"-thing wich actually is billion in English
|
# ...also, Polish has wierd nature of diffrent number naming, we have "million" and "milliard"-thing wich actually is billion in English
|
||||||
@ -254,8 +257,7 @@ dialogs:
|
|||||||
createMarker:
|
createMarker:
|
||||||
title: Nowy Znacznik
|
title: Nowy Znacznik
|
||||||
desc: Podaj nazwę znacznika. Możesz w niej zawrzeć <strong>kod kształtu</strong>, który możesz wygenerować <a href="https://viewer.shapez.io" target="_blank">tutaj</a>.
|
desc: Podaj nazwę znacznika. Możesz w niej zawrzeć <strong>kod kształtu</strong>, który możesz wygenerować <a href="https://viewer.shapez.io" target="_blank">tutaj</a>.
|
||||||
titleEdit: Edit Marker
|
titleEdit: Edytuj Znacznik
|
||||||
|
|
||||||
markerDemoLimit:
|
markerDemoLimit:
|
||||||
desc: Możesz stworzyć tylko dwa własne znaczniki w wersji demo. Zakup pełną wersję gry dla nielimitowanych znaczników!
|
desc: Możesz stworzyć tylko dwa własne znaczniki w wersji demo. Zakup pełną wersję gry dla nielimitowanych znaczników!
|
||||||
|
|
||||||
@ -272,8 +274,8 @@ dialogs:
|
|||||||
Czy na pewno chcesz kontynuować?
|
Czy na pewno chcesz kontynuować?
|
||||||
|
|
||||||
massCutInsufficientConfirm:
|
massCutInsufficientConfirm:
|
||||||
title: Confirm cut
|
title: Potwierdź cięcie
|
||||||
desc: You can not afford to paste this area! Are you sure you want to cut it?
|
desc: Nie możesz sobie pozwolić na wklejenie tego obszaru! Czy na pewno chcesz to wyciąć?
|
||||||
|
|
||||||
ingame:
|
ingame:
|
||||||
# This is shown in the top left corner and displays useful keybindings in
|
# This is shown in the top left corner and displays useful keybindings in
|
||||||
@ -355,7 +357,7 @@ ingame:
|
|||||||
# 2nd translator's note: I think translating this to "level" is better (and that's how Google Translate translates it :))
|
# 2nd translator's note: I think translating this to "level" is better (and that's how Google Translate translates it :))
|
||||||
tier: Poziom <x>
|
tier: Poziom <x>
|
||||||
|
|
||||||
# The roman number for each tier
|
# The roman numeral for each tier
|
||||||
tierLabels: [I, II, III, IV, V, VI, VII, VIII, IX, X]
|
tierLabels: [I, II, III, IV, V, VI, VII, VIII, IX, X]
|
||||||
|
|
||||||
maximumLevel: POZIOM MAKSYMALNY (Szybkość x<currentMult>)
|
maximumLevel: POZIOM MAKSYMALNY (Szybkość x<currentMult>)
|
||||||
@ -774,14 +776,14 @@ settings:
|
|||||||
100 budynków.
|
100 budynków.
|
||||||
|
|
||||||
enableColorBlindHelper:
|
enableColorBlindHelper:
|
||||||
title: Color Blind Mode
|
title: Tryb ślepy na kolory
|
||||||
description: Enables various tools which allow to play the game if you are color blind.
|
description: Włącza różne narzędzia, które pozwalają ci grać, jeśli jesteś daltonistą.
|
||||||
rotationByBuilding:
|
rotationByBuilding:
|
||||||
title: Rotation by building type
|
title: Obrót według typu budynku
|
||||||
description: >-
|
description: >-
|
||||||
Each building type remembers the rotation you last set it to individually.
|
Każdy typ budynku pamięta obrót, który ostatnio ustawiłeś indywidualnie.
|
||||||
This may be more comfortable if you frequently switch between placing
|
Może to być wygodniejsze, jeśli często przełączasz się między umieszczaniem
|
||||||
different building types.
|
różne typy budynków.
|
||||||
|
|
||||||
keybindings:
|
keybindings:
|
||||||
title: Klawiszologia
|
title: Klawiszologia
|
||||||
@ -849,11 +851,11 @@ keybindings:
|
|||||||
switchDirectionLockSide: >-
|
switchDirectionLockSide: >-
|
||||||
Planowanie taśmociągu: Zmień stronę
|
Planowanie taśmociągu: Zmień stronę
|
||||||
pipette: Wybieranie obiektów z mapy
|
pipette: Wybieranie obiektów z mapy
|
||||||
menuClose: Close Menu
|
menuClose: Zamknij Menu
|
||||||
switchLayers: Switch layers
|
switchLayers: zamknij menu
|
||||||
advanced_processor: Color Inverter
|
advanced_processor: Kolor Falownika
|
||||||
energy_generator: Energy Generator
|
energy_generator: Generator Energii
|
||||||
wire: Energy Wire
|
wire: Drut Energetyczny
|
||||||
|
|
||||||
about:
|
about:
|
||||||
title: O Grze
|
title: O Grze
|
||||||
|
@ -91,6 +91,9 @@ global:
|
|||||||
# How big numbers are rendered, e.g. "10,000"
|
# How big numbers are rendered, e.g. "10,000"
|
||||||
thousandsDivider: "."
|
thousandsDivider: "."
|
||||||
|
|
||||||
|
# What symbol to use to seperate the integer part from the fractional part of a number, e.g. "0.4"
|
||||||
|
decimalSeparator: ","
|
||||||
|
|
||||||
# The suffix for large numbers, e.g. 1.3k, 400.2M, etc.
|
# The suffix for large numbers, e.g. 1.3k, 400.2M, etc.
|
||||||
suffix:
|
suffix:
|
||||||
thousands: K
|
thousands: K
|
||||||
|
@ -91,6 +91,9 @@ global:
|
|||||||
# How big numbers are rendered, e.g. "10,000"
|
# How big numbers are rendered, e.g. "10,000"
|
||||||
thousandsDivider: ","
|
thousandsDivider: ","
|
||||||
|
|
||||||
|
# What symbol to use to seperate the integer part from the fractional part of a number, e.g. "0.4"
|
||||||
|
decimalSeparator: "."
|
||||||
|
|
||||||
# The suffix for large numbers, e.g. 1.3k, 400.2M, etc.
|
# The suffix for large numbers, e.g. 1.3k, 400.2M, etc.
|
||||||
suffix:
|
suffix:
|
||||||
thousands: k
|
thousands: k
|
||||||
|
@ -91,6 +91,9 @@ global:
|
|||||||
# How big numbers are rendered, e.g. "10,000"
|
# How big numbers are rendered, e.g. "10,000"
|
||||||
thousandsDivider: ","
|
thousandsDivider: ","
|
||||||
|
|
||||||
|
# What symbol to use to seperate the integer part from the fractional part of a number, e.g. "0.4"
|
||||||
|
decimalSeparator: "."
|
||||||
|
|
||||||
# The suffix for large numbers, e.g. 1.3k, 400.2M, etc.
|
# The suffix for large numbers, e.g. 1.3k, 400.2M, etc.
|
||||||
suffix:
|
suffix:
|
||||||
thousands: k
|
thousands: k
|
||||||
|
@ -91,6 +91,9 @@ global:
|
|||||||
# How big numbers are rendered, e.g. "10,000"
|
# How big numbers are rendered, e.g. "10,000"
|
||||||
thousandsDivider: ","
|
thousandsDivider: ","
|
||||||
|
|
||||||
|
# What symbol to use to seperate the integer part from the fractional part of a number, e.g. "0.4"
|
||||||
|
decimalSeparator: "."
|
||||||
|
|
||||||
# The suffix for large numbers, e.g. 1.3k, 400.2M, etc.
|
# The suffix for large numbers, e.g. 1.3k, 400.2M, etc.
|
||||||
suffix:
|
suffix:
|
||||||
thousands: k
|
thousands: k
|
||||||
|
@ -21,10 +21,10 @@
|
|||||||
|
|
||||||
steamPage:
|
steamPage:
|
||||||
# This is the short text appearing on the steam page
|
# This is the short text appearing on the steam page
|
||||||
shortText: shapez.io is a game about building factories to automate the creation and processing of increasingly complex shapes across an infinitely expanding map.
|
shortText: shapez.io je igra grajenja tovarne katere cilj je avtomatiziranje kreiranja in procesiranja vse bolj zapletenih oblik na neskončni ravnini.
|
||||||
|
|
||||||
# This is the text shown above the discord link
|
# This is the text shown above the discord link
|
||||||
discordLink: Official Discord - Chat with me!
|
discordLink: Uradni Discord - Pridruži se klepetu!
|
||||||
|
|
||||||
# This is the long description for the steam page - It is contained here so you can help to translate it, and I will regulary update the store page.
|
# This is the long description for the steam page - It is contained here so you can help to translate it, and I will regulary update the store page.
|
||||||
# NOTICE:
|
# NOTICE:
|
||||||
@ -33,56 +33,55 @@ steamPage:
|
|||||||
longText: >-
|
longText: >-
|
||||||
[img]{STEAM_APP_IMAGE}/extras/store_page_gif.gif[/img]
|
[img]{STEAM_APP_IMAGE}/extras/store_page_gif.gif[/img]
|
||||||
|
|
||||||
shapez.io is a game about building factories to automate the creation and processing of increasingly complex shapes across an infinitely expanding map.
|
shapez.io je igra grajenja tovarne katere cilj je avtomatiziranje kreiranja in procesiranja vse bolj zapletenih oblik na neskončni ravnini.
|
||||||
Upon delivering the requested shapes you will progress within the game and unlock upgrades to speed up your factory.
|
Ob dostavi zahtevanih oblik boste napredovali v igri in odklenili nadgradnje, da boste pospešili tovarno.
|
||||||
|
|
||||||
As the demand for shapes increases, you will have to scale up your factory to meet the demand - Don't forget about resources though, you will have to expand across the [b]infinite map[/b]!
|
Ko se bo povpraševanje po oblikah povečalo, boste morali prilagoditi svojo tovarno, da bo zadostilo povpraševanju. Ne pozabite na vire, morali pa se boste razširiti čez [b]neskončno ravnino[/b]!
|
||||||
|
|
||||||
Soon you will have to mix colors and paint your shapes with them - Combine red, green and blue color resources to produce different colors and paint shapes with it to satisfy the demand.
|
Kmalu boste morali mešati barve in z njimi barvati svoje oblike - Združite rdeče, zelene in modre barvne vire, da ustvarite različne barve in z njimi barvate oblike, da zadostite povpraševanju.
|
||||||
|
|
||||||
This game features 18 progressive levels (Which should keep you busy for hours already!) but I'm constantly adding new content - There is a lot planned!
|
V tej igri je 18 progresivnih stopenj (ki vas bodo zaposlile za več ur!), Vendar nenehno dodajam novo vsebino - načrtovanih novosti je veliko!
|
||||||
|
Nakup igre vam omogoča dostop do samostojne različice, ki ima dodatne funkcije, prav tako pa boste imeli dostop do novo razvitih funkcij.
|
||||||
Purchasing the game gives you access to the standalone version which has additional features and you'll also receive access to newly developed features.
|
|
||||||
|
|
||||||
[img]{STEAM_APP_IMAGE}/extras/header_standalone_advantages.png[/img]
|
[img]{STEAM_APP_IMAGE}/extras/header_standalone_advantages.png[/img]
|
||||||
|
|
||||||
[list]
|
[list]
|
||||||
[*] Dark Mode
|
[*] Temna tema
|
||||||
[*] Unlimited Waypoints
|
[*] Neomejeno označb
|
||||||
[*] Unlimited Savegames
|
[*] Neomejeno shranjenih tovarn
|
||||||
[*] Additional settings
|
[*] Dodatne nastavitve
|
||||||
[*] Coming soon: Wires & Energy! Aiming for (roughly) end of July 2020.
|
[*] Prihaja kmalu: Žice in energija! Prihajajo (približno) konec julija 2020.
|
||||||
[*] Coming soon: More Levels
|
[*] Prihaja kmalu: Več stopenj
|
||||||
[*] Allows me to further develop shapez.io ❤️
|
[*] Omogoča mi nadaljni razvoj shapez.io ❤️
|
||||||
[/list]
|
[/list]
|
||||||
|
|
||||||
[img]{STEAM_APP_IMAGE}/extras/header_future_updates.png[/img]
|
[img]{STEAM_APP_IMAGE}/extras/header_future_updates.png[/img]
|
||||||
|
|
||||||
I am updating the game very often and trying to push an update at least every week!
|
Igro posodabljam zelo pogosto in poskušam dodati novosti vsaj vsak teden!
|
||||||
|
|
||||||
[list]
|
[list]
|
||||||
[*] Different maps and challenges (e.g. maps with obstacles)
|
[*] Različni zemljevidi in izzivi (npr. Zemljevidi z ovirami)
|
||||||
[*] Puzzles (Deliver the requested shape with a restricted area / set of buildings)
|
[*] Izzivi (vnesite želeno obliko z omejenim območjem / nizom zgradb)
|
||||||
[*] A story mode where buildings have a cost
|
[*] Način zgodbe, kjer imajo stavbe stroške/cene
|
||||||
[*] Configurable map generator (Configure resource/shape size/density, seed and more)
|
[*] Nastavljiv generator zemljevidov (konfigurirajte velikost / gostoto oblik /, seme in več)
|
||||||
[*] Additional types of shapes
|
[*] Dodatne vrste oblik
|
||||||
[*] Performance improvements (The game already runs pretty well!)
|
[*] Izboljšanje zmogljivosti (igra že sedaj deluje zelo dobro!)
|
||||||
[*] And much more!
|
[*] In veliko več!
|
||||||
[/list]
|
[/list]
|
||||||
|
|
||||||
[img]{STEAM_APP_IMAGE}/extras/header_open_source.png[/img]
|
[img]{STEAM_APP_IMAGE}/extras/header_open_source.png[/img]
|
||||||
|
|
||||||
Anybody can contribute, I'm actively involved in the community and attempt to review all suggestions and take feedback into consideration where possible.
|
Vsakdo lahko prispeva, aktivno sem vključen v skupnost in poskušam pregledati vse predloge in upoštevati povratne informacije, kjer je to mogoče.
|
||||||
Be sure to check out my trello board for the full roadmap!
|
Bodite prepričani, da si oglejte mojo Trello ploščo za celoten načrt!
|
||||||
|
|
||||||
[img]{STEAM_APP_IMAGE}/extras/header_links.png[/img]
|
[img]{STEAM_APP_IMAGE}/extras/header_links.png[/img]
|
||||||
|
|
||||||
[list]
|
[list]
|
||||||
[*] [url=https://discord.com/invite/HN7EVzV]Official Discord[/url]
|
[*] [url=https://discord.com/invite/HN7EVzV]Uradni Discord[/url]
|
||||||
[*] [url=https://trello.com/b/ISQncpJP/shapezio]Roadmap[/url]
|
[*] [url=https://trello.com/b/ISQncpJP/shapezio]Načrtovane posodobitve[/url]
|
||||||
[*] [url=https://www.reddit.com/r/shapezio]Subreddit[/url]
|
[*] [url=https://www.reddit.com/r/shapezio]Subreddit[/url]
|
||||||
[*] [url=https://github.com/tobspr/shapez.io]Source code (GitHub)[/url]
|
[*] [url=https://github.com/tobspr/shapez.io]Izvorna Koda (GitHub)[/url]
|
||||||
[*] [url=https://github.com/tobspr/shapez.io/blob/master/translations/README.md]Help translate[/url]
|
[*] [url=https://github.com/tobspr/shapez.io/blob/master/translations/README.md]Pomagaj pri prevodu[/url]
|
||||||
[/list]
|
[/list]
|
||||||
|
|
||||||
global:
|
global:
|
||||||
@ -92,6 +91,9 @@ global:
|
|||||||
# How big numbers are rendered, e.g. "10,000"
|
# How big numbers are rendered, e.g. "10,000"
|
||||||
thousandsDivider: ","
|
thousandsDivider: ","
|
||||||
|
|
||||||
|
# What symbol to use to seperate the integer part from the fractional part of a number, e.g. "0.4"
|
||||||
|
decimalSeparator: "."
|
||||||
|
|
||||||
# The suffix for large numbers, e.g. 1.3k, 400.2M, etc.
|
# The suffix for large numbers, e.g. 1.3k, 400.2M, etc.
|
||||||
suffix:
|
suffix:
|
||||||
thousands: k
|
thousands: k
|
||||||
@ -153,8 +155,6 @@ mainMenu:
|
|||||||
savegameLevel: Level <x>
|
savegameLevel: Level <x>
|
||||||
savegameLevelUnknown: Unknown Level
|
savegameLevelUnknown: Unknown Level
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
dialogs:
|
dialogs:
|
||||||
buttons:
|
buttons:
|
||||||
ok: OK
|
ok: OK
|
||||||
@ -632,8 +632,6 @@ storyRewards:
|
|||||||
desc: >-
|
desc: >-
|
||||||
This level gave you no reward, but the next one will! <br><br> PS: Better don't destroy your existing factory - You need <strong>all</strong> those shapes later again to <strong>unlock upgrades</strong>!
|
This level gave you no reward, but the next one will! <br><br> PS: Better don't destroy your existing factory - You need <strong>all</strong> those shapes later again to <strong>unlock upgrades</strong>!
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
no_reward_freeplay:
|
no_reward_freeplay:
|
||||||
title: Next level
|
title: Next level
|
||||||
desc: >-
|
desc: >-
|
||||||
|
@ -91,6 +91,9 @@ global:
|
|||||||
# How big numbers are rendered, e.g. "10,000"
|
# How big numbers are rendered, e.g. "10,000"
|
||||||
thousandsDivider: "."
|
thousandsDivider: "."
|
||||||
|
|
||||||
|
# What symbol to use to seperate the integer part from the fractional part of a number, e.g. "0.4"
|
||||||
|
decimalSeparator: ","
|
||||||
|
|
||||||
# The suffix for large numbers, e.g. 1.3k, 400.2M, etc.
|
# The suffix for large numbers, e.g. 1.3k, 400.2M, etc.
|
||||||
suffix:
|
suffix:
|
||||||
thousands: k
|
thousands: k
|
||||||
|
@ -91,6 +91,9 @@ global:
|
|||||||
# How big numbers are rendered, e.g. "10,000"
|
# How big numbers are rendered, e.g. "10,000"
|
||||||
thousandsDivider: ","
|
thousandsDivider: ","
|
||||||
|
|
||||||
|
# What symbol to use to seperate the integer part from the fractional part of a number, e.g. "0.4"
|
||||||
|
decimalSeparator: "."
|
||||||
|
|
||||||
# The suffix for large numbers, e.g. 1.3k, 400.2M, etc.
|
# The suffix for large numbers, e.g. 1.3k, 400.2M, etc.
|
||||||
suffix:
|
suffix:
|
||||||
thousands: b
|
thousands: b
|
||||||
|
@ -92,6 +92,9 @@ global:
|
|||||||
# How big numbers are rendered, e.g. "10,000"
|
# How big numbers are rendered, e.g. "10,000"
|
||||||
thousandsDivider: ","
|
thousandsDivider: ","
|
||||||
|
|
||||||
|
# What symbol to use to seperate the integer part from the fractional part of a number, e.g. "0.4"
|
||||||
|
decimalSeparator: "."
|
||||||
|
|
||||||
# The suffix for large numbers, e.g. 1.3k, 400.2M, etc.
|
# The suffix for large numbers, e.g. 1.3k, 400.2M, etc.
|
||||||
suffix:
|
suffix:
|
||||||
thousands: k
|
thousands: k
|
||||||
|
@ -119,6 +119,9 @@ global:
|
|||||||
# How big numbers are rendered, e.g. "10,000"
|
# How big numbers are rendered, e.g. "10,000"
|
||||||
thousandsDivider: ""
|
thousandsDivider: ""
|
||||||
|
|
||||||
|
# What symbol to use to seperate the integer part from the fractional part of a number, e.g. "0.4"
|
||||||
|
decimalSeparator: "."
|
||||||
|
|
||||||
# TODO: Chinese translation: suffix changes every 10000 in Chinese numbering system.
|
# TODO: Chinese translation: suffix changes every 10000 in Chinese numbering system.
|
||||||
# The suffix for large numbers, e.g. 1.3k, 400.2M, etc.
|
# The suffix for large numbers, e.g. 1.3k, 400.2M, etc.
|
||||||
suffix:
|
suffix:
|
||||||
|
@ -118,6 +118,9 @@ global:
|
|||||||
# How big numbers are rendered, e.g. "10,000"
|
# How big numbers are rendered, e.g. "10,000"
|
||||||
thousandsDivider: " "
|
thousandsDivider: " "
|
||||||
|
|
||||||
|
# What symbol to use to seperate the integer part from the fractional part of a number, e.g. "0.4"
|
||||||
|
decimalSeparator: "."
|
||||||
|
|
||||||
# The suffix for large numbers, e.g. 1.3k, 400.2M, etc.
|
# The suffix for large numbers, e.g. 1.3k, 400.2M, etc.
|
||||||
suffix:
|
suffix:
|
||||||
thousands: 千
|
thousands: 千
|
||||||
|
Loading…
Reference in New Issue
Block a user