Merge tag '0.88.1' into mtsr_devel

This commit is contained in:
Александр Авдеев 2025-01-06 11:52:37 +03:00
commit 1fadfcc64b
214 changed files with 5096 additions and 289 deletions

View File

@ -153,6 +153,7 @@
* THE-NERD2
* ethan
* villager8472
* ninjum
## Music
* Jordach for the jukebox music compilation from Big Freaking Dig
@ -258,6 +259,7 @@
* Pixel-Peter
* Laudrin
* chmodsayshello
* ninjum
## Funders
* 40W

View File

@ -1,4 +1,4 @@
title = VoxeLibre
description = A survival sandbox game. Survive, gather, hunt, build, explore, and do much more.
disallowed_mapgens = v6
version=0.88.0
version=0.88.1

View File

@ -0,0 +1,2 @@
# textdomain:mcl_explosions
@1 was caught in an explosion.=@1 foi atrapado nunha explosión.

View File

@ -344,6 +344,23 @@ function mcl_util.call_on_rightclick(itemstack, player, pointed_thing)
end
end
--- TODO: replace with global right-click handler patched in with core.on_register_mods_loaded()
function mcl_util.handle_node_rightclick(itemstack, player, pointed_thing)
-- Call on_rightclick if the pointed node defines it
if pointed_thing and pointed_thing.type == "node" then
local pos = pointed_thing.under
local node = minetest.get_node(pos)
if player and not player:get_player_control().sneak then
local nodedef = minetest.registered_nodes[node.name]
local on_rightclick = nodedef and nodedef.on_rightclick
if on_rightclick then
return on_rightclick(pos, node, player, itemstack, pointed_thing) or itemstack, true
end
end
end
return itemstack, false
end
function mcl_util.calculate_durability(itemstack)
local unbreaking_level = mcl_enchanting.get_enchantment(itemstack, "unbreaking")
local armor_uses = minetest.get_item_group(itemstack:get_name(), "mcl_armor_uses")

View File

@ -89,9 +89,9 @@ function render_frame(A, B)
zbuffer[yp][xp] = ooz
local luminance = math.max( math.ceil( L * 180 ), 0 )
-- luminance is now in the range 0 to 255
r = math.ceil( (luminance + xp) / 2 )
g = math.ceil( (luminance + yp) / 2 )
b = math.ceil( (luminance + xp + yp) / 3 )
local r = math.ceil( (luminance + xp) / 2 )
local g = math.ceil( (luminance + yp) / 2 )
local b = math.ceil( (luminance + xp + yp) / 3 )
output[yp][xp] = { r, g, b }
end
end

View File

@ -0,0 +1,24 @@
# textdomain: mcl_boats
Sneak to dismount=Agáchate para desmontar
Oak Boat=Barco de carballo
Spruce Boat=Barco de abeto
Birch Boat=Barco de bidueiro
Jungle Boat=Barco da xungla
Acacia Boat=Barco de acacia
Dark Oak Boat=Barco de carballo escuro
Obsidian Boat=Barco de obsidiana
Mangrove Boat=Barco de mangle
Cherry Boat=Barco cereixa
Oak Chest Boat=Barco cofre de carballo
Spruce Chest Boat=Barco de cofre de abeto
Birch Chest Boat=Barco de cofre de bidueiro
Jungle Chest Boat=Barco cofre da xungla
Acacia Chest Boat=Barco cofre de acacia
Dark Oak Chest Boat=Barco de cofre de carballo escuro
Mangrove Chest Boat=Barco cofre de mangle
Cherry Chest Boat=Barco de cofre de cereixa
Boats are used to travel on the surface of water.=Os barcos úsanse para viaxar pola superficie da auga.
##TODO: fuzzy matched - verify and remove the comment
Rightclick on a water source to place the boat. Rightclick the boat to enter it. Use [Left] and [Right] to steer, [Forwards] to speed up and [Backwards] to slow down or move backwards. Use [Sneak] to leave the boat, punch the boat to make it drop as an item.=Fai clic co botón dereito nunha fonte de auga para colocar o barco. Fai clic co botón dereito no barco para entrar nel. Use [Esquerda] e [Dereita] para dirixir, [Adiante] para acelerar e [Atrás] para desacelerar ou retroceder. Usa [Sneak] para deixar o barco, golpea o barco para que caia como elemento.
Boat=Barco
Water vehicle=Vehículo acuático

View File

@ -0,0 +1,3 @@
# textdomain: mcl_falling_nodes
@1 was smashed by a falling anvil.=@1 foi esnaquizado por unha yunque que caía.
@1 was smashed by a falling block.=@1 foi esnaquizado por un bloque que caía.

View File

@ -1,7 +1,6 @@
local modname = minetest.get_current_modname()
local modpath = minetest.get_modpath(modname)
local mod = mcl_minecarts
local S = minetest.get_translator(modname)
local mcl_log,DEBUG = mcl_util.make_mcl_logger("mcl_logging_minecarts", "Minecarts")
@ -17,9 +16,9 @@ local movement = dofile(modpath.."/movement.lua")
assert(movement.do_movement)
assert(movement.do_detached_movement)
assert(movement.handle_cart_enter)
assert(movement.handle_cart_leave)
-- Constants
local max_step_distance = 0.5
local MINECART_MAX_HP = 4
local TWO_OVER_PI = 2 / math.pi
@ -40,7 +39,7 @@ local function detach_driver(self)
minetest.log("action", driver_name.." left a minecart")
-- Update cart informatino
-- Update cart information
self._driver = nil
self._start_pos = nil
local player_meta = mcl_playerinfo.get_mod_meta(driver_name, modname)
@ -51,7 +50,7 @@ local function detach_driver(self)
if player then
local dir = staticdata.dir or vector.new(1,0,0)
local cart_pos = mod.get_cart_position(staticdata) or self.object:get_pos()
local new_pos = vector.offset(cart_pos, -dir.z, 0, dir.x)
local new_pos = cart_pos - dir
player:set_detach()
--print("placing player at "..tostring(new_pos).." from cart at "..tostring(cart_pos)..", old_pos="..tostring(player:get_pos()).."dir="..tostring(dir))
@ -75,8 +74,8 @@ function mod.kill_cart(staticdata, killer)
-- Leave nodes
if staticdata.attached_at then
handle_cart_leave(self, staticdata.attached_at, staticdata.dir )
else
movement.handle_cart_leave(staticdata, staticdata.attached_at, staticdata.dir )
--else
--mcl_log("TODO: handle detatched minecart death")
end
@ -332,11 +331,10 @@ function DEFAULT_CART_DEF:on_step(dtime)
end
-- Controls
local ctrl, player = nil, nil
if self._driver then
player = minetest.get_player_by_name(self._driver)
local player = minetest.get_player_by_name(self._driver)
if player then
ctrl = player:get_player_control()
local ctrl = player:get_player_control()
-- player detach
if ctrl.sneak then
detach_driver(self)
@ -385,18 +383,16 @@ local create_minecart = mod.create_minecart
-- Place a minecart at pointed_thing
function mod.place_minecart(itemstack, pointed_thing, placer)
if not pointed_thing.type == "node" then
return
end
if pointed_thing.type ~= "node" then return end
local look_4dir = math.round(placer:get_look_horizontal() * TWO_OVER_PI) % 4
local look_dir = core.fourdir_to_dir(look_4dir)
look_dir.x = -look_dir.x
look_dir = vector.new(-look_dir.x,0,look_dir.z)
local spawn_pos = pointed_thing.above
local cart_dir = look_dir
local railpos, node
local railpos
if mcl_minecarts.is_rail(pointed_thing.under) then
railpos = pointed_thing.under
elseif mcl_minecarts.is_rail(pointed_thing.above) then
@ -404,11 +400,10 @@ function mod.place_minecart(itemstack, pointed_thing, placer)
end
if railpos then
spawn_pos = railpos
node = minetest.get_node(railpos)
-- Try two orientations, and select the second if the first is at an angle
cart_dir1 = mcl_minecarts.get_rail_direction(railpos, look_dir)
cart_dir2 = mcl_minecarts.get_rail_direction(railpos, -look_dir)
local cart_dir1 = mcl_minecarts.get_rail_direction(railpos, look_dir)
local cart_dir2 = mcl_minecarts.get_rail_direction(railpos, -look_dir)
if vector.length(cart_dir1) <= 1 then
cart_dir = cart_dir1
else
@ -468,7 +463,7 @@ local function register_minecart_craftitem(itemstring, def)
stack_max = 1,
_mcl_dropper_on_drop = dropper_place_minecart,
on_place = function(itemstack, placer, pointed_thing)
if not pointed_thing.type == "node" then
if pointed_thing.type ~= "node" then
return
end
@ -548,7 +543,6 @@ function mod.register_minecart(def)
minetest.register_craft(craft)
end
end
local register_minecart = mod.register_minecart
dofile(modpath.."/carts/minecart.lua")
dofile(modpath.."/carts/with_chest.lua")
@ -636,11 +630,11 @@ minetest.register_globalstep(function(dtime)
local start_time
if DEBUG then start_time = minetest.get_us_time() end
for uuid,staticdata in mod.carts() do
local pos = mod.get_cart_position(staticdata)
for _,staticdata in mod.carts() do
--[[
local pos = mod.get_cart_position(staticdata)
local le = mcl_util.get_luaentity_from_uuid(staticdata.uuid)
print("cart# "..uuid..
print("cart# "..staticdata.uuid..
",velocity="..tostring(staticdata.velocity)..
",pos="..tostring(pos)..
",le="..tostring(le)..
@ -692,4 +686,3 @@ minetest.register_on_joinplayer(function(player)
end, player_name, cart_uuid)
end
end)

View File

@ -40,9 +40,8 @@ function mod.attach_driver(cart, player)
staticdata.last_player = player_name
-- Update player information
local uuid = staticdata.uuid
mcl_player.player_attached[player_name] = true
--minetest.log("action", player_name.." entered minecart #"..tostring(uuid).." at "..tostring(cart._start_pos))
mcl_log(player_name.." entered minecart #"..tostring(staticdata.uuid).." at "..tostring(cart._start_pos))
-- Attach the player object to the minecart
player:set_attach(cart.object, "", vector.new(1,-1.75,-2), vector.new(0,0,0))

View File

@ -1,6 +1,4 @@
local modname = minetest.get_current_modname()
local modpath = minetest.get_modpath(modname)
local mod = mcl_minecarts
local S = minetest.get_translator(modname)
-- Minecart with Chest

View File

@ -1,5 +1,4 @@
local modname = minetest.get_current_modname()
local modpath = minetest.get_modpath(modname)
local mod = mcl_minecarts
local S = minetest.get_translator(modname)

View File

@ -1,5 +1,4 @@
local modname = minetest.get_current_modname()
local modpath = minetest.get_modpath(modname)
local mod = mcl_minecarts
local S = minetest.get_translator(modname)
@ -30,7 +29,7 @@ local function hopper_take_item(self, dtime)
if objs then
mcl_log("there is an itemstring. Number of objs: ".. #objs)
for k, v in pairs(objs) do
for _, v in pairs(objs) do
local ent = v:get_luaentity()
if ent and not ent._removed and ent.itemstring and ent.itemstring ~= "" then
@ -88,7 +87,6 @@ local function hopper_take_item(self, dtime)
mcl_log("We have more than enough space. Now holds: " .. new_stack_size)
inv:set_stack("main", i, stack)
items_remaining = 0
ent.object:get_luaentity().itemstring = ""
ent.object:remove()

View File

@ -1,5 +1,4 @@
local modname = minetest.get_current_modname()
local modpath = minetest.get_modpath(modname)
local mod = mcl_minecarts
local S = minetest.get_translator(modname)

View File

@ -212,8 +212,8 @@ local function get_rail_connections(pos, opt)
-- Check for sloped rail one block down
local below_neighbor = vector.offset(neighbor, 0, -1, 0)
local node = force_get_node(below_neighbor)
local nodedef = minetest.registered_nodes[node.name]
node = force_get_node(below_neighbor)
nodedef = minetest.registered_nodes[node.name]
if mcl_minecarts.is_rail(below_neighbor) and ( legacy or get_path(nodedef, "_mcl_minecarts", "get_next_dir" ) ) then
local rev_dir = vector.direction(dir, vector.zero())
if ignore_neighbor_connections or is_connection(below_neighbor, rev_dir) then
@ -229,7 +229,7 @@ local function apply_connection_rules(node, nodedef, pos, rules, connections)
-- Select the best allowed connection
local rule = nil
local score = 0
for k,r in pairs(rules) do
for _,r in pairs(rules) do
if check_connection_rule(pos, connections, r) then
if r.score > score then
--print("Best rule so far is "..dump(r))
@ -351,7 +351,6 @@ local function update_rail_connections(pos, opt)
if opt and opt.convert_neighbors == false then return end
-- Check if the open end of this rail runs into a corner or a tee and convert that node into a tee or a cross
local neighbors = {}
for i=1,#CONNECTIONS do
local dir = CONNECTIONS[i]
if is_connection(pos, dir) then
@ -367,11 +366,6 @@ local function update_rail_connections(pos, opt)
end
mod.update_rail_connections = update_rail_connections
local north = vector.new(0,0,1)
local south = vector.new(0,0,-1)
local east = vector.new(1,0,0)
local west = vector.new(-1,0,0)
local function is_ahead_slope(pos, dir)
local ahead = vector.add(pos,dir)
if mcl_minecarts.is_rail(ahead) then return false end
@ -456,7 +450,6 @@ local _2_pi = math.pi * 2
local _half_pi = math.pi * 0.5
local _quart_pi = math.pi * 0.25
local pi = math.pi
local rot_debug = {}
function mod.update_cart_orientation(self)
local staticdata = self._staticdata
local dir = staticdata.dir
@ -469,9 +462,8 @@ function mod.update_cart_orientation(self)
-- Check if the rotation is a 180 flip and don't change if so
local rot = self.object:get_rotation()
local old_rot = vector.new(rot)
rot.y = (rot.y - _half_pi + _2_pi) % _2_pi
if not rot then return end
rot.y = (rot.y - _half_pi + _2_pi) % _2_pi
local diff = math.abs((rot_y - ( rot.y + pi ) % _2_pi) )
if diff < 0.001 or diff > _2_pi - 0.001 then
@ -520,7 +512,5 @@ function mod.reverse_cart_direction(staticdata)
staticdata.distance = 1 - (staticdata.distance or 0)
-- recalculate direction
local next_dir,_ = mod:get_rail_direction(staticdata.connected_at, next_dir)
staticdata.dir = next_dir
staticdata.dir = mod:get_rail_direction(staticdata.connected_at, next_dir)
end

View File

@ -27,7 +27,6 @@ Place it on rails. Punch it to move it. The TNT is ignited with a flint and stee
To obtain the minecart and TNT, punch them while holding down the sneak key. You can't do this if the TNT was ignited.=Um die Lore und das TNT zu erhalten, schlagen Sie sie, während Sie die Schleichtaste drücken. Das ist nicht möglich, wenn das TNT bereits gezündet wurde.
##[ rails.lua ]##
Place them on the ground to build your railway, the rails will automatically connect to each other and will turn into curves, T-junctions, crossings and slopes as needed.=Bauen Sie sie auf den Boden, um Ihr Schienennetzwerk zu errichten, die Schienen werden sich automatisch verbinden und sich nach Bedarf in Kurven, Einmündungen, Kreuzungen und Steigungen verwandeln.
New Rail=Neue Schiene
Track for minecarts=Strecke für Loren
Rails can be used to build transport tracks for minecarts. Normal rails slightly slow down minecarts due to friction.=Schienen können benutzt werden, um Strecken für Loren zu bauen. Normale Schienen werden Loren aufgrund von Reibung leicht verlangsamen.
Sloped Rail=Schiene mit Steigung

View File

@ -27,7 +27,6 @@ Place it on rails. Punch it to move it. The TNT is ignited with a flint and stee
To obtain the minecart and TNT, punch them while holding down the sneak key. You can't do this if the TNT was ignited.=For at få minevognen med TNT i din oppakning skal du slå den mens du holder snigeknappen nede. Du kan ikke gøre dette hvis TNTen er antændt.
##[ rails.lua ]##
Place them on the ground to build your railway, the rails will automatically connect to each other and will turn into curves, T-junctions, crossings and slopes as needed.=Placér dem på jorden for at bygge din jerbane. Sporene kobler sig automatisk sammen med hinanden og laver sving, T-kryds, kryds og skråninger efter behov.
New Rail=
Track for minecarts=Spor til minevogne.
Rails can be used to build transport tracks for minecarts. Normal rails slightly slow down minecarts due to friction.=Spor kan bruges til at bygge jernbaner til minevogne. Normale spor sænker minevognene en smule på grund af friktionsmodstand.
Sloped Rail=

View File

@ -27,7 +27,6 @@ Place it on rails. Punch it to move it. The TNT is ignited with a flint and stee
To obtain the minecart and TNT, punch them while holding down the sneak key. You can't do this if the TNT was ignited.=
##[ rails.lua ]##
Place them on the ground to build your railway, the rails will automatically connect to each other and will turn into curves, T-junctions, crossings and slopes as needed.=Colóquelos en el suelo para construir su ferrocarril, los rieles se conectarán automáticamente entre sí y se convertirán en curvas, uniones en T, cruces y pendientes según sea necesario.
New Rail=
Track for minecarts=
Rails can be used to build transport tracks for minecarts. Normal rails slightly slow down minecarts due to friction.=Los rieles se pueden usar para construir vías de transporte para vagonetas. Los rieles normales ralentizan ligeramente las vagonetas debido a la fricción.
Sloped Rail=

View File

@ -27,7 +27,6 @@ Place it on rails. Punch it to move it. The TNT is ignited with a flint and stee
To obtain the minecart and TNT, punch them while holding down the sneak key. You can't do this if the TNT was ignited.=Pour obtenir la wagonnet et la TNT, frappez-les tout en maintenant la touche furtive enfoncée. Vous ne pouvez pas faire cela si le TNT a été allumé.
##[ rails.lua ]##
Place them on the ground to build your railway, the rails will automatically connect to each other and will turn into curves, T-junctions, crossings and slopes as needed.=Placez-les sur le sol pour construire votre chemin de fer, les rails se connecteront automatiquement les uns aux autres et se transformeront en courbes, en jonctions en T, en traversées et en pentes au besoin.
New Rail=
Track for minecarts=Piste pour wagonnets
Rails can be used to build transport tracks for minecarts. Normal rails slightly slow down minecarts due to friction.=Les rails peuvent être utilisés pour construire des voies de transport pour les wagonnets. Les rails ralentissent légèrement les wagonnets en raison de la friction.
Sloped Rail=

View File

@ -0,0 +1,49 @@
# textdomain: mcl_minecarts
##[ carts/minecart.lua ]##
Sneak to dismount=Coarse para desmontar
Minecart=Vagoneta
Vehicle for fast travel on rails=Vehículo para desprazamentos rápidos sobre carrís
Minecarts can be used for a quick transportion on rails.=As vagonetas pódense usar para un transporte rápido sobre carrís.
Minecarts only ride on rails and always follow the tracks. At a T-junction with no straight way ahead, they turn left. The speed is affected by the rail type.=Las vagonetas só circulan sobre carrís e seguen sempre as pistas. Nun cruce en T sen camiño recto, xiran á esquerda. A velocidade vese afectada polo tipo de carril.
You can place the minecart on rails. Right-click it to enter it. Punch it to get it moving.=Podes colocar a vagoneta sobre carrís. Fai clic co botón dereito nel para ingresalo. Golpea para que se mova.
To obtain the minecart, punch it while holding down the sneak key.=Para obter a vagoneta, golpeao mentres mantés premida a tecla furtiva.
If it moves over a powered activator rail, you'll get ejected.=
##[ carts/with_chest.lua ]##
Minecart with Chest=Vagoneta con cofre
##[ carts/with_commandblock.lua ]##
Minecart with Command Block=Vagoneta con bloque de comandos
##[ carts/with_furnace.lua ]##
Minecart with Furnace=Vagoneta con forno
A minecart with furnace is a vehicle that travels on rails. It can propel itself with fuel.=Unha vagoneta con forno é un vehículo que circula sobre carrís. Pode impulsarse con combustible.
Place it on rails. If you give it some coal, the furnace will start burning for a long time and the minecart will be able to move itself. Punch it to get it moving.=Colócalo en raíles. Se lle dás algo de carbón, o forno comezará a arder durante moito tempo e a vagoneta poderá moverse por si mesmo. Golpea para que se mova.
To obtain the minecart and furnace, punch them while holding down the sneak key.=Para obter a vagoneta e o forno, pécheos mentres mantén premida a tecla furtiva.
##[ carts/with_hopper.lua ]##
Minecart with Hopper=Vagoneta con tolva
##[ carts/with_tnt.lua ]##
Minecart with TNT=Vagoneta con dinamita
Can be ignited by tools or powered activator rail=Pódese acender con ferramentas ou carril activador eléctrico
A minecart with TNT is an explosive vehicle that travels on rail.=
Place it on rails. Punch it to move it. The TNT is ignited with a flint and steel or when the minecart is on an powered activator rail.=Colócalo en raíles. Golpea para movelo. A dinamita encéndese cun pedernal e aceiro ou cando a vagoneta está nun carril activador motorizado.
To obtain the minecart and TNT, punch them while holding down the sneak key. You can't do this if the TNT was ignited.=Para obter a vagoneta e a dinamita, pégueos mentres mantén premida a tecla furtiva. Non podes facelo se a dinamita estaba acendido.
##[ rails.lua ]##
Place them on the ground to build your railway, the rails will automatically connect to each other and will turn into curves, T-junctions, crossings and slopes as needed.=Colócaos no chan para construír o teu ferrocarril, os carrís conectaranse automaticamente entre si e converteranse en curvas, cruces en T, cruces e pendentes segundo sexa necesario.
Track for minecarts=Pista para carros de mina
Rails can be used to build transport tracks for minecarts. Normal rails slightly slow down minecarts due to friction.=Os carrís pódense usar para construír vías de transporte para carros de minas. Os carrís normais ralentizan lixeiramente os carros de minas debido á fricción.
Sloped Rail=
##[ rails/activator.lua ]##
Activator Rail=Carril activador
Activates minecarts when powered=Activa os minecarts cando se alimenta
Rails can be used to build transport tracks for minecarts. Activator rails are used to activate special minecarts.=Os carrís pódense usar para construír vías de transporte para carros de minas. Os carrís activadores utilízanse para activar vagonetas especiais.
To make this rail activate minecarts, power it with redstone power and send a minecart over this piece of rail.=Para que este carril active os carros de minas, enciéndao con enerxía Redstone e envía unha vagoneta sobre este anaco de carril.
##[ rails/detector.lua ]##
Detector Rail=Carril detector
Emits redstone power when a minecart is detected=Emite poder de pedra vermella cando se detecta unha vagoneta
Rails can be used to build transport tracks for minecarts. A detector rail is able to detect a minecart above it and powers redstone mechanisms.=Os carrís pódense usar para construír vías de transporte para carros de minas. Un carril detector é capaz de detectar a vagpneta enriba dela e alimenta os mecanismos de pedra vermella.
To detect a minecart and provide redstone power, connect it to redstone trails or redstone mechanisms and send any minecart over the rail.=Para detectar unha vagoneta e proporcionar enerxía de pedra vermella, conéctao a pistas de pedra vermella ou mecanismos de pedra vermella e envía calquera vagoneta sobre o carril.
##[ rails/normal.lua ]##
Rail=Carril
##[ rails/powered.lua ]##
Powered Rail=Carril propulsor
Speed up when powered, slow down when not powered=Acelera cando está alimentado, reduce a velocidade cando non está alimentado
Rails can be used to build transport tracks for minecarts. Powered rails are able to accelerate and brake minecarts.=Os carrís pódense usar para construír vías de transporte para carros de minas. Os carrís motorizados son capaces de acelerar e frear os carros de minas.
Without redstone power, the rail will brake minecarts. To make this rail accelerate minecarts, power it with redstone power.=Sen enerxía Pedra Vermella, o carril freará as vagonetas. Para que este carril acelere os carros de minas, aliméntalo con enerxía Pedra Vermella.

View File

@ -27,7 +27,6 @@ Place it on rails. Punch it to move it. The TNT is ignited with a flint and stee
To obtain the minecart and TNT, punch them while holding down the sneak key. You can't do this if the TNT was ignited.=Per ottenere il carrello da miniera e la TNT, colpiscili tenendo premuto il tasto per accovacciarti. Non puoi farlo se la TNT è stata accesa.
##[ rails.lua ]##
Place them on the ground to build your railway, the rails will automatically connect to each other and will turn into curves, T-junctions, crossings and slopes as needed.=Piazzali sul terreno per costruire la tua ferrovia, i binari si collegheranno automaticamente tra di loro, cambiando in curve, incroci a T, incroci e pendenze quando necessario.
New Rail=
Track for minecarts=Tracciato per carrelli da miniera
Rails can be used to build transport tracks for minecarts. Normal rails slightly slow down minecarts due to friction.=I binari possono essere usati per costruire percorsi per i carrelli da miniera. I binari semplici rallentano leggermente i carrelli da miniera per via dell'attrito.
Sloped Rail=

View File

@ -27,7 +27,6 @@ Place it on rails. Punch it to move it. The TNT is ignited with a flint and stee
To obtain the minecart and TNT, punch them while holding down the sneak key. You can't do this if the TNT was ignited.=トロッコとTNTを入手するには、スニークキーを押しながらパンチしてください。TNTに火が着いていた場合は、無理です。
##[ rails.lua ]##
Place them on the ground to build your railway, the rails will automatically connect to each other and will turn into curves, T-junctions, crossings and slopes as needed.=地面に置いて線路を作ると、レール同士が自動的につながり、必要に応じてカーブや丁字路、踏切、坂道などに変化します。
New Rail=
Track for minecarts=トロッコ用の線路
Rails can be used to build transport tracks for minecarts. Normal rails slightly slow down minecarts due to friction.=レールを利用して、トロッコの輸送路が敷けます。普通のレールは、摩擦の関係でトロッコが少しずつ減速していきます。
Sloped Rail=

View File

@ -27,7 +27,6 @@ Place it on rails. Punch it to move it. The TNT is ignited with a flint and stee
To obtain the minecart and TNT, punch them while holding down the sneak key. You can't do this if the TNT was ignited.=Per obtenèr le vagonet e la TNT, tustatz z-o embei la tocha sneak enfonçada. Podètz pas faire quo si la TNT z-es atubada.
##[ rails.lua ]##
Place them on the ground to build your railway, the rails will automatically connect to each other and will turn into curves, T-junctions, crossings and slopes as needed.=Plaçatz z-o per sòu per construrre vostre chamin de fèrre, los ralhs se conectaron entre ilhs e faron de las corbas, de las junccions en T, en traversadas et en pentas au besonh.
New Rail=
Track for minecarts=Pista per vagonets
Rails can be used to build transport tracks for minecarts. Normal rails slightly slow down minecarts due to friction.=Los ralhs pòdon èsser utilizats per construrre los chamins de transpòrt per los vagonets. Los ralhs normaus ralentissons gentament los vagonet per causa de friccion.
Sloped Rail=

View File

@ -27,7 +27,6 @@ Place it on rails. Punch it to move it. The TNT is ignited with a flint and stee
To obtain the minecart and TNT, punch them while holding down the sneak key. You can't do this if the TNT was ignited.=Aby odzyskać wagonik z TNT uderz go podczas skradania. Nie możesz tego zrobić gdy TNT jest zapalone.
##[ rails.lua ]##
Place them on the ground to build your railway, the rails will automatically connect to each other and will turn into curves, T-junctions, crossings and slopes as needed.=Postaw je na ziemi by zbudować ścieżkę z torów. Tory automatycznie połączą się ze sobą i zamienią się w zakręty, skrzyżowania typu T, skrzyżowania i równie w zależności od potrzeb.
New Rail=
Track for minecarts=Tor dla wagoników
Rails can be used to build transport tracks for minecarts. Normal rails slightly slow down minecarts due to friction.=Tory mogą być wykorzystane do zbudowania torów dla wagoników. Zwyczajne tory nieco spowalniają wagoniki ze względu na tarcie.
Sloped Rail=

View File

@ -27,7 +27,6 @@ Place it on rails. Punch it to move it. The TNT is ignited with a flint and stee
To obtain the minecart and TNT, punch them while holding down the sneak key. You can't do this if the TNT was ignited.=Para obter o carrinho e a TNT, soque-os enquanto segura pressionada a tecla de agachar. Você não consegue fazer isso se a TNT foi acesa.
##[ rails.lua ]##
Place them on the ground to build your railway, the rails will automatically connect to each other and will turn into curves, T-junctions, crossings and slopes as needed.=Posicione-os no chão para construir suas linhas férreas, os trilhos vão conectar-se automaticamente uns nos outros e vão se transformar em curvas, junções em T, cruzamentos e rampas quando necessário.
New Rail=
Track for minecarts=Traçado para carrinhos
Rails can be used to build transport tracks for minecarts. Normal rails slightly slow down minecarts due to friction.=Trilhos podem ser usados para construir traçados de transporte para carrinhos. Trilhos normais freiam carrinhos gradativamente devido ao atrito.
Sloped Rail=

View File

@ -27,7 +27,6 @@ Place it on rails. Punch it to move it. The TNT is ignited with a flint and stee
To obtain the minecart and TNT, punch them while holding down the sneak key. You can't do this if the TNT was ignited.=Чтобы забрать вагонетку с ТНТ, ударьте по ней, удерживая клавишу [Красться]. Если ТНТ подожжён, сделать это нельзя.
##[ rails.lua ]##
Place them on the ground to build your railway, the rails will automatically connect to each other and will turn into curves, T-junctions, crossings and slopes as needed.=Поместите рельсы на землю, чтобы сделать железную дорогу, рельсы автоматически соединятся между собой и будут образовывать повороты, T-образные развилки, перекрёстки и склоны там, где это потребуется.
New Rail=
Track for minecarts=Железная дорога
Rails can be used to build transport tracks for minecarts. Normal rails slightly slow down minecarts due to friction.=Рельсы используются для строительства железной дороги. Обычные рельсы немного замедляют движение вагонеток из-за трения.
Sloped Rail=

View File

@ -27,7 +27,6 @@ Place it on rails. Punch it to move it. The TNT is ignited with a flint and stee
To obtain the minecart and TNT, punch them while holding down the sneak key. You can't do this if the TNT was ignited.=要获得矿车和TNT按住潜行键击打它们。如果炸药被点燃了你就不能这么做。
##[ rails.lua ]##
Place them on the ground to build your railway, the rails will automatically connect to each other and will turn into curves, T-junctions, crossings and slopes as needed.=把它们放在地上来建造你的铁路铁轨会自动连接起来并根据需要变成曲线、T形路口、交叉路口和斜坡。
New Rail=
Track for minecarts=矿车的轨道
Rails can be used to build transport tracks for minecarts. Normal rails slightly slow down minecarts due to friction.=铁轨可以用来建造矿车的运输轨道。正常轨道由于摩擦会使矿车稍微减速。
Sloped Rail=

View File

@ -27,7 +27,6 @@ Place it on rails. Punch it to move it. The TNT is ignited with a flint and stee
To obtain the minecart and TNT, punch them while holding down the sneak key. You can't do this if the TNT was ignited.=For å plukke opp gruvevognen og TNTen, slå dem imenst du holder snikeknappen.
##[ rails.lua ]##
Place them on the ground to build your railway, the rails will automatically connect to each other and will turn into curves, T-junctions, crossings and slopes as needed.=Plasser dem på bakken for å bygge en jernbane, skinnene kobles automatisk til hverandre og blir til kurver, kryss og bakker etter behov.
New Rail=
Track for minecarts=Spor for gruvevogner
Rails can be used to build transport tracks for minecarts. Normal rails slightly slow down minecarts due to friction.=Skinner kan brukes til å bygge transportspor for gruvevogner. Normale skinner bremser litt ned gruvevogner på grunn av friksjon.
Sloped Rail=

View File

@ -27,7 +27,6 @@ Place it on rails. Punch it to move it. The TNT is ignited with a flint and stee
To obtain the minecart and TNT, punch them while holding down the sneak key. You can't do this if the TNT was ignited.=
##[ rails.lua ]##
Place them on the ground to build your railway, the rails will automatically connect to each other and will turn into curves, T-junctions, crossings and slopes as needed.=
New Rail=
Track for minecarts=
Rails can be used to build transport tracks for minecarts. Normal rails slightly slow down minecarts due to friction.=
Sloped Rail=

View File

@ -1,13 +1,10 @@
local modname = minetest.get_current_modname()
local modpath = minetest.get_modpath(modname)
local mod = mcl_minecarts
local S = minetest.get_translator(modname)
local submod = {}
local ENABLE_TRAINS = core.settings:get_bool("mcl_minecarts_enable_trains",true)
-- Constants
local mcl_debug,DEBUG = mcl_util.make_mcl_logger("mcl_logging_minecart_debug", "Minecart Debug")
--DEBUG = false
--mcl_debug,DEBUG = function(msg) print(msg) end,true
-- Imports
@ -25,10 +22,7 @@ local train_length = mod.train_length
local update_train = mod.update_train
local reverse_train = mod.reverse_train
local link_cart_ahead = mod.link_cart_ahead
local update_cart_orientation = mod.update_cart_orientation
local get_cart_data = mod.get_cart_data
local get_cart_position = mod.get_cart_position
local function reverse_direction(staticdata)
if staticdata.behind or staticdata.ahead then
@ -80,7 +74,7 @@ local function handle_cart_enter_exit(staticdata, pos, next_dir, event)
if luaentity then
local hook = luaentity["_mcl_minecarts_"..event]
if hook then hook(luaentity, pos, staticdata) end
else
--else
--minetest.log("warning", "TODO: change _mcl_minecarts_"..event.." calling so it is not dependent on the existence of a luaentity")
end
end
@ -101,6 +95,7 @@ local function handle_cart_leave(staticdata, pos, next_dir)
set_metadata_cart_status(pos, staticdata.uuid, nil)
handle_cart_enter_exit(staticdata, pos, next_dir, "on_leave" )
end
submod.handle_cart_leave = handle_cart_leave
local function handle_cart_node_watches(staticdata, dtime)
local watches = staticdata.node_watches or {}
local new_watches = {}
@ -150,7 +145,7 @@ local function handle_cart_collision(cart1_staticdata, prev_pos, next_dir)
local carts = minetest.deserialize(meta:get_string("_mcl_minecarts_carts")) or {}
local cart_uuid = nil
local dirty = false
for uuid,v in pairs(carts) do
for uuid,_ in pairs(carts) do
-- Clean up dead carts
local data = get_cart_data(uuid)
if not data or not data.connected_at then
@ -165,7 +160,6 @@ local function handle_cart_collision(cart1_staticdata, prev_pos, next_dir)
meta:set_string("_mcl_minecarts_carts",minetest.serialize(carts))
end
local meta = minetest.get_meta(vector.add(pos,next_dir))
if not cart_uuid then return end
-- Don't collide with the train car in front of you
@ -331,7 +325,6 @@ local function do_movement_step(staticdata, dtime)
local impulse = ctrl.impulse
ctrl.impulse = nil
local old_v_0 = v_0
local new_v_0 = v_0 + impulse
if new_v_0 > SPEED_MAX then
new_v_0 = SPEED_MAX
@ -541,8 +534,7 @@ function submod.do_movement( staticdata, dtime )
end
end
local _half_pi = math.pi * 0.5
function submod.do_detached_movement(self, dtime)
function submod.do_detached_movement(self)
local staticdata = self._staticdata
-- Make sure the object is still valid before trying to move it
@ -622,7 +614,7 @@ function submod.do_detached_movement(self, dtime)
end
-- Reset pitch if still not attached
local rot = self.object:get_rotation()
rot = self.object:get_rotation()
rot.x = 0
self.object:set_rotation(rot)
end

View File

@ -9,7 +9,6 @@ mod.RAIL_GROUPS = {
-- Inport functions and constants from elsewhere
local table_merge = mcl_util.table_merge
local check_connection_rules = mod.check_connection_rules
local update_rail_connections = mod.update_rail_connections
local minetest_fourdir_to_dir = minetest.fourdir_to_dir
local minetest_dir_to_fourdir = minetest.dir_to_fourdir
@ -104,7 +103,6 @@ local BASE_DEF = {
stack_max = 64,
sounds = mcl_sounds.node_sound_metal_defaults(),
is_ground_content = true,
paramtype = "light",
use_texture_alpha = "clip",
collision_box = {
type = "fixed",
@ -284,13 +282,11 @@ function mod.register_straight_rail(base_name, tiles, def)
mod.register_rail_sloped(base_name.."_sloped", table_merge(table.copy(sloped_def),{
_mcl_minecarts = {
get_next_dir = rail_dir_sloped,
railtype = "sloped",
suffix = "_sloped",
},
mesecons = make_mesecons(base_name, "_sloped", def.mesecons),
tiles = { tiles[1] },
_mcl_minecarts = {
railtype = "sloped",
},
}))
end

View File

@ -1,5 +1,4 @@
local modname = minetest.get_current_modname()
local modpath = minetest.get_modpath(modname)
local mod = mcl_minecarts
local S = minetest.get_translator(modname)

View File

@ -1,5 +1,4 @@
local modname = minetest.get_current_modname()
local modpath = minetest.get_modpath(modname)
local mod = mcl_minecarts
local S = minetest.get_translator(modname)

View File

@ -1,5 +1,4 @@
local modname = minetest.get_current_modname()
local modpath = minetest.get_modpath(modname)
local mod = mcl_minecarts
local S = minetest.get_translator(modname)

View File

@ -1,5 +1,4 @@
local modname = minetest.get_current_modname()
local modpath = minetest.get_modpath(modname)
local mod = mcl_minecarts
local S = minetest.get_translator(modname)

View File

@ -1,5 +1,3 @@
local modname = minetest.get_current_modname()
local modpath = minetest.get_modpath(modname)
local mod = mcl_minecarts
-- Imports
@ -42,7 +40,7 @@ local train_cars = mod.train_cars
function mod.train_length(cart)
local count = 0
for cart in train_cars(cart) do
for _ in train_cars(cart) do
count = count + 1
end
return count
@ -103,14 +101,12 @@ function mod.update_train(staticdata)
-- Set the entire train to the average velocity
local behind = nil
for c in train_cars(staticdata) do
local e = 0
local separation
local cart_velocity = velocity
if not c.connected_at then
break_train_at(c)
elseif behind then
separation = distance_between_cars(behind, c)
local e = 0
if not separation then
break_train_at(c)
elseif separation > 1.6 then
@ -144,4 +140,3 @@ function mod.reverse_train(cart)
c.behind,c.ahead = c.ahead,c.behind
end
end

View File

@ -56,7 +56,7 @@ function mob_class:jock_to(mob, reletive_pos, rot)
if not pos then return end
self.jockey = mob
local jock = minetest.add_entity(pos, mob)
local jock = mcl_mobs.spawn(pos, mob)
if not jock then return end
jock:get_luaentity().docile_by_day = false
jock:get_luaentity().riden_by_jock = true

View File

@ -0,0 +1,17 @@
# textdomain: mcl_mobs
This allows you to place a single mob.=Isto permítelle colocar un único mob.
Just place it where you want the mob to appear. Animals will spawn tamed, unless you hold down the sneak key while placing. If you place this on a mob spawner, you change the mob it spawns.=Simplemente colócao onde queres que apareza o inimigo. Os animais aparecerán domesticados, a menos que manteñas premida a tecla furtiva mentres o colocas. Se colocas isto nun xerador de mob, cambias o mob que xera.
You need the “maphack” privilege to change the mob spawner.=Precisas o privilexio "maphack" para cambiar o xerador de mob.
Only peaceful mobs allowed!=¡Só se permiten mobs pacíficos!!
##[ api.lua ]##
Peaceful mode active! No monsters will spawn.=¡Modo tranquilo activo! Non aparecerá ningún monstro.
Removes specified mobs except nametagged and tamed ones. For the second parameter, use nametagged/tamed to select only nametagged/tamed mobs, or a range to specify a maximum distance from the player.=Elimina as turbas especificadas, excepto as con nome e as domesticadas. Para o segundo parámetro, use nametagged/tamed para seleccionar só mobs nametagged/tamed, ou un intervalo para especificar unha distancia máxima do xogador.
Default usage. Clearing hostile mobs. For more options please type: /help clearmobs=Uso predeterminado. Eliminando turbas hostís. Para obter máis opcións, escriba: /help clearmobs
##[ spawning.lua ]##
spawn_mob is a chatcommand that allows you to type in the name of a mob without 'typing mobs_mc:' all the time like so; 'spawn_mob spider'. however, there is more you can do with this special command, currently you can edit any number, boolean, and string variable you choose with this format: spawn_mob 'any_mob:var<mobs_variable@=variable_value>:'. any_mob being your mob of choice, mobs_variable being the variable, and variable value being the value of the chosen variable. and example of this format: @n spawn_mob skeleton:var<passive@=true>:@n this would spawn a skeleton that wouldn't attack you. REMEMBER-THIS> when changing a number value always prefix it with 'NUM', example: @n spawn_mob skeleton:var<jump_height@=NUM10>:@n this setting the skelly's jump height to 10. if you want to make multiple changes to a mob, you can, example: @n spawn_mob skeleton:var<passive@=true>::var<jump_height@=NUM10>::var<fly_in@=air>::var<fly@=true>:@n etc.=
##[ crafts.lua ]##
Name Tag=Etiqueta
Give names to mobs=Dálle nomes aos mobs
Set name at anvil=Establecer o nome na zafra
A name tag is an item to name a mob.=Unha etiqueta de nome é un elemento para nomear un inimigo.
Before you use the name tag, you need to set a name at an anvil. Then you can use the name tag to name a mob. This uses up the name tag.=Antes de usar a etiqueta de nome, cómpre establecer un nome nun zafra. Despois podes usar a etiqueta de nome para nomear unha multitude. Isto usa a etiqueta de nome.

View File

@ -11,7 +11,7 @@ local PATHFINDING = "gowp"
local node_snow = "mcl_core:snow"
local mobs_griefing = minetest.settings:get_bool("mobs_griefing") ~= false
local logging = minetest.settings:get_bool("mcl_logging_mobs_movement", true)
local logging = minetest.settings:get_bool("mcl_logging_mobs_movement", false)
local random = math.random
local sin = math.sin

View File

@ -0,0 +1,2 @@
# textdomain:mcl_paintings
Painting=Pintura

View File

@ -0,0 +1,152 @@
# textdomain: mobs_mc
##[ axolotl.lua ]##
Axolotl=Axolotl
##[ bat.lua ]##
Bat=Morcego
##[ rabbit.lua ]##
Rabbit=Coello
Killer Bunny=Coello asasino
##[ chicken.lua ]##
Chicken=polo
##[ cow+mooshroom.lua ]##
Cow=vaca
Mooshroom=Mooshroom
##[ horse.lua ]##
Horse=Cabalo
Skeleton Horse=Cabalo esqueleto
Zombie Horse=Cabalo zombi
Donkey=Burro
Mule=Mula
##[ llama.lua ]##
Llama=Chama
##[ ocelot.lua ]##
Ocelot=Ocelote
Cat=gato
##[ parrot.lua ]##
Parrot=Loro
##[ pig.lua ]##
Pig=Porco
##[ polar_bear.lua ]##
Polar Bear=Oso polar
##[ sheep.lua ]##
Sheep=ovella
##[ wolf.lua ]##
Wolf=Lobo
Dog=
##[ squid.lua ]##
Squid=Calamar
##[ villager.lua ]##
Novice=
Apprentice=
Journeyman=
Expert=
Master=
Unemployed=
Farmer=Labrego
Fisherman=Pescador
Fletcher=Fletcher
Shepherd=Pastor
Librarian=Bibliotecario
Cartographer=Cartógrafo
Armorer=Armeiro
Leatherworker=Coiro
Butcher=carniceiro
Weapon Smith=Arma Smith
Tool Smith=Ferramenta Smith
Cleric=Clérigo
Mason=
Nitwit=Nitwit
Villager=Aldeano
##[ pillager.lua ]##
Pillager=Pillador
##[ villager_evoker.lua ]##
Evoker=Evocador
##[ villager_vindicator.lua ]##
Vindicator=Vindicador
##[ villager_zombie.lua ]##
Zombie Villager=Aldeabo Zombi
##[ witch.lua ]##
Witch=Bruxa
##[ blaze.lua ]##
Blaze=Blaze
##[ ender_dragon.lua ]##
Ender Dragon=Ender Dragon
##[ endermite.lua ]##
Endermite=Endermita
##[ villager_illusioner.lua ]##
Illusioner=Ilusionista
##[ ghast.lua ]##
Ghast=Ghast
##[ guardian.lua ]##
Guardian=Gardián
##[ guardian_elder.lua ]##
Elder Guardian=Gardián Ancián
##[ snowman.lua ]##
Snow Golem=Golem de neve
##[ iron_golem.lua ]##
Iron Golem=Golem de ferro
##[ rover.lua ]##
Rover=
##[ shulker.lua ]##
Shulker=Shulker
##[ silverfish.lua ]##
Silverfish=Peixe de prata
##[ skeleton+stray.lua ]##
Skeleton=Esqueleto
Stray=Esqueleto
##[ skeleton_wither.lua ]##
Wither Skeleton=Esqueleto de Wither
##[ stalker.lua ]##
Stalker=Acosador
Overloaded Stalker=
##[ zombie.lua ]##
Zombie=Zombi
Baby Zombie=Bebé zombi
Husk=casca
Baby Husk=Bebé Husk
##[ slime+magma_cube.lua ]##
Slime - big=
Slime - small=
Slime - tiny=
Magma Cube - big=
Magma Cube - small=
Magma Cube - tiny=
Magma Cube=Cubo de magma
Slime=Limo
##[ spider.lua ]##
Spider=Araña
Cave Spider=Araña caverna
##[ vex.lua ]##
Vex=Vex
##[ wither.lua ]##
Wither=murchar
##[ cod.lua ]##
Cod=Cod
##[ salmon.lua ]##
Salmon=salmón
##[ tropical_fish.lua ]##
Tropical fish=
##[ dolphin.lua ]##
Dolphin=Golfiño
##[ glow_squid.lua ]##
Glow Squid=Calamar brillante
##[ piglin.lua ]##
Piglin=Piglin
Sword Piglin=Espada Piglin
Zombie Piglin=Zombie Piglin
Baby Zombie Piglin=Bebé Zombie Piglin
Piglin Brute=Piglin Brute
##[ hoglin+zoglin.lua ]##
Hoglin=Golfiño
Zoglin=Baby hoglin
Baby hoglin=Baby hoglin
##[ strider.lua ]##
Strider=Strider
Baby Strider=
##### not used anymore #####
Agent=Axente
Enderman=Enderman
Baby Piglin=Bebé Piglin

View File

@ -0,0 +1,8 @@
# textdomain: lightning
##TODO: fuzzy matched - verify and remove the comment
Let lightning strike at the specified position or player. No parameter will strike yourself.=Deixa caer un raio na posición ou no xogador especificado.Ningún parámetro vai caer a ti mesmo.
##### not used anymore #####
No position specified and unknown player=Sen posición especificada e xogador descoñecido

View File

@ -0,0 +1,2 @@
# textdomain: mcl_raids
Ominous Banner=Estandarte Ameazador

View File

@ -0,0 +1,7 @@
# textdomain: mcl_void_damage
The void is off-limits to you!=¡O baleiro está fóra dos límites para ti!
##### not used anymore #####
@1 fell into the endless void.=@1 caeu no baleiro sen fin.

View File

@ -0,0 +1,9 @@
# textdomain: mcl_weather
##[ weather_core.lua ]##
Gives ability to control weather=Dá a capacidade de controlar o tempo
Changes the weather to the specified parameter.=Cambia o tempo ao parámetro especificado.
Error: No weather specified.=Erro: non se especificou tempo.
Error: Invalid parameters.=Erro: parámetros non válidos.
Error: Duration can't be less than 1 second.=Erro: a duración non pode ser inferior a 1 segundo.
Error: Invalid weather specified. Use “clear”, “rain”, “snow” or “thunder”.=Erro: tempo especificado non válido. Use "claro", "choiva", "neve" ou "trono".
Toggles between clear weather and weather with downfall (randomly rain, thunderstorm or snow)=Alterna entre o tempo claro e o tempo con caída (choiva, treboada ou neve aleatoriamente)

View File

@ -0,0 +1,54 @@
# textdomain:doc
This is the help.=Esta é a axuda.
New help entry unlocked: @1 > @2=Nova entrada de axuda desbloqueada: @1 > @2
All help entries revealed!=¡Reveláronse todas as entradas de axuda!
All help entries are already revealed.=Todas as entradas de axuda xa están reveladas.
Category list=Lista de Categorias
Entry list=Lista de Entradas
Entry=Entrada
Error: No help available.=Erro: Non hai axuda dispoñible.
No categories have been registered, but they are required to provide help.=Non se rexistraron categorías, pero son necesarias para proporcionar axuda.
The Documentation System [doc] does not come with help contents on its own, it needs additional mods to add help content. Please make sure such mods are enabled on for this world, and try again.=O sistema de documentación [doc] non inclúe contidos de axuda por si só, necesita modificacións adicionais para engadir contido de axuda. Asegúrate de que estes modificacións estean activadas para este mundo e téntao de novo.
Recommended mods: doc_basics, doc_items, doc_identifier, doc_encyclopedia.=Modificacións recomendadas: doc_basics, doc_items, doc_identifier, doc_encyclopedia
Error: Access denied.=Erro: acceso denegado.
Access to the requested entry has been denied; this entry is secret. You may unlock access by progressing in the game. Figure out on your own how to unlock this entry.=O acceso á entrada solicitada foi denegado; esta entrada é secreta. Podes desbloquear o acceso progresando no xogo. Descubra por conta propia como desbloquear esta entrada.
Nameless entry (@1)=Entrada sem nome (@1)
Help > @1=Axuda > @1
Currently all entries in this category are hidden from you.=
Unlock new entries by progressing in the game.=Desbloquea novas entradas progresando no xogo.
Number of entries: @1=Número de entradas: @1
New entries: @1=Novas entradas: (@1)
Hidden entries: @1=Entradas ocultas: @1
Help > @1 > (No Entry)=Axuda > @1 > (Sen entrada)
Help > @1 > @2=Axuda > @1 > @2
Open a window providing help entries about Minetest and more=Abre unha ventá que ofrece entradas de axuda sobre Minetest e máis
Help=Axuda
Collection of help texts=Colección de textos de axuda
Allows you to reveal all hidden help entries with /help_reveal=Permítelle revelar todas as entradas de axuda ocultas con /help_reveal
Reveal all hidden help entries to you=Mostrarche todas as entradas de axuda ocultas
##### not used anymore #####
All entries read.=Todas as entradas lidas.
Currently all entries in this category are hidden from you.\\nUnlock new entries by progressing in the game.=Actualmente todas as entradas desta categoría están ocultas para ti.
Go to category list=Ir á lista de categorías
Go to entry list=Ir á lista de entradas
Help > (No Category)=Axuda > (Sen categoría)
OK=Ben
Please select a category you wish to learn more about:=Seleccione unha categoría sobre a que desexa obter máis información:
Show entry=Mostrar entrada
Show category=Mostrar categoría
Show next entry=Mostrar a seguinte entrada
Show previous entry=Mostrar entrada anterior
This category does not have any entries.=Esta categoría non ten entradas.
This category has the following entries:=Esta categoría ten as seguintes entradas:
This category is empty.=Esta categoría está baleira.
You haven't chosen a category yet. Please choose one in the category list first.=Aínda non escolliches unha categoría. Escolla primeiro un na lista de categorías.
You haven't chosen an entry yet. Please choose one in the entry list first.=Aínda non escolliches ningunha entrada. Escolla primeiro un na lista de entradas.
Notify me when new help is available=Notificarme cando hai unha nova axuda dispoñible
Play notification sound when new help is available=Reproduce un son de notificación cando hai unha nova axuda dispoñible
Show previous image=Mostrar imaxe anterior
Show previous gallery page=Mostrar a páxina anterior da galería
Show next image=Mostrar a seguinte imaxe
Show next gallery page=Mostrar a seguinte páxina da galería

View File

@ -0,0 +1,19 @@
# textdomain:doc_identifier
No help entry for this item could be found.=Non se puido atopar ningunha entrada de axuda para este elemento.
No help entry for this block could be found.=Non se puido atopar ningunha entrada de axuda para este bloque.
Error: This node, item or object is undefined. This is always an error.=Erro: este nodo, elemento ou obxecto non está definido. Isto sempre é un erro.
This can happen for the following reasons:=Isto pode ocorrer polos seguintes motivos:
• The mod which is required for it is not enabled=• O mod que é necesario para iso non está activado
• The author of the game or a mod has made a mistake=• O autor do xogo ou un mod cometeu un erro
It appears to originate from the mod “@1”, which is enabled.=Parece orixinarse do mod "@1", que está activado.
It appears to originate from the mod “@1”, which is not enabled!=¡Parece orixinarse do mod "@1", que non está activado!
Its identifier is “@1”.=O seu identificador é “@1”.
This block cannot be identified because the world has not materialized at this point yet. Try again in a few seconds.=Non se pode identificar este bloque porque o mundo aínda non se materializou neste momento. Téntao de novo nuns segundos.
No help entry for this object could be found.=Non se puido atopar ningunha entrada de axuda para este obxecto.
This is a player.=Este é un xogador.
OK=Aceptar
Lookup Tool=Ferramenta de busca
Show help for pointed thing=Mostrar axuda para cousa apuntada
##TODO: fuzzy matched - verify and remove the comment
This useful little helper can be used to quickly learn more about one's closer environment. It identifies and analyzes blocks, items and other things and it shows extensive information about the thing on which it is used.=Este pequeno axudante útil pódese usar para aprender rapidamente máis sobre o propio entorno máis próximo. Identifica e analiza bloques, elementos e outras cousas e mostra unha ampla información sobre a cousa na que se usa.
Punch any block, item or other thing about you wish to learn more about. This will open up the appropriate help entry. The tool comes in two modes which are changed by using. In liquid mode, this tool points to liquids as well while in solid mode this is not the case.=Perfora calquera bloque, elemento ou outra cousa sobre o que queiras saber máis. Isto abrirá a entrada de axuda adecuada. A ferramenta vén en dous modos que se cambian usando. No modo líquido, esta ferramenta tamén apunta a líquidos, mentres que no modo sólido este non é o caso.

View File

@ -1152,7 +1152,7 @@ doc.add_category("mobs", {
datastring = datastring .. S("Type: @1", data.type)
datastring = newline2(datastring)
end
if data.spawn_class then
datastring = datastring .. S("spawn class: @1", data.spawn_class)
datastring = newline2(datastring)
@ -1167,25 +1167,18 @@ doc.add_category("mobs", {
datastring = datastring .. S("Can Fly")
datastring = newline2(datastring)
end
if data.drops then
count = 0
if data.drops and #data.drops > 0 then
datastring = datastring .. S("drops: ")
datastring = newline(datastring)
for _,item in ipairs(data.drops) do
count = count + 1
end
if count > 0 then
datastring = datastring .. S("drops: ")
local itemDescription = ItemStack(item.name):get_short_description()
datastring = datastring .. itemDescription
datastring = newline(datastring)
for _,item in ipairs(data.drops) do
local itemDescription = ItemStack(item.name):get_short_description()
datastring = datastring .. itemDescription
datastring = newline(datastring)
end
datastring = newline2(datastring)
end
datastring = newline2(datastring)
end
if data.follow then
@ -1203,12 +1196,11 @@ doc.add_category("mobs", {
datastring = newline(datastring)
end
end
datastring = newline2(datastring)
end
local formstring = doc.widgets.text(datastring, nil, nil, doc.FORMSPEC.ENTRY_WIDTH - 1.2)
return formstring
else
return "label[0,1;NO DATA AVALIABLE!]"

View File

@ -0,0 +1,164 @@
# textdomain:doc_items
##TODO: fuzzy matched - verify and remove the comment
This is a decorative block.=Este é un bloque decorativo.
This block is a building block for creating various buildings.=Este bloque é un bloque para crear varios edificios.
This item is primarily used for crafting other items.=Este elemento úsase principalmente para elaborar outros elementos.
##TODO: fuzzy matched - verify and remove the comment
Hold it in your hand, then left-click to eat it.=Mantéñao na man e, a continuación, prema co botón esquerdo para comelo.
##TODO: fuzzy matched - verify and remove the comment
Hold it in your hand, then left-click to eat it. But why would you want to do this?=Mantéñao na man e, a continuación, prema co botón esquerdo para comelo. ¿Pero por que queres facer isto?
This block's rotation is affected by the way you place it: Place it on the floor or ceiling for a vertical orientation; place it at the side for a horizontal orientation. Sneaking while placing it leads to a perpendicular orientation instead.=A rotación deste bloque vese afectada pola forma de colocalo: colócao no chan ou no teito para unha orientación vertical; colócao ao lado para unha orientación horizontal. Colarse mentres o coloca leva a unha orientación perpendicular no seu lugar.
Hand=Man
Air=Aire
Yes=Si
No=Non
# List separator (e.g. “one, two, three”)
, =,
Unknown item (@1)=Elemento descoñecido (@1)
unknown=descoñecido
1 second=1 segundo
@1 seconds=@1 segundo
• @1: @2=
• @1, rating @2: @3 s - @4 s=• @1, clasificación @2: @3 s - @4 s
• @1, rating @2: @3 s=• @1, clasificación @2: @3 s
• @1, level @2: @3 uses=• @1, nivel @2: @3 usos
• @1, level @2: Unlimited=• @1, nivel @2: ilimitado
This tool is capable of mining.=Esta ferramenta é capaz de minar.
Maximum toughness levels:=Niveis máximos de tenacidade:
Mining times:=Tempos de minería:
Durability:=Durabilidade:
This is a melee weapon which deals damage by punching.=Esta é unha arma corpo a corpo que fai dano ao golpear.
Maximum damage per hit:=Dano máximo por golpe:
• @1: @2 HP=
Full punch interval: @1 s=Intervalo completo de golpe: @1 s
This block can be mined by any mining tool in half a second.=Este bloque pode ser extraído por calquera ferramenta de minería en medio segundo.
This block can be mined by any mining tool immediately.=Este bloque pode ser minado por calquera ferramenta de minería inmediatamente.
This block cannot be mined by ordinary mining tools.=
This block can be destroyed by any mining tool in half a second.=Este bloque pode ser destruído por calquera ferramenta de minería en medio segundo.
This block can be destroyed by any mining tool immediately.=Este bloque pode ser destruído por calquera ferramenta de minería inmediatamente.
This block cannot be destroyed by ordinary mining tools.=
This block can be mined by mining tools which match any of the following mining ratings and its toughness level.=Este bloque pódese extraer mediante ferramentas de minería que coincidan con calquera das seguintes clasificacións de minería e o seu nivel de dureza.
Mining ratings:=Clasificación mineira:
Toughness level: @1=Nivel de tenacidade: @1
Range: @1=Alcance: @1
Range: 4=Alcance: 4
# Range: <Hand> (<Range>)
Range: @1 (@2)=Alcance: @1 (@2)
This tool can serve as a smelting fuel with a burning time of @1.=Esta ferramenta pode servir como combustible de fundición cun tempo de combustión de @1.
This block can serve as a smelting fuel with a burning time of @1.=Este bloque pode servir como combustible de fundición cun tempo de combustión de @1.
This item can serve as a smelting fuel with a burning time of @1.=Este elemento pode servir como combustible de fundición cun tempo de combustión de @1.
Using it as fuel turns it into: @1.= Usalo como combustible convérteo en: @1.
Itemstring: "@1"=Cadea de elementos: "@1"
Description: @1=Descrición: @1
Usage help: @1=Como usar: @1
Maximum stack size: @1=Tamaño máximo da pila: @1
This block points to liquids.=Este bloque apunta a líquidos.
This tool points to liquids.=Esta ferramenta apunta a líquidos.
This item points to liquids.=Este elemento apunta a líquidos.
Punches with this block don't work as usual; melee combat and mining are either not possible or work differently.=Os golpes con este bloque non funcionan como de costume; o combate corpo a corpo e a minería non son posibles ou funcionan de forma diferente.
Punches with this tool don't work as usual; melee combat and mining are either not possible or work differently.=Os golpes con esta ferramenta non funcionan como de costume; o combate corpo a corpo e a minería non son posibles ou funcionan de forma diferente.
Punches with this item don't work as usual; melee combat and mining are either not possible or work differently.=Os golpes con este elemento non funcionan como de costume; o combate corpo a corpo e a minería non son posibles ou funcionan de forma diferente.
This block belongs to the @1 group.=Este bloque pertence ao grupo @1.
This tool belongs to the @1 group.=Esta ferramenta pertence ao grupo @1.
This item belongs to the @1 group.=Este elemento pertence ao grupo @1.
This block belongs to these groups: @1.=Este bloque pertence a estes grupos: @1.
This tool belongs to these groups: @1.=Esta ferramenta pertence a estes grupos: @1.
This item belongs to these groups: @1.=Este elemento pertence a estes grupos: @1.
Blocks=Bloques
Item reference of blocks and other things which are capable of occupying space=Referencia de elementos de bloques e outras cousas que son capaces de ocupar espazo
Collidable: @1=Colisible: @1
Pointable: Yes=Puntual: Si
Pointable: Only by special items=Puntable: só por elementos especiais
Pointable: No=Puntual: Non
This block is a liquid with these properties:=Este bloque é un líquido con estas propiedades:
• Renewable=• • Renovable
• Not renewable=• Non renovable
• No flowing=• Non fluír
• Flowing range: @1=• Rango de fluxo: @1
• Viscosity: @1=• Viscosidade: @1
This block causes a damage of @1 hit points per second.=Este bloque causa un dano de @1 puntos de vida por segundo.
This block causes a damage of @1 hit point per second.=Este bloque causa un dano de @1 punto de golpe por segundo.
This block decreases your breath and causes a drowning damage of @1 hit points every 2 seconds.=Este bloque diminúe a túa respiración e causa un dano por afogamento de @1 punto de golpe cada 2 segundos..
This block decreases your breath and causes a drowning damage of @1 hit point every 2 seconds.=Este bloque diminúe a túa respiración e causa un dano por afogamento de @1 punto de golpe cada 2 segundos.
The fall damage on this block is increased by @1%.=O dano por caída neste bloque aumenta nun @1%..
This block cancels any fall damage.=
The fall damage on this block is reduced by @1%.=O dano por caída neste bloque redúcese nun @1%.
##TODO: fuzzy matched - verify and remove the comment
You cannot jump while standing on this block.=Non podes saltar mentres estás de pé neste bloque.
This block can be climbed.=Este bloque pódese escalar.
This block will make you bounce off with an elasticity of @1%.=Este bloque farache rebotar cunha elasticidade de @1%.
This block is slippery.=Este bloque é esvaradío.
This block is completely silent when walked on, mined or built.=Este bloque é completamente silencioso cando se pisa, se extrae ou se constrúe.
This block is completely silent when mined or built.=Este bloque é completamente silencioso cando se extrae ou se constrúe.
Walking on this block is completely silent.=Camiñar por este bloque é completamente silencioso.
Mining this block is completely silent.=A minería deste bloque é completamente silenciosa.
Building this block is completely silent.=Construír este bloque é completamente silencioso.
This block is affected by gravity and can fall.=Este bloque está afectado pola gravidade e pode caer.
Building another block at this block will place it inside and replace it.=Construír outro bloque neste bloque colocarao dentro e substituirase.
Falling blocks can go through this block; they destroy it when doing so.=Os bloques que caen poden pasar por este bloque; destrúeno ao facelo.
This block will drop as an item when a falling block ends up inside it.=Este bloque caerá como elemento cando un bloque caendo acabe dentro del.
This block is destroyed when a falling block ends up inside it.=Este bloque destrúese cando un bloque que cae acaba dentro del.
This block will drop as an item when it is not attached to a surrounding block.=Este bloque caerá como elemento cando non estea ligado a un bloque circundante.
This block will drop as an item when no collidable block is below it.=Este bloque caerá como elemento cando ningún bloque colizable estea debaixo del.
Liquids can flow into this block and destroy it.=Os líquidos poden fluír neste bloque e destruílo.
This block is a light source with a light level of @1.=Este bloque é unha fonte de luz cun nivel de luz de @1.
This block glows faintly with a light level of @1.=Este bloque brilla débilmente cun nivel de luz de @1.
This block allows light to propagate with a small loss of brightness, and sunlight can even go through losslessly.=Este bloque permite que a luz se propague cunha pequena perda de brillo, e incluso a luz solar pode pasar sen perdas.
This block allows light to propagate with a small loss of brightness.=Este bloque permite que a luz se propague cunha pequena perda de brillo.
This block allows sunlight to propagate without loss in brightness.=Este bloque permite que a luz solar se propague sen perda de brillo.
Unknown Node=Nodo descoñecido
This block connects to this block: @1.=Este bloque conéctase a este bloque: @1.
This block connects to these blocks: @1.=Este bloque conéctase a estes bloques: @1.
This block connects to blocks of the @1 group.=Este bloque conéctase a bloques do grupo @1.
This block connects to blocks of the following groups: @1.=Este bloque conéctase a bloques dos seguintes grupos: @1.
This block won't drop anything when mined.=Este bloque non soltará nada cando se extrae.
This block will drop the following when mined: @1×@2.=Este bloque eliminará o seguinte cando se extrae: @1×@2.
This block will drop the following when mined: @1.=Este bloque eliminará o seguinte cando se extrae: @1.
This block will drop the following items when mined: @1.=
##TODO: fuzzy matched - verify and remove the comment
This block will randomly drop one of the following when mined: @1.=Este bloque soltará aleatoriamente un dos seguintes cando se extrae: @1.
##TODO: fuzzy matched - verify and remove the comment
This block will randomly drop up to @1 drops of the following possible drops when mined: @2.=Este bloque caerá aleatoriamente ata @1 gotas das seguintes posibles caídas cando se extrae: @2.
# Final list separator (e.g. “One, two and three”)
and = e
# Item count times item name ##TODO: fuzzy matched - verify and remove the comment
@1×@2=%@1×@2
# Itemname (<0.5%)
@1 (<0.5%)=@1 (<0.5%)
# Itemname (ca. 25%)
@1 (ca. @2%)=@1 (ca. @2%)
# Itemname (25%)
@1 (@2%)=@1 (@2%)
Tools and weapons=Ferramentas e armas
Item reference of all wieldable tools and weapons=Referencia do elemento de todas as ferramentas e armas manexables
Durability: @1 uses=Durabilidade: @1 usos
Durability: @1=Durabilidade: @1
Miscellaneous items=Elementos varios
Item reference of items which are neither blocks, tools or weapons (esp. crafting items)=Referencia de elementos de elementos que non son nin bloques, ferramentas nin armas (especialmente artigos de elaboración)
Mobs=
different mobs=
Type: @1=
spawn class: @1=
Can Jump=
Can Fly=
drops: =
follows player when these items are held:=
A transparent block, basically empty space. It is usually left behind after digging something.=Un bloque transparente, basicamente espazo baleiro. Adoita quedar atrás despois de cavar algo.
Whenever you are not wielding any item, you use the hand which acts as a tool with its own capabilities. When you are wielding an item which is not a mining tool or a weapon it will behave as if it would be the hand.=Sempre que non manexas ningún elemento, utilizas a man que actúa como unha ferramenta coas súas propias capacidades. Cando manexas un elemento que non é unha ferramenta de minería ou unha arma, comportarase coma se fose a man.
##### not used anymore #####
Mining level: @1=Nivel de minería: @1
# Rating used for digging times
Rating @1=Classificación @1
# @1 is minimal rating, @2 is maximum rating
Rating @1-@2=Classificación @1-@2
This block can not be destroyed by ordinary mining tools.=Este bloque non pode ser destruído por ferramentas de minería comúns.
This block can not be mined by ordinary mining tools.=Este bloque non pode ser extraído por ferramentas de minería comúns.
This block negates all fall damage.=Este bloque anula todos os danos por caída.
This block will drop the following items when mined: %s.=Este bloque eliminará os seguintes elementos cando se extrae: @1.
This block will drop the following when mined: %s.=Este bloque eliminará o seguinte cando se extrae: @1.
any level=calquera nivel
level 0=nível 0
level 0-@1=nivel 0-@1

View File

@ -0,0 +1,37 @@
# textdomain: craftguide
Any shulker box=Calquera caixa de shulker
Any wool=Calquera la
Any wood planks=Calquera táboa de madeira
Any wood=Calquera madeira
Any sand=Calquera area
Any normal sandstone=Calquera arenisca normal
Any red sandstone=Calquera arenisca vermella
Any carpet=Calquera alfombra
Any dye=Calquera tintura
Any water bucket=Calquera balde de auga
Any flower=Calquera flor
Any mushroom=Calquera cogomelo
Any wooden slab=Calquera lousa de madeira
Any wooden stairs=Calquera escaleira de madeira
Any coal=Calquera carbón
Any kind of quartz block=Calquera tipo de bloque de cuarzo
Any kind of purpur block=Calquera tipo de bloque púrpura
Any stone bricks=Calquera ladrillo de pedra
Any stick=Calquera pau
Any item belonging to the @1 group=Calquera elemento pertencente ao grupo @1
Any item belonging to the groups: @1=Calquera elemento pertencente aos grupos: @1
Cooking time: @1=Tempo de cocción: @1
Burning time: @1=Tempo de combustión: @1
Usage @1 of @2=Uso @1 de @2
Recipe @1 of @2=Receita @1 de @2
Recipe is too big to be displayed (@1×@2)=A receita é demasiado grande para mostrarse (@1×@2)
Shapeless=Sen forma
Cooking=Cociñar
Increase window size=Aumentar o tamaño da xanela
Decrease window size=Diminuír o tamaño da xanela
Search=Busca
Reset=Restablecer
Previous page=Páxina anterior
Next page=Páxina seguinte
No item to show=Non hai elemento que mostrar
Collect items to reveal more recipes=Recolle elementos para revelar máis receitas

View File

@ -0,0 +1,91 @@
# textdomain: mcl_doc
Water can flow into this block and cause it to drop as an item.=A auga pode fluír neste bloque e facer que caia como elemento.
This block can be turned into dirt with a hoe.=Este bloque pódese converter en terra cunha aixada.
This block can be turned into farmland with a hoe.=Este bloque pódese converter en terra de cultivo cunha aixada.
This block can be turned into grass path with a shovel.=Este bloque pódese converter en camiño de herba cunha pa.
This block acts as a soil for all saplings.=Este bloque actúa como chan para todos os mudos.
This block acts as a soil for some saplings.=Este bloque fai de chan para algunhas mudas.
Sugar canes will grow on this block.=Neste bloque crecerán canas de azucre.
Nether wart will grow on this block.=A verruga inferior crecerá neste bloque.
This block quickly decays when there is no wood block of any species within a distance of @1. When decaying, it disappears and may drop one of its regular drops. The block does not decay when the block has been placed by a player.=Este bloque decae rapidamente cando non hai un bloque de madeira de ningunha especie a unha distancia de @1. Cando se deteriora, desaparece e pode caer unha das súas gotas habituais. O bloque non decae cando o bloqueo foi colocado por un xogador.
This block quickly decays and disappears when there is no wood block of any species within a distance of @1. The block does not decay when the block has been placed by a player.=Este bloque decae rapidamente e desaparece cando non hai un bloque de madeira de ningunha especie a unha distancia de @1. O bloque non decae cando o bloqueo foi colocado por un xogador.
This plant can only grow on grass blocks and dirt. To survive, it needs to have an unobstructed view to the sky above or be exposed to a light level of 8 or higher.=Esta planta só pode crecer en bloques de herba e terra. Para sobrevivir, ten que ter unha vista sen obstáculos do ceo enriba ou estar exposto a un nivel de luz de 8 ou superior.
This plant can grow on grass blocks, podzol, dirt and coarse dirt. To survive, it needs to have an unobstructed view to the sky above or be exposed to a light level of 8 or higher.=Esta planta pode crecer en bloques de herba, podzol, sucidade e sucidade grosa. Para sobrevivir, ten que ter unha vista sen obstáculos do ceo enriba ou estar exposto a un nivel de luz de 8 ou superior.
This block is flammable.=Este bloque é inflamable.
This block destroys any item it touches.=Este bloque destrúe calquera elemento que toque.
To eat it, wield it, then right-click.=
You can eat this even when your hunger bar is full.=Podes comer isto mesmo cando a túa barra de fame estea chea.
You cannot eat this when your hunger bar is full.=Non podes comer isto cando a túa barra de fame estea chea.
To drink it, wield it, then right-click.=
You cannot drink this when your hunger bar is full.=Non podes beber isto cando a túa barra de fame estea chea.
To consume it, wield it, then right-click.=
You cannot consume this when your hunger bar is full.=Non podes consumir isto cando a túa barra de fame estea chea.
##TODO: fuzzy matched - verify and remove the comment
You have to wait for around 2 seconds before you can eat or drink again.=Ten que esperar uns 2 segundos antes de poder comer ou beber de novo.
Hunger points restored: @1=Puntos de fame restaurados: @1
Saturation points restored: @1%.1f=Puntos de saturación restaurados: @1%.1f
It can be worn on the head.=Pódese levar na cabeza.
It can be worn on the torso.=Pódese levar no torso.
It can be worn on the legs.=Pódese levar nas pernas.
It can be worn on the feet.=Pódese levar nos pés.
Armor points: @1=Puntos de armadura: @1
Armor durability: @1=Durabilidade da armadura: @1
This item can be repaired at an anvil with: @1.=Este elemento pódese reparar nunha zafra con: @1.
This item can be repaired at an anvil with any wooden planks.=Este elemento pódese reparar nunha zafra con calquera táboa de madeira.
This item can be repaired at an anvil with any item in the “@1” group.=Este elemento pódese reparar nunha zafra con calquera elemento do grupo "@1".
This item cannot be renamed at an anvil.=Este elemento non se pode renomear nunha zafra.
This block crushes any block it falls into.=Este bloque esmaga calquera bloque no que caia.
When this block falls deeper than 1 block, it causes damage to any player it hits. The damage dealt is B×22 hit points with B @= number of blocks fallen. The damage can never be more than 40 HP.=Cando este bloque cae máis de 1 bloque, causa danos a calquera xogador ao que choque. O dano causado é de B×22 puntos de golpe con B @= número de bloques caídos. O dano nunca pode ser superior a 40 HP.
Diamond Pickaxe=Pico de diamante
Iron Pickaxe=Pico de ferro
Stone Pickaxe=Pico de pedra
Golden Pickaxe=Pico de Ouro
Wooden Pickaxe=Pico de Ouro
Diamond Axe=Machado de diamante
Iron Axe=Machado de ferro
Stone Axe=Machado de pedra
Golden Axe=Machado de ouro
Wooden Axe=Machado de madeira
Diamond Shovel=Pala de diamante
Iron Shovel=Pala de ferro
Stone Shovel=Pala de pedra
Golden Shovel=Pala de ouro
Wooden Shovel=Pala de madeira
This block can be mined instantly by any tool.=
• Shears=• Tesoiras
• Sword=• Espada
• Hand=• Man
This block can be mined by:=Este bloque pódese extraer mediante:
Hardness: ∞=Dureza: ∞
Hardness: @1=Dureza: @1
This block will not be destroyed by TNT explosions.=Este bloque non será destruído polas explosións de Dinamita.
This block drops itself when mined by shears.=Este bloque cae por si mesmo cando é extraído por tesoiras.
@1×@2=@1×@2
##TODO: fuzzy matched - verify and remove the comment
This block drops the following when mined by shears: @1=Este bloque elimina o seguinte cando se extrae con tesoiras: @1
, =,
Painfully slow=Dolorosamente lento
Very slow=Moi lento
Slow=Lento
Fast=Rápido
Very fast=Moi rápido
Extremely fast=Extremadamente rápido
Instantaneous=Instantáneo
@1 uses=@1 usos
Unlimited uses=Usos ilimitados
Mining speed: @1=Velocidade de minería: @1
Durability: @1=Durabilidade: @1
This tool is capable of mining.=Esta ferramenta é capaz de minar.
Block breaking strength: @1=Resistencia á rotura do bloque: @1
##TODO: fuzzy matched - verify and remove the comment
This is a melee weapon that deals damage by punching.=Esta é unha arma corpo a corpo que fai dano ao golpear.
Maximum damage: @1 HP=Dano máximo: @1 HP
Full punch interval: @1 s=Intervalo de perforación total: @1 s
##### not used anymore #####
To eat it, wield it, then rightclick.=Para comelo, mándao e despois fai clic co botón dereito.
To drink it, wield it, then rightclick.=Para bebelo, mándao e despois fai clic co botón dereito.
To consume it, wield it, then rightclick.=Para consumilo, úsao e, a continuación, fai clic co botón dereito
This block can be mined by any tool instantly.=Este bloque pode ser extraído por calquera ferramenta ao instante.

View File

@ -0,0 +1,536 @@
# textdomain: mcl_doc_basics
Basics=Fundamentos
Everything you need to know to get started with playing=
Advanced usage=Uso avanzado
##TODO: fuzzy matched - verify and remove the comment
Advanced information which may be nice to know, but is not crucial to gameplay=Información avanzada que pode ser agradable coñecer, pero que non é crucial para o xogo
Quick start=Inicio rápido
This is a very brief introduction to the basic gameplay:=Esta é unha breve introdución ao xogo básico:
• Move mouse to look=• Move o rato para mirar
• [W], [A], [S] and [D] to move=• [W], [A], [S] e [D] para mover
• [E] to sprint=• [E] para esprintar
• [Space] to jump or move upwards=• [Espazo] para saltar ou moverse cara arriba
• [Shift] to sneak or move downwards=• [Maiús] para escapar ou moverse cara abaixo
##TODO: fuzzy matched - verify and remove the comment
• Mouse wheel or [1]-[9] to select item=• Roda do rato ou [1]-[9] para seleccionar elemento
• Left-click to mine blocks or attack=• Fai clic co botón esquerdo para minar bloques ou atacar
• Recover from swings to deal full damage=• Recupérate de oscilacións para causar dano total
• Right-click to build blocks and use things=• Fai clic co botón dereito para construír bloques e usar as cousas
• [I] for the inventory=• [I] para o inventario
• First items in inventory appear in hotbar below=• Os primeiros elementos do inventario aparecen na barra de acceso abaixo
• Read entries in this help to learn the rest=• Le as entradas desta axuda para aprender o resto
• [Esc] to close this window=• [Esc] para pechar esta xanela
How to play:=Como xogar:
• Punch a tree trunk until it breaks and collect wood=• Golpear un tronco de árbore ata romper e recoller madeira
• Place the wood into the 2×2 grid (your “crafting grid”) in your inventory menu and craft 4 wood planks=• Coloca a madeira na reixa 2×2 (a túa “reixa de elaboración”) no menú do teu inventario e crea 4 táboas de madeira
• Place them in a 2×2 shape in the crafting grid to craft a crafting table=• Colócaos en forma de 2×2 na reixa de elaboración para elaborar unha mesa de elaboración
• Place the crafting table on the ground=• Coloca a mesa de elaboración no chan
• Rightclick it for a 3×3 crafting grid=• Fai clic co botón dereito nel para obter unha cuadrícula de elaboración 3×3
• Use the crafting guide (book icon) to learn all the possible crafting recipes=• Use a guía de elaboración (icona do libro) para aprender todas as posibles receitas de elaboración
• Craft a wooden pickaxe so you can dig stone=• Elabora un pico de madeira para poder cavar pedra
• Different tools break different kinds of blocks. Try them out!=• Diferentes ferramentas rompen diferentes tipos de bloques. ¡Próbaos!
• Continue playing as you wish. There's no goal. Have fun!=• Continúa xogando como queiras. Non hai gol. ¡Divírtete!
Minetest=
Minetest is a free software game engine for games based on voxel gameplay, inspired by InfiniMiner, Minecraft, and the like. Minetest was originally created by Perttu Ahola (alias “celeron55”).=Minetest é un motor de xogos de software gratuíto para xogos baseado en voxel, inspirado en InfiniMiner, Minecraft e similares. Minetest foi creado orixinalmente por Perttu Ahola (alias “celeron55”).
The player is thrown into a huge world made out of cubes or blocks. These cubes usually make the landscape they blocks can be removed and placed almost entirely freely. Using the collected items, new tools and other items can be crafted. Games in Minetest can, however, be much more complex than this.=O xogador é lanzado a un mundo enorme feito de cubos ou bloques. Estes cubos adoitan facer que a paisaxe que bloquean poida ser eliminada e colocada case totalmente libremente. Usando os elementos recollidos, pódense elaborar novas ferramentas e outros elementos. Non obstante, os xogos en Minetest poden ser moito máis complexos que isto.
##TODO: fuzzy matched - verify and remove the comment
A core feature of Minetest is the built-in modding capability. Mods modify existing gameplay. They can be as simple as adding a few decorative blocks or be very complex by, e.g., introducing completely new gameplay concepts, generating a completely different kind of world, and many other things.=Unha característica principal de Minetest é a capacidade de modificación integrada. As modificacións modifican o xogo existente. Poden ser tan sinxelos como engadir uns cantos bloques decorativos ou ser moi complexos, por exemplo. introducindo conceptos de xogo completamente novos, xerando un tipo de mundo completamente diferente e moitas outras cousas.
Minetest can be played alone or online together with multiple players. Online play will work out of the box with any mods, with no need for additional software as they are entirely provided by the server.=Minetest pódese xogar só ou en liña xunto con varios xogadores. O xogo en liña funcionará fóra da caixa con calquera modificación, sen necesidade de software adicional, xa que son proporcionados enteiramente polo servidor.
Minetest is usually bundled with a simple default game, named “Minetest Game” (shown in images 1 and 2). You probably already have it. Other games for Minetest can be downloaded from the official Minetest forums <https://forum.minetest.net/viewforum.php?f@=48>.=Minetest adoita incluír un xogo predeterminado sinxelo, chamado "Xogo Minetest" (mostrado nas imaxes 1 e 2). Probablemente xa o teñas. Outros xogos para Minetest pódense descargar dos foros oficiais de Minetest <https://forum.minetest.net/viewforum.php?f@=48>.
Sneaking=furtivamente
Sneaking makes you walk slower and prevents you from falling off the edge of a block.=Escalar faiche camiñar máis lento e evita que caigas do bordo dun bloque.
To sneak, hold down the sneak key (default: [Shift]). When you release it, you stop sneaking. Careful: When you release the sneak key at a ledge, you might fall!=Para escabullirse, manteña premida a tecla de furtivismo (predeterminado: [Maiús]). Cando o soltas, deixas de escapar. Coidado: cando soltas a chave furtiva nunha cornisa, podes caer!
• Sneak: [Shift]=• Furtivamente: [Maiús]
Sneaking only works when you stand on solid ground, are not in a liquid and don't climb.=A furtiva só funciona cando estás en terreo sólido, non estás nun líquido e non trepes.
Sneaking might be disabled by mods. In this case, you still walk slower by sneaking, but you will no longer be stopped at ledges.=As modificacións poden desactivar a furtiva. Neste caso, aínda camiñas máis lento coa furtiva, pero xa non te pararás nas repisas.
Controls=Controis
These are the default controls:=Estes son os controis predeterminados:
Basic movement:=Movemento básico:
• Moving the mouse around: Look around=• Mover o rato: mira ao redor
• W: Move forwards=• W: avanzar
• A: Move to the left=• R: Mover á esquerda
• D: Move to the right=• D: Mover á dereita
• S: Move backwards=• S: Mover cara atrás
• E: Sprint=• E: Sprint
While standing on solid ground:=Estando de pé en terreo sólido:
• Space: Jump=• Espazo: Salto
• Shift: Sneak=• Quenda: furtivo
While on a ladder, swimming in a liquid or fly mode is active=Mentres está nunha escaleira, nadar en modo líquido ou voar está activo
• Space: Move up=• Espazo: Mover arriba
• Shift: Move down=• Maiúsculas: Mover cara abaixo
Extended movement (requires privileges):=Movemento estendido (require privilexios):
• J: Toggle fast mode, makes you run or fly fast (requires “fast” privilege)=• J: alterna o modo rápido, faiche correr ou voar rápido (require privilexio "rápido")
• K: Toggle fly mode, makes you move freely in all directions (requires “fly” privilege)=• K: alterna o modo voo, fai que te movas libremente en todas as direccións (require o privilexio de "voar")
• H: Toggle noclip mode, makes you go through walls in fly mode (requires “noclip” privilege)=• H: Activa o modo noclip, fai que atraveses paredes no modo voar (require privilexio “noclip”)
• E: Walk fast in fast mode=• E: Camiña rápido en modo rápido
World interaction:=Interacción mundial:
• Left mouse button: Punch / mine blocks=• Botón esquerdo do rato: Punch/mine blocks
• Right mouse button: Build or use pointed block=• Botón dereito do rato: Constrúe ou use un bloque apuntado
• Shift+Right mouse button: Build=• Maiús+botón dereito do rato: Construír
• Roll mouse wheel / B / N: Select next/previous item in hotbar=• Rodar a roda do rato / B / N: seleccione o elemento seguinte/anterior na barra de acceso
• 1-9: Select item in hotbar directly=• 1-9: Seleccione o elemento na barra de acceso directo
• Q: Drop item stack=• P: Soltar pila de elementos
• Shift+Q: Drop 1 item=• Maiús+Q: solta 1 elemento
• I: Show/hide inventory menu=• I: Mostrar/ocultar menú de inventario
Inventory interaction:=Interacción de inventario:
See the entry “Basics > Inventory”.=Consulte a entrada "Básicos > Inventario".
Hunger/Eating:=
• While holding food, hold the right mouse button (PC) or double-tap and hold the second tap (Android) to eat=
Camera:=Cámara:
• Z: Zoom=• Z: Zoom
• F7: Toggle camera mode=• F7: alternar modo de cámara
Interface:=Interface:
• Esc: Open menu window (pauses in single-player mode) or close window=• Esc: Abre a xanela do menú (fai unha pausa no modo dun xogador) ou pecha xanela
• F1: Show/hide HUD=• F1: Mostrar/ocultar HUD
• F2: Show/hide chat=• F2: Mostrar/ocultar chat
• F9: Toggle minimap=• F9: Alternar minimapa
• Shift+F9: Toggle minimap rotation mode=• Maiús+F9: alterna o modo de rotación do minimapa
• F10: Open/close console/chat log=• F10: Abrir/pechar consola/rexistro de chat
• F12: Take a screenshot=• F12: Fai unha captura de pantalla
Server interaction:=Interacción do servidor:
• T: Open chat window (chat requires the “shout” privilege)=• T: Abrir a xanela de chat (o chat require o privilexio de “gritar”)
• /: Start issuing a server command=• /: Comeza a emitir un comando do servidor
Technical:=Técnico:
• R: Toggle far view (disables all fog and allows viewing far away, can make game very slow)=• R: Alterna a vista de lonxe (desactiva toda a néboa e permite a visualización de lonxe, pode facer que o xogo sexa moi lento)
• +: Increase minimal viewing distance=• +: Aumenta a distancia mínima de visualización
• -: Decrease minimal viewing distance=• -: Diminuír a distancia mínima de visualización
• F3: Enable/disable fog=• F3: Activar/desactivar néboa
• F5: Enable/disable debug screen which also shows your coordinates=• F5: Activar/desactivar a pantalla de depuración que tamén mostra as súas coordenadas
• F6: Only useful for developers. Enables/disables profiler=• F6: Só útil para desenvolvedores. Activa/desactiva o perfilador
Players=Xogadores
Players (actually: “player characters”) are the characters which users control.=Os xogadores (en realidade: "personaxes xogadores") son os personaxes que controlan os usuarios.
Players are living beings. They start with a number of health points (HP) and a number of breath points (BP).=Os xogadores son seres vivos. Comezan cun número de puntos de saúde (HP) e un número de puntos de respiración (BP).
Players are capable of walking, sneaking, jumping, climbing, swimming, diving, mining, building, fighting and using tools and blocks.=Os xogadores son capaces de camiñar, escapar, saltar, escalar, nadar, mergullarse, minar, construír, loitar e usar ferramentas e bloques.
Players can take damage for a variety of reasons, here are some:=Os xogadores poden sufrir danos por varias razóns, aquí tes algunhas:
• Taking fall damage=• Asumir danos por caída
• Touching a block which causes direct damage=• Tocar un bloque que cause danos directos
• Drowning=• Afogamento
• Being attacked by another player=• Ser atacado por outro xogador
• Being attacked by a computer enemy=• Ser atacado por un inimigo informático
At a health of 0, the player dies. The player can just respawn in the world.=Cunha saúde de 0, o xogador morre. O xogador só pode reaparecer no mundo.
Other consequences of death depend on the game. The player could lose all items, or lose the round in a competitive game.=Outras consecuencias da morte dependen do xogo. O xogador podería perder todos os elementos ou perder a rolda nun xogo competitivo.
Some blocks reduce breath. While being with the head in a block which causes drowning, the breath points are reduced by 1 for every 2 seconds. When all breath is gone, the player starts to suffer drowning damage. Breath is quickly restored in any other block.=Algúns bloques reducen a respiración. Mentres está coa cabeza nun bloque que provoca afogamento, os puntos de respiración redúcense 1 por cada 2 segundos. Cando todo o alento desaparece, o xogador comeza a sufrir danos por afogamento. A respiración restablece rapidamente en calquera outro bloque.
Damage can be disabled on any world. Without damage, players are immortal and health and breath are unimportant.=Os danos pódense desactivar en calquera mundo. Sen danos, os xogadores son inmortais e a saúde e a respiración non teñen importancia.
In multi-player mode, the name of other players is written above their head.=No modo multixogador, o nome dos outros xogadores está escrito enriba da súa cabeza.
Items=Elementos
Items are things you can carry along and store in inventories. They can be used for crafting, smelting, building, mining, and more. Types of items include blocks, tools, weapons and items only used for crafting.=Os artigos son cousas que podes levar e almacenar nos inventarios. Pódense usar para artesanía, fundición, construción, minería e moito máis. Os tipos de elementos inclúen bloques, ferramentas, armas e elementos que só se usan para a elaboración.
An item stack is a collection of items of the same type which fits into a single item slot. Item stacks can be dropped on the ground. Items which drop into the same coordinates will form an item stack.=Unha pila de artigos é unha colección de elementos do mesmo tipo que caben nun único espazo para elementos. As pilas de artigos pódense deixar caer ao chan. Os elementos que caen nas mesmas coordenadas formarán unha pila de elementos.
Items have several properties, including the following:=Os elementos teñen varias propiedades, incluíndo as seguintes:
• Maximum stack size: Number of items which fit on 1 item stack=• Tamaño máximo da pila: número de elementos que caben nunha pila de elementos
• Pointing range: How close things must be to be pointed while wielding this item=• Rango de apuntamento: ata que punto deben estar as cousas para ser apuntadas mentres se manexa este elemento
• Group memberships: See “Basics > Groups”=• Pertenzas a grupos: consulte “Aspectos básicos > Grupos”
• May be used for crafting or cooking=• Pódese usar para facer manualidades ou cociñar
Tools=Ferramentas
Some items may serve as a tool when wielded. Any item which has some special use which can be directly used by its wielder is considered a tool.=Algúns elementos poden servir como ferramenta cando se manexan. Calquera elemento que teña algún uso especial que poida ser usado directamente polo seu portador considérase unha ferramenta.
A common subset of tools is mining tools. These are important to break all kinds of blocks. Weapons are a kind of tool. There are of course many other possible tools. Special actions of tools are usually done by left-click or right-click.=Un subconxunto común de ferramentas son as ferramentas de minería. Estes son importantes para romper todo tipo de bloques. As armas son unha especie de ferramenta. Por suposto, hai moitas outras ferramentas posibles. As accións especiais das ferramentas adoitan facerse facendo clic co botón esquerdo ou co botón dereito.
When nothing is wielded, players use their hand which may act as tool and weapon.=Cando non se manexa nada, os xogadores usan a súa man que pode actuar como ferramenta e arma.
Many tools will wear off when using them and may eventually get destroyed. The damage is displayed in a damage bar below the tool icon. If no damage bar is shown, the tool is in mint condition. Tools may be repairable by crafting, see “Basics > Crafting”.=Moitas ferramentas desgastaranse ao usalas e poden acabar destruíndose. O dano móstrase nunha barra de danos debaixo da icona da ferramenta. Se non se mostra ningunha barra de danos, a ferramenta está en perfecto estado. As ferramentas pódense reparar elaborando, consulte "Conceptos básicos > Elaboración".
Weapons=Armas
Some items are usable as a melee weapon when wielded. Weapons share most of the properties of tools.=Algúns elementos poden usarse como arma corpo a corpo cando se manexan. As armas comparten a maioría das propiedades das ferramentas.
Melee weapons deal damage by punching players and other animate objects. There are two ways to attack:=As armas corpo a corpo causan dano golpeando aos xogadores e outros obxectos animados. Hai dúas formas de atacar:
• Single punch: Left-click once to deal a single punch=• Golpe único: fai clic co botón esquerdo unha vez para dar un só golpe
• Quick punching: Hold down the left mouse button to deal quick repeated punches=• Perforación rápida: Manteña premido o botón esquerdo do rato para facer golpes rápidos repetidos
There are two core attributes of melee weapons:=Hai dous atributos fundamentais das armas corpo a corpo:
• Maximum damage: Damage which is dealt after a hit when the weapon was fully recovered=• Dano máximo: dano que se inflixe despois dun golpe cando a arma foi totalmente recuperada
• Full punch interval: Time it takes for fully recovering from a punch=• Intervalo de golpe completo: tempo que tarda en recuperarse completamente dun golpe
A weapon only deals full damage when it has fully recovered from a previous punch. Otherwise, the weapon will deal only reduced damage. This means, quick punching is very fast, but also deals rather low damage. Note the full punch interval does not limit how fast you can attack.=Unha arma só causa dano total cando se recuperou completamente dun golpe anterior. En caso contrario, a arma só causará un dano reducido. Isto significa que o golpe rápido é moi rápido, pero tamén causa un dano bastante baixo. Teña en conta que o intervalo de golpe completo non limita a rapidez coa que pode atacar.
There is a rule which sometimes makes attacks impossible: Players, animate objects and weapons belong to damage groups. A weapon only deals damage to those who share at least one damage group with it. So if you're using the wrong weapon, you might not deal any damage at all.=Hai unha regra que ás veces imposibilita os ataques: os xogadores, os obxectos animados e as armas pertencen a grupos de danos. Unha arma só causa dano a aqueles que comparten polo menos un grupo de danos con ela. Polo tanto, se estás a usar a arma incorrecta, pode que non causes ningún dano.
Pointing=Apuntando
“Pointing” means looking at something in range with the crosshair. Pointing is needed for interaction, like mining, punching, using, etc. Pointable things include blocks, players, computer enemies and objects.="Apuntar" significa mirar algo dentro do alcance co punto de mira. Apuntar é necesario para a interacción, como minar, perforar, usar, etc. As cousas salientables inclúen bloques, xogadores, inimigos de ordenador e obxectos.
To point something, it must be in the pointing range (also just called “range”) of your wielded item. There's a default range when you are not wielding anything. A pointed thing will be outlined or highlighted (depending on your settings). Pointing is not possible with the 3rd person front camera.=Para apuntar algo, debe estar no intervalo de apuntamento (tamén chamado "rango") do teu elemento esgrimido. Hai un intervalo predeterminado cando non manexas nada. Destacarase ou resaltarase unha cousa sinalada (dependendo da súa configuración). Non é posible apuntar coa cámara frontal de 3a persoa.
##TODO: fuzzy matched - verify and remove the comment
A few things cannot be pointed. Most blocks are pointable. A few blocks, like air, can never be pointed. Other blocks, like liquids can only be pointed by special items.=Algunhas cousas non se poden sinalar. A maioría dos bloques son puntuables. Uns cantos bloques, como o aire, nunca se poden apuntar. Outros bloques, como os líquidos, só poden ser sinalados por elementos especiais.
Camera=Cámara
There are 3 different views which determine the way you see the world. The modes are:=Hai 3 puntos de vista diferentes que determinan a forma de ver o mundo. Os modos son:
• 1: First-person view (default)=• 1: Vista en primeira persoa (predeterminado)
• 2: Third-person view from behind=• 2: Vista en terceira persoa desde atrás
• 3: Third-person view from the front=• 3: Vista en terceira persoa de fronte
You can change the camera mode by pressing [F7].=Pode cambiar o modo da cámara premendo [F7].
You might be able to zoom with [Z] to zoom the view at the crosshair. This allows you to look further.=Podes facer zoom con [Z] para ampliar a vista no punto de mira. Isto permítelle mirar máis alá.
Zooming is a gameplay feature that might be enabled or disabled by the game. By default, zooming is enabled when in Creative Mode but disabled otherwise.=O zoom é unha función de xogo que pode estar activada ou desactivada polo xogo. De forma predeterminada, o zoom está activado cando está en modo creativo, pero en caso contrario está desactivado.
• Switch camera mode: [F7]=• Cambiar modo de cámara: [F7]
• Zoom: [Z]=• Zoom: [Z]
Blocks=Bloques
The world is made entirely out of blocks (voxels, to be precise). Blocks can be added or removed with the correct tools.=O mundo está feito enteiramente de bloques (voxels, para ser precisos). Pódense engadir ou eliminar bloques coas ferramentas correctas.
Blocks can have a wide range of different properties which determine mining times, behavior, looks, shape, and much more. Their properties include:=Os bloques poden ter unha ampla gama de propiedades diferentes que determinan os tempos de minería, o comportamento, o aspecto, a forma e moito máis. As súas propiedades inclúen:
##TODO: fuzzy matched - verify and remove the comment
• Collidable: Collidable blocks cannot be passed through; players can walk on them. Non-collidable blocks can be passed through freely=• Colidable: os bloques colidábeis non se poden atravesar; os xogadores poden andar sobre eles. Os bloques non colisionables pódense pasar libremente
• Pointable: Pointable blocks show a wireframe or a halo box when pointed. But you will just point through non-pointable blocks. Liquids are usually non-pointable but they can be pointed at by some special tools=• Puntável: os bloques apuntables mostran unha armazón ou unha caixa de halo cando se apuntan. Pero só apuntarás a través de bloques non puntuables. Os líquidos adoitan ser insensibles, pero pódense sinalar con algunhas ferramentas especiais
• Mining properties: By which tools it can be mined, how fast and how much it wears off tools=• Propiedades mineiras: con que ferramentas se pode extraer, a que velocidade e canto gasta as ferramentas
• Climbable: While you are at a climbable block, you won't fall and you can move up and down with the jump and sneak keys=• Escalable: mentres estás nun bloque escalable, non caerás e podes moverte cara arriba e abaixo coas teclas de salto e furtivo
• Drowning damage: See the entry “Basics > Player”=• Danos por afogamento: consulte a entrada “Básicos > Xogador”
• Liquids: See the entry “Basics > Liquids”=• Líquidos: Consulte a entrada “Básicos > Líquidos”
• Group memberships: Group memberships are used to determine mining properties, crafting, interactions between blocks and more=• Pertenzas a grupos: as pertenzas a grupos úsanse para determinar as propiedades de minería, a elaboración, as interaccións entre bloques e moito máis
Mining=minería
Mining (or digging) is the process of breaking blocks to remove them. To mine a block, point it and hold down the left mouse button until it breaks.=A minería (ou cavar) é o proceso de romper bloques para eliminalos. Para minar un bloque, apunto e manteña premido o botón esquerdo do rato ata que se rompa.
##TODO: fuzzy matched - verify and remove the comment
Blocks require a mining tool to be mined. Different blocks are mined by different mining tools, and some blocks cannot be mined by any tool. Blocks vary in hardness and tools vary in strength. Mining tools will wear off over time. The mining time and the tool wear depend on the block and the mining tool. The fastest way to find out how efficient your mining tools are is by just trying them out on various blocks. Any items you gather by mining will drop on the ground, ready to be collected.=Os bloques requiren unha ferramenta de minería para ser minados. Diferentes bloques son extraídos por diferentes ferramentas de minería, e algúns bloques non poden ser extraídos por ningunha ferramenta. Os bloques varían en dureza e as ferramentas varían en forza. As ferramentas de minería desaparecerán co paso do tempo. O tempo de minería e o desgaste da ferramenta dependen do bloque e da ferramenta de minería. A forma máis rápida de descubrir a eficiencia das túas ferramentas de minería é probalas en varios bloques. Calquera elemento que recolla coa minería caerá no chan, listo para ser recollido.
After mining, a block may leave a “drop” behind. This is a number of items you get after mining. Most commonly, you will get the block itself. There are other possibilities for a drop which depends on the block type. The following drops are possible:=Despois da minería, un bloque pode deixar unha "gota" atrás. Esta é unha serie de elementos que obtén despois da minería. Máis comúnmente, obterás o propio bloque. Existen outras posibilidades de caída que dependen do tipo de bloque. Son posibles as seguintes caídas:
• Always drops itself (the usual case)=• Sempre cae a si mesmo (o caso habitual)
• Always drops the same items=• Sempre solta os mesmos elementos
• Drops items based on probability=• Elimina elementos en función da probabilidade
• Drops nothing=• Non cae nada
Building=Edificio
Almost all blocks can be built (or placed). Building is very simple and has no delay.=Case todos os bloques pódense construír (ou colocar). A construción é moi sinxela e non ten demora.
To build your wielded block, point at a block in the world and right-click. If this is not possible because the pointed block has a special right-click action, hold down the sneak key before right-clicking.=Para construír o teu bloque, apunta a un bloque do mundo e fai clic co botón dereito. Se isto non é posible porque o bloque apuntado ten unha acción especial de clic co botón dereito, manteña premida a tecla furtiva antes de facer clic co botón dereito.
Blocks can almost always be built at pointable blocks. One exception are blocks attached to the floor; these can only be built on the floor.=Case sempre pódense construír bloques en bloques puntuables. Unha excepción son os bloques pegados ao chan; estes só poden construírse no chan.
Normally, blocks are built in front of the pointed side of the pointed block. A few blocks are different: When you try to build at them, they are replaced.=Normalmente, os bloques constrúense diante do lado apuntado do bloque puntiagudo. Algúns bloques son diferentes: cando intentas construír neles, substitúense.
Liquids=Líquidos
Liquids are special dynamic blocks. Liquids like to spread and flow to their surrounding blocks. Players can swim and drown in them.=Os líquidos son bloques dinámicos especiais. Aos líquidos gústalles estenderse e fluír aos seus bloques circundantes. Os xogadores poden nadar e afogar neles.
Liquids usually come in two forms: In source form (S) and in flowing form (F).=Os líquidos adoitan presentarse en dúas formas: en forma fonte (S) e en forma fluída (F).
Liquid sources have the shape of a full cube. A liquid source will generate flowing liquids around it from time to time, and, if the liquid is renewable, it also generates liquid sources. A liquid source can sustain itself. As long it is left alone, a liquid source will normally keep its place and does not drain out.=As fontes líquidas teñen a forma dun cubo cheo. Unha fonte líquida xerará líquidos ao seu redor de cando en vez e, se o líquido é renovable, tamén xera fontes líquidas. Unha fonte líquida pode manterse por si mesma. Mentres se deixa só, unha fonte líquida normalmente manterá o seu lugar e non escorre.
##TODO: fuzzy matched - verify and remove the comment
Flowing liquids take a sloped form. Flowing liquids spread around the world until they drain. A flowing liquid cannot sustain itself and always comes from a liquid source, either directly or indirectly. Without a liquid source, a flowing liquid will eventually drain out and disappear.=Os líquidos que flúen adoptan unha forma inclinada. Os líquidos que flúen esténdense polo mundo ata que drenan. Un líquido que flúe non pode sosterse e sempre provén dunha fonte líquida, ben directa ou indirectamente. Sen unha fonte de líquido, un líquido que flúe eventualmente escorrerá e desaparecerá.
All liquids share the following properties:=Todos os líquidos comparten as seguintes propiedades:
• All properties of blocks (including drowning damage)=• Todas as propiedades dos bloques (incluíndo danos por afogamento)
• Renewability: Renewable liquids can create new sources=• Renovabilidade: os líquidos renovables poden crear novas fontes
• Flowing range: How many flowing liquids are created at maximum per liquid source, it determines how far the liquid will spread. Possible are ranges from 0 to 8. At 0, no flowing liquids will be created. Image 5 shows a liquid of flowing range 2=• Rango de fluxo: cantos líquidos fluídos se crean como máximo por fonte de líquido, determina ata onde se espallará o líquido. Posibles son os rangos de 0 a 8. Ao 0, non se crearán líquidos fluídos. A imaxe 5 mostra un líquido de intervalo fluído 2
• Viscosity: How slow players move through it and how slow the liquid spreads=• Viscosidade: o lento que se move os xogadores por el e o lento que se espalla o líquido
Renewable liquids create new liquid sources at open spaces (image 2). A new liquid source is created when:=Os líquidos renovables crean novas fontes líquidas en espazos abertos (imaxe 2). Créase unha nova fonte de líquido cando:
• Two renewable liquid blocks of the same type touch each other diagonally=• Dous bloques de líquidos renovables do mesmo tipo tócanse en diagonal
• These blocks are also on the same height=• Estes bloques tamén están á mesma altura
• One of the two “corners” is open space which allows liquids to flow in=• Un dos dous “esquinas” é un espazo aberto que permite que os líquidos flúen
When those criteria are met, the open space is filled with a new liquid source of the same type (image 3).=Cando se cumpren eses criterios, o espazo aberto énchese cunha nova fonte de líquido do mesmo tipo (imaxe 3).
Swimming in a liquid is fairly straightforward: The usual direction keys for basic movement, the jump key for rising and the sneak key for sinking.=Nadar nun líquido é bastante sinxelo: as teclas de dirección habituais para o movemento básico, a tecla de salto para subir e a tecla para afundir.
The physics for swimming and diving in a liquid are:=A física para nadar e mergullar nun líquido son:
• The higher the viscosity, the slower you move=• Canto maior sexa a viscosidade, máis lento te moves
• If you rest, you'll slowly sink=• Se descansas, afundirase lentamente
• There is no fall damage for falling into a liquid as such=• Non hai danos por caída por caer nun líquido como tal
• If you fall into a liquid, you will be slowed down on impact (but don't stop instantly). Your impact depth is determined by your speed and the liquid viscosity. For a safe high drop into a liquid, make sure there is enough liquid above the ground, otherwise you might hit the ground and take fall damage=• Se caes nun líquido, reducirás a velocidade no impacto (pero non pares ao instante). A súa profundidade de impacto está determinada pola súa velocidade e a viscosidade do líquido. Para unha caída segura e alta nun líquido, asegúrate de que haxa suficiente líquido sobre o chan, se non, podes golpear o chan e sufrir danos por caída
Liquids are often not pointable. But some special items are able to point all liquids.=Os líquidos moitas veces non son útiles. Pero algúns elementos especiais son capaces de apuntar todos os líquidos.
Crafting=Elaboración
Crafting is the task of combining several items to form a new item.=A elaboración é a tarefa de combinar varios elementos para formar un novo elemento.
##TODO: fuzzy matched - verify and remove the comment
To craft something, you need one or more items, a crafting grid (C) and a crafting recipe. A crafting grid is like a normal inventory which can also be used for crafting. Items need to be put in a certain pattern into the crafting grid. Next to the crafting grid is an output slot (O). Here the result will appear when you place items correctly. This is just a preview, not the actual item. Crafting grids can come in different sizes which limit the possible recipes you can craft.=Para elaborar algo, necesitas un ou máis elementos, unha reixa de elaboración (C) e unha receita de elaboración. Unha cuadrícula de elaboración é como un inventario normal que tamén se pode usar para elaborar. Os elementos deben colocarse nun patrón determinado na reixa de elaboración. Xunto á reixa de elaboración hai unha ranura de saída (O). Aquí o resultado aparecerá cando colocou os elementos correctamente. Esta é só unha vista previa, non o elemento real. As cuadrículas de elaboración poden ter diferentes tamaños, o que limita as posibles receitas que podes elaborar.
##TODO: fuzzy matched - verify and remove the comment
To complete the craft, take the result item from the output slot, which will consume items from the crafting grid and create a new item. It is not possible to place items into the output slot.=Para completar a manualidade, toma o elemento do resultado da ranura de saída, que consumirá elementos da grella de elaboración e creará un novo elemento. Non é posible colocar elementos no slot de saída.
A description on how to craft an item is called a “crafting recipe”. You need this knowledge to craft. There are multiple ways to learn crafting recipes. One way is by using a crafting guide, which contains a list of available crafting recipes. Some games provide crafting guides. There are also some mods which you can download online for installing a crafting guide. Another way is by reading the online manual of the game (if one is available).=Unha descrición sobre como elaborar un artigo chámase "receita de elaboración". Necesitas estes coñecementos para elaborar. Hai varias formas de aprender receitas artesanais. Unha forma é usar unha guía de elaboración, que contén unha lista de receitas de elaboración dispoñibles. Algúns xogos ofrecen guías de elaboración. Tamén hai algúns mods que podes descargar en liña para instalar unha guía de elaboración. Outra forma é lendo o manual en liña do xogo (se está dispoñible).
Crafting recipes consist of at least one input item and exactly one stack of output items. When performing a single craft, it will consume exactly one item from each stack of the crafting grid, unless the crafting recipe defines replacements.=As receitas de elaboración consisten en polo menos un elemento de entrada e exactamente unha pila de elementos de saída. Ao realizar unha única artesanía, consumirá exactamente un elemento de cada pila da grella de elaboración, a menos que a receita de elaboración defina substitucións.
There are multiple types of crafting recipes:=Hai varios tipos de receitas de elaboración:
• Shaped (image 2): Items need to be placed in a particular shape=• En forma (imaxe 2): os elementos deben colocarse nunha forma determinada
• Shapeless (images 3 and 4): Items need to be placed somewhere in input (both images show the same recipe)=• Sen forma (imaxes 3 e 4): os elementos deben colocarse nalgún lugar da entrada (ambas imaxes mostran a mesma receita)
• Cooking: Explained in “Basics > Cooking”=• Cociñar: Explícase en “Básicos > Cociñar”
• Repairing (image 5): Place two damaged tools into the crafting grid anywhere to get a tool which is repaired by 5%=• Reparación (imaxe 5): coloque dúas ferramentas danadas na reixa de elaboración en calquera lugar para conseguir unha ferramenta que se repara nun 5%
In some crafting recipes, some input items do not need to be a concrete item, instead they need to be a member of a group (see “Basics > Groups”). These recipes offer a bit more freedom in the input items. Images 6-8 show the same group-based recipe. Here, 8 items of the “stone” group are required, which is true for all of the shown items.=Nalgunhas receitas de elaboración, algúns elementos de entrada non precisan ser un elemento concreto, senón que deben ser membros dun grupo (consulta "Aspectos básicos > Grupos"). Estas receitas ofrecen un pouco máis de liberdade nos elementos de entrada. As imaxes 6-8 mostran a mesma receita baseada en grupo. Aquí, son necesarios 8 elementos do grupo "pedra", o que é certo para todos os elementos mostrados.
##TODO: fuzzy matched - verify and remove the comment
Rarely, crafting recipes have replacements. This means that whenever you perform a craft, some items in the crafting grid will not be consumed, but instead will be replaced by another item.=Poucas veces, as receitas de elaboración teñen substitutos. Isto significa que, sempre que realices unha manualidade, algúns elementos da grella de elaboración non se consumirán, senón que se substituirán por outro.
Cooking=Cociñar
##TODO: fuzzy matched - verify and remove the comment
Cooking (or smelting) is a form of crafting which does not involve a crafting grid. Cooking is done with a special block (like a furnace), a cookable item, a fuel item and time in order to yield a new item.=Cociñar (ou fundir) é unha forma de elaboración que non implica unha reixa de elaboración. A cociña realízase cun bloque especial (como un forno), un elemento cocibel, un elemento de combustible e tempo para producir un novo elemento.
Each fuel item has a burning time. This is the time a single item of the fuel keeps a furnace burning.=Cada elemento de combustible ten un tempo de combustión. Este é o momento en que un só elemento do combustible mantén aceso un forno.
##TODO: fuzzy matched - verify and remove the comment
Each cookable item requires time to be cooked. This time is specific to the item type and the item must be “on fire” for the entire cooking time to actually yield the result.=Cada elemento cociñable require tempo para ser cociñado. Este tempo é específico para o tipo de elemento e o elemento debe estar "incendido" durante todo o tempo de cocción para que realmente produza o resultado.
Hotbar=Barra de Acceso
At the bottom of the screen you see some squares. This is called the “hotbar”. The hotbar allows you to quickly access the first items from your player inventory.=Na parte inferior da pantalla ves algúns cadrados. Isto chámase "barra de acceso". A barra de acceso rápido permíteche acceder rapidamente aos primeiros elementos do inventario do teu reprodutor.
You can change the selected item with the mouse wheel or the keyboard.=Pode cambiar o elemento seleccionado coa roda do rato ou o teclado.
• Select previous item in hotbar: [Mouse wheel up] or [B]=• Seleccione o elemento anterior na barra de acceso: [Roda cara arriba] ou [B]
• Select next item in hotbar: [Mouse wheel down] or [N]=• Seleccione o seguinte elemento na barra de acceso: [Roda do rato cara abaixo] ou [N]
• Select item in hotbar directly: [1]-[9]=• Seleccione o elemento directamente na barra de acceso: [1]-[9]
The selected item is also your wielded item.=O elemento escollido tamén é o teu elemento usado.
Minimap=Minimapa
If you have a map item in any of your hotbar slots, you can use the minimap.=Se tes un elemento do mapa nalgunha das túas ranuras da barra activa, podes usar o minimapa.
Press [F9] to make a minimap appear on the top right. The minimap helps you to find your way around the world. Press it again to select different minimap modes and zoom levels. The minimap also shows the positions of other players.=Preme [F9] para que apareza un minimapa na parte superior dereita. O minimapa axúdache a buscar o teu camiño polo mundo. Preme de novo para seleccionar diferentes modos de minimapa e niveis de zoom. O minimapa tamén mostra as posicións doutros xogadores.
There are 2 minimap modes and 3 zoom levels.=Hai 2 modos de minimapa e 3 niveis de zoom.
Surface mode (image 1) is a top-down view of the world, roughly resembling the colors of the blocks this world is made of. It only shows the topmost blocks, everything below is hidden, like a satellite photo. Surface mode is useful if you got lost.=O modo de superficie (imaxe 1) é unha vista de arriba abaixo do mundo, que se asemella aproximadamente ás cores dos bloques dos que está feito este mundo. Só mostra os bloques superiores, todo o que está abaixo está oculto, como unha foto de satélite. O modo de superficie é útil se te perdes.
Radar mode (image 2) is more complicated. It displays the “denseness” of the area around you and changes with your height. Roughly, the more green an area is, the less “dense” it is. Black areas have many blocks. Use the radar to find caverns, hidden areas, walls and more. The rectangular shapes in image 2 clearly expose the position of a dungeon.=O modo radar (imaxe 2) é máis complicado. Mostra a "densidade" da área que te rodea e cambia coa túa altura. Aproximadamente, canto máis verde é unha zona, menos "densa" é. As áreas negras teñen moitos bloques. Usa o radar para atopar cavernas, áreas escondidas, muros e moito máis. As formas rectangulares da imaxe 2 expoñen claramente a posición dun calabozo.
There are also two different rotation modes. In “square mode”, the rotation of the minimap is fixed. If you press [Shift]+[F9] to switch to “circle mode”, the minimap will instead rotate with your looking direction, so “up” is always your looking direction.=Tamén hai dous modos de rotación diferentes. No "modo cadrado", a rotación do minimapa está fixada. Se premes [Maiús]+[F9] para cambiar ao "modo círculo", o minimapa xirará na dirección da túa mirada, polo que "arriba" é sempre a túa dirección de mira.
In some games, the minimap may be disabled.=Nalgúns xogos, o minimapa pode estar desactivado.
• Toggle minimap mode: [F9]=• Alternar o modo minimapa: [F9]
• Toggle minimap rotation mode: [Shift]+[F9]=• Alternar o modo de rotación do minimapa: [Maiús]+[F9]
Inventory=Inventario
Inventories are used to store item stacks. There are other uses, such as crafting. An inventory consists of a rectangular grid of item slots. Each item slot can either be empty or hold one item stack. Item stacks can be moved freely between most slots.=Os inventarios úsanse para almacenar pilas de artigos. Hai outros usos, como a artesanía. Un inventario consiste nunha cuadrícula rectangular de espazos para elementos. Cada espazo para elementos pode estar baleiro ou albergar unha pila de elementos. As pilas de elementos pódense mover libremente entre a maioría dos espazos.
You have your own inventory which is called your “player inventory”, you can open it with the inventory key (default: [I]). The first inventory slots are also used as slots in your hotbar.=Tes o teu propio inventario que se chama o teu "inventario de xogadores", podes abrilo coa clave de inventario (predeterminado: [I]). Os primeiros espazos de inventario tamén se usan como espazos na súa barra de acceso rápido.
Blocks can also have their own inventory, e.g. chests and furnaces.=Os bloques tamén poden ter o seu propio inventario, p. ex. cofres e fornos.
Inventory controls:=Controis de inventario:
Taking: You can take items from an occupied slot if the cursor holds nothing.=Tomando: podes sacar elementos dun slot ocupado se o cursor non contén nada.
• Left click: take entire item stack=• Fai clic co botón esquerdo: leva a pila completa de elementos
• Right click: take half from the item stack (rounded up)=• Fai clic co botón dereito: toma a metade da pila de elementos (redondeado cara arriba)
• Middle click: take 10 items from the item stack=• Prema central: toma 10 elementos da pila de elementos
• Mouse wheel down: take 1 item from the item stack=• Roda do rato cara abaixo: colle 1 elemento da pila de elementos
Putting: You can put items onto a slot if the cursor holds 1 or more items and the slot is either empty or contains an item stack of the same item type.=Poñer: podes poñer elementos nunha ranura se o cursor contén 1 ou máis elementos e o espazo está baleiro ou contén unha pila de elementos do mesmo tipo.
• Left click: put entire item stack=• Fai clic co botón esquerdo: pon todo a pila de elementos
• Right click or mouse wheel up: put 1 item of the item stack=• Fai clic co botón dereito do rato ou a roda do rato cara arriba: pon 1 elemento da pila de elementos
• Middle click: put 10 items of the item stack=• Clic central: pon 10 elementos da pila de elementos
Exchanging: You can exchange items if the cursor holds 1 or more items and the destination slot is occupied by a different item type.=Intercambiar: podes intercambiar elementos se o cursor ten 1 ou máis elementos e o espazo de destino está ocupado por un tipo de elemento diferente.
• Click: exchange item stacks=• Fai clic: intercambia pilas de elementos
Throwing away: If you hold an item stack and click with it somewhere outside the menu, the item stack gets thrown away into the environment.=Tirar ao lixo: se gardas unha pila de elementos e fai clic con ela nalgún lugar fóra do menú, a pila de elementos bótase ao ambiente.
Quick transfer: You can quickly transfer an item stack to/from the player inventory to/from another item's inventory slot like a furnace, chest, or any other item with an inventory slot when that item's inventory is accessed. The target inventory is generally the most relevant inventory in this context.=Transferencia rápida: podes transferir rapidamente unha pila de artigos ao inventario dos xogadores a/desde o espazo de inventario doutro artigo, como un forno, un cofre ou calquera outro elemento cun espazo de inventario cando se accede ao inventario dese artigo. O inventario de destino é xeralmente o inventario máis relevante neste contexto.
• Sneak+Left click: Automatically transfer item stack=• Sneak+click esquerdo: transferir automaticamente pila de elementos
Online help=Axuda en liña
You may want to check out these online resources related to Minetest:=Quizais queiras consultar estes recursos en liña relacionados con Minetest:
Official homepage of Minetest: <https://minetest.net/>=Páxina oficial de Minetest: <https://minetest.net/>
The main place to find the most recent version of Minetest.=O lugar principal para atopar a versión máis recente de Minetest.
Community wiki: <https://wiki.minetest.net/>=Wiki da comunidade: <https://wiki.minetest.net/>
A community-based documentation website for Minetest. Anyone with an account can edit it! It also features a documentation of Minetest Game.=Un sitio web de documentación baseado na comunidade para Minetest. Calquera persoa que teña unha conta pode editala. Tamén presenta unha documentación de Minetest Game.
##TODO: fuzzy matched - verify and remove the comment
Web forums: <https://forums.minetest.net/>=Foros de Minetest: <https://forums.minetest.net/>
A web-based discussion platform where you can discuss everything related to Minetest. This is also a place where player-made mods and games are published and discussed. The discussions are mainly in English, but there is also space for discussion in other languages.=Unha plataforma de debate baseada na web onde podes discutir todo o relacionado con Minetest. Este tamén é un lugar onde se publican e discuten as modificacións e os xogos feitos polo xogador. Os debates son principalmente en inglés, pero tamén hai espazo para debater noutros idiomas.
Chat: <irc://irc.freenode.net#minetest>=Chat: <irc://irc.freenode.net#minetest>
A generic Internet Relay Chat channel for everything related to Minetest where people can meet to discuss in real-time. If you do not understand IRC, see the Community Wiki for help.=Unha canle xenérica de Internet Relay Chat para todo o relacionado con Minetest onde a xente pode reunirse para discutir en tempo real. Se non entendes IRC, consulta a Wiki da comunidade para obter axuda.
Groups=Grupos
Items, players and objects (animate and inanimate) can be members of any number of groups. Groups serve multiple purposes:=Os elementos, xogadores e obxectos (animados e inanimados) poden ser membros de calquera número de grupos. Os grupos teñen varios propósitos:
• Crafting recipes: Slots in a crafting recipe may not require a specific item, but instead an item which is a member of a particular group, or multiple groups=• Receitas de elaboración: os espazos nunha receita de elaboración poden non requirir un elemento específico, senón un elemento que é membro dun grupo determinado, ou de varios grupos
• Digging times: Diggable blocks belong to groups which are used to determine digging times. Mining tools are capable of digging blocks belonging to certain groups=• Tempos de escavación: os bloques escavables pertencen a grupos que se utilizan para determinar os tempos de escavación. As ferramentas de minería son capaces de cavar bloques pertencentes a determinados grupos
• Block behavior: Blocks may show a special behaviour and interact with other blocks when they belong to a particular group=• Comportamento do bloque: os bloques poden mostrar un comportamento especial e interactuar con outros bloques cando pertencen a un determinado grupo
• Damage and armor: Objects and players have armor groups, weapons have damage groups. These groups determine damage. See also: “Basics > Weapons”=• Danos e armaduras: os obxectos e os xogadores teñen grupos de armaduras, as armas teñen grupos de danos. Estes grupos determinan os danos. Vexa tamén: "Básico > Armas"
• Other uses=• Outros usos
In the item help, many important groups are usually mentioned and explained.=Na axuda do elemento, adoitan mencionarse e explicar moitos grupos importantes.
Glossary=Glosario
This is a list of commonly used terms:=Esta é unha lista de termos de uso habitual:
Controls:=Controis:
• Wielding: Holding an item in hand=• Empuñando: Sostendo un elemento na man
• Pointing: Looking with the crosshair at something in range=• Apuntar: mirar co punto de mira algo que se atopa no alcance
• Dropping: Throwing an item or item stack to the ground=• Caer: tirar un elemento ou unha pila de elementos ao chan
• Punching: Attacking with left-click, is also used on blocks=• Golpear: atacar co botón esquerdo, tamén se usa en bloques
• Sneaking: Walking slowly while (usually) avoiding to fall over edges=• Furtivamente: Camiñar lentamente mentres (normalmente) evita caer por riba das beiras
• Climbing: Moving up or down a climbable block=• Escalada: subir ou baixar un bloque escalable
Blocks:=Bloques:
• Block: Cubes that the worlds are made of=• Bloque: Cubos dos que están feitos os mundos
• Mining/digging: Using a mining tool to break a block=• Minería/escavación: Usando unha ferramenta de minería para romper un bloque
• Building/placing: Putting a block somewhere=• Construír/colocar: Poñer un bloque nalgún lugar
• Drop: Items you get after mining a block=• Soltar: elementos que obtén despois de minar un bloque
• Using a block: Right-clicking a block to access its special function=• Usando un bloque: premendo co botón dereito nun bloque para acceder á súa función especial
Items:=Elementos:
• Item: A single thing that players can possess=• Elemento: unha única cousa que os xogadores poden posuír
• Item stack: A collection of items of the same kind=• Pila de elementos: unha colección de elementos do mesmo tipo
• Maximum stack size: Maximum amount of items in an item stack=• Tamaño máximo da pila: cantidade máxima de elementos nunha pila de elementos
• Slot / inventory slot: Can hold one item stack=• Slot / slot de inventario: pode albergar unha pila de elementos
• Inventory: Provides several inventory slots for storage=• Inventario: ofrece varios espazos de inventario para almacenamento
• Player inventory: The main inventory of a player=• Inventario de xogadores: o inventario principal dun xogador
• Tool: An item which you can use to do special things with when wielding=• Ferramenta: un elemento co que podes usar para facer cousas especiais ao manexar
• Range: How far away things can be to be pointed by an item=• Rango: ata que punto poden estar as cousas para ser sinaladas por un elemento
• Mining tool: A tool which allows to break blocks=• Ferramenta de minería: unha ferramenta que permite romper bloques
• Craftitem: An item which is (primarily or only) used for crafting=• Artigo de artesanía: un artigo que se usa (principalmente ou só) para elaborar
Gameplay:=Xogo:
• “heart”: A single health symbol, indicates 2 HP=• “corazón”: un único símbolo de saúde, indica 2 HP
• “bubble”: A single breath symbol, indicates 1 BP=• “burbulla”: un só símbolo de respiración, indica 1 BP
• HP: Hit point (equals half 1 “heart”)=• HP: Punto de vida (é igual a metade 1 “corazón”)
• BP: Breath point, indicates breath when diving=• BP: punto de respiración, indica respiración ao mergullar
• Mob: Computer-controlled enemy=• Mob: inimigo controlado por ordenador
• Crafting: Combining multiple items to create new ones=• Elaboración: combinar varios elementos para crear outros novos
• Crafting guide: A helper which shows available crafting recipes=• Guía de elaboración: un axudante que mostra as receitas de elaboración dispoñibles
• Spawning: Appearing in the world=• Desove: Aparece no mundo
• Respawning: Appearing again in the world after death=• Respawning: aparecer de novo no mundo despois da morte
• Group: Puts similar things together, often affects gameplay=• Grupo: reúne cousas semellantes, moitas veces afecta ao xogo
• noclip: Allows to fly through walls=• noclip: Permite voar a través das paredes
Interface=Interface
• Hotbar: Inventory slots at the bottom=• Barra de acceso: espazos de inventario na parte inferior
• Statbar: Indicator made out of half-symbols, used for health and breath=• Statbar: indicador feito de semisímbolos, usado para saúde e respiración
• Minimap: The map or radar at the top right=• Minimapa: o mapa ou o radar na parte superior dereita
• Crosshair: Seen in the middle, used to point at things=• Punto de mira: Visto no medio, usado para sinalar cousas
Online multiplayer:=Multixogador en liña:
• PvP: Player vs Player. If active, players can deal damage to each other=• PvP: Xogador contra xogador. Se están activos, os xogadores poden facerse dano entre eles
• Griefing: Destroying the buildings of other players against their will=• Griefing: Destruír os edificios doutros xogadores contra a súa vontade
• Protection: Mechanism to own areas of the world, which only allows the owners to modify blocks inside=• Protección: Mecanismo para posuír zonas do mundo, que só permite aos propietarios modificar bloques no seu interior
Technical terms:=Termos técnicos:
• Minetest: This game engine=• Minetest: este motor de xogo
• Minetest Game: A game for Minetest by the Minetest developers=• Minetest Game: un xogo para Minetest dos desenvolvedores de Minetest
• Game: A complete playing experience to be used in Minetest; such as a game or sandbox or similar=• Xogo: unha experiencia de xogo completa para usar en Minetest; como un xogo ou unha caixa de area ou semellante
• Mod: A single subsystem which adds or modifies functionality; is the basic building block of games and can be used to further enhance or modify them=• Mod: un único subsistema que engade ou modifica funcionalidades; é o bloque básico dos xogos e pódese usar para melloralos ou modificalos aínda máis
• Privilege: Allows a player to do something=• Privilexio: Permítelle a un xogador facer algo
• Node: Other word for “block”=• Nodo: outra palabra para “bloque”
Settings=Configuración
There is a large variety of settings to configure Minetest. Pretty much every aspect can be changed that way.=Hai unha gran variedade de opcións para configurar Minetest. Case todos os aspectos pódense cambiar dese xeito.
These are a few of the most important gameplay settings:=Estas son algunhas das opcións de xogo máis importantes:
• Damage enabled (enable_damage): Enables the health and breath attributes for all players. If disabled, players are immortal=• Damage enabled (enable_damage): activa os atributos de saúde e respiración para todos os xogadores. Se está desactivado, os xogadores son inmortais
• Creative Mode (creative_mode): Enables sandbox-style gameplay focusing on creativity rather than a challenging gameplay. The meaning depends on the game; usual changes are: Reduced dig times, easy access to almost all items, tools never wear off, etc.=• Modo creativo (creative_mode): permite un xogo estilo sandbox centrándose na creatividade en vez de nun xogo desafiante. O significado depende do xogo; Os cambios habituais son: tempos de escavación reducidos, fácil acceso a case todos os elementos, ferramentas que nunca se desgastan, etc.
• PvP (enable_pvp): Short for “Player vs Player”. If enabled, players can deal damage to each other=• PvP (enable_pvp): abreviatura de "Xogador contra xogador". Se está activado, os xogadores poden causar dano entre eles
For a full list of all available settings, use the “All Settings” dialog in the main menu.=Para obter unha lista completa de todas as opcións dispoñibles, use o diálogo "Todas as opcións" no menú principal.
Movement modes=Modos de movemento
You can enable some special movement modes that change how you move.=Podes activar algúns modos de movemento especiais que cambian a forma de moverte.
Pitch movement mode:=Modo de movemento de ton:
• Description: If this mode is activated, the movement keys will move you relative to your current view pitch (vertical look angle) when you're in a liquid or in fly mode.=• Descrición: se este modo está activado, as teclas de movemento moveránche en relación ao teu tono de vista actual (ángulo de mirada vertical) cando esteas nun líquido ou no modo voo.
• Default key: [L]=• Tecla predeterminada: [L]
• No privilege required=• Non se require ningún privilexio
Fast mode:=Modo rápido:
• Description: Allows you to move much faster. Hold down the the “Use” key [E] to move faster. In the client configuration, you can further customize fast mode.=• Descrición: Permíteche moverte moito máis rápido. Manteña premida a tecla "Usar" [E] para moverse máis rápido. Na configuración do cliente, pode personalizar aínda máis o modo rápido.
• Default key: [J]=• Tecla predeterminada: [J]
• Required privilege: fast=• Privilexio necesario: rápido
Fly mode:=Modo voo:
• Description: Gravity doesn't affect you and you can move freely in all directions. Use the jump key to rise and the sneak key to sink.=• Descrición: a gravidade non che afecta e podes moverte libremente en todas as direccións. Usa a tecla de salto para subir e a tecla de furtivo para afundir.
• Default key: [K]=• Tecla predeterminada: [K]
• Required privilege: fly=• Privilexio necesario: fly
Noclip mode:=Modo Noclip:
• Description: Allows you to move through walls. Only works when fly mode is enabled, too.=• Descrición: Permíteche moverte por paredes. Só funciona cando o modo voo tamén está activado.
• Default key: [H]=• Tecla predeterminada: [H]
• Required privilege: noclip=• Privilexios necesarios: noclip
Console=Consola
With [F10] you can open and close the console. The main use of the console is to show the chat log and enter chat messages or server commands.=Con [F10] pode abrir e pechar a consola. O uso principal da consola é mostrar o rexistro de chat e introducir mensaxes de chat ou comandos do servidor.
Using the chat or server command key also opens the console, but it is smaller and will be closed after you sent a message.=Ao usar a tecla de comando do chat ou do servidor tamén se abre a consola, pero é máis pequena e pecharase despois de enviar unha mensaxe.
Use the chat to communicate with other players. This requires you to have the “shout” privilege.=Usa o chat para comunicarte con outros xogadores. Isto require que teñas o privilexio de "berrar".
##TODO: fuzzy matched - verify and remove the comment
Just type in the message and hit [Enter]. Public chat messages cannot begin with “/”.=Só tes que escribir a mensaxe e premer [Intro]. As mensaxes de chat público non poden comezar por “/”.
You can send private messages: Say “/msg <player> <message>” in chat to send “<message>” which can only be seen by <player>.=Podes enviar mensaxes privadas: Di "/msg <player> <mensaxe>" no chat para enviar "<mensaxe>" que só pode ver <player>.
There are some special controls for the console:=Hai algúns controis especiais para a consola:
• [F10] Open/close console=• [F10] Abrir/pechar consola
• [Enter]: Send message or command=• [Intro]: enviar mensaxe ou comando
• [Tab]: Try to auto-complete a partially-entered player name=• [Tab]: tenta completar automaticamente un nome de xogador introducido parcialmente
• [Ctrl]+[Left]: Move cursor to the beginning of the previous word=• [Ctrl]+[Esquerda]: move o cursor ao comezo da palabra anterior
• [Ctrl]+[Right]: Move cursor to the beginning of the next word=• [Ctrl]+[Dereita]: move o cursor ao comezo da seguinte palabra
• [Ctrl]+[Backspace]: Delete previous word=• [Ctrl]+[Retroceso]: elimina a palabra anterior
• [Ctrl]+[Delete]: Delete next word=• [Ctrl]+[Eliminar]: elimina a seguinte palabra
• [Ctrl]+[U]: Delete all text before the cursor=• [Ctrl]+[U]: elimina todo o texto antes do cursor
• [Ctrl]+[K]: Delete all text after the cursor=• [Ctrl]+[K]: elimina todo o texto despois do cursor
• [Page up]: Scroll up=• [Arriba páxina]: Desprácese cara arriba
• [Page down]: Scroll down=• [Abaixo páxina]: Desprácese cara abaixo
There is also an input history. Minetest saves your previous console inputs which you can quickly access later:=Tamén hai un historial de entradas. Minetest garda as súas entradas de consola anteriores ás que pode acceder rapidamente máis tarde:
• [Up]: Go to previous entry in history=• [Arriba]: vai á entrada anterior do historial
• [Down]: Go to next entry in history=• [Abaixo]: vai á seguinte entrada do historial
Server commands=Comandos do servidor
Server commands (also called “chat commands”) are little helpers for advanced users. You don't need to use these commands when playing. But they might come in handy to perform some more technical tasks. Server commands work both in multi-player and single-player mode.=Os comandos do servidor (tamén chamados "comandos de chat") son pequenas axudas para os usuarios avanzados. Non necesitas usar estes comandos cando xogas. Pero poden ser útiles para realizar algunhas tarefas máis técnicas. Os comandos do servidor funcionan tanto no modo multixogador como no modo dun xogador.
Server commands can be entered by players using the chat to perform a special server action. There are a few commands which can be issued by everyone, but some commands only work if you have certain privileges granted on the server. There is a small set of basic commands which are always available, other commands can be added by mods.=Os xogadores poden introducir comandos do servidor mediante o chat para realizar unha acción especial do servidor. Hai algúns comandos que poden ser emitidos por todos, pero algúns só funcionan se tes certos privilexios concedidos no servidor. Hai un pequeno conxunto de comandos básicos que sempre están dispoñibles, outros comandos pódense engadir mediante mods.
To issue a command, simply type it like a chat message or press Minetest's command key (default: [/]). All commands have to begin with “/”, for example “/mods”. The Minetest command key does the same as the chat key, except that the slash is already entered.=Para emitir un comando, simplemente escríbeo como unha mensaxe de chat ou prema a tecla de comando de Minetest (predeterminado: [/]). Todos os comandos deben comezar por "/", por exemplo "/mods". A tecla de comando de Minetest fai o mesmo que a tecla de chat, excepto que a barra inclinada xa está introducida.
Commands may or may not give a response in the chat log, but errors will generally be shown in the chat. Try it for yourselves: Close this window and type in the “/mods” command. This will give you the list of available mods on this server.=Os comandos poden ou non dar unha resposta no rexistro de chat, pero os erros xeralmente mostraranse no chat. Probeo por vós mesmos: pecha esta xanela e escriba o comando "/mods". Isto darache a lista de modificacións dispoñibles neste servidor.
“/help all” is a very important command: You get a list of all available commands on the server, a short explanation and the allowed parameters. This command is also important because the available commands often differ per server.="/help all" é un comando moi importante: obtén unha lista de todos os comandos dispoñibles no servidor, unha pequena explicación e os parámetros permitidos. Este comando tamén é importante porque os comandos dispoñibles a miúdo difiren por servidor.
Commands are followed by zero or more parameters.=Os comandos van seguidos de cero ou máis parámetros.
In the command reference, you see some placeholders which you need to replace with an actual value. Here's an explanation:=Na referencia do comando, ves algúns marcadores de posición que debes substituír por un valor real. Aquí tes unha explicación:
• Text in greater-than and lower-than signs (e.g. “<param>”): Placeholder for a parameter=• Texto en signos de maior e menor que (por exemplo, “<param>”): marcador de posición para un parámetro
• Anything in square brackets (e.g. “[text]”) is optional and can be omitted=• Calquera cousa entre corchetes (por exemplo, “[texto]”) é opcional e pódese omitir
• Pipe or slash (e.g. “text1 | text2 | text3”): Alternation. One of multiple texts must be used (e.g. “text2”)=• Tubo ou barra (por exemplo, "texto1 | texto2 | texto3"): alternancia. Debe utilizarse un dos varios textos (por exemplo, "text2")
• Parenthesis: (e.g. “(word1 word2) | word3”): Groups multiple words together, used for alternations=• Paréntese: (p. ex. “(palabra1 palabra2) | palabra3”): agrupa varias palabras, usadas para alternar
• Everything else is to be read as literal text=• Todo o demais debe ser lido como texto literal
Here are some examples to illustrate the command syntax:=Aquí tes algúns exemplos para ilustrar a sintaxe do comando:
• /mods: No parameters. Just enter “/mods”=• /mods: sen parámetros. Só tes que introducir "/mods"
• /me <action>: 1 parameter. You have to enter “/me ” followed by any text, e.g. “/me orders pizza”=• /me <acción>: 1 parámetro. Tes que introducir "/me" seguido de calquera texto, p. ex. "/pido pizza"
• /give <name> <ItemString>: Two parameters. Example: “/give Player default:apple”=• /give <nome> <ItemString>: dous parámetros. Exemplo: "/dar o predeterminado do reprodutor: apple"
• /help [all|privs|<cmd>]: Valid inputs are “/help”, “/help all”, “/help privs”, or “/help ” followed by a command name, like “/help time”=• /help [all|privs|<cmd>]: as entradas válidas son “/help”, “/help all”, “/help privs” ou “/help ” seguidas dun nome de comando, como “/help time”
• /spawnentity <EntityName> [<X>,<Y>,<Z>]: Valid inputs include “/spawnentity boats:boat” and “/spawnentity boats:boat 0,0,0”=• /spawnentity <EntityName> [<X>,<Y>,<Z>]: as entradas válidas inclúen “/spawnentity boats:boat” e “/spawnentity boats:boat 0,0,0”
Some final remarks:=Algunhas observacións finais:
• For /give and /giveme, you need an itemstring. This is an internally used unique item identifier which you may find in the item help if you have the “give” or “debug” privilege=• Para /give e /giveme, necesitas unha cadea de elementos. Este é un identificador de elemento único de uso interno que podes atopar na axuda do elemento se tes o privilexio de "dar" ou "depurar"
• For /spawnentity you need an entity name, which is another identifier=• Para /spawnentity necesitas un nome de entidade, que é outro identificador
Privileges=Privilexios
Each player has a set of privileges, which differs from server to server. Your privileges determine what you can and can't do. Privileges can be granted and revoked from other players by any player who has the privilege called “privs”.=Cada xogador ten un conxunto de privilexios, que varían dun servidor a outro. Os teus privilexios determinan o que podes e non podes facer. Os privilexios poden ser concedidos e revogados a outros xogadores por calquera xogador que teña o privilexio chamado "privs".
On a multiplayer server with the default configuration, new players start with the privileges called “interact” and “shout”. The “interact” privilege is required for the most basic gameplay actions such as building, mining, using, etc. The “shout” privilege allows to chat.=Nun servidor multixogador coa configuración predeterminada, os novos xogadores comezan cos privilexios chamados "interactuar" e "gritar". O privilexio de "interactuar" é necesario para as accións de xogo máis básicas, como construír, minar, usar, etc. O privilexio de "gritar" permite chatear.
There is a small set of core privileges which you'll find on every server, other privileges might be added by mods.=Hai un pequeno conxunto de privilexios principais que atoparás en cada servidor, outros privilexios poden ser engadidos por mods.
To view your own privileges, issue the server command “/privs”.=Para ver os seus propios privilexios, emita o comando do servidor "/privs".
Here are a few basic privilege-related commands:=Aquí tes algúns comandos básicos relacionados cos privilexios:
• /privs: Lists your privileges=• /privs: enumera os teus privilexios
• /privs <player>: Lists the privileges of <player>=• /privs <player>: lista os privilexios de <player>
• /help privs: Shows a list and description about all privileges=• /help privs: mostra unha lista e unha descrición sobre todos os privilexios
Players with the “privs” privilege can modify privileges at will:=Os xogadores co privilexio "privs" poden modificar os privilexios a vontade:
• /grant <player> <privilege>: Grant <privilege> to <player>=• /grant <xogador> <privilexio>: concede <privilexio> a <xogador>
• /revoke <player> <privilege>: Revoke <privilege> from <player>=• /revoke <xogador> <privilexio>: revoga <privilexio> de <xogador>
In single-player mode, you can use “/grantme all” to unlock all abilities.=No modo para un xogador, podes usar "/grantme all" para desbloquear todas as habilidades.
Light=Luz
As the world is entirely block-based, so is the light in the world. Each block has its own brightness. The brightness of a block is expressed in a “light level” which ranges from 0 (total darkness) to 15 (as bright as the sun).=Como o mundo está totalmente baseado en bloques, tamén o é a luz do mundo. Cada bloque ten o seu propio brillo. O brillo dun bloque exprésase nun "nivel de luz" que varía de 0 (escuridade total) a 15 (tan brillante como o sol).
There are two types of light: Sunlight and artificial light.=Hai dous tipos de luz: luz solar e luz artificial.
Artificial light is emitted by luminous blocks. Artificial light has a light level from 1-14.=A luz artificial é emitida por bloques luminosos. A luz artificial ten un nivel de luz de 1-14.
Sunlight is the brightest light and always goes perfectly straight down from the sky at each time of the day. At night, the sunlight will become moonlight instead, which still provides a small amount of light. The light level of sunlight is 15.=A luz do sol é a luz máis brillante e sempre baixa perfectamente directamente desde o ceo a cada hora do día. Pola noite, a luz solar converterase en luz da lúa, que aínda proporciona unha pequena cantidade de luz. O nivel luminoso da luz solar é 15.
Blocks have 3 levels of transparency:=Os bloques teñen 3 niveis de transparencia:
• Transparent: Sunlight goes through limitless, artificial light goes through with losses=• Transparente: a luz solar pasa sen límites, a artificial pasa con perdas
• Semi-transparent: Sunlight and artificial light go through with losses=• Semitransparente: a luz solar e artificial atravesan con perdas
• Opaque: No light passes through=• Opaco: non pasa luz
Artificial light will lose one level of brightness for each transparent or semi-transparent block it passes through, until only darkness remains (image 1).=A luz artificial perderá un nivel de brillo por cada bloque transparente ou semitransparente polo que atravesa, ata que só quede escuridade (imaxe 1).
Sunlight will preserve its brightness as long it only passes fully transparent blocks. When it passes through a semi-transparent block, it turns to artificial light. Image 2 shows the difference.=A luz solar conservará o seu brillo mentres só pase bloques totalmente transparentes. Cando pasa por un bloque semitransparente, convértese en luz artificial. A imaxe 2 mostra a diferenza.
Note that “transparency” here only means that the block is able to carry brightness from its neighboring blocks. It is possible for a block to be transparent to light but you can't see trough the other side.=Teña en conta que "transparencia" aquí só significa que o bloque é capaz de levar o brillo dos seus bloques veciños. É posible que un bloque sexa transparente á luz pero non se ve polo outro lado.
Coordinates=Coordenadas
The world is a large cube. And because of this, a position in the world can be easily expressed with Cartesian coordinates. That is, for each position in the world, there are 3 values X, Y and Z.=O mundo é un gran cubo. E por iso, unha posición no mundo pódese expresar facilmente con coordenadas cartesianas. É dicir, para cada posición no mundo, hai 3 valores X, Y e Z.
Like this: (5, 45, -12)=Así: (5, 45, -12)
This refers to the position where X@=5, Y@=45 and Z@=-12. The 3 letters are called “axes”: Y is for the height. X and Z are for the horizontal position.=Isto refírese á posición onde X@=5, Y@=45 e Z@=-12. As 3 letras chámanse "eixes": Y é para a altura. X e Z son para a posición horizontal.
The values for X, Y and Z work like this:=Os valores de X, Y e Z funcionan así:
• If you go up, Y increases=• Se sobes, Y aumenta
• If you go down, Y decreases=• Se baixas, Y diminúe
• If you follow the sun, X increases=• Se segues o sol, X aumenta
• If you go to the reverse direction, X decreases=• Se vai en sentido inverso, X diminúe
• Follow the sun, then go right: Z increases=• Segue o sol, logo vai á dereita: Z aumenta
• Follow the sun, then go left: Z decreases=• Segue o sol, despois vai á esquerda: Z diminúe
• The side length of a full cube is 1=• A lonxitude do lado dun cubo completo é 1
You can view your current position in the debug screen (open with [F5]).=Podes ver a túa posición actual na pantalla de depuración (abre con [F5]).
##[ mcl_extension.lua ]##
# MCL2 extensions
Creative Mode=Modo creativo
##TODO: fuzzy matched - verify and remove the comment
Enabling Creative Mode in VoxeLibre applies the following changes:=Activar o modo creativo en MineClone 2 aplica os seguintes cambios:
• You keep the things you've placed=• Gardas as cousas que colocaches
• Creative inventory is available to obtain most items easily=• O inventario creativo está dispoñible para obter a maioría dos elementos facilmente
• Hand breaks all default blocks instantly=• A man rompe todos os bloques predeterminados ao instante
• Greatly increased hand pointing range=• Aumentou moito o rango de apuntamento da man
• Mined blocks don't drop items=• Os bloques extraídos non soltan elementos
• Items don't get used up=• Os elementos non se esgotan
• Tools don't wear off=• As ferramentas non se desgastan
• You can eat food whenever you want=• Podes comer cando queiras
• You can always use the minimap (including radar mode)=• Sempre podes usar o minimapa (incluído o modo radar)
Damage is not affected by Creative Mode, it needs to be disabled separately.=Os danos non se ven afectados polo modo creativo, é necesario desactivalo por separado.
Mobs=
Mobs are the living beings in the world. This includes animals and monsters.=As turbas son os seres vivos do mundo. Isto inclúe animais e monstros.
Mobs appear randomly throughout the world. This is called “spawning”. Each mob kind appears on particular block types at a given light level. The height also plays a role. Peaceful mobs tend to spawn at daylight while hostile ones prefer darkness. Most mobs can spawn on any solid block but some mobs only spawn on particular blocks (like grass blocks).=As turbas aparecen ao azar en todo o mundo. Isto chámase "desove". Cada tipo de mafia aparece en tipos de bloques particulares nun nivel de luz dado. A altura tamén xoga un papel. As turbas pacíficas tenden a aparecer á luz do día mentres que as hostís prefiren a escuridade. A maioría dos mobs poden xerarse en calquera bloque sólido, pero algúns mobs só aparecen en bloques particulares (como bloques de herba).
Like players, mobs have hit points and sometimes armor points, too (which means you need better weapons to deal any damage at all). Also like players, hostile mobs can attack directly or at a distance. Mobs may drop random items after they die.=Do mesmo xeito que os xogadores, os mobs teñen puntos de vida e ás veces tamén puntos de armadura (o que significa que necesitas mellores armas para causar calquera dano). Tamén como os xogadores, as turbas hostís poden atacar directamente ou a distancia. As turbas poden soltar elementos aleatorios despois de morrer.
Most animals roam the world aimlessly while most hostile mobs hunt players. Animals can be fed, tamed and bred.=A maioría dos animais percorren o mundo sen rumbo, mentres que a maioría das turbas hostís cazan aos xogadores. Os animais poden ser alimentados, domesticados e criados.
Animals=Animais
Animals are peaceful beings which roam the world aimlessly. You can feed, tame and breed them.=Os animais son seres pacíficos que deambulan polo mundo sen rumbo. Podes alimentalos, domesticalos e crialos.
Feeding:=Alimentación:
##TODO: fuzzy matched - verify and remove the comment
Each animal has its own taste for food and doesn't just accept any food. To feed, hold an item in your hand and right-click the animal.=Cada animal ten o seu propio gusto pola comida e non só acepta calquera alimento. Para alimentarse, manteña un elemento na man e fai clic co botón dereito no animal.
##TODO: fuzzy matched - verify and remove the comment
Animals are attracted to the food they like and follow you as long you hold the food item in hand.=Os animais son atraídos pola comida que lles gusta e séguente mentres tes a comida na man.
Feeding an animal has three uses: Taming, healing and breeding.=Alimentar a un animal ten tres usos: domar, curar e criar.
Feeding heals animals instantly, depending on the quality of the food item.=A alimentación cura aos animais ao instante, dependendo da calidade do alimento.
Taming:=Domar:
A few animals can be tamed. You can generally do more things with tamed animals and use other items on them. For example, tame horses can be saddled and tame wolves fight on your side.=Algúns animais poden ser domesticados. En xeral, podes facer máis cousas con animais domesticados e usar outros elementos neles. Por exemplo, os cabalos mansos poden ser ensillados e os lobos mansos pelexan ao teu lado.
Breeding:=Cría:
When you have fed an animal up to its maximum health, then feed it again, you will activate “Love Mode” and many hearts appear around the animal.=Cando teñas alimentado un animal ata a súa saúde máxima, despois aliméntalo de novo, activarás o "Modo de amor" e aparecerán moitos corazóns ao redor do animal.
Two animals of the same species will start to breed if they are in Love Mode and close to each other. Soon a baby animal will pop up.=Dous animais da mesma especie comezarán a reproducirse se están en Modo Amor e preto un do outro. Axiña aparecerá un bebé animal.
Baby animals:=Animais bebés:
##TODO: fuzzy matched - verify and remove the comment
Baby animals are just like their adult counterparts, but they can't be tamed or bred and don't drop anything when they die. They grow to adults after a short time. When fed, they grow to adults faster.=Os animais bebés son como os seus homólogos adultos, pero non poden ser domesticados nin criados e non deixan caer nada cando morren. Crecen ata adultos despois de pouco tempo. Cando se alimentan, chegan a ser adultos máis rápido.
Hunger=fame
Hunger affects your health and your ability to sprint. Hunger is not in effect when damage is disabled.=A fame afecta a túa saúde e a túa capacidade para esprintar. A fame non está en vigor cando o dano está desactivado.
Core hunger rules:=Regras básicas da fame:
• You start with 20/20 hunger points (more points @= less hungry)=• Comezas con 20/20 puntos de fame (máis puntos @= menos fame)
• Actions like combat, jumping, sprinting, etc. decrease hunger points=• Accións como combate, saltos, sprints, etc. diminúen os puntos de fame
• Food restores hunger points=• A comida restaura os puntos de fame
• If your hunger bar decreases, you're hungry=• Se a barra da fame diminúe, tes fame
• At 18-20 hunger points, you regenerate 1 HP every 4 seconds=• Aos 18-20 puntos de fame, rexeneras 1 HP cada 4 segundos
• At 6 hunger points or less, you can't sprint=• Con 6 puntos de fame ou menos, non podes esprintar
• At 0 hunger points, you lose 1 HP every 4 seconds (down to 1 HP)=• Con 0 puntos de fame, perdes 1 HP cada 4 segundos (ata 1 HP)
• Poisonous food decreases your health=• A comida velenosa diminúe a túa saúde
Details:=Detalles:
You have 0-20 hunger points, indicated by 20 drumstick half-icons above the hotbar. You also have an invisible attribute: Saturation.=Tes 0-20 puntos de fame, indicados por 20 medias iconas de baqueta enriba da barra activa. Tamén tes un atributo invisible: Saturación.
Hunger points reflect how full you are while saturation points reflect how long it takes until you're hungry again.=Os puntos de fame reflicten o cheo que estás mentres que os de saturación reflicten o tempo que leva ata que tes fame de novo.
Each food item increases both your hunger level as well your saturation.=Cada alimento aumenta tanto o teu nivel de fame como a túa saturación.
Food with a high saturation boost has the advantage that it will take longer until you get hungry again.=A comida cun aumento de saturación elevado ten a vantaxe de que tardará máis tempo en volver pasar fame.
A few food items might induce food poisoning by chance. When you're poisoned, the health and hunger symbols turn sickly green. Food poisoning drains your health by 1 HP per second, down to 1 HP. Food poisoning also drains your saturation. Food poisoning goes away after a while or when you drink milk.=Algúns alimentos poden provocar unha intoxicación alimentaria por casualidade. Cando estás envelenado, os símbolos de saúde e fame vólvense verdes enfermizos. A intoxicación alimentaria drena a túa saúde en 1 HP por segundo, ata 1 HP. A intoxicación alimentaria tamén drena a túa saturación. A intoxicación alimentaria desaparece despois dun tempo ou cando toma leite.
You start with 5 saturation points. The maximum saturation is equal to your current hunger level. So with 20 hunger points your maximum saturation is 20. What this means is that food items which restore many saturation points are more effective the more hunger points you have. This is because at low hunger levels, a lot of the saturation boost will be lost due to the low saturation cap.=Comeza con 5 puntos de saturación. A saturación máxima é igual ao teu nivel de fame actual. Entón, con 20 puntos de fame, a túa saturación máxima é de 20. Isto significa que os alimentos que restauran moitos puntos de saturación son máis efectivos cantos máis puntos de fame teñas. Isto débese a que a baixos niveis de fame perderase gran parte do aumento da saturación debido ao baixo límite de saturación.
If your saturation reaches 0, you're hungry and start to lose hunger points. Whenever you see the hunger bar decrease, it is a good time to eat.=Se a túa saturación chega a 0, tes fame e comezas a perder puntos de fame. Sempre que vexas diminuír a barra da fame, é un bo momento para comer.
Saturation decreases by doing things which exhaust you (highest exhaustion first):=A saturación diminúe ao facer cousas que che esgotan (o esgotamento máis alto primeiro):
• Regenerating 1 HP=• Rexenerando 1 HP
• Suffering food poisoning=• Sufrir intoxicación alimentaria
• Sprint-jumping=• Sprint-salto
• Sprinting=• Sprintar
• Attacking=• Atacar
• Taking damage=• Levar danos
• Swimming=• Natación
• Jumping=• Saltar
• Mining a block=• Minar un bloque
##TODO: fuzzy matched - verify and remove the comment
Other actions, like walking, do not exhaust you.=Outras accións, como andar, non te esgotan.
##### not used anymore #####
Everything you need to know about Minetest to get started with playing=Todo o que necesitas saber para comezar a xogar
Basic controls:=Controis básicos:
• Lowest row in inventory appears in hotbar below=• A fila máis baixa do inventario aparece na barra de acceso abaixo
Minetest as well as Minetest Game are both unfinished at the moment, so please forgive us when not everything works out perfectly.=Minetest e Minetest Game están sen rematar polo momento, así que perdóanos cando non todo funcione perfectamente.
If you jump while holding the sneak key, you also jump slightly higher than usual.=Se saltas mantendo pulsada a tecla furtiva, tamén saltas lixeiramente máis alto do habitual.
• E: Move even faster when in fast mode=• E: Móvese aínda máis rápido cando está en modo rápido
• Left mouse button: Punch / mine blocks / take items=• Botón esquerdo do rato: perforar / minar bloques / levar elementos
• Roll mouse wheel: Select next/previous item in hotbar=• Rodar a roda do rato: seleccione o elemento seguinte/anterior na barra de acceso
• F8: Toggle cinematic mode=• F8: alternar modo cinematográfico
• P: Only useful for developers. Writes current stack traces=• P: Só útil para desenvolvedores. Escribe trazos de pila actual
Dropped item stacks will be collected automatically when you stand close to them.=As pilas de elementos soltados recolleranse automaticamente cando esteas preto delas.
Mining tools are important to break all kinds of blocks. Weapons are another kind of tool. There are some other more specialized tools. Special actions of tools are usually done by right-click.=As ferramentas de minería son importantes para romper todo tipo de bloques. As armas son outro tipo de ferramenta. Hai outras ferramentas máis especializadas. As accións especiais das ferramentas adoitan facerse facendo clic co botón dereito.
When nothing is wielded, players use their hand which may act as tool and weapon. The hand is capable of punching and deals minimum damage.=Cando non se manexa nada, os xogadores usan a súa man, que pode actuar como ferramenta e arma. A man é capaz de golpear e causa un dano mínimo.
There is also Cinematic Mode which can be toggled with [F8]. With Cinematic Mode enabled, the camera movements become more smooth. Some players don't like it, it is a matter of taste.=Tamén hai un modo cinematográfico que se pode alternar con [F8]. Co modo cinematográfico activado, os movementos da cámara fanse máis suaves. A algúns xogadores non lles gusta, é cuestión de gustos.
By holding down [Z], you can zoom the view at your crosshair. You need the “zoom” privilege to do this.=Mantendo premido [Z], podes ampliar a vista no punto de mira. Necesitas o privilexio de "zoom" para facelo.
• Toggle Cinematic Mode: [F8]=• Alterna o modo cinematográfico: [F8]
The world of MineClone 2 is made entirely out of blocks (voxels, to be precise). Blocks can be added or removed with the correct tools.=O mundo de MineClone 2 está feito enteiramente de bloques (voxels, para ser precisos). Pódense engadir ou eliminar bloques coas ferramentas correctas.
• Right click: put 1 item of the item stack=• Fai clic co botón dereito: pon 1 elemento da pila de elementos
You may want to check out these online resources related to MineClone 2.=Pode querer consultar estes recursos en liña relacionados con MineClone 2.
MineClone 2 download and forum discussion: <https://forum.minetest.net/viewtopic.php?f@=50&t@=16407>=Descarga de MineClone 2 e discusión do foro: <https://forum.minetest.net/viewtopic.php?f@=50&t@=16407>
Here you find the most recent version of MineClone 2 and can discuss it.=Aquí atoparás a versión máis recente de MineClone 2 e podes discutilo.
Bug tracker: <https://github.com/Wuzzy2/MineClone2-Bugs>=Rastreador de erros: <https://github.com/Wuzzy2/MineClone2-Bugs>
Report bugs here.=Informa de erros aquí.
Minetest links:=Ligazóns Minetest:
The main place to find the most recent version of Minetest, the engine used by MineClone 2.=O lugar principal para atopar a versión máis recente de Minetest, o motor empregado por MineClone 2.
• MineClone 2: What you play right now=• MineClone 2: o que xogas agora

View File

@ -0,0 +1,57 @@
# textdomain: mcl_tt
##[ snippets_base.lua ]##
Painfully slow=Dolorosamente lento
Very slow=Moi lento
Slow=Lento
Fast=Rápido
Very fast=Moi rápido
Extremely fast=Extremadamente rápido
Instantaneous=
@1 uses=@1 usos
Unlimited uses=Usos ilimitados
Mining speed: @1=Velocidade de minería: @1
Durability: @1=Durabilidade: @1
Block breaking strength: @1=Forza para romper bloques: @1
Damage: @1=Dano: @1
Healing: @1=Curación: @1
Full punch interval: @1s=Intervalo de golpe completo: @1s
Food item=
+@1 food points=
Contact damage: @1 per second=Dano por contacto: @1 por segundo
Contact healing: @1 per second=Curación por contacto: @1 por segundo
Drowning damage: @1=Dano por afogamento: @1
Fall damage: +@1%=Dano por caída: @1%
No fall damage=Sen dano por caída
Fall damage: @1%=Dano por caída: @1%
No jumping=Non saltar
No swimming upwards=Non nadar cara arriba
No rising=Non erguer
Climbable (only downwards)=Escalable (só cara abaixo)
Climbable=Escalable
Slippery=Escorregadizo
Bouncy (@1%)=Rebota (@1%)
Luminance: @1=Luminancia: @1
##[ snippets_mcl.lua ]##
Head armor=Armadura de cabeza
Torso armor=Armadura do torso
Legs armor=Armadura de pernas
Feet armor=Armadura de pés
Armor points: @1=Puntos de armadura: @1
Armor durability: @1=Durabilidade da armadura: @1
Protection: @1%=Protección: @1%
Hunger points: +@1=Puntos de fame: +@1
Saturation points: +@1=Puntos de saturación: +@1
Deals damage when falling=Causa dano ao caer
Grows on grass blocks or dirt=Crece en bloques de herba ou terra estéril
Grows on grass blocks, podzol, dirt or coarse dirt=Crece en bloques de herba, podzol, sucidade ou terra estéril
Flammable=Inflamable
Zombie view range: -50%=Rango de visión zombi: -50%
Skeleton view range: -50%=Rango de visión de esqueleto: -50%
Stalker view range: -50%=Rango de visión de acosador: -50%
...stacks=...pilas
##### not used anymore #####
Damage (@1): @2=Dano (@1): @2
Healing (@1): @2=Curación (@1): @2

View File

@ -0,0 +1,80 @@
# textdomain:awards
##[ api.lua ]##
@1 has made the advancement @2=@1 fixo o avance @2
Secret Advancement Made:=Avance secreto feito:
Goal Completed:=Obxectivo conseguido:
Challenge Completed:=Desafío completado:
Advancement Made:=Avance realizado:
Secret Advancement Made: @1=Avance secreto realizado: @1
Goal Completed: @1=Obxectivo conseguido: @1
Challenge Completed: @1=Desafío completado: @1
Advancement Made: @1=
Secret Advancement Made!=Avance secreto feito!
Goal Completed!=¡Obxectivo cumprido!
Challenge Completed!=¡Desafío completado!
Advancement Made!=¡Avance feito!
Error: No awards available.=Erro: non hai premios dispoñibles.
OK=Ben
(Secret Advancement)=(Avance secreto)
Make this advancement to find out what it is.=Fai este avance para descubrir o que é.
@1 (got)=@1 (conseguido)
You've disabled awards. Type /awards enable to reenable.=Desactivaches os premios. Escriba /awards enable para volver activar.
You have not gotten any awards.=Non conseguiches ningún premio.
@1s awards:=Premios de @1:
@1: @2=@1: @2
##[ chat_commands.lua ]##
[c|clear|disable|enable]=[c|borrar|desactivar|activar]
Show, clear, disable or enable your advancements.=Mostrar, borrar, desactivar ou activar os seus avances.
You have enabled your advancements.=Activaches os teus avances.
Awards are disabled, enable them first by using /awards enable!=¡Os premios están desactivados, actívaos primeiro usando /awards enable!
All your awards and statistics have been cleared. You can now start again.=Limpáronse todos os teus premios e estatísticas. Agora podes comezar de novo.
You have disabled your advancements.=Desactivaches os teus avances.
Can give advancements to any player=Pode dar avances a calquera xogador
(grant <player> (<advancement> | all)) | list=(conceder <xogador> (<avance> | todos)) | lista
Give advancement to player or list all advancements=Dálle un avance ao xogador ou enumera todos os avances
@1 (@2)=@1 (@2)
Invalid syntax.=Sintaxe non válida.
Invalid action.=Acción non válida.
Player is not online.=O xogador non está en liña.
Done.=Feito.
Advancement “@1” does not exist.=O avance “@1” non existe.
##[ sfinv.lua ]##
Awards=Premios
##[ triggers.lua ]##
@1/@2 dug=@1/@2 cavado
Mine blocks: @1×@2=Bloques de mina: @1×@2
Mine a block: @1=Mina un bloque: @1
##TODO: fuzzy matched - verify and remove the comment
Mine @1 block(s).=Cavar @1 bloque(s).
@1/@2 placed=@1/@2 colocado
Place blocks: @1×@2=Colocar bloques: @1×@2
Place a block: @1=Coloca un bloque: @1
Place @1 block(s).=Coloca @1 bloque(s).
@1/@2 eaten=@1/@2 comido
Eat: @1×@2=Comer: @1×@2
Eat: @1=Comer: @1
Eat @1 item(s).=Coma @1 elemento(s).
@1/@2 deaths=@1/@2 mortes
Die @1 times.=Morre @1 veces.
Die.=Morre.
@1/@2 chat messages=@1/@2 mensaxes de chat
Write @1 chat messages.=Escribe @1 mensaxes de chat.
Write something in chat.=Escribe algo no chat.
@1/@2 game joins=@1/@2 unións ao xogo
Join the game @1 times.=Únete ao xogo @1 veces.
Join the game.=Únete ao xogo.
@1/@2 crafted=@1/@2 elaborado
Craft: @1×@2=Elaboración: @1×@2
Craft: @1=Elaboración: @1
Craft @1 item(s).=Elabora @1 elemento(s).
##### not used anymore #####
<achievement ID>=<ID de logro>
<name>=<nome>
Advancement: @1=Avance: @1
Achievement not found.=Non se atopou o logro.
Get the achievements statistics for the given player or yourself=Obtén as estatísticas de logros para o xogador ou ti mesmo
List awards in chat (deprecated)=Únete ao xogo.
Show details of an achievement=Mostrar detalles dun logro

View File

@ -0,0 +1,5 @@
# textdomain: hudbars
# Default format string for progress bar-style HUD bars, e.g. “Health 5/20”
@1: @2/@3=@1: @2/@3
Health=Saude
Breath=Alento

View File

@ -0,0 +1,131 @@
# textdomain:mcl_achievements
Benchmarking=Crea a tu mesa de traballo
Craft a crafting table from 4 wooden planks.=Elabora unha mesa de elaboración a partir de 4 táboas de madeira.
Time to Mine!=¡Tempo de minar!
Use a crafting table to craft a wooden pickaxe from wooden planks and sticks.=Usa unha mesa de traballo para elaborar un pico de madeira a partir de táboas e paus de madeira.
Hot Topic=Tema candente
Use 8 cobblestones to craft a furnace.=Usa 8 rochas para fabricar un forno.
Time to Farm!=¡Tempo de cultivar!
Use a crafting table to craft a wooden hoe from wooden planks and sticks.=Usa unha mesa de traballo para elaborar unha aixada de madeira a partir de táboas e paus de madeira.
Bake Bread=Cocer pan
##TODO: fuzzy matched - verify and remove the comment
Use wheat to craft bread.=Usa o trigo para elaborar un pan.
The Lie=A mentira
Craft a cake using wheat, sugar, milk and an egg.=Elabora un bolo con trigo, azucre, leite e un ovo.
Getting an Upgrade=Obtendo unha actualización
Craft a stone pickaxe using sticks and cobblestone.=Elabora un pico de pedra usando paus e rochas.
Time to Strike!=¡Tempo de atacar!
Craft a wooden sword using wooden planks and sticks on a crafting table.=Elabora unha espada de madeira usando táboas e paus de madeira nunha mesa de traballo.
Librarian=Bibliotecario
Craft a bookshelf.=Elaborar unha estantería.
Isn't It Iron Pick=¿Non e ferrónico?
##TODO: fuzzy matched - verify and remove the comment
Craft an iron pickaxe using sticks and iron.=Elabora un pico de ferro usando paus e ferro.
DIAMONDS!=¡DIAMANTES!
Pick up a diamond from the floor.=Colle un diamante do chan.
Into Fire=No lume
Pick up a blaze rod from the floor.=Colle unha vara de lume do chan.
Cow Tipper=Volquete de vacas
Pick up leather from the floor.@nHint: Cows and some other animals have a chance to drop leather, when killed.=Colle coiro do chan.@nSuxestión: as vacas e algúns outros animais teñen a oportunidade de soltar coiro cando os matan.
Getting Wood=Conseguindo madeira
##TODO: fuzzy matched - verify and remove the comment
Pick up a wooden item from the ground.@nHint: Punch a tree trunk until it pops out as an item.=Colle un obxecto de madeira do chan.@nSuxestión: golpea o tronco dunha árbore ata que saia como elemento.
##TODO: fuzzy matched - verify and remove the comment
Who's Cutting Onions?=¿Quen está cortando cebolas?
Pick up a crying obsidian from the floor.=Colle unha obsidiana chorando do chan.
Hidden in the Depths=Oculto nas profundidades
Pick up an Ancient Debris from the floor.=Colle un restos antigos do chan.
The Next Generation=A próxima xeración
Hold the Dragon Egg.@nHint: Pick up the egg from the ground and have it in your inventory.=Manteña o ovo de dragón.@nConsello: colle o ovo do chan e téñao no teu inventario.
Sky's the Limit=O ceo é o límite
Find the elytra and prepare to fly above and beyond!=¡Busca os élitros e prepárate para voar máis aló!
Acquire Hardware=Adquirir hardware
Take an iron ingot from a furnace's output slot.@nHint: To smelt an iron ingot, put a fuel (like coal) and iron ore into a furnace.=Colle un lingote de ferro da ranura de saída dun forno.@nSuxestión: para fundir un lingote de ferro, pon un combustible (como o carbón) e mineral de ferro nun forno.
Delicious Fish=Peixe delicioso
Take a cooked fish from a furnace.@nHint: Use a fishing rod to catch a fish and cook it in a furnace.=Saca un peixe cocido dun forno.@nSuxestión: usa unha cana de pescar para coller un peixe e cociñalo nun forno.
On A Rail=Nun carril
Travel by minecart for at least 1000 meters from your starting point in a single ride.=Viaxa en carretilla durante polo menos 1000 metros desde o punto de partida nun só paseo.
Sniper Duel=Duelo de arqueiros
Hit a skeleton, wither skeleton or stray by bow and arrow from a distance of at least 20 meters.=Golpear un esqueleto, murchar o esqueleto ou desviarse con arco e frecha desde unha distancia de polo menos 20 metros.
We Need to Go Deeper=Necesitamos Afondar
Use obsidian and a fire starter to construct a Nether portal.=Usa obsidiana e un iniciador de lume para construír un portal Nether.
The End?=¿O fin?
Or the beginning?@nHint: Enter an end portal.=¿Ou o comezo?@nConsello: Entra nun portal final.
The Nether=El Nether
Bring summer clothes.@nHint: Enter the Nether.=Trae roupa de verán.@nSuxestión: Entra no Nether.
Postmortal=Post mortem
Use a Totem of Undying to cheat death.=Usa un Totem of Eternidade para enganar a morte.
Sweet Dreams=Doces soños
Sleep in a bed to change your respawn point.=Durme nunha cama para cambiar o seu punto de reaparición.
Not Quite "Nine" Lives=Non son "Nove" vidas
Charge a Respawn Anchor to the maximum.=Carga unha áncora de reaparición ao máximo.
What A Deal!=¡Qué negocio!
Successfully trade with a Villager.=Comercio con éxito cun aldeano.
Tactical Fishing=Pesca táctica
Catch a fish... without a fishing rod!=Atrapa un peixe... ¡sen unha cana de pescar!
The Cutest Predator=O depredador máis bonito
Catch an Axolotl with a bucket!=¡Atrapa un axolote cun cubo!
Withering Heights=Alturas marchitas
Summon the wither from the dead.=Invoca o murcho de entre os mortos.
Free the End=Libera o final
Kill the ender dragon. Good Luck!=Mata o dragón final. Moita sorte!
Fishy Business=Negocios de pesca
Catch a fish.@nHint: Catch a fish, salmon, clownfish, or pufferfish.=Atrapa un peixe.@nSuxerencia: Atrapa un peixe, salmón, peixe paiaso, ou peixe globo.
Country Lode, Take Me Home=Magnetita lévame ao lar
Use a compass on a Lodestone.=Usa un compás sobre una magnetita
Serious Dedication=Dedicación seria
Use a Netherite Ingot to upgrade a hoe, and then completely reevaluate your life choices.=Usa un lingote de Netherite para actualizar unha aixada e, a continuación, reavalia completamente as túas opcións de vida.
Local Brewery=Cervexaría local
Brew a Potion.@nHint: Take a potion or glass bottle out of the brewing stand.=PPrepara unha poción.@nSuxestión: Saca unha poción ou unha botella de vidro do posto de elaboración.
Enchanter=Encantador
Enchant an item using an Enchantment Table.=Encanta un elemento usando unha táboa de encantamentos.
Bring Home the Beacon=Fágase a luz
Use a beacon.=Usa unha baliza.
Beaconator=Balizaneitor
Use a fully powered beacon.=Utiliza unha baliza a máxima potencia.
The End... Again...=O final... de novo...
Respawn the Ender Dragon.=Volta a invocar ao dragón final.
Bee Our Guest=Abelante, este e o teu fogar
Use a campfire to collect a bottle of honey from a beehive without aggrivating the bees inside.=Usa unha fogueira para recoller unha botella de mel dunha colmea sen agravar as abellas dentro.
Total Beelocation=Abellémonos de aquí
Move a bee nest, with 3 bees inside, using a silk touch enchanted tool.=Move un niño de abellas, con 3 abellas dentro, usando unha ferramenta encantada de toque de seda.
Wax On=Encerando ando
Apply honeycomb to a copper block to protect it from the elements.=Aplique panal a un bloque de cobre para protexelo dos elementos.
Wax Off=Pulir cera
##TODO: fuzzy matched - verify and remove the comment
Scrape wax off a copper block.=Raspe a cera dun bloque de cobre.
Crafting a New Look=Creando un novo aspecto
##TODO: fuzzy matched - verify and remove the comment
Craft a trimmed armor at a smithing table.=Elabora unha armadura recortada nunha mesa de forxa
Smithing with Style=Forxando con estilo
Apply these smithing templates at least once: Spire, Snout, Rib, Ward, Silence, Vex, Tide, Wayfinder=Aplica polo menos unha vez estes modelos de ferraxe: agullas, fuciño, costelas, gardián, silencio, vex, mareas, pionero
Dispense With This=Prescindir disto
Place a dispenser.=Coloca un dispensador.
Pork Chop=Costela de porco
Eat a cooked porkchop.=Coma unha chuleta de porco cocida.
Rabbit Season=Tempada dos coellos
Eat a cooked rabbit.=Coma un coello cocido.
Iron Belly=Barriga de Ferro
Get really desperate and eat rotten flesh.=Desesperate moito e come carne podre.
Pot Planter=Xardineiro
Place a flower pot.=Coloca unha maceta.
The Haggler=O regateador
Mine emerald ore.=Mina de esmeralda.
Stone Age=Idade de Pedra
##TODO: fuzzy matched - verify and remove the comment
Mine stone with a new pickaxe.=Mina unha pedra co pico novo.
Hot Stuff=¡Cousas quentes!
Put lava in a bucket.=Poñer lava nun balde.
Ice Bucket Challenge=Desafío de balde de xeo
Obtain an obsidian block.=Obter un bloque de obsidiana.
Fireball Redirection Service=
Defeat a ghast with his own weapon.=
Hero of the Village=Heroe da aldea
Successfully defend a village from a raid=Defende con éxito unha aldea dunha incursión
Voluntary Exile=Exilio Voluntario
Kill a raid captain. Maybe consider staying away from the local villages for the time being...=Mata a un capitán de ataque. Quizais considere manterse lonxe das aldeas locais polo momento..
##### not used anymore #####
Into the Nether=No abismo

View File

@ -0,0 +1,25 @@
# textdomain: mcl_credits
An open-source survival sandbox game in the spirit of Infiniminer and Minecraft=
Sneak to skip=Escalar para saltar
Jump to speed up (additionally sprint)=Ir para acelerar (adicionalmente sprint)
##[ people.lua ]##
Creator of MineClone=Un fiel clon de código aberto de Minecraft
Creator of VoxeLibre=Creador de VoxeLibre
Maintainers=Ir para acelerar (adicionalmente sprint)
Previous Maintainers=
Developers=Desenvolvedores
Past Developers=
Contributors=Un fiel clon de código aberto de Minecraft
Music=
Original Mod Authors=Autores do mod orixinal
3D Models=Modelos 3D
Textures=Texturas
Translations=Traducións
Funders=
Special thanks=
##### not used anymore #####
A faithful Open Source clone of Minecraft=Un fiel clon de código aberto de Minecraft
MineClone5=MineClone5

View File

@ -155,6 +155,7 @@ return {
"THE-NERD2",
"ethan",
"villager8472",
"ninjum",
}},
{S("Music"), 0xA60014, {
"Jordach for the jukebox music compilation from Big Freaking Dig",
@ -260,6 +261,7 @@ return {
"Pixel-Peter",
"Laudrin",
"chmodsayshello",
"ninjum",
}},
{S("Funders"), 0xF7FF00, {
"40W",

View File

@ -0,0 +1,55 @@
# textdomain: mcl_death_messages
@1 went up in flames=@1 ardeu en chamas
@1 walked into fire whilst fighting @2=@1 entrou no lume mentres loitaba contra @2
@1 was struck by lightning=@1 foi alcanzado por un raio
@1 was struck by lightning whilst fighting @2=@1 foi alcanzado por un raio mentres loitaba contra @2
@1 burned to death=@1 morreu queimado
@1 was burnt to a crisp whilst fighting @2=@1 queimouse ata queimada mentres loitaba contra @2
@1 tried to swim in lava=@1 intentou nadar na lava
@1 tried to swim in lava to escape @2=@1 intentou nadar na lava para escapar @2
@1 discovered the floor was lava=@1 descubriu que o chan era lava
@1 walked into danger zone due to @2=@1 entrou na zona de perigo debido a @2
@1 suffocated in a wall=@1 asfixiado nunha parede
@1 suffocated in a wall whilst fighting @2=@1 asfixiouse nunha parede mentres loitaba contra @2
@1 drowned=@1 afogado
@1 drowned whilst trying to escape @2=@1 afogouse mentres intentaba escapar @2
@1 starved to death=@1 morreu de fame
@1 starved to death whilst fighting @2=@1 morreu de fame mentres loitaba contra @2
@1 was pricked to death=@1 morreu pinchado
@1 walked into a cactus whilst trying to escape @2=@1 entrou nun cacto mentres intentaba escapar @2
@1 hit the ground too hard=@1 golpeou o chan demasiado forte
@1 hit the ground too hard whilst trying to escape @2=@1 golpeou o chan con demasiada forza mentres tentaba escapar @2
@1 experienced kinetic energy=@1 experimentou enerxía cinética
@1 experienced kinetic energy whilst trying to escape @2=@1 experimentou enerxía cinética mentres intentaba escapar @2
@1 fell out of the world=@1 caeu do mundo
@1 didn't want to live in the same world as @2=@1 non quería vivir no mesmo mundo que @2
@1 died=@1 morreu
@1 died because of @2=@1 morreu por mor de @2
@1 was killed by magic=@1 foi asasinado por maxia
@1 was killed by magic whilst trying to escape @2=@1 foi asasinado por maxia mentres intentaba escapar @2
@1 was killed by @2 using magic=@1 foi asasinado por @2 usando magic
@1 was killed by @2 using @3=@1 foi asasinado por @2 usando @3
@1 was roasted in dragon breath=@1 foi asado en alento de dragón
@1 was roasted in dragon breath by @2=@1 foi asado en alento de dragón por @2
@1 withered away=@1 marchou
@1 withered away whilst fighting @2=@1 marchou mentres loitaba contra @2
@1 was shot by a skull from @2=@1 recibiu un disparo por unha caveira de @2
@1 was squashed by a falling anvil=@1 foi esmagado por unha yunque que caía
@1 was squashed by a falling anvil whilst fighting @2=@1 foi esmagado por unha yunque que caía mentres loitaba contra @2
@1 was squashed by a falling block=@1 foi esmagado por un bloque en caída
@1 was squashed by a falling block whilst fighting @2=@1 foi esmagado por un bloque que caía mentres loitaba contra @2
@1 was slain by @2=@1 foi asasinado por @2
@1 was slain by @2 using @3=@1 foi asasinado por @2 usando @3
@1 was shot by @2=@1 foi disparado por @2
@1 was shot by @2 using @3=@1 disparou @2 usando @3
@1 was fireballed by @2=@1 foi disparado por @2
@1 was fireballed by @2 using @3=@1 foi disparado por @2 usando @3
@1 was killed trying to hurt @2=@1 morreu intentando ferir a @2
@1 tried to hurt @2 and died by @3=@1 intentou ferir a @2 e morreu por @3
@1 blew up=@1 explotou
@1 was blown up by @2=@1 foi explotado por @2
@1 was blown up by @2 using @3=@1 foi explotado por @2 usando @3
@1 was squished too much=@1 esmagouse demasiado
@1 was squashed by @2=@1 foi esmagado por @2
@1 went off with a bang=@1 saíu cun estrondo
@1 went off with a bang due to a firework fired by @2 from @3=@1 saíu cun estrondo debido a un fogo de artificio disparado por @2 de @3

View File

@ -0,0 +1,10 @@
# textdomain: mcl_experience
##[ command.lua ]##
[[<player>] <xp>]=[[<xogador>] <xp>]
Gives a player some XP=Dálle a un xogador algo de XP
Error: Too many parameters!=¡Erro: demasiados parámetros!
Error: Incorrect value of XP=Erro: valor incorrecto de XP
Error: Player not found=Erro: Non se atopou o xogador
Added @1 XP to @2, total: @3, experience level: @4=Engadido @1 XP a @2, total: @3, nivel de experiencia: @4
##[ bottle.lua ]##
Bottle o' Enchanting=Botella de Encanto

View File

@ -0,0 +1,2 @@
# textdomain:hbarmor
Armor=Armadura

View File

@ -0,0 +1,11 @@
# textdomain: mcl_info
Set debug bit mask: 0 @= disable, 1 @= player coords, 2 @= coordinates, 3 @= biome name, 4 @= all=
<bitmask>=
Error! Possible values are integer numbers from @1 to @2=Erro! Os valores posibles son números enteiros de @1 a @2
Set location bit mask: 0 @= disable, 1 @= coordinates=
##### not used anymore #####
Set debug bit mask: 0 @= disable, 1 @= biome name, 2 @= coordinates, 3 @= all=Establecer máscara de bits de depuración: 0 @= desactivar, 1 @= nome do bioma, 2 @= coordenadas, 3 @= todo
Debug bit mask set to @1=Máscara de bits de depuración definida en @1

View File

@ -0,0 +1,30 @@
# textdomain: mcl_inventory
##[ creative.lua ]##
Building Blocks=Bloques de construcción
Decoration Blocks=Bloques de decoración
Redstone=Pedra Vermella
Transportation=Transporte
Miscellaneous=Varios
Search Items=Buscar elementos
Foodstuffs=Alimentos
Tools=Ferramentas
Combat=Combate
Mobs=Mobs
Brewing=elaboración de cervexa
Materials=Materiais
Survival Inventory=Inventario de supervivencia
Recipe book=Libro de receitas
Help=Axuda
Advancements=
Switch stack size=Cambiar tamaño de pila
Select player skin=Selecciona a pel do xogador
##TODO: fuzzy matched - verify and remove the comment
@1 / @2=@1/@2
##[ survival.lua ]##
Crafting=Elaboración
Achievements=Logros
##### not used anymore #####
Inventory=Inventario

View File

@ -0,0 +1,3 @@
# textdomain: mcl_ver_info
Sorry, but your version of Minetest doesn't support the latest API. Please upgrade your minetest.=Sentímolo, a túa versión de Minetest non admite a API máis recente. Actualiza o teu minetest.
Display VoxeLibre game version.=Mostra a versión do xogo VoxeLibre.

View File

@ -0,0 +1,12 @@
# textdomain: mcl_comparators
Redstone comparators are multi-purpose redstone components.=Os comparadores pedra vermella son compoñentes de pedra vermella multipropósito.
They can transmit a redstone signal, detect whether a block contains any items and compare multiple signals.=Poden transmitir un sinal de pedra vermella, detectar se un bloque contén elementos e comparar varios sinais.
A redstone comparator has 1 main input, 2 side inputs and 1 output. The output is in arrow direction, the main input is in the opposite direction. The other 2 sides are the side inputs.=Un comparador pedra vermella ten 1 entrada principal, 2 entradas laterais e 1 saída. A saída está na dirección da frecha, a entrada principal está na dirección oposta. Os outros 2 lados son as entradas laterais.
The main input can powered in 2 ways: First, it can be powered directly by redstone power like any other component. Second, it is powered if, and only if a container (like a chest) is placed in front of it and the container contains at least one item.=A entrada principal pódese alimentar de 2 xeitos: en primeiro lugar, pódese alimentar directamente coa enerxía Pedra Vermella como calquera outro compoñente. En segundo lugar, é alimentado se, e só se un recipiente (como un cofre) se coloca diante del e o recipiente contén polo menos un elemento.
The side inputs are only powered by normal redstone power. The redstone comparator can operate in two modes: Transmission mode and subtraction mode. It starts in transmission mode and the mode can be changed by using the block.=As entradas laterais só son alimentadas pola enerxía Pedra Vermella normal. O comparador Pedra Vermella pode funcionar en dous modos: modo de transmisión e modo de subtracción. Comeza no modo de transmisión e pódese cambiar o modo usando o bloque.
Transmission mode:@nThe front torch is unlit and lowered. The output is powered if, and only if the main input is powered. The two side inputs are ignored.=Modo de transmisión: @nO farol dianteiro está apagado e baixa. A saída é alimentada se, e só se a entrada principal está alimentada. As dúas entradas laterais son ignoradas.
Subtraction mode:@nThe front torch is lit. The output is powered if, and only if the main input is powered and none of the side inputs is powered.=Modo de resta: @nO facho frontal está aceso. A saída é alimentada se, e só se a entrada principal está alimentada e ningunha das entradas laterais está alimentada.
Redstone Comparator=Comparador de Pedra Vermella
Redstone Comparator (Powered)=Comparador de Pedra Vermella (Alimentado)
Redstone Comparator (Subtract)=Comparador de Pedra Vermella (Negativo)
Redstone Comparator (Subtract, Powered)=Comparador Pedra Vermella(Negativo, Alimentado)

View File

@ -11,6 +11,9 @@ local S = minetest.get_translator(minetest.get_current_modname())
local C = minetest.colorize
local F = minetest.formspec_escape
-- TODO: actually should have a slight lag as in MC?
local COOLDOWN = 0.19
local dispenser_formspec = table.concat({
"formspec_version[4]",
"size[11.75,10.425]",
@ -113,6 +116,9 @@ local dispenserdef = {
-- Dispense random item when triggered
action_on = function(pos, node)
local meta = minetest.get_meta(pos)
local gametime = core.get_gametime()
if gametime < meta:get_float("cooldown") then return end
meta:set_float("cooldown", gametime + COOLDOWN)
local inv = meta:get_inventory()
local droppos, dropdir
if node.name == "mcl_dispensers:dispenser" then

View File

@ -0,0 +1,25 @@
# textdomain: mcl_dispensers
Dispenser=Dispensador
Inventory=Inventario
9 inventory slots=9 rañuras de inventario
Launches item when powered by redstone power=Lanza o elemento cando está alimentado por enerxía Pedra vermella
A dispenser is a block which acts as a redstone component which, when powered with redstone power, dispenses an item. It has a container with 9 inventory slots.=Un dispensador é un bloque que actúa como un compoñente Pedra vermella que, cando se alimenta con Pedra vermella Power, dispensa un artigo. Ten un recipiente con 9 ranuras de inventario.
Place the dispenser in one of 6 possible directions. The “hole” is where items will fly out of the dispenser. Use the dispenser to access its inventory. Insert the items you wish to dispense. Supply the dispenser with redstone energy once to dispense a random item.=Coloque o dispensador nunha das 6 direccións posibles. O "burato" é onde os elementos sairán voando do dispensador. Use o dispensador para acceder ao seu inventario. Insira os elementos que desexa dispensar. Subministre o dispensador con enerxía Pedra vermella unha vez para dispensar un elemento aleatorio:
The dispenser will do different things, depending on the dispensed item:=O dispensador fará diferentes cousas, dependendo do artigo dispensado:
• Arrows: Are launched=• Frechas: lánzanse
• Eggs and snowballs: Are thrown=• Ovos e bólas de neve: lánzanse
• Fire charges: Are fired in a straight line=• Cargas de lume: Dispáranse en liña recta
• Armor: Will be equipped to players and armor stands=• Armadura: estará equipada para xogadores e soportes de armadura
• Boats: Are placed on water or are dropped=• Barcos: Colócanse sobre a auga ou bótanse caer
• Minecart: Are placed on rails or are dropped=• Carro de minería: colócanse sobre carrís ou déixase caer
• Bone meal: Is applied on the block it is facing=• Fariña de ósos: Aplícase no bloque ao que se enfronta
• Empty buckets: Are used to collect a liquid source=• Cubos baleiros: Úsanse para recoller unha fonte líquida
• Filled buckets: Are used to place a liquid source=• Cubos cheos: Úsanse para colocar unha fonte líquida
• Heads, pumpkins: Equipped to players and armor stands, or placed as a block=• Cabezas, cabazas: Equipadas para xogadores e soportes de armaduras, ou colocadas como bloque
• Shulker boxes: Are placed as a block=• Caixas Shulker: Colócanse como un bloque
• TNT: Is placed and ignited=• DINAMITA: Colócase e acende
• Flint and steel: Is used to ignite a fire in air and to ignite TNT=• Silex e aceiro: Úsase para prender lume no aire e para prender Dinamita
• Spawn eggs: Will summon the mob they contain=• Desova ovos: convocará á turba que conteñen
• Other items: Are simply dropped=• Outros elementos: simplemente bótanse
Downwards-Facing Dispenser=Dispensador cara abaixo
Upwards-Facing Dispenser=Dispensador cara arriba

View File

@ -12,6 +12,9 @@ local S = minetest.get_translator(minetest.get_current_modname())
local C = minetest.colorize
local F = minetest.formspec_escape
-- TODO: actually should have a slight lag as in MC?
local COOLDOWN = 0.19
local dropper_formspec = table.concat({
"formspec_version[4]",
"size[11.75,10.425]",
@ -113,6 +116,9 @@ local dropperdef = {
action_on = function(pos, node)
if not pos then return end
local meta = minetest.get_meta(pos)
local gametime = core.get_gametime()
if gametime < meta:get_float("cooldown") then return end
meta:set_float("cooldown", gametime + COOLDOWN)
local inv = meta:get_inventory()
local droppos
if node.name == "mcl_droppers:dropper" then
@ -165,6 +171,8 @@ local dropperdef = {
-- Check if the drop item has a custom handler
local itemdef = minetest.registered_craftitems[dropitem:get_name()]
if not itemdef then return end
if itemdef._mcl_dropper_on_drop then
item_dropped = itemdef._mcl_dropper_on_drop(dropitem, droppos)
end
@ -183,7 +191,7 @@ local dropperdef = {
local speed = 3
item_entity:set_velocity(vector.multiply(drop_vel, speed))
stack:take_item()
item_dropped = trie
item_dropped = true
end
-- Remove dropped items from inventory

View File

@ -0,0 +1,9 @@
# textdomain: mcl_droppers
Dropper=Contagotas
Inventory=Inventario
9 inventory slots=9 rañuras de inventario
Drops item when powered by redstone power=Cae o elemento cando está alimentado por enerxía Pedra Vermella
A dropper is a redstone component and a container with 9 inventory slots which, when supplied with redstone power, drops an item or puts it into a container in front of it.=Un contagotas é un compoñente Pedra Vermella e un recipiente con 9 rañuras de inventario que, cando se lle proporciona enerxía Pedra Vermella, deixa caer un artigo ou colócao nun recipiente diante del.
Droppers can be placed in 6 possible directions, items will be dropped out of the hole. Use the dropper to access its inventory. Supply it with redstone energy once to make the dropper drop or transfer a random item.=Os contagotas pódense colocar en 6 direccións posibles, os elementos deixaranse fóra do burato. Use o contagotas para acceder ao seu inventario. Proporcionalle enerxía de pedra vermella unha vez para facer caer o contagotas ou transferir un elemento aleatorio.
Downwards-Facing Dropper=Contagotas cara abaixo
Upwards-Facing Dropper=Contagotas cara arriba

View File

@ -0,0 +1,5 @@
# textdomain: mcl_observers
Observer=Observador
Emits redstone pulse when block in front changes=Emite pulso de pedra vermella cando o bloque de diante cambia
An observer is a redstone component which observes the block in front of it and sends a very short redstone pulse whenever this block changes.=Un observador é un compoñente de pedra vermella que observa o bloque diante del e envía un pulso de pedra vermella moi breve sempre que este bloque cambia.
Place the observer directly in front of the block you want to observe with the “face” looking at the block. The arrow points to the side of the output, which is at the opposite side of the “face”. You can place your redstone dust or any other component here.=Coloca o observador directamente diante do bloque que queres observar coa "cara" mirando o bloque. A frecha apunta ao lado da saída, que está no lado oposto da "cara". Podes colocar aquí o teu po de pedra vermella ou calquera outro compoñente.

View File

@ -0,0 +1,4 @@
# textdomain: mcl_target
Target=Obxectivo
A target is a block that provides a temporary redstone charge when hit by a projectile.=Un obxectivo é un bloque que proporciona unha carga de pedra vermella temporal cando golpea un proxectil.
Throw a projectile on the target to activate it.=Lanza un proxectil sobre o obxectivo para activalo.

View File

@ -0,0 +1,25 @@
# textdomain: mesecons_button
Use the button to push it.=Use o botón para pulsalo.
A wooden button is a redstone component made out of wood which can be pushed to provide redstone power. When pushed, it powers adjacent redstone components for 1.5 seconds. Wooden buttons may also be pushed by arrows.=Un botón de madeira é un compoñente de pedra vermella feito de madeira que se pode presionar para proporcionar enerxía vermella. Cando se empurra, alimenta os compoñentes de pedra vermella adxacentes durante 1,5 segundos. Os botóns de madeira tamén se poden empurrar mediante frechas.
A button is a redstone component which can be pushed to provide redstone power. When pushed, it powers adjacent redstone components for @1 seconds.=Un botón é un compoñente Pedra Vermella que se pode premer para proporcionar enerxía Pedra Vermella. Cando se empurra, alimenta os compoñentes de pedra vermella adxacentes durante @1 segundo.
Provides redstone power when pushed=Proporciona enerxía pedra Vermella cando se pulsa
Push duration: @1s=
Pushable by arrow=Pulsable pola frecha
Stone Button=Botón de pedra
A stone button is a redstone component made out of stone which can be pushed to provide redstone power. When pushed, it powers adjacent redstone components for 1 second.=Un botón de pedra é un compoñente de pedra vermella feito de pedra que se pode presionar para proporcionar enerxía vermella. Cando se empurra, alimenta os compoñentes de pedra vermella adxacentes durante 1 segundo.
Polished Blackstone Button=Botón Pedra negra pulido
A polished blackstone button is a redstone component made out of polished blackstone which can be pushed to provide redstone power. When pushed, it powers adjacent redstone components for 1 second.=Un botón de pedra negra pulida é un compoñente de pedra vermella feito de pedra negra pulida que se pode presionar para proporcionar potencia de pedra vermella. Cando se empurra, alimenta os compoñentes de pedra vermella adxacentes durante 1 segundo.
Oak Button=Botón de carballo
Acacia Button=Botón de acacia
Birch Button=Botón de bidueiro
Dark Oak Button=Botón de carballo escuro
Spruce Button=Botón de abeto
Jungle Button=Botón de xungla
Mangrove Button=Botón de mangle
Crimson Button=Botón carmesí
Warped Button=Botón deformado
##### not used anymore #####
Push duration: @1s=Duración pulso: @1s=

View File

@ -11,7 +11,7 @@ mod.initialize = function(meta)
meta:set_string("commander", "")
end
mod.place = function(meta, placer)
mod.place = function(meta, placer)
if not placer then return end
meta:set_string("commander", placer:get_player_name())
@ -118,7 +118,7 @@ end
local formspec_metas = {}
mod.handle_rightclick = function(meta, player)
mod.handle_rightclick = function(meta, player, pos)
local can_edit = true
-- Only allow write access in Creative Mode
if not minetest.is_creative_enabled(player:get_player_name()) then
@ -205,7 +205,7 @@ minetest.register_on_player_receive_fields(function(player, formname, fields)
-- Retrieve the metadata object this formspec data belongs to
local index, _, fs_id = string.find(formname, "commandblock_(-?%d+)")
fs_id = tonumber(fs_id)
if not index or not fs_id or not formspec_metas[fs_id] then
if not index or not fs_id or not formspec_metas[fs_id] then
print("index="..tostring(index)..", fs_id="..tostring(fs_id).."formspec_metas[fs_id]="..tostring(formspec_metas[fs_id]))
minetest.chat_send_player(player:get_player_name(), S("Editing the command block has failed! The command block is gone."))
return

View File

@ -53,8 +53,7 @@ local function on_rightclick(pos, node, player, itemstack, pointed_thing)
end
local meta = minetest.get_meta(pos)
api.handle_rightclick(meta, player)
api.handle_rightclick(meta, player, pos)
end
local function on_place(itemstack, placer, pointed_thing)

View File

@ -0,0 +1,32 @@
# textdomain: mesecons_commandblock
Command blocks are not enabled on this server=Os bloques de comandos non están activados neste servidor
Placement denied. You need the “maphack” privilege to place command blocks.=Colocación denegada. Necesitas o privilexio "maphack" para colocar bloques de comandos.
Command Block=Bloque de comandos
Executes server commands when powered by redstone power=Executa os comandos do servidor cando está alimentado por enerxía Pedra Vermella
Command blocks are mighty redstone components which are able to alter reality itself. In other words, they cause the server to execute server commands when they are supplied with redstone power.=Os bloques de comando son poderosos compoñentes de pedra vermella que son capaces de alterar a propia realidade. Noutras palabras, fan que o servidor execute comandos do servidor cando se lles proporciona enerxía Pedra Vermella.
Everyone can activate a command block and look at its commands, but not everyone can edit and place them.=Todo o mundo pode activar un bloque de comandos e mirar os seus comandos, pero non todos poden editalos e colocalos.
To view the commands in a command block, use it. To activate the command block, just supply it with redstone power. This will execute the commands once. To execute the commands again, turn the redstone power off and on again.=Para ver os comandos nun bloque de comandos, utilízao. Para activar o bloque de comandos, só tes que proporcionarlle enerxía Pedra vermella. Isto executará os comandos unha vez. Para executar os comandos de novo, apaga a Pedra vermella e acende de novo.
To be able to place a command block and change the commands, you need to be in Creative Mode and must have the “maphack” privilege. A new command block does not have any commands and does nothing. Use the command block (in Creative Mode!) to edit its commands. Read the help entry “Advanced usage > Server Commands” to understand how commands work. Each line contains a single command. You enter them like you would in the console, but without the leading slash. The commands will be executed from top to bottom.=Para poder colocar un bloque de comandos e cambiar os comandos, cómpre estar en modo creativo e ter o privilexio "maphack". Un novo bloque de comandos non ten ningún comando e non fai nada. Use o bloque de comandos (en modo creativo!) para editar os seus comandos. Le a entrada de axuda "Uso avanzado > Comandos do servidor" para comprender como funcionan os comandos. Cada liña contén un único comando. Introdúceos como o faría na consola, pero sen a barra inclinada. Os comandos executaranse de arriba a abaixo.
# ^ OLD TRANSLATION: Para poder colocar un bloque de comandos y cambiar los comandos, debe estar en modo creativo y debe tener el privilegio de "maphack". Un nuevo bloque de comandos no tiene ningún comando y no hace nada. Use el bloque de comandos (en modo creativo) para editar sus comandos. Lea la entrada de ayuda "Temas avanzados> Comandos del servidor" para comprender cómo funcionan los comandos. Cada línea contiene un solo comando. Los ingresas como lo harías en la consola, pero sin la barra inclinada. Los comandos se ejecutarán de arriba a abajo.
All commands will be executed on behalf of the player who placed the command block, as if the player typed in the commands. This player is said to be the “commander” of the block.=Todas as ordes executaranse en nome do xogador que colocou o bloque de comandos, coma se o xogador teclease as ordes. Dise que este xogador é o "dono" do bloque.
Command blocks support placeholders, insert one of these placeholders and they will be replaced by some other text:=Os bloques de comandos admiten marcadores de posición, insira un destes marcadores de posición e substituirase por outro texto:
• “@@c”: commander of this command block=• "@@c“: dono deste bloque de comandos
• “@@n” or “@@p”: nearest player from the command block=• "@@n“ o "@@p“: xogador máis próximo do bloque de comandos
• “@@f” farthest player from the command block=• "@@f“: jugador máis afastado do bloque de comandos
• “@@r”: random player currently in the world=• "@@r“: xogador aleatorio actualmente no mundo
• “@@@@”: literal “@@” sign=• „@@@@“: literal "@@“ letreiro
Example 1:@n time 12000@nSets the game clock to 12:00=Exemplo 1:@n hora 12000@nConfigura o reloxo do xogo ás 12:00
Example 2:@n give @@n mcl_core:apple 5@nGives the nearest player 5 apples=Exemplo 2: @n dálle @@n mcl_core:apple 5@nDálle 5 mazás ao xogador máis próximo
##[ api.lua ]##
Error: The command “@1” does not exist; your command block has not been changed. Use the “help” chat command for a list of available commands.=Erro: o comando "@1" non existe; o seu bloque de comandos non se cambiou. Use o comando de chat "axuda" para obter unha lista de comandos dispoñibles.
Error: The command “@1” does not exist; your command block has not been changed. Use the “help” chat command for a list of available commands. Hint: Try to remove the leading slash.=Erro: o comando "@1" non existe; o seu bloque de comandos non se cambiou. Use o comando de chat "axuda" para obter unha lista de comandos dispoñibles. Consello: tenta eliminar a barra inclinada inicial.
Error: You have insufficient privileges to use the command “@1” (missing privilege: @2)! The command block has not been changed.=Erro: non tes privilexios suficientes para usar o comando "@1" (falta o privilexio: @2)! Non se cambiou o bloque de comandos.
Error: No commander! Block must be replaced.=Erro: ¡sen dono! O bloque debe ser substituído.
Commander: @1=Dono: @1
Submit=Aceptar
No commands.=Sen comandos.
Commands:=Comandos:
Help=Axuda
Access denied. You need the “maphack” privilege to edit command blocks.=Acceso denegado. Necesitas o privilexio "maphack" para editar bloques de comandos.
Editing the command block has failed! You can only change the command block in Creative Mode!=¡Produciuse un erro ao editar o bloque de comandos! ¡Só podes cambiar o bloque de comandos no modo creativo!
Editing the command block has failed! The command block is gone.=Produciuse un erro ao editar o bloque de comandos! O bloque de comandos desapareceu.

View File

@ -0,0 +1,17 @@
# textdomain: mesecons_delayer
Transmits redstone power only in one direction=Transmite o poder de Pedra Vermella só nunha dirección
Delays signal=Sinal de atraso
Output locks when getting active redstone repeater signal from the side=Bloqueas de saída ao recibir o sinal de repetidor Redstone activo desde o lado
Redstone repeaters are versatile redstone components with multiple purposes: 1. They only allow signals to travel in one direction. 2. They delay the signal. 3. Optionally, they can lock their output in one state.=Os repetidores Redstone son compoñentes versátiles de Redstone con múltiples propósitos: 1. Só permiten que os sinais viaxan nunha dirección. 2. Retrasan o sinal. 3. Opcionalmente, poden bloquear a súa saída nun estado.
To power a redstone repeater, send a signal in “arrow” direction (the input). The signal goes out on the opposite side (the output) with a delay. To change the delay, use the redstone repeater. The delay is between 0.1 and 0.4 seconds long and can be changed in steps of 0.1 seconds. It is indicated by the position of the moving redstone torch.=Para alimentar un repetidor Redstone, envíe un sinal na dirección da "frecha" (a entrada). O sinal sae no lado oposto (a saída) cun atraso. Para cambiar o atraso, usa o repetidor Redstone. O atraso é de entre 0,1 e 0,4 segundos e pódese cambiar en pasos de 0,1 segundos. Indícase pola posición do facho de pedra vermella en movemento.
To lock a repeater, send a signal from an adjacent repeater into one of its sides. While locked, the moving redstone torch disappears, the output doesn't change and the input signal is ignored.=Para bloquear un repetidor, envíe un sinal desde un repetidor adxacente a un dos seus lados. Mentres está bloqueado, o facho de pedra vermella en movemento desaparece, a saída non cambia e o sinal de entrada é ignorado.
Redstone Repeater=Repetidor de Pedra Vermella
Redstone Repeater (Delay @1)=Repetidor de Pedra Vermella (Retardar @1)
Redstone Repeater (Delay @1, Powered)=Repetidor de Pedra Vermella (Retardar @1, Alimentado)
Redstone Repeater (Locked)=Repetidor de Pedra Vermella (Bloqueado)
Redstone Repeater (Locked, Powered)=Repetidor de Pedra Vermella (Bloqueado, Alimentado)
##### not used anymore #####
Redstone Repeater (Powered)=Repetidor de Pedra Vermella (Alimentado)

View File

@ -0,0 +1,20 @@
# textdomain: mesecons_lightstone
Redstone Lamp=Lámpara de Pedra Vermella
Glows when powered by redstone power=Brilla cando está alimentado por enerxía de Pedra Vermella
Redstone lamps are simple redstone components which glow brightly (light level @1) when they receive redstone power.=As lámpadas Pedra Vermella son compoñentes sinxelos de Pedra Vermella que brillan intensamente (nivel de luz @1) cando reciben enerxía Pedra Vermella.
White Redstone Lamp=Lámpada Pedra Vermella Branca
Grey Redstone Lamp=Lámpada de Pedra Vermella gris
Light Grey Redstone Lamp=Lámpada de Pedra Vermella gris claro
Black Redstone Lamp=Lámpada de Pedra Vermella negra
Red Redstone Lamp=Lámpada de Pedra Vermella
Yellow Redstone Lamp=Lámpada de Pedra Vermella amarela
Green Redstone Lamp=Lámpada de Pedra Vermella verde
Cyan Redstone Lamp=Lámpada de Pedra Vermella cian
Blue Redstone Lamp=Lámpada Pedra Vermella Azul
Magenta Redstone Lamp=Lámpada de Pedra Vermella maxenta
Orange Redstone Lamp=Lámpada de Pedra Vermella laranxa
Purple Redstone Lamp=Lámpada de Pedra Vermella vermella
Brown Redstone Lamp=Lámpada de Pedra Vermella marrón
Pink Redstone Lamp=Lámpada de Pedra Vermella rosa
Lime Redstone Lamp=Lámpada de Pedra Vermella de Lima
Light Blue Redstone Lamp=Lámpada de Pedra Vermella azul claro

View File

@ -0,0 +1,22 @@
# textdomain: mesecons_noteblock
Note Block=Bloque de notas
Plays a musical note when powered by redstone power=Reproduce unha nota musical cando está alimentado por enerxía Pedra vermella
A note block is a musical block which plays one of many musical notes and different intruments when it is punched or supplied with redstone power.=Un bloque de notas é un bloque musical que toca unha das moitas notas musicais e diferentes instrumentos cando se lle perfora ou recibe enerxía Pedra Vermella.
Use the note block to choose the next musical note (there are 25 semitones, or 2 octaves). The intrument played depends on the material of the block below the note block:=Use o bloque de notas para escoller a seguinte nota musical (hai 25 semitonos ou 2 oitavas). O instrumento tocado depende do material do bloque debaixo do bloque de notas:
• Glass: Sticks=• Cristal: Paus
• Wood: Bass guitar=• Madeira: Baixo
• Stone: Bass drum=
• Sand or gravel: Snare drum=
• Block of Gold: Bell=• Bloque de Ouro: Campana
• Clay: Flute=• Arxila: Frauta
• Packed Ice: Chime=• Xeo empacado: Chime
• Wool: Guitar=• La: Guitarra
• Bone Block: Xylophne=• Bloque óseo: Xilofono
• Block of Iron: Iron xylophne=• Bloque de Ferro: Ferro xilofono
• Soul Sand: Cow bell=• Area de alma: campá de vaca
• Pumpkin: Didgeridoo=• Cabaza: Didgeridoo
• Block of Emerald: Square wave=• Bloque de Esmeralda: Onda cadrada
• Hay Bale: Banjo= Bale de pao: Banjo
• Glowstone: Electric piano=• Pedra Brillante: Piano eléctrico
• Anything else: Piano=
The note block will only play a note when it is below air, otherwise, it stays silent.=O bloque de notas só reproducirá unha nota cando estea debaixo do aire, se non, permanece en silencio.

View File

@ -0,0 +1,8 @@
# textdomain: mesecons_pistons
This block can have one of 6 possible orientations.=Este bloque pode ter unha das 6 orientacións posibles.
Piston=Pistón
Pushes block when powered by redstone power=Empuxa o bloque cando está alimentado por enerxía pedra vermella
A piston is a redstone component with a pusher which pushes the block or blocks in front of it when it is supplied with redstone power. Not all blocks can be pushed, however.=Un pistón é un compoñente de pedra vermella cun empurrador que empurra o bloque ou bloques diante del cando recibe enerxía de pedra vermella. Non obstante, non todos os bloques poden ser empuxados.
Sticky Piston=Pistón pegajoso
Pushes or pulls block when powered by redstone power=Empuxa ou tira do bloque cando está alimentado por enerxía pedra vermella
A sticky piston is a redstone component with a sticky pusher which can be extended and retracted. It extends when it is supplied with redstone power. When the pusher extends, it pushes the block or blocks in front of it. When it retracts, it pulls back the single block in front of it. Note that not all blocks can be pushed or pulled.=Un pistón pegajoso é un compoñente de pedra vermella cun impulsor pegajoso que se pode estender e retraer. Esténdese cando recibe enerxía Pedra Vermella. Cando o empurrador se estende, empurra o bloque ou bloques diante del. Cando se retrae, tira cara atrás o único bloque diante del. Teña en conta que non todos os bloques poden ser empurrados ou tirados.

View File

@ -0,0 +1,21 @@
# textdomain: mesecons_pressureplates
A wooden pressure plate is a redstone component which supplies its surrounding blocks with redstone power while any movable object (including dropped items, players and mobs) rests on top of it.=Unha placa de presión de madeira é un compoñente de pedra vermella que proporciona aos seus bloques circundantes poder de pedra vermella mentres calquera obxecto móbil (incluídos os elementos caídos, os xogadores e as turbas) descansa sobre el.
A pressure plate is a redstone component which supplies its surrounding blocks with redstone power while someone or something rests on top of it.=Unha placa de presión é un compoñente de pedra vermella que proporciona aos seus bloques circundantes poder de pedra vermella mentres alguén ou algo descansa sobre el.
Provides redstone power when pushed=Proporciona enerxía Pedra Vermella cando se empurra
Pushable by players, mobs and objects=Empuxable por xogadores, mobs e obxectos
Pushable by players and mobs=Empuxable por xogadores e mobs
Pushable by mobs=Pushable por mobs
Pushable by players=Empuxable polos xogadores
Oak Pressure Plate=Placa de presión de carballo
Acacia Pressure Plate=Placa de presión de acacia
Birch Pressure Plate=Placa de presión de bidueiro
Dark Oak Pressure Plate=Placa de presión de carballo escuro
Spruce Pressure Plate=Placa de presión de abeto
Jungle Pressure Plate=Placa de presión de xungla
Mangrove Pressure Plate=Placa de presión de mangle
Crimson Pressure Plate=Placa de presión carmesí
Warped Pressure Plate=Placa de presión deformada
Stone Pressure Plate=Placa de presión de pedra
A stone pressure plate is a redstone component which supplies its surrounding blocks with redstone power while a player or mob stands on top of it. It is not triggered by anything else.=Unha placa de presión de pedra é un compoñente de pedra vermella que proporciona aos seus bloques circundantes poder de pedra vermella mentres un xogador ou inimigo está enriba dela. Non é desencadeado por outra cousa.
Polished Blackstone Pressure Plate=Placa de presión de Pedra negra pulida
A polished blackstone pressure plate is a redstone component which supplies its surrounding blocks with redstone power while a player or mob stands on top of it. It is not triggered by anything else.=Unha placa de presión de pedra negra pulida é un compoñente de pedra vermella que proporciona aos seus bloques circundantes poder de pedra vermella mentres un xogador ou inimigo está enriba dela. Non é desencadeado por outra cousa.

View File

@ -0,0 +1,8 @@
# textdomain: mesecons_solarpanel
Daylight Sensor=Sensor de luz diurna
Provides redstone power when in sunlight=Proporciona enerxía vermella cando está á luz solar
Can be inverted=Pódese invertir
Daylight sensors are redstone components which provide redstone power when they are in sunlight and no power otherwise. They can also be inverted.=Os sensores de luz diurna son compoñentes Pedra Vermella que proporcionan enerxía Pedra Vermella cando están baixo a luz solar e non hai enerxía doutro xeito. Tamén se poden invertir.
In inverted state, they provide redstone power when they are not in sunlight and no power otherwise.=En estado invertido, proporcionan enerxía de Pedra Vermella cando non están á luz do sol e non hai enerxía doutro xeito.
Use the daylight sensor to toggle its state.=Use o sensor de luz diurna para cambiar o seu estado.
Inverted Daylight Sensor=Sensor de luz diurna invertida

View File

@ -0,0 +1,10 @@
# textdomain: mesecons_torch
Redstone Torch (off)=Facho Pedra Vermella (Apagada)
Redstone Torch (overheated)=Facho Pedra Vermella (sobrequentado)
Redstone Torch=Facho Pedra Vermella
A redstone torch is a redstone component which can be used to invert a redstone signal. It supplies its surrounding blocks with redstone power, except for the block it is attached to. A redstone torch is normally lit, but it can also be turned off by powering the block it is attached to. While unlit, a redstone torch does not power anything.=Un facho de pedra vermella é un compoñente de pedra vermella que se pode usar para inverter un sinal de pedra vermella. Fornece os seus bloques circundantes con enerxía de pedra vermella, agás o bloque ao que está unido. Normalmente acendese un facho de pedra vermella, pero tamén se pode apagar alimentando o bloque ao que está conectado. Mentres non se acende, un facho de pedra vermella non alimenta nada.
Redstone torches can be placed at the side and on the top of full solid opaque blocks.=Os fachos Pedra Vermella pódense colocar ao lado e na parte superior dos bloques opacos sólidos completos.
Provides redstone power when it's not powered itself=
Block of Redstone=Bloque de Pedra Vermella
Provides redstone power=Proporciona enerxía Pedra Vermella
A block of redstone permanently supplies redstone power to its surrounding blocks.=Un bloque de pedra Vermella fornece permanentemente enerxía de pedra Vermella aos seus bloques circundantes.

View File

@ -0,0 +1,5 @@
# textdomain: mesecons_walllever
Lever=Panca
Provides redstone power while it's turned on=Proporciona enerxía Redstone mentres está acendido
A lever is a redstone component which can be flipped on and off. It supplies redstone power to adjacent blocks while it is in the “on” state.=Unha panca é un compoñente de pedra vermella que se pode activar e desactivar. Proporciona enerxía Redstone aos bloques adxacentes mentres está no estado "activado".
Use the lever to flip it on or off.=Use a panca para acendelo ou apagalo.

View File

@ -0,0 +1,11 @@
# textdomain: mesecons_wires
Transmits redstone power, powers mechanisms=Transmite enerxía Pedra Vermella, potencia mecanismos
Redstone is a versatile conductive mineral which transmits redstone power. It can be placed on the ground as a trail.=Pedra Vermella é un mineral condutor versátil que transmite a enerxía de Pedra Vermella. Pódese colocar no chan a modo de rastro.
A redstone trail can be in two states: Powered or not powered. A powered redstone trail will power (and thus activate) adjacent redstone components.=Unha ruta Redstone pode estar en dous estados: alimentado ou sen alimentación. Un rastro de Pedra Vermella alimentado alimentará (e así activará) os compoñentes adxacentes de Pedra Vermella.
Redstone power can be received from various redstone components, such as a block of redstone or a button. Redstone power is used to activate numerous mechanisms, such as redstone lamps or pistons.=A enerxía de Pedra Vermella pódese recibir de varios compoñentes de Pedra Vermella, como un bloque de Pedra Vermella ou un botón. A enerxía Pedra Vermella úsase para activar numerosos mecanismos, como lámpadas ou pistóns Pedra Vermella.
Place redstone on the ground to build a redstone trail. The trails will connect to each other automatically and it can also go over hills.=Coloca Pedra Vermella no chan para construír unha pista de Pedra Vermella. Os camiños conectaranse entre si automaticamente e tamén poden pasar por outeiros.
Read the help entries on the other redstone components to learn how redstone components interact.=Le as entradas de axuda sobre os outros compoñentes de Pedra Vermella para saber como interactúan os compoñentes de Pedra Vermella.
Redstone=Pedra Vermella
Powered Redstone Spot (@1)=Punto de Pedra Vermella accionado (@1)
Redstone Trail (@1)=Sendeiro de Pedra Vermella (@1)
Powered Redstone Trail (@1)=Sendeiro de Pedra Vermella con alimentación (@1)

View File

@ -0,0 +1,19 @@
# textdomain: mcl_amethyst
Block of Amethyst=Bloque de Ametista
The Block of Amethyst is a decoration block crafted from amethyst shards.=O bloque de ametista é un bloque decorativo feito a partir de fragmentos de ametista.
Budding Amethyst=Ametista Gromando
The Budding Amethyst can grow amethyst=A ametista brotando pode cultivar ametista.
Amethyst Shard=Fragmento de Ametista
An amethyst shard is a crystalline mineral.=Um fragmento de ametista é un mineral cristalino.
Calcite=Calcita
Calcite can be found as part of amethyst geodes.=Calcita pode ser atopada como parte das xeodas de ametista.
Tinted Glass=Vidro Tingido
Tinted Glass is a type of glass which blocks lights while it is visually transparent.=O vidro tingido é un tipo de vidro que bloquea luces mentre é visualmente transparente.
Small Amethyst Bud=Gromo de Ametista Pequeno
Small Amethyst Bud is the first growth of amethyst bud.=Gromo de Ametista Pequeno é a primeira etapa de crecemento do gromo de ametista.
Medium Amethyst Bud=Gromo de Ametista Médio
Medium Amethyst Bud is the second growth of amethyst bud.=Gromo de Ametista Médio é a segunda etapa de crecemento do gromo de ametista.
Large Amethyst Bud=Gromo de Ametista Grande
Large Amethyst Bud is the third growth of amethyst bud.=Gromo de Ametista Grande é a terceira etapa de crecemento do gromo de ametista.
Amethyst Cluster=Aglomerado de Ametista
Amethyst Cluster is the final growth of amethyst bud.=O aglomerado de ametista é o final do crecemento do gromo de ametista.

View File

@ -0,0 +1,20 @@
# textdomain: mcl_anvils
Repair and Name=Reparar e Nomear
Repair and rename items=Reparar e renomear obxetos
Anvil=Zafra
The anvil allows you to repair tools and armor, and to give names to items. It has a limited durability, however. Don't let it fall on your head, it could be quite painful!=A zafra permiteche reparar ferramentas e armaduras, e dar nomes aos elementos. Sen embargo, ten unha durabilidade limitada. Non a deixes caer sobre a tua cabeza, ¡podería ser bastante doloroso!
To use an anvil, rightclick it. An anvil has 2 input slots (on the left) and one output slot.=Para usar unha zafra, faga clic dereito sobre ela. Unha zafra ten 2 rañuras de entrada (a esquerda) e unha rañura de saida.
To rename items, put an item stack in one of the item slots while keeping the other input slot empty. Type in a name, hit enter or “Set Name”, then take the renamed item from the output slot.=Para trocar o nome dos elementos, coloque unha pila de elementos nunha das rañuras de elementos mentras mantés Baleira a outra rañura de entrada. Escriba un nombre, presione enter o "Establecer nombre", luego obtenga el elemento renombrado en la ranura de salida.
There are two possibilities to repair tools (and armor):=Hai duas posibilidades para reparar ferramentas (e armaduras):
• Tool + Tool: Place two tools of the same type in the input slots. The “health” of the repaired tool is the sum of the “health” of both input tools, plus a 12% bonus.=• Ferramenta + Ferramenta: Coloque duas ferramentas do mesmo tipo nas rañuras de entrada. A "saude" da ferramenta reparada e a suma da "saude" de ambas ferramentas, cun bono do 12%.
• Tool + Material: Some tools can also be repaired by combining them with an item that it's made of. For example, iron pickaxes can be repaired with iron ingots. This repairs the tool by 25%.=• Ferramienta + Material: Algunhas ferramentas tamén poden repararse combinándoas cun elemento do que está feita. Por exemplo, os picos de ferro poden repararse con lingotes de ferro. Isto repara a ferramenta nun 25%.
Armor counts as a tool. It is possible to repair and rename a tool in a single step.=A armadura conta como unha ferramenta. E posible reparar e trocar o nome dunha ferramenta nun só paso.
The anvil has limited durability and 3 damage levels: undamaged, slightly damaged and very damaged. Each time you repair or rename something, there is a 12% chance the anvil gets damaged. Anvils also have a chance of being damaged when they fall by more than 1 block. If a very damaged anvil is damaged again, it is destroyed.=A zafra ten unha durabilidade limitada e 3 niveis de dano: sen danos, lixeiramente danada e moi danado. Cada vez que reparas ou trocas o nome de algo, hai un 12% de posibilidades de ca zafra se dane. As zafras tamén teñen a posibilidade de danarse cando caen en máis de 1 bloque. Se unha zafra moi danado se dana novamente, se destrue.
Slightly Damaged Anvil=Zafra lixeiramente danada
Very Damaged Anvil=Zafra moi danada
##### not used anymore #####
Set Name=Escolle un Nome
Inventory=Inventario

View File

@ -0,0 +1,68 @@
# textdomain: mcl_armor
This is a piece of equippable armor which reduces the amount of damage you receive.=Esta é unha peza de armadura que se pode equipar, a cal reduce o dano que recibes.
To equip it, put it on the corresponding armor slot in your inventory menu.=Para equipala, colocaa na rañura da armadura do menú do teu inventario.
sentry=
dune=
coast=
wild=
tide=
ward=
vex=
rib=
snout=
eye=
spire=
silence=
wayfinder=
##[ register.lua ]##
Projectile Protection=Protección contra proxectís
Reduces projectile damage.=Reduce o dano do proxectís.
Blast Protection=Protección contra explosions
Reduces explosion damage and knockback.=Reduce o dano de explosions e o seu empuxe.
Fire Protection=Protección contra o lume
Reduces fire damage.=Reduce o dano causado polo lume.
Protection=Protección
Reduces most types of damage by 4% for each level.=Reduce a maioría de tipos de dano por 4% por cada nivel.
Feather Falling=Caída de plumaxe
Reduces fall damage.=Reduce o daño por caída.
Aqua Affinity=Afinidade acuática
#Translations of enchantements
Increases underwater mining speed.=Aumenta a velocidade de minado baixo a agua.
Curse of Binding=Maldición de ligazón
Item cannot be removed from armor slots except due to death, breaking or in Creative Mode.=O obxeto non pode ser removido das rañuras do inventario excepto ao morrer, ao romperse, ou en Modo Creativo.
Thorns=Espiñas
Reflects some of the damage taken when hit, at the cost of reducing durability with each proc.=Reflexa unha parte do dano inflixido, a costa de reducir a durabilidade con cada activación.
Elytra=Élitros
##[ trims.lua ]##
#Translations for armor trims
Smithing Template '@1'=Modelo de forxería '@1'
##### not used anymore #####
Leather Cap=Sombreiro de Coiro
Iron Helmet=Casco de Ferro
Golden Helmet=Casco de Ouro
Diamond Helmet=Casco de Diamante
Chain Helmet=casco de Cadeas
Netherite Helmet=Casco de Netherita
Leather Tunic=Túnica de Coiro
Iron Chestplate=Cota de Ferro
Golden Chestplate=Cota de Ouro
Diamond Chestplate=Cota de Diamante
Chain Chestplate=Cota de Cadeas
Netherite Chestplate=Cota de Netherita
Leather Pants=Pantalons de Coiro
Iron Leggings=Mallas de Ferro
Golden Leggings=Mallas de Ouro
Diamond Leggings=Mallas de Diamante
Chain Leggings=Mallas de Cadeas
Netherite Leggings=Mallas de Netherita
Leather Boots=Botas de Coiro
Iron Boots=Botas de Ferro
Golden Boots=Botas de Ouro
Diamond Boots=Botas de diamante
Chain Boots=Botas de Cadeas
Netherite Boots=Botas de Netherita
Shooting consumes no regular arrows.=Disparar non consume frechas normais.
Shoot 3 arrows at the cost of one.=Dispara 3 frechas polo custo dunha.

View File

@ -0,0 +1,5 @@
# textdomain: mcl_armor_stand
Armor Stand=Soporte para armadura
An armor stand is a decorative object which can display different pieces of armor. Anything which players can wear as armor can also be put on an armor stand.=Un soporte para armadura e un obxeto decorativo que pode amosar diferentes pezas de armadura. Calquer cousa cos xogadores poidan usar como armadura tamén se pode poñer nun soporte para armadura.
Just place an armor item on the armor stand. To take the top piece of armor from the armor stand, select your hand and use the place key on the armor stand.=Soamente coloca un obxeto de armadura no soporte para armadura. Para tomar a peza superior de armadura do soporte para armadura, escolla a sua man e use a tecla de posición no soporte para armadura.
Displays pieces of armor=Amosa pezas de armadura

View File

@ -0,0 +1,5 @@
# textdomain: mcl_armor_stand
Armor Stand=Soporte para armadura
Displays pieces of armor=Amosa pezas de armadura
An armor stand is a decorative object which can display different pieces of armor. Anything which players can wear as armor can also be put on an armor stand.=Un soporte para armadura e un obxeto decorativo que pode amosar diferentes pezas de armadura. Calquer cousa cos xogadores poidan usar como armadura tamén se pode poñer nun soporte para armadura.
Just place an armor item on the armor stand. To take the top piece of armor from the armor stand, select your hand and use the place key on the armor stand.=Soamente coloca un obxeto de armadura no soporte para armadura. Para tomar a peza superior de armadura do soporte para armadura, escolla a sua man e use a tecla de posición no soporte para armadura.

View File

@ -111,8 +111,7 @@ function mcl_bamboo.grow_bamboo(pos, bonemeal_applied)
end
-- Determine the location of soil
local soil_pos
soil_pos,a,b = mcl_util.trace_nodes(pos, -1, mcl_bamboo.bamboo_set, BAMBOO_MAX_HEIGHT - 1)
local soil_pos = mcl_util.trace_nodes(pos, -1, mcl_bamboo.bamboo_set, BAMBOO_MAX_HEIGHT - 1)
-- No soil found, return false so that bonemeal isn't used
if not soil_pos then return false end
@ -147,7 +146,7 @@ function mcl_bamboo.grow_bamboo(pos, bonemeal_applied)
local grow_amount = 1
if bonemeal_applied then
local rng = PcgRandom(minetest.hash_node_position(pos) + minetest.get_us_time())
if rng:next(1, GROW_DOUBLE_CHANGE) == 1 then
if rng:next(1, GROW_DOUBLE_CHANCE) == 1 then
grow_amount = 2
end
end

View File

@ -0,0 +1,44 @@
# textdomain: mcl_bamboo
### bamboo_base.lua ###
##[ bamboo_base.lua ]##
Bamboo=Bambú
Bamboo Block=Bloque de Bambú
Stripped Bamboo Block=Bloque de bambú sen cortiza
Bamboo Plank=Madeira de bambú
Bamboo Mosaic Plank=Madeira de bambú de mosaico
##[ bamboo_items.lua ]##
##TODO: fuzzy matched - verify and remove the comment
Bamboo Door=Porta de bambú
Wooden doors are 2-block high barriers which can be opened or closed by hand and by a redstone signal.=As portas de madeira son barreiras altas de 2 bloques que se poden abrir ou pechar a man e mediante un sinal de pedra vermella.
To open or close a wooden door, rightclick it or supply its lower half with a redstone signal.=Para abrir ou pechar unha porta de madeira, fai clic co botón dereito nela ou proporciona á súa metade inferior un sinal de pedra vermella.
##TODO: fuzzy matched - verify and remove the comment
Bamboo Trapdoor=Trapela de bambú
Wooden trapdoors are horizontal barriers which can be opened and closed by hand or a redstone signal. They occupy the upper or lower part of a block, depending on how they have been placed. When open, they can be climbed like a ladder.=As trapelas de madeira son barreiras horizontais que podense abrir e pechar ca man ou por un sinal de pedra vermella.
To open or close the trapdoor, rightclick it or send a redstone signal to it.=Para abrir ou pechar unha trapela, fai clic dereito ou manda un sinal de pedra vermella cara ela.
Bamboo Stair=Escaleira de bambú
Bamboo Slab=Lousa de bambú
Double Bamboo Slab=Lousa dobre de bambú
Stripped Bamboo Stair=Escaleira de bambú sen cortiza
Stripped Bamboo Slab=Lousa de bambú sen cortiza
Double Stripped Bamboo Slab=Lousa dobre de bambú sen cortiza
Bamboo Plank Stair=Escaleira de madeira de bambú
Bamboo Plank Slab=Lousa de madeira de bambú
Double Bamboo Plank Slab=Lousa dobre de madeira de bambú
Bamboo Pressure Plate=Placa de presión de bambú
A wooden pressure plate is a redstone component which supplies its surrounding blocks with redstone power while any movable object (including dropped items, players and mobs) rests on top of it.=Unha placa de presión de madeira e un compoñente de pedra vermella que proporciona enerxía de pedra vermella aos seus bloques adxacentes mentres calquer obxeto movible (incluindo obxetos no chan, xogadores e mobs) descanse derriba sua.
Bamboo Sign=Sinal de bambú
Bamboo Fence=Cerca de bambú
Bamboo Fence Gate=Porta de cerca de bambú
Bamboo Button=Botón de bambú
### bamboo_items.lua ###
A bamboo button is a redstone component made out of bamboo which can be pushed to provide redstone power. When pushed, it powers adjacent redstone components for 1 second.=Un botón de bambú e un compoñente de pedra vermella feito de pedra o cal se pode presionar para proporcionar enerxía de pedra vermella. Cando se empuxa, alimenta os compoñentes adxacentes de pedra vermella durante 1 segundo.
Bamboo Mosaic Stair=Escaleiras de mosaico de bambú
Bamboo Mosaic Slab=Lousa de mosaico de bambú
Double Bamboo Mosaic Slab=Lousa dobre de mosaico de bambú
Scaffolding=Estada
Scaffolding block used to climb up or out across areas.=O bloque de estada serve para subir ou baixar entre zonas.
##### not used anymore #####
Scaffolding (horizontal)=Estada (horizontal)

View File

@ -0,0 +1,86 @@
# textdomain: mcl_banners
White Banner=Estandarte branco
White=Branco
Grey Banner=Estandarte gris
Grey=Gris
Light Grey Banner=Estandarte gris claro
Light Grey=Gris claro
Black Banner=Estandarte negro
Black=Negro
Red Banner=Estandarte vermello
Red=Rojo
Yellow Banner=Estandarte amarelo
Yellow=Amarelo
Green Banner=Estandarte verde
Green=Verde
Cyan Banner=Estandarte cian
Cyan=Cian
Blue Banner=Estandarte azul
Blue=Azul
Magenta Banner=Estandarte maxenta
Magenta=Maxenta
Orange Banner=Estandarte laranxa
Orange=Laranxa
Violet Banner=
Violet=
Brown Banner=Estandarte marrón
Brown=Marrón
Pink Banner=Estandarte rosa
Pink=Rosa
Lime Banner=Estandarte verde lima
Lime=Verde lima
Light Blue Banner=Estandarte azul claro
Light Blue=Azul claro
Banner=Estandarte
Banners are tall colorful decorative blocks. They can be placed on the floor and at walls. Banners can be emblazoned with a variety of patterns using a lot of dye in crafting.=Los estandartes son bloques decorativos altos y coloridos. Se pueden colocar en el suelo y en las paredes. Los estandartes se pueden estampar con una variedad de patrones usando mucho tinte en la elaboración.
Use crafting to draw a pattern on top of the banner. Emblazoned banners can be emblazoned again to combine various patterns. You can draw up to 12 layers on a banner that way. If the banner includes a gradient, only 3 layers are possible.=Usa la elaboración para dibujar un patrón en la parte superior del estandarte. Los estandartes estampados pueden volver a estamparse para combinar varios patrones. Puede dibujar hasta 12 capas en un estandarte de esa manera. Si la pancarta incluye un degradado, solo son posibles 3 capas.
You can copy the pattern of a banner by placing two banners of the same color in the crafting grid—one needs to be emblazoned, the other one must be clean. Finally, you can use a banner on a cauldron with water to wash off its top-most layer.=Puede copiar el patrón de un estandarte colocando dos estandartes del mismo color en la cuadrícula de fabricación: una debe ser estampada, la otra debe estar limpia. Finalmente, puede usar un estandarte en un caldero con agua para lavar su capa superior.
Preview Banner=Vista previa do Estandarte
Paintable decoration=Decoración pintable
##[ patterncraft.lua ]##
@1 Bordure=Bordo (@1)
@1 Bricks=Bloque (@1)
@1 Roundel=Medallón (@1)
@1 Creeper Charge=Carga de enredadeira (@1)
@1 Saltire=Aspa (@1)
@1 Bordure Indented=Bordura dentada (@1)
@1 Per Bend Inverted=Por banda invertida (@1)
@1 Per Bend Sinister Inverted=Por banda sinistra invertida (@1)
@1 Per Bend=Por Banda (@1)
@1 Per Bend Sinister=Por banda sinistra (@1)
@1 Flower Charge=Carga de flor (@1)
@1 Gradient=Degradado (@1)
@1 Base Gradient=Degradado de base (@1)
@1 Per Fess Inverted=Por faixa invertida (@1)
@1 Per Fess=Por faixa (@1)
@1 Per Pale=Palidez (@1)
@1 Per Pale Inverted=Palidez invertida (@1)
@1 Thing Charge=Carga de obxeto (@1)
@1 Lozenge=Rombo (@1)
@1 Skull Charge=Carga de caveira (@1)
@1 Paly=Póster (@1)
@1 Base Dexter Canton=Base inferior destra (@1)
@1 Base Sinister Canton=Base inferior sinistra (@1)
@1 Chief Dexter Canton=Encabezado superior destro (@1)
@1 Chief Sinister Canton=Encabezamento superior sinistro (@1)
@1 Cross=Cruzamento (@1)
@1 Base=Base (@1)
@1 Pale=Palidez (@1)
@1 Bend Sinister=Banda sinistra (@1)
@1 Bend=Banda (@1)
@1 Pale Dexter=Palidez destra (@1)
@1 Fess=Faixa (@1)
@1 Pale Sinister=Palidez sinistra (@1)
@1 Chief=Encabezamento (@1)
@1 Chevron=Viga (@1)
@1 Chevron Inverted=Viga invertida (@1)
@1 Base Indented=Base Dentada (@1)
@1 Chief Indented=Dentado do encabezamento (@1)
And one additional layer=E unha capa adicional
And @1 additional layers=E @1 capas adicionais
##### not used anymore #####
Purple Banner=Estandarte morado
Purple=Morado

View File

@ -0,0 +1,7 @@
# textdomain: mcl_barrels
Barrel=Barril
Inventory=
27 inventory slots=27 rañuras de inventario
Barrels are containers which provide 27 inventory slots.=Os barrís son contedores que proveen 27 rañuras de inventario.
To access its inventory, rightclick it. When broken, the items will drop out.=Para acceder o teu inventario, fai clic dereito sobre el. Ao romperse, os obxetos caerán ao chan.
Barrel Open=

View File

@ -366,7 +366,7 @@ minetest.register_node("mcl_beacons:beacon", {
remove_beacon_beam(pos)
for y = pos.y +1, pos.y + 201 do
local node = minetest.get_node({x=pos.x,y=y,z=pos.z})
if node.name == ignore then
if node.name == "ignore" then
minetest.get_voxel_manip():read_from_map({x=pos.x,y=y,z=pos.z}, {x=pos.x,y=y,z=pos.z})
node = minetest.get_node({x=pos.x,y=y,z=pos.z})
end

View File

@ -0,0 +1,5 @@
# textdomain: mcl_beacons
Beacon=Sinalizador
Beacon:=Sinalizador:
Primary Power:=Poder Primario:
Inventory:=Inventario:

View File

@ -0,0 +1,59 @@
# textdomain: mcl_beds
##[ functions.lua ]##
New respawn position set!=¡Nova posición de reaparición establecida!
You can only sleep at night or during a thunderstorm.=Só podes durmir pola noite ou durante tormentas eléctricas.
You can't sleep, the bed's too far away!=¡Non podes durmir, a cama está moi lonxe!
This bed is already occupied!=¡A cama xa está ocupada!
You have to stop moving before going to bed!=¡Tes que deixar de moverte antes de deitarte!
You can't sleep now, monsters are nearby!=No podes durmir agora, ¡hai monstros preto!
You can't sleep, the bed is obstructed!=¡Non podes durmir, a cama está obstruida!
It's too dangerous to sleep here!=¡E moi perigoso durmir aquí!
Leave bed=Sair da cama
Abort sleep=Erguerse
Chat:=Chat:
Send=
Players in bed: @1/@2=Jugadores en la cama: @1/@2
Note: Night skip is disabled.=Nota: O salto nocturno está deshabilitado.
You're sleeping.=Estás durmindo.
You will fall asleep when all players are in bed.=Te quedarás durmido cando todos os xogadores estén na cama.
You will fall asleep when @1% of all players are in bed.=Quedarás durmido cando o @1% de todos os xogadores estean na cama.
You're in bed.=Estas na cama.
@1/@2 players currently in bed.=@1/@2 xogadores actualmente na cama.
You exceeded the maximum number of messages per 10 seconds!=¡Superou o número máximo de mensaxes por 10 segundos!
You are missing the 'shout' privilege! It's required in order to talk in chat...=¡Estás perdendo o privilexio de "berrar"! É necesario para falar no chat...
Sorry, but you have to wait @1 seconds until you may use this button again!=¡Sentímolo, pero tes que esperar @1 segundo ata que poidas usar este botón de novo!
Hey! Would you guys mind sleeping?=¡Ei! ¿Importaríavos durmir?
##[ api.lua ]##
Beds allow you to sleep at night and make the time pass faster.=As camas te permiten durmir pola noite e facer co tempo pase máis axiña.
To use a bed, stand close to it and right-click the bed to sleep in it. Sleeping only works when the sun sets, at night or during a thunderstorm. The bed must also be clear of any danger.=Para usar unha cama, párate preto dela e fai clic dereito na cama para durmir nela. Durmir só funciona cando se agocha o sol pola noite ou durante unha tormenta eléctrica. A cama tamén ten que estar libre de calquer perigo.
You have heard of other worlds in which a bed would set the start point for your next life. But this world is not one of them.=Oiches falar doutros mundos nos que unha cama establecería o punto de partida para a tua vindeira vida. Pero este mundo non e un deles.
By using a bed, you set the starting point for your next life. If you die, you will start your next life at this bed, unless it is obstructed or destroyed.=Ao usar unha cama, esta establecese como o punto de partida para a tua vindeira vida. Se morres, comenzarás a tua vindeira vida nesa cama, a menos que esté obstruida ou destruida.
In this world, going to bed won't skip the night, but it will skip thunderstorms.=En este mundo, ir a la cama no se saltará la noche, pero se saltará las tormentas eléctricas.
Sleeping allows you to skip the night. The night is skipped when all players in this world went to sleep. The night is skipped after sleeping for a few seconds. Thunderstorms can be skipped in the same manner.=Durmir permite saltarte a noite. Omitese a noite cando todos os xogadores neste mundo foron a durmir. A noite saltase despois de durmir durante uns segundos. As tormentas eléctricas podense omitir da mesma maneira.
Allows you to sleep=Permíteche durmir
##[ beds.lua ]##
Red Bed=Cama vermella
Blue Bed=Cama azul
Cyan Bed=Cama cian
Grey Bed=Cama gris
Light Grey Bed=Cama gris ocuro
Black Bed=Cama negra
Yellow Bed=Cama amarela
Green Bed=Cama verde
Magenta Bed=Cama maxenta
Orange Bed=Cama laranxa
Purple Bed=Cama morada
Brown Bed=Cama marrón
Pink Bed=Cama rosa
Lime Bed=Cama verde lima
Light Blue Bed=Cama azul claro
White Bed=Cama branca
Bed=Cama
##[ respawn_anchor.lua ]##
Respawn Anchor=Áncora de reaparición
##### not used anymore #####
New respawn position set! But you can only sleep at night or during a thunderstorm.=¡Nova posición de reaparición establecida! Pero só podes durmir pola noite ou durante tormentas eléctricas.
send!=¡enviar!

View File

@ -0,0 +1,5 @@
# textdomain: mcl_beehives
Beehive=Colmea
Artificial bee nest.=Niño de abella artificial.
Bee Nest=Niño de abellas
A naturally generating block that houses bees and a tasty treat...if you can get it.=Un bloque xerador natural que alberga abellas e unha delicia... se podes conseguilo.

View File

@ -0,0 +1,2 @@
# textdomain: mcl_bells
Bell=Campá

View File

@ -0,0 +1,34 @@
# textdomain: mcl_blackstone
Blackstone=Pedra negra
Gilded Blackstone=Pedra negra Dourada
Nether Gold Ore=Mineral de Ouro do Nether
Polished Basalt=Basalto Pulido
Basalt=Basalto
Smooth Basalt=Basalto Liso
Polished Blackstone=Pedra negra Pulida
Chiseled Polished Blackstone=Pedra negra Pulida cincelada
Polished Blackstone Bricks=Ladrillos de Pedra negra Pulida
Quartz Bricks=Ladrillos de Cuarzo
Soul Soil=Terra de Alma
Eternal Soul Fire=Eterno lume de Alma
Blackstone Stair=Escada de Pedra negra
Blackstone Slab=Lousa de Pedra negra
Double Blackstone Slab=Dobre Lousa de Pedra negra
Polished Blackstone Stair=Escada de Pedra negra Pulida
Polished Blackstone Slab=Lousa de Pedra negra Pulida
Double Polished Blackstone Slab=
Chiseled Polished Blackstone Stair=Escada de Pedra negra Pulida cincelada
Chiseled Polished Blackstone Slab=Lousa de Pedra negra Pulida Cincelada
Double Chiseled Polished Blackstone Slab=Dobre Lousa de Pedra negra Polida cincelada
Polished Blackstone Brick Stair=Escada de Ladrillo de Pedra negra Pulida
Polished Blackstone Brick Slab=Lousa de Ladrillo de Pedra-negra Polida
Double Polished Blackstone Brick Slab=Dobre Lousa de Ladrillo de Pedra negra Polida
Blackstone Wall=Muro de Pedra negra
Soul Torch=Facho de Alma
Torches are light sources which can be placed at the side or on the top of most blocks.=Os fachos son fontes de luz que se poden colocar ao lado ou na parte superior da maioría dos bloques.
##### not used anymore #####
Soul Lantern=Lanterna de Alma
Polished Double Blackstone Slab=Dobre Lousa de Pedra negra Polida

View File

@ -0,0 +1,17 @@
# textdomain: mcl_blast_furnace
Blast Furnace=Alto forno
Inventory=Inventario
Recipe book=
Smelts ores faster than furnace=Funde os minerais máis rápido que o forno
Blast Furnaces smelt several items, mainly ores and armor, using a furnace fuel, but twice as fast as a normal furnace.=Os altos fornos funden varios elementos, principalmente minerais e armaduras, usando un combustible de forno, pero o dobre de rápido que un forno normal.
Use the blast furnace to open the furnace menu.=Emprega o alto forno para abrir o menú do forno.
Place a furnace fuel in the lower slot and the source material in the upper slot.=Coloque un combustible de forno na rañura inferior e o material de orixe na rañura superior.
The blast furnace will slowly use its fuel to smelt the item.=O alto forno utilizará lentamente o seu combustible para fundir o elemento.
The result will be placed into the output slot at the right side.=O resultado colocarase na rañura de saída do lado dereito.
Use the recipe book to see what ores you can smelt, what you can use as fuel and how long it will burn.=Emprega o libro de receitas para ver que minerais pode fundir, que pode usar como combustible e canto tempo vai arder.
Burning Blast Furnace=
##### not used anymore #####
Active Blast Furnace=Alto forno activo

View File

@ -123,17 +123,10 @@ minetest.register_craftitem("mcl_bone_meal:bone_meal", {
inventory_image = "mcl_bone_meal.png",
groups = {craftitem=1},
on_place = function(itemstack, placer, pointed_thing)
local pos = pointed_thing.under
local node = minetest.get_node(pos)
local ndef = minetest.registered_nodes[node.name]
-- Use pointed node's on_rightclick function first, if present.
if placer and not placer:get_player_control().sneak then
if ndef and ndef.on_rightclick then
local new_stack = mcl_util.call_on_rightclick(itemstack, placer, pointed_thing)
if new_stack and new_stack ~= itemstack then return new_stack end
end
end
local called
itemstack, called = mcl_util.handle_node_rightclick(itemstack, placer, pointed_thing)
if called then return itemstack end
return mcl_bone_meal.use_bone_meal(itemstack, placer, pointed_thing)
end,

Some files were not shown because too many files have changed in this diff Show More