# HG changeset patch # User unc0rr # Date 1358542288 -14400 # Node ID 87410ae372f65242d774880cdb6a22cee14d9448 # Parent 33ab77c0b486feec0fbae047cd306821b3734e8a Server messages localization using Qt's l10n subsystem: - Strings to localize are marked with loc function in server sources - CMake finds loc calls and generates C++ header containing array of strings marked - lupdate - ... - PROFIT! diff -r 33ab77c0b486 -r 87410ae372f6 QTfrontend/CMakeLists.txt --- a/QTfrontend/CMakeLists.txt Fri Jan 18 11:47:23 2013 +0100 +++ b/QTfrontend/CMakeLists.txt Sat Jan 19 00:51:28 2013 +0400 @@ -23,6 +23,27 @@ endif() endif() +# server messages localization +file(GLOB ServerSources ${CMAKE_SOURCE_DIR}/gameServer/*.hs) +foreach(hsfile ${ServerSources}) + file(READ ${hsfile} hs) + string(REGEX MATCHALL "loc *\"[^\n\"]+\"" locs ${hs}) + foreach(str ${locs}) + string(REGEX REPLACE "loc *\"([^\n\"]+)\"" "QT_TRANSLATE_NOOP(\"server\", \"\\1\")" s ${str}) + list(APPEND serverlocs ${s}) + endforeach(str) +endforeach(hsfile) + +list(REMOVE_DUPLICATES serverlocs) +list(GET serverlocs 0 firstline) +list(REMOVE_AT serverlocs 0) +set(locsout "const char * serverMessages[] = {\n") +foreach(l ${serverlocs}) + list(APPEND locsout ${l} ",\n") +endforeach(l) +list(APPEND locsout ${firstline} "\n}\\;\n") +file(WRITE ${CMAKE_CURRENT_BINARY_DIR}/servermessages.h ${locsout}) + include_directories(.) include_directories(${CMAKE_CURRENT_SOURCE_DIR}/model) include_directories(${CMAKE_CURRENT_SOURCE_DIR}/net) @@ -128,6 +149,7 @@ hwconsts.h sdlkeys.h campaign.h + ${CMAKE_CURRENT_BINARY_DIR}/servermessages.h ) set(hwfr_rez hedgewars.qrc) diff -r 33ab77c0b486 -r 87410ae372f6 QTfrontend/net/newnetclient.cpp --- a/QTfrontend/net/newnetclient.cpp Fri Jan 18 11:47:23 2013 +0100 +++ b/QTfrontend/net/newnetclient.cpp Sat Jan 19 00:51:28 2013 +0400 @@ -28,6 +28,8 @@ #include "game.h" #include "roomslistmodel.h" #include "playerslistmodel.h" +#include "servermessages.h" +#include "HWApplication.h" char delimeter='\n'; @@ -251,7 +253,7 @@ if (lst[0] == "ERROR") { if (lst.size() == 2) - emit Error(lst[1]); + emit Error(HWApplication::translate("server", lst[1].toAscii().constData())); else emit Error("Unknown error"); return; @@ -260,7 +262,7 @@ if (lst[0] == "WARNING") { if (lst.size() == 2) - emit Warning(lst[1]); + emit Warning(HWApplication::translate("server", lst[1].toAscii().constData())); else emit Warning("Unknown warning"); return; @@ -579,14 +581,14 @@ if (lst[1] == "Authentication failed") { emit AuthFailed(); - m_game_connected = false; - Disconnect(); - //omitted 'emit disconnected()', we don't want the error message - return; + m_game_connected = false; + Disconnect(); + //omitted 'emit disconnected()', we don't want the error message + return; } m_game_connected = false; Disconnect(); - emit disconnected(lst[1]); + emit disconnected(HWApplication::translate("server", lst[1].toAscii().constData())); return; } diff -r 33ab77c0b486 -r 87410ae372f6 QTfrontend/ui/widget/mapContainer.cpp --- a/QTfrontend/ui/widget/mapContainer.cpp Fri Jan 18 11:47:23 2013 +0100 +++ b/QTfrontend/ui/widget/mapContainer.cpp Sat Jan 19 00:51:28 2013 +0400 @@ -904,4 +904,4 @@ m_theme = name; btnTheme->setIcon(QIcon()); btnTheme->setText(tr("Theme: ") + name); -} \ No newline at end of file +} diff -r 33ab77c0b486 -r 87410ae372f6 gameServer/Actions.hs --- a/gameServer/Actions.hs Fri Jan 18 11:47:23 2013 +0100 +++ b/gameServer/Actions.hs Sat Jan 19 00:51:28 2013 +0400 @@ -426,7 +426,7 @@ haveSameNick <- liftM (not . null . tail . filter (\c -> (not $ isChecker c) && caseInsensitiveCompare (nick c) n)) allClientsS if haveSameNick && (not checker) then if p < 38 then - processAction $ ByeClient "Nickname is already in use" + processAction $ ByeClient $ loc "Nickname is already in use" else processAction $ NoticeMessage NickAlreadyInUse else @@ -459,11 +459,11 @@ isBanned = do processAction $ CheckBanned False liftM B.null $ client's nick - checkerLogin _ False = processAction $ ByeClient "No checker rights" + checkerLogin _ False = processAction $ ByeClient $ loc "No checker rights" checkerLogin p True = do wp <- client's webPassword processAction $ - if wp == p then ModifyClient $ \c -> c{logonPassed = True} else ByeClient "Authentication failed" + if wp == p then ModifyClient $ \c -> c{logonPassed = True} else ByeClient $ loc "Authentication failed" playerLogin p a = do chan <- client's sendChan mapM_ processAction [AnswerClients [chan] ["ASKPASSWORD"], ModifyClient (\c -> c{webPassword = p, isAdministrator = a})] @@ -494,7 +494,7 @@ clHost <- client's host currentTime <- io getCurrentTime mapM_ processAction [ - AddIP2Bans clHost "60 seconds cooldown after kick" (addUTCTime 60 currentTime) + AddIP2Bans clHost (loc "60 seconds cooldown after kick") (addUTCTime 60 currentTime) , ModifyClient (\c -> c{isKickedFromServer = True}) , ByeClient "Kicked" ] @@ -550,7 +550,7 @@ processAction (KickRoomClient kickId) = do modify (\s -> s{clientIndex = Just kickId}) ch <- client's sendChan - mapM_ processAction [AnswerClients [ch] ["KICKED"], MoveToLobby "kicked"] + mapM_ processAction [AnswerClients [ch] ["KICKED"], MoveToLobby $ loc "kicked"] processAction (AddClient cl) = do @@ -613,7 +613,7 @@ pq <- io $ client'sM rnc pingsQueue ci when (pq > 0) $ do withStateT (\as -> as{clientIndex = Just ci}) $ - processAction (ByeClient "Ping timeout") + processAction (ByeClient $ loc "Ping timeout") -- when (pq > 1) $ -- processAction $ DeleteClient ci -- smth went wrong with client io threads, issue DeleteClient here diff -r 33ab77c0b486 -r 87410ae372f6 gameServer/ConfigFile.hs --- a/gameServer/ConfigFile.hs Fri Jan 18 11:47:23 2013 +0100 +++ b/gameServer/ConfigFile.hs Sat Jan 19 00:51:28 2013 +0400 @@ -58,4 +58,3 @@ , ("sv_message", sm) , ("sv_messageOld", smo) ] - \ No newline at end of file diff -r 33ab77c0b486 -r 87410ae372f6 gameServer/HWProtoCore.hs --- a/gameServer/HWProtoCore.hs Fri Jan 18 11:47:23 2013 +0100 +++ b/gameServer/HWProtoCore.hs Sat Jan 19 00:51:28 2013 +0400 @@ -23,7 +23,7 @@ handleCmd ("QUIT" : xs) = return [ByeClient msg] where - msg = if not $ null xs then head xs else "bye" + msg = if not $ null xs then head xs else loc "bye" handleCmd ["PONG"] = do diff -r 33ab77c0b486 -r 87410ae372f6 gameServer/HWProtoInRoomState.hs --- a/gameServer/HWProtoInRoomState.hs Fri Jan 18 11:47:23 2013 +0100 +++ b/gameServer/HWProtoInRoomState.hs Sat Jan 19 00:51:28 2013 +0400 @@ -27,7 +27,7 @@ handleCmd_inRoom ("CFG" : paramName : paramStrs) - | null paramStrs = return [ProtocolError "Empty config entry"] + | null paramStrs = return [ProtocolError $ loc "Empty config entry"] | otherwise = do chans <- roomOthersChans cl <- thisClient @@ -36,7 +36,7 @@ ModifyRoom f, AnswerClients chans ("CFG" : paramName : paramStrs)] else - return [ProtocolError "Not room master"] + return [ProtocolError $ loc "Not room master"] where f r = if paramName `Map.member` (mapParams r) then r{mapParams = Map.insert paramName (head paramStrs) (mapParams r)} @@ -44,7 +44,7 @@ r{params = Map.insert paramName paramStrs (params r)} handleCmd_inRoom ("ADD_TEAM" : tName : color : grave : fort : voicepack : flag : difStr : hhsInfo) - | length hhsInfo /= 16 = return [ProtocolError "Corrupted hedgehogs info"] + | length hhsInfo /= 16 = return [ProtocolError $ loc "Corrupted hedgehogs info"] | otherwise = do (ci, _) <- ask rm <- thisRoom @@ -61,15 +61,15 @@ let newTeam = clNick `seq` TeamInfo ci clNick tName teamColor grave fort voicepack flag dif (newTeamHHNum rm) (hhsList hhsInfo) return $ if not . null . drop (maxTeams rm - 1) $ teams rm then - [Warning "too many teams"] + [Warning $ loc "too many teams"] else if canAddNumber rm <= 0 then - [Warning "too many hedgehogs"] + [Warning $ loc "too many hedgehogs"] else if isJust $ findTeam rm then - [Warning "There's already a team with same name in the list"] + [Warning $ loc "There's already a team with same name in the list"] else if isJust $ gameInfo rm then - [Warning "round in progress"] + [Warning $ loc "round in progress"] else if isRestrictedTeams rm then - [Warning "restricted"] + [Warning $ loc "restricted"] else [ModifyRoom (\r -> r{teams = teams r ++ [newTeam]}), SendUpdateOnThisRoom, @@ -101,9 +101,9 @@ return $ if isNothing $ findTeam r then - [Warning "REMOVE_TEAM: no such team"] + [Warning $ loc "REMOVE_TEAM: no such team"] else if clNick /= teamowner team then - [ProtocolError "Not team owner!"] + [ProtocolError $ loc "Not team owner!"] else [RemoveTeam tName, ModifyClient @@ -127,7 +127,7 @@ return $ if not $ isMaster cl then - [ProtocolError "Not room master"] + [ProtocolError $ loc "Not room master"] else if hhNumber < 1 || hhNumber > 8 || isNothing maybeTeam || hhNumber > canAddNumber r + hhnum team then [] else @@ -150,7 +150,7 @@ return $ if not $ isMaster cl then - [ProtocolError "Not room master"] + [ProtocolError $ loc "Not room master"] else if isNothing maybeTeam then [] else @@ -199,7 +199,7 @@ , ModifyRoomClients (\c -> c{isInGame = True}) ] else - return [Warning "Less than two clans!"] + return [Warning $ loc "Less than two clans!"] else return [] where @@ -249,7 +249,7 @@ cl <- thisClient return $ if not $ isMaster cl then - [ProtocolError "Not room master"] + [ProtocolError $ loc "Not room master"] else [ModifyRoom (\r -> r{isRestrictedJoins = not $ isRestrictedJoins r})] @@ -258,7 +258,7 @@ cl <- thisClient return $ if not $ isMaster cl then - [ProtocolError "Not room master"] + [ProtocolError $ loc "Not room master"] else [ModifyRoom (\r -> r{isRestrictedTeams = not $ isRestrictedTeams r})] @@ -267,7 +267,7 @@ cl <- thisClient return $ if not $ isMaster cl then - [ProtocolError "Not room master"] + [ProtocolError $ loc "Not room master"] else [ModifyRoom (\r -> r{isRegisteredOnly = not $ isRegisteredOnly r})] @@ -279,10 +279,10 @@ return $ if not $ isMaster cl then - [ProtocolError "Not room master"] + [ProtocolError $ loc "Not room master"] else if isJust $ find (\r -> newName == name r) rs then - [Warning "Room with such name already exists"] + [Warning $ loc "Room with such name already exists"] else [ModifyRoom roomUpdate, AnswerClients chans ("ROOM" : "UPD" : name rm : roomInfo (nick cl) (roomUpdate rm))] diff -r 33ab77c0b486 -r 87410ae372f6 gameServer/HWProtoLobbyState.hs --- a/gameServer/HWProtoLobbyState.hs Fri Jan 18 11:47:23 2013 +0100 +++ b/gameServer/HWProtoLobbyState.hs Sat Jan 19 00:51:28 2013 +0400 @@ -41,7 +41,7 @@ return [AnswerClients s ["CHAT", n, msg]] handleCmd_lobby ["CREATE_ROOM", rName, roomPassword] - | illegalName rName = return [Warning "Illegal room name"] + | illegalName rName = return [Warning $ loc "Illegal room name"] | otherwise = do rs <- allRoomInfos cl <- thisClient @@ -75,13 +75,13 @@ let isBanned = host cl `elem` roomBansList jRoom return $ if isNothing maybeRI || not sameProto then - [Warning "No such room"] + [Warning $ loc "No such room"] else if isRestrictedJoins jRoom then - [Warning "Joining restricted"] + [Warning $ loc "Joining restricted"] else if isRegisteredOnly jRoom then - [Warning "Registered users only"] + [Warning $ loc "Registered users only"] else if isBanned then - [Warning "You are banned in this room"] + [Warning $ loc "You are banned in this room"] else if roomPassword /= password jRoom then [NoticeMessage WrongPassword] else diff -r 33ab77c0b486 -r 87410ae372f6 gameServer/HWProtoNEState.hs --- a/gameServer/HWProtoNEState.hs Fri Jan 18 11:47:23 2013 +0100 +++ b/gameServer/HWProtoNEState.hs Sat Jan 19 00:51:28 2013 +0400 @@ -14,9 +14,9 @@ handleCmd_NotEntered ["NICK", newNick] = do (ci, irnc) <- ask let cl = irnc `client` ci - if not . B.null $ nick cl then return [ProtocolError "Nickname already chosen"] + if not . B.null $ nick cl then return [ProtocolError $ loc "Nickname already chosen"] else - if illegalName newNick then return [ByeClient "Illegal nickname"] + if illegalName newNick then return [ByeClient $ loc "Illegal nickname"] else return $ ModifyClient (\c -> c{nick = newNick}) : @@ -26,9 +26,9 @@ handleCmd_NotEntered ["PROTO", protoNum] = do (ci, irnc) <- ask let cl = irnc `client` ci - if clientProto cl > 0 then return [ProtocolError "Protocol already known"] + if clientProto cl > 0 then return [ProtocolError $ loc "Protocol already known"] else - if parsedProto == 0 then return [ProtocolError "Bad number"] + if parsedProto == 0 then return [ProtocolError $ loc "Bad number"] else return $ ModifyClient (\c -> c{clientProto = parsedProto}) : @@ -53,7 +53,7 @@ (ci, irnc) <- ask let cl = irnc `client` ci - if parsedProto == 0 then return [ProtocolError "Bad number"] + if parsedProto == 0 then return [ProtocolError $ loc "Bad number"] else return $ [ ModifyClient (\c -> c{clientProto = parsedProto, nick = newNick, webPassword = password, isChecker = True}) diff -r 33ab77c0b486 -r 87410ae372f6 gameServer/Utils.hs --- a/gameServer/Utils.hs Fri Jan 18 11:47:23 2013 +0100 +++ b/gameServer/Utils.hs Sat Jan 19 00:51:28 2013 +0400 @@ -134,3 +134,6 @@ head (Map.findWithDefault ["Default"] "SCHEME" (params r)), head (Map.findWithDefault ["Default"] "AMMO" (params r)) ] + +loc :: B.ByteString -> B.ByteString +loc = id diff -r 33ab77c0b486 -r 87410ae372f6 project_files/hedgewars.pro --- a/project_files/hedgewars.pro Fri Jan 18 11:47:23 2013 +0100 +++ b/project_files/hedgewars.pro Sat Jan 19 00:51:28 2013 +0400 @@ -116,7 +116,8 @@ ../QTfrontend/ui/widget/hatprompt.h \ ../QTfrontend/ui/widget/feedbackdialog.h \ ../QTfrontend/ui/widget/flowlayout.h \ - ../QTfrontend/ui/widget/lineeditcursor.h + ../QTfrontend/ui/widget/lineeditcursor.h \ + ../QTfrontend/servermessages.h SOURCES += ../QTfrontend/model/ammoSchemeModel.cpp \ @@ -254,11 +255,11 @@ macx { QMAKE_MACOSX_DEPLOYMENT_TARGET = 10.6 - QMAKE_MAC_SDK=/Developer/SDKs/MacOSX10.6.sdk + QMAKE_MAC_SDK = /Developer/SDKs/MacOSX10.6.sdk OBJECTIVE_SOURCES += ../QTfrontend/util/platform/*.m ../QTfrontend/util/platform/*.mm - SOURCES += ../QTfrontend/util/platform/AutoUpdater.cpp - ../QTfrontend/util/platform/InstallController.cpp \ + SOURCES += ../QTfrontend/util/platform/AutoUpdater.cpp \ + ../QTfrontend/util/platform/InstallController.cpp \ ../../build/QTfrontend/hwconsts.cpp HEADERS += ../QTfrontend/util/platform/*.h diff -r 33ab77c0b486 -r 87410ae372f6 share/hedgewars/Data/Locale/hedgewars_ar.ts --- a/share/hedgewars/Data/Locale/hedgewars_ar.ts Fri Jan 18 11:47:23 2013 +0100 +++ b/share/hedgewars/Data/Locale/hedgewars_ar.ts Sat Jan 19 00:51:28 2013 +0400 @@ -20,6 +20,115 @@ + BanDialog + + 10 minutes + + + + 30 minutes + + + + 1 hour + + + + 3 hours + + + + 5 hours + + + + 24 hours + + + + 3 days + + + + 7 days + + + + 14 days + + + + permanent + + + + IP + IP + + + Nick + + + + IP/Nick + + + + Reason + + + + Duration + + + + Ok + + + + Cancel + الغاء + + + you know why + + + + Warning + + + + Please, specify %1 + + + + nickname + + + + + DataManager + + Use Default + + + + + FeedbackDialog + + View + + + + Cancel + الغاء + + + Send Feedback + + + + FreqSpinBox Never @@ -45,13 +154,13 @@ Edit schemes - When this option is enabled selecting a game scheme will auto-select a weapon - - - Game Options + + Game scheme will auto-select a weapon + + HWAskQuitDialog @@ -102,10 +211,6 @@ Failed to save StyleSheet to %1 - - %1 is not a valid command! - - HWForm @@ -140,17 +245,6 @@ - Your nickname %1 is -registered on Hedgewars.org -Please provide your password below -or pick another nickname in game config: - - - - No password supplied. - - - Nickname اسم اللاعب @@ -163,6 +257,59 @@ Please pick another nickname: + + %1's Team + + + + Hedgewars - Nick registered + + + + This nick is registered, and you haven't specified a password. + +If this nick isn't yours, please register your own nick at www.hedgewars.org + +Password: + + + + Your nickname is not registered. +To prevent someone else from using it, +please register it at www.hedgewars.org + + + + + +Your password wasn't saved either. + + + + Hedgewars - Empty nickname + + + + Hedgewars - Wrong password + + + + You entered a wrong password. + + + + Try Again + + + + Hedgewars - Connection error + + + + You reconnected too fast. +Please wait a few seconds and try again. + + HWGame @@ -179,15 +326,15 @@ HWMapContainer Map - خارطة + خارطة Themes - نمط + نمط Filter - فلنر + فلنر All @@ -215,7 +362,7 @@ Type - نوع + نوع Small tunnels @@ -227,26 +374,110 @@ Large tunnels - انفاق كبيرة + انفاق كبيرة Small floating islands - جزر طائفة صغيرة + جزر طائفة صغيرة Medium floating islands - جزر طائفة متوسطة + جزر طائفة متوسطة Large floating islands - جزر طائفة كبيرة + جزر طائفة كبيرة Seed - Set + Map type: + + + + Image map + + + + Mission map + + + + Hand-drawn + + + + Randomly generated + + + + Random maze + + + + Random + عشوائي + + + Map preview: + + + + Load map drawing + + + + Edit map drawing + + + + Largetunnels + + + + Small islands + + + + Medium islands + + + + Large islands + + + + Map size: + + + + Maze style: + + + + Mission: + + + + Map: + + + + Theme: + + + + Load drawn map + + + + Drawn Maps + + + + All files @@ -320,7 +551,11 @@ HWPasswordDialog Password - كلمة السر + كلمة السر + + + Login + @@ -335,6 +570,32 @@ + HatButton + + Change hat (%1) + + + + + HatPrompt + + Select a hat + + + + Filter: + + + + Cancel + الغاء + + + Use selected hat + + + + KB SDL_ttf returned error while rendering text, most propably it is related to the bug in freetype2. It's recommended to update your freetype lib. @@ -342,6 +603,13 @@ + KeyBinder + + Category + + + + LibavInteraction Duration: %1m %2s @@ -360,6 +628,17 @@ Audio: + + unknown + + + + + MapModel + + No description available. + + PageAdmin @@ -391,6 +670,38 @@ Set data + + General + عام + + + Bans + + + + IP/Nick + + + + Expiration + + + + Reason + + + + Refresh + + + + Add + + + + Remove + + PageConnecting @@ -446,7 +757,43 @@ Advanced - متقدم + متقدم + + + Select an action to choose a custom key bind for this team + + + + Use my default + + + + Reset all binds + + + + Custom Controls + + + + Hat + + + + Name + اسم + + + This hedgehog's name + + + + Randomize this hedgehog's name + + + + Random Team + فريق عشوائي @@ -527,267 +874,14 @@ PageMain - Simply pick the same color as a friend to play together as a team. Each of you will still control his or her own hedgehogs but they'll win or lose together. - Tips - - - - Some weapons might do only low damage but they can be a lot more devastating in the right situation. Try to use the Desert Eagle to knock multiple hedgehogs into the water. - Tips - - - - If you're unsure what to do and don't want to waste ammo, skip one round. But don't let too much time pass as there will be Sudden Death! - Tips - - - - If you'd like to keep others from using your preferred nickname on the official server, register an account at http://www.hedgewars.org/. - Tips - - - - You're bored of default gameplay? Try one of the missions - they'll offer different gameplay depending on the one you picked. - Tips - - - - By default the game will always record the last game played as a demo. Select 'Local Game' and pick the 'Demos' button on the lower right corner to play or manage them. - Tips - - - - Hedgewars is Open Source and Freeware we create in our spare time. If you've got problems, ask on our forums but please don't expect 24/7 support! - Tips - - - - Hedgewars is Open Source and Freeware we create in our spare time. If you like it, help us with a small donation or contribute your own work! - Tips - - - - Hedgewars is Open Source and Freeware we create in our spare time. Share it with your family and friends as you like! - Tips - - - - Hedgewars is Open Source and Freeware we create in our spare time. If someone sold you the game, you should try get a refund! - Tips - - - - From time to time there will be official tournaments. Upcoming events will be announced at http://www.hedgewars.org/ some days in advance. - Tips - - - - Hedgewars is available in many languages. If the translation in your language seems to be missing or outdated, feel free to contact us! - Tips - - - - Hedgewars can be run on lots of different operating systems including Microsoft Windows, Mac OS X and Linux. - Tips - - - - Always remember you're able to set up your own games in local and network/online play. You're not restricted to the 'Simple Game' option. - Tips - - - - Connect one or more gamepads before starting the game to be able to assign their controls to your teams. - Tips - - - - Create an account on %1 to keep others from using your most favourite nickname while playing on the official server. - Tips - - - - While playing you should give yourself a short break at least once an hour. - Tips - - - - If your graphics card isn't able to provide hardware accelerated OpenGL, try to enable the low quality mode to improve performance. - Tips - - - - If your graphics card isn't able to provide hardware accelerated OpenGL, try to update the associated drivers. - Tips - - - - We're open to suggestions and constructive feedback. If you don't like something or got a great idea, let us know! - Tips - - - - Especially while playing online be polite and always remember there might be some minors playing with or against you as well! - Tips - - - - Special game modes such as 'Vampirism' or 'Karma' allow you to develop completely new tactics. Try them in a custom game! - Tips - - - - You should never install Hedgewars on computers you don't own (school, university, work, etc.). Please ask the responsible person instead! - Tips - - - - Hedgewars can be perfect for short games during breaks. Just ensure you don't add too many hedgehogs or use an huge map. Reducing time and health might help as well. - Tips - - - - No hedgehogs were harmed in making this game. - Tips - - - - There are three different jumps available. Tap [high jump] twice to do a very high/backwards jump. - Tips - - - - Afraid of falling off a cliff? Hold down [precise] to turn [left] or [right] without actually moving. - Tips - - - - Some weapons require special strategies or just lots of training, so don't give up on a particular tool if you miss an enemy once. - Tips - - - - Most weapons won't work once they touch the water. The Homing Bee as well as the Cake are exceptions to this. - Tips - - - - The Old Limbuger only causes a small explosion. However the wind affected smelly cloud can poison lots of hogs at once. - Tips - - - - The Piano Strike is the most damaging air strike. You'll lose the hedgehog performing it, so there's a huge downside as well. - Tips - - - - Sticky Mines are a perfect tool to create small chain reactions knocking enemy hedgehogs into dire situations ... or water. - Tips - - - - The Hammer is most effective when used on bridges or girders. Hit hogs will just break through the ground. - Tips - - - - If you're stuck behind an enemy hedgehog, use the Hammer to free yourself without getting damaged by an explosion. - Tips - - - - The Cake's maximum walking distance depends on the ground it has to pass. Use [attack] to detonate it early. - Tips - - - - The Flame Thrower is a weapon but it can be used for tunnel digging as well. - Tips - - - - Want to know who's behind the game? Click on the Hedgewars logo in the main menu to see the credits. - Tips - - - - Like Hedgewars? Become a fan on %1 or follow us on %2! - Tips - - - - Feel free to draw your own graves, hats, flags or even maps and themes! But note that you'll have to share them somewhere to use them online. - Tips - - - - Really want to wear a specific hat? Donate to us and receive an exclusive hat of your choice! - Tips - - - - Keep your video card drivers up to date to avoid issues playing the game. - Tips - - - - You can find your Hedgewars configuration files under "My Documents\Hedgewars". Create backups or take the files with you, but don't edit them by hand. - Tips - - - - You're able to associate Hedgewars related files (savegames and demo recordings) with the game to launch them right from your favorite file or internet browser. - Tips - - - - Want to save ropes? Release the rope in mid air and then shoot again. As long as you don't touch the ground you'll reuse your rope without wasting ammo! - Tips - - - - You can find your Hedgewars configuration files under "Library/Application Support/Hedgewars" in your home directory. Create backups or take the files with you, but don't edit them by hand. - Tips - - - - You can find your Hedgewars configuration files under ".hedgewars" in your home directory. Create backups or take the files with you, but don't edit them by hand. - Tips - - - - The Windows version of Hedgewars supports Xfire. Make sure to add Hedgewars to its game list so your friends can see you playing. - Tips - - - - Use the Molotov or Flame Thrower to temporary keep hedgehogs from passing terrain such as tunnels or platforms. - Tips - - - - The Homing Bee can be tricky to use. Its turn radius depends on its velocity, so try to not use full power. - Tips - - - Downloadable Content - Local Game - - - Play a game on a single computer - Network Game - - - Play a game across a network @@ -815,6 +909,14 @@ Edit game preferences + + Play a game across a local area network + + + + Play a game on an official server + + PageMultiplayer @@ -822,6 +924,10 @@ Start ابدا + + Edit game preferences + + PageNetGame @@ -829,24 +935,24 @@ Control تحكم + + Edit game preferences + + + + Start + ابدا + PageNetType LAN game - لعبة شبكية + لعبة شبكية Official server - الخادم الرسمي - - - Join hundreds of players online! - - - - Join or host your own game server in a Local Area Network. - + الخادم الرسمي @@ -893,7 +999,7 @@ General - عام + عام Advanced @@ -935,6 +1041,94 @@ System proxy settings + + Select an action to change what key controls it + + + + Reset to default + + + + Reset all binds + + + + Game + + + + Graphics + + + + Audio + + + + Controls + + + + Video Recording + + + + Network + + + + Teams + فرق + + + Schemes + + + + Weapons + اسلحة + + + Frontend + + + + Custom colors + + + + Game audio + + + + Frontend audio + + + + Account + + + + Proxy settings + + + + Miscellaneous + + + + Updates + + + + Check for updates + + + + Video recording options + + PagePlayDemo @@ -1134,18 +1328,10 @@ PageSinglePlayer - Simple Game - - - Play a quick game against the computer with random settings - Multiplayer - - - Play a hotseat game against your friends, or AI teams @@ -1154,24 +1340,16 @@ - Training Mode - - - Practice your skills in a range of training missions - Demos - - - Watch recorded demos Load - تحميل + تحميل Load a previously saved game @@ -1219,14 +1397,6 @@ - Date: - - - - Size: - - - encoding @@ -1234,6 +1404,16 @@ uploading + + Date: %1 + + + + + Size: %1 + + + QAction @@ -1247,7 +1427,7 @@ Start - ابدا + ابدا Restrict Joins @@ -1298,15 +1478,15 @@ Frontend fullscreen - شاشة القائمة ملء العرض + شاشة القائمة ملء العرض Enable sound - فعل الصوت + فعل الصوت Enable music - فعل الموسيقى + فعل الموسيقى Show FPS @@ -1326,15 +1506,15 @@ Enable frontend sounds - فعل اصوات شاشة المقدمة + فعل اصوات شاشة المقدمة Enable frontend music - فعل موسيقى شاشة المقدمة + فعل موسيقى شاشة المقدمة Frontend effects - تأثيرات المقدمة + تأثيرات المقدمة Save password @@ -1356,12 +1536,40 @@ Use game resolution + + Visual effects + + + + Sound + + + + In-game sound effects + + + + Music + + + + In-game music + + + + Frontend sound effects + + + + Frontend music + + QComboBox generated map... - ولد خارطة + ولد خارطة Human @@ -1377,11 +1585,11 @@ Mission - مهمة + مهمة generated maze... - ولد متاهة + ولد متاهة Community @@ -1400,10 +1608,6 @@ - hand drawn map... - - - Disabled @@ -1440,10 +1644,6 @@ - Wiggle - - - Red/Cyan grayscale @@ -1480,15 +1680,15 @@ Key binds - ربط المفاتيج + ربط المفاتيج Teams - فرق + فرق Audio/Graphic options - قوائم الصوتيات و المرئيات + قوائم الصوتيات و المرئيات Net game @@ -1512,23 +1712,7 @@ Misc - متنوعة - - - Schemes and Weapons - - - - Custom colors - - - - Miscellaneous - - - - Video recording options - + متنوعة Videos @@ -1538,10 +1722,6 @@ Description - - Proxy settings - - QLabel @@ -1559,23 +1739,23 @@ Developers: - المطورون + المطورون Art: - قنون + قنون Sounds: - الاصوات + الاصوات Translations: - المترجمون + المترجمون Special thanks: - شكر خاص + شكر خاص Weapons @@ -1635,7 +1815,7 @@ Game scheme - نمط اللعبة + نمط اللعبة % Dud Mines @@ -1674,10 +1854,6 @@ - This development build is 'work in progress' and may not be compatible with other versions of the game. Some features might be broken or incomplete. Use at your own risk! - - - Quality @@ -1752,10 +1928,6 @@ - Summary - - - Description @@ -1783,6 +1955,38 @@ Bitrate (Kbps) + + This development build is 'work in progress' and may not be compatible with other versions of the game, while some features might be broken or incomplete! + + + + Fullscreen + ملء الشاشة + + + Fullscreen Resolution + + + + Windowed Resolution + + + + Your Email + + + + Summary + + + + Send system information + + + + Type the security code: + + QLineEdit @@ -1821,10 +2025,6 @@ - Please fill out all fields - - - Error while authenticating at google.com: @@ -1871,18 +2071,6 @@ - Successfully posted the issue on hedgewars.googlecode.com - - - - Error during authentication at google.com - - - - Error reporting the issue, please try again later (or visit hedgewars.googlecode.com directly) - - - Main - Error @@ -2029,16 +2217,48 @@ Do you really want to delete the weapon set '%1'? + + Hedgewars - Nick not registered + + + + System Information Preview + + + + Failed to generate captcha + + + + Failed to download captcha + + + + Please fill out all fields. Email is optional. + + + + Hedgewars - Warning + + + + Hedgewars - Information + + + + Hedgewars + + QObject Nickname - اسم اللاعب + اسم اللاعب Please enter your nickname - ادحل اسم اللاعب + ادحل اسم اللاعب @@ -2097,25 +2317,21 @@ Setup - تنصيب + تنصيب Ready - ابدا + ابدا Random Team - فريق عشوائي + فريق عشوائي Associate file extensions - more - - - More info @@ -2208,6 +2424,25 @@ + SeedPrompt + + The map seed is the basis for all random values generated by the game. + + + + Cancel + الغاء + + + Set seed + + + + Close + + + + SelWeaponWidget Weapon set @@ -2235,106 +2470,88 @@ + TeamShowWidget + + %1's team + + + + + ThemePrompt + + Select a theme for this map + + + + Cancel + الغاء + + + ToggleButtonWidget Vampirism - مصاص دماء + مصاص دماء Karma - كارما + كارما Artillery - مدفعية + مدفعية Fort Mode - طريقة الحصن + طريقة الحصن Divide Teams - قسم الفرق + قسم الفرق Solid Land - ارض صلبة + ارض صلبة Add Border - اضف اطار + اضف اطار Low Gravity - جاذبية قليلة + جاذبية قليلة Laser Sight - منظار ليزري + منظار ليزري Invulnerable - غير قابل للتدمير + غير قابل للتدمير Random Order - توزيع عشوائي + توزيع عشوائي King - ملك + ملك Place Hedgehogs - ضع الاعبين + ضع الاعبين Clan Shares Ammo - الفريق يتشارك بالعتاد + الفريق يتشارك بالعتاد Disable Girders - ابطال البناء + ابطال البناء Disable Land Objects - ابطال الاجسام الارضية - - - Reset Health - - - - AI Survival Mode - - - - Unlimited Attacks - - - - Reset Weapons - - - - Per Hedgehog Ammo - - - - Disable Wind - - - - More Wind - - - - Tag Team - - - - Add Bottom Border - + ابطال الاجسام الارضية @@ -2470,7 +2687,7 @@ hedgehogs info - hedgehogs + hedgehogs info @@ -2509,31 +2726,51 @@ record + + hedgehog info + + binds (categories) Basic controls - الاسلحة الاولية + الاسلحة الاولية Weapon controls - السيطرة على الاسلحة + السيطرة على الاسلحة Camera and cursor controls - السيطرة على الكامرة و المؤشر + السيطرة على الكامرة و المؤشر Other - اخرى + اخرى + + + Movement + + + + Weapons + اسلحة + + + Camera + + + + Miscellaneous + binds (descriptions) Move your hogs and aim: - تحريك اللاعب و التصويب + تحريك اللاعب و التصويب Traverse gaps and obstacles by jumping: @@ -2599,6 +2836,10 @@ Record video: + + Hedgehog movement + + binds (keys) @@ -2919,4 +3160,119 @@ + + server + + Illegal nickname + + + + Protocol already known + + + + Bad number + + + + bye + + + + Empty config entry + + + + Not room master + + + + Corrupted hedgehogs info + + + + too many teams + + + + too many hedgehogs + + + + There's already a team with same name in the list + + + + round in progress + + + + restricted + + + + REMOVE_TEAM: no such team + + + + Not team owner! + + + + Less than two clans! + + + + Room with such name already exists + + + + Illegal room name + + + + No such room + + + + Joining restricted + + + + Registered users only + + + + You are banned in this room + + + + Nickname is already in use + + + + No checker rights + + + + Authentication failed + + + + 60 seconds cooldown after kick + + + + kicked + + + + Ping timeout + + + + Nickname already chosen + + + diff -r 33ab77c0b486 -r 87410ae372f6 share/hedgewars/Data/Locale/hedgewars_bg.ts --- a/share/hedgewars/Data/Locale/hedgewars_bg.ts Fri Jan 18 11:47:23 2013 +0100 +++ b/share/hedgewars/Data/Locale/hedgewars_bg.ts Sat Jan 19 00:51:28 2013 +0400 @@ -20,6 +20,115 @@ + BanDialog + + 10 minutes + + + + 30 minutes + + + + 1 hour + + + + 3 hours + + + + 5 hours + + + + 24 hours + + + + 3 days + + + + 7 days + + + + 14 days + + + + permanent + + + + IP + IP + + + Nick + + + + IP/Nick + + + + Reason + + + + Duration + + + + Ok + + + + Cancel + Отказ + + + you know why + + + + Warning + + + + Please, specify %1 + + + + nickname + + + + + DataManager + + Use Default + + + + + FeedbackDialog + + View + + + + Cancel + Отказ + + + Send Feedback + + + + FreqSpinBox Never @@ -45,12 +154,16 @@ When this option is enabled selecting a game scheme will auto-select a weapon - Когато тази настройка е включена, при избирането на игрова схема автоматично ще се избере оръжие + Когато тази настройка е включена, при избирането на игрова схема автоматично ще се избере оръжие Game Options + + Game scheme will auto-select a weapon + + HWAskQuitDialog @@ -101,10 +214,6 @@ Failed to save StyleSheet to %1 - - %1 is not a valid command! - - HWForm @@ -143,16 +252,12 @@ registered on Hedgewars.org Please provide your password below or pick another nickname in game config: - Прякорът ви %1 е + Прякорът ви %1 е регистриран на Hedgewars.org Моля въдете паролата си по-долу или изберете друг прякор в настройките на играта: - No password supplied. - - - Nickname Прякор @@ -165,6 +270,59 @@ Please pick another nickname: + + %1's Team + + + + Hedgewars - Nick registered + + + + This nick is registered, and you haven't specified a password. + +If this nick isn't yours, please register your own nick at www.hedgewars.org + +Password: + + + + Your nickname is not registered. +To prevent someone else from using it, +please register it at www.hedgewars.org + + + + + +Your password wasn't saved either. + + + + Hedgewars - Empty nickname + + + + Hedgewars - Wrong password + + + + You entered a wrong password. + + + + Try Again + + + + Hedgewars - Connection error + + + + You reconnected too fast. +Please wait a few seconds and try again. + + HWGame @@ -181,15 +339,15 @@ HWMapContainer Map - Карта + Карта Themes - Тема + Тема Filter - Филтър + Филтър All @@ -217,7 +375,7 @@ Type - Тип + Тип Small tunnels @@ -229,26 +387,110 @@ Large tunnels - Големи тунели + Големи тунели Small floating islands - Малки плаващи острови + Малки плаващи острови Medium floating islands - Средни плаващи острови + Средни плаващи острови Large floating islands - Големи плаващи острови + Големи плаващи острови Seed - Set + Map type: + + + + Image map + + + + Mission map + + + + Hand-drawn + + + + Randomly generated + + + + Random maze + + + + Random + + + + Map preview: + + + + Load map drawing + + + + Edit map drawing + + + + Largetunnels + + + + Small islands + + + + Medium islands + + + + Large islands + + + + Map size: + + + + Maze style: + + + + Mission: + + + + Map: + + + + Theme: + + + + Load drawn map + Зареждане на начертана карта + + + Drawn Maps + + + + All files @@ -322,7 +564,11 @@ HWPasswordDialog Password - Парола + Парола + + + Login + @@ -337,6 +583,32 @@ + HatButton + + Change hat (%1) + + + + + HatPrompt + + Select a hat + + + + Filter: + + + + Cancel + Отказ + + + Use selected hat + + + + KB SDL_ttf returned error while rendering text, most propably it is related to the bug in freetype2. It's recommended to update your freetype lib. @@ -344,6 +616,13 @@ + KeyBinder + + Category + + + + LibavInteraction Duration: %1m %2s @@ -362,6 +641,17 @@ Audio: + + unknown + + + + + MapModel + + No description available. + + PageAdmin @@ -393,6 +683,38 @@ Set data Задаване на данни + + General + Общи + + + Bans + + + + IP/Nick + + + + Expiration + + + + Reason + + + + Refresh + + + + Add + + + + Remove + + PageConnecting @@ -448,7 +770,43 @@ Advanced - За напреднали + За напреднали + + + Select an action to choose a custom key bind for this team + + + + Use my default + + + + Reset all binds + + + + Custom Controls + + + + Hat + + + + Name + Име + + + This hedgehog's name + + + + Randomize this hedgehog's name + + + + Random Team + Случаен отбор @@ -529,267 +887,14 @@ PageMain - Simply pick the same color as a friend to play together as a team. Each of you will still control his or her own hedgehogs but they'll win or lose together. - Tips - - - - Some weapons might do only low damage but they can be a lot more devastating in the right situation. Try to use the Desert Eagle to knock multiple hedgehogs into the water. - Tips - - - - If you're unsure what to do and don't want to waste ammo, skip one round. But don't let too much time pass as there will be Sudden Death! - Tips - - - - If you'd like to keep others from using your preferred nickname on the official server, register an account at http://www.hedgewars.org/. - Tips - - - - You're bored of default gameplay? Try one of the missions - they'll offer different gameplay depending on the one you picked. - Tips - - - - By default the game will always record the last game played as a demo. Select 'Local Game' and pick the 'Demos' button on the lower right corner to play or manage them. - Tips - - - - Hedgewars is Open Source and Freeware we create in our spare time. If you've got problems, ask on our forums but please don't expect 24/7 support! - Tips - - - - Hedgewars is Open Source and Freeware we create in our spare time. If you like it, help us with a small donation or contribute your own work! - Tips - - - - Hedgewars is Open Source and Freeware we create in our spare time. Share it with your family and friends as you like! - Tips - - - - From time to time there will be official tournaments. Upcoming events will be announced at http://www.hedgewars.org/ some days in advance. - Tips - - - - Hedgewars is available in many languages. If the translation in your language seems to be missing or outdated, feel free to contact us! - Tips - - - - Hedgewars can be run on lots of different operating systems including Microsoft Windows, Mac OS X and Linux. - Tips - - - - Always remember you're able to set up your own games in local and network/online play. You're not restricted to the 'Simple Game' option. - Tips - - - - While playing you should give yourself a short break at least once an hour. - Tips - - - - If your graphics card isn't able to provide hardware accelerated OpenGL, try to enable the low quality mode to improve performance. - Tips - - - - We're open to suggestions and constructive feedback. If you don't like something or got a great idea, let us know! - Tips - - - - Especially while playing online be polite and always remember there might be some minors playing with or against you as well! - Tips - - - - Special game modes such as 'Vampirism' or 'Karma' allow you to develop completely new tactics. Try them in a custom game! - Tips - - - - You should never install Hedgewars on computers you don't own (school, university, work, etc.). Please ask the responsible person instead! - Tips - - - - Hedgewars can be perfect for short games during breaks. Just ensure you don't add too many hedgehogs or use an huge map. Reducing time and health might help as well. - Tips - - - - No hedgehogs were harmed in making this game. - Tips - - - - Hedgewars is Open Source and Freeware we create in our spare time. If someone sold you the game, you should try get a refund! - Tips - - - - Connect one or more gamepads before starting the game to be able to assign their controls to your teams. - Tips - - - - Create an account on %1 to keep others from using your most favourite nickname while playing on the official server. - Tips - - - - If your graphics card isn't able to provide hardware accelerated OpenGL, try to update the associated drivers. - Tips - - - - There are three different jumps available. Tap [high jump] twice to do a very high/backwards jump. - Tips - - - - Afraid of falling off a cliff? Hold down [precise] to turn [left] or [right] without actually moving. - Tips - - - - Some weapons require special strategies or just lots of training, so don't give up on a particular tool if you miss an enemy once. - Tips - - - - Most weapons won't work once they touch the water. The Homing Bee as well as the Cake are exceptions to this. - Tips - - - - The Old Limbuger only causes a small explosion. However the wind affected smelly cloud can poison lots of hogs at once. - Tips - - - - The Piano Strike is the most damaging air strike. You'll lose the hedgehog performing it, so there's a huge downside as well. - Tips - - - - Sticky Mines are a perfect tool to create small chain reactions knocking enemy hedgehogs into dire situations ... or water. - Tips - - - - The Hammer is most effective when used on bridges or girders. Hit hogs will just break through the ground. - Tips - - - - If you're stuck behind an enemy hedgehog, use the Hammer to free yourself without getting damaged by an explosion. - Tips - - - - The Cake's maximum walking distance depends on the ground it has to pass. Use [attack] to detonate it early. - Tips - - - - The Flame Thrower is a weapon but it can be used for tunnel digging as well. - Tips - - - - Want to know who's behind the game? Click on the Hedgewars logo in the main menu to see the credits. - Tips - - - - Like Hedgewars? Become a fan on %1 or follow us on %2! - Tips - - - - Feel free to draw your own graves, hats, flags or even maps and themes! But note that you'll have to share them somewhere to use them online. - Tips - - - - Really want to wear a specific hat? Donate to us and receive an exclusive hat of your choice! - Tips - - - - Keep your video card drivers up to date to avoid issues playing the game. - Tips - - - - You can find your Hedgewars configuration files under "My Documents\Hedgewars". Create backups or take the files with you, but don't edit them by hand. - Tips - - - - You're able to associate Hedgewars related files (savegames and demo recordings) with the game to launch them right from your favorite file or internet browser. - Tips - - - - Want to save ropes? Release the rope in mid air and then shoot again. As long as you don't touch the ground you'll reuse your rope without wasting ammo! - Tips - - - - You can find your Hedgewars configuration files under "Library/Application Support/Hedgewars" in your home directory. Create backups or take the files with you, but don't edit them by hand. - Tips - - - - You can find your Hedgewars configuration files under ".hedgewars" in your home directory. Create backups or take the files with you, but don't edit them by hand. - Tips - - - - The Windows version of Hedgewars supports Xfire. Make sure to add Hedgewars to its game list so your friends can see you playing. - Tips - - - - Use the Molotov or Flame Thrower to temporary keep hedgehogs from passing terrain such as tunnels or platforms. - Tips - - - - The Homing Bee can be tricky to use. Its turn radius depends on its velocity, so try to not use full power. - Tips - - - Downloadable Content - Local Game - - - Play a game on a single computer - Network Game - - - Play a game across a network @@ -817,6 +922,14 @@ Edit game preferences + + Play a game across a local area network + + + + Play a game on an official server + + PageMultiplayer @@ -824,6 +937,10 @@ Start Старт + + Edit game preferences + + PageNetGame @@ -831,24 +948,24 @@ Control Контрол + + Edit game preferences + + + + Start + Старт + PageNetType LAN game - Игра по локална мрежа + Игра по локална мрежа Official server - Официален сървър - - - Join hundreds of players online! - - - - Join or host your own game server in a Local Area Network. - + Официален сървър @@ -895,7 +1012,7 @@ General - Общи + Общи Advanced @@ -937,6 +1054,94 @@ System proxy settings + + Select an action to change what key controls it + + + + Reset to default + + + + Reset all binds + + + + Game + + + + Graphics + + + + Audio + + + + Controls + + + + Video Recording + + + + Network + + + + Teams + Отбори + + + Schemes + + + + Weapons + Оръжия + + + Frontend + + + + Custom colors + + + + Game audio + + + + Frontend audio + + + + Account + + + + Proxy settings + + + + Miscellaneous + + + + Updates + + + + Check for updates + + + + Video recording options + + PagePlayDemo @@ -1136,18 +1341,10 @@ PageSinglePlayer - Simple Game - - - Play a quick game against the computer with random settings - Multiplayer - - - Play a hotseat game against your friends, or AI teams @@ -1156,24 +1353,16 @@ - Training Mode - - - Practice your skills in a range of training missions - Demos - - - Watch recorded demos Load - Зареждане + Зареждане Load a previously saved game @@ -1221,14 +1410,6 @@ - Date: - - - - Size: - - - encoding @@ -1236,6 +1417,16 @@ uploading + + Date: %1 + + + + + Size: %1 + + + QAction @@ -1249,7 +1440,7 @@ Start - Старт + Старт Restrict Joins @@ -1296,7 +1487,7 @@ Enable sound - Включване на звука + Включване на звука Fullscreen @@ -1312,11 +1503,11 @@ Enable music - Включване на музиката + Включване на музиката Frontend fullscreen - Пълен екран + Пълен екран Append date and time to record file name @@ -1328,15 +1519,15 @@ Enable frontend sounds - Включване на звуци + Включване на звуци Enable frontend music - Включване на музика + Включване на музика Frontend effects - Ефекти + Ефекти Save password @@ -1358,12 +1549,40 @@ Use game resolution + + Visual effects + + + + Sound + + + + In-game sound effects + + + + Music + + + + In-game music + + + + Frontend sound effects + + + + Frontend music + + QComboBox generated map... - Случайна карта... + Случайна карта... Human @@ -1379,11 +1598,11 @@ generated maze... - генериран лабиринт... + генериран лабиринт... Mission - Мисия + Мисия Community @@ -1403,7 +1622,7 @@ hand drawn map... - Ръчно нарисувана карта... + Ръчно нарисувана карта... Disabled @@ -1442,10 +1661,6 @@ - Wiggle - - - Red/Cyan grayscale @@ -1490,15 +1705,15 @@ Key binds - Клавиши + Клавиши Teams - Отбори + Отбори Audio/Graphic options - Настройки на Звук/Графика + Настройки на Звук/Графика Playing teams @@ -1514,23 +1729,11 @@ Misc - Разни + Разни Schemes and Weapons - Схеми и оръжия - - - Custom colors - - - - Miscellaneous - - - - Video recording options - + Схеми и оръжия Videos @@ -1540,16 +1743,12 @@ Description - - Proxy settings - - QLabel Game scheme - Игрови схеми + Игрови схеми Damage Modifier @@ -1593,19 +1792,19 @@ Developers: - Разработчици: + Разработчици: Art: - Графика: + Графика: Translations: - Преводи: + Преводи: Special thanks: - Специални благодарности на: + Специални благодарности на: Server name: @@ -1633,7 +1832,7 @@ Sounds: - Звуци: + Звуци: Initial sound volume @@ -1676,10 +1875,6 @@ Съвет: - This development build is 'work in progress' and may not be compatible with other versions of the game. Some features might be broken or incomplete. Use at your own risk! - - - Quality Качество @@ -1754,10 +1949,6 @@ - Summary - - - Description @@ -1785,6 +1976,38 @@ Bitrate (Kbps) + + This development build is 'work in progress' and may not be compatible with other versions of the game, while some features might be broken or incomplete! + + + + Fullscreen + Пълен екран + + + Fullscreen Resolution + + + + Windowed Resolution + + + + Your Email + + + + Summary + + + + Send system information + + + + Type the security code: + + QLineEdit @@ -1823,10 +2046,6 @@ Файловата асоциация се провали. - Please fill out all fields - - - Error while authenticating at google.com: @@ -1873,18 +2092,6 @@ - Successfully posted the issue on hedgewars.googlecode.com - - - - Error during authentication at google.com - - - - Error reporting the issue, please try again later (or visit hedgewars.googlecode.com directly) - - - Main - Error @@ -2032,23 +2239,55 @@ Do you really want to delete the weapon set '%1'? + + Hedgewars - Nick not registered + + + + System Information Preview + + + + Failed to generate captcha + + + + Failed to download captcha + + + + Please fill out all fields. Email is optional. + + + + Hedgewars - Warning + + + + Hedgewars - Information + + + + Hedgewars + + QObject Nickname - Прякор + Прякор Please enter your nickname - Моля въведете прякорът си + Моля въведете прякорът си QPushButton Setup - Настройки + Настройки Play demo @@ -2104,11 +2343,11 @@ Ready - Готово + Готово Random Team - Случаен отбор + Случаен отбор Associate file extensions @@ -2116,7 +2355,7 @@ more - повече + повече More info @@ -2211,6 +2450,25 @@ + SeedPrompt + + The map seed is the basis for all random values generated by the game. + + + + Cancel + Отказ + + + Set seed + + + + Close + + + + SelWeaponWidget Weapon set @@ -2238,106 +2496,116 @@ + TeamShowWidget + + %1's team + + + + + ThemePrompt + + Select a theme for this map + + + + Cancel + Отказ + + + ToggleButtonWidget Fort Mode - Режим на фортове + Режим на фортове Divide Teams - Разделяне на отборите + Разделяне на отборите Solid Land - Твърда земя + Твърда земя Add Border - Добави гранична ивица + Добави гранична ивица Low Gravity - Ниска гравитация + Ниска гравитация Laser Sight - Лазерен мерник + Лазерен мерник Invulnerable - Неуязвимост + Неуязвимост Vampirism - Вампиризъм + Вампиризъм Karma - Карма + Карма Artillery - Артилерия + Артилерия Random Order - Произволен ред + Произволен ред King - Крал + Крал Place Hedgehogs - Поставяне на таралежи + Поставяне на таралежи Clan Shares Ammo - Кланът споделя оръжията + Кланът споделя оръжията Disable Girders - Изкбючване на греди + Изкбючване на греди Disable Land Objects - Изключване на обекти по земята + Изключване на обекти по земята AI Survival Mode - Режим ИИ оцеляване + Режим ИИ оцеляване Reset Health - Изчистване на здрането + Изчистване на здрането Unlimited Attacks - Неограничени атаки + Неограничени атаки Reset Weapons - Изчистване на оръжията + Изчистване на оръжията Per Hedgehog Ammo - Боеприпаси за всеки таралеж поотделно + Боеприпаси за всеки таралеж поотделно Disable Wind - Изключване на вятъра + Изключване на вятъра More Wind - Още вятър - - - Tag Team - - - - Add Bottom Border - + Още вятър @@ -2461,7 +2729,7 @@ hedgehogs info - Информация + Информация за играта @@ -2512,31 +2780,51 @@ record + + hedgehog info + + binds (categories) Basic controls - Основни контроли + Основни контроли Weapon controls - Контроли за оръжията + Контроли за оръжията Camera and cursor controls - Контроли за камерата и показалеца + Контроли за камерата и показалеца Other - Друго + Друго + + + Movement + + + + Weapons + Оръжия + + + Camera + + + + Miscellaneous + binds (descriptions) Move your hogs and aim: - Преместете таралежите си и се прицелете: + Преместете таралежите си и се прицелете: Traverse gaps and obstacles by jumping: @@ -2602,6 +2890,10 @@ Record video: + + Hedgehog movement + + binds (keys) @@ -2922,4 +3214,119 @@ + + server + + Illegal nickname + + + + Protocol already known + + + + Bad number + + + + bye + + + + Empty config entry + + + + Not room master + + + + Corrupted hedgehogs info + + + + too many teams + + + + too many hedgehogs + + + + There's already a team with same name in the list + + + + round in progress + + + + restricted + + + + REMOVE_TEAM: no such team + + + + Not team owner! + + + + Less than two clans! + + + + Room with such name already exists + + + + Illegal room name + + + + No such room + + + + Joining restricted + + + + Registered users only + + + + You are banned in this room + + + + Nickname is already in use + + + + No checker rights + + + + Authentication failed + + + + 60 seconds cooldown after kick + + + + kicked + + + + Ping timeout + + + + Nickname already chosen + + + diff -r 33ab77c0b486 -r 87410ae372f6 share/hedgewars/Data/Locale/hedgewars_cs.ts --- a/share/hedgewars/Data/Locale/hedgewars_cs.ts Fri Jan 18 11:47:23 2013 +0100 +++ b/share/hedgewars/Data/Locale/hedgewars_cs.ts Sat Jan 19 00:51:28 2013 +0400 @@ -20,6 +20,115 @@ + BanDialog + + 10 minutes + + + + 30 minutes + + + + 1 hour + + + + 3 hours + + + + 5 hours + + + + 24 hours + + + + 3 days + + + + 7 days + + + + 14 days + + + + permanent + + + + IP + IP + + + Nick + + + + IP/Nick + + + + Reason + + + + Duration + + + + Ok + + + + Cancel + Zrušit + + + you know why + + + + Warning + + + + Please, specify %1 + + + + nickname + + + + + DataManager + + Use Default + + + + + FeedbackDialog + + View + + + + Cancel + Zrušit + + + Send Feedback + + + + FreqSpinBox Never @@ -46,12 +155,16 @@ When this option is enabled selecting a game scheme will auto-select a weapon - Pokud je tato volba aktivována, výběr herního schématu vybere automaticky i zbraňové schéma + Pokud je tato volba aktivována, výběr herního schématu vybere automaticky i zbraňové schéma Game Options + + Game scheme will auto-select a weapon + + HWAskQuitDialog @@ -102,10 +215,6 @@ Failed to save StyleSheet to %1 - - %1 is not a valid command! - - HWForm @@ -144,16 +253,12 @@ registered on Hedgewars.org Please provide your password below or pick another nickname in game config: - Tvoje přezdívka %1 je + Tvoje přezdívka %1 je registrovaná na Hedgewars.org Prosím, zadej své heslo nebo si v konfiguraci vyber jinou přezdívku: - No password supplied. - - - Nickname Přezdívka @@ -166,6 +271,59 @@ Please pick another nickname: + + %1's Team + + + + Hedgewars - Nick registered + + + + This nick is registered, and you haven't specified a password. + +If this nick isn't yours, please register your own nick at www.hedgewars.org + +Password: + + + + Your nickname is not registered. +To prevent someone else from using it, +please register it at www.hedgewars.org + + + + + +Your password wasn't saved either. + + + + Hedgewars - Empty nickname + + + + Hedgewars - Wrong password + + + + You entered a wrong password. + + + + Try Again + + + + Hedgewars - Connection error + + + + You reconnected too fast. +Please wait a few seconds and try again. + + HWGame @@ -182,15 +340,15 @@ HWMapContainer Map - Mapa + Mapa Themes - Témata + Témata Filter - Filtr + Filtr All @@ -218,7 +376,7 @@ Type - Typ + Typ Small tunnels @@ -230,19 +388,19 @@ Large tunnels - Velké tunely + Velké tunely Small floating islands - Malé plovoucí ostrovy + Malé plovoucí ostrovy Medium floating islands - Střední plovoucí ostrovy + Střední plovoucí ostrovy Large floating islands - Velké plovoucí ostrovy + Velké plovoucí ostrovy Seed @@ -250,7 +408,95 @@ Set - Sada + Sada + + + Map type: + + + + Image map + + + + Mission map + + + + Hand-drawn + + + + Randomly generated + + + + Random maze + + + + Random + Náhodné + + + Map preview: + + + + Load map drawing + + + + Edit map drawing + + + + Largetunnels + + + + Small islands + + + + Medium islands + + + + Large islands + + + + Map size: + + + + Maze style: + + + + Mission: + + + + Map: + + + + Theme: + + + + Load drawn map + Nahrát nakreslenou mapu + + + Drawn Maps + + + + All files + @@ -323,7 +569,11 @@ HWPasswordDialog Password - Heslo + Heslo + + + Login + @@ -338,6 +588,32 @@ + HatButton + + Change hat (%1) + + + + + HatPrompt + + Select a hat + + + + Filter: + + + + Cancel + Zrušit + + + Use selected hat + + + + KB SDL_ttf returned error while rendering text, most propably it is related to the bug in freetype2. It's recommended to update your freetype lib. @@ -345,6 +621,13 @@ + KeyBinder + + Category + + + + LibavInteraction Duration: %1m %2s @@ -363,6 +646,17 @@ Audio: + + unknown + + + + + MapModel + + No description available. + + PageAdmin @@ -394,6 +688,38 @@ Set data Nastavit data + + General + Obecné + + + Bans + + + + IP/Nick + + + + Expiration + + + + Reason + + + + Refresh + + + + Add + + + + Remove + + PageConnecting @@ -449,7 +775,43 @@ Advanced - Rozšířené + Rozšířené + + + Select an action to choose a custom key bind for this team + + + + Use my default + + + + Reset all binds + + + + Custom Controls + + + + Hat + Klobouček + + + Name + Jméno + + + This hedgehog's name + + + + Randomize this hedgehog's name + + + + Random Team + Náhodný tým @@ -538,265 +900,252 @@ Simply pick the same color as a friend to play together as a team. Each of you will still control his or her own hedgehogs but they'll win or lose together. Tips - Jednoduše zvol stejnou barvu jako spoluhráč, abys hrál ve stejném týmu. Každý z vás bude mít kontrolu nad svými vlastními ježky, ale vyhraje nebo prohraje společně. + Jednoduše zvol stejnou barvu jako spoluhráč, abys hrál ve stejném týmu. Každý z vás bude mít kontrolu nad svými vlastními ježky, ale vyhraje nebo prohraje společně. Some weapons might do only low damage but they can be a lot more devastating in the right situation. Try to use the Desert Eagle to knock multiple hedgehogs into the water. Tips - Některé zbraně mohou způsobovat jen malé poškození, ale mohou být devastující v pravé chvíli. Zkus použít pistoli Desert Eagle ke sražení několika nepřátelských ježků do vody. + Některé zbraně mohou způsobovat jen malé poškození, ale mohou být devastující v pravé chvíli. Zkus použít pistoli Desert Eagle ke sražení několika nepřátelských ježků do vody. If you're unsure what to do and don't want to waste ammo, skip one round. But don't let too much time pass as there will be Sudden Death! Tips - Pokud si nejsi jistý, co dělat a nechceš plýtvat municí, přeskoč tah. Ale nenech uběhnout moc času, protože pak přijde Náhlá smrt! + Pokud si nejsi jistý, co dělat a nechceš plýtvat municí, přeskoč tah. Ale nenech uběhnout moc času, protože pak přijde Náhlá smrt! If you'd like to keep others from using your preferred nickname on the official server, register an account at http://www.hedgewars.org/. Tips - Pokud chceš zabránit ostatním, aby používali tvoji oblíbenou přezdívku na oficiálním serveru, zaregistruj se na http://www.hedgewars.org/. + Pokud chceš zabránit ostatním, aby používali tvoji oblíbenou přezdívku na oficiálním serveru, zaregistruj se na http://www.hedgewars.org/. You're bored of default gameplay? Try one of the missions - they'll offer different gameplay depending on the one you picked. Tips - Jsi znuděn standardní hrou? Vyzkoušej některou misi - nabídnou jiný herní zážitek v závislosti na tom, kterou si vybereš. + Jsi znuděn standardní hrou? Vyzkoušej některou misi - nabídnou jiný herní zážitek v závislosti na tom, kterou si vybereš. By default the game will always record the last game played as a demo. Select 'Local Game' and pick the 'Demos' button on the lower right corner to play or manage them. Tips - Standardně hra vždycky nahrává poslední odehraný zápas jako ukázku. Vyber si 'Místní hru' a zvol tlačítko 'Ukázky' v pravém spodním rohu k jejich přehrávání a správě. + Standardně hra vždycky nahrává poslední odehraný zápas jako ukázku. Vyber si 'Místní hru' a zvol tlačítko 'Ukázky' v pravém spodním rohu k jejich přehrávání a správě. Hedgewars is Open Source and Freeware we create in our spare time. If you've got problems, ask on our forums but please don't expect 24/7 support! Tips - Hedgewars je Open Source a Freeware, který jsme vytvořili v našem volném čase. Pokud máš problémy, zeptej se na našem fóru, ale neočekávej prosím nonstop podporu! + Hedgewars je Open Source a Freeware, který jsme vytvořili v našem volném čase. Pokud máš problémy, zeptej se na našem fóru, ale neočekávej prosím nonstop podporu! Hedgewars is Open Source and Freeware we create in our spare time. If you like it, help us with a small donation or contribute your own work! Tips - Hedgewars je Open Source a Freeware, který jsme vytvořili v našem volném čase. Pokud se ti líbí, pomož nám malým příspěvkem, nebo se podílej na práci! + Hedgewars je Open Source a Freeware, který jsme vytvořili v našem volném čase. Pokud se ti líbí, pomož nám malým příspěvkem, nebo se podílej na práci! Hedgewars is Open Source and Freeware we create in our spare time. Share it with your family and friends as you like! Tips - Hedgewars je Open Source a Freeware, který jsme vytvořili v našem volném čase. Sdílej ho se svoji rodinou a přáteli dle libosti! + Hedgewars je Open Source a Freeware, který jsme vytvořili v našem volném čase. Sdílej ho se svoji rodinou a přáteli dle libosti! From time to time there will be official tournaments. Upcoming events will be announced at http://www.hedgewars.org/ some days in advance. Tips - Čas od času se konají oficiální turnaje. Nadcházející události budou publikovány na http://www.hedgewars.org/ s několika denním předstihem. + Čas od času se konají oficiální turnaje. Nadcházející události budou publikovány na http://www.hedgewars.org/ s několika denním předstihem. Hedgewars is available in many languages. If the translation in your language seems to be missing or outdated, feel free to contact us! Tips - Hedgewars je k dispozici v mnoha jazycích. Pokud překlad do tvého jazyka vypadá zastaralý nebo chybí, neváhej nás kontaktovat! + Hedgewars je k dispozici v mnoha jazycích. Pokud překlad do tvého jazyka vypadá zastaralý nebo chybí, neváhej nás kontaktovat! Hedgewars can be run on lots of different operating systems including Microsoft Windows, Mac OS X and Linux. Tips - Hedgewars může být spuštěno na mnoha různých operačních systémech včetně Microsoft Windows, Mac OS X a Linuxu. + Hedgewars může být spuštěno na mnoha různých operačních systémech včetně Microsoft Windows, Mac OS X a Linuxu. Always remember you're able to set up your own games in local and network/online play. You're not restricted to the 'Simple Game' option. Tips - Vždycky si pamatuj, že můžeš vytvořit vlastní hru na místní síti i internetu. Nejsi odkázán jen na možnost 'Prostá hra'. + Vždycky si pamatuj, že můžeš vytvořit vlastní hru na místní síti i internetu. Nejsi odkázán jen na možnost 'Prostá hra'. While playing you should give yourself a short break at least once an hour. Tips - Během hraní bys měl dělat krátké přestávky alespoň jednou za hodinu. + Během hraní bys měl dělat krátké přestávky alespoň jednou za hodinu. If your graphics card isn't able to provide hardware accelerated OpenGL, try to enable the low quality mode to improve performance. Tips - Pokud tvoje grafická karta nepodporuje hardwarovou akceleraci OpenGL, zkus zapnout nízkou kvalitu pro zlepšení výkonu. + Pokud tvoje grafická karta nepodporuje hardwarovou akceleraci OpenGL, zkus zapnout nízkou kvalitu pro zlepšení výkonu. We're open to suggestions and constructive feedback. If you don't like something or got a great idea, let us know! Tips - Jsme otevřeni návrhům a konstruktivní kritice. Pokud se ti něco nelíbí, nebo máš skvělý nápad, dej nám vědět! + Jsme otevřeni návrhům a konstruktivní kritice. Pokud se ti něco nelíbí, nebo máš skvělý nápad, dej nám vědět! Especially while playing online be polite and always remember there might be some minors playing with or against you as well! Tips - Obzvláště při hře online buď slušný a vždy pamatuj na to, že s tebou nebo proti tobě může hrát někdo z nějaké menšiny! + Obzvláště při hře online buď slušný a vždy pamatuj na to, že s tebou nebo proti tobě může hrát někdo z nějaké menšiny! Special game modes such as 'Vampirism' or 'Karma' allow you to develop completely new tactics. Try them in a custom game! Tips - Speciální herní módy jako třeba 'Vampyrismus' nebo 'Karma' ti dovolují vymýšlet úplně jiné herní taktiky. Vyzkoušej je v nějaké hře! + Speciální herní módy jako třeba 'Vampyrismus' nebo 'Karma' ti dovolují vymýšlet úplně jiné herní taktiky. Vyzkoušej je v nějaké hře! You should never install Hedgewars on computers you don't own (school, university, work, etc.). Please ask the responsible person instead! Tips - Nikdy bys neměl instalovat Hedgewars na počítači, který ti nepatří (škola, univerzita, práce a jiné). Prosím, zeptej se nejprve zodpovědné osoby! + Nikdy bys neměl instalovat Hedgewars na počítači, který ti nepatří (škola, univerzita, práce a jiné). Prosím, zeptej se nejprve zodpovědné osoby! Hedgewars can be perfect for short games during breaks. Just ensure you don't add too many hedgehogs or use an huge map. Reducing time and health might help as well. Tips - Hedgewars mohou být perfektní pro krátkou hru během pauzy. Jen se ujisti, že jsi nepřidal příliš mnoho ježků nebo nezvolil velkou mapu. Zmenšit čas nebo zdraví také urychlí hru. + Hedgewars mohou být perfektní pro krátkou hru během pauzy. Jen se ujisti, že jsi nepřidal příliš mnoho ježků nebo nezvolil velkou mapu. Zmenšit čas nebo zdraví také urychlí hru. No hedgehogs were harmed in making this game. Tips - Žádný ježek nebyl zraněn během vytváření této hry. + Žádný ježek nebyl zraněn během vytváření této hry. Hedgewars is Open Source and Freeware we create in our spare time. If someone sold you the game, you should try get a refund! Tips - Hedgewars je Open Source a Freeware, který jsme vytvořili v našem volném čase. Pokud ti tuto hru někdo prodal, měl bys chtít vrátit peníze! + Hedgewars je Open Source a Freeware, který jsme vytvořili v našem volném čase. Pokud ti tuto hru někdo prodal, měl bys chtít vrátit peníze! Connect one or more gamepads before starting the game to be able to assign their controls to your teams. Tips - Připojenim jednoho nebo více gamepadů před začátkem hry ti umožní nastavit je jako ovladač pro tvé týmy. + Připojenim jednoho nebo více gamepadů před začátkem hry ti umožní nastavit je jako ovladač pro tvé týmy. Create an account on %1 to keep others from using your most favourite nickname while playing on the official server. Tips - Vytvoř si účet na %1, abys zabránil ostatním používat tvoji oblíbenou přezdívku na oficiálním serveru. + Vytvoř si účet na %1, abys zabránil ostatním používat tvoji oblíbenou přezdívku na oficiálním serveru. If your graphics card isn't able to provide hardware accelerated OpenGL, try to update the associated drivers. Tips - Pokud tvoje grafická karta nepodporuje hardwarovou akceleraci OpenGL, zkus aktualizovat ovladače. + Pokud tvoje grafická karta nepodporuje hardwarovou akceleraci OpenGL, zkus aktualizovat ovladače. There are three different jumps available. Tap [high jump] twice to do a very high/backwards jump. Tips - K dispozici jsou tři různé druhy skoků. Zmáčkni [Vysoký skok] dvakrát, abys udělal skok do větší výšky a dozadu. + K dispozici jsou tři různé druhy skoků. Zmáčkni [Vysoký skok] dvakrát, abys udělal skok do větší výšky a dozadu. Afraid of falling off a cliff? Hold down [precise] to turn [left] or [right] without actually moving. Tips - Bojíš se pádu z útesu? Stiskni [přesnost], aby ses otočil [vlevo], či [vpravo] bez jakéhokoliv pohybu. + Bojíš se pádu z útesu? Stiskni [přesnost], aby ses otočil [vlevo], či [vpravo] bez jakéhokoliv pohybu. Some weapons require special strategies or just lots of training, so don't give up on a particular tool if you miss an enemy once. Tips - Některé zbraně vyžadují speciální strategii, nebo jen spoustu cvičení. Nezavrhuj hned některou zbraň, pokud jednou mineš cíl. + Některé zbraně vyžadují speciální strategii, nebo jen spoustu cvičení. Nezavrhuj hned některou zbraň, pokud jednou mineš cíl. Most weapons won't work once they touch the water. The Homing Bee as well as the Cake are exceptions to this. Tips - Většina zbraní nefunguje, jakmile se ponoří do vody. Naváděná včela nebo dort jsou vyjímka z tohoto pravidla. + Většina zbraní nefunguje, jakmile se ponoří do vody. Naváděná včela nebo dort jsou vyjímka z tohoto pravidla. The Old Limbuger only causes a small explosion. However the wind affected smelly cloud can poison lots of hogs at once. Tips - Olomoucké tvarůžky vybuchují jen málo, ale vítr ovlivňuje oblak smradu, který může nakazit mnoho ježků najednou. + Olomoucké tvarůžky vybuchují jen málo, ale vítr ovlivňuje oblak smradu, který může nakazit mnoho ježků najednou. The Piano Strike is the most damaging air strike. You'll lose the hedgehog performing it, so there's a huge downside as well. Tips - Útok pianem je nejničivější letecký útok. Na druhé straně ale ztratíš ježka, který tento útok vykoná. + Útok pianem je nejničivější letecký útok. Na druhé straně ale ztratíš ježka, který tento útok vykoná. Sticky Mines are a perfect tool to create small chain reactions knocking enemy hedgehogs into dire situations ... or water. Tips - Přisavné miny jsou perfektní nástroj na vytváření malých řetězových reakcí, které mohou nepřátelské ježky dostat do divokých situací ... nebo vody. + Přisavné miny jsou perfektní nástroj na vytváření malých řetězových reakcí, které mohou nepřátelské ježky dostat do divokých situací ... nebo vody. The Hammer is most effective when used on bridges or girders. Hit hogs will just break through the ground. Tips - Kladivo je nejefektivnější při použitǐ na mostech a traverzách. Zasažený ježek prostě prorazí skrz zem. + Kladivo je nejefektivnější při použitǐ na mostech a traverzách. Zasažený ježek prostě prorazí skrz zem. If you're stuck behind an enemy hedgehog, use the Hammer to free yourself without getting damaged by an explosion. Tips - Pokud jsi zaseklý za nepřátelským ježkem, použij kladivo, aby ses osvobodil a nemusel riskovat zranění z exploze. + Pokud jsi zaseklý za nepřátelským ježkem, použij kladivo, aby ses osvobodil a nemusel riskovat zranění z exploze. The Cake's maximum walking distance depends on the ground it has to pass. Use [attack] to detonate it early. Tips - Maximální vzdálenost, do které dort dojde, je ovlivněna terénem, kterým musí jít. Použij [útok] k dřívější explozi. + Maximální vzdálenost, do které dort dojde, je ovlivněna terénem, kterým musí jít. Použij [útok] k dřívější explozi. The Flame Thrower is a weapon but it can be used for tunnel digging as well. Tips - Plamenomet je zbraň, ale dá se použít i pro kopání tunelů. + Plamenomet je zbraň, ale dá se použít i pro kopání tunelů. Want to know who's behind the game? Click on the Hedgewars logo in the main menu to see the credits. Tips - Chceš vědět, kdo stojí za touto hrou? Klikni na logo Hedgewars v hlavním menu a podívej se. + Chceš vědět, kdo stojí za touto hrou? Klikni na logo Hedgewars v hlavním menu a podívej se. Like Hedgewars? Become a fan on %1 or follow us on %2! Tips - Líbí se ti Hedgewars? Staň se fanouškem na %1 nebo nás sleduj na %2! + Líbí se ti Hedgewars? Staň se fanouškem na %1 nebo nás sleduj na %2! Feel free to draw your own graves, hats, flags or even maps and themes! But note that you'll have to share them somewhere to use them online. Tips - Neboj se kreslit vlastní hroby, čepice, vlajky nebo mapy a témata! Ale pamatuj, že je musíš někde sdílet, abys je mohl používat online. + Neboj se kreslit vlastní hroby, čepice, vlajky nebo mapy a témata! Ale pamatuj, že je musíš někde sdílet, abys je mohl používat online. Really want to wear a specific hat? Donate to us and receive an exclusive hat of your choice! Tips - Opravdu chceš nosit specifickou čepici? Daruj nám něco a dostaneš exklusivní čepici dle svého výběru! + Opravdu chceš nosit specifickou čepici? Daruj nám něco a dostaneš exklusivní čepici dle svého výběru! Keep your video card drivers up to date to avoid issues playing the game. Tips - Udržuj ovladače grafické karty aktuální, aby ses vyhnul problémům při hře. + Udržuj ovladače grafické karty aktuální, aby ses vyhnul problémům při hře. You can find your Hedgewars configuration files under "My Documents\Hedgewars". Create backups or take the files with you, but don't edit them by hand. Tips - Své nastavení Hedgewars najdeš v "Dokumenty\Hedgewars". Vytvoř si zálohu nebo si je přenášej s sebou, ale needituj je ručně. + Své nastavení Hedgewars najdeš v "Dokumenty\Hedgewars". Vytvoř si zálohu nebo si je přenášej s sebou, ale needituj je ručně. You're able to associate Hedgewars related files (savegames and demo recordings) with the game to launch them right from your favorite file or internet browser. Tips - Můžeš si asociovat Hedgewars soubory (uložené hry a nahrávky) tak, abys je mohl ihned spouštět z internetového prohlížeče nebo prúzkumníka souborů. + Můžeš si asociovat Hedgewars soubory (uložené hry a nahrávky) tak, abys je mohl ihned spouštět z internetového prohlížeče nebo prúzkumníka souborů. Want to save ropes? Release the rope in mid air and then shoot again. As long as you don't touch the ground you'll reuse your rope without wasting ammo! Tips - Chceš ušetřit lana? Uvolni ho ve vzduchu a vystřel znovu. Dokud se nedotkneš země, využíváš ho bez plýtvání munice! + Chceš ušetřit lana? Uvolni ho ve vzduchu a vystřel znovu. Dokud se nedotkneš země, využíváš ho bez plýtvání munice! You can find your Hedgewars configuration files under "Library/Application Support/Hedgewars" in your home directory. Create backups or take the files with you, but don't edit them by hand. Tips - Konfigurace Hedgewars je k nalezení ve tvém domovském adresáři pod "Library/Application Support/Hedgewars". Vytvoř si zálohu, přenášej ho s sebou, ale neměň ho ručně. + Konfigurace Hedgewars je k nalezení ve tvém domovském adresáři pod "Library/Application Support/Hedgewars". Vytvoř si zálohu, přenášej ho s sebou, ale neměň ho ručně. You can find your Hedgewars configuration files under ".hedgewars" in your home directory. Create backups or take the files with you, but don't edit them by hand. Tips - Konfigurace Hedgewars je k nalezení ve tvém domovském adresáři pod ".hedgewars". Vytvoř si zálohu, přenášej ho s sebou, ale neměň ho ručně. + Konfigurace Hedgewars je k nalezení ve tvém domovském adresáři pod ".hedgewars". Vytvoř si zálohu, přenášej ho s sebou, ale neměň ho ručně. The Windows version of Hedgewars supports Xfire. Make sure to add Hedgewars to its game list so your friends can see you playing. Tips - Windows verze Hedgewars podporuje Xfire. Přidej si Hedgewars do jeho seznamu her, abys viděl přátele, kteří ho hrají. + Windows verze Hedgewars podporuje Xfire. Přidej si Hedgewars do jeho seznamu her, abys viděl přátele, kteří ho hrají. Use the Molotov or Flame Thrower to temporary keep hedgehogs from passing terrain such as tunnels or platforms. Tips - Použij Molotov nebo plamenomet, abys dočasně zamezil ježkům v přechodu terénu jako jsou tunely nebo plošiny. - - - The Homing Bee can be tricky to use. Its turn radius depends on its velocity, so try to not use full power. - Tips - + Použij Molotov nebo plamenomet, abys dočasně zamezil ježkům v přechodu terénu jako jsou tunely nebo plošiny. Downloadable Content - Local Game - - - Play a game on a single computer - Network Game - - - Play a game across a network @@ -824,6 +1173,14 @@ Edit game preferences + + Play a game across a local area network + + + + Play a game on an official server + + PageMultiplayer @@ -831,6 +1188,10 @@ Start Start + + Edit game preferences + + PageNetGame @@ -838,24 +1199,24 @@ Control Ovládání + + Edit game preferences + + + + Start + Start + PageNetType LAN game - Hra po místní síti + Hra po místní síti Official server - Oficiální server - - - Join hundreds of players online! - - - - Join or host your own game server in a Local Area Network. - + Oficiální server @@ -902,7 +1263,7 @@ General - Obecné + Obecné Advanced @@ -944,6 +1305,94 @@ System proxy settings + + Select an action to change what key controls it + + + + Reset to default + + + + Reset all binds + + + + Game + + + + Graphics + + + + Audio + + + + Controls + + + + Video Recording + + + + Network + + + + Teams + Týmy + + + Schemes + + + + Weapons + Zbraně + + + Frontend + + + + Custom colors + + + + Game audio + + + + Frontend audio + + + + Account + + + + Proxy settings + + + + Miscellaneous + + + + Updates + + + + Check for updates + + + + Video recording options + + PagePlayDemo @@ -1144,18 +1593,10 @@ PageSinglePlayer - Simple Game - - - Play a quick game against the computer with random settings - Multiplayer - - - Play a hotseat game against your friends, or AI teams @@ -1164,24 +1605,16 @@ - Training Mode - - - Practice your skills in a range of training missions - Demos - - - Watch recorded demos Load - Nahrát + Nahrát Load a previously saved game @@ -1230,14 +1663,6 @@ - Date: - - - - Size: - - - encoding @@ -1245,6 +1670,16 @@ uploading + + Date: %1 + + + + + Size: %1 + + + QAction @@ -1258,7 +1693,7 @@ Start - Start + Start Restrict Joins @@ -1309,15 +1744,15 @@ Frontend fullscreen - Celá obrazovka v menu + Celá obrazovka v menu Enable sound - Zapnout zvuky + Zapnout zvuky Enable music - Zapnout hudbu + Zapnout hudbu Show FPS @@ -1337,15 +1772,15 @@ Enable frontend sounds - Zapnout zvuky v menu + Zapnout zvuky v menu Enable frontend music - Zapnout hudbu v menu + Zapnout hudbu v menu Frontend effects - Efekty v menu + Efekty v menu Save password @@ -1367,12 +1802,40 @@ Use game resolution + + Visual effects + + + + Sound + + + + In-game sound effects + + + + Music + + + + In-game music + + + + Frontend sound effects + + + + Frontend music + + QComboBox generated map... - generovaná mapa... + generovaná mapa... Human @@ -1388,11 +1851,11 @@ generated maze... - generovaný labyrint... + generovaný labyrint... Mission - Mise + Mise Community @@ -1412,7 +1875,7 @@ hand drawn map... - ručně kreslená mapa... + ručně kreslená mapa... Disabled @@ -1452,7 +1915,7 @@ Wiggle - Kývat se + Kývat se Red/Cyan grayscale @@ -1491,15 +1954,15 @@ Key binds - Nastavení kláves + Nastavení kláves Teams - Týmy + Týmy Audio/Graphic options - Nastavení audio/video + Nastavení audio/video Net game @@ -1523,23 +1986,11 @@ Misc - Ostatní + Ostatní Schemes and Weapons - Schémata a zbraně - - - Custom colors - - - - Miscellaneous - - - - Video recording options - + Schémata a zbraně Videos @@ -1549,10 +2000,6 @@ Description - - Proxy settings - - QLabel @@ -1562,23 +2009,23 @@ Developers: - Vývojáři: + Vývojáři: Art: - Grafika: + Grafika: Sounds: - Zvuky: + Zvuky: Translations: - Překlady: + Překlady: Special thanks: - Speciální poděkování: + Speciální poděkování: Weapons @@ -1646,7 +2093,7 @@ Game scheme - Herní schéma + Herní schéma % Dud Mines @@ -1686,7 +2133,7 @@ This development build is 'work in progress' and may not be compatible with other versions of the game. Some features might be broken or incomplete. Use at your own risk! - Tato vývojová verze je 'v průběhu práce' a může být kompatibilní s jinými verzemi hry. Některé možnosti mohou být rozbité nebo nekompletní. Používej na vlastní riziko! + Tato vývojová verze je 'v průběhu práce' a může být kompatibilní s jinými verzemi hry. Některé možnosti mohou být rozbité nebo nekompletní. Používej na vlastní riziko! Quality @@ -1763,10 +2210,6 @@ - Summary - - - Description @@ -1794,6 +2237,38 @@ Bitrate (Kbps) + + This development build is 'work in progress' and may not be compatible with other versions of the game, while some features might be broken or incomplete! + + + + Fullscreen + Celá obrazovka + + + Fullscreen Resolution + + + + Windowed Resolution + + + + Your Email + + + + Summary + + + + Send system information + + + + Type the security code: + + QLineEdit @@ -1832,10 +2307,6 @@ Asociace souborů selhala. - Please fill out all fields - - - Error while authenticating at google.com: @@ -1882,18 +2353,6 @@ - Successfully posted the issue on hedgewars.googlecode.com - - - - Error during authentication at google.com - - - - Error reporting the issue, please try again later (or visit hedgewars.googlecode.com directly) - - - Main - Error @@ -2042,16 +2501,48 @@ Do you really want to delete the weapon set '%1'? + + Hedgewars - Nick not registered + + + + System Information Preview + + + + Failed to generate captcha + + + + Failed to download captcha + + + + Please fill out all fields. Email is optional. + + + + Hedgewars - Warning + + + + Hedgewars - Information + + + + Hedgewars + + QObject Nickname - Přezdívka + Přezdívka Please enter your nickname - Prosím zadej svou přezdívku + Prosím zadej svou přezdívku @@ -2090,7 +2581,7 @@ Ready - Připraven + Připraven Go! @@ -2114,11 +2605,11 @@ Setup - Nastavení + Nastavení Random Team - Náhodný tým + Náhodný tým Associate file extensions @@ -2126,7 +2617,7 @@ more - více + více More info @@ -2221,6 +2712,25 @@ + SeedPrompt + + The map seed is the basis for all random values generated by the game. + + + + Cancel + Zrušit + + + Set seed + + + + Close + + + + SelWeaponWidget Weapon set @@ -2248,106 +2758,116 @@ + TeamShowWidget + + %1's team + + + + + ThemePrompt + + Select a theme for this map + + + + Cancel + Zrušit + + + ToggleButtonWidget Vampirism - Vampyrismus + Vampyrismus Karma - Karma + Karma Artillery - Dělostřelectvo + Dělostřelectvo Fort Mode - Pevnosti + Pevnosti Divide Teams - Rozděl týmy + Rozděl týmy Solid Land - Pevná zem + Pevná zem Add Border - Přidej hranice + Přidej hranice Low Gravity - Nízká gravitace + Nízká gravitace Laser Sight - Laserové zaměřování + Laserové zaměřování Invulnerable - Nesmrtelnost + Nesmrtelnost Random Order - Náhodné pořadí + Náhodné pořadí King - Král + Král Place Hedgehogs - Umísti ježky + Umísti ježky Clan Shares Ammo - Klan sdílí munici + Klan sdílí munici Disable Girders - Vypni traverzy + Vypni traverzy Disable Land Objects - Vypni teréní objekty + Vypni teréní objekty AI Survival Mode - Mód 'Počítač přežívá' + Mód 'Počítač přežívá' Reset Health - Obnova zdraví + Obnova zdraví Unlimited Attacks - Neomezeně útoků + Neomezeně útoků Reset Weapons - Obnova zbraní + Obnova zbraní Per Hedgehog Ammo - Individuální munice + Individuální munice Disable Wind - Vypni vítr + Vypni vítr More Wind - Více větru - - - Tag Team - - - - Add Bottom Border - + Více větru @@ -2483,7 +3003,7 @@ hedgehogs info - info o ježkovi + info o ježkovi quit @@ -2521,31 +3041,51 @@ record + + hedgehog info + + binds (categories) Basic controls - Základní ovládání + Základní ovládání Weapon controls - Ovládání zbraní + Ovládání zbraní Camera and cursor controls - Ovládání kamery a kurzoru + Ovládání kamery a kurzoru Other - Ostatní + Ostatní + + + Movement + + + + Weapons + Zbraně + + + Camera + + + + Miscellaneous + binds (descriptions) Move your hogs and aim: - Pohybuj ježkem a miř: + Pohybuj ježkem a miř: Traverse gaps and obstacles by jumping: @@ -2611,6 +3151,10 @@ Record video: + + Hedgehog movement + + binds (keys) @@ -2931,4 +3475,119 @@ + + server + + Illegal nickname + + + + Protocol already known + + + + Bad number + + + + bye + + + + Empty config entry + + + + Not room master + + + + Corrupted hedgehogs info + + + + too many teams + + + + too many hedgehogs + + + + There's already a team with same name in the list + + + + round in progress + + + + restricted + + + + REMOVE_TEAM: no such team + + + + Not team owner! + + + + Less than two clans! + + + + Room with such name already exists + + + + Illegal room name + + + + No such room + + + + Joining restricted + + + + Registered users only + + + + You are banned in this room + + + + Nickname is already in use + + + + No checker rights + + + + Authentication failed + + + + 60 seconds cooldown after kick + + + + kicked + + + + Ping timeout + + + + Nickname already chosen + + + diff -r 33ab77c0b486 -r 87410ae372f6 share/hedgewars/Data/Locale/hedgewars_da.ts --- a/share/hedgewars/Data/Locale/hedgewars_da.ts Fri Jan 18 11:47:23 2013 +0100 +++ b/share/hedgewars/Data/Locale/hedgewars_da.ts Sat Jan 19 00:51:28 2013 +0400 @@ -20,6 +20,100 @@ + BanDialog + + 10 minutes + + + + 30 minutes + + + + 1 hour + + + + 3 hours + + + + 5 hours + + + + 24 hours + + + + 3 days + + + + 7 days + + + + 14 days + + + + permanent + + + + IP + Ip + + + Nick + + + + IP/Nick + + + + Reason + + + + Duration + + + + Ok + + + + Cancel + Annuler + + + you know why + + + + Warning + Advarsel + + + Please, specify %1 + + + + nickname + + + + + DataManager + + Use Default + + + + DrawMapWidget File error @@ -35,6 +129,21 @@ + FeedbackDialog + + View + + + + Cancel + Annuler + + + Send Feedback + + + + FreqSpinBox Never @@ -68,12 +177,16 @@ When this option is enabled selecting a game scheme will auto-select a weapon - Når denne indstilling er aktiveret vælges automatisk et våben når et spilsystem vælges + Når denne indstilling er aktiveret vælges automatisk et våben når et spilsystem vælges Game Options Spilindstillinger + + Game scheme will auto-select a weapon + + HWAskQuitDialog @@ -142,7 +255,7 @@ %1 is not a valid command! - %1 er ikke en gyldig kommando! + %1 er ikke en gyldig kommando! Kicking %1 ... @@ -210,14 +323,14 @@ registered on Hedgewars.org Please provide your password below or pick another nickname in game config: - Dit brugernavn %1 er + Dit brugernavn %1 er registreret på Hedgewars.org Indtast venligst dit kodeord nedenfor eller vælg et andet brugernavn under spilkonfigurationen: No password supplied. - Intet kodeord indtastet. + Intet kodeord indtastet. Nickname @@ -242,6 +355,59 @@ Please pick another nickname: + + %1's Team + + + + Hedgewars - Nick registered + + + + This nick is registered, and you haven't specified a password. + +If this nick isn't yours, please register your own nick at www.hedgewars.org + +Password: + + + + Your nickname is not registered. +To prevent someone else from using it, +please register it at www.hedgewars.org + + + + + +Your password wasn't saved either. + + + + Hedgewars - Empty nickname + + + + Hedgewars - Wrong password + + + + You entered a wrong password. + + + + Try Again + + + + Hedgewars - Connection error + + + + You reconnected too fast. +Please wait a few seconds and try again. + + HWGame @@ -258,15 +424,15 @@ HWMapContainer Map - Bane + Bane Themes - Temaer + Temaer Filter - Filter + Filter All @@ -294,7 +460,7 @@ Type - Type + Type Small tunnels @@ -306,19 +472,19 @@ Large tunnels - Store tunneler + Store tunneler Small floating islands - Små svævende øer + Små svævende øer Medium floating islands - Mellemstore svævende øer + Mellemstore svævende øer Large floating islands - Store svævende øer + Store svævende øer Seed @@ -326,7 +492,95 @@ Set - Indstil + Indstil + + + Map type: + + + + Image map + + + + Mission map + + + + Hand-drawn + + + + Randomly generated + + + + Random maze + + + + Random + Tilfældig + + + Map preview: + + + + Load map drawing + + + + Edit map drawing + + + + Largetunnels + + + + Small islands + + + + Medium islands + + + + Large islands + + + + Map size: + + + + Maze style: + + + + Mission: + + + + Map: + + + + Theme: + + + + Load drawn map + Indlæs tegnet bane + + + Drawn Maps + Tegnede Baner + + + All files + Alle filer @@ -427,7 +681,11 @@ HWPasswordDialog Password - Kodeord + Kodeord + + + Login + @@ -442,6 +700,32 @@ + HatButton + + Change hat (%1) + + + + + HatPrompt + + Select a hat + + + + Filter: + + + + Cancel + Annuler + + + Use selected hat + + + + KB SDL_ttf returned error while rendering text, most propably it is related to the bug in freetype2. It's recommended to update your freetype lib. @@ -449,6 +733,13 @@ + KeyBinder + + Category + + + + LibavInteraction Duration: %1m %2s @@ -467,6 +758,17 @@ Audio: + + unknown + + + + + MapModel + + No description available. + + PageAdmin @@ -506,6 +808,38 @@ Set data Indstil data + + General + Generelt + + + Bans + + + + IP/Nick + + + + Expiration + + + + Reason + + + + Refresh + Opdater + + + Add + + + + Remove + + PageConnecting @@ -565,7 +899,43 @@ Advanced - Advanceret + Advanceret + + + Select an action to choose a custom key bind for this team + + + + Use my default + + + + Reset all binds + + + + Custom Controls + + + + Hat + Hat + + + Name + Navn + + + This hedgehog's name + + + + Randomize this hedgehog's name + + + + Random Team + Tilfældige Hold @@ -674,265 +1044,257 @@ Simply pick the same color as a friend to play together as a team. Each of you will still control his or her own hedgehogs but they'll win or lose together. Tips - Bare vælg samme farve som en ven for at spille sammen som et hold. Hver af jer vil stadig kontrollere sine egne pindsvin, men vil vinde eller tabe sammen. + Bare vælg samme farve som en ven for at spille sammen som et hold. Hver af jer vil stadig kontrollere sine egne pindsvin, men vil vinde eller tabe sammen. Some weapons might do only low damage but they can be a lot more devastating in the right situation. Try to use the Desert Eagle to knock multiple hedgehogs into the water. Tips - Nogle våben giver måske ikke særlig meget skade, men de kan være meget mere farlige i de rigtige situationer. Prøv at bruge Desert Eagle-pistolen til at skubbe flere pindsvin i vandet. + Nogle våben giver måske ikke særlig meget skade, men de kan være meget mere farlige i de rigtige situationer. Prøv at bruge Desert Eagle-pistolen til at skubbe flere pindsvin i vandet. If you're unsure what to do and don't want to waste ammo, skip one round. But don't let too much time pass as there will be Sudden Death! Tips - Hvis du er usikker på hvad du skal gøre og ikke vil spilde ammunition, kan du springe en runde over. Men lad der ikke gå alt for meget tid, for ellers indtræffer Pludselig Død! + Hvis du er usikker på hvad du skal gøre og ikke vil spilde ammunition, kan du springe en runde over. Men lad der ikke gå alt for meget tid, for ellers indtræffer Pludselig Død! If you'd like to keep others from using your preferred nickname on the official server, register an account at http://www.hedgewars.org/. Tips - Hvis du ikke vil have at andre anvender dit foretrukne brugernavn på den officielle server, kan du registrere en bruger på http://www.hedgewars.org/. + Hvis du ikke vil have at andre anvender dit foretrukne brugernavn på den officielle server, kan du registrere en bruger på http://www.hedgewars.org/. You're bored of default gameplay? Try one of the missions - they'll offer different gameplay depending on the one you picked. Tips - Er du træt af den almindelige måde at spille på? Prøv en af missionerne - de tilbyder forskellige måder at spille på afhængigt af hvilken en du vælger. + Er du træt af den almindelige måde at spille på? Prøv en af missionerne - de tilbyder forskellige måder at spille på afhængigt af hvilken en du vælger. By default the game will always record the last game played as a demo. Select 'Local Game' and pick the 'Demos' button on the lower right corner to play or manage them. Tips - Som standard optager spillet altid det sidste spil du har spillet som en demo. Tryk på 'Lokalt spil' og vælg 'Demoer'-knappen i nederste højre hjørne for at afspille eller administrere dem. + Som standard optager spillet altid det sidste spil du har spillet som en demo. Tryk på 'Lokalt spil' og vælg 'Demoer'-knappen i nederste højre hjørne for at afspille eller administrere dem. Hedgewars is Open Source and Freeware we create in our spare time. If you've got problems, ask on our forums but please don't expect 24/7 support! Tips - Hedgewars er Open Source og et gratis spil vi laver i vores fritid. Hvis du har problemer er du velkommen til at spørge på forummet, men forvent ikke at få hjælp 24 timer i døgnet! + Hedgewars er Open Source og et gratis spil vi laver i vores fritid. Hvis du har problemer er du velkommen til at spørge på forummet, men forvent ikke at få hjælp 24 timer i døgnet! Hedgewars is Open Source and Freeware we create in our spare time. If you like it, help us with a small donation or contribute your own work! Tips - Hedgewars er Open Source og et gratis spil vi laver i vores fritid. Hvis du holder af det, kan du hjælpe os med en lille donation eller ved at indsende dine egne modifikationer! + Hedgewars er Open Source og et gratis spil vi laver i vores fritid. Hvis du holder af det, kan du hjælpe os med en lille donation eller ved at indsende dine egne modifikationer! Hedgewars is Open Source and Freeware we create in our spare time. Share it with your family and friends as you like! Tips - Hedgewars er Open Source og et gratis spil vi laver i vores fritid. Del det med dine venner og din familie som du ønsker! + Hedgewars er Open Source og et gratis spil vi laver i vores fritid. Del det med dine venner og din familie som du ønsker! From time to time there will be official tournaments. Upcoming events will be announced at http://www.hedgewars.org/ some days in advance. Tips - Fra tid til anden er der officielle turneringer. Kommende begivenheder vil blive annonceret på http://www.hedgewars.org/ et par dage i forvejen. + Fra tid til anden er der officielle turneringer. Kommende begivenheder vil blive annonceret på http://www.hedgewars.org/ et par dage i forvejen. Hedgewars is available in many languages. If the translation in your language seems to be missing or outdated, feel free to contact us! Tips - Hedgewars er tilgængeligt på mange sprog. Hvis oversættelsen på dit sprog mangler noget eller er uddateret, skal du være velkommen til at kontakte os! + Hedgewars er tilgængeligt på mange sprog. Hvis oversættelsen på dit sprog mangler noget eller er uddateret, skal du være velkommen til at kontakte os! Hedgewars can be run on lots of different operating systems including Microsoft Windows, Mac OS X and Linux. Tips - Hedgewars kan køre på mange forskellige operativsystemer, herunder Microsoft Windows, Mac OS X og Linux. + Hedgewars kan køre på mange forskellige operativsystemer, herunder Microsoft Windows, Mac OS X og Linux. Always remember you're able to set up your own games in local and network/online play. You're not restricted to the 'Simple Game' option. Tips - Husk altid at du kan sætte dine egne spil op under lokale-, netværks- og online-spil. Du er ikke begrænset til kun at bruge 'Simpelt spil'-muligheden. + Husk altid at du kan sætte dine egne spil op under lokale-, netværks- og online-spil. Du er ikke begrænset til kun at bruge 'Simpelt spil'-muligheden. While playing you should give yourself a short break at least once an hour. Tips - Mens du spiller bør du tage en kort pause mindst en gang i timen. + Mens du spiller bør du tage en kort pause mindst en gang i timen. If your graphics card isn't able to provide hardware accelerated OpenGL, try to enable the low quality mode to improve performance. Tips - Hvis dit grafikkort ikke understøtter hardware-accelereret OpenGL, kan du prøve at slå indstillingen 'Reduceret kvalitet' til for at forbedre ydelsen. + Hvis dit grafikkort ikke understøtter hardware-accelereret OpenGL, kan du prøve at slå indstillingen 'Reduceret kvalitet' til for at forbedre ydelsen. We're open to suggestions and constructive feedback. If you don't like something or got a great idea, let us know! Tips - Vi er åbne over for foreslag og konstruktive tilbagemeldinger. Fortæl os det hvis der er noget du ikke kan lide eller hvis du har en god idé! + Vi er åbne over for foreslag og konstruktive tilbagemeldinger. Fortæl os det hvis der er noget du ikke kan lide eller hvis du har en god idé! Especially while playing online be polite and always remember there might be some minors playing with or against you as well! Tips - Specielt når du spiller online bør du være venlig og altid huske at du måske også spiller med eller mod børn! + Specielt når du spiller online bør du være venlig og altid huske at du måske også spiller med eller mod børn! Special game modes such as 'Vampirism' or 'Karma' allow you to develop completely new tactics. Try them in a custom game! Tips - Specielle måder at spille på som f.eks. 'Varmpyr' eller 'Karma' tillader dig at udvikle helt nye taktikker. Prøv dem i et brugerdefineret spil! + Specielle måder at spille på som f.eks. 'Varmpyr' eller 'Karma' tillader dig at udvikle helt nye taktikker. Prøv dem i et brugerdefineret spil! You should never install Hedgewars on computers you don't own (school, university, work, etc.). Please ask the responsible person instead! Tips - Du bør aldrig installere Hedgewars på computere du ikke ejer (skole, universitet, arbejde,e.l.). Spørg venligst den ansvarlige person i stedet! + Du bør aldrig installere Hedgewars på computere du ikke ejer (skole, universitet, arbejde,e.l.). Spørg venligst den ansvarlige person i stedet! Hedgewars can be perfect for short games during breaks. Just ensure you don't add too many hedgehogs or use an huge map. Reducing time and health might help as well. Tips - Hedgewars er perfekt til korte spil under pauser. Bare par på du ikke tilføjer for mange pindsvin eller bruger en kæmpe bane. Det kan også hjælpe at reducere tid og liv. + Hedgewars er perfekt til korte spil under pauser. Bare par på du ikke tilføjer for mange pindsvin eller bruger en kæmpe bane. Det kan også hjælpe at reducere tid og liv. No hedgehogs were harmed in making this game. Tips - Ingen pindsvin kom til skade under produktionen af dette spil. + Ingen pindsvin kom til skade under produktionen af dette spil. Hedgewars is Open Source and Freeware we create in our spare time. If someone sold you the game, you should try get a refund! Tips - Hedgewars er Open Source og et gratis spil vi laver i vores fritid. Hvis nogen solgte dig spiller skal du bede om at få pengene tilbage! + Hedgewars er Open Source og et gratis spil vi laver i vores fritid. Hvis nogen solgte dig spiller skal du bede om at få pengene tilbage! Connect one or more gamepads before starting the game to be able to assign their controls to your teams. Tips - Tilslut en eller flere gamepads før du starter spiller for at kunne tildele dem til dit hold. + Tilslut en eller flere gamepads før du starter spiller for at kunne tildele dem til dit hold. Create an account on %1 to keep others from using your most favourite nickname while playing on the official server. Tips - Opret en bruger på %1 hvis du ikke vil have at andre anvender dit foretrukne brugernavn på den officielle server. + Opret en bruger på %1 hvis du ikke vil have at andre anvender dit foretrukne brugernavn på den officielle server. If your graphics card isn't able to provide hardware accelerated OpenGL, try to update the associated drivers. Tips - Hvis du ikke er i stand til at slå hardware-accelereret OpenGL til, bør du prøve at opdatere dine grafikkort-drivere. + Hvis du ikke er i stand til at slå hardware-accelereret OpenGL til, bør du prøve at opdatere dine grafikkort-drivere. There are three different jumps available. Tap [high jump] twice to do a very high/backwards jump. Tips - Der er tre forskellige typer hop tilgængelige. Tryk hurtigt på [hight jump] to gange i træk for at lave et højt, baglæns hop. + Der er tre forskellige typer hop tilgængelige. Tryk hurtigt på [hight jump] to gange i træk for at lave et højt, baglæns hop. Afraid of falling off a cliff? Hold down [precise] to turn [left] or [right] without actually moving. Tips - Er du bange for at falde ned fra en skrænt? Hold [precise] nede for at vende dig mod [left] eller [right] uden at bevæge dig. + Er du bange for at falde ned fra en skrænt? Hold [precise] nede for at vende dig mod [left] eller [right] uden at bevæge dig. Some weapons require special strategies or just lots of training, so don't give up on a particular tool if you miss an enemy once. Tips - Nogle våben kræver specielle strategier eller bare masser af træning, så undlad ikke at bruge et bestemt våben bare fordi du rammer ved siden af én gang. + Nogle våben kræver specielle strategier eller bare masser af træning, så undlad ikke at bruge et bestemt våben bare fordi du rammer ved siden af én gang. Most weapons won't work once they touch the water. The Homing Bee as well as the Cake are exceptions to this. Tips - De fleste våben virker ikke så snart de har rørt vandet. Den Målsøgende Bi og Kagen er de eneste undtagelser. + De fleste våben virker ikke så snart de har rørt vandet. Den Målsøgende Bi og Kagen er de eneste undtagelser. The Old Limbuger only causes a small explosion. However the wind affected smelly cloud can poison lots of hogs at once. Tips - Gamle Ole laver kun en lille eksplosion. Til gengæld kan den stænkende sky den udsender føres rundt af vinden og ramme mange pindsvin på én gang. + Gamle Ole laver kun en lille eksplosion. Til gengæld kan den stænkende sky den udsender føres rundt af vinden og ramme mange pindsvin på én gang. The Piano Strike is the most damaging air strike. You'll lose the hedgehog performing it, so there's a huge downside as well. Tips - Klaveranslaget er det luftvåben der giver allermest skade. Til gengæld mister du det pindsvin som bruger angrebet, så der er også en bagside af medaljen. + Klaveranslaget er det luftvåben der giver allermest skade. Til gengæld mister du det pindsvin som bruger angrebet, så der er også en bagside af medaljen. Sticky Mines are a perfect tool to create small chain reactions knocking enemy hedgehogs into dire situations ... or water. Tips - Klæbrige Miner er det perfekte værktøj til at lave små kædereaktioner og smide pindsvin ud i faretruende situationer... eller bare direkte i vandet. + Klæbrige Miner er det perfekte værktøj til at lave små kædereaktioner og smide pindsvin ud i faretruende situationer... eller bare direkte i vandet. The Hammer is most effective when used on bridges or girders. Hit hogs will just break through the ground. Tips - Hammeren er mest effektiv når den bruges enten på broer eller bærebjælker. Sigter du mod pindsvin med den, laver du bare huller i jorden. + Hammeren er mest effektiv når den bruges enten på broer eller bærebjælker. Sigter du mod pindsvin med den, laver du bare huller i jorden. If you're stuck behind an enemy hedgehog, use the Hammer to free yourself without getting damaged by an explosion. Tips - Hvis du sidder fast bag en af modstanderens pindsvin, kan du bruge Hammeren til at slå dig fri uden at tage skade under en eksplosion. + Hvis du sidder fast bag en af modstanderens pindsvin, kan du bruge Hammeren til at slå dig fri uden at tage skade under en eksplosion. The Cake's maximum walking distance depends on the ground it has to pass. Use [attack] to detonate it early. Tips - Kagen kan gå kortere eller længere, afhængig af hvad den skal over på vejen. Du kan brrug [attack] til at detonere den før den når sin destination. + Kagen kan gå kortere eller længere, afhængig af hvad den skal over på vejen. Du kan brrug [attack] til at detonere den før den når sin destination. The Flame Thrower is a weapon but it can be used for tunnel digging as well. Tips - Flammekasteren er et våben, men den kan også bruges til hurtigt at grave tunneler. + Flammekasteren er et våben, men den kan også bruges til hurtigt at grave tunneler. Want to know who's behind the game? Click on the Hedgewars logo in the main menu to see the credits. Tips - Vil du vide hvem der står bag spillet? Klik på Hedgewars-logoet i hovedmenuen for at se rulleteksterne. + Vil du vide hvem der står bag spillet? Klik på Hedgewars-logoet i hovedmenuen for at se rulleteksterne. Like Hedgewars? Become a fan on %1 or follow us on %2! Tips - Er du glad for Hedgewars? Bliv fan på %1 eller følge vores opdateringer på %2! + Er du glad for Hedgewars? Bliv fan på %1 eller følge vores opdateringer på %2! Feel free to draw your own graves, hats, flags or even maps and themes! But note that you'll have to share them somewhere to use them online. Tips - Du skal være velkommen til at tegne dine egne gravsten, hatte, flag eller endda baner og temaer! Men læg mærke til at du bliver nød til at dele dem med andre hvis du vil spille med dem online. + Du skal være velkommen til at tegne dine egne gravsten, hatte, flag eller endda baner og temaer! Men læg mærke til at du bliver nød til at dele dem med andre hvis du vil spille med dem online. Really want to wear a specific hat? Donate to us and receive an exclusive hat of your choice! Tips - Vil du virkelig gerne have en specifik hat? Send os en donation, så kvitterer vi med en eksklusiv hat efter eget valg! + Vil du virkelig gerne have en specifik hat? Send os en donation, så kvitterer vi med en eksklusiv hat efter eget valg! Keep your video card drivers up to date to avoid issues playing the game. Tips - Hold dine grafikkortdrivere opdaterede for at undgå problemmer i spillet. + Hold dine grafikkortdrivere opdaterede for at undgå problemmer i spillet. You can find your Hedgewars configuration files under "My Documents\Hedgewars". Create backups or take the files with you, but don't edit them by hand. Tips - Du kan finde konfigurationsfilerne til Hedgewars under mappen "(Mine) Dokumenter\Hedgewars". Opret gerne en back-up eller tag filerne med dig, men lad være med selv at ændre i dem. + Du kan finde konfigurationsfilerne til Hedgewars under mappen "(Mine) Dokumenter\Hedgewars". Opret gerne en back-up eller tag filerne med dig, men lad være med selv at ændre i dem. You're able to associate Hedgewars related files (savegames and demo recordings) with the game to launch them right from your favorite file or internet browser. Tips - Du kan indstille Hedgewars-filer (gemte spil og demooptagelser) til automatisk at åbne når du trykker på dem eller åbner dem i din internet-browser. + Du kan indstille Hedgewars-filer (gemte spil og demooptagelser) til automatisk at åbne når du trykker på dem eller åbner dem i din internet-browser. Want to save ropes? Release the rope in mid air and then shoot again. As long as you don't touch the ground you'll reuse your rope without wasting ammo! Tips - Vil du gerne spare på dine reb? Slip rebet midt i luften og skyd straks igen. Så længe du ikke rører jorden bruger du ikke noget ammunition! + Vil du gerne spare på dine reb? Slip rebet midt i luften og skyd straks igen. Så længe du ikke rører jorden bruger du ikke noget ammunition! You can find your Hedgewars configuration files under "Library/Application Support/Hedgewars" in your home directory. Create backups or take the files with you, but don't edit them by hand. Tips - Du kan finde konfigurationsfilerne til Hedgewars under mappen "Bibliotek/Application Support/Hedgewars" i din hjemmemappe. Opret gerne en back-up eller tag filerne med dig, men lad være med selv at ændre i dem. + Du kan finde konfigurationsfilerne til Hedgewars under mappen "Bibliotek/Application Support/Hedgewars" i din hjemmemappe. Opret gerne en back-up eller tag filerne med dig, men lad være med selv at ændre i dem. You can find your Hedgewars configuration files under ".hedgewars" in your home directory. Create backups or take the files with you, but don't edit them by hand. Tips - Du kan finde konfigurationsfilerne til Hedgewars under mappen ".hedgewars" i din hjemmemappe. Opret gerne en back-up eller tag filerne med dig, men lad være med selv at ændre i dem. + Du kan finde konfigurationsfilerne til Hedgewars under mappen ".hedgewars" i din hjemmemappe. Opret gerne en back-up eller tag filerne med dig, men lad være med selv at ændre i dem. The Windows version of Hedgewars supports Xfire. Make sure to add Hedgewars to its game list so your friends can see you playing. Tips - Windows-versionen af Hedgewars understøtter integrering med Xfire. Husk at tilføje Hedgewars til din liste med spil så dine venner kan se hvornår du spiller. + Windows-versionen af Hedgewars understøtter integrering med Xfire. Husk at tilføje Hedgewars til din liste med spil så dine venner kan se hvornår du spiller. Use the Molotov or Flame Thrower to temporary keep hedgehogs from passing terrain such as tunnels or platforms. Tips - Brug en Molotovcocktail eller Flammekasteren til midlertidigt at forhindre pindsvin i at passere et område, f.eks. en tunnel eller platform. + Brug en Molotovcocktail eller Flammekasteren til midlertidigt at forhindre pindsvin i at passere et område, f.eks. en tunnel eller platform. The Homing Bee can be tricky to use. Its turn radius depends on its velocity, so try to not use full power. Tips - Den Målsøgende Bi kan være svær at bruge. Den vender lettere hvis den ikke flyver alt for hurtigt, så prøv at spare på kraften når du affyrer den. + Den Målsøgende Bi kan være svær at bruge. Den vender lettere hvis den ikke flyver alt for hurtigt, så prøv at spare på kraften når du affyrer den. Downloadable Content Indhold der kan Downloades - Local Game - - - Play a game on a single computer - Network Game - - - Play a game across a network @@ -960,6 +1322,14 @@ Edit game preferences + + Play a game across a local area network + + + + Play a game on an official server + + PageMultiplayer @@ -967,6 +1337,10 @@ Start Start + + Edit game preferences + + PageNet @@ -997,24 +1371,24 @@ OK OK + + Edit game preferences + + + + Start + Start + PageNetType LAN game - Netværksspil + Netværksspil Official server - Officiel server - - - Join or host your own game server in a Local Area Network. - - - - Join hundreds of players online! - + Officiel server @@ -1073,7 +1447,7 @@ General - Generelt + Generelt Advanced @@ -1115,6 +1489,94 @@ HTTP proxy + + Select an action to change what key controls it + + + + Reset to default + + + + Reset all binds + + + + Game + + + + Graphics + + + + Audio + + + + Controls + + + + Video Recording + + + + Network + Netværk + + + Teams + Hold + + + Schemes + Spilsystemer + + + Weapons + Våben + + + Frontend + + + + Custom colors + + + + Game audio + + + + Frontend audio + + + + Account + + + + Proxy settings + + + + Miscellaneous + + + + Updates + + + + Check for updates + + + + Video recording options + + PagePlayDemo @@ -1446,18 +1908,10 @@ Kampagnespil (...) - Simple Game - - - Play a quick game against the computer with random settings - Multiplayer - - - Play a hotseat game against your friends, or AI teams @@ -1466,24 +1920,16 @@ - Training Mode - - - Practice your skills in a range of training missions - Demos - - - Watch recorded demos Load - Indlæs + Indlæs Load a previously saved game @@ -1531,14 +1977,6 @@ - Date: - - - - Size: - - - encoding @@ -1546,6 +1984,16 @@ uploading + + Date: %1 + + + + + Size: %1 + + + QAction @@ -1559,7 +2007,7 @@ Start - Start + Start Restrict Joins @@ -1610,15 +2058,15 @@ Frontend fullscreen - Fullskærm (frontend) + Fullskærm (frontend) Enable sound - Aktiver lyd + Aktiver lyd Enable music - Aktiver musik + Aktiver musik Show FPS @@ -1642,15 +2090,15 @@ Enable frontend sounds - Aktiver lyd (frontend) + Aktiver lyd (frontend) Enable frontend music - Aktiver musik (frontend) + Aktiver musik (frontend) Frontend effects - Effekter (frontend) + Effekter (frontend) Save password @@ -1672,12 +2120,40 @@ Use game resolution + + Visual effects + + + + Sound + + + + In-game sound effects + + + + Music + + + + In-game music + + + + Frontend sound effects + + + + Frontend music + + QComboBox generated map... - genereret bane... + genereret bane... Human @@ -1693,11 +2169,11 @@ Mission - Mission + Mission generated maze... - genereret labyrint... + genereret labyrint... Community @@ -1721,7 +2197,7 @@ hand drawn map... - håndtegnet bane... + håndtegnet bane... Disabled @@ -1761,7 +2237,7 @@ Wiggle - Vrikke + Vrikke Red/Cyan grayscale @@ -1800,11 +2276,11 @@ Key binds - Tasteindstillinger + Tasteindstillinger Teams - Hold + Hold Weapons @@ -1812,7 +2288,7 @@ Audio/Graphic options - Lyd-/Grafikindstillinger + Lyd-/Grafikindstillinger Net game @@ -1836,27 +2312,11 @@ Misc - Diverse + Diverse Schemes and Weapons - Spilsystemer og Våben - - - Custom colors - - - - Miscellaneous - - - - Proxy settings - - - - Video recording options - + Spilsystemer og Våben Videos @@ -1887,23 +2347,23 @@ Developers: - Udviklere: + Udviklere: Art: - Grafik: + Grafik: Sounds: - Lyde: + Lyde: Translations: - Oversættelser: + Oversættelser: Special thanks: - Særlig tak til: + Særlig tak til: Weapons @@ -1967,7 +2427,7 @@ Game scheme - Spilsystem + Spilsystem % Dud Mines @@ -2011,7 +2471,7 @@ This development build is 'work in progress' and may not be compatible with other versions of the game. Some features might be broken or incomplete. Use at your own risk! - Denne udviklerversion er under konstruktion og er ikke nødvendigvis kompatibel med andre versioner af spillet. Nogle funktioner er måske i stykker eller ukomplette. Brug er på eget ansvar! + Denne udviklerversion er under konstruktion og er ikke nødvendigvis kompatibel med andre versioner af spillet. Nogle funktioner er måske i stykker eller ukomplette. Brug er på eget ansvar! Quality @@ -2092,10 +2552,6 @@ - Summary - - - Description @@ -2123,6 +2579,38 @@ Bitrate (Kbps) + + This development build is 'work in progress' and may not be compatible with other versions of the game, while some features might be broken or incomplete! + + + + Fullscreen + Fuldskærm + + + Fullscreen Resolution + + + + Windowed Resolution + + + + Your Email + + + + Summary + + + + Send system information + + + + Type the security code: + + QLineEdit @@ -2253,22 +2741,6 @@ - Please fill out all fields - - - - Successfully posted the issue on hedgewars.googlecode.com - - - - Error during authentication at google.com - - - - Error reporting the issue, please try again later (or visit hedgewars.googlecode.com directly) - - - Main - Error @@ -2430,6 +2902,38 @@ Do you really want to delete the weapon set '%1'? + + Hedgewars - Nick not registered + + + + System Information Preview + + + + Failed to generate captcha + + + + Failed to download captcha + + + + Please fill out all fields. Email is optional. + + + + Hedgewars - Warning + + + + Hedgewars - Information + + + + Hedgewars + + QObject @@ -2447,11 +2951,11 @@ Nickname - Brugernavn + Brugernavn Please enter your nickname - Indtast venligst dit brugernavn + Indtast venligst dit brugernavn @@ -2510,15 +3014,15 @@ Setup - Indstillinger + Indstillinger Ready - Klar + Klar Random Team - Tilfældige Hold + Tilfældige Hold Associate file extensions @@ -2526,7 +3030,7 @@ more - mere + mere More info @@ -2652,6 +3156,25 @@ + SeedPrompt + + The map seed is the basis for all random values generated by the game. + + + + Cancel + Annuler + + + Set seed + + + + Close + + + + SelWeaponWidget Weapon set @@ -2694,46 +3217,64 @@ + TeamShowWidget + + %1's team + + + + + ThemePrompt + + Select a theme for this map + + + + Cancel + Annuler + + + ToggleButtonWidget Vampirism - Vampyr + Vampyr Karma - Karma + Karma Artillery - Artilleri + Artilleri Fort Mode - Brug Forter + Brug Forter Divide Teams - Opdel Hold + Opdel Hold Solid Land - Fastland + Fastland Add Border - Tilføj Kant + Tilføj Kant Low Gravity - Svag Tyngdekraft + Svag Tyngdekraft Laser Sight - Lasersigte + Lasersigte Invulnerable - Udødelighed + Udødelighed Add Mines @@ -2741,63 +3282,63 @@ Random Order - Tilfældig Rækkefølge + Tilfældig Rækkefølge King - Konge + Konge Place Hedgehogs - Placer Pindsvin + Placer Pindsvin Clan Shares Ammo - Klan Deler Ammunition + Klan Deler Ammunition Disable Girders - Deaktiver Bærebjælker + Deaktiver Bærebjælker Disable Land Objects - Deaktiver Overfladeobjekter + Deaktiver Overfladeobjekter AI Survival Mode - AI Overlevelse + AI Overlevelse Reset Health - Nulstil Liv + Nulstil Liv Unlimited Attacks - Uendelige Angreb + Uendelige Angreb Reset Weapons - Nulstil Våben + Nulstil Våben Per Hedgehog Ammo - Indivuel Ammunition per Pindsvin + Indivuel Ammunition per Pindsvin Disable Wind - Deaktiver Vind + Deaktiver Vind More Wind - Mere Vind + Mere Vind Tag Team - Tagteam + Tagteam Add Bottom Border - Tilføj Kant i Bunden + Tilføj Kant i Bunden @@ -2933,7 +3474,7 @@ hedgehogs info - pindsvin + pindsvin info @@ -2972,31 +3513,51 @@ record + + hedgehog info + + binds (categories) Basic controls - Grundlæggende styring + Grundlæggende styring Weapon controls - Våbenstyring + Våbenstyring Camera and cursor controls - Kamera og musestyring + Kamera og musestyring Other - Andet + Andet + + + Movement + + + + Weapons + Våben + + + Camera + + + + Miscellaneous + binds (descriptions) Move your hogs and aim: - Bevæg dine pindsvin og sigt: + Bevæg dine pindsvin og sigt: Traverse gaps and obstacles by jumping: @@ -3062,6 +3623,10 @@ Record video: + + Hedgehog movement + + binds (keys) @@ -3382,4 +3947,119 @@ DPad + + server + + Illegal nickname + + + + Protocol already known + + + + Bad number + + + + bye + + + + Empty config entry + + + + Not room master + + + + Corrupted hedgehogs info + + + + too many teams + + + + too many hedgehogs + + + + There's already a team with same name in the list + + + + round in progress + + + + restricted + + + + REMOVE_TEAM: no such team + + + + Not team owner! + + + + Less than two clans! + + + + Room with such name already exists + + + + Illegal room name + + + + No such room + + + + Joining restricted + + + + Registered users only + + + + You are banned in this room + + + + Nickname is already in use + + + + No checker rights + + + + Authentication failed + + + + 60 seconds cooldown after kick + + + + kicked + + + + Ping timeout + + + + Nickname already chosen + + + diff -r 33ab77c0b486 -r 87410ae372f6 share/hedgewars/Data/Locale/hedgewars_de.ts --- a/share/hedgewars/Data/Locale/hedgewars_de.ts Fri Jan 18 11:47:23 2013 +0100 +++ b/share/hedgewars/Data/Locale/hedgewars_de.ts Sat Jan 19 00:51:28 2013 +0400 @@ -20,6 +20,115 @@ + BanDialog + + 10 minutes + + + + 30 minutes + + + + 1 hour + + + + 3 hours + + + + 5 hours + + + + 24 hours + + + + 3 days + + + + 7 days + + + + 14 days + + + + permanent + + + + IP + IP + + + Nick + + + + IP/Nick + + + + Reason + + + + Duration + + + + Ok + + + + Cancel + Abbrechen + + + you know why + + + + Warning + + + + Please, specify %1 + + + + nickname + + + + + DataManager + + Use Default + + + + + FeedbackDialog + + View + + + + Cancel + Abbrechen + + + Send Feedback + + + + FreqSpinBox Never @@ -45,12 +154,16 @@ When this option is enabled selecting a game scheme will auto-select a weapon - Wenn diese Option aktiviert ist, wird durch Auswählen eines Spielprofils auch automatisch Waffen ausgewählt + Wenn diese Option aktiviert ist, wird durch Auswählen eines Spielprofils auch automatisch Waffen ausgewählt Game Options Spieloptionen + + Game scheme will auto-select a weapon + + HWAskQuitDialog @@ -103,7 +216,7 @@ %1 is not a valid command! - %1 ist kein gültiger Befehl! + %1 ist kein gültiger Befehl! @@ -143,7 +256,7 @@ registered on Hedgewars.org Please provide your password below or pick another nickname in game config: - Dein Spitzname '%1' wurde + Dein Spitzname '%1' wurde auf Hedgewars.org registriert. Bitte gib dein Passwort ein oder @@ -152,7 +265,7 @@ No password supplied. - Kein Passwort + Kein Passwort Nickname @@ -167,6 +280,59 @@ Please pick another nickname: Dein Spitzname '%1' ist bereits in Verwendung. Bitte wähle einen anderen Spitznamen: + + %1's Team + + + + Hedgewars - Nick registered + + + + This nick is registered, and you haven't specified a password. + +If this nick isn't yours, please register your own nick at www.hedgewars.org + +Password: + + + + Your nickname is not registered. +To prevent someone else from using it, +please register it at www.hedgewars.org + + + + + +Your password wasn't saved either. + + + + Hedgewars - Empty nickname + + + + Hedgewars - Wrong password + + + + You entered a wrong password. + + + + Try Again + + + + Hedgewars - Connection error + + + + You reconnected too fast. +Please wait a few seconds and try again. + + HWGame @@ -183,15 +349,15 @@ HWMapContainer Map - Karte + Karte Themes - Motiv + Motiv Filter - Filter + Filter All @@ -219,7 +385,7 @@ Type - Typ + Typ Small tunnels @@ -231,19 +397,19 @@ Large tunnels - Große Tunnel + Große Tunnel Small floating islands - Kleine schwebende Inseln + Kleine schwebende Inseln Medium floating islands - Mittlere schwebende Inseln + Mittlere schwebende Inseln Large floating islands - Große schwebende Inseln + Große schwebende Inseln Seed @@ -251,7 +417,95 @@ Set - Setzen + Setzen + + + Map type: + + + + Image map + + + + Mission map + + + + Hand-drawn + Handgemalt + + + Randomly generated + + + + Random maze + + + + Random + Zufall + + + Map preview: + + + + Load map drawing + + + + Edit map drawing + + + + Largetunnels + + + + Small islands + + + + Medium islands + + + + Large islands + + + + Map size: + + + + Maze style: + + + + Mission: + + + + Map: + + + + Theme: + + + + Load drawn map + Gezeichnete Karte laden + + + Drawn Maps + Gezeichnete Karten + + + All files + Alle Dateien @@ -324,7 +578,11 @@ HWPasswordDialog Password - Passwort + Passwort + + + Login + @@ -339,6 +597,32 @@ + HatButton + + Change hat (%1) + + + + + HatPrompt + + Select a hat + + + + Filter: + + + + Cancel + Abbrechen + + + Use selected hat + + + + KB SDL_ttf returned error while rendering text, most propably it is related to the bug in freetype2. It's recommended to update your freetype lib. @@ -346,6 +630,13 @@ + KeyBinder + + Category + + + + LibavInteraction Duration: %1m %2s @@ -364,6 +655,10 @@ Audio: Audio: + + unknown + + LibavIteraction @@ -386,6 +681,13 @@ + MapModel + + No description available. + + + + PageAdmin Clear Accounts Cache @@ -415,6 +717,38 @@ Set data Speichere Daten + + General + Allgemein + + + Bans + + + + IP/Nick + + + + Expiration + + + + Reason + + + + Refresh + + + + Add + + + + Remove + + PageConnecting @@ -470,7 +804,43 @@ Advanced - Erweitert + Erweitert + + + Select an action to choose a custom key bind for this team + + + + Use my default + + + + Reset all binds + + + + Custom Controls + + + + Hat + Cooliehat + + + Name + Name + + + This hedgehog's name + + + + Randomize this hedgehog's name + + + + Random Team + Zufallsteam @@ -553,247 +923,247 @@ Simply pick the same color as a friend to play together as a team. Each of you will still control his or her own hedgehogs but they'll win or lose together. Tips - Wähle einfach die gleiche Farbe wie dein Freund um als ein Team zu spielen. Jeder von euch wird trotzdem seine eigenen Igel kontrollieren, aber sie gewinnen oder verlieren zusammen. + Wähle einfach die gleiche Farbe wie dein Freund um als ein Team zu spielen. Jeder von euch wird trotzdem seine eigenen Igel kontrollieren, aber sie gewinnen oder verlieren zusammen. Some weapons might do only low damage but they can be a lot more devastating in the right situation. Try to use the Desert Eagle to knock multiple hedgehogs into the water. Tips - Manche Waffen richten nur einen geringen Schaden an, können aber in der richtigen Situation sehr nützlich sein. Benutze die Desert Eagle um mehrere Igel ins Wasser zu schießen. + Manche Waffen richten nur einen geringen Schaden an, können aber in der richtigen Situation sehr nützlich sein. Benutze die Desert Eagle um mehrere Igel ins Wasser zu schießen. If you're unsure what to do and don't want to waste ammo, skip one round. But don't let too much time pass as there will be Sudden Death! Tips - Wenn du dir nicht sicher bist was du tun sollst und keine Munition verschwenden willst, überspringe eine Runde. Aber lass nicht zu viele Runden verstreichen, denn später kommt es zum Sudden Death! + Wenn du dir nicht sicher bist was du tun sollst und keine Munition verschwenden willst, überspringe eine Runde. Aber lass nicht zu viele Runden verstreichen, denn später kommt es zum Sudden Death! If you'd like to keep others from using your preferred nickname on the official server, register an account at http://www.hedgewars.org/. Tips - Wenn du andere daran hindern willst deinen bevorzugten Nickname auf dem offiziellen Server zu nutzen, registriere dich auf http://www.hedgewars.org/. + Wenn du andere daran hindern willst deinen bevorzugten Nickname auf dem offiziellen Server zu nutzen, registriere dich auf http://www.hedgewars.org/. You're bored of default gameplay? Try one of the missions - they'll offer different gameplay depending on the one you picked. Tips - Du bist von dem Standardspiel gelangweilt? Probiere die Missionen aus - sie ermöglichen dir verschiedene Spielarten je nachdem welche du wählst. + Du bist von dem Standardspiel gelangweilt? Probiere die Missionen aus - sie ermöglichen dir verschiedene Spielarten je nachdem welche du wählst. By default the game will always record the last game played as a demo. Select 'Local Game' and pick the 'Demos' button on the lower right corner to play or manage them. Tips - Das Spiel wird automatisch das letzte Spiel als Demo aufnehmen. Wähle 'Lokales Spiel' und wähle den 'Demos'-Knopf in der unteren rechten Ecke um sie zu spielen oder zu verwalten. + Das Spiel wird automatisch das letzte Spiel als Demo aufnehmen. Wähle 'Lokales Spiel' und wähle den 'Demos'-Knopf in der unteren rechten Ecke um sie zu spielen oder zu verwalten. Hedgewars is Open Source and Freeware we create in our spare time. If you've got problems, ask on our forums but please don't expect 24/7 support! Tips - Hedgewars ist freie und kostenlose Software, die wir in unserer Freizeit entwickeln. Wenn du Probleme hast, frag in unseren Foren, aber erwarte bitte keinen 24/7-Support! + Hedgewars ist freie und kostenlose Software, die wir in unserer Freizeit entwickeln. Wenn du Probleme hast, frag in unseren Foren, aber erwarte bitte keinen 24/7-Support! Hedgewars is Open Source and Freeware we create in our spare time. If you like it, help us with a small donation or contribute your own work! Tips - Hedgewars ist freie und kostenlose Software, die wir in unserer Freizeit entwickeln. Wenn du es magst, hilf uns mit einer kleinen Spende oder trage deine eigene Arbeit bei! + Hedgewars ist freie und kostenlose Software, die wir in unserer Freizeit entwickeln. Wenn du es magst, hilf uns mit einer kleinen Spende oder trage deine eigene Arbeit bei! Hedgewars is Open Source and Freeware we create in our spare time. Share it with your family and friends as you like! Tips - Hedgewars ist freie und kostenlose Software, die wir in unserer Freizeit entwickeln. Teile es mit deiner Familie und deinen Freunden! + Hedgewars ist freie und kostenlose Software, die wir in unserer Freizeit entwickeln. Teile es mit deiner Familie und deinen Freunden! From time to time there will be official tournaments. Upcoming events will be announced at http://www.hedgewars.org/ some days in advance. Tips - Von Zeit zu Zeit wird es offizielle Turniere geben. Anstehede Events werden frühzeitig auf http://www.hedgewars.org/ bekannt gegeben. + Von Zeit zu Zeit wird es offizielle Turniere geben. Anstehede Events werden frühzeitig auf http://www.hedgewars.org/ bekannt gegeben. Hedgewars is available in many languages. If the translation in your language seems to be missing or outdated, feel free to contact us! Tips - Hedgewars ist in vielen Sprachen verfügbar. Wenn die Übersetzung in deiner Sprache fehlt oder veraltet ist scheue dich nicht uns zu kontaktieren! + Hedgewars ist in vielen Sprachen verfügbar. Wenn die Übersetzung in deiner Sprache fehlt oder veraltet ist scheue dich nicht uns zu kontaktieren! Hedgewars can be run on lots of different operating systems including Microsoft Windows, Mac OS X and Linux. Tips - Hedgewars läuft auf vielen verschiedenen Betriebssystemen wie Microsoft Windows, Mac OS X und Linux. + Hedgewars läuft auf vielen verschiedenen Betriebssystemen wie Microsoft Windows, Mac OS X und Linux. Always remember you're able to set up your own games in local and network/online play. You're not restricted to the 'Simple Game' option. Tips - Bedenke immer, dass du auch eigene Spiele im lokalen und Netzwerk/Online-Spiel erstellen kannst. Du bist nicht an die 'Einfaches Spiel'-Option gebunden. + Bedenke immer, dass du auch eigene Spiele im lokalen und Netzwerk/Online-Spiel erstellen kannst. Du bist nicht an die 'Einfaches Spiel'-Option gebunden. While playing you should give yourself a short break at least once an hour. Tips - Du solltest dir wenigstens einmal pro Stunde eine Pause gönnen. + Du solltest dir wenigstens einmal pro Stunde eine Pause gönnen. If your graphics card isn't able to provide hardware accelerated OpenGL, try to enable the low quality mode to improve performance. Tips - Wenn deine Grafikkarte keine hardwarebeschleunigtes OpenGL unterstützt, versuche die Qualtität in den Einstellungen runterzuschrauben. + Wenn deine Grafikkarte keine hardwarebeschleunigtes OpenGL unterstützt, versuche die Qualtität in den Einstellungen runterzuschrauben. We're open to suggestions and constructive feedback. If you don't like something or got a great idea, let us know! Tips - Wir sind offen für Vorschläge oder konstruktive Rückmeldungen. Wenn dir etwas nicht gefällt oder du eine gute Idee hat, lass es uns wissen! + Wir sind offen für Vorschläge oder konstruktive Rückmeldungen. Wenn dir etwas nicht gefällt oder du eine gute Idee hat, lass es uns wissen! Especially while playing online be polite and always remember there might be some minors playing with or against you as well! Tips - Sei gerade beim Spielen in Internet höflich und vergiss nie, dass eventuell auch Kinder mit dir oder gegen dich spielen! + Sei gerade beim Spielen in Internet höflich und vergiss nie, dass eventuell auch Kinder mit dir oder gegen dich spielen! Special game modes such as 'Vampirism' or 'Karma' allow you to develop completely new tactics. Try them in a custom game! Tips - Spezielle Spielmodi wie 'Vampirismus' oder 'Karma' erlauben es dir völlig neue Taktiken zu entwickeln. Probier sie einem eigenen Spiel aus! + Spezielle Spielmodi wie 'Vampirismus' oder 'Karma' erlauben es dir völlig neue Taktiken zu entwickeln. Probier sie einem eigenen Spiel aus! You should never install Hedgewars on computers you don't own (school, university, work, etc.). Please ask the responsible person instead! Tips - Du solltest nie Hedgewars auf einem Computer installieren, der dir nicht gehört (Schule, Universität, Arbeit, etc.). Frag bitte stattdessen die verantwortliche Person! + Du solltest nie Hedgewars auf einem Computer installieren, der dir nicht gehört (Schule, Universität, Arbeit, etc.). Frag bitte stattdessen die verantwortliche Person! Hedgewars can be perfect for short games during breaks. Just ensure you don't add too many hedgehogs or use an huge map. Reducing time and health might help as well. Tips - Hedgewars ist perfekt für kurze Spielchen zwischendurch. Schaue nur, dass du nicht zu viele Igel oder eine zu große Karte nimmst. Das Verringern der Zeit oder Lebenspunkte kann auch helfen. + Hedgewars ist perfekt für kurze Spielchen zwischendurch. Schaue nur, dass du nicht zu viele Igel oder eine zu große Karte nimmst. Das Verringern der Zeit oder Lebenspunkte kann auch helfen. No hedgehogs were harmed in making this game. Tips - Bei der Erstellung des Spiels wurden keine Igel verletzt. + Bei der Erstellung des Spiels wurden keine Igel verletzt. Hedgewars is Open Source and Freeware we create in our spare time. If someone sold you the game, you should try get a refund! Tips - Hedgewars ist freie und kostenlose Software, die wir in unserer Freizeit entwickeln. Wenn dir jemand das Spiel verkauft hat, solltest du versuchen es dir erstatten zu lassen! + Hedgewars ist freie und kostenlose Software, die wir in unserer Freizeit entwickeln. Wenn dir jemand das Spiel verkauft hat, solltest du versuchen es dir erstatten zu lassen! Connect one or more gamepads before starting the game to be able to assign their controls to your teams. Tips - Verbinde ein oder mehrere Gamepads bevor du das Spiel startest um damit deine Teams kontrollieren zu können. + Verbinde ein oder mehrere Gamepads bevor du das Spiel startest um damit deine Teams kontrollieren zu können. Create an account on %1 to keep others from using your most favourite nickname while playing on the official server. Tips - Erstellen einen Account auf %1 um andere daran zu deinen favorisierten Benutzernamen zu benutzen, wenn du auf dem offiziellen Server spielst. + Erstellen einen Account auf %1 um andere daran zu deinen favorisierten Benutzernamen zu benutzen, wenn du auf dem offiziellen Server spielst. If your graphics card isn't able to provide hardware accelerated OpenGL, try to update the associated drivers. Tips - Wenn deine Grafikkarte kein hardwarebeschleunigtes OpenGL bietet, versuche die entsprechenden Treiber zu aktualisieren. + Wenn deine Grafikkarte kein hardwarebeschleunigtes OpenGL bietet, versuche die entsprechenden Treiber zu aktualisieren. There are three different jumps available. Tap [high jump] twice to do a very high/backwards jump. Tips - Es gibt drei Arten von Sprüngen: Drücke zweimal die Taste zum Hochspringen, um noch höher/rückwärts zu springen. + Es gibt drei Arten von Sprüngen: Drücke zweimal die Taste zum Hochspringen, um noch höher/rückwärts zu springen. Afraid of falling off a cliff? Hold down [precise] to turn [left] or [right] without actually moving. Tips - Angst eine Klippe herunterzufallen? Halte [Umschalt] um dich nach links oder rechts zu drehen, ohne dich wirklich zu bewegen. + Angst eine Klippe herunterzufallen? Halte [Umschalt] um dich nach links oder rechts zu drehen, ohne dich wirklich zu bewegen. Some weapons require special strategies or just lots of training, so don't give up on a particular tool if you miss an enemy once. Tips - Manche Waffen brauchen spezielle Strategieren oder einfach nur eine Menge Übung, also gib eine Waffe nicht direkt auf wenn du deinen Gegner einmal verfehlst. + Manche Waffen brauchen spezielle Strategieren oder einfach nur eine Menge Übung, also gib eine Waffe nicht direkt auf wenn du deinen Gegner einmal verfehlst. Most weapons won't work once they touch the water. The Homing Bee as well as the Cake are exceptions to this. Tips - Die meisten Waffen funktionieren nicht mehr, sobald sie das Wasser berühren. Die zielsuchende Biene oder die Torte sind Ausnahmen hierfür. + Die meisten Waffen funktionieren nicht mehr, sobald sie das Wasser berühren. Die zielsuchende Biene oder die Torte sind Ausnahmen hierfür. The Old Limbuger only causes a small explosion. However the wind affected smelly cloud can poison lots of hogs at once. Tips - Der Alte Limburger versucht nur einen kleinen Schaden. Die durch den Wind beeinflussbare Stinkwolke jedoch kann viele Igel auf einmal vergiften. + Der Alte Limburger versucht nur einen kleinen Schaden. Die durch den Wind beeinflussbare Stinkwolke jedoch kann viele Igel auf einmal vergiften. The Piano Strike is the most damaging air strike. You'll lose the hedgehog performing it, so there's a huge downside as well. Tips - Der Piano-Angriff ist der verheerenste Luftangriff. Du verlierst allerdings den Igel der ihn vollführt, er hat also auch seine Schattenseite. + Der Piano-Angriff ist der verheerenste Luftangriff. Du verlierst allerdings den Igel der ihn vollführt, er hat also auch seine Schattenseite. Sticky Mines are a perfect tool to create small chain reactions knocking enemy hedgehogs into dire situations ... or water. Tips - Haftminen sind perfekte Werkzeuge um Kettenreaktionen auszulösen oder Igel in die gewünschte Richtung zu lenken ... oder ins Wasser. + Haftminen sind perfekte Werkzeuge um Kettenreaktionen auszulösen oder Igel in die gewünschte Richtung zu lenken ... oder ins Wasser. The Hammer is most effective when used on bridges or girders. Hit hogs will just break through the ground. Tips - Der Hammer ist die effektivste Waffe auf Brücken oder Klippen. Getroffene Igel fallen einfach durch den Boden. + Der Hammer ist die effektivste Waffe auf Brücken oder Klippen. Getroffene Igel fallen einfach durch den Boden. If you're stuck behind an enemy hedgehog, use the Hammer to free yourself without getting damaged by an explosion. Tips - Wenn du hinter einem Igel feststeckst, benutze den Hammer um dich zu befreien ohne durch eine Explosion verletzt zu werden. + Wenn du hinter einem Igel feststeckst, benutze den Hammer um dich zu befreien ohne durch eine Explosion verletzt zu werden. The Cake's maximum walking distance depends on the ground it has to pass. Use [attack] to detonate it early. Tips - Die maximale Laufdistanz der Torte hängt vom abzulaufenden Untergrund ab. Benutze [Angriff] um sie früher zu zünden. + Die maximale Laufdistanz der Torte hängt vom abzulaufenden Untergrund ab. Benutze [Angriff] um sie früher zu zünden. The Flame Thrower is a weapon but it can be used for tunnel digging as well. Tips - Der Flammenwerfer ist zwar eine Waffe, kann aber auch zum Tunnelgraben genutzt werden. + Der Flammenwerfer ist zwar eine Waffe, kann aber auch zum Tunnelgraben genutzt werden. Want to know who's behind the game? Click on the Hedgewars logo in the main menu to see the credits. Tips - Du willst wissen wer hinter Hedgewars steckt? Klicke auf das Hedgewars-Logo im Hauptmenü um die Credits zu sehen. + Du willst wissen wer hinter Hedgewars steckt? Klicke auf das Hedgewars-Logo im Hauptmenü um die Credits zu sehen. Like Hedgewars? Become a fan on %1 or follow us on %2! Tips - Du magst Hedgewars? Werde ein Fan auf %1 oder folge uns auf %2! + Du magst Hedgewars? Werde ein Fan auf %1 oder folge uns auf %2! Feel free to draw your own graves, hats, flags or even maps and themes! But note that you'll have to share them somewhere to use them online. Tips - Du kannst gerne deine eigenen Grabsteine, Hüte, Flaggen oder sogar Karten und Themes erstellen! Aber vergiss nicht, dass du sie auch verteilen musst um sie online zu nutzen. + Du kannst gerne deine eigenen Grabsteine, Hüte, Flaggen oder sogar Karten und Themes erstellen! Aber vergiss nicht, dass du sie auch verteilen musst um sie online zu nutzen. Really want to wear a specific hat? Donate to us and receive an exclusive hat of your choice! Tips - Du willst einen besonderen Hut tragen? Spende etwas an uns und du kriegst einen exklusiven Hut deiner Wahl! + Du willst einen besonderen Hut tragen? Spende etwas an uns und du kriegst einen exklusiven Hut deiner Wahl! Keep your video card drivers up to date to avoid issues playing the game. Tips - Halte deine Grafiktreiber aktuell um Probleme beim Spielen zu vermeiden. + Halte deine Grafiktreiber aktuell um Probleme beim Spielen zu vermeiden. You can find your Hedgewars configuration files under "My Documents\Hedgewars". Create backups or take the files with you, but don't edit them by hand. Tips - Du findest deine Hedgewars Konfigurationsdateien unter "Eigene Dateien\Hedgewars". Erstelle Backups oder kopiere deine Dateien, aber editiere sie besser nicht selbst. + Du findest deine Hedgewars Konfigurationsdateien unter "Eigene Dateien\Hedgewars". Erstelle Backups oder kopiere deine Dateien, aber editiere sie besser nicht selbst. You're able to associate Hedgewars related files (savegames and demo recordings) with the game to launch them right from your favorite file or internet browser. Tips - Du kannst Dateien wie Speicherstände oder Demos mit Hedgewars verknüpfen um sie so direkt mit deinem Datei- oder Internetbrowser zu öffnen. + Du kannst Dateien wie Speicherstände oder Demos mit Hedgewars verknüpfen um sie so direkt mit deinem Datei- oder Internetbrowser zu öffnen. Want to save ropes? Release the rope in mid air and then shoot again. As long as you don't touch the ground you'll reuse your rope without wasting ammo! Tips - Du willst Seile sparen? Lass das Seil in der Luft los und schieß nochmal. Solange du nicht den Boden berührst kannst du es wiederverwenden ohne Munition zu verschwenden! + Du willst Seile sparen? Lass das Seil in der Luft los und schieß nochmal. Solange du nicht den Boden berührst kannst du es wiederverwenden ohne Munition zu verschwenden! You can find your Hedgewars configuration files under "Library/Application Support/Hedgewars" in your home directory. Create backups or take the files with you, but don't edit them by hand. Tips - Du findest die Hedgewars Konfigurationsdateien unter "Library/Application Support/Hedgewars" in deinem Home-Verzeichnis. Erstelle Backups oder kopiere deine Dateien, aber editiere sie besser nicht selbst. + Du findest die Hedgewars Konfigurationsdateien unter "Library/Application Support/Hedgewars" in deinem Home-Verzeichnis. Erstelle Backups oder kopiere deine Dateien, aber editiere sie besser nicht selbst. You can find your Hedgewars configuration files under ".hedgewars" in your home directory. Create backups or take the files with you, but don't edit them by hand. Tips - Du findest die Hedgewars Konfigurationsdateien unter ".hedgewars" in deinem Home-Verzeichnis. Erstelle Backups oder kopiere deine Dateien, aber editiere sie besser nicht selbst. + Du findest die Hedgewars Konfigurationsdateien unter ".hedgewars" in deinem Home-Verzeichnis. Erstelle Backups oder kopiere deine Dateien, aber editiere sie besser nicht selbst. The Windows version of Hedgewars supports Xfire. Make sure to add Hedgewars to its game list so your friends can see you playing. Tips - Die Windows version von Hedgewars unterstützt Xfire. Füge Hedgewars zu deiner Spieleliste hinzu damit deine Freunde dich spielen sehen können. + Die Windows version von Hedgewars unterstützt Xfire. Füge Hedgewars zu deiner Spieleliste hinzu damit deine Freunde dich spielen sehen können. Use the Molotov or Flame Thrower to temporary keep hedgehogs from passing terrain such as tunnels or platforms. Tips - Benutze den Molotov-Cocktail oder den Flammenwerfer um Igel vorübergehend am passieren von Gelände wie z.B. Tunnels oder Platformen zu hindern. + Benutze den Molotov-Cocktail oder den Flammenwerfer um Igel vorübergehend am passieren von Gelände wie z.B. Tunnels oder Platformen zu hindern. The Homing Bee can be tricky to use. Its turn radius depends on its velocity, so try to not use full power. Tips - Die Verwendung der Zielsuchende Biene ist ein bisschen knifflig. Ihr Wenderadius hängt von der Geschwindigkeit ab, versuche sie also nicht mit voller Stärke wegzuschießen. + Die Verwendung der Zielsuchende Biene ist ein bisschen knifflig. Ihr Wenderadius hängt von der Geschwindigkeit ab, versuche sie also nicht mit voller Stärke wegzuschießen. Downloadable Content @@ -801,7 +1171,7 @@ Local Game - Lokales Spiel + Lokales Spiel Play a game on a single computer @@ -809,7 +1179,7 @@ Network Game - Netzwerkspiel + Netzwerkspiel Play a game across a network @@ -839,6 +1209,14 @@ Edit game preferences Bearbeite Spieleinstellungen + + Play a game across a local area network + + + + Play a game on an official server + + PageMultiplayer @@ -846,6 +1224,10 @@ Start Start + + Edit game preferences + Bearbeite Spieleinstellungen + PageNetGame @@ -861,24 +1243,32 @@ Downloadable Content Herunterladbare Inhalte + + Edit game preferences + Bearbeite Spieleinstellungen + + + Start + Start + PageNetType LAN game - Eigener Server (LAN oder Internet) + Eigener Server (LAN oder Internet) Official server - Offizieller Server + Offizieller Server Join hundreds of players online! - Treffe hunderte Spieler online! + Treffe hunderte Spieler online! Join or host your own game server in a Local Area Network. - Erstelle einen eigenen Spiel-Server oder verbinde dich zu einem bestehenden Server im Netzwerk. + Erstelle einen eigenen Spiel-Server oder verbinde dich zu einem bestehenden Server im Netzwerk. @@ -925,7 +1315,7 @@ General - Allgemein + Allgemein Advanced @@ -967,6 +1357,94 @@ System proxy settings Betriebsystem Proxy-Einstellungen + + Select an action to change what key controls it + + + + Reset to default + + + + Reset all binds + + + + Game + + + + Graphics + + + + Audio + + + + Controls + + + + Video Recording + + + + Network + + + + Teams + Teams + + + Schemes + + + + Weapons + Waffen + + + Frontend + + + + Custom colors + Benutzerdefinierte Farben + + + Game audio + + + + Frontend audio + + + + Account + + + + Proxy settings + Proxy-Einstellungen + + + Miscellaneous + Verschiedenes + + + Updates + + + + Check for updates + + + + Video recording options + Videoaufnahmeoptionen + PagePlayDemo @@ -1167,7 +1645,7 @@ PageSinglePlayer Simple Game - Einfaches Spiel + Einfaches Spiel Play a quick game against the computer with random settings @@ -1175,7 +1653,7 @@ Multiplayer - Multiplayer + Multiplayer Play a hotseat game against your friends, or AI teams @@ -1187,7 +1665,7 @@ Training Mode - Trainingsmodus + Trainingsmodus Practice your skills in a range of training missions @@ -1195,7 +1673,7 @@ Demos - Demos + Demos Watch recorded demos @@ -1203,7 +1681,7 @@ Load - Laden + Laden Load a previously saved game @@ -1252,11 +1730,11 @@ Date: - Datum: + Datum: Size: - Größe: + Größe: encoding @@ -1266,6 +1744,16 @@ uploading hochladen + + Date: %1 + + + + + Size: %1 + + + QAction @@ -1275,7 +1763,7 @@ Start - Start + Start Restrict Joins @@ -1326,7 +1814,7 @@ Enable sound - Klänge im Spiel + Klänge im Spiel Show FPS @@ -1338,11 +1826,11 @@ Enable music - Musik im Spiel + Musik im Spiel Frontend fullscreen - Frontend im Vollbild + Frontend im Vollbild Append date and time to record file name @@ -1358,15 +1846,15 @@ Enable frontend sounds - Klänge im Frontend + Klänge im Frontend Enable frontend music - Musik im Frontend + Musik im Frontend Frontend effects - Animationen im Frontend + Animationen im Frontend Save password @@ -1388,12 +1876,40 @@ Use game resolution Spielauflösung verwenden + + Visual effects + + + + Sound + + + + In-game sound effects + + + + Music + + + + In-game music + + + + Frontend sound effects + + + + Frontend music + + QComboBox generated map... - Zufallskarte... + Zufallskarte... Human @@ -1409,11 +1925,11 @@ Mission - Mission + Mission generated maze... - Zufallslabyrinth... + Zufallslabyrinth... Community @@ -1433,7 +1949,7 @@ hand drawn map... - Handgezeichnete Karte + Handgezeichnete Karte Disabled @@ -1473,7 +1989,7 @@ Wiggle - Wackeln + Wackeln Red/Cyan grayscale @@ -1508,7 +2024,7 @@ Key binds - Tastenkombinationen + Tastenkombinationen Fort @@ -1516,11 +2032,11 @@ Teams - Teams + Teams Audio/Graphic options - Audio-/Grafik-Einstellungen + Audio-/Grafik-Einstellungen Net game @@ -1544,23 +2060,23 @@ Misc - Verschiedenes + Verschiedenes Schemes and Weapons - Spielprofile und Waffen + Spielprofile und Waffen Custom colors - Benutzerdefinierte Farben + Benutzerdefinierte Farben Miscellaneous - Verschiedenes + Verschiedenes Video recording options - Videoaufnahmeoptionen + Videoaufnahmeoptionen Videos @@ -1572,26 +2088,26 @@ Proxy settings - Proxy-Einstellungen + Proxy-Einstellungen QLabel Developers: - Entwickler: + Entwickler: Art: - Grafiken: + Grafiken: Translations: - Übersetzer: + Übersetzer: Special thanks: - Besonderer Dank geht an: + Besonderer Dank geht an: Weapons @@ -1627,7 +2143,7 @@ Sounds: - Sounds: + Sounds: Initial sound volume @@ -1667,7 +2183,7 @@ Game scheme - Spielprofil + Spielprofil % Dud Mines @@ -1707,7 +2223,7 @@ This development build is 'work in progress' and may not be compatible with other versions of the game. Some features might be broken or incomplete. Use at your own risk! - Dieser Entwicklungsbuild ist 'in Arbeit' und kann inkompatibel zu anderen Versionen des Spiels sein. Manche Funktionen könnten unbrauchbar oder unvollständig sein. Benutzung auf eigene Gefahr! + Dieser Entwicklungsbuild ist 'in Arbeit' und kann inkompatibel zu anderen Versionen des Spiels sein. Manche Funktionen könnten unbrauchbar oder unvollständig sein. Benutzung auf eigene Gefahr! Quality @@ -1787,7 +2303,7 @@ Summary - Zusammenfassung + Zusammenfassung Description @@ -1817,6 +2333,38 @@ Bitrate (Kbps) Bitrate (Kbps) + + This development build is 'work in progress' and may not be compatible with other versions of the game, while some features might be broken or incomplete! + + + + Fullscreen + Vollbild + + + Fullscreen Resolution + + + + Windowed Resolution + + + + Your Email + + + + Summary + + + + Send system information + + + + Type the security code: + + QLineEdit @@ -1856,7 +2404,7 @@ Please fill out all fields - Bitte fülle alle Felder aus + Bitte fülle alle Felder aus Error while authenticating at google.com: @@ -1907,18 +2455,6 @@ Alle Dateizuordnungen wurden gesetzt - Successfully posted the issue on hedgewars.googlecode.com - - - - Error during authentication at google.com - - - - Error reporting the issue, please try again later (or visit hedgewars.googlecode.com directly) - - - Main - Error Hedgewars - Fehler @@ -2069,16 +2605,48 @@ Do you really want to delete the weapon set '%1'? Willst du das Waffenprofil '%1' wirklich löschen? + + Hedgewars - Nick not registered + + + + System Information Preview + + + + Failed to generate captcha + + + + Failed to download captcha + + + + Please fill out all fields. Email is optional. + + + + Hedgewars - Warning + + + + Hedgewars - Information + + + + Hedgewars + + QObject Nickname - Spitzname + Spitzname Please enter your nickname - Bitte gib deinen Spitznamen ein + Bitte gib deinen Spitznamen ein @@ -2137,15 +2705,15 @@ Setup - Einstellungen + Einstellungen Ready - Bereit + Bereit Random Team - Zufallsteam + Zufallsteam Associate file extensions @@ -2153,7 +2721,7 @@ more - mehr + mehr More info @@ -2248,6 +2816,25 @@ + SeedPrompt + + The map seed is the basis for all random values generated by the game. + + + + Cancel + Abbrechen + + + Set seed + + + + Close + + + + SelWeaponWidget Weapon set @@ -2275,106 +2862,124 @@ + TeamShowWidget + + %1's team + + + + + ThemePrompt + + Select a theme for this map + + + + Cancel + Abbrechen + + + ToggleButtonWidget Vampirism - Vampirismus + Vampirismus Karma - Karma + Karma Artillery - Artillerie + Artillerie Fort Mode - Festungs-Modus + Festungs-Modus Divide Teams - Teams getrennt aufstellen + Teams getrennt aufstellen Solid Land - Unzerstörbares Terrain + Unzerstörbares Terrain Add Border - Randbegrenzung einfügen + Randbegrenzung einfügen Low Gravity - Verringerte Schwerkraft + Verringerte Schwerkraft Laser Sight - Laservisier + Laservisier Invulnerable - Unverwundbarkeit + Unverwundbarkeit Random Order - Zufällige Reihenfolge + Zufällige Reihenfolge King - Schützt den König + Schützt den König Place Hedgehogs - Igel platzieren + Igel platzieren Clan Shares Ammo - Gemeinsames Arsenal + Gemeinsames Arsenal Disable Girders - Keine Bauträger + Keine Bauträger Disable Land Objects - Deaktivere Landschaftsobjekte + Deaktivere Landschaftsobjekte AI Survival Mode - KI Überlebensmodus + KI Überlebensmodus Reset Health - Gesundheit zurücksetzen + Gesundheit zurücksetzen Unlimited Attacks - Unbegrenzte Angriffe + Unbegrenzte Angriffe Reset Weapons - Waffen zurücksetzen + Waffen zurücksetzen Per Hedgehog Ammo - Waffen pro Igel + Waffen pro Igel Disable Wind - Kein Wind + Kein Wind More Wind - Mehr Wind + Mehr Wind Tag Team - Tag Team + Tag Team Add Bottom Border - Untere Randbegrenzung hinzufügen + Untere Randbegrenzung hinzufügen @@ -2494,7 +3099,7 @@ hedgehogs info - Igel + Igel Statistik @@ -2549,31 +3154,51 @@ record aufnehmen + + hedgehog info + + binds (categories) Basic controls - Grundsteuerung + Grundsteuerung Weapon controls - Waffensteuerung + Waffensteuerung Camera and cursor controls - Kamera- und Zeigersteuerung + Kamera- und Zeigersteuerung Other - Andere + Andere + + + Movement + + + + Weapons + Waffen + + + Camera + + + + Miscellaneous + Verschiedenes binds (descriptions) Move your hogs and aim: - Bewege und ziele mit deinen Igeln: + Bewege und ziele mit deinen Igeln: Traverse gaps and obstacles by jumping: @@ -2639,6 +3264,10 @@ Record video: Video aufnehmen: + + Hedgehog movement + + binds (keys) @@ -2959,4 +3588,119 @@ Steuerkreuz + + server + + Illegal nickname + + + + Protocol already known + + + + Bad number + + + + bye + + + + Empty config entry + + + + Not room master + + + + Corrupted hedgehogs info + + + + too many teams + + + + too many hedgehogs + + + + There's already a team with same name in the list + + + + round in progress + + + + restricted + + + + REMOVE_TEAM: no such team + + + + Not team owner! + + + + Less than two clans! + + + + Room with such name already exists + + + + Illegal room name + + + + No such room + + + + Joining restricted + + + + Registered users only + + + + You are banned in this room + + + + Nickname is already in use + + + + No checker rights + + + + Authentication failed + + + + 60 seconds cooldown after kick + + + + kicked + + + + Ping timeout + + + + Nickname already chosen + + + diff -r 33ab77c0b486 -r 87410ae372f6 share/hedgewars/Data/Locale/hedgewars_el.ts --- a/share/hedgewars/Data/Locale/hedgewars_el.ts Fri Jan 18 11:47:23 2013 +0100 +++ b/share/hedgewars/Data/Locale/hedgewars_el.ts Sat Jan 19 00:51:28 2013 +0400 @@ -20,6 +20,115 @@ + BanDialog + + 10 minutes + + + + 30 minutes + + + + 1 hour + + + + 3 hours + + + + 5 hours + + + + 24 hours + + + + 3 days + + + + 7 days + + + + 14 days + + + + permanent + + + + IP + IP + + + Nick + + + + IP/Nick + + + + Reason + + + + Duration + + + + Ok + + + + Cancel + Άκυρο + + + you know why + + + + Warning + Προσοχή + + + Please, specify %1 + + + + nickname + + + + + DataManager + + Use Default + + + + + FeedbackDialog + + View + + + + Cancel + Άκυρο + + + Send Feedback + + + + FreqSpinBox Never @@ -60,7 +169,7 @@ - When this option is enabled selecting a game scheme will auto-select a weapon + Game scheme will auto-select a weapon @@ -129,10 +238,6 @@ Failed to save StyleSheet to %1 - - %1 is not a valid command! - - HWForm @@ -185,17 +290,13 @@ registered on Hedgewars.org Please provide your password below or pick another nickname in game config: - Το ψευδώνυμο %1 είναι ήδη + Το ψευδώνυμο %1 είναι ήδη καταχωρημένο στο Hedgewars.org Παρακαλώ εισάγετε τον κωδικό σας ή επιλέξτε άλλο ψευδώνυμο από τις ρυθμίσεις του παιχνιδιού: - No password supplied. - - - Nickname Ψευδώνυμο @@ -216,6 +317,59 @@ Demo name: + + %1's Team + + + + Hedgewars - Nick registered + + + + This nick is registered, and you haven't specified a password. + +If this nick isn't yours, please register your own nick at www.hedgewars.org + +Password: + + + + Your nickname is not registered. +To prevent someone else from using it, +please register it at www.hedgewars.org + + + + + +Your password wasn't saved either. + + + + Hedgewars - Empty nickname + + + + Hedgewars - Wrong password + + + + You entered a wrong password. + + + + Try Again + + + + Hedgewars - Connection error + + + + You reconnected too fast. +Please wait a few seconds and try again. + + HWGame @@ -236,15 +390,15 @@ HWMapContainer Map - Χάρτης + Χάρτης Themes - Θέματα + Θέματα Filter - Φίλτρο + Φίλτρο All @@ -272,7 +426,7 @@ Type - Τύπος + Τύπος Small tunnels @@ -284,26 +438,110 @@ Large tunnels - Μεγάλες σήραγγες + Μεγάλες σήραγγες Small floating islands - Μικρά επιπλέοντα νησιά + Μικρά επιπλέοντα νησιά Medium floating islands - Μέτρια επιπλέοντα νησιά + Μέτρια επιπλέοντα νησιά Large floating islands - Μεγάλα επιπλέοντα νησιά + Μεγάλα επιπλέοντα νησιά Seed - Set + Map type: + + + + Image map + + + + Mission map + + + + Hand-drawn + + + + Randomly generated + + + + Random maze + + + + Random + Τυχαίο + + + Map preview: + + + + Load map drawing + + + + Edit map drawing + + + + Largetunnels + + + + Small islands + + + + Medium islands + + + + Large islands + + + + Map size: + + + + Maze style: + + + + Mission: + + + + Map: + + + + Theme: + + + + Load drawn map + + + + Drawn Maps + + + + All files @@ -402,7 +640,11 @@ HWPasswordDialog Password - Κωδικός + Κωδικός + + + Login + @@ -417,6 +659,32 @@ + HatButton + + Change hat (%1) + + + + + HatPrompt + + Select a hat + + + + Filter: + + + + Cancel + Άκυρο + + + Use selected hat + + + + KB SDL_ttf returned error while rendering text, most propably it is related to the bug in freetype2. It's recommended to update your freetype lib. @@ -424,6 +692,13 @@ + KeyBinder + + Category + + + + LibavInteraction Duration: %1m %2s @@ -442,6 +717,17 @@ Audio: + + unknown + + + + + MapModel + + No description available. + + PageAdmin @@ -481,6 +767,38 @@ Set data Τοποθέτηση δεδομένων + + General + Γενικά + + + Bans + + + + IP/Nick + + + + Expiration + + + + Reason + + + + Refresh + Ανανέωση + + + Add + + + + Remove + + PageConnecting @@ -536,7 +854,43 @@ Advanced - Για προχωρημένους + Για προχωρημένους + + + Select an action to choose a custom key bind for this team + + + + Use my default + + + + Reset all binds + + + + Custom Controls + + + + Hat + Καπέλο + + + Name + Όνομα + + + This hedgehog's name + + + + Randomize this hedgehog's name + + + + Random Team + Τυχαία Ομάδα @@ -645,92 +999,92 @@ Simply pick the same color as a friend to play together as a team. Each of you will still control his or her own hedgehogs but they'll win or lose together. Tips - Απλώς επιλέξτε το ίδιο χρώμα με το φίλο σας για να παίξετε μαζί σαν ομάδα. Ο καθένας από σας θα μπορεί ακόμα να ελέγχει τους δικούς του ή τους δικούς της σκατζόχοιρους, αλλά χάνετε ή κερδίζετε μαζί. + Απλώς επιλέξτε το ίδιο χρώμα με το φίλο σας για να παίξετε μαζί σαν ομάδα. Ο καθένας από σας θα μπορεί ακόμα να ελέγχει τους δικούς του ή τους δικούς της σκατζόχοιρους, αλλά χάνετε ή κερδίζετε μαζί. Some weapons might do only low damage but they can be a lot more devastating in the right situation. Try to use the Desert Eagle to knock multiple hedgehogs into the water. Tips - Μερικά όπλα μπορεί να κάνουν μόνο λίγη ζημιά αλλά μπορεί να είναι πολύ πιο καταστρεπτικά στην κατάλληλη περίσταση. Δοκιμάστε να χρησιμοποιήσετε το Desert Eagle για να ρίξετε πολλαπλούς σκατζόχοιρους στο νερό. + Μερικά όπλα μπορεί να κάνουν μόνο λίγη ζημιά αλλά μπορεί να είναι πολύ πιο καταστρεπτικά στην κατάλληλη περίσταση. Δοκιμάστε να χρησιμοποιήσετε το Desert Eagle για να ρίξετε πολλαπλούς σκατζόχοιρους στο νερό. If you're unsure what to do and don't want to waste ammo, skip one round. But don't let too much time pass as there will be Sudden Death! Tips - Εαν δεν ξέρετε τι να κάνετε και δεν θέλετε να σπαταλήσετε πυρομαχικά, "πηδήξτε" ένα γύρο. Αλλά μην αφήσετε πολύ ώρα να περάσει διότι θα επέλθει Ξαφνικός Θάνατος! + Εαν δεν ξέρετε τι να κάνετε και δεν θέλετε να σπαταλήσετε πυρομαχικά, "πηδήξτε" ένα γύρο. Αλλά μην αφήσετε πολύ ώρα να περάσει διότι θα επέλθει Ξαφνικός Θάνατος! If you'd like to keep others from using your preferred nickname on the official server, register an account at http://www.hedgewars.org/. Tips - Εαν θα θέλατε να αποτρέψετε τρίτους από το να χρησιμοποιούν το ψευδώνυμό σας στον επίσημο εξυπηρετητή, φτιάξτε ένα λογαριασμό στην ιστοσελίδα : http://www.hedgewars.org/. + Εαν θα θέλατε να αποτρέψετε τρίτους από το να χρησιμοποιούν το ψευδώνυμό σας στον επίσημο εξυπηρετητή, φτιάξτε ένα λογαριασμό στην ιστοσελίδα : http://www.hedgewars.org/. You're bored of default gameplay? Try one of the missions - they'll offer different gameplay depending on the one you picked. Tips - Βαριέστε το παραδοσιακό παίξιμο; Δοκιμάστε μια από τις αποστολές! Θα σας προσφέρουν ένα διαφορετικό τρόπο παιχνιδιού, αναλόγως την αποστολή. + Βαριέστε το παραδοσιακό παίξιμο; Δοκιμάστε μια από τις αποστολές! Θα σας προσφέρουν ένα διαφορετικό τρόπο παιχνιδιού, αναλόγως την αποστολή. By default the game will always record the last game played as a demo. Select 'Local Game' and pick the 'Demos' button on the lower right corner to play or manage them. Tips - Εξ'ορισμού το παιχνίδι πάντα θα καταγράφει την πιο πρόσφατη παρτίδα σαν επίδειξη. Επιλέξτε "Τοπικό Παιχνίδι" και κατόπιν επιλέξτε "Επιδείξεις" στην κάτω δεξιά γωνία για να τις αναπαράγετε ή να τις διαχειριστείτε. + Εξ'ορισμού το παιχνίδι πάντα θα καταγράφει την πιο πρόσφατη παρτίδα σαν επίδειξη. Επιλέξτε "Τοπικό Παιχνίδι" και κατόπιν επιλέξτε "Επιδείξεις" στην κάτω δεξιά γωνία για να τις αναπαράγετε ή να τις διαχειριστείτε. Hedgewars is Open Source and Freeware we create in our spare time. If you've got problems, ask on our forums but please don't expect 24/7 support! Tips - Το Hedgewars είναι λογισμικό Ανοικτού Κώδικα (Open Source) και Ελεύθερο Λογισμικό (Free Software) το οποίο δημιουργούμε στον ελεύθερο χρόνο μας. Άν έχετε προβλήματα ρωτήστε στο forum αλλά παρακαλώ μην περιμένετε υποστήριξη 24/7! + Το Hedgewars είναι λογισμικό Ανοικτού Κώδικα (Open Source) και Ελεύθερο Λογισμικό (Free Software) το οποίο δημιουργούμε στον ελεύθερο χρόνο μας. Άν έχετε προβλήματα ρωτήστε στο forum αλλά παρακαλώ μην περιμένετε υποστήριξη 24/7! Hedgewars is Open Source and Freeware we create in our spare time. If you like it, help us with a small donation or contribute your own work! Tips - Το Hedgewars είναι λογισμικό Ανοικτού Κώδικα (Open Source) και Ελεύθερο Λογισμικό (Free Software) το οποίο δημιουργούμε στον ελεύθερο χρόνο μας. Άν σας αρέσει βοηθήστε μας με μια μικρή δωρεά ή συνεισφέρετε την δική σας δουλειά! + Το Hedgewars είναι λογισμικό Ανοικτού Κώδικα (Open Source) και Ελεύθερο Λογισμικό (Free Software) το οποίο δημιουργούμε στον ελεύθερο χρόνο μας. Άν σας αρέσει βοηθήστε μας με μια μικρή δωρεά ή συνεισφέρετε την δική σας δουλειά! Hedgewars is Open Source and Freeware we create in our spare time. Share it with your family and friends as you like! Tips - Το Hedgewars είναι λογισμικό Ανοικτού Κώδικα (Open Source) και Ελεύθερο Λογισμικό (Free Software) το οποίο δημιουργούμε στον ελεύθερο χρόνο μας. Μοιραστείτε το με την οικογένειά σας και τους φίλους σας όπως εσείς επιθυμείτε! + Το Hedgewars είναι λογισμικό Ανοικτού Κώδικα (Open Source) και Ελεύθερο Λογισμικό (Free Software) το οποίο δημιουργούμε στον ελεύθερο χρόνο μας. Μοιραστείτε το με την οικογένειά σας και τους φίλους σας όπως εσείς επιθυμείτε! From time to time there will be official tournaments. Upcoming events will be announced at http://www.hedgewars.org/ some days in advance. Tips - Συχνά-πυκνά θα υπάρχουν επίσημα πρωταθλήματα. Τα επικείμενα γεγονότα θα ανακοινώνονται στην ιστοσελίδα : http://www.hedgewars.org/ μερικές ημέρες νωρίτερα. + Συχνά-πυκνά θα υπάρχουν επίσημα πρωταθλήματα. Τα επικείμενα γεγονότα θα ανακοινώνονται στην ιστοσελίδα : http://www.hedgewars.org/ μερικές ημέρες νωρίτερα. Hedgewars is available in many languages. If the translation in your language seems to be missing or outdated, feel free to contact us! Tips - Το Hedgewars είναι διαθέσιμο σε πολλές γλώσσες. Εάν η μετάφραση για τη γλώσσα σας μοιάζει απαρχαιωμένη ή λείπει, μην διστάσετε να επικοινωνίσετε μαζί μας! + Το Hedgewars είναι διαθέσιμο σε πολλές γλώσσες. Εάν η μετάφραση για τη γλώσσα σας μοιάζει απαρχαιωμένη ή λείπει, μην διστάσετε να επικοινωνίσετε μαζί μας! Hedgewars can be run on lots of different operating systems including Microsoft Windows, Mac OS X and Linux. Tips - Το Hedgewars μπορεί να τρέξει σε μια μεγάλη ποικιλία λειτουργικών συστημάτων εκ των οποίων συμπεριλαμβάνονται τα Microsoft Windows, Mac OS X και το GNU/Linux. + Το Hedgewars μπορεί να τρέξει σε μια μεγάλη ποικιλία λειτουργικών συστημάτων εκ των οποίων συμπεριλαμβάνονται τα Microsoft Windows, Mac OS X και το GNU/Linux. Always remember you're able to set up your own games in local and network/online play. You're not restricted to the 'Simple Game' option. Tips - Μην ξεχνάτε ότι έχετε τη δυνατότητα να "στήσετε" τα δικά σας σενάρια παιχνιδιού σε τοπικό και δικτυακό/διαδικτυακό παιχνίδι. Δεν είστε περιορισμένοι στην επιλογή "Απλό Παιχνίδι". + Μην ξεχνάτε ότι έχετε τη δυνατότητα να "στήσετε" τα δικά σας σενάρια παιχνιδιού σε τοπικό και δικτυακό/διαδικτυακό παιχνίδι. Δεν είστε περιορισμένοι στην επιλογή "Απλό Παιχνίδι". While playing you should give yourself a short break at least once an hour. Tips - Ενόσω παίζετε πρέπει να κάνετε τακτικά διαλείμματα, τουλάχιστον κάθε μία ώρα. + Ενόσω παίζετε πρέπει να κάνετε τακτικά διαλείμματα, τουλάχιστον κάθε μία ώρα. If your graphics card isn't able to provide hardware accelerated OpenGL, try to enable the low quality mode to improve performance. Tips - Εαν η κάρτα γραφικών σας δεν μπορεί να παρέχει επιτάχυνση υλικού για το OpenGL (hardware accelerated OpenGL) προσπαθήστε να ενεργοποιήσετε την επιλογή χαμηλής ποιότητας έτσι ώστε να βελτιωθεί η απόδοση του παιχνιδιού. + Εαν η κάρτα γραφικών σας δεν μπορεί να παρέχει επιτάχυνση υλικού για το OpenGL (hardware accelerated OpenGL) προσπαθήστε να ενεργοποιήσετε την επιλογή χαμηλής ποιότητας έτσι ώστε να βελτιωθεί η απόδοση του παιχνιδιού. We're open to suggestions and constructive feedback. If you don't like something or got a great idea, let us know! Tips - Είμαστε ανοικτοί σε συμβουλές και εποικοδομητικό διάλογο. Εαν δεν σας αρέσει κάτι ή έχετε μια τρομερή ιδέα, τότε ενημερώστε μας! + Είμαστε ανοικτοί σε συμβουλές και εποικοδομητικό διάλογο. Εαν δεν σας αρέσει κάτι ή έχετε μια τρομερή ιδέα, τότε ενημερώστε μας! Especially while playing online be polite and always remember there might be some minors playing with or against you as well! Tips - Ειδικώς όταν παίζετε στο διαδίκτυο, να είστε ευγενικοί και να θυμάστε πάντα οτι μπορεί να παίζουν ανήλικοι, είτε μαζί σας ή εναντίον σας! + Ειδικώς όταν παίζετε στο διαδίκτυο, να είστε ευγενικοί και να θυμάστε πάντα οτι μπορεί να παίζουν ανήλικοι, είτε μαζί σας ή εναντίον σας! Special game modes such as 'Vampirism' or 'Karma' allow you to develop completely new tactics. Try them in a custom game! Tips - Ειδικοί τρόποι παιχνιδιού όπως το "Βαμπιρισμός" ή το "Μοίρα" σας επιτρέπουν να αναπτύξετε εντελώς νέες τακτικές. Δοκιμάστε τους σε ένα προσαρμόσιμο παιχνίδι! + Ειδικοί τρόποι παιχνιδιού όπως το "Βαμπιρισμός" ή το "Μοίρα" σας επιτρέπουν να αναπτύξετε εντελώς νέες τακτικές. Δοκιμάστε τους σε ένα προσαρμόσιμο παιχνίδι! The Windows version of Hedgewars supports Xfire. Make sure to add Hedgwars to its game list so your friends can see you playing. @@ -740,67 +1094,67 @@ You should never install Hedgewars on computers you don't own (school, university, work, etc.). Please ask the responsible person instead! Tips - Δεν πρέπει ποτέ να εγκαταστήσετε το Hedgewars σε υπολογιστές που δεν σας ανήκουν (σχολείο, πανεπιστήμιο, εργασία, κ.λπ.). Αντ 'αυτού, ζητήστε το από τον υπεύθυνο! + Δεν πρέπει ποτέ να εγκαταστήσετε το Hedgewars σε υπολογιστές που δεν σας ανήκουν (σχολείο, πανεπιστήμιο, εργασία, κ.λπ.). Αντ 'αυτού, ζητήστε το από τον υπεύθυνο! Hedgewars can be perfect for short games during breaks. Just ensure you don't add too many hedgehogs or use an huge map. Reducing time and health might help as well. Tips - Το Hedgewars είναι ιδανικό για σύντομα παιχνίδια κατά τη διάρκεια του διαλείμματος. Απλά βεβαιωθείτε ότι δεν προσθέσατε πολλούς σκαντζόχοιρους ή χρησιμοποιείτε ένα τεράστιο χάρτη. Μείωση του χρόνου και της υγείας μπορεί να βοηθήσει επίσης. + Το Hedgewars είναι ιδανικό για σύντομα παιχνίδια κατά τη διάρκεια του διαλείμματος. Απλά βεβαιωθείτε ότι δεν προσθέσατε πολλούς σκαντζόχοιρους ή χρησιμοποιείτε ένα τεράστιο χάρτη. Μείωση του χρόνου και της υγείας μπορεί να βοηθήσει επίσης. No hedgehogs were harmed in making this game. Tips - Κανένας σκατζόχοιρος δεν βλάφτηκε στην δημιουργία αυτού του παιχνιδιού. + Κανένας σκατζόχοιρος δεν βλάφτηκε στην δημιουργία αυτού του παιχνιδιού. Hedgewars is Open Source and Freeware we create in our spare time. If someone sold you the game, you should try get a refund! Tips - Το Hedgewars είναι λογισμικό Ανοικτού Κώδικα (Open Source) και Ελεύθερο Λογισμικό (Free Software) το οποίο δημιουργούμε στον ελεύθερο χρόνο μας. Εαν κάποιος σας πούλησε το παιχνίδι, πρέπει να διεκδικήσετε αποζημίωση! + Το Hedgewars είναι λογισμικό Ανοικτού Κώδικα (Open Source) και Ελεύθερο Λογισμικό (Free Software) το οποίο δημιουργούμε στον ελεύθερο χρόνο μας. Εαν κάποιος σας πούλησε το παιχνίδι, πρέπει να διεκδικήσετε αποζημίωση! Connect one or more gamepads before starting the game to be able to assign their controls to your teams. Tips - Συνδέστε ένα ή περισσότερα gamepad πριν από την έναρξη του παιχνιδιού έτσι ώστε να είναι σε θέση να αναθέτει τους χειρισμούς του στις ομάδες σας. + Συνδέστε ένα ή περισσότερα gamepad πριν από την έναρξη του παιχνιδιού έτσι ώστε να είναι σε θέση να αναθέτει τους χειρισμούς του στις ομάδες σας. Create an account on %1 to keep others from using your most favourite nickname while playing on the official server. Tips - Δημιουργήστε έναν λογαριασμό στο %1 για να αποτρέψετε τους άλλους από το να χρησιμοποιούν το ψευδώνυμό σας ενόσω παίζετε στον επίσημο εξυπηρετητή. + Δημιουργήστε έναν λογαριασμό στο %1 για να αποτρέψετε τους άλλους από το να χρησιμοποιούν το ψευδώνυμό σας ενόσω παίζετε στον επίσημο εξυπηρετητή. If your graphics card isn't able to provide hardware accelerated OpenGL, try to update the associated drivers. Tips - Εαν η κάρτα γραφικών σας δεν μπορεί να παρέχει επιτάχυνση υλικού για το OpenGL (hardware accelerated OpenGL) προσπαθήστε να αναβαθμίσετε τους αντίστοιχους οδηγούς υλικού. + Εαν η κάρτα γραφικών σας δεν μπορεί να παρέχει επιτάχυνση υλικού για το OpenGL (hardware accelerated OpenGL) προσπαθήστε να αναβαθμίσετε τους αντίστοιχους οδηγούς υλικού. There are three different jumps available. Tap [high jump] twice to do a very high/backwards jump. Tips - Υπάρχουν τρία διαφορετικά άλματα διαθέσιμα. Άλμα εις μήκος, άλμα εις ύψος [με ένα πάτημα],πολύ υψηλό / οπίσθιο άλμα [με δύο πατήματα]. + Υπάρχουν τρία διαφορετικά άλματα διαθέσιμα. Άλμα εις μήκος, άλμα εις ύψος [με ένα πάτημα],πολύ υψηλό / οπίσθιο άλμα [με δύο πατήματα]. Afraid of falling off a cliff? Hold down [precise] to turn [left] or [right] without actually moving. Tips - Φοβάστε μήπως πέσετε στο γκρεμό; Κρατήστε πατημένο το πλήκτρο ακρίβειας [Left Shift] και έπειτα αριστερά ή δεξιά χωρίς να κινήστε στην πραγματικότητα. + Φοβάστε μήπως πέσετε στο γκρεμό; Κρατήστε πατημένο το πλήκτρο ακρίβειας [Left Shift] και έπειτα αριστερά ή δεξιά χωρίς να κινήστε στην πραγματικότητα. Some weapons require special strategies or just lots of training, so don't give up on a particular tool if you miss an enemy once. Tips - Ορισμένα όπλα απαιτούν ειδικές στρατηγικές ή απλώς πολύ εκπαίδευση, γι 'αυτό μην εγκαταλείπετε ένα συγκεκριμένο εργαλείο, εάν αστοχήσετε μια φορά σε έναν εχθρό. + Ορισμένα όπλα απαιτούν ειδικές στρατηγικές ή απλώς πολύ εκπαίδευση, γι 'αυτό μην εγκαταλείπετε ένα συγκεκριμένο εργαλείο, εάν αστοχήσετε μια φορά σε έναν εχθρό. Most weapons won't work once they touch the water. The Homing Bee as well as the Cake are exceptions to this. Tips - Τα περισσότερα όπλα δεν λειτουργούν μόλις αγγίζουν το νερό. Η Αυτοκαθοδηγούμενη Μέλισσα καθώς και η Τούρτα αποτελούν εξαιρέσεις σε αυτό. + Τα περισσότερα όπλα δεν λειτουργούν μόλις αγγίζουν το νερό. Η Αυτοκαθοδηγούμενη Μέλισσα καθώς και η Τούρτα αποτελούν εξαιρέσεις σε αυτό. The Old Limbuger only causes a small explosion. However the wind affected smelly cloud can poison lots of hogs at once. Tips - Η Χαλασμένη Φέτα προκαλεί μόνο μια μικρή έκρηξη. Ωστόσο, το δύσοσμο σύννεφο το οποίο επιρρεάζεται από τον άνεμο μπορεί να δηλητηριάσει πολλούς σκατζόχοιρους με τη μία. + Η Χαλασμένη Φέτα προκαλεί μόνο μια μικρή έκρηξη. Ωστόσο, το δύσοσμο σύννεφο το οποίο επιρρεάζεται από τον άνεμο μπορεί να δηλητηριάσει πολλούς σκατζόχοιρους με τη μία. The Piano Strike is the most damaging air strike. You'll lose the hedgehog performing it, so there's a huge downside as well. Tips - Το Πιάνο είναι η πιο επιζήμια αεροπορική επίθεση. Θα χάσετε το σκαντζόχοιρο ο οποίος την εκτελεί, έτσι υπάρχει ένα τεράστιο μειονέκτημα επίσης. + Το Πιάνο είναι η πιο επιζήμια αεροπορική επίθεση. Θα χάσετε το σκαντζόχοιρο ο οποίος την εκτελεί, έτσι υπάρχει ένα τεράστιο μειονέκτημα επίσης. The Homing Bee can be tricky to use. It's turn radius depends on it's velocity, so try to not use full power. @@ -810,27 +1164,27 @@ Sticky Mines are a perfect tool to create small chain reactions knocking enemy hedgehogs into dire situations ... or water. Tips - Οι Αυτοκόλλητες Νάρκες είναι ένα τέλειο εργαλείο για να δημιουργηθούν μικρές αλυσιδωτές αντιδράσεις που βάζουν τους αντίπαλους σκαντζόχοιρους σε έντονες καταστάσεις ... ή στο νερό. + Οι Αυτοκόλλητες Νάρκες είναι ένα τέλειο εργαλείο για να δημιουργηθούν μικρές αλυσιδωτές αντιδράσεις που βάζουν τους αντίπαλους σκαντζόχοιρους σε έντονες καταστάσεις ... ή στο νερό. The Hammer is most effective when used on bridges or girders. Hit hogs will just break through the ground. Tips - Το Σφυρί είναι πιο αποτελεσματικό όταν χρησιμοποιείται σε γέφυρες ή δοκούς. Οι σκατζόχοιροι απλώς θα "φυτευθούν" στο έδαφος. + Το Σφυρί είναι πιο αποτελεσματικό όταν χρησιμοποιείται σε γέφυρες ή δοκούς. Οι σκατζόχοιροι απλώς θα "φυτευθούν" στο έδαφος. If you're stuck behind an enemy hedgehog, use the Hammer to free yourself without getting damaged by an explosion. Tips - Εάν είστε κολλημένοι πίσω από έναν εχθρικό σκαντζόχοιρο, χρησιμοποιήστε το Σφυρί για να ελευθερώσετε τον εαυτό σας χωρίς να πάθετε ζημιές από έκρηξη. + Εάν είστε κολλημένοι πίσω από έναν εχθρικό σκαντζόχοιρο, χρησιμοποιήστε το Σφυρί για να ελευθερώσετε τον εαυτό σας χωρίς να πάθετε ζημιές από έκρηξη. The Cake's maximum walking distance depends on the ground it has to pass. Use [attack] to detonate it early. Tips - Η μέγιστη απόσταση που διανύει η Τούρτα εξαρτάται από το έδαφος το οποίο πρέπει να διαβεί. Χρησιμοποιήστε το κουμπί της επίθεσης για προκαλέσετε την έκρηξη νωρίτερα. + Η μέγιστη απόσταση που διανύει η Τούρτα εξαρτάται από το έδαφος το οποίο πρέπει να διαβεί. Χρησιμοποιήστε το κουμπί της επίθεσης για προκαλέσετε την έκρηξη νωρίτερα. The Flame Thrower is a weapon but it can be used for tunnel digging as well. Tips - Το φλογοβόλο είναι όπλο μεν, αλλά μπορεί να χρησιμοποιηθεί εξίσου καλά για σκάψιμο σήραγγας. + Το φλογοβόλο είναι όπλο μεν, αλλά μπορεί να χρησιμοποιηθεί εξίσου καλά για σκάψιμο σήραγγας. Use the Incinerating Grenade to temporary keep hedgehogs from passing terrain such as tunnels or platforms. @@ -840,66 +1194,58 @@ Want to know who's behind the game? Click on the Hedgewars logo in the main menu to see the credits. Tips - Θέλετε να μάθετε ποιός είναι πίσω από το παιχνίδι; Πατήστε το λογότυπο Hedgewars στο κυρίως μενου για να δείτε τα credits. + Θέλετε να μάθετε ποιός είναι πίσω από το παιχνίδι; Πατήστε το λογότυπο Hedgewars στο κυρίως μενου για να δείτε τα credits. Like Hedgewars? Become a fan on %1 or follow us on %2! Tips - Σας αρέσει το Hedgewars; Γίνετε οπαδός στο %1 ή ακολουθήστε μας στο %2! + Σας αρέσει το Hedgewars; Γίνετε οπαδός στο %1 ή ακολουθήστε μας στο %2! Feel free to draw your own graves, hats, flags or even maps and themes! But note that you'll have to share them somewhere to use them online. Tips - Δημιουργήστε ελεύθερα τους δικούς σας τύμβους, τα καπέλα σας, σημαίες ή ακόμα χάρτες και θέματα! Σημειώστε όμως ότι θα πρέπει να τα μοιραστείτε κάπου για να τα χρησιμοποιήσετε σε διαδικτυακό παιχνίδι. + Δημιουργήστε ελεύθερα τους δικούς σας τύμβους, τα καπέλα σας, σημαίες ή ακόμα χάρτες και θέματα! Σημειώστε όμως ότι θα πρέπει να τα μοιραστείτε κάπου για να τα χρησιμοποιήσετε σε διαδικτυακό παιχνίδι. Really want to wear a specific hat? Donate to us and receive an exclusive hat of your choice! Tips - Σας αρέσει πραγματικά να φοράτε ένα συγκεκριμένο καπέλο; Κάντε μια δωρεά σε μας και λάβετε ένα αποκλειστικό καπέλο της επιλογής σας! + Σας αρέσει πραγματικά να φοράτε ένα συγκεκριμένο καπέλο; Κάντε μια δωρεά σε μας και λάβετε ένα αποκλειστικό καπέλο της επιλογής σας! Keep your video card drivers up to date to avoid issues playing the game. Tips - Αναβαθμίστε τους οδηγούς της κάρτας γραφικών σας για να αποφύγετε τυχόν προβλήματα παίζοντας το παιχνίδι. + Αναβαθμίστε τους οδηγούς της κάρτας γραφικών σας για να αποφύγετε τυχόν προβλήματα παίζοντας το παιχνίδι. You can find your Hedgewars configuration files under "My Documents\Hedgewars". Create backups or take the files with you, but don't edit them by hand. Tips - Μπορείτε να βρείτε τα αρχεία ρυθμίσεων του Hedgewars στο "My Documents\Hedgewars". Δημιουργήστε αντίγραφα ασφαλείας ή πάρτε τα αρχεία μαζί σας, αλλά μην τα επεξεργαστείτε χειροκίνητα. + Μπορείτε να βρείτε τα αρχεία ρυθμίσεων του Hedgewars στο "My Documents\Hedgewars". Δημιουργήστε αντίγραφα ασφαλείας ή πάρτε τα αρχεία μαζί σας, αλλά μην τα επεξεργαστείτε χειροκίνητα. You're able to associate Hedgewars related files (savegames and demo recordings) with the game to launch them right from your favorite file or internet browser. Tips - Μπορείτε να αντιστοιχίσετε τα αντίστοιχα αρχεία του Hedgewars (σωσμένα παιχνίδια και εγγραφές επίδειξης) με το παιχνίδι, έτσι ώστε να τα τρέχετε απευθείας από τον αγαπημένο σας περιηγητή αρχείων ή διαδικτύου. + Μπορείτε να αντιστοιχίσετε τα αντίστοιχα αρχεία του Hedgewars (σωσμένα παιχνίδια και εγγραφές επίδειξης) με το παιχνίδι, έτσι ώστε να τα τρέχετε απευθείας από τον αγαπημένο σας περιηγητή αρχείων ή διαδικτύου. Want to save ropes? Release the rope in mid air and then shoot again. As long as you don't touch the ground you'll reuse your rope without wasting ammo! Tips - Θέλετε να κάνετε οικονομία στα σχοινιά; Αφήστε το σχοινί ενώσο βρίσκεστε στον αέρα και στη συνέχεια πυροβολήστε ξανά. Όσο δεν αγγίζετε το έδαφος θα επαναχρησιμοποιείτε το σχοινί σας χωρίς σπατάλη πυρομαχικών! + Θέλετε να κάνετε οικονομία στα σχοινιά; Αφήστε το σχοινί ενώσο βρίσκεστε στον αέρα και στη συνέχεια πυροβολήστε ξανά. Όσο δεν αγγίζετε το έδαφος θα επαναχρησιμοποιείτε το σχοινί σας χωρίς σπατάλη πυρομαχικών! You can find your Hedgewars configuration files under "Library/Application Support/Hedgewars" in your home directory. Create backups or take the files with you, but don't edit them by hand. Tips - Μπορείτε να βρείτε τα αρχεία ρυθμίσεων του Hedgewars στο "Library/Application Support/Hedgewars" στον προσωπικό σας φάκελο. Δημιουργήστε αντίγραφα ασφαλείας ή πάρτε τα αρχεία μαζί σας, αλλά μην τα επεξεργαστείτε χειροκίνητα. + Μπορείτε να βρείτε τα αρχεία ρυθμίσεων του Hedgewars στο "Library/Application Support/Hedgewars" στον προσωπικό σας φάκελο. Δημιουργήστε αντίγραφα ασφαλείας ή πάρτε τα αρχεία μαζί σας, αλλά μην τα επεξεργαστείτε χειροκίνητα. You can find your Hedgewars configuration files under ".hedgewars" in your home directory. Create backups or take the files with you, but don't edit them by hand. Tips - Μπορείτε να βρείτε τα αρχεία ρυθμίσεων του Hedgewars στο ".hedgewars" στον προσωπικό σας φάκελο. Δημιουργήστε αντίγραφα ασφαλείας ή πάρτε τα αρχεία μαζί σας, αλλά μην τα επεξεργαστείτε χειροκίνητα. - - - Local Game - + Μπορείτε να βρείτε τα αρχεία ρυθμίσεων του Hedgewars στο ".hedgewars" στον προσωπικό σας φάκελο. Δημιουργήστε αντίγραφα ασφαλείας ή πάρτε τα αρχεία μαζί σας, αλλά μην τα επεξεργαστείτε χειροκίνητα. Play a game on a single computer - Network Game - - - Play a game across a network @@ -932,18 +1278,11 @@ - The Windows version of Hedgewars supports Xfire. Make sure to add Hedgewars to its game list so your friends can see you playing. - Tips - - - - The Homing Bee can be tricky to use. Its turn radius depends on its velocity, so try to not use full power. - Tips - - - - Use the Molotov or Flame Thrower to temporary keep hedgehogs from passing terrain such as tunnels or platforms. - Tips + Play a game across a local area network + + + + Play a game on an official server @@ -953,6 +1292,10 @@ Start Εκκίνηση + + Edit game preferences + + PageNet @@ -971,24 +1314,24 @@ Control Έλεγχος + + Edit game preferences + + + + Start + + PageNetType LAN game - Παιχνίδι σε δίκτυο (LAN) + Παιχνίδι σε δίκτυο (LAN) Official server - Επίσημος εξυπηρετητής - - - Join or host your own game server in a Local Area Network. - - - - Join hundreds of players online! - + Επίσημος εξυπηρετητής @@ -1023,7 +1366,7 @@ General - Γενικά + Γενικά Advanced @@ -1089,6 +1432,94 @@ HTTP proxy + + Select an action to change what key controls it + + + + Reset to default + + + + Reset all binds + + + + Game + + + + Graphics + + + + Audio + + + + Controls + + + + Video Recording + + + + Network + Δίκτυο + + + Teams + Ομάδες + + + Schemes + + + + Weapons + Όπλα + + + Frontend + + + + Custom colors + + + + Game audio + + + + Frontend audio + + + + Account + + + + Proxy settings + + + + Miscellaneous + + + + Updates + + + + Check for updates + + + + Video recording options + + PagePlayDemo @@ -1424,18 +1855,10 @@ Εκστρατεία ΣΕ ΕΞΕΛΙΞΗ - Simple Game - - - Play a quick game against the computer with random settings - Multiplayer - - - Play a hotseat game against your friends, or AI teams @@ -1444,24 +1867,16 @@ - Training Mode - - - Practice your skills in a range of training missions - Demos - - - Watch recorded demos Load - Φόρτωση + Φόρτωση Load a previously saved game @@ -1509,14 +1924,6 @@ - Date: - - - - Size: - - - encoding @@ -1524,6 +1931,16 @@ uploading + + Date: %1 + + + + + Size: %1 + + + QAction @@ -1537,7 +1954,7 @@ Start - Έναρξη + Έναρξη Restrict Joins @@ -1588,15 +2005,15 @@ Frontend fullscreen - Διεπαφή σε πλήρη οθόνη + Διεπαφή σε πλήρη οθόνη Enable sound - Ενεργοποίηση ήχου + Ενεργοποίηση ήχου Enable music - Ενεργοποίηση μουσικής + Ενεργοποίηση μουσικής Show FPS @@ -1620,15 +2037,15 @@ Enable frontend sounds - Ενεργοποίηση ήχων διεπαφής + Ενεργοποίηση ήχων διεπαφής Enable frontend music - Ενεργοποίηση μουσικής διεπαφής + Ενεργοποίηση μουσικής διεπαφής Frontend effects - Ενεργοποίηση εφε διεπαφής + Ενεργοποίηση εφε διεπαφής Save password @@ -1650,12 +2067,40 @@ Use game resolution + + Visual effects + + + + Sound + + + + In-game sound effects + + + + Music + + + + In-game music + + + + Frontend sound effects + + + + Frontend music + + QComboBox generated map... - Δημιουργημένος χάρτης... + Δημιουργημένος χάρτης... Human @@ -1671,11 +2116,11 @@ Mission - Αποστολή + Αποστολή generated maze... - Δημιουργημένος λαβύρινθος... + Δημιουργημένος λαβύρινθος... Community @@ -1698,10 +2143,6 @@ Default - hand drawn map... - - - Disabled @@ -1738,10 +2179,6 @@ - Wiggle - - - Red/Cyan grayscale @@ -1778,11 +2215,11 @@ Key binds - Δεσμεύσεις κουμπιών + Δεσμεύσεις κουμπιών Teams - Ομάδες + Ομάδες Weapons @@ -1790,7 +2227,7 @@ Audio/Graphic options - Επιλογές Ήχου/Γραφικών + Επιλογές Ήχου/Γραφικών Net game @@ -1814,27 +2251,7 @@ Misc - Διάφορα - - - Schemes and Weapons - - - - Custom colors - - - - Miscellaneous - - - - Proxy settings - - - - Video recording options - + Διάφορα Videos @@ -1865,23 +2282,23 @@ Developers: - Προγραμματιστές : + Προγραμματιστές : Art: - Γραφικά: + Γραφικά: Sounds: - Ήχοι: + Ήχοι: Translations: - Μεταγλωττίσεις: + Μεταγλωττίσεις: Special thanks: - Ειδικές ευχαριστίες: + Ειδικές ευχαριστίες: Weapons @@ -1945,7 +2362,7 @@ Game scheme - Σχεδιασμός Παιχνιδιού + Σχεδιασμός Παιχνιδιού % Dud Mines @@ -1989,7 +2406,7 @@ This development build is 'work in progress' and may not be compatible with other versions of the game. Some features might be broken or incomplete. Use at your own risk! - Αυτή η διανομή είναι «έργο σε εξέλιξη» και μπορεί να μην είναι συμβατή με άλλες εκδόσεις του παιχνιδιού. Ορισμένες λειτουργίες μπορεί να μη δουλεύουν ή να είναι ελλιπείς. Χρησιμοποιήστε την με δική σας ευθύνη! + Αυτή η διανομή είναι «έργο σε εξέλιξη» και μπορεί να μην είναι συμβατή με άλλες εκδόσεις του παιχνιδιού. Ορισμένες λειτουργίες μπορεί να μη δουλεύουν ή να είναι ελλιπείς. Χρησιμοποιήστε την με δική σας ευθύνη! Quality @@ -2046,10 +2463,6 @@ - Summary - - - Description @@ -2101,6 +2514,38 @@ Scheme + + This development build is 'work in progress' and may not be compatible with other versions of the game, while some features might be broken or incomplete! + + + + Fullscreen + Πλήρης οθόνη + + + Fullscreen Resolution + + + + Windowed Resolution + + + + Your Email + + + + Summary + + + + Send system information + + + + Type the security code: + + QLineEdit @@ -2207,22 +2652,6 @@ - Please fill out all fields - - - - Successfully posted the issue on hedgewars.googlecode.com - - - - Error during authentication at google.com - - - - Error reporting the issue, please try again later (or visit hedgewars.googlecode.com directly) - - - Main - Error @@ -2384,6 +2813,38 @@ Do you really want to delete the weapon set '%1'? + + Hedgewars - Nick not registered + + + + System Information Preview + + + + Failed to generate captcha + + + + Failed to download captcha + + + + Please fill out all fields. Email is optional. + + + + Hedgewars - Warning + + + + Hedgewars - Information + + + + Hedgewars + + QObject @@ -2401,11 +2862,11 @@ Nickname - Ψευδώνυμο + Ψευδώνυμο Please enter your nickname - Παρακαλώ εισάγετε το ψευδώνυμό σας + Παρακαλώ εισάγετε το ψευδώνυμό σας @@ -2464,15 +2925,15 @@ Setup - Ρύθμιση + Ρύθμιση Ready - Έτοιμο + Έτοιμο Random Team - Τυχαία Ομάδα + Τυχαία Ομάδα Associate file extensions @@ -2522,10 +2983,6 @@ Cancel uploading - - more - - QTableWidget @@ -2606,6 +3063,25 @@ + SeedPrompt + + The map seed is the basis for all random values generated by the game. + + + + Cancel + Άκυρο + + + Set seed + + + + Close + + + + SelWeaponWidget Weapon set @@ -2648,46 +3124,64 @@ + TeamShowWidget + + %1's team + + + + + ThemePrompt + + Select a theme for this map + + + + Cancel + Άκυρο + + + ToggleButtonWidget Vampirism - Βαμπιρισμός + Βαμπιρισμός Karma - Μοίρα + Μοίρα Artillery - Πυροβολικό + Πυροβολικό Fort Mode - Λειτουργία Φρούριου + Λειτουργία Φρούριου Divide Teams - Διαίρεση Ομάδων + Διαίρεση Ομάδων Solid Land - Στερεό Έδαφος + Στερεό Έδαφος Add Border - Προσθήκη Συνόρου + Προσθήκη Συνόρου Low Gravity - Μικροβαρύτητα + Μικροβαρύτητα Laser Sight - Διόπτρα Laser + Διόπτρα Laser Invulnerable - Άτρωτος + Άτρωτος Add Mines @@ -2695,63 +3189,47 @@ Random Order - Τυχαία Σειρά + Τυχαία Σειρά King - Βασιλέας + Βασιλέας Place Hedgehogs - Τοποθέτηση σκατζόχοιρων + Τοποθέτηση σκατζόχοιρων Clan Shares Ammo - Η συμμορία μοιράζεται τα πυρομαχικά + Η συμμορία μοιράζεται τα πυρομαχικά Disable Girders - Απενεργοποίηση δοκών + Απενεργοποίηση δοκών Disable Land Objects - Απενεργοποίηση Αντικειμένων Εδάφους + Απενεργοποίηση Αντικειμένων Εδάφους AI Survival Mode - Λειτουργία Επιβίωσης για τον υπολογιστή + Λειτουργία Επιβίωσης για τον υπολογιστή Reset Health - Επαναφορά Υγείας + Επαναφορά Υγείας Unlimited Attacks - Απεριόριστες Επιθέσεις + Απεριόριστες Επιθέσεις Reset Weapons - Επαναφορά Όπλων + Επαναφορά Όπλων Per Hedgehog Ammo - Πυρομαχικά ανά σκατζόχοιρο - - - Disable Wind - - - - More Wind - - - - Tag Team - - - - Add Bottom Border - + Πυρομαχικά ανά σκατζόχοιρο @@ -2887,7 +3365,7 @@ hedgehogs info - πληροφορίες + πληροφορίες σκατζόχοιρου @@ -2926,31 +3404,51 @@ record + + hedgehog info + + binds (categories) Basic controls - Βασικές Ρυθμίσεις + Βασικές Ρυθμίσεις Weapon controls - Ρυθμίσεις Όπλων + Ρυθμίσεις Όπλων Camera and cursor controls - Ρυθμίσεις κάμερας και δείκτη ποντικιού + Ρυθμίσεις κάμερας και δείκτη ποντικιού Other - Διάφορα + Διάφορα + + + Movement + + + + Weapons + Όπλα + + + Camera + + + + Miscellaneous + binds (descriptions) Move your hogs and aim: - Μετακινήστε τους σκατζόχοιρούς σας και σημαδέψτε : + Μετακινήστε τους σκατζόχοιρούς σας και σημαδέψτε : Traverse gaps and obstacles by jumping: @@ -3016,6 +3514,10 @@ Record video: + + Hedgehog movement + + binds (keys) @@ -3336,4 +3838,119 @@ DPad + + server + + Illegal nickname + + + + Protocol already known + + + + Bad number + + + + bye + + + + Empty config entry + + + + Not room master + + + + Corrupted hedgehogs info + + + + too many teams + + + + too many hedgehogs + + + + There's already a team with same name in the list + + + + round in progress + + + + restricted + + + + REMOVE_TEAM: no such team + + + + Not team owner! + + + + Less than two clans! + + + + Room with such name already exists + + + + Illegal room name + + + + No such room + + + + Joining restricted + + + + Registered users only + + + + You are banned in this room + + + + Nickname is already in use + + + + No checker rights + + + + Authentication failed + + + + 60 seconds cooldown after kick + + + + kicked + + + + Ping timeout + + + + Nickname already chosen + + + diff -r 33ab77c0b486 -r 87410ae372f6 share/hedgewars/Data/Locale/hedgewars_en.ts --- a/share/hedgewars/Data/Locale/hedgewars_en.ts Fri Jan 18 11:47:23 2013 +0100 +++ b/share/hedgewars/Data/Locale/hedgewars_en.ts Sat Jan 19 00:51:28 2013 +0400 @@ -20,6 +20,115 @@ + BanDialog + + 10 minutes + + + + 30 minutes + + + + 1 hour + + + + 3 hours + + + + 5 hours + + + + 24 hours + + + + 3 days + + + + 7 days + + + + 14 days + + + + permanent + + + + IP + IP + + + Nick + + + + IP/Nick + + + + Reason + + + + Duration + + + + Ok + + + + Cancel + Cancel + + + you know why + + + + Warning + + + + Please, specify %1 + + + + nickname + + + + + DataManager + + Use Default + + + + + FeedbackDialog + + View + + + + Cancel + Cancel + + + Send Feedback + + + + FreqSpinBox Never @@ -44,13 +153,13 @@ Edit schemes - When this option is enabled selecting a game scheme will auto-select a weapon - - - Game Options + + Game scheme will auto-select a weapon + + HWAskQuitDialog @@ -101,10 +210,6 @@ Failed to save StyleSheet to %1 - - %1 is not a valid command! - - HWForm @@ -143,16 +248,12 @@ registered on Hedgewars.org Please provide your password below or pick another nickname in game config: - Your nickname %1 is + Your nickname %1 is registered on Hedgewars.org Please provide your password below or pick another nickname in game config: - No password supplied. - - - Nickname Nickname @@ -165,6 +266,59 @@ Please pick another nickname: + + %1's Team + + + + Hedgewars - Nick registered + + + + This nick is registered, and you haven't specified a password. + +If this nick isn't yours, please register your own nick at www.hedgewars.org + +Password: + + + + Your nickname is not registered. +To prevent someone else from using it, +please register it at www.hedgewars.org + + + + + +Your password wasn't saved either. + + + + Hedgewars - Empty nickname + + + + Hedgewars - Wrong password + + + + You entered a wrong password. + + + + Try Again + + + + Hedgewars - Connection error + + + + You reconnected too fast. +Please wait a few seconds and try again. + + HWGame @@ -181,15 +335,15 @@ HWMapContainer Map - Map + Map Themes - Themes + Themes Filter - Filter + Filter All @@ -217,7 +371,7 @@ Type - Type + Type Small tunnels @@ -228,27 +382,95 @@ - Large tunnels - - - - Small floating islands - - - - Medium floating islands - - - - Large floating islands - - - Seed - Set + Map type: + + + + Image map + + + + Mission map + + + + Hand-drawn + + + + Randomly generated + + + + Random maze + + + + Random + Random + + + Map preview: + + + + Load map drawing + + + + Edit map drawing + + + + Largetunnels + + + + Small islands + + + + Medium islands + + + + Large islands + + + + Map size: + + + + Maze style: + + + + Mission: + + + + Map: + + + + Theme: + + + + Load drawn map + + + + Drawn Maps + + + + All files @@ -322,7 +544,11 @@ HWPasswordDialog Password - Password + Password + + + Login + @@ -337,6 +563,32 @@ + HatButton + + Change hat (%1) + + + + + HatPrompt + + Select a hat + + + + Filter: + + + + Cancel + Cancel + + + Use selected hat + + + + KB SDL_ttf returned error while rendering text, most propably it is related to the bug in freetype2. It's recommended to update your freetype lib. @@ -344,6 +596,13 @@ + KeyBinder + + Category + + + + LibavInteraction Duration: %1m %2s @@ -362,6 +621,17 @@ Audio: + + unknown + + + + + MapModel + + No description available. + + PageAdmin @@ -393,6 +663,38 @@ Set data + + General + General + + + Bans + + + + IP/Nick + + + + Expiration + + + + Reason + + + + Refresh + + + + Add + + + + Remove + + PageConnecting @@ -448,7 +750,43 @@ Advanced - Advanced + Advanced + + + Select an action to choose a custom key bind for this team + + + + Use my default + + + + Reset all binds + + + + Custom Controls + + + + Hat + + + + Name + Name + + + This hedgehog's name + + + + Randomize this hedgehog's name + + + + Random Team + Random Team @@ -529,267 +867,14 @@ PageMain - Simply pick the same color as a friend to play together as a team. Each of you will still control his or her own hedgehogs but they'll win or lose together. - Tips - - - - Some weapons might do only low damage but they can be a lot more devastating in the right situation. Try to use the Desert Eagle to knock multiple hedgehogs into the water. - Tips - - - - If you're unsure what to do and don't want to waste ammo, skip one round. But don't let too much time pass as there will be Sudden Death! - Tips - - - - If you'd like to keep others from using your preferred nickname on the official server, register an account at http://www.hedgewars.org/. - Tips - - - - You're bored of default gameplay? Try one of the missions - they'll offer different gameplay depending on the one you picked. - Tips - - - - By default the game will always record the last game played as a demo. Select 'Local Game' and pick the 'Demos' button on the lower right corner to play or manage them. - Tips - - - - Hedgewars is Open Source and Freeware we create in our spare time. If you've got problems, ask on our forums but please don't expect 24/7 support! - Tips - - - - Hedgewars is Open Source and Freeware we create in our spare time. If you like it, help us with a small donation or contribute your own work! - Tips - - - - Hedgewars is Open Source and Freeware we create in our spare time. Share it with your family and friends as you like! - Tips - - - - From time to time there will be official tournaments. Upcoming events will be announced at http://www.hedgewars.org/ some days in advance. - Tips - - - - Hedgewars is available in many languages. If the translation in your language seems to be missing or outdated, feel free to contact us! - Tips - - - - Hedgewars can be run on lots of different operating systems including Microsoft Windows, Mac OS X and Linux. - Tips - - - - Always remember you're able to set up your own games in local and network/online play. You're not restricted to the 'Simple Game' option. - Tips - - - - While playing you should give yourself a short break at least once an hour. - Tips - - - - If your graphics card isn't able to provide hardware accelerated OpenGL, try to enable the low quality mode to improve performance. - Tips - - - - We're open to suggestions and constructive feedback. If you don't like something or got a great idea, let us know! - Tips - - - - Especially while playing online be polite and always remember there might be some minors playing with or against you as well! - Tips - - - - Special game modes such as 'Vampirism' or 'Karma' allow you to develop completely new tactics. Try them in a custom game! - Tips - - - - You should never install Hedgewars on computers you don't own (school, university, work, etc.). Please ask the responsible person instead! - Tips - - - - Hedgewars can be perfect for short games during breaks. Just ensure you don't add too many hedgehogs or use an huge map. Reducing time and health might help as well. - Tips - - - - No hedgehogs were harmed in making this game. - Tips - - - - Hedgewars is Open Source and Freeware we create in our spare time. If someone sold you the game, you should try get a refund! - Tips - - - - Connect one or more gamepads before starting the game to be able to assign their controls to your teams. - Tips - - - - Create an account on %1 to keep others from using your most favourite nickname while playing on the official server. - Tips - - - - If your graphics card isn't able to provide hardware accelerated OpenGL, try to update the associated drivers. - Tips - - - - There are three different jumps available. Tap [high jump] twice to do a very high/backwards jump. - Tips - - - - Afraid of falling off a cliff? Hold down [precise] to turn [left] or [right] without actually moving. - Tips - - - - Some weapons require special strategies or just lots of training, so don't give up on a particular tool if you miss an enemy once. - Tips - - - - Most weapons won't work once they touch the water. The Homing Bee as well as the Cake are exceptions to this. - Tips - - - - The Old Limbuger only causes a small explosion. However the wind affected smelly cloud can poison lots of hogs at once. - Tips - - - - The Piano Strike is the most damaging air strike. You'll lose the hedgehog performing it, so there's a huge downside as well. - Tips - - - - Sticky Mines are a perfect tool to create small chain reactions knocking enemy hedgehogs into dire situations ... or water. - Tips - - - - The Hammer is most effective when used on bridges or girders. Hit hogs will just break through the ground. - Tips - - - - If you're stuck behind an enemy hedgehog, use the Hammer to free yourself without getting damaged by an explosion. - Tips - - - - The Cake's maximum walking distance depends on the ground it has to pass. Use [attack] to detonate it early. - Tips - - - - The Flame Thrower is a weapon but it can be used for tunnel digging as well. - Tips - - - - Want to know who's behind the game? Click on the Hedgewars logo in the main menu to see the credits. - Tips - - - - Like Hedgewars? Become a fan on %1 or follow us on %2! - Tips - - - - Feel free to draw your own graves, hats, flags or even maps and themes! But note that you'll have to share them somewhere to use them online. - Tips - - - - Really want to wear a specific hat? Donate to us and receive an exclusive hat of your choice! - Tips - - - - Keep your video card drivers up to date to avoid issues playing the game. - Tips - - - - You can find your Hedgewars configuration files under "My Documents\Hedgewars". Create backups or take the files with you, but don't edit them by hand. - Tips - - - - You're able to associate Hedgewars related files (savegames and demo recordings) with the game to launch them right from your favorite file or internet browser. - Tips - - - - Want to save ropes? Release the rope in mid air and then shoot again. As long as you don't touch the ground you'll reuse your rope without wasting ammo! - Tips - - - - You can find your Hedgewars configuration files under "Library/Application Support/Hedgewars" in your home directory. Create backups or take the files with you, but don't edit them by hand. - Tips - - - - You can find your Hedgewars configuration files under ".hedgewars" in your home directory. Create backups or take the files with you, but don't edit them by hand. - Tips - - - - The Windows version of Hedgewars supports Xfire. Make sure to add Hedgewars to its game list so your friends can see you playing. - Tips - - - - Use the Molotov or Flame Thrower to temporary keep hedgehogs from passing terrain such as tunnels or platforms. - Tips - - - - The Homing Bee can be tricky to use. Its turn radius depends on its velocity, so try to not use full power. - Tips - - - Downloadable Content - Local Game - - - Play a game on a single computer - Network Game - - - Play a game across a network @@ -817,6 +902,14 @@ Edit game preferences + + Play a game across a local area network + + + + Play a game on an official server + + PageMultiplayer @@ -824,6 +917,10 @@ Start Start + + Edit game preferences + + PageNetGame @@ -831,24 +928,24 @@ Control Control + + Edit game preferences + + + + Start + Start + PageNetType LAN game - LAN game + LAN game Official server - Official server - - - Join hundreds of players online! - - - - Join or host your own game server in a Local Area Network. - + Official server @@ -895,7 +992,7 @@ General - General + General Advanced @@ -937,6 +1034,94 @@ System proxy settings + + Select an action to change what key controls it + + + + Reset to default + + + + Reset all binds + + + + Game + + + + Graphics + + + + Audio + + + + Controls + + + + Video Recording + + + + Network + + + + Teams + Teams + + + Schemes + + + + Weapons + Weapons + + + Frontend + + + + Custom colors + + + + Game audio + + + + Frontend audio + + + + Account + + + + Proxy settings + + + + Miscellaneous + + + + Updates + + + + Check for updates + + + + Video recording options + + PagePlayDemo @@ -1136,18 +1321,10 @@ PageSinglePlayer - Simple Game - - - Play a quick game against the computer with random settings - Multiplayer - - - Play a hotseat game against your friends, or AI teams @@ -1156,24 +1333,16 @@ - Training Mode - - - Practice your skills in a range of training missions - Demos - - - Watch recorded demos Load - Load + Load Load a previously saved game @@ -1221,14 +1390,6 @@ - Date: - - - - Size: - - - encoding @@ -1236,6 +1397,16 @@ uploading + + Date: %1 + + + + + Size: %1 + + + QAction @@ -1249,7 +1420,7 @@ Start - Start + Start Restrict Joins @@ -1300,15 +1471,15 @@ Frontend fullscreen - Frontend fullscreen + Frontend fullscreen Enable sound - Enable sound + Enable sound Enable music - Enable music + Enable music Show FPS @@ -1328,15 +1499,15 @@ Enable frontend sounds - Enable frontend sounds + Enable frontend sounds Enable frontend music - Enable frontend music + Enable frontend music Frontend effects - Frontend effects + Frontend effects Save password @@ -1358,12 +1529,40 @@ Use game resolution + + Visual effects + + + + Sound + + + + In-game sound effects + + + + Music + + + + In-game music + + + + Frontend sound effects + + + + Frontend music + + QComboBox generated map... - generated map... + generated map... Human @@ -1379,11 +1578,7 @@ Mission - Mission - - - generated maze... - + Mission Community @@ -1402,10 +1597,6 @@ - hand drawn map... - - - Disabled @@ -1442,10 +1633,6 @@ - Wiggle - - - Red/Cyan grayscale @@ -1482,15 +1669,15 @@ Key binds - Key binds + Key binds Teams - Teams + Teams Audio/Graphic options - Audio/Graphic options + Audio/Graphic options Net game @@ -1514,23 +1701,7 @@ Misc - Misc - - - Schemes and Weapons - - - - Custom colors - - - - Miscellaneous - - - - Video recording options - + Misc Videos @@ -1540,10 +1711,6 @@ Description - - Proxy settings - - QLabel @@ -1561,23 +1728,23 @@ Developers: - Developers: + Developers: Art: - Art: + Art: Sounds: - Sounds: + Sounds: Translations: - Translations: + Translations: Special thanks: - Special thanks: + Special thanks: Weapons @@ -1637,7 +1804,7 @@ Game scheme - Game scheme + Game scheme % Dud Mines @@ -1676,10 +1843,6 @@ - This development build is 'work in progress' and may not be compatible with other versions of the game. Some features might be broken or incomplete. Use at your own risk! - - - Quality @@ -1754,10 +1917,6 @@ - Summary - - - Description @@ -1785,6 +1944,38 @@ Bitrate (Kbps) + + This development build is 'work in progress' and may not be compatible with other versions of the game, while some features might be broken or incomplete! + + + + Fullscreen + Fullscreen + + + Fullscreen Resolution + + + + Windowed Resolution + + + + Your Email + + + + Summary + + + + Send system information + + + + Type the security code: + + QLineEdit @@ -1823,10 +2014,6 @@ - Please fill out all fields - - - Error while authenticating at google.com: @@ -1873,18 +2060,6 @@ - Successfully posted the issue on hedgewars.googlecode.com - - - - Error during authentication at google.com - - - - Error reporting the issue, please try again later (or visit hedgewars.googlecode.com directly) - - - Main - Error @@ -2032,16 +2207,48 @@ Do you really want to delete the weapon set '%1'? + + Hedgewars - Nick not registered + + + + System Information Preview + + + + Failed to generate captcha + + + + Failed to download captcha + + + + Please fill out all fields. Email is optional. + + + + Hedgewars - Warning + + + + Hedgewars - Information + + + + Hedgewars + + QObject Nickname - Nickname + Nickname Please enter your nickname - Please enter your nickname + Please enter your nickname @@ -2100,25 +2307,21 @@ Setup - Setup + Setup Ready - Ready + Ready Random Team - Random Team + Random Team Associate file extensions Associate file extensions - more - - - More info @@ -2211,6 +2414,25 @@ + SeedPrompt + + The map seed is the basis for all random values generated by the game. + + + + Cancel + Cancel + + + Set seed + + + + Close + + + + SelWeaponWidget Weapon set @@ -2238,106 +2460,84 @@ + TeamShowWidget + + %1's team + + + + + ThemePrompt + + Select a theme for this map + + + + Cancel + Cancel + + + ToggleButtonWidget Vampirism - Vampirism + Vampirism Karma - Karma + Karma Artillery - Artillery + Artillery Fort Mode - Fort Mode + Fort Mode Divide Teams - Divide Teams + Divide Teams Solid Land - Solid Land + Solid Land Add Border - Add Border + Add Border Low Gravity - Low Gravity + Low Gravity Laser Sight - Laser Sight + Laser Sight Invulnerable - Invulnerable + Invulnerable Random Order - Random Order + Random Order King - King + King Place Hedgehogs - Place Hedgehogs + Place Hedgehogs Clan Shares Ammo - Clan Shares Ammo + Clan Shares Ammo Disable Girders - Disable Girders - - - Disable Land Objects - - - - AI Survival Mode - - - - Reset Health - - - - Unlimited Attacks - - - - Reset Weapons - - - - Per Hedgehog Ammo - - - - Disable Wind - - - - More Wind - - - - Tag Team - - - - Add Bottom Border - + Disable Girders @@ -2473,7 +2673,7 @@ hedgehogs info - hedgehogs + hedgehogs info @@ -2512,31 +2712,51 @@ record + + hedgehog info + + binds (categories) Basic controls - Basic controls + Basic controls Weapon controls - Weapon controls + Weapon controls Camera and cursor controls - Camera and cursor controls + Camera and cursor controls Other - Other + Other + + + Movement + + + + Weapons + Weapons + + + Camera + + + + Miscellaneous + binds (descriptions) Move your hogs and aim: - Move your hogs and aim: + Move your hogs and aim: Traverse gaps and obstacles by jumping: @@ -2602,6 +2822,10 @@ Record video: + + Hedgehog movement + + binds (keys) @@ -2922,4 +3146,119 @@ + + server + + Illegal nickname + + + + Protocol already known + + + + Bad number + + + + bye + + + + Empty config entry + + + + Not room master + + + + Corrupted hedgehogs info + + + + too many teams + + + + too many hedgehogs + + + + There's already a team with same name in the list + + + + round in progress + + + + restricted + + + + REMOVE_TEAM: no such team + + + + Not team owner! + + + + Less than two clans! + + + + Room with such name already exists + + + + Illegal room name + + + + No such room + + + + Joining restricted + + + + Registered users only + + + + You are banned in this room + + + + Nickname is already in use + + + + No checker rights + + + + Authentication failed + + + + 60 seconds cooldown after kick + + + + kicked + + + + Ping timeout + + + + Nickname already chosen + + + diff -r 33ab77c0b486 -r 87410ae372f6 share/hedgewars/Data/Locale/hedgewars_es.ts --- a/share/hedgewars/Data/Locale/hedgewars_es.ts Fri Jan 18 11:47:23 2013 +0100 +++ b/share/hedgewars/Data/Locale/hedgewars_es.ts Sat Jan 19 00:51:28 2013 +0400 @@ -20,6 +20,115 @@ + BanDialog + + 10 minutes + + + + 30 minutes + + + + 1 hour + + + + 3 hours + + + + 5 hours + + + + 24 hours + + + + 3 days + + + + 7 days + + + + 14 days + + + + permanent + + + + IP + IP + + + Nick + + + + IP/Nick + + + + Reason + + + + Duration + + + + Ok + + + + Cancel + Cancelar + + + you know why + + + + Warning + + + + Please, specify %1 + + + + nickname + + + + + DataManager + + Use Default + + + + + FeedbackDialog + + View + + + + Cancel + Cancelar + + + Send Feedback + + + + FreqSpinBox Never @@ -45,12 +154,16 @@ When this option is enabled selecting a game scheme will auto-select a weapon - Cuando esta opción esté activada escoger un modo de juego escogerá el set de armas correspondiente + Cuando esta opción esté activada escoger un modo de juego escogerá el set de armas correspondiente Game Options Opciones de juego + + Game scheme will auto-select a weapon + + HWAskQuitDialog @@ -101,10 +214,6 @@ Failed to save StyleSheet to %1 - - %1 is not a valid command! - - HWForm @@ -143,16 +252,12 @@ registered on Hedgewars.org Please provide your password below or pick another nickname in game config: - El nick %1 ya está registrado + El nick %1 ya está registrado en Hedgewars.org. Por favor, introduce ahora tu clave de acceso o elige otro nick en las preferencias del juego: - No password supplied. - - - Nickname Nick @@ -165,6 +270,59 @@ Please pick another nickname: + + %1's Team + + + + Hedgewars - Nick registered + + + + This nick is registered, and you haven't specified a password. + +If this nick isn't yours, please register your own nick at www.hedgewars.org + +Password: + + + + Your nickname is not registered. +To prevent someone else from using it, +please register it at www.hedgewars.org + + + + + +Your password wasn't saved either. + + + + Hedgewars - Empty nickname + + + + Hedgewars - Wrong password + + + + You entered a wrong password. + + + + Try Again + + + + Hedgewars - Connection error + + + + You reconnected too fast. +Please wait a few seconds and try again. + + HWGame @@ -181,15 +339,15 @@ HWMapContainer Map - Mapa + Mapa Themes - Temas + Temas Filter - Filtro + Filtro All @@ -217,7 +375,7 @@ Type - Tipo + Tipo Small tunnels @@ -229,19 +387,19 @@ Large tunnels - Túneles anchos + Túneles anchos Small floating islands - Islas pequeñas + Islas pequeñas Medium floating islands - Islas medianas + Islas medianas Large floating islands - Islas grandes + Islas grandes Seed @@ -249,7 +407,95 @@ Set - Cambiar + Cambiar + + + Map type: + + + + Image map + + + + Mission map + + + + Hand-drawn + + + + Randomly generated + + + + Random maze + + + + Random + Aleatorio + + + Map preview: + + + + Load map drawing + + + + Edit map drawing + + + + Largetunnels + + + + Small islands + + + + Medium islands + + + + Large islands + + + + Map size: + + + + Maze style: + + + + Mission: + + + + Map: + + + + Theme: + + + + Load drawn map + Cargar mapa + + + Drawn Maps + Mapas dibujados a mano + + + All files + Todos los ficheros @@ -322,7 +568,11 @@ HWPasswordDialog Password - Contraseña + Contraseña + + + Login + @@ -337,6 +587,32 @@ + HatButton + + Change hat (%1) + + + + + HatPrompt + + Select a hat + + + + Filter: + + + + Cancel + Cancelar + + + Use selected hat + + + + KB SDL_ttf returned error while rendering text, most propably it is related to the bug in freetype2. It's recommended to update your freetype lib. @@ -344,6 +620,13 @@ + KeyBinder + + Category + + + + LibavInteraction Duration: %1m %2s @@ -362,6 +645,17 @@ Audio: + + unknown + + + + + MapModel + + No description available. + + PageAdmin @@ -393,6 +687,38 @@ Set data Enviar datos + + General + General + + + Bans + + + + IP/Nick + + + + Expiration + + + + Reason + + + + Refresh + + + + Add + + + + Remove + + PageConnecting @@ -448,7 +774,43 @@ Advanced - Avanzado + Avanzado + + + Select an action to choose a custom key bind for this team + + + + Use my default + + + + Reset all binds + + + + Custom Controls + + + + Hat + Sombrero + + + Name + Nombre + + + This hedgehog's name + + + + Randomize this hedgehog's name + + + + Random Team + Equipo aleatorio @@ -531,265 +893,257 @@ Simply pick the same color as a friend to play together as a team. Each of you will still control his or her own hedgehogs but they'll win or lose together. Tips - Elige el mismo color que tus amigos para hacer una alianza con ellos. Cada uno de vosotros controlará sus propios erizos, pero la victoria o derrota será compartida por vuestra facción. + Elige el mismo color que tus amigos para hacer una alianza con ellos. Cada uno de vosotros controlará sus propios erizos, pero la victoria o derrota será compartida por vuestra facción. Some weapons might do only low damage but they can be a lot more devastating in the right situation. Try to use the Desert Eagle to knock multiple hedgehogs into the water. Tips - Puede que algunas armas hagan poco daño, pero pueden ser realmente devastadoras si son usadas en el momento correcto. Prueba a usar la Desert eagle para empujar erizos enemigos al agua, por ejemplo. + Puede que algunas armas hagan poco daño, pero pueden ser realmente devastadoras si son usadas en el momento correcto. Prueba a usar la Desert eagle para empujar erizos enemigos al agua, por ejemplo. If you're unsure what to do and don't want to waste ammo, skip one round. But don't let too much time pass as there will be Sudden Death! Tips - Si no tienes claro qué vas a hacer y prefieres no desperdiciar munición puedes pasar un turno. ¡Pero ten cuidado, si dejas pasar muchos turnos puede que empiece la muerte súbita! + Si no tienes claro qué vas a hacer y prefieres no desperdiciar munición puedes pasar un turno. ¡Pero ten cuidado, si dejas pasar muchos turnos puede que empiece la muerte súbita! If you'd like to keep others from using your preferred nickname on the official server, register an account at http://www.hedgewars.org/. Tips - Si prefieres que nadie más use tu nick en el servidor oficial puedes registrarlo en http://www.hedgewars.org/. + Si prefieres que nadie más use tu nick en el servidor oficial puedes registrarlo en http://www.hedgewars.org/. You're bored of default gameplay? Try one of the missions - they'll offer different gameplay depending on the one you picked. Tips - ¿Estás cansado del modo de juego de siempre? Prueba alguna de las misiones, encontrarás en ellas nuevos tipos de juego dependiendo de la que elijas. + ¿Estás cansado del modo de juego de siempre? Prueba alguna de las misiones, encontrarás en ellas nuevos tipos de juego dependiendo de la que elijas. By default the game will always record the last game played as a demo. Select 'Local Game' and pick the 'Demos' button on the lower right corner to play or manage them. Tips - El juego intentará guardar la última partida como una demo de forma predeterminada. Más tarde puedes ir a "Juego local" y visitar la sección de "Demos" en la esquina inferior derecha para reproducirlas o gestionarlas. + El juego intentará guardar la última partida como una demo de forma predeterminada. Más tarde puedes ir a "Juego local" y visitar la sección de "Demos" en la esquina inferior derecha para reproducirlas o gestionarlas. Hedgewars is Open Source and Freeware we create in our spare time. If you've got problems, ask on our forums but please don't expect 24/7 support! Tips - Hedgewars es un juego gratuito de código abierto que hemos creado en nuestro tiempo libre. Si tienes algún problema estaremos encantados de ayudarte en nuestros foros o canal de IRC, pero ¡no esperes que estemos allí las 24 horas del día! + Hedgewars es un juego gratuito de código abierto que hemos creado en nuestro tiempo libre. Si tienes algún problema estaremos encantados de ayudarte en nuestros foros o canal de IRC, pero ¡no esperes que estemos allí las 24 horas del día! Hedgewars is Open Source and Freeware we create in our spare time. If you like it, help us with a small donation or contribute your own work! Tips - Hedgewars es un juego gratuito de código abierto que hemos creado en nuestro tiempo libre. ¡Si te gusta podrías considerar el ayudarnos con una pequeña donación o contribuyendo con tu propio trabajo! + Hedgewars es un juego gratuito de código abierto que hemos creado en nuestro tiempo libre. ¡Si te gusta podrías considerar el ayudarnos con una pequeña donación o contribuyendo con tu propio trabajo! Hedgewars is Open Source and Freeware we create in our spare time. Share it with your family and friends as you like! Tips - Hedgewars es un juego gratuito de código abierto que hemos creado en nuestro tiempo libre. ¡Compártelo con tu família y amigos tanto como quieras! + Hedgewars es un juego gratuito de código abierto que hemos creado en nuestro tiempo libre. ¡Compártelo con tu família y amigos tanto como quieras! From time to time there will be official tournaments. Upcoming events will be announced at http://www.hedgewars.org/ some days in advance. Tips - De cuando en cuando celebramos torneos oficiales. Puedes mantenerte al día sobre los próximos eventos en http://www.hedgewars.org. + De cuando en cuando celebramos torneos oficiales. Puedes mantenerte al día sobre los próximos eventos en http://www.hedgewars.org. Hedgewars is available in many languages. If the translation in your language seems to be missing or outdated, feel free to contact us! Tips - Hedgewars está disponible en varios idiomas. Si no encuentras traducción a tu idioma o piensas que la actual es de baja calidad o está desactualizada estaremos encantados de aceptar tu colaboración para mejorarla. + Hedgewars está disponible en varios idiomas. Si no encuentras traducción a tu idioma o piensas que la actual es de baja calidad o está desactualizada estaremos encantados de aceptar tu colaboración para mejorarla. Hedgewars can be run on lots of different operating systems including Microsoft Windows, Mac OS X and Linux. Tips - Hedgewars es un juego multiplataforma que puede ser ejecutado en diversos sistemas operativos, incluyendo Windows, Mac OS X y Linux. + Hedgewars es un juego multiplataforma que puede ser ejecutado en diversos sistemas operativos, incluyendo Windows, Mac OS X y Linux. Always remember you're able to set up your own games in local and network/online play. You're not restricted to the 'Simple Game' option. Tips - Recuerda: puedes crear tus propias partidas multijugador tanto en local como por red, no estás limitado a jugar contra la máquina. + Recuerda: puedes crear tus propias partidas multijugador tanto en local como por red, no estás limitado a jugar contra la máquina. While playing you should give yourself a short break at least once an hour. Tips - Tu salud es lo primero. Recuerda descansar unos minutos al menos una vez por cada hora de juego. + Tu salud es lo primero. Recuerda descansar unos minutos al menos una vez por cada hora de juego. If your graphics card isn't able to provide hardware accelerated OpenGL, try to enable the low quality mode to improve performance. Tips - Si tu tarjeta gráfica no soporta aceleración gráfica mediante OpenGL prueba a habilitar el modo de baja calidad gráfica en la pantalla de opciones, puede que mejore el rendimiento del juego. + Si tu tarjeta gráfica no soporta aceleración gráfica mediante OpenGL prueba a habilitar el modo de baja calidad gráfica en la pantalla de opciones, puede que mejore el rendimiento del juego. We're open to suggestions and constructive feedback. If you don't like something or got a great idea, let us know! Tips - Siempre estamos abiertos a sugerencias y opiniones constructivas. Si hay algo que no te guste o tienes grandes ideas que te gustaría ver en el juego, ¡háznoslo saber! + Siempre estamos abiertos a sugerencias y opiniones constructivas. Si hay algo que no te guste o tienes grandes ideas que te gustaría ver en el juego, ¡háznoslo saber! Especially while playing online be polite and always remember there might be some minors playing with or against you as well! Tips - Si juegas a través de internet recuerda mantener tus buenos modales y siempre ten en cuenta que puede que estés jugando con o contra menores de edad. + Si juegas a través de internet recuerda mantener tus buenos modales y siempre ten en cuenta que puede que estés jugando con o contra menores de edad. Special game modes such as 'Vampirism' or 'Karma' allow you to develop completely new tactics. Try them in a custom game! Tips - Los modos de juego especiales como "vampirismo" o "karma" te permiten desarrollar tácticas de juego completamente nuevas. ¡Pruébalos en tu próxima partida! + Los modos de juego especiales como "vampirismo" o "karma" te permiten desarrollar tácticas de juego completamente nuevas. ¡Pruébalos en tu próxima partida! You should never install Hedgewars on computers you don't own (school, university, work, etc.). Please ask the responsible person instead! Tips - ¡Nunca instales Hedgewars en ordenadores que no te pertenezcan tales como los de tu escuela, universidad o trabajo sin perdir permiso primero a las personas responsables de los mismos! + ¡Nunca instales Hedgewars en ordenadores que no te pertenezcan tales como los de tu escuela, universidad o trabajo sin perdir permiso primero a las personas responsables de los mismos! Hedgewars can be perfect for short games during breaks. Just ensure you don't add too many hedgehogs or use an huge map. Reducing time and health might help as well. Tips - Hedgewars es realmente genial para jugar partidas rápidas durante pausas o descansos; sólo recuerda no añadir muchos erizos y no usar mapas excesivamente grandes para que la partida no se alargue demasiado. Reducir la duración de los turnos o la vida inicial también puede ayudar. + Hedgewars es realmente genial para jugar partidas rápidas durante pausas o descansos; sólo recuerda no añadir muchos erizos y no usar mapas excesivamente grandes para que la partida no se alargue demasiado. Reducir la duración de los turnos o la vida inicial también puede ayudar. No hedgehogs were harmed in making this game. Tips - Ningún erizo fue lastimado durante la creación de este juego. + Ningún erizo fue lastimado durante la creación de este juego. Hedgewars is Open Source and Freeware we create in our spare time. If someone sold you the game, you should try get a refund! Tips - Hedgewars es un juego gratuito de código abierto que hemos creado en nuestro tiempo libre. Si alguien te ha vendido el juego deberías pedirle que te devuelva tu dinero. + Hedgewars es un juego gratuito de código abierto que hemos creado en nuestro tiempo libre. Si alguien te ha vendido el juego deberías pedirle que te devuelva tu dinero. Connect one or more gamepads before starting the game to be able to assign their controls to your teams. Tips - Conecta tus mandos al ordenador antes de iniciar el juego para poder asignar correctamente los controles de a equipo. + Conecta tus mandos al ordenador antes de iniciar el juego para poder asignar correctamente los controles de a equipo. Create an account on %1 to keep others from using your most favourite nickname while playing on the official server. Tips - Crea una cuenta con tu nick en %1 para evitar que otras personas puedan usarlo en el servidor oficial. + Crea una cuenta con tu nick en %1 para evitar que otras personas puedan usarlo en el servidor oficial. If your graphics card isn't able to provide hardware accelerated OpenGL, try to update the associated drivers. Tips - Si tu tarjeta gráfica no es capaz de usar aceleración gráfica mediante OpenGL prueba a instalar drivers más actualizados. + Si tu tarjeta gráfica no es capaz de usar aceleración gráfica mediante OpenGL prueba a instalar drivers más actualizados. There are three different jumps available. Tap [high jump] twice to do a very high/backwards jump. Tips - Hay tres tipos de salto en el juego. Presiona [salto alto] dos veces para realizar un salto muy alto, vertical y ligeramente hacia atrás. + Hay tres tipos de salto en el juego. Presiona [salto alto] dos veces para realizar un salto muy alto, vertical y ligeramente hacia atrás. Afraid of falling off a cliff? Hold down [precise] to turn [left] or [right] without actually moving. Tips - ¿Te da miedo caerte por una cornisa? Mantén presionado [aumentar precisión] para voltearte a [izquierda] o [derecha] sin moverte del sitio. + ¿Te da miedo caerte por una cornisa? Mantén presionado [aumentar precisión] para voltearte a [izquierda] o [derecha] sin moverte del sitio. Some weapons require special strategies or just lots of training, so don't give up on a particular tool if you miss an enemy once. Tips - Algunas armas pueden requerir estrategias especiales o mucho entrenamiento antes de ser usadas correctamente. No tires la a toalla con alguna de ellas sólo porque has fallado el tiro la primera vez. + Algunas armas pueden requerir estrategias especiales o mucho entrenamiento antes de ser usadas correctamente. No tires la a toalla con alguna de ellas sólo porque has fallado el tiro la primera vez. Most weapons won't work once they touch the water. The Homing Bee as well as the Cake are exceptions to this. Tips - La mayoría de armas se desactivarán al tocar el agua. El abejorro y la tarta son algunas de las excepciones a la regla. + La mayoría de armas se desactivarán al tocar el agua. El abejorro y la tarta son algunas de las excepciones a la regla. The Old Limbuger only causes a small explosion. However the wind affected smelly cloud can poison lots of hogs at once. Tips - La explosión del limbuger añejo es relativamente pequeña, pero produce una nube de gas venenoso que será arrastrada por el viento, siendo capaz de intoxicar a varios erizos a la vez. + La explosión del limbuger añejo es relativamente pequeña, pero produce una nube de gas venenoso que será arrastrada por el viento, siendo capaz de intoxicar a varios erizos a la vez. The Piano Strike is the most damaging air strike. You'll lose the hedgehog performing it, so there's a huge downside as well. Tips - El piano es el ataque aéreo más destructivo del juego, aunque perderás el erizo que lo lance, así que úsalo con cuidado. + El piano es el ataque aéreo más destructivo del juego, aunque perderás el erizo que lo lance, así que úsalo con cuidado. Sticky Mines are a perfect tool to create small chain reactions knocking enemy hedgehogs into dire situations ... or water. Tips - Las bombas lapa son perfectas para crear reacciones en cadena y mandar a tus enemigos al agua... o la Luna. + Las bombas lapa son perfectas para crear reacciones en cadena y mandar a tus enemigos al agua... o la Luna. The Hammer is most effective when used on bridges or girders. Hit hogs will just break through the ground. Tips - El mazo es mucho más efectivo si lo usas sobre vigas o puentes. Los erizos golpeados simplemente caerán por el agujero como Alicia por la madriguera. + El mazo es mucho más efectivo si lo usas sobre vigas o puentes. Los erizos golpeados simplemente caerán por el agujero como Alicia por la madriguera. If you're stuck behind an enemy hedgehog, use the Hammer to free yourself without getting damaged by an explosion. Tips - Si estás atrapado tras un erizo enemigo puedes usar el mazo para abrirte paso sin resultar dañado por una explosión. + Si estás atrapado tras un erizo enemigo puedes usar el mazo para abrirte paso sin resultar dañado por una explosión. The Cake's maximum walking distance depends on the ground it has to pass. Use [attack] to detonate it early. Tips - El alcance de la tarta depende de lo escarpado del terreno que tenga que atravesar, aunque puedes pulsar [atacar] para detonarla antes de que el contador llegue a cero. + El alcance de la tarta depende de lo escarpado del terreno que tenga que atravesar, aunque puedes pulsar [atacar] para detonarla antes de que el contador llegue a cero. The Flame Thrower is a weapon but it can be used for tunnel digging as well. Tips - El lanzallamas es un arma, pero puede usarse para excavar túneles en caso de necesidad. + El lanzallamas es un arma, pero puede usarse para excavar túneles en caso de necesidad. Want to know who's behind the game? Click on the Hedgewars logo in the main menu to see the credits. Tips - ¿Quieres saber quiénes son los desarrolladores del juego? Pulsa el logo del juego en la pantalla principal para ver los créditos. + ¿Quieres saber quiénes son los desarrolladores del juego? Pulsa el logo del juego en la pantalla principal para ver los créditos. Like Hedgewars? Become a fan on %1 or follow us on %2! Tips - ¿Te gusta Hedgewars? ¡Hazte fan en %1 o síguenos en %2! + ¿Te gusta Hedgewars? ¡Hazte fan en %1 o síguenos en %2! Feel free to draw your own graves, hats, flags or even maps and themes! But note that you'll have to share them somewhere to use them online. Tips - ¡Puedes dibujar tus propias tumbas, sombreros, banderas o incluso mapas y temas! Sólo ten en cuenta que el juego no es capaz de enviar archivos todavía, así que tendrás que enviar tú mismo los archivos a tus amigos para poder jugar en red con ellos. + ¡Puedes dibujar tus propias tumbas, sombreros, banderas o incluso mapas y temas! Sólo ten en cuenta que el juego no es capaz de enviar archivos todavía, así que tendrás que enviar tú mismo los archivos a tus amigos para poder jugar en red con ellos. Really want to wear a specific hat? Donate to us and receive an exclusive hat of your choice! Tips - ¿Te gustaría poder usar un sombrero especial, sólo para ti? Haz una donación y dinos qué sombrero quieres, lo dibujaremos para ti. + ¿Te gustaría poder usar un sombrero especial, sólo para ti? Haz una donación y dinos qué sombrero quieres, lo dibujaremos para ti. Keep your video card drivers up to date to avoid issues playing the game. Tips - Mantén los drivers de tu tarjeta gráfica actualizados para evitar posibles problemas con este y otros juegos. + Mantén los drivers de tu tarjeta gráfica actualizados para evitar posibles problemas con este y otros juegos. You can find your Hedgewars configuration files under "My Documents\Hedgewars". Create backups or take the files with you, but don't edit them by hand. Tips - Puedes encontrar los archivos de configuración del juego en la carpeta "Mis Documentos\Hedgewars". Haz copias de seguridad de los mismos o cópialos a otro ordenador si lo deseas, pero no intentes editarlos a mano para evitar posibles pérdidas de datos. + Puedes encontrar los archivos de configuración del juego en la carpeta "Mis Documentos\Hedgewars". Haz copias de seguridad de los mismos o cópialos a otro ordenador si lo deseas, pero no intentes editarlos a mano para evitar posibles pérdidas de datos. You're able to associate Hedgewars related files (savegames and demo recordings) with the game to launch them right from your favorite file or internet browser. Tips - Puedes asociar los tipos de archivo relacionados, partidas guardadas y demos, con Hedgewars para lanzarlos directamente desde tu gestor de archivos o navegador favoritos. + Puedes asociar los tipos de archivo relacionados, partidas guardadas y demos, con Hedgewars para lanzarlos directamente desde tu gestor de archivos o navegador favoritos. Want to save ropes? Release the rope in mid air and then shoot again. As long as you don't touch the ground you'll reuse your rope without wasting ammo! Tips - ¿Necesitas conservar cuerdas? Cuando estés usando una cuerda puedes desengancharla y volver a lanzarla de nuevo. ¡Mientras no toques el suelo seguirás usando la misma cuerda continuamente sin desperdiciar munición adicional! + ¿Necesitas conservar cuerdas? Cuando estés usando una cuerda puedes desengancharla y volver a lanzarla de nuevo. ¡Mientras no toques el suelo seguirás usando la misma cuerda continuamente sin desperdiciar munición adicional! You can find your Hedgewars configuration files under "Library/Application Support/Hedgewars" in your home directory. Create backups or take the files with you, but don't edit them by hand. Tips - Puedes encontrar los archivos de configuración del juego en la carpeta "Library/Application Support/Hedgewars" dentro de tu directorio personal. Puedes hacer copias de seguridad de los mismos o copiarlos a otro ordenador si lo deseas, pero no intentes editarlos a mano para evitar posibles pérdidas de datos. + Puedes encontrar los archivos de configuración del juego en la carpeta "Library/Application Support/Hedgewars" dentro de tu directorio personal. Puedes hacer copias de seguridad de los mismos o copiarlos a otro ordenador si lo deseas, pero no intentes editarlos a mano para evitar posibles pérdidas de datos. You can find your Hedgewars configuration files under ".hedgewars" in your home directory. Create backups or take the files with you, but don't edit them by hand. Tips - Puedes encontrar los archivos de configuración del juego en la carpeta ".hedgewars" dentro de tu directorio personal. Puedes hacer copias de seguridad de los mismos o copiarlos a otro ordenador si lo deseas, pero no intentes editarlos a mano para evitar posibles pérdidas de datos. + Puedes encontrar los archivos de configuración del juego en la carpeta ".hedgewars" dentro de tu directorio personal. Puedes hacer copias de seguridad de los mismos o copiarlos a otro ordenador si lo deseas, pero no intentes editarlos a mano para evitar posibles pérdidas de datos. The Windows version of Hedgewars supports Xfire. Make sure to add Hedgewars to its game list so your friends can see you playing. Tips - La versión de Hedgewars para Windows soporta Xfire. Recuerda agregar Hedgewars a tu lista de juegos para que tus amigos puedan saber cuándo estás jugando. + La versión de Hedgewars para Windows soporta Xfire. Recuerda agregar Hedgewars a tu lista de juegos para que tus amigos puedan saber cuándo estás jugando. Use the Molotov or Flame Thrower to temporary keep hedgehogs from passing terrain such as tunnels or platforms. Tips - Puedes usar el cóctel molotov o el lanzallamas para evitar que erizos enemigos crucen túneles angostos o puentes. + Puedes usar el cóctel molotov o el lanzallamas para evitar que erizos enemigos crucen túneles angostos o puentes. The Homing Bee can be tricky to use. Its turn radius depends on its velocity, so try to not use full power. Tips - El abejorro puede ser complicado de usar. Su maniobrabilidad depende de su velocidad, así que intenta no lanzarlo a máxima potencia. + El abejorro puede ser complicado de usar. Su maniobrabilidad depende de su velocidad, así que intenta no lanzarlo a máxima potencia. Downloadable Content Contenido adicional - Local Game - - - Play a game on a single computer - Network Game - - - Play a game across a network @@ -817,6 +1171,14 @@ Edit game preferences + + Play a game across a local area network + + + + Play a game on an official server + + PageMultiplayer @@ -824,6 +1186,10 @@ Start Empezar + + Edit game preferences + + PageNetGame @@ -835,24 +1201,24 @@ Downloadable Content Contenido adicional + + Edit game preferences + + + + Start + Empezar + PageNetType LAN game - Red local + Red local Official server - Servidor oficial - - - Join hundreds of players online! - - - - Join or host your own game server in a Local Area Network. - + Servidor oficial @@ -899,7 +1265,7 @@ General - General + General Advanced @@ -941,6 +1307,94 @@ System proxy settings + + Select an action to change what key controls it + + + + Reset to default + + + + Reset all binds + + + + Game + + + + Graphics + + + + Audio + + + + Controls + + + + Video Recording + + + + Network + + + + Teams + Equipos + + + Schemes + + + + Weapons + Set de armas + + + Frontend + + + + Custom colors + + + + Game audio + + + + Frontend audio + + + + Account + + + + Proxy settings + + + + Miscellaneous + + + + Updates + + + + Check for updates + + + + Video recording options + + PagePlayDemo @@ -1140,18 +1594,10 @@ PageSinglePlayer - Simple Game - - - Play a quick game against the computer with random settings - Multiplayer - - - Play a hotseat game against your friends, or AI teams @@ -1160,24 +1606,16 @@ - Training Mode - - - Practice your skills in a range of training missions - Demos - - - Watch recorded demos Load - Cargar + Cargar Load a previously saved game @@ -1225,14 +1663,6 @@ - Date: - - - - Size: - - - encoding @@ -1240,6 +1670,16 @@ uploading + + Date: %1 + + + + + Size: %1 + + + QAction @@ -1249,7 +1689,7 @@ Start - Empezar + Empezar Restrict Joins @@ -1300,7 +1740,7 @@ Enable sound - Habilitar sonidos del juego + Habilitar sonidos del juego Show FPS @@ -1312,11 +1752,11 @@ Enable music - Habilitar música del juego + Habilitar música del juego Frontend fullscreen - Interfaz a pantalla completa + Interfaz a pantalla completa Append date and time to record file name @@ -1332,15 +1772,15 @@ Enable frontend sounds - Habilitar sonidos del interfaz + Habilitar sonidos del interfaz Enable frontend music - Habilitar música del interfaz + Habilitar música del interfaz Frontend effects - Habilitar efectos del interfaz + Habilitar efectos del interfaz Save password @@ -1362,12 +1802,40 @@ Use game resolution + + Visual effects + + + + Sound + + + + In-game sound effects + + + + Music + + + + In-game music + + + + Frontend sound effects + + + + Frontend music + + QComboBox generated map... - Terreno aleatorio... + Terreno aleatorio... Human @@ -1383,11 +1851,11 @@ generated maze... - Laberinto aleatorio... + Laberinto aleatorio... Mission - Misión + Misión Community @@ -1407,7 +1875,7 @@ hand drawn map... - Mapa dibujado a mano... + Mapa dibujado a mano... Disabled @@ -1447,7 +1915,7 @@ Wiggle - Temblor + Temblor Red/Cyan grayscale @@ -1482,7 +1950,7 @@ Key binds - Asociaciones de teclas + Asociaciones de teclas Fort @@ -1490,11 +1958,11 @@ Teams - Equipos + Equipos Audio/Graphic options - Opciones de Audio y Gráficos + Opciones de Audio y Gráficos Net game @@ -1518,23 +1986,11 @@ Misc - Otras opciones + Otras opciones Schemes and Weapons - Modos de juego y sets de armas - - - Custom colors - - - - Miscellaneous - - - - Video recording options - + Modos de juego y sets de armas Videos @@ -1544,28 +2000,24 @@ Description - - Proxy settings - - QLabel Developers: - Desarrolladores: + Desarrolladores: Art: - Gráficos: + Gráficos: Translations: - Traducciones: + Traducciones: Special thanks: - Agradecimientos: + Agradecimientos: Weapons @@ -1601,7 +2053,7 @@ Sounds: - Sonidos: + Sonidos: Initial sound volume @@ -1641,7 +2093,7 @@ Game scheme - Modo de juego + Modo de juego % Dud Mines @@ -1681,7 +2133,7 @@ This development build is 'work in progress' and may not be compatible with other versions of the game. Some features might be broken or incomplete. Use at your own risk! - Esta es una versión experimental del juego y puede no ser compatible con otras versiones del mismo, + Esta es una versión experimental del juego y puede no ser compatible con otras versiones del mismo, así como carecer de algunas funcionalidades o simplemente funcionar mal. ¡Úsalo bajo tu propia responsabilidad! @@ -1760,10 +2212,6 @@ - Summary - - - Description @@ -1791,6 +2239,38 @@ Bitrate (Kbps) + + This development build is 'work in progress' and may not be compatible with other versions of the game, while some features might be broken or incomplete! + + + + Fullscreen + Pantalla completa + + + Fullscreen Resolution + + + + Windowed Resolution + + + + Your Email + + + + Summary + + + + Send system information + + + + Type the security code: + + QLineEdit @@ -1829,10 +2309,6 @@ No se pudieron asociar los tipos de fichero. - Please fill out all fields - - - Error while authenticating at google.com: @@ -1879,18 +2355,6 @@ - Successfully posted the issue on hedgewars.googlecode.com - - - - Error during authentication at google.com - - - - Error reporting the issue, please try again later (or visit hedgewars.googlecode.com directly) - - - Main - Error @@ -2038,16 +2502,48 @@ Do you really want to delete the weapon set '%1'? + + Hedgewars - Nick not registered + + + + System Information Preview + + + + Failed to generate captcha + + + + Failed to download captcha + + + + Please fill out all fields. Email is optional. + + + + Hedgewars - Warning + + + + Hedgewars - Information + + + + Hedgewars + + QObject Nickname - Nick + Nick Please enter your nickname - Por favor introduce tu nick + Por favor introduce tu nick @@ -2106,15 +2602,15 @@ Setup - Configuración + Configuración Ready - Listo + Listo Random Team - Equipo aleatorio + Equipo aleatorio Associate file extensions @@ -2122,7 +2618,7 @@ more - más + más More info @@ -2217,6 +2713,25 @@ + SeedPrompt + + The map seed is the basis for all random values generated by the game. + + + + Cancel + Cancelar + + + Set seed + + + + Close + + + + SelWeaponWidget Weapon set @@ -2244,106 +2759,124 @@ + TeamShowWidget + + %1's team + + + + + ThemePrompt + + Select a theme for this map + + + + Cancel + Cancelar + + + ToggleButtonWidget Vampirism - Vampirismo + Vampirismo Karma - Karma + Karma Artillery - Artillería + Artillería Fort Mode - Fuertes + Fuertes Divide Teams - Separar equipos + Separar equipos Solid Land - Terreno indestructible + Terreno indestructible Add Border - Añadir borde + Añadir borde Low Gravity - Baja gravedad + Baja gravedad Laser Sight - Mira láser + Mira láser Invulnerable - Invulnerabilidad + Invulnerabilidad Random Order - Orden aleatorio + Orden aleatorio King - Rey + Rey Place Hedgehogs - Posicionar erizos + Posicionar erizos Clan Shares Ammo - Compartir munición + Compartir munición Disable Girders - Deshabilitar vigas + Deshabilitar vigas Disable Land Objects - Deshabilitar decoraciones + Deshabilitar decoraciones AI Survival Mode - Supervivencia contra la computadora + Supervivencia contra la computadora Unlimited Attacks - Ataques ilimitados + Ataques ilimitados Reset Weapons - Reiniciar munición + Reiniciar munición Per Hedgehog Ammo - Munición individualizada + Munición individualizada Reset Health - Restaurar salud + Restaurar salud Disable Wind - Deshabilitar viento + Deshabilitar viento More Wind - Más viento + Más viento Tag Team - Tag team + Tag team Add Bottom Border - Añadir borde inferior + Añadir borde inferior @@ -2463,7 +2996,7 @@ hedgehogs info - información de + información de los erizos @@ -2518,31 +3051,51 @@ record + + hedgehog info + + binds (categories) Basic controls - Controles básicos + Controles básicos Weapon controls - Armas + Armas Camera and cursor controls - Cámara y cursor + Cámara y cursor Other - Otros + Otros + + + Movement + + + + Weapons + Set de armas + + + Camera + + + + Miscellaneous + binds (descriptions) Move your hogs and aim: - Mueve tus erizos y apunta: + Mueve tus erizos y apunta: Traverse gaps and obstacles by jumping: @@ -2608,6 +3161,10 @@ Record video: + + Hedgehog movement + + binds (keys) @@ -2928,4 +3485,119 @@ DPad + + server + + Illegal nickname + + + + Protocol already known + + + + Bad number + + + + bye + + + + Empty config entry + + + + Not room master + + + + Corrupted hedgehogs info + + + + too many teams + + + + too many hedgehogs + + + + There's already a team with same name in the list + + + + round in progress + + + + restricted + + + + REMOVE_TEAM: no such team + + + + Not team owner! + + + + Less than two clans! + + + + Room with such name already exists + + + + Illegal room name + + + + No such room + + + + Joining restricted + + + + Registered users only + + + + You are banned in this room + + + + Nickname is already in use + + + + No checker rights + + + + Authentication failed + + + + 60 seconds cooldown after kick + + + + kicked + + + + Ping timeout + + + + Nickname already chosen + + + diff -r 33ab77c0b486 -r 87410ae372f6 share/hedgewars/Data/Locale/hedgewars_fi.ts --- a/share/hedgewars/Data/Locale/hedgewars_fi.ts Fri Jan 18 11:47:23 2013 +0100 +++ b/share/hedgewars/Data/Locale/hedgewars_fi.ts Sat Jan 19 00:51:28 2013 +0400 @@ -20,6 +20,115 @@ + BanDialog + + 10 minutes + + + + 30 minutes + + + + 1 hour + + + + 3 hours + + + + 5 hours + + + + 24 hours + + + + 3 days + + + + 7 days + + + + 14 days + + + + permanent + + + + IP + IP + + + Nick + + + + IP/Nick + + + + Reason + + + + Duration + + + + Ok + + + + Cancel + Peruuta + + + you know why + + + + Warning + + + + Please, specify %1 + + + + nickname + + + + + DataManager + + Use Default + + + + + FeedbackDialog + + View + + + + Cancel + Peruuta + + + Send Feedback + + + + FreqSpinBox Never @@ -44,13 +153,13 @@ Muokkaa kaavaa - When this option is enabled selecting a game scheme will auto-select a weapon - - - Game Options + + Game scheme will auto-select a weapon + + HWAskQuitDialog @@ -101,10 +210,6 @@ Failed to save StyleSheet to %1 - - %1 is not a valid command! - - HWForm @@ -143,16 +248,12 @@ registered on Hedgewars.org Please provide your password below or pick another nickname in game config: - Nimimerkkisi %1 on + Nimimerkkisi %1 on rekisteröity Hedgewars.org-sivustolla Ole hyvä ja syötä salasanasi tai aseta eri nimimerkki asetuksissa: - No password supplied. - - - Nickname Nimimerkki @@ -165,6 +266,59 @@ Please pick another nickname: + + %1's Team + + + + Hedgewars - Nick registered + + + + This nick is registered, and you haven't specified a password. + +If this nick isn't yours, please register your own nick at www.hedgewars.org + +Password: + + + + Your nickname is not registered. +To prevent someone else from using it, +please register it at www.hedgewars.org + + + + + +Your password wasn't saved either. + + + + Hedgewars - Empty nickname + + + + Hedgewars - Wrong password + + + + You entered a wrong password. + + + + Try Again + + + + Hedgewars - Connection error + + + + You reconnected too fast. +Please wait a few seconds and try again. + + HWGame @@ -181,11 +335,11 @@ HWMapContainer Map - Kartta + Kartta Filter - Suodatin + Suodatin All @@ -213,11 +367,11 @@ Themes - Teemat + Teemat Type - Tyyppi + Tyyppi Small tunnels @@ -229,26 +383,110 @@ Large tunnels - Laajoja tunneleita + Laajoja tunneleita Small floating islands - Pieniä kelluvia saaria + Pieniä kelluvia saaria Medium floating islands - Keskikokoisia kelluvia saaria + Keskikokoisia kelluvia saaria Large floating islands - Suuria kelluvia saaria + Suuria kelluvia saaria Seed - Set + Map type: + + + + Image map + + + + Mission map + + + + Hand-drawn + + + + Randomly generated + + + + Random maze + + + + Random + Satunnainen + + + Map preview: + + + + Load map drawing + + + + Edit map drawing + + + + Largetunnels + + + + Small islands + + + + Medium islands + + + + Large islands + + + + Map size: + + + + Maze style: + + + + Mission: + + + + Map: + + + + Theme: + + + + Load drawn map + + + + Drawn Maps + + + + All files @@ -322,7 +560,11 @@ HWPasswordDialog Password - Salasana + Salasana + + + Login + @@ -337,6 +579,32 @@ + HatButton + + Change hat (%1) + + + + + HatPrompt + + Select a hat + + + + Filter: + + + + Cancel + Peruuta + + + Use selected hat + + + + KB SDL_ttf returned error while rendering text, most propably it is related to the bug in freetype2. It's recommended to update your freetype lib. @@ -344,6 +612,13 @@ + KeyBinder + + Category + + + + LibavInteraction Duration: %1m %2s @@ -362,6 +637,17 @@ Audio: + + unknown + + + + + MapModel + + No description available. + + PageAdmin @@ -393,6 +679,38 @@ Set data Aseta tiedot + + General + Yleiset + + + Bans + + + + IP/Nick + + + + Expiration + + + + Reason + + + + Refresh + + + + Add + + + + Remove + + PageConnecting @@ -448,7 +766,43 @@ Advanced - Lisäasetukset + Lisäasetukset + + + Select an action to choose a custom key bind for this team + + + + Use my default + + + + Reset all binds + + + + Custom Controls + + + + Hat + Hattu + + + Name + Nimi + + + This hedgehog's name + + + + Randomize this hedgehog's name + + + + Random Team + Satunnainen joukkue @@ -531,265 +885,212 @@ Simply pick the same color as a friend to play together as a team. Each of you will still control his or her own hedgehogs but they'll win or lose together. Tips - Valitse sama väri kaverisi kanssa pelataksesi samassa joukkueessa. Kumpikin ohjaa omia siilejään, mutta voitatte ja häviätte yhdessä. + Valitse sama väri kaverisi kanssa pelataksesi samassa joukkueessa. Kumpikin ohjaa omia siilejään, mutta voitatte ja häviätte yhdessä. Some weapons might do only low damage but they can be a lot more devastating in the right situation. Try to use the Desert Eagle to knock multiple hedgehogs into the water. Tips - Jotkut aseet tekevät vain vähän vahinkoa, mutta voivat olla tuhoisampia oikeassa tilanteessa. Kokeile ampua useampi siili veteen Desert Eaglella. + Jotkut aseet tekevät vain vähän vahinkoa, mutta voivat olla tuhoisampia oikeassa tilanteessa. Kokeile ampua useampi siili veteen Desert Eaglella. If you're unsure what to do and don't want to waste ammo, skip one round. But don't let too much time pass as there will be Sudden Death! Tips - Jos et tiedä mitä tehdä etkä halua tuhlata ammuksia, jätä vuoro väliin. Mutta älä anna ajan kulua liikaa koska Äkkikuolema koittaa ennemmin tai myöhemmin! + Jos et tiedä mitä tehdä etkä halua tuhlata ammuksia, jätä vuoro väliin. Mutta älä anna ajan kulua liikaa koska Äkkikuolema koittaa ennemmin tai myöhemmin! If you'd like to keep others from using your preferred nickname on the official server, register an account at http://www.hedgewars.org/. Tips - Jos haluat estää muita käyttämästä nimimerkkiäsi virallisella palvelimella, rekisteröi tunnus osoitteessa http://www.hedgewars.org/. + Jos haluat estää muita käyttämästä nimimerkkiäsi virallisella palvelimella, rekisteröi tunnus osoitteessa http://www.hedgewars.org/. You're bored of default gameplay? Try one of the missions - they'll offer different gameplay depending on the one you picked. Tips - Kyllästyttääkö normaali peli? Kokeila tehtäviä - Ne tarjoaa erilaisia pelitapoja riippuen valinnasta. + Kyllästyttääkö normaali peli? Kokeila tehtäviä - Ne tarjoaa erilaisia pelitapoja riippuen valinnasta. By default the game will always record the last game played as a demo. Select 'Local Game' and pick the 'Demos' button on the lower right corner to play or manage them. Tips - Oletuksena viimeisin peli nauhoitetaan demoksi. Valitse 'Demot' vasemmasta alakulmasta katsoaksesi ja hallitaksesi niitä. + Oletuksena viimeisin peli nauhoitetaan demoksi. Valitse 'Demot' vasemmasta alakulmasta katsoaksesi ja hallitaksesi niitä. Hedgewars is Open Source and Freeware we create in our spare time. If you've got problems, ask on our forums but please don't expect 24/7 support! Tips - Hedgewars on avointa lähdekoodia ja ilmainen ohjelma jota me luomme vapaa-aikanamme. Jos sinulla on ongelmia, kysy keskustelualueilta apua, mutta älä odota 24/7-tukea! + Hedgewars on avointa lähdekoodia ja ilmainen ohjelma jota me luomme vapaa-aikanamme. Jos sinulla on ongelmia, kysy keskustelualueilta apua, mutta älä odota 24/7-tukea! Hedgewars is Open Source and Freeware we create in our spare time. If you like it, help us with a small donation or contribute your own work! Tips - Hedgewars on avointa lähdekoodia ja ilmainen ohjelma jota me luomme vapaa-aikanamme. Jos pidät siitä, voit auttaa meitä pienellä lahjoituksella tai omaa työllä! + Hedgewars on avointa lähdekoodia ja ilmainen ohjelma jota me luomme vapaa-aikanamme. Jos pidät siitä, voit auttaa meitä pienellä lahjoituksella tai omaa työllä! Hedgewars is Open Source and Freeware we create in our spare time. Share it with your family and friends as you like! Tips - Hedgewars on avointa lähdekoodia ja ilmainen ohjelma jota me luomme vapaa-aikanamme. Jaa sitä perheesi ja ystäviesi kesken miten haluat! + Hedgewars on avointa lähdekoodia ja ilmainen ohjelma jota me luomme vapaa-aikanamme. Jaa sitä perheesi ja ystäviesi kesken miten haluat! From time to time there will be official tournaments. Upcoming events will be announced at http://www.hedgewars.org/ some days in advance. Tips - Toisinaan järjestetään virallisia turnauksia. Tulevista tapahtumista tiedotetaan osoitteessa http://www.hedgewars.org/ muutama päivä etukäteen. + Toisinaan järjestetään virallisia turnauksia. Tulevista tapahtumista tiedotetaan osoitteessa http://www.hedgewars.org/ muutama päivä etukäteen. Hedgewars is available in many languages. If the translation in your language seems to be missing or outdated, feel free to contact us! Tips - Hedgewars on saatavilla monilla kielillä. Jos oman kielinen käännös puuttuu tai on vanhentunut, ota yhteyttä! + Hedgewars on saatavilla monilla kielillä. Jos oman kielinen käännös puuttuu tai on vanhentunut, ota yhteyttä! Hedgewars can be run on lots of different operating systems including Microsoft Windows, Mac OS X and Linux. Tips - Hedgewars toimii useilla eri käyttöjärjestelmillä, kuten Microsoft Windowsissa, Mac OS X:ssä ja Linuxissa. + Hedgewars toimii useilla eri käyttöjärjestelmillä, kuten Microsoft Windowsissa, Mac OS X:ssä ja Linuxissa. Always remember you're able to set up your own games in local and network/online play. You're not restricted to the 'Simple Game' option. Tips - Muista että voit aina luoda oman pelisi paikallisesti ja verkkopelissä. Et ole rajoitettu yksinkertaiseen peliin. + Muista että voit aina luoda oman pelisi paikallisesti ja verkkopelissä. Et ole rajoitettu yksinkertaiseen peliin. While playing you should give yourself a short break at least once an hour. Tips - Pelatessa sinun pitäisi pitää lyhyt tauko vähintään kerran tunnissa. + Pelatessa sinun pitäisi pitää lyhyt tauko vähintään kerran tunnissa. If your graphics card isn't able to provide hardware accelerated OpenGL, try to enable the low quality mode to improve performance. Tips - Jos näytönohjaimesi ei tarjoa laitteistokiihdytettä OpenGL:ää, kokeile heikennetyn laadun tilaa parantaaksesi suorituskykyä. + Jos näytönohjaimesi ei tarjoa laitteistokiihdytettä OpenGL:ää, kokeile heikennetyn laadun tilaa parantaaksesi suorituskykyä. We're open to suggestions and constructive feedback. If you don't like something or got a great idea, let us know! Tips - Me olemme avoimia ehdotuksille ja rakentavalle palautteelle. Jos et pidä jostain tai sinulla on loistava idea, kerro meille! + Me olemme avoimia ehdotuksille ja rakentavalle palautteelle. Jos et pidä jostain tai sinulla on loistava idea, kerro meille! Especially while playing online be polite and always remember there might be some minors playing with or against you as well! Tips - Erityisesti verkossa pelattaessa ole kohtelias ja muista että alaikäisiä saattaa myös olla pelaamassa. + Erityisesti verkossa pelattaessa ole kohtelias ja muista että alaikäisiä saattaa myös olla pelaamassa. Special game modes such as 'Vampirism' or 'Karma' allow you to develop completely new tactics. Try them in a custom game! Tips - Erityispelimoodit kuten 'Vampyrismi' ja 'Karma' mahdollistavat kokonaan uusien taktiikoiden kehittämisen. Kokeile niitä muokatussa pelissä! + Erityispelimoodit kuten 'Vampyrismi' ja 'Karma' mahdollistavat kokonaan uusien taktiikoiden kehittämisen. Kokeile niitä muokatussa pelissä! You should never install Hedgewars on computers you don't own (school, university, work, etc.). Please ask the responsible person instead! Tips - Sinun ei ikinä tulisi asentaa Hedgewarsia tietokoneille joita et omista (koulu, yliopisto, työpaikka jne.). Ole hvä ja pyydä vastuuhenkilöä tekemään se! + Sinun ei ikinä tulisi asentaa Hedgewarsia tietokoneille joita et omista (koulu, yliopisto, työpaikka jne.). Ole hvä ja pyydä vastuuhenkilöä tekemään se! Hedgewars can be perfect for short games during breaks. Just ensure you don't add too many hedgehogs or use an huge map. Reducing time and health might help as well. Tips - Hedgewars voi olla täydellinen peli tauoille. Mutta varmista ettet lisää liian montaa siiltä ta käytä liian suurta karttaa. Ajan ja terveyden vähentäminen voi myös auttaa. + Hedgewars voi olla täydellinen peli tauoille. Mutta varmista ettet lisää liian montaa siiltä ta käytä liian suurta karttaa. Ajan ja terveyden vähentäminen voi myös auttaa. No hedgehogs were harmed in making this game. Tips - Yhtään siiliä ei vahingoitettu tämän pelin tekemisen aikana. + Yhtään siiliä ei vahingoitettu tämän pelin tekemisen aikana. Hedgewars is Open Source and Freeware we create in our spare time. If someone sold you the game, you should try get a refund! Tips - Hedgewars on avointa lähdekoodia ja ilmainen ohjelma jota me luomme vapaa-aikanamme. Jos joku myi sinulle tämän pelin, koita saada rahasi takaisin! + Hedgewars on avointa lähdekoodia ja ilmainen ohjelma jota me luomme vapaa-aikanamme. Jos joku myi sinulle tämän pelin, koita saada rahasi takaisin! Connect one or more gamepads before starting the game to be able to assign their controls to your teams. Tips - Yhdistä yksi tai useampi peliohjain ennen pelin käynnistämistä liittääksesi niiden kontrollit omaan joukkueeseesi. + Yhdistä yksi tai useampi peliohjain ennen pelin käynnistämistä liittääksesi niiden kontrollit omaan joukkueeseesi. Create an account on %1 to keep others from using your most favourite nickname while playing on the official server. Tips - Luo käyttäjätili osoitteessa %1 estääksesi muita käyttämästä suosikkinimimerkkiäsi pelatessasi virallisella palvelimella. + Luo käyttäjätili osoitteessa %1 estääksesi muita käyttämästä suosikkinimimerkkiäsi pelatessasi virallisella palvelimella. If your graphics card isn't able to provide hardware accelerated OpenGL, try to update the associated drivers. Tips - Jos näytönohjaimesi ei tue laitteistokiihdytettyä OpenGL:ää, kokeile päivittää ajurit. + Jos näytönohjaimesi ei tue laitteistokiihdytettyä OpenGL:ää, kokeile päivittää ajurit. There are three different jumps available. Tap [high jump] twice to do a very high/backwards jump. Tips - Hyppyjä on saatavilla kolmea erilaista. Napauta [korkea hyppy]-nappai kahdesti tehdäksesi todella korkean/taaksepäin hypyn. + Hyppyjä on saatavilla kolmea erilaista. Napauta [korkea hyppy]-nappai kahdesti tehdäksesi todella korkean/taaksepäin hypyn. Afraid of falling off a cliff? Hold down [precise] to turn [left] or [right] without actually moving. Tips - Pelkäätkö että putoat kielekkeeltä? Pidä [tarkkuus]-näppäintä pohjassa kääntyäksesi [vasemmalle] ja [oikealle] liikkumatta. + Pelkäätkö että putoat kielekkeeltä? Pidä [tarkkuus]-näppäintä pohjassa kääntyäksesi [vasemmalle] ja [oikealle] liikkumatta. Some weapons require special strategies or just lots of training, so don't give up on a particular tool if you miss an enemy once. Tips - Jotkut aseet vaativat erityisstrategiaa tai todella paljon harjoittelua, joten älä anna periksi vaikka et kerran osuisikaan. - - - Most weapons won't work once they touch the water. The Homing Bee as well as the Cake are exceptions to this. - Tips - + Jotkut aseet vaativat erityisstrategiaa tai todella paljon harjoittelua, joten älä anna periksi vaikka et kerran osuisikaan. The Old Limbuger only causes a small explosion. However the wind affected smelly cloud can poison lots of hogs at once. Tips - Vanha Limburger-juusto aiheuttaa vain pienen räjähdyksen, mutta tuulen vaikuttama hajupilvi voi myrkyttää suuren määrän siiliä kerralla. + Vanha Limburger-juusto aiheuttaa vain pienen räjähdyksen, mutta tuulen vaikuttama hajupilvi voi myrkyttää suuren määrän siiliä kerralla. The Piano Strike is the most damaging air strike. You'll lose the hedgehog performing it, so there's a huge downside as well. Tips - Pianoisku on vahingollisin ilmaisku. Menetät siilen joka sen esittää, joten sillä on myös suuri huono puoli. + Pianoisku on vahingollisin ilmaisku. Menetät siilen joka sen esittää, joten sillä on myös suuri huono puoli. Sticky Mines are a perfect tool to create small chain reactions knocking enemy hedgehogs into dire situations ... or water. Tips - Tarttuvat miinat ovat täydellinen työkalu luomaan pieniä ketjureaktioita jotka vie vihollissiilit kauheisiin tilanteisiin...tai veteen. + Tarttuvat miinat ovat täydellinen työkalu luomaan pieniä ketjureaktioita jotka vie vihollissiilit kauheisiin tilanteisiin...tai veteen. The Hammer is most effective when used on bridges or girders. Hit hogs will just break through the ground. Tips - Vasara on tehokkaimmillaan silloilla ja palkeilla. Lyödyt siilit iskeytyvät maan läpi. + Vasara on tehokkaimmillaan silloilla ja palkeilla. Lyödyt siilit iskeytyvät maan läpi. If you're stuck behind an enemy hedgehog, use the Hammer to free yourself without getting damaged by an explosion. Tips - Jos olet jumissa vihollissiilin takana, käytä vasaraa vapauttaaksesi itsesi ilman että vahingoidut räjädyksen voimasta. + Jos olet jumissa vihollissiilin takana, käytä vasaraa vapauttaaksesi itsesi ilman että vahingoidut räjädyksen voimasta. The Cake's maximum walking distance depends on the ground it has to pass. Use [attack] to detonate it early. Tips - Kakun pisin mahdollinen kulkumatka riippuu maastosta. Käytä [hyökkäystä] räjäyttääksesi sen aikaisemmin. + Kakun pisin mahdollinen kulkumatka riippuu maastosta. Käytä [hyökkäystä] räjäyttääksesi sen aikaisemmin. The Flame Thrower is a weapon but it can be used for tunnel digging as well. Tips - Liekinheitin on ase mutta sitä voi käyttää myös tunneleiden kaivamiseen. + Liekinheitin on ase mutta sitä voi käyttää myös tunneleiden kaivamiseen. Want to know who's behind the game? Click on the Hedgewars logo in the main menu to see the credits. Tips - Haluatko tietää ketkä ovat pelin takana? Klikkaa Hedgewars-logoa päävalikossa nähdäksesi tekijäluettelon. - - - Like Hedgewars? Become a fan on %1 or follow us on %2! - Tips - + Haluatko tietää ketkä ovat pelin takana? Klikkaa Hedgewars-logoa päävalikossa nähdäksesi tekijäluettelon. Feel free to draw your own graves, hats, flags or even maps and themes! But note that you'll have to share them somewhere to use them online. Tips - Piirrä vapaasti omia hautoja, hattuja, lippuja ja jopa karttoja ja teemoja! Mutta huomaa että sinun pitää jakaa ne jossain käyttääksesi niitä verkossa. + Piirrä vapaasti omia hautoja, hattuja, lippuja ja jopa karttoja ja teemoja! Mutta huomaa että sinun pitää jakaa ne jossain käyttääksesi niitä verkossa. Really want to wear a specific hat? Donate to us and receive an exclusive hat of your choice! Tips - Haluatko todella pitää tiettyä hattua? Lahjoita meille niin saat yksinoikeudella vapaavalintaisen hatun! + Haluatko todella pitää tiettyä hattua? Lahjoita meille niin saat yksinoikeudella vapaavalintaisen hatun! Keep your video card drivers up to date to avoid issues playing the game. Tips - Pidä näytönohjaimesi ajurit ajantasall välttääksesi ongelmat pelin pelaamisessa. + Pidä näytönohjaimesi ajurit ajantasall välttääksesi ongelmat pelin pelaamisessa. You can find your Hedgewars configuration files under "My Documents\Hedgewars". Create backups or take the files with you, but don't edit them by hand. Tips - Löydät Hedgewars-asetustiedostot hakemistosta "Omat tiedostot\Hedgewars". Ota varmuuskopio tai ota ne mukaasi, mutta älä muokkaa niitä käsin. - - - You're able to associate Hedgewars related files (savegames and demo recordings) with the game to launch them right from your favorite file or internet browser. - Tips - - - - Want to save ropes? Release the rope in mid air and then shoot again. As long as you don't touch the ground you'll reuse your rope without wasting ammo! - Tips - - - - You can find your Hedgewars configuration files under "Library/Application Support/Hedgewars" in your home directory. Create backups or take the files with you, but don't edit them by hand. - Tips - - - - You can find your Hedgewars configuration files under ".hedgewars" in your home directory. Create backups or take the files with you, but don't edit them by hand. - Tips - - - - The Windows version of Hedgewars supports Xfire. Make sure to add Hedgewars to its game list so your friends can see you playing. - Tips - - - - Use the Molotov or Flame Thrower to temporary keep hedgehogs from passing terrain such as tunnels or platforms. - Tips - - - - The Homing Bee can be tricky to use. Its turn radius depends on its velocity, so try to not use full power. - Tips - + Löydät Hedgewars-asetustiedostot hakemistosta "Omat tiedostot\Hedgewars". Ota varmuuskopio tai ota ne mukaasi, mutta älä muokkaa niitä käsin. Downloadable Content - Local Game - - - Play a game on a single computer - Network Game - - - Play a game across a network @@ -817,6 +1118,14 @@ Edit game preferences + + Play a game across a local area network + + + + Play a game on an official server + + PageMultiplayer @@ -824,6 +1133,10 @@ Start Aloita + + Edit game preferences + + PageNetGame @@ -831,24 +1144,24 @@ Control Säädöt + + Edit game preferences + + + + Start + + PageNetType LAN game - Lähiverkkopeli + Lähiverkkopeli Official server - Virallinen palvelin - - - Join hundreds of players online! - - - - Join or host your own game server in a Local Area Network. - + Virallinen palvelin @@ -895,7 +1208,7 @@ General - Yleiset + Yleiset Advanced @@ -937,6 +1250,94 @@ System proxy settings + + Select an action to change what key controls it + + + + Reset to default + + + + Reset all binds + + + + Game + + + + Graphics + + + + Audio + + + + Controls + + + + Video Recording + + + + Network + + + + Teams + Joukkueet + + + Schemes + + + + Weapons + Aseet + + + Frontend + + + + Custom colors + + + + Game audio + + + + Frontend audio + + + + Account + + + + Proxy settings + + + + Miscellaneous + + + + Updates + + + + Check for updates + + + + Video recording options + + PagePlayDemo @@ -1136,18 +1537,10 @@ PageSinglePlayer - Simple Game - - - Play a quick game against the computer with random settings - Multiplayer - - - Play a hotseat game against your friends, or AI teams @@ -1156,24 +1549,16 @@ - Training Mode - - - Practice your skills in a range of training missions - Demos - - - Watch recorded demos Load - Lataa + Lataa Load a previously saved game @@ -1221,14 +1606,6 @@ - Date: - - - - Size: - - - encoding @@ -1236,6 +1613,16 @@ uploading + + Date: %1 + + + + + Size: %1 + + + QAction @@ -1249,7 +1636,7 @@ Start - Aloita + Aloita Restrict Joins @@ -1300,15 +1687,15 @@ Frontend fullscreen - Koko ruutu käyttöliittymälle + Koko ruutu käyttöliittymälle Enable sound - Äänet päälle + Äänet päälle Enable music - Musiikki päälle + Musiikki päälle Show FPS @@ -1328,15 +1715,15 @@ Enable frontend sounds - Kytke käyttöliittymän äänet päälle + Kytke käyttöliittymän äänet päälle Enable frontend music - Kytke käyttöliittymän musiikki päälle + Kytke käyttöliittymän musiikki päälle Frontend effects - Käyttöliittymän tehosteet + Käyttöliittymän tehosteet Save password @@ -1358,12 +1745,40 @@ Use game resolution + + Visual effects + + + + Sound + + + + In-game sound effects + + + + Music + + + + In-game music + + + + Frontend sound effects + + + + Frontend music + + QComboBox generated map... - generoitu kartta... + generoitu kartta... Human @@ -1379,11 +1794,11 @@ generated maze... - Generoitu sokkelo... + Generoitu sokkelo... Mission - Tehtävä + Tehtävä Community @@ -1402,10 +1817,6 @@ Kesken - hand drawn map... - - - Disabled @@ -1442,10 +1853,6 @@ - Wiggle - - - Red/Cyan grayscale @@ -1482,11 +1889,11 @@ Key binds - Näppäinasettelut + Näppäinasettelut Teams - Joukkueet + Joukkueet Net game @@ -1498,7 +1905,7 @@ Audio/Graphic options - Ääni/grafiikka-asetukset + Ääni/grafiikka-asetukset Game Modifiers @@ -1514,23 +1921,7 @@ Misc - Muut - - - Schemes and Weapons - - - - Custom colors - - - - Miscellaneous - - - - Video recording options - + Muut Videos @@ -1540,10 +1931,6 @@ Description - - Proxy settings - - QLabel @@ -1561,23 +1948,23 @@ Developers: - Kehittäjät: + Kehittäjät: Art: - Taide: + Taide: Sounds: - Äänet: + Äänet: Translations: - Käännökset: + Käännökset: Special thanks: - Erikoiskiitokset: + Erikoiskiitokset: Weapons @@ -1637,7 +2024,7 @@ Game scheme - Pelikaava + Pelikaava % Dud Mines @@ -1677,7 +2064,7 @@ This development build is 'work in progress' and may not be compatible with other versions of the game. Some features might be broken or incomplete. Use at your own risk! - Tämä kehitysversio on keskeneräinen ja ei välttämättä ole yhteensopiva muiden versioiden kanssa. Jotkut ominaisuudet voivat olla rikki tai kesken. Käytä omalla vastuulla! + Tämä kehitysversio on keskeneräinen ja ei välttämättä ole yhteensopiva muiden versioiden kanssa. Jotkut ominaisuudet voivat olla rikki tai kesken. Käytä omalla vastuulla! Quality @@ -1754,10 +2141,6 @@ - Summary - - - Description @@ -1785,6 +2168,38 @@ Bitrate (Kbps) + + This development build is 'work in progress' and may not be compatible with other versions of the game, while some features might be broken or incomplete! + + + + Fullscreen + Koko ruutu + + + Fullscreen Resolution + + + + Windowed Resolution + + + + Your Email + + + + Summary + + + + Send system information + + + + Type the security code: + + QLineEdit @@ -1823,10 +2238,6 @@ - Please fill out all fields - - - Error while authenticating at google.com: @@ -1873,18 +2284,6 @@ - Successfully posted the issue on hedgewars.googlecode.com - - - - Error during authentication at google.com - - - - Error reporting the issue, please try again later (or visit hedgewars.googlecode.com directly) - - - Main - Error @@ -2032,16 +2431,48 @@ Do you really want to delete the weapon set '%1'? + + Hedgewars - Nick not registered + + + + System Information Preview + + + + Failed to generate captcha + + + + Failed to download captcha + + + + Please fill out all fields. Email is optional. + + + + Hedgewars - Warning + + + + Hedgewars - Information + + + + Hedgewars + + QObject Nickname - Nimimerkki + Nimimerkki Please enter your nickname - Ole hyvä ja syötä nimimerkkisi + Ole hyvä ja syötä nimimerkkisi @@ -2100,25 +2531,21 @@ Setup - Asetukset + Asetukset Ready - Valmis + Valmis Random Team - Satunnainen joukkue + Satunnainen joukkue Associate file extensions - more - - - More info @@ -2211,6 +2638,25 @@ + SeedPrompt + + The map seed is the basis for all random values generated by the game. + + + + Cancel + Peruuta + + + Set seed + + + + Close + + + + SelWeaponWidget Weapon set @@ -2238,106 +2684,92 @@ + TeamShowWidget + + %1's team + + + + + ThemePrompt + + Select a theme for this map + + + + Cancel + Peruuta + + + ToggleButtonWidget Vampirism - Vampyrismi + Vampyrismi Karma - Karma + Karma Artillery - Tykistö + Tykistö Fort Mode - Linnoitustila + Linnoitustila Divide Teams - Jaa joukkueet + Jaa joukkueet Solid Land - Tuhoutumaton maa + Tuhoutumaton maa Add Border - Lisää reunat + Lisää reunat Low Gravity - Matala painovoima + Matala painovoima Laser Sight - Lasertähtäin + Lasertähtäin Invulnerable - Vahingoittumaton + Vahingoittumaton Random Order - Satunnainen Järjestys + Satunnainen Järjestys King - Kuningas + Kuningas Place Hedgehogs - Sijoita siilet + Sijoita siilet Clan Shares Ammo - Saman väriset jakavat ammukset + Saman väriset jakavat ammukset Disable Girders - Ei palkkeja + Ei palkkeja Disable Land Objects - Ei maaobjekteja + Ei maaobjekteja AI Survival Mode - Tekoäly selviytymistila - - - Reset Health - - - - Unlimited Attacks - - - - Reset Weapons - - - - Per Hedgehog Ammo - - - - Disable Wind - - - - More Wind - - - - Tag Team - - - - Add Bottom Border - + Tekoäly selviytymistila @@ -2473,7 +2905,7 @@ hedgehogs info - siilien + siilien tiedot @@ -2512,31 +2944,51 @@ record + + hedgehog info + + binds (categories) Basic controls - Peruskontrollit + Peruskontrollit Weapon controls - Asekontrollit + Asekontrollit Camera and cursor controls - Kameran ja kursorin kontrollit + Kameran ja kursorin kontrollit Other - Muu + Muu + + + Movement + + + + Weapons + Aseet + + + Camera + + + + Miscellaneous + binds (descriptions) Move your hogs and aim: - Liikuta siiliäsi ja tähtää: + Liikuta siiliäsi ja tähtää: Traverse gaps and obstacles by jumping: @@ -2602,6 +3054,10 @@ Record video: + + Hedgehog movement + + binds (keys) @@ -2922,4 +3378,119 @@ Hiiri: Vasen nappi + + server + + Illegal nickname + + + + Protocol already known + + + + Bad number + + + + bye + + + + Empty config entry + + + + Not room master + + + + Corrupted hedgehogs info + + + + too many teams + + + + too many hedgehogs + + + + There's already a team with same name in the list + + + + round in progress + + + + restricted + + + + REMOVE_TEAM: no such team + + + + Not team owner! + + + + Less than two clans! + + + + Room with such name already exists + + + + Illegal room name + + + + No such room + + + + Joining restricted + + + + Registered users only + + + + You are banned in this room + + + + Nickname is already in use + + + + No checker rights + + + + Authentication failed + + + + 60 seconds cooldown after kick + + + + kicked + + + + Ping timeout + + + + Nickname already chosen + + + diff -r 33ab77c0b486 -r 87410ae372f6 share/hedgewars/Data/Locale/hedgewars_fr.ts --- a/share/hedgewars/Data/Locale/hedgewars_fr.ts Fri Jan 18 11:47:23 2013 +0100 +++ b/share/hedgewars/Data/Locale/hedgewars_fr.ts Sat Jan 19 00:51:28 2013 +0400 @@ -20,6 +20,115 @@ + BanDialog + + 10 minutes + + + + 30 minutes + + + + 1 hour + + + + 3 hours + + + + 5 hours + + + + 24 hours + + + + 3 days + + + + 7 days + + + + 14 days + + + + permanent + + + + IP + IP + + + Nick + + + + IP/Nick + + + + Reason + + + + Duration + + + + Ok + + + + Cancel + Annuler + + + you know why + + + + Warning + + + + Please, specify %1 + + + + nickname + + + + + DataManager + + Use Default + + + + + FeedbackDialog + + View + + + + Cancel + Annuler + + + Send Feedback + + + + FreqSpinBox Never @@ -45,12 +154,16 @@ When this option is enabled selecting a game scheme will auto-select a weapon - Une fois cette option activée, choisir les paramètres de jeu sélectionne automatiquement les armes correspondantes + Une fois cette option activée, choisir les paramètres de jeu sélectionne automatiquement les armes correspondantes Game Options + + Game scheme will auto-select a weapon + + HWAskQuitDialog @@ -101,10 +214,6 @@ Failed to save StyleSheet to %1 - - %1 is not a valid command! - - HWForm @@ -143,16 +252,12 @@ registered on Hedgewars.org Please provide your password below or pick another nickname in game config: - Votre pseudo %1 est + Votre pseudo %1 est enregistré sur Hedgewars.org Veuillez fournir votre mot de passe ou choisir un nouveau pseudo : - No password supplied. - - - Nickname Pseudo @@ -165,6 +270,59 @@ Please pick another nickname: + + %1's Team + + + + Hedgewars - Nick registered + + + + This nick is registered, and you haven't specified a password. + +If this nick isn't yours, please register your own nick at www.hedgewars.org + +Password: + + + + Your nickname is not registered. +To prevent someone else from using it, +please register it at www.hedgewars.org + + + + + +Your password wasn't saved either. + + + + Hedgewars - Empty nickname + + + + Hedgewars - Wrong password + + + + You entered a wrong password. + + + + Try Again + + + + Hedgewars - Connection error + + + + You reconnected too fast. +Please wait a few seconds and try again. + + HWGame @@ -181,15 +339,15 @@ HWMapContainer Map - Carte + Carte Themes - Thèmes + Thèmes Filter - Filtre + Filtre All @@ -217,7 +375,7 @@ Type - Type + Type Small tunnels @@ -229,19 +387,19 @@ Large tunnels - Grand tunnels + Grand tunnels Small floating islands - Petites Îles flottantes + Petites Îles flottantes Medium floating islands - Îles flottantes moyennes + Îles flottantes moyennes Large floating islands - Grandes îles flottantes + Grandes îles flottantes Seed @@ -249,7 +407,95 @@ Set - Valider + Valider + + + Map type: + + + + Image map + + + + Mission map + + + + Hand-drawn + + + + Randomly generated + + + + Random maze + + + + Random + Aléatoire + + + Map preview: + + + + Load map drawing + + + + Edit map drawing + + + + Largetunnels + + + + Small islands + + + + Medium islands + + + + Large islands + + + + Map size: + + + + Maze style: + + + + Mission: + + + + Map: + + + + Theme: + + + + Load drawn map + Charger une carte dessinée + + + Drawn Maps + + + + All files + @@ -322,7 +568,11 @@ HWPasswordDialog Password - Mot de passe + Mot de passe + + + Login + @@ -337,6 +587,32 @@ + HatButton + + Change hat (%1) + + + + + HatPrompt + + Select a hat + + + + Filter: + + + + Cancel + Annuler + + + Use selected hat + + + + KB SDL_ttf returned error while rendering text, most propably it is related to the bug in freetype2. It's recommended to update your freetype lib. @@ -344,6 +620,13 @@ + KeyBinder + + Category + + + + LibavInteraction Duration: %1m %2s @@ -362,6 +645,17 @@ Audio: + + unknown + + + + + MapModel + + No description available. + + PageAdmin @@ -393,6 +687,38 @@ Set data Enregistrer les données + + General + Général + + + Bans + + + + IP/Nick + + + + Expiration + + + + Reason + + + + Refresh + + + + Add + + + + Remove + + PageConnecting @@ -448,7 +774,43 @@ Advanced - Avancé + Avancé + + + Select an action to choose a custom key bind for this team + + + + Use my default + + + + Reset all binds + + + + Custom Controls + + + + Hat + Chapeau + + + Name + Nom + + + This hedgehog's name + + + + Randomize this hedgehog's name + + + + Random Team + Équipes aléatoires @@ -531,265 +893,252 @@ Simply pick the same color as a friend to play together as a team. Each of you will still control his or her own hedgehogs but they'll win or lose together. Tips - Choisissez la même couleur qu'un ami pour jouer dans la même équipe. Chacun de vous continuera à contrôler son ou ses hérissons mais ils gagneront ou perdront ensembles. + Choisissez la même couleur qu'un ami pour jouer dans la même équipe. Chacun de vous continuera à contrôler son ou ses hérissons mais ils gagneront ou perdront ensembles. Some weapons might do only low damage but they can be a lot more devastating in the right situation. Try to use the Desert Eagle to knock multiple hedgehogs into the water. Tips - Certaines armes peuvent occasionner seulement de faibles dommages mais être beaucoup plus dévastatrices dans la situation adéquate. Essayez le Révolver pour envoyer plusieurs hérissons à l'eau. + Certaines armes peuvent occasionner seulement de faibles dommages mais être beaucoup plus dévastatrices dans la situation adéquate. Essayez le Révolver pour envoyer plusieurs hérissons à l'eau. If you're unsure what to do and don't want to waste ammo, skip one round. But don't let too much time pass as there will be Sudden Death! Tips - Si vous ne savez pas quoi faire et ne voulez pas gaspiller de munitions, passez un tour. Mais ne laissez pas trop filer le temps ou ce sera la Mort Subite ! + Si vous ne savez pas quoi faire et ne voulez pas gaspiller de munitions, passez un tour. Mais ne laissez pas trop filer le temps ou ce sera la Mort Subite ! If you'd like to keep others from using your preferred nickname on the official server, register an account at http://www.hedgewars.org/. Tips - Si vous voulez empêcher les autres d'utiliser votre pseudo sur le serveur officiel, créez un compte sur http://www.hedgewars.org/. + Si vous voulez empêcher les autres d'utiliser votre pseudo sur le serveur officiel, créez un compte sur http://www.hedgewars.org/. You're bored of default gameplay? Try one of the missions - they'll offer different gameplay depending on the one you picked. Tips - Assez du mode par défaut ? Essayez une des missions - elles offrent différents types de jeu suivant votre choix. + Assez du mode par défaut ? Essayez une des missions - elles offrent différents types de jeu suivant votre choix. By default the game will always record the last game played as a demo. Select 'Local Game' and pick the 'Demos' button on the lower right corner to play or manage them. Tips - Par défaut le jeu enregistre la dernière partie jouée comme une démonstration. Sélectionnez « Jeu en local » puis « Démonstrations » en bas à droite pour les visionner ou les gérer. + Par défaut le jeu enregistre la dernière partie jouée comme une démonstration. Sélectionnez « Jeu en local » puis « Démonstrations » en bas à droite pour les visionner ou les gérer. Hedgewars is Open Source and Freeware we create in our spare time. If you've got problems, ask on our forums but please don't expect 24/7 support! Tips - Hedgewars est un jeu libre et gratuit créé sur notre temps libre. Si vous avez des problèmes, demandez sur nos forums mais n'attendez pas de support 24h/24. + Hedgewars est un jeu libre et gratuit créé sur notre temps libre. Si vous avez des problèmes, demandez sur nos forums mais n'attendez pas de support 24h/24. Hedgewars is Open Source and Freeware we create in our spare time. If you like it, help us with a small donation or contribute your own work! Tips - Hedgewars est un jeu libre et gratuit créé sur notre temps libre. Si vous l'aimez, aidez-nous avec un petit don ou contribuez par votre travail ! + Hedgewars est un jeu libre et gratuit créé sur notre temps libre. Si vous l'aimez, aidez-nous avec un petit don ou contribuez par votre travail ! Hedgewars is Open Source and Freeware we create in our spare time. Share it with your family and friends as you like! Tips - Hedgewars est un jeu libre et gratuit créé sur notre temps libre. Partagez-le avec votre famille et vos amis comme vous le voulez ! + Hedgewars est un jeu libre et gratuit créé sur notre temps libre. Partagez-le avec votre famille et vos amis comme vous le voulez ! From time to time there will be official tournaments. Upcoming events will be announced at http://www.hedgewars.org/ some days in advance. Tips - De temps en temps il y aura des tournois officiels. Les évènements à venir seront annoncés sur http://www.hedgewars.org/ quelques jours à l'avance. + De temps en temps il y aura des tournois officiels. Les évènements à venir seront annoncés sur http://www.hedgewars.org/ quelques jours à l'avance. Hedgewars is available in many languages. If the translation in your language seems to be missing or outdated, feel free to contact us! Tips - Hedgewars est disponible dans de nombreuses langues. Si la traduction dans votre langue est partielle ou obsolète, contactez-nous ! + Hedgewars est disponible dans de nombreuses langues. Si la traduction dans votre langue est partielle ou obsolète, contactez-nous ! Hedgewars can be run on lots of different operating systems including Microsoft Windows, Mac OS X and Linux. Tips - Hedgewars peux être exécuté sur de nombreux systèmes d'exploitation différents, incluant Microsoft Windows, Mac OS X et Linux. + Hedgewars peux être exécuté sur de nombreux systèmes d'exploitation différents, incluant Microsoft Windows, Mac OS X et Linux. Always remember you're able to set up your own games in local and network/online play. You're not restricted to the 'Simple Game' option. Tips - Souvenez-vous que vous pouvez créer votre propres parties en local et en ligne. Vous n'est pas limités aux options de jeu par défaut. + Souvenez-vous que vous pouvez créer votre propres parties en local et en ligne. Vous n'est pas limités aux options de jeu par défaut. While playing you should give yourself a short break at least once an hour. Tips - Vous devriez faire une petite pause au moins une fois par heure. + Vous devriez faire une petite pause au moins une fois par heure. If your graphics card isn't able to provide hardware accelerated OpenGL, try to enable the low quality mode to improve performance. Tips - Si votre carte graphique ne peut pas fournir d'accélération matérielle pour OpenGL, essayez le mode de faible qualité pour améliorer les performances. + Si votre carte graphique ne peut pas fournir d'accélération matérielle pour OpenGL, essayez le mode de faible qualité pour améliorer les performances. We're open to suggestions and constructive feedback. If you don't like something or got a great idea, let us know! Tips - Nous sommes ouverts aux suggestions et au critiques constructives. Si vous n'aimez pas quelque chose ou avez une grande idée, contactez-nous ! + Nous sommes ouverts aux suggestions et au critiques constructives. Si vous n'aimez pas quelque chose ou avez une grande idée, contactez-nous ! Especially while playing online be polite and always remember there might be some minors playing with or against you as well! Tips - Particulièrement quand vous jouez en ligne soyez polis et n'oubliez pas que certains joueurs peuvent être mineurs. + Particulièrement quand vous jouez en ligne soyez polis et n'oubliez pas que certains joueurs peuvent être mineurs. Special game modes such as 'Vampirism' or 'Karma' allow you to develop completely new tactics. Try them in a custom game! Tips - Les modes de jeu spéciaux comme « Vampirisme » ou « Karma » vous permettent de développer de nouvelles tactiques. Essayez-les en parties personnalisées ! + Les modes de jeu spéciaux comme « Vampirisme » ou « Karma » vous permettent de développer de nouvelles tactiques. Essayez-les en parties personnalisées ! You should never install Hedgewars on computers you don't own (school, university, work, etc.). Please ask the responsible person instead! Tips - Vous ne devriez jamais installer Hedgewars sur des ordinateurs ne vous appartenant pas (école, université, travail, etc...). Demandez au responsable ! + Vous ne devriez jamais installer Hedgewars sur des ordinateurs ne vous appartenant pas (école, université, travail, etc...). Demandez au responsable ! Hedgewars can be perfect for short games during breaks. Just ensure you don't add too many hedgehogs or use an huge map. Reducing time and health might help as well. Tips - Hedgewars peut être parfait pour des parties courtes pendant une pause. Assurez-vous juste de ne pas avoir mis trop de hérissons ou de ne pas utiliser une carte énorme. Réduire le temps ou la santé peuvent aider également. + Hedgewars peut être parfait pour des parties courtes pendant une pause. Assurez-vous juste de ne pas avoir mis trop de hérissons ou de ne pas utiliser une carte énorme. Réduire le temps ou la santé peuvent aider également. No hedgehogs were harmed in making this game. Tips - Aucun hérisson n'a été blessé durant la conception de ce jeu. + Aucun hérisson n'a été blessé durant la conception de ce jeu. Hedgewars is Open Source and Freeware we create in our spare time. If someone sold you the game, you should try get a refund! Tips - Hedgewars est un jeu libre et gratuit créé sur notre temps libre. Si quelqu'un vous l'a vendu, vous devriez vous faire rembourser ! + Hedgewars est un jeu libre et gratuit créé sur notre temps libre. Si quelqu'un vous l'a vendu, vous devriez vous faire rembourser ! Connect one or more gamepads before starting the game to be able to assign their controls to your teams. Tips - Branchez une ou plusieurs manettes avant de lancer le jeu pour pouvoir contrôler vos équipes avec. + Branchez une ou plusieurs manettes avant de lancer le jeu pour pouvoir contrôler vos équipes avec. Create an account on %1 to keep others from using your most favourite nickname while playing on the official server. Tips - Créer un compte sur %1 vous permet d'empêcher les autres d'utiliser votre pseudo favori sur le serveur officiel. + Créer un compte sur %1 vous permet d'empêcher les autres d'utiliser votre pseudo favori sur le serveur officiel. If your graphics card isn't able to provide hardware accelerated OpenGL, try to update the associated drivers. Tips - Si votre carte graphique ne peut pas fournir d'accélération matérielle pour OpenGL, essayez d'installer les drivers associés. + Si votre carte graphique ne peut pas fournir d'accélération matérielle pour OpenGL, essayez d'installer les drivers associés. There are three different jumps available. Tap [high jump] twice to do a very high/backwards jump. Tips - Il y a différents types de saut disponibles. Pressez [high jump] deux fois pour faire un très haut saut un peu en arrière. + Il y a différents types de saut disponibles. Pressez [high jump] deux fois pour faire un très haut saut un peu en arrière. Afraid of falling off a cliff? Hold down [precise] to turn [left] or [right] without actually moving. Tips - Peur de tomber d'une falaise ? Maintenez [precise] pour tourner [left] ou [right] sans bouger. + Peur de tomber d'une falaise ? Maintenez [precise] pour tourner [left] ou [right] sans bouger. Some weapons require special strategies or just lots of training, so don't give up on a particular tool if you miss an enemy once. Tips - Certaines armes demandent de la stratégie ou juste beaucoup d'entrainement, alors ne laissez pas tomber une arme si vous avez raté une fois un ennemi. + Certaines armes demandent de la stratégie ou juste beaucoup d'entrainement, alors ne laissez pas tomber une arme si vous avez raté une fois un ennemi. Most weapons won't work once they touch the water. The Homing Bee as well as the Cake are exceptions to this. Tips - La plupart des armes ne fonctionnent pas une fois qu'elles ont touché l'eau. L'Abeille Missile ou le Gâteau sont des exceptions. + La plupart des armes ne fonctionnent pas une fois qu'elles ont touché l'eau. L'Abeille Missile ou le Gâteau sont des exceptions. The Old Limbuger only causes a small explosion. However the wind affected smelly cloud can poison lots of hogs at once. Tips - Le vieux Limburger cause seulement une petite explosion. En revanche le vent affecte le petit nuage empoisonné qui peut contaminer de nombreux hérissons à la fois. + Le vieux Limburger cause seulement une petite explosion. En revanche le vent affecte le petit nuage empoisonné qui peut contaminer de nombreux hérissons à la fois. The Piano Strike is the most damaging air strike. You'll lose the hedgehog performing it, so there's a huge downside as well. Tips - L'attaque du Piano est la plus dévastatrice des attaques aériennes. Mais la contrepartie est grande puisque vous perdrez le hérisson qui la lance. + L'attaque du Piano est la plus dévastatrice des attaques aériennes. Mais la contrepartie est grande puisque vous perdrez le hérisson qui la lance. Sticky Mines are a perfect tool to create small chain reactions knocking enemy hedgehogs into dire situations ... or water. Tips - Les Mines adhésives sont l'outil parfait pour créer de petites réactions en chaines envoyant les ennemis dans des situations délicates ... ou dans l'eau. + Les Mines adhésives sont l'outil parfait pour créer de petites réactions en chaines envoyant les ennemis dans des situations délicates ... ou dans l'eau. The Hammer is most effective when used on bridges or girders. Hit hogs will just break through the ground. Tips - Le Marteau est plus efficace utilisé sur des ponts ou des poutrelles. Les hérissons touchés vont passer à travers le sol. + Le Marteau est plus efficace utilisé sur des ponts ou des poutrelles. Les hérissons touchés vont passer à travers le sol. If you're stuck behind an enemy hedgehog, use the Hammer to free yourself without getting damaged by an explosion. Tips - Si vous êtes coincés derrière un hérisson ennemi, utilisez le Marteau pour vous libérer sans subir les dégâts d'une explosion. + Si vous êtes coincés derrière un hérisson ennemi, utilisez le Marteau pour vous libérer sans subir les dégâts d'une explosion. The Cake's maximum walking distance depends on the ground it has to pass. Use [attack] to detonate it early. Tips - La distance maximale que le Gâteau peux parcourir dépend du terrain qu'il doit franchir. Utiliser [attack] pour le faire exploser avant. + La distance maximale que le Gâteau peux parcourir dépend du terrain qu'il doit franchir. Utiliser [attack] pour le faire exploser avant. The Flame Thrower is a weapon but it can be used for tunnel digging as well. Tips - Le Lance-flammes est une arme mais peut aussi être utilisé pour creuser un tunnel. + Le Lance-flammes est une arme mais peut aussi être utilisé pour creuser un tunnel. Want to know who's behind the game? Click on the Hedgewars logo in the main menu to see the credits. Tips - Vous voulez savoir qui est derrière le jeu ? Cliquez sur le logo Hedgewars dans le menu principal pour voir les crédits. + Vous voulez savoir qui est derrière le jeu ? Cliquez sur le logo Hedgewars dans le menu principal pour voir les crédits. Feel free to draw your own graves, hats, flags or even maps and themes! But note that you'll have to share them somewhere to use them online. Tips - Soyez libre de dessiner vos propres tombes, chapeaux, drapeaux ou même cartes et thèmes ! Mais pour les utiliser en ligne vous devrez les partager quelque part. + Soyez libre de dessiner vos propres tombes, chapeaux, drapeaux ou même cartes et thèmes ! Mais pour les utiliser en ligne vous devrez les partager quelque part. Really want to wear a specific hat? Donate to us and receive an exclusive hat of your choice! Tips - Vous voulez vraiment un chapeau spécifique ? Faites un don et recevez un chapeau exclusif de votre choix. + Vous voulez vraiment un chapeau spécifique ? Faites un don et recevez un chapeau exclusif de votre choix. Keep your video card drivers up to date to avoid issues playing the game. Tips - Conservez les pilotes de votre carte graphique à jour pour éviter les problèmes en jouant. + Conservez les pilotes de votre carte graphique à jour pour éviter les problèmes en jouant. You can find your Hedgewars configuration files under "My Documents\Hedgewars". Create backups or take the files with you, but don't edit them by hand. Tips - Vous pouvez trouver vos fichiers de configuration Hedgewars sous « Mes Documents\Hedgewars ». Créez des sauvegardes ou prenez les fichiers avec vous, mais ne les modifiez pas à la main ! + Vous pouvez trouver vos fichiers de configuration Hedgewars sous « Mes Documents\Hedgewars ». Créez des sauvegardes ou prenez les fichiers avec vous, mais ne les modifiez pas à la main ! You're able to associate Hedgewars related files (savegames and demo recordings) with the game to launch them right from your favorite file or internet browser. Tips - Vous pouvez associer les fichiers relatifs à Hedgewars (parties enregistrées ou démonstrations) au jeu pour les lancer depuis votre navigateur de fichiers ou internet. + Vous pouvez associer les fichiers relatifs à Hedgewars (parties enregistrées ou démonstrations) au jeu pour les lancer depuis votre navigateur de fichiers ou internet. Like Hedgewars? Become a fan on %1 or follow us on %2! Tips - Vous aimez Hedgewars ? Devenez un fan sur %1 ou suivez-nous sur %2 ! + Vous aimez Hedgewars ? Devenez un fan sur %1 ou suivez-nous sur %2 ! Want to save ropes? Release the rope in mid air and then shoot again. As long as you don't touch the ground you'll reuse your rope without wasting ammo! Tips - Envie d'économiser des Cordes Ninja ? Relâchez la Corde Ninja en l'air et tirez à nouveau. Du moment que vous ne touchez pas le sol, vous réutiliserez votre Corde Ninja sans gaspiller de munitions. + Envie d'économiser des Cordes Ninja ? Relâchez la Corde Ninja en l'air et tirez à nouveau. Du moment que vous ne touchez pas le sol, vous réutiliserez votre Corde Ninja sans gaspiller de munitions. You can find your Hedgewars configuration files under "Library/Application Support/Hedgewars" in your home directory. Create backups or take the files with you, but don't edit them by hand. Tips - Vous pouvez trouver vos fichiers de configuration Hedgewars sous « Library/Application Support/Hedgewars » dans votre répertoire personnel. Créez des sauvegardes ou prenez les fichiers avec vous, mais ne les modifiez pas à la main ! + Vous pouvez trouver vos fichiers de configuration Hedgewars sous « Library/Application Support/Hedgewars » dans votre répertoire personnel. Créez des sauvegardes ou prenez les fichiers avec vous, mais ne les modifiez pas à la main ! You can find your Hedgewars configuration files under ".hedgewars" in your home directory. Create backups or take the files with you, but don't edit them by hand. Tips - Vous pouvez trouver vos fichiers de configuration Hedgewars sous « .hedgewars » dans votre répertoire personnel. Créez des sauvegardes ou prenez les fichiers avec vous, mais ne les modifiez pas à la main ! + Vous pouvez trouver vos fichiers de configuration Hedgewars sous « .hedgewars » dans votre répertoire personnel. Créez des sauvegardes ou prenez les fichiers avec vous, mais ne les modifiez pas à la main ! The Windows version of Hedgewars supports Xfire. Make sure to add Hedgewars to its game list so your friends can see you playing. Tips - La version Windows de Hedgewars supporte Xfire. Ajoutez Hedgewars à la liste des jeux pour que vos amis puissent vous voir jouer + La version Windows de Hedgewars supporte Xfire. Ajoutez Hedgewars à la liste des jeux pour que vos amis puissent vous voir jouer Use the Molotov or Flame Thrower to temporary keep hedgehogs from passing terrain such as tunnels or platforms. Tips - Utilisez le Lance-Flammes ou le Cocktail Molotov pour empêcher temporairement les hérissons de circuler dans les tunnels ou sur les plateformes. - - - The Homing Bee can be tricky to use. Its turn radius depends on its velocity, so try to not use full power. - Tips - + Utilisez le Lance-Flammes ou le Cocktail Molotov pour empêcher temporairement les hérissons de circuler dans les tunnels ou sur les plateformes. Downloadable Content - Local Game - - - Play a game on a single computer - Network Game - - - Play a game across a network @@ -817,6 +1166,14 @@ Edit game preferences + + Play a game across a local area network + + + + Play a game on an official server + + PageMultiplayer @@ -824,6 +1181,10 @@ Start Démarrer + + Edit game preferences + + PageNetGame @@ -831,24 +1192,24 @@ Control Contrôles + + Edit game preferences + + + + Start + Démarrer + PageNetType LAN game - Jeu en réseau local (LAN) + Jeu en réseau local (LAN) Official server - Serveur officiel - - - Join hundreds of players online! - - - - Join or host your own game server in a Local Area Network. - + Serveur officiel @@ -895,7 +1256,7 @@ General - Général + Général Advanced @@ -937,6 +1298,94 @@ System proxy settings + + Select an action to change what key controls it + + + + Reset to default + + + + Reset all binds + + + + Game + + + + Graphics + + + + Audio + + + + Controls + + + + Video Recording + + + + Network + + + + Teams + Équipes + + + Schemes + + + + Weapons + Armes + + + Frontend + + + + Custom colors + + + + Game audio + + + + Frontend audio + + + + Account + + + + Proxy settings + + + + Miscellaneous + + + + Updates + + + + Check for updates + + + + Video recording options + + PagePlayDemo @@ -1136,18 +1585,10 @@ PageSinglePlayer - Simple Game - - - Play a quick game against the computer with random settings - Multiplayer - - - Play a hotseat game against your friends, or AI teams @@ -1156,24 +1597,16 @@ - Training Mode - - - Practice your skills in a range of training missions - Demos - - - Watch recorded demos Load - Charger + Charger Load a previously saved game @@ -1221,14 +1654,6 @@ - Date: - - - - Size: - - - encoding @@ -1236,6 +1661,16 @@ uploading + + Date: %1 + + + + + Size: %1 + + + QAction @@ -1245,7 +1680,7 @@ Start - Démarrer + Démarrer Restrict Joins @@ -1292,7 +1727,7 @@ QCheckBox Enable sound - Activer le son + Activer le son Fullscreen @@ -1308,11 +1743,11 @@ Enable music - Activer la musique + Activer la musique Frontend fullscreen - Affichage en plein écran de l'interface + Affichage en plein écran de l'interface Append date and time to record file name @@ -1328,15 +1763,15 @@ Enable frontend sounds - Activer les sons du menu principal + Activer les sons du menu principal Enable frontend music - Activer la musique du menu principal + Activer la musique du menu principal Frontend effects - Effets du menu principal + Effets du menu principal Save password @@ -1358,12 +1793,40 @@ Use game resolution + + Visual effects + + + + Sound + + + + In-game sound effects + + + + Music + + + + In-game music + + + + Frontend sound effects + + + + Frontend music + + QComboBox generated map... - carte générée... + carte générée... Human @@ -1379,11 +1842,11 @@ generated maze... - Labyrinthe généré + Labyrinthe généré Mission - Mission + Mission Community @@ -1403,7 +1866,7 @@ hand drawn map... - Carte dessinée + Carte dessinée Disabled @@ -1442,10 +1905,6 @@ - Wiggle - - - Red/Cyan grayscale @@ -1482,15 +1941,15 @@ Key binds - Raccourcis clavier + Raccourcis clavier Teams - Équipes + Équipes Audio/Graphic options - Options audio/vidéo + Options audio/vidéo Playing teams @@ -1514,23 +1973,11 @@ Misc - Divers + Divers Schemes and Weapons - Paramètres et Armes - - - Custom colors - - - - Miscellaneous - - - - Video recording options - + Paramètres et Armes Videos @@ -1540,10 +1987,6 @@ Description - - Proxy settings - - QLabel @@ -1557,19 +2000,19 @@ Developers: - Développeurs: + Développeurs: Art: - Graphismes: + Graphismes: Translations: - Traductions: + Traductions: Special thanks: - Remerciements spéciaux: + Remerciements spéciaux: Server name: @@ -1597,7 +2040,7 @@ Sounds: - Sons: + Sons: Initial sound volume @@ -1637,7 +2080,7 @@ Game scheme - Paramètres de jeu + Paramètres de jeu % Dud Mines @@ -1677,7 +2120,7 @@ This development build is 'work in progress' and may not be compatible with other versions of the game. Some features might be broken or incomplete. Use at your own risk! - Cette version de développement est un travail en cours, il peut ne pas être compatible avec les autres versions du jeu. Certaines fonctionnalités peuvent être cassées ou incomplètes. + Cette version de développement est un travail en cours, il peut ne pas être compatible avec les autres versions du jeu. Certaines fonctionnalités peuvent être cassées ou incomplètes. Quality @@ -1754,10 +2197,6 @@ - Summary - - - Description @@ -1785,6 +2224,38 @@ Bitrate (Kbps) + + This development build is 'work in progress' and may not be compatible with other versions of the game, while some features might be broken or incomplete! + + + + Fullscreen + Plein écran + + + Fullscreen Resolution + + + + Windowed Resolution + + + + Your Email + + + + Summary + + + + Send system information + + + + Type the security code: + + QLineEdit @@ -1823,10 +2294,6 @@ Les associations d'extensions de fichiers ont échoué. - Please fill out all fields - - - Error while authenticating at google.com: @@ -1873,18 +2340,6 @@ - Successfully posted the issue on hedgewars.googlecode.com - - - - Error during authentication at google.com - - - - Error reporting the issue, please try again later (or visit hedgewars.googlecode.com directly) - - - Main - Error @@ -2031,23 +2486,55 @@ Do you really want to delete the weapon set '%1'? + + Hedgewars - Nick not registered + + + + System Information Preview + + + + Failed to generate captcha + + + + Failed to download captcha + + + + Please fill out all fields. Email is optional. + + + + Hedgewars - Warning + + + + Hedgewars - Information + + + + Hedgewars + + QObject Nickname - Pseudo + Pseudo Please enter your nickname - Veuillez entrer votre pseudo + Veuillez entrer votre pseudo QPushButton Setup - Configuration + Configuration Play demo @@ -2103,11 +2590,11 @@ Ready - Prêt + Prêt Random Team - Équipes aléatoires + Équipes aléatoires Associate file extensions @@ -2115,7 +2602,7 @@ more - plus + plus More info @@ -2210,6 +2697,25 @@ + SeedPrompt + + The map seed is the basis for all random values generated by the game. + + + + Cancel + Annuler + + + Set seed + + + + Close + + + + SelWeaponWidget Weapon set @@ -2237,106 +2743,116 @@ + TeamShowWidget + + %1's team + + + + + ThemePrompt + + Select a theme for this map + + + + Cancel + Annuler + + + ToggleButtonWidget Vampirism - Vampirisme + Vampirisme Karma - Karma + Karma Artillery - Artillerie + Artillerie Fort Mode - Mode Forteresse + Mode Forteresse Divide Teams - Diviser les Équipes + Diviser les Équipes Solid Land - Terrain Solide + Terrain Solide Add Border - Ajouter des Bordures + Ajouter des Bordures Low Gravity - Gravité Fable + Gravité Fable Laser Sight - Visée Laser + Visée Laser Invulnerable - Invulnérable + Invulnérable Random Order - Ordre aléatoire + Ordre aléatoire King - Roi + Roi Place Hedgehogs - Placer les hérissons + Placer les hérissons Clan Shares Ammo - Les Clans partagent les munitions + Les Clans partagent les munitions Disable Girders - Désactiver les poutres + Désactiver les poutres Disable Land Objects - Désactiver les objets de terrain + Désactiver les objets de terrain AI Survival Mode - Mode de survie de l'IA + Mode de survie de l'IA Reset Health - Réinitialiser la Santé + Réinitialiser la Santé Unlimited Attacks - Attaques illimitées + Attaques illimitées Reset Weapons - Réinitialiser les Armes + Réinitialiser les Armes Per Hedgehog Ammo - Munitions par hérisson + Munitions par hérisson Disable Wind - Désactiver le vent + Désactiver le vent More Wind - Davantage de vent - - - Tag Team - - - - Add Bottom Border - + Davantage de vent @@ -2460,7 +2976,7 @@ hedgehogs info - infos + infos hérissons @@ -2512,31 +3028,51 @@ record + + hedgehog info + + binds (categories) Basic controls - Contrôles de base + Contrôles de base Weapon controls - Contrôles des armes + Contrôles des armes Camera and cursor controls - Contrôles de la caméra et du curseur + Contrôles de la caméra et du curseur Other - Autres + Autres + + + Movement + + + + Weapons + Armes + + + Camera + + + + Miscellaneous + binds (descriptions) Move your hogs and aim: - Déplacez votre hérisson et visez: + Déplacez votre hérisson et visez: Traverse gaps and obstacles by jumping: @@ -2602,6 +3138,10 @@ Record video: + + Hedgehog movement + + binds (keys) @@ -2922,4 +3462,119 @@ Effacer + + server + + Illegal nickname + + + + Protocol already known + + + + Bad number + + + + bye + + + + Empty config entry + + + + Not room master + + + + Corrupted hedgehogs info + + + + too many teams + + + + too many hedgehogs + + + + There's already a team with same name in the list + + + + round in progress + + + + restricted + + + + REMOVE_TEAM: no such team + + + + Not team owner! + + + + Less than two clans! + + + + Room with such name already exists + + + + Illegal room name + + + + No such room + + + + Joining restricted + + + + Registered users only + + + + You are banned in this room + + + + Nickname is already in use + + + + No checker rights + + + + Authentication failed + + + + 60 seconds cooldown after kick + + + + kicked + + + + Ping timeout + + + + Nickname already chosen + + + diff -r 33ab77c0b486 -r 87410ae372f6 share/hedgewars/Data/Locale/hedgewars_gl.ts --- a/share/hedgewars/Data/Locale/hedgewars_gl.ts Fri Jan 18 11:47:23 2013 +0100 +++ b/share/hedgewars/Data/Locale/hedgewars_gl.ts Sat Jan 19 00:51:28 2013 +0400 @@ -20,6 +20,115 @@ + BanDialog + + 10 minutes + + + + 30 minutes + + + + 1 hour + + + + 3 hours + + + + 5 hours + + + + 24 hours + + + + 3 days + + + + 7 days + + + + 14 days + + + + permanent + + + + IP + IP + + + Nick + + + + IP/Nick + + + + Reason + + + + Duration + + + + Ok + + + + Cancel + Cancelar + + + you know why + + + + Warning + + + + Please, specify %1 + + + + nickname + + + + + DataManager + + Use Default + + + + + FeedbackDialog + + View + + + + Cancel + Cancelar + + + Send Feedback + + + + FreqSpinBox Never @@ -56,7 +165,7 @@ - When this option is enabled selecting a game scheme will auto-select a weapon + Game scheme will auto-select a weapon @@ -109,10 +218,6 @@ Failed to save StyleSheet to %1 - - %1 is not a valid command! - - HWForm @@ -149,17 +254,6 @@ - Your nickname %1 is -registered on Hedgewars.org -Please provide your password below -or pick another nickname in game config: - - - - No password supplied. - - - Nickname Alcume @@ -190,6 +284,59 @@ Demo name: + + %1's Team + + + + Hedgewars - Nick registered + + + + This nick is registered, and you haven't specified a password. + +If this nick isn't yours, please register your own nick at www.hedgewars.org + +Password: + + + + Your nickname is not registered. +To prevent someone else from using it, +please register it at www.hedgewars.org + + + + + +Your password wasn't saved either. + + + + Hedgewars - Empty nickname + + + + Hedgewars - Wrong password + + + + You entered a wrong password. + + + + Try Again + + + + Hedgewars - Connection error + + + + You reconnected too fast. +Please wait a few seconds and try again. + + HWGame @@ -210,15 +357,15 @@ HWMapContainer Map - Mapa + Mapa Themes - Temas visuais + Temas visuais Filter - Filtro + Filtro All @@ -245,10 +392,6 @@ Absurdo - Type - - - Small tunnels @@ -257,27 +400,95 @@ - Large tunnels - - - - Small floating islands - - - - Medium floating islands - - - - Large floating islands - - - Seed - Set + Map type: + + + + Image map + + + + Mission map + + + + Hand-drawn + + + + Randomly generated + + + + Random maze + + + + Random + Ao chou + + + Map preview: + + + + Load map drawing + + + + Edit map drawing + + + + Largetunnels + + + + Small islands + + + + Medium islands + + + + Large islands + + + + Map size: + + + + Maze style: + + + + Mission: + + + + Map: + + + + Theme: + + + + Load drawn map + + + + Drawn Maps + + + + All files @@ -365,7 +576,11 @@ HWPasswordDialog Password - Contrasinal + Contrasinal + + + Login + @@ -380,6 +595,32 @@ + HatButton + + Change hat (%1) + + + + + HatPrompt + + Select a hat + + + + Filter: + + + + Cancel + Cancelar + + + Use selected hat + + + + KB SDL_ttf returned error while rendering text, most propably it is related to the bug in freetype2. It's recommended to update your freetype lib. @@ -387,6 +628,13 @@ + KeyBinder + + Category + + + + LibavInteraction Duration: %1m %2s @@ -405,6 +653,17 @@ Audio: + + unknown + + + + + MapModel + + No description available. + + PageAdmin @@ -444,6 +703,38 @@ Set data + + General + Xeral + + + Bans + + + + IP/Nick + + + + Expiration + + + + Reason + + + + Refresh + Actualizar + + + Add + + + + Remove + + PageConnecting @@ -499,7 +790,43 @@ Advanced - Avanzado + Avanzado + + + Select an action to choose a custom key bind for this team + + + + Use my default + + + + Reset all binds + + + + Custom Controls + + + + Hat + Sombreiro + + + Name + + + + This hedgehog's name + + + + Randomize this hedgehog's name + + + + Random Team + @@ -606,18 +933,10 @@ Partida na rede (xoga unha partida na rede) - Local Game - - - Play a game on a single computer - Network Game - - - Play a game across a network @@ -650,248 +969,11 @@ - Simply pick the same color as a friend to play together as a team. Each of you will still control his or her own hedgehogs but they'll win or lose together. - Tips - - - - Some weapons might do only low damage but they can be a lot more devastating in the right situation. Try to use the Desert Eagle to knock multiple hedgehogs into the water. - Tips - - - - If you're unsure what to do and don't want to waste ammo, skip one round. But don't let too much time pass as there will be Sudden Death! - Tips - - - - Want to save ropes? Release the rope in mid air and then shoot again. As long as you don't touch the ground you'll reuse your rope without wasting ammo! - Tips - - - - If you'd like to keep others from using your preferred nickname on the official server, register an account at http://www.hedgewars.org/. - Tips - - - - You're bored of default gameplay? Try one of the missions - they'll offer different gameplay depending on the one you picked. - Tips - - - - By default the game will always record the last game played as a demo. Select 'Local Game' and pick the 'Demos' button on the lower right corner to play or manage them. - Tips - - - - Hedgewars is Open Source and Freeware we create in our spare time. If you've got problems, ask on our forums but please don't expect 24/7 support! - Tips - - - - Hedgewars is Open Source and Freeware we create in our spare time. If you like it, help us with a small donation or contribute your own work! - Tips - - - - Hedgewars is Open Source and Freeware we create in our spare time. Share it with your family and friends as you like! - Tips - - - - Hedgewars is Open Source and Freeware we create in our spare time. If someone sold you the game, you should try get a refund! - Tips - - - - From time to time there will be official tournaments. Upcoming events will be announced at http://www.hedgewars.org/ some days in advance. - Tips - - - - Hedgewars is available in many languages. If the translation in your language seems to be missing or outdated, feel free to contact us! - Tips - - - - Hedgewars can be run on lots of different operating systems including Microsoft Windows, Mac OS X and Linux. - Tips - - - - Always remember you're able to set up your own games in local and network/online play. You're not restricted to the 'Simple Game' option. - Tips - - - - Connect one or more gamepads before starting the game to be able to assign their controls to your teams. - Tips - - - - Create an account on %1 to keep others from using your most favourite nickname while playing on the official server. - Tips - - - - While playing you should give yourself a short break at least once an hour. - Tips - - - - If your graphics card isn't able to provide hardware accelerated OpenGL, try to enable the low quality mode to improve performance. - Tips - - - - If your graphics card isn't able to provide hardware accelerated OpenGL, try to update the associated drivers. - Tips - - - - We're open to suggestions and constructive feedback. If you don't like something or got a great idea, let us know! - Tips - - - - Especially while playing online be polite and always remember there might be some minors playing with or against you as well! - Tips - - - - Special game modes such as 'Vampirism' or 'Karma' allow you to develop completely new tactics. Try them in a custom game! - Tips - - - - The Windows version of Hedgewars supports Xfire. Make sure to add Hedgewars to its game list so your friends can see you playing. - Tips - - - - You should never install Hedgewars on computers you don't own (school, university, work, etc.). Please ask the responsible person instead! - Tips - - - - Hedgewars can be perfect for short games during breaks. Just ensure you don't add too many hedgehogs or use an huge map. Reducing time and health might help as well. - Tips - - - - No hedgehogs were harmed in making this game. - Tips - - - - There are three different jumps available. Tap [high jump] twice to do a very high/backwards jump. - Tips - - - - Afraid of falling off a cliff? Hold down [precise] to turn [left] or [right] without actually moving. - Tips - - - - Some weapons require special strategies or just lots of training, so don't give up on a particular tool if you miss an enemy once. - Tips - - - - Most weapons won't work once they touch the water. The Homing Bee as well as the Cake are exceptions to this. - Tips - - - - The Old Limbuger only causes a small explosion. However the wind affected smelly cloud can poison lots of hogs at once. - Tips - - - - The Piano Strike is the most damaging air strike. You'll lose the hedgehog performing it, so there's a huge downside as well. - Tips - - - - The Homing Bee can be tricky to use. Its turn radius depends on its velocity, so try to not use full power. - Tips - - - - Sticky Mines are a perfect tool to create small chain reactions knocking enemy hedgehogs into dire situations ... or water. - Tips - - - - The Hammer is most effective when used on bridges or girders. Hit hogs will just break through the ground. - Tips - - - - If you're stuck behind an enemy hedgehog, use the Hammer to free yourself without getting damaged by an explosion. - Tips - - - - The Cake's maximum walking distance depends on the ground it has to pass. Use [attack] to detonate it early. - Tips - - - - The Flame Thrower is a weapon but it can be used for tunnel digging as well. - Tips - - - - Use the Molotov or Flame Thrower to temporary keep hedgehogs from passing terrain such as tunnels or platforms. - Tips - - - - Want to know who's behind the game? Click on the Hedgewars logo in the main menu to see the credits. - Tips - - - - Like Hedgewars? Become a fan on %1 or follow us on %2! - Tips - - - - Feel free to draw your own graves, hats, flags or even maps and themes! But note that you'll have to share them somewhere to use them online. - Tips - - - - Really want to wear a specific hat? Donate to us and receive an exclusive hat of your choice! - Tips - - - - Keep your video card drivers up to date to avoid issues playing the game. - Tips - - - - You're able to associate Hedgewars related files (savegames and demo recordings) with the game to launch them right from your favorite file or internet browser. - Tips - - - - You can find your Hedgewars configuration files under "My Documents\Hedgewars". Create backups or take the files with you, but don't edit them by hand. - Tips - - - - You can find your Hedgewars configuration files under "Library/Application Support/Hedgewars" in your home directory. Create backups or take the files with you, but don't edit them by hand. - Tips - - - - You can find your Hedgewars configuration files under ".hedgewars" in your home directory. Create backups or take the files with you, but don't edit them by hand. - Tips + Play a game across a local area network + + + + Play a game on an official server @@ -901,6 +983,10 @@ Start Iniciar + + Edit game preferences + + PageNet @@ -919,24 +1005,24 @@ Control Control + + Edit game preferences + + + + Start + Iniciar + PageNetType LAN game - Partida na rede local + Partida na rede local Official server - Servidor oficial - - - Join or host your own game server in a Local Area Network. - - - - Join hundreds of players online! - + Servidor oficial @@ -959,7 +1045,7 @@ General - Xeral + Xeral Advanced @@ -1033,6 +1119,94 @@ HTTP proxy + + Select an action to change what key controls it + + + + Reset to default + + + + Reset all binds + + + + Game + + + + Graphics + + + + Audio + + + + Controls + + + + Video Recording + + + + Network + Rede + + + Teams + Equipos + + + Schemes + + + + Weapons + Armamento + + + Frontend + + + + Custom colors + + + + Game audio + + + + Frontend audio + + + + Account + + + + Proxy settings + + + + Miscellaneous + + + + Updates + + + + Check for updates + + + + Video recording options + + PagePlayDemo @@ -1346,18 +1520,10 @@ Cargar (carga unha partida gardada) - Simple Game - - - Play a quick game against the computer with random settings - Multiplayer - - - Play a hotseat game against your friends, or AI teams @@ -1366,24 +1532,16 @@ - Training Mode - - - Practice your skills in a range of training missions - Demos - - - Watch recorded demos Load - Cargar + Cargar Load a previously saved game @@ -1431,14 +1589,6 @@ - Date: - - - - Size: - - - encoding @@ -1446,6 +1596,16 @@ uploading + + Date: %1 + + + + + Size: %1 + + + QAction @@ -1459,7 +1619,7 @@ Start - Iniciar + Iniciar Restrict Joins @@ -1510,15 +1670,15 @@ Frontend fullscreen - Interface a pantalla completa + Interface a pantalla completa Enable sound - Activar os sons + Activar os sons Enable music - Activar a música + Activar a música Show FPS @@ -1553,18 +1713,6 @@ - Frontend effects - - - - Enable frontend sounds - - - - Enable frontend music - - - Show ammo menu tooltips @@ -1576,12 +1724,40 @@ Use game resolution + + Visual effects + + + + Sound + + + + In-game sound effects + + + + Music + + + + In-game music + + + + Frontend sound effects + + + + Frontend music + + QComboBox generated map... - Mapa xerado... + Mapa xerado... Human @@ -1592,18 +1768,6 @@ Nivel - generated maze... - - - - hand drawn map... - - - - Mission - - - Community @@ -1648,10 +1812,6 @@ - Wiggle - - - Red/Cyan grayscale @@ -1704,11 +1864,11 @@ Key binds - Controis + Controis Teams - Equipos + Equipos Weapons @@ -1716,7 +1876,7 @@ Audio/Graphic options - Configuración audiovisual + Configuración audiovisual Net game @@ -1739,30 +1899,6 @@ - Schemes and Weapons - - - - Misc - - - - Custom colors - - - - Miscellaneous - - - - Proxy settings - - - - Video recording options - - - Videos @@ -1791,23 +1927,23 @@ Developers: - Desenvolvedores: + Desenvolvedores: Art: - Gráficos: + Gráficos: Sounds: - Sons: + Sons: Translations: - Traducións: + Traducións: Special thanks: - Un especial agradecemento a: + Un especial agradecemento a: Weapons @@ -1871,7 +2007,7 @@ Game scheme - Modo de xogo + Modo de xogo There are videos that are currently being processed. @@ -1924,10 +2060,6 @@ - Summary - - - Description @@ -1936,10 +2068,6 @@ - This development build is 'work in progress' and may not be compatible with other versions of the game. Some features might be broken or incomplete. Use at your own risk! - - - Locale @@ -2019,6 +2147,38 @@ Scheme + + This development build is 'work in progress' and may not be compatible with other versions of the game, while some features might be broken or incomplete! + + + + Fullscreen + Partidas a pantalla completa + + + Fullscreen Resolution + + + + Windowed Resolution + + + + Your Email + + + + Summary + + + + Send system information + + + + Type the security code: + + QLineEdit @@ -2117,22 +2277,6 @@ - Please fill out all fields - - - - Successfully posted the issue on hedgewars.googlecode.com - - - - Error during authentication at google.com - - - - Error reporting the issue, please try again later (or visit hedgewars.googlecode.com directly) - - - Main - Error @@ -2293,6 +2437,38 @@ Do you really want to delete the weapon set '%1'? + + Hedgewars - Nick not registered + + + + System Information Preview + + + + Failed to generate captcha + + + + Failed to download captcha + + + + Please fill out all fields. Email is optional. + + + + Hedgewars - Warning + + + + Hedgewars - Information + + + + Hedgewars + + QObject @@ -2310,11 +2486,11 @@ Nickname - Alcume + Alcume Please enter your nickname - Introduce o teu alcume + Introduce o teu alcume @@ -2373,21 +2549,17 @@ Setup - Configuración + Configuración Ready - Preparado + Preparado More info - Random Team - - - Associate file extensions @@ -2431,10 +2603,6 @@ Cancel uploading - - more - - QTableWidget @@ -2515,6 +2683,25 @@ + SeedPrompt + + The map seed is the basis for all random values generated by the game. + + + + Cancel + Cancelar + + + Set seed + + + + Close + + + + SelWeaponWidget Weapon set @@ -2557,111 +2744,69 @@ + TeamShowWidget + + %1's team + + + + + ThemePrompt + + Select a theme for this map + + + + Cancel + Cancelar + + + ToggleButtonWidget Vampirism - Vampirismo + Vampirismo Karma - Karma + Karma Artillery - Artillería + Artillería Fort Mode - Modo fortaleza + Modo fortaleza Divide Teams - Equipos divididos + Equipos divididos Solid Land - Terreo indestructible + Terreo indestructible Add Border - Con bordos + Con bordos Low Gravity - Baixa gravidade + Baixa gravidade Laser Sight - Mira láser + Mira láser Invulnerable - Invulnerable + Invulnerable Add Mines Engadir minas - - Reset Health - - - - Random Order - - - - King - - - - Place Hedgehogs - - - - Clan Shares Ammo - - - - Disable Girders - - - - Disable Land Objects - - - - AI Survival Mode - - - - Unlimited Attacks - - - - Reset Weapons - - - - Per Hedgehog Ammo - - - - Disable Wind - - - - More Wind - - - - Tag Team - - - - Add Bottom Border - - binds @@ -2796,7 +2941,7 @@ hedgehogs info - información + información dos ourizos @@ -2835,31 +2980,51 @@ record + + hedgehog info + + binds (categories) Basic controls - Controis básicos + Controis básicos Weapon controls - Controis das armas + Controis das armas Camera and cursor controls - Controis da cámara e mailo cursor + Controis da cámara e mailo cursor Other - Outros + Outros + + + Movement + + + + Weapons + Armamento + + + Camera + + + + Miscellaneous + binds (descriptions) Move your hogs and aim: - Move os teus ourizos e apunta: + Move os teus ourizos e apunta: Traverse gaps and obstacles by jumping: @@ -2925,6 +3090,10 @@ Record video: + + Hedgehog movement + + binds (keys) @@ -3245,4 +3414,119 @@ Mando + + server + + Illegal nickname + + + + Protocol already known + + + + Bad number + + + + bye + + + + Empty config entry + + + + Not room master + + + + Corrupted hedgehogs info + + + + too many teams + + + + too many hedgehogs + + + + There's already a team with same name in the list + + + + round in progress + + + + restricted + + + + REMOVE_TEAM: no such team + + + + Not team owner! + + + + Less than two clans! + + + + Room with such name already exists + + + + Illegal room name + + + + No such room + + + + Joining restricted + + + + Registered users only + + + + You are banned in this room + + + + Nickname is already in use + + + + No checker rights + + + + Authentication failed + + + + 60 seconds cooldown after kick + + + + kicked + + + + Ping timeout + + + + Nickname already chosen + + + diff -r 33ab77c0b486 -r 87410ae372f6 share/hedgewars/Data/Locale/hedgewars_hu.ts --- a/share/hedgewars/Data/Locale/hedgewars_hu.ts Fri Jan 18 11:47:23 2013 +0100 +++ b/share/hedgewars/Data/Locale/hedgewars_hu.ts Sat Jan 19 00:51:28 2013 +0400 @@ -20,6 +20,115 @@ + BanDialog + + 10 minutes + + + + 30 minutes + + + + 1 hour + + + + 3 hours + + + + 5 hours + + + + 24 hours + + + + 3 days + + + + 7 days + + + + 14 days + + + + permanent + + + + IP + IP + + + Nick + + + + IP/Nick + + + + Reason + + + + Duration + + + + Ok + + + + Cancel + Mégse + + + you know why + + + + Warning + + + + Please, specify %1 + + + + nickname + + + + + DataManager + + Use Default + + + + + FeedbackDialog + + View + + + + Cancel + Mégse + + + Send Feedback + + + + FreqSpinBox Never @@ -43,13 +152,13 @@ Sémák szerkesztése - When this option is enabled selecting a game scheme will auto-select a weapon - - - Game Options + + Game scheme will auto-select a weapon + + HWAskQuitDialog @@ -100,10 +209,6 @@ Failed to save StyleSheet to %1 - - %1 is not a valid command! - - HWForm @@ -138,17 +243,6 @@ - Your nickname %1 is -registered on Hedgewars.org -Please provide your password below -or pick another nickname in game config: - - - - No password supplied. - - - Nickname Becenév @@ -161,6 +255,59 @@ Please pick another nickname: + + %1's Team + + + + Hedgewars - Nick registered + + + + This nick is registered, and you haven't specified a password. + +If this nick isn't yours, please register your own nick at www.hedgewars.org + +Password: + + + + Your nickname is not registered. +To prevent someone else from using it, +please register it at www.hedgewars.org + + + + + +Your password wasn't saved either. + + + + Hedgewars - Empty nickname + + + + Hedgewars - Wrong password + + + + You entered a wrong password. + + + + Try Again + + + + Hedgewars - Connection error + + + + You reconnected too fast. +Please wait a few seconds and try again. + + HWGame @@ -177,15 +324,15 @@ HWMapContainer Map - Pálya + Pálya Themes - Témák + Témák Filter - Szűrő + Szűrő All @@ -213,7 +360,7 @@ Type - Típus + Típus Small tunnels @@ -225,26 +372,110 @@ Large tunnels - Tágas alagutak + Tágas alagutak Small floating islands - Apró lebegő szigetek + Apró lebegő szigetek Medium floating islands - Közepes lebegő szigetek + Közepes lebegő szigetek Large floating islands - Nagy lebegő szigetek + Nagy lebegő szigetek Seed - Set + Map type: + + + + Image map + + + + Mission map + + + + Hand-drawn + + + + Randomly generated + + + + Random maze + + + + Random + Véletlen + + + Map preview: + + + + Load map drawing + + + + Edit map drawing + + + + Largetunnels + + + + Small islands + + + + Medium islands + + + + Large islands + + + + Map size: + + + + Maze style: + + + + Mission: + + + + Map: + + + + Theme: + + + + Load drawn map + + + + Drawn Maps + + + + All files @@ -318,7 +549,11 @@ HWPasswordDialog Password - JElszó + JElszó + + + Login + @@ -333,6 +568,32 @@ + HatButton + + Change hat (%1) + + + + + HatPrompt + + Select a hat + + + + Filter: + + + + Cancel + Mégse + + + Use selected hat + + + + KB SDL_ttf returned error while rendering text, most propably it is related to the bug in freetype2. It's recommended to update your freetype lib. @@ -340,6 +601,13 @@ + KeyBinder + + Category + + + + LibavInteraction Duration: %1m %2s @@ -358,6 +626,17 @@ Audio: + + unknown + + + + + MapModel + + No description available. + + PageAdmin @@ -389,6 +668,38 @@ Set data Adat beállítása + + General + Általános + + + Bans + + + + IP/Nick + + + + Expiration + + + + Reason + + + + Refresh + + + + Add + + + + Remove + + PageConnecting @@ -444,7 +755,43 @@ Advanced - Haladó + Haladó + + + Select an action to choose a custom key bind for this team + + + + Use my default + + + + Reset all binds + + + + Custom Controls + + + + Hat + Kalap + + + Name + Név + + + This hedgehog's name + + + + Randomize this hedgehog's name + + + + Random Team + Véletlen csapat @@ -519,267 +866,14 @@ PageMain - Simply pick the same color as a friend to play together as a team. Each of you will still control his or her own hedgehogs but they'll win or lose together. - Tips - - - - Some weapons might do only low damage but they can be a lot more devastating in the right situation. Try to use the Desert Eagle to knock multiple hedgehogs into the water. - Tips - - - - If you're unsure what to do and don't want to waste ammo, skip one round. But don't let too much time pass as there will be Sudden Death! - Tips - - - - If you'd like to keep others from using your preferred nickname on the official server, register an account at http://www.hedgewars.org/. - Tips - - - - You're bored of default gameplay? Try one of the missions - they'll offer different gameplay depending on the one you picked. - Tips - - - - By default the game will always record the last game played as a demo. Select 'Local Game' and pick the 'Demos' button on the lower right corner to play or manage them. - Tips - - - - Hedgewars is Open Source and Freeware we create in our spare time. If you've got problems, ask on our forums but please don't expect 24/7 support! - Tips - - - - Hedgewars is Open Source and Freeware we create in our spare time. If you like it, help us with a small donation or contribute your own work! - Tips - - - - Hedgewars is Open Source and Freeware we create in our spare time. Share it with your family and friends as you like! - Tips - - - - Hedgewars is Open Source and Freeware we create in our spare time. If someone sold you the game, you should try get a refund! - Tips - - - - From time to time there will be official tournaments. Upcoming events will be announced at http://www.hedgewars.org/ some days in advance. - Tips - - - - Hedgewars is available in many languages. If the translation in your language seems to be missing or outdated, feel free to contact us! - Tips - - - - Hedgewars can be run on lots of different operating systems including Microsoft Windows, Mac OS X and Linux. - Tips - - - - Always remember you're able to set up your own games in local and network/online play. You're not restricted to the 'Simple Game' option. - Tips - - - - Connect one or more gamepads before starting the game to be able to assign their controls to your teams. - Tips - - - - Create an account on %1 to keep others from using your most favourite nickname while playing on the official server. - Tips - - - - While playing you should give yourself a short break at least once an hour. - Tips - - - - If your graphics card isn't able to provide hardware accelerated OpenGL, try to enable the low quality mode to improve performance. - Tips - - - - If your graphics card isn't able to provide hardware accelerated OpenGL, try to update the associated drivers. - Tips - - - - We're open to suggestions and constructive feedback. If you don't like something or got a great idea, let us know! - Tips - - - - Especially while playing online be polite and always remember there might be some minors playing with or against you as well! - Tips - - - - Special game modes such as 'Vampirism' or 'Karma' allow you to develop completely new tactics. Try them in a custom game! - Tips - - - - You should never install Hedgewars on computers you don't own (school, university, work, etc.). Please ask the responsible person instead! - Tips - - - - Hedgewars can be perfect for short games during breaks. Just ensure you don't add too many hedgehogs or use an huge map. Reducing time and health might help as well. - Tips - - - - No hedgehogs were harmed in making this game. - Tips - - - - There are three different jumps available. Tap [high jump] twice to do a very high/backwards jump. - Tips - - - - Afraid of falling off a cliff? Hold down [precise] to turn [left] or [right] without actually moving. - Tips - - - - Some weapons require special strategies or just lots of training, so don't give up on a particular tool if you miss an enemy once. - Tips - - - - Most weapons won't work once they touch the water. The Homing Bee as well as the Cake are exceptions to this. - Tips - - - - The Old Limbuger only causes a small explosion. However the wind affected smelly cloud can poison lots of hogs at once. - Tips - - - - The Piano Strike is the most damaging air strike. You'll lose the hedgehog performing it, so there's a huge downside as well. - Tips - - - - Sticky Mines are a perfect tool to create small chain reactions knocking enemy hedgehogs into dire situations ... or water. - Tips - - - - The Hammer is most effective when used on bridges or girders. Hit hogs will just break through the ground. - Tips - - - - If you're stuck behind an enemy hedgehog, use the Hammer to free yourself without getting damaged by an explosion. - Tips - - - - The Cake's maximum walking distance depends on the ground it has to pass. Use [attack] to detonate it early. - Tips - - - - The Flame Thrower is a weapon but it can be used for tunnel digging as well. - Tips - - - - Want to know who's behind the game? Click on the Hedgewars logo in the main menu to see the credits. - Tips - - - - Like Hedgewars? Become a fan on %1 or follow us on %2! - Tips - - - - Feel free to draw your own graves, hats, flags or even maps and themes! But note that you'll have to share them somewhere to use them online. - Tips - - - - Really want to wear a specific hat? Donate to us and receive an exclusive hat of your choice! - Tips - - - - Keep your video card drivers up to date to avoid issues playing the game. - Tips - - - - You can find your Hedgewars configuration files under "My Documents\Hedgewars". Create backups or take the files with you, but don't edit them by hand. - Tips - - - - You're able to associate Hedgewars related files (savegames and demo recordings) with the game to launch them right from your favorite file or internet browser. - Tips - - - - Want to save ropes? Release the rope in mid air and then shoot again. As long as you don't touch the ground you'll reuse your rope without wasting ammo! - Tips - - - - You can find your Hedgewars configuration files under "Library/Application Support/Hedgewars" in your home directory. Create backups or take the files with you, but don't edit them by hand. - Tips - - - - You can find your Hedgewars configuration files under ".hedgewars" in your home directory. Create backups or take the files with you, but don't edit them by hand. - Tips - - - - The Windows version of Hedgewars supports Xfire. Make sure to add Hedgewars to its game list so your friends can see you playing. - Tips - - - - Use the Molotov or Flame Thrower to temporary keep hedgehogs from passing terrain such as tunnels or platforms. - Tips - - - - The Homing Bee can be tricky to use. Its turn radius depends on its velocity, so try to not use full power. - Tips - - - Downloadable Content - Local Game - - - Play a game on a single computer - Network Game - - - Play a game across a network @@ -807,6 +901,14 @@ Edit game preferences + + Play a game across a local area network + + + + Play a game on an official server + + PageMultiplayer @@ -814,6 +916,10 @@ Start Start + + Edit game preferences + + PageNetGame @@ -821,24 +927,24 @@ Control Irányítás + + Edit game preferences + + + + Start + Start + PageNetType LAN game - LAN játék + LAN játék Official server - Hivatalos szerver - - - Join hundreds of players online! - - - - Join or host your own game server in a Local Area Network. - + Hivatalos szerver @@ -885,7 +991,7 @@ General - Általános + Általános Advanced @@ -927,6 +1033,94 @@ System proxy settings + + Select an action to change what key controls it + + + + Reset to default + + + + Reset all binds + + + + Game + + + + Graphics + + + + Audio + + + + Controls + + + + Video Recording + + + + Network + + + + Teams + Csapatok + + + Schemes + + + + Weapons + Fegyverek + + + Frontend + + + + Custom colors + + + + Game audio + + + + Frontend audio + + + + Account + + + + Proxy settings + + + + Miscellaneous + + + + Updates + + + + Check for updates + + + + Video recording options + + PagePlayDemo @@ -1125,18 +1319,10 @@ PageSinglePlayer - Simple Game - - - Play a quick game against the computer with random settings - Multiplayer - - - Play a hotseat game against your friends, or AI teams @@ -1145,24 +1331,16 @@ - Training Mode - - - Practice your skills in a range of training missions - Demos - - - Watch recorded demos Load - Betöltés + Betöltés Load a previously saved game @@ -1209,14 +1387,6 @@ - Date: - - - - Size: - - - encoding @@ -1224,6 +1394,16 @@ uploading + + Date: %1 + + + + + Size: %1 + + + QAction @@ -1237,7 +1417,7 @@ Start - Start + Start Restrict Joins @@ -1288,15 +1468,15 @@ Frontend fullscreen - Frontend teljesképernyő + Frontend teljesképernyő Enable sound - Hangok engedélyezése + Hangok engedélyezése Enable music - Zene engedélyezése + Zene engedélyezése Show FPS @@ -1316,15 +1496,15 @@ Enable frontend sounds - Frontend hangok engedélyezése + Frontend hangok engedélyezése Enable frontend music - Frontend zenéjének engedélyezése + Frontend zenéjének engedélyezése Frontend effects - Frontend effektusok + Frontend effektusok Save password @@ -1346,12 +1526,40 @@ Use game resolution + + Visual effects + + + + Sound + + + + In-game sound effects + + + + Music + + + + In-game music + + + + Frontend sound effects + + + + Frontend music + + QComboBox generated map... - a létrehozott pálya... + a létrehozott pálya... Human @@ -1367,11 +1575,11 @@ Mission - Küldetés + Küldetés generated maze... - a létrehozott labirintus... + a létrehozott labirintus... Community @@ -1390,10 +1598,6 @@ - hand drawn map... - - - Disabled @@ -1430,10 +1634,6 @@ - Wiggle - - - Red/Cyan grayscale @@ -1470,15 +1670,15 @@ Key binds - Billentyűzet testreszabása + Billentyűzet testreszabása Teams - Csapatok + Csapatok Audio/Graphic options - Hang- és képi beállítások + Hang- és képi beállítások Net game @@ -1502,23 +1702,7 @@ Misc - Egyéb - - - Schemes and Weapons - - - - Custom colors - - - - Miscellaneous - - - - Video recording options - + Egyéb Videos @@ -1528,10 +1712,6 @@ Description - - Proxy settings - - QLabel @@ -1549,23 +1729,23 @@ Developers: - Fejlesztők: + Fejlesztők: Art: - Grafika: + Grafika: Sounds: - Hangok: + Hangok: Translations: - Fordítások: + Fordítások: Special thanks: - Külön köszönet: + Külön köszönet: Weapons @@ -1625,7 +1805,7 @@ Game scheme - Játék sémája + Játék sémája % Dud Mines @@ -1664,10 +1844,6 @@ - This development build is 'work in progress' and may not be compatible with other versions of the game. Some features might be broken or incomplete. Use at your own risk! - - - Quality @@ -1742,10 +1918,6 @@ - Summary - - - Description @@ -1773,6 +1945,38 @@ Bitrate (Kbps) + + This development build is 'work in progress' and may not be compatible with other versions of the game, while some features might be broken or incomplete! + + + + Fullscreen + Teljes képernyő + + + Fullscreen Resolution + + + + Windowed Resolution + + + + Your Email + + + + Summary + + + + Send system information + + + + Type the security code: + + QLineEdit @@ -1811,10 +2015,6 @@ - Please fill out all fields - - - Error while authenticating at google.com: @@ -1861,18 +2061,6 @@ - Successfully posted the issue on hedgewars.googlecode.com - - - - Error during authentication at google.com - - - - Error reporting the issue, please try again later (or visit hedgewars.googlecode.com directly) - - - Main - Error @@ -2018,16 +2206,48 @@ Do you really want to delete the weapon set '%1'? + + Hedgewars - Nick not registered + + + + System Information Preview + + + + Failed to generate captcha + + + + Failed to download captcha + + + + Please fill out all fields. Email is optional. + + + + Hedgewars - Warning + + + + Hedgewars - Information + + + + Hedgewars + + QObject Nickname - Becenév + Becenév Please enter your nickname - Add meg a beceneved + Add meg a beceneved @@ -2086,25 +2306,21 @@ Setup - Beállítás + Beállítás Ready - Kész + Kész Random Team - Véletlen csapat + Véletlen csapat Associate file extensions - more - - - More info @@ -2197,6 +2413,25 @@ + SeedPrompt + + The map seed is the basis for all random values generated by the game. + + + + Cancel + Mégse + + + Set seed + + + + Close + + + + SelWeaponWidget Weapon set @@ -2224,106 +2459,88 @@ + TeamShowWidget + + %1's team + + + + + ThemePrompt + + Select a theme for this map + + + + Cancel + Mégse + + + ToggleButtonWidget Vampirism - Vámpírizmus + Vámpírizmus Karma - Karma + Karma Artillery - Tüzérség + Tüzérség Fort Mode - Erődítmény + Erődítmény Divide Teams - Csapatok felosztása + Csapatok felosztása Solid Land - Szilárd talaj + Szilárd talaj Add Border - Határok felállítása + Határok felállítása Low Gravity - Alacsony gravitáció + Alacsony gravitáció Laser Sight - Lézeres mutató + Lézeres mutató Invulnerable - Sérthetetlenség + Sérthetetlenség Random Order - Véletlen sorrend + Véletlen sorrend King - Király + Király Place Hedgehogs - Sünik elhelyezése + Sünik elhelyezése Clan Shares Ammo - Közös lőszerek + Közös lőszerek Disable Girders - Hidak tiltása + Hidak tiltása Disable Land Objects - Tereptárgyak tiltása - - - Reset Health - - - - AI Survival Mode - - - - Unlimited Attacks - - - - Reset Weapons - - - - Per Hedgehog Ammo - - - - Disable Wind - - - - More Wind - - - - Tag Team - - - - Add Bottom Border - + Tereptárgyak tiltása @@ -2459,7 +2676,7 @@ hedgehogs info - süni + süni info @@ -2498,31 +2715,51 @@ record + + hedgehog info + + binds (categories) Basic controls - Alap irányítás + Alap irányítás Weapon controls - Fegyverek kezelése + Fegyverek kezelése Camera and cursor controls - Kamera és kurzor irányítása + Kamera és kurzor irányítása Other - Egyéb + Egyéb + + + Movement + + + + Weapons + Fegyverek + + + Camera + + + + Miscellaneous + binds (descriptions) Move your hogs and aim: - Süni mozgatása és célzás: + Süni mozgatása és célzás: Traverse gaps and obstacles by jumping: @@ -2588,6 +2825,10 @@ Record video: + + Hedgehog movement + + binds (keys) @@ -2908,4 +3149,119 @@ DPad + + server + + Illegal nickname + + + + Protocol already known + + + + Bad number + + + + bye + + + + Empty config entry + + + + Not room master + + + + Corrupted hedgehogs info + + + + too many teams + + + + too many hedgehogs + + + + There's already a team with same name in the list + + + + round in progress + + + + restricted + + + + REMOVE_TEAM: no such team + + + + Not team owner! + + + + Less than two clans! + + + + Room with such name already exists + + + + Illegal room name + + + + No such room + + + + Joining restricted + + + + Registered users only + + + + You are banned in this room + + + + Nickname is already in use + + + + No checker rights + + + + Authentication failed + + + + 60 seconds cooldown after kick + + + + kicked + + + + Ping timeout + + + + Nickname already chosen + + + diff -r 33ab77c0b486 -r 87410ae372f6 share/hedgewars/Data/Locale/hedgewars_it.ts --- a/share/hedgewars/Data/Locale/hedgewars_it.ts Fri Jan 18 11:47:23 2013 +0100 +++ b/share/hedgewars/Data/Locale/hedgewars_it.ts Sat Jan 19 00:51:28 2013 +0400 @@ -20,6 +20,115 @@ + BanDialog + + 10 minutes + + + + 30 minutes + + + + 1 hour + + + + 3 hours + + + + 5 hours + + + + 24 hours + + + + 3 days + + + + 7 days + + + + 14 days + + + + permanent + + + + IP + IP + + + Nick + + + + IP/Nick + + + + Reason + + + + Duration + + + + Ok + + + + Cancel + Annulla + + + you know why + + + + Warning + + + + Please, specify %1 + + + + nickname + + + + + DataManager + + Use Default + + + + + FeedbackDialog + + View + + + + Cancel + Annulla + + + Send Feedback + + + + FreqSpinBox Never @@ -45,12 +154,16 @@ When this option is enabled selecting a game scheme will auto-select a weapon - Quando questa opzione è attiva, la scelta di uno schema di gioco selezionerà automaticamente le armi appropriate + Quando questa opzione è attiva, la scelta di uno schema di gioco selezionerà automaticamente le armi appropriate Game Options Opzioni di Gioco + + Game scheme will auto-select a weapon + + HWAskQuitDialog @@ -103,7 +216,7 @@ %1 is not a valid command! - %1 non è un comando valido! + %1 non è un comando valido! @@ -143,14 +256,14 @@ registered on Hedgewars.org Please provide your password below or pick another nickname in game config: - Il nickname %1 è + Il nickname %1 è registrato su Hedgewars.org Per favore inserisci la tua password o scegli un altro nickname: No password supplied. - Nessuna password valida inserita. + Nessuna password valida inserita. Nickname @@ -166,6 +279,59 @@ Qualcun altro sta già usando il tuo nickname %1 sul server. Per favore scegli un altro nickname: + + %1's Team + + + + Hedgewars - Nick registered + + + + This nick is registered, and you haven't specified a password. + +If this nick isn't yours, please register your own nick at www.hedgewars.org + +Password: + + + + Your nickname is not registered. +To prevent someone else from using it, +please register it at www.hedgewars.org + + + + + +Your password wasn't saved either. + + + + Hedgewars - Empty nickname + + + + Hedgewars - Wrong password + + + + You entered a wrong password. + + + + Try Again + + + + Hedgewars - Connection error + + + + You reconnected too fast. +Please wait a few seconds and try again. + + HWGame @@ -182,15 +348,15 @@ HWMapContainer Map - Mappa + Mappa Themes - Temi + Temi Filter - Filtro + Filtro All @@ -218,7 +384,7 @@ Type - Tipo + Tipo Small tunnels @@ -230,19 +396,19 @@ Large tunnels - Gallerie grandi + Gallerie grandi Small floating islands - Isole piccole + Isole piccole Medium floating islands - Isole medie + Isole medie Large floating islands - Isole grandi + Isole grandi Seed @@ -250,7 +416,95 @@ Set - Imposta + Imposta + + + Map type: + + + + Image map + + + + Mission map + + + + Hand-drawn + Disegnata a mano + + + Randomly generated + + + + Random maze + + + + Random + Casuale + + + Map preview: + + + + Load map drawing + + + + Edit map drawing + + + + Largetunnels + + + + Small islands + + + + Medium islands + + + + Large islands + + + + Map size: + + + + Maze style: + + + + Mission: + + + + Map: + + + + Theme: + + + + Load drawn map + Carica mappa disegnata + + + Drawn Maps + Mappe disegnate + + + All files + Tutti i file @@ -323,7 +577,11 @@ HWPasswordDialog Password - Password + Password + + + Login + @@ -338,6 +596,32 @@ + HatButton + + Change hat (%1) + + + + + HatPrompt + + Select a hat + + + + Filter: + + + + Cancel + Annulla + + + Use selected hat + + + + KB SDL_ttf returned error while rendering text, most propably it is related to the bug in freetype2. It's recommended to update your freetype lib. @@ -345,6 +629,13 @@ + KeyBinder + + Category + + + + LibavInteraction Duration: %1m %2s @@ -363,6 +654,10 @@ Audio: Audio: + + unknown + + LibavIteraction @@ -385,6 +680,13 @@ + MapModel + + No description available. + + + + PageAdmin Clear Accounts Cache @@ -414,6 +716,38 @@ Set data Imposta dati + + General + Generale + + + Bans + + + + IP/Nick + + + + Expiration + + + + Reason + + + + Refresh + + + + Add + + + + Remove + + PageConnecting @@ -469,7 +803,43 @@ Advanced - Avanzato + Avanzato + + + Select an action to choose a custom key bind for this team + + + + Use my default + + + + Reset all binds + + + + Custom Controls + + + + Hat + Cappello + + + Name + Nome + + + This hedgehog's name + + + + Randomize this hedgehog's name + + + + Random Team + Squadra Casuale @@ -552,247 +922,247 @@ Simply pick the same color as a friend to play together as a team. Each of you will still control his or her own hedgehogs but they'll win or lose together. Tips - Scegli lo stesso colore di un amico per giocare in squadra. Ciascuno controllerà i propri ricci ma la vittoria o la sconfitta saranno comuni. + Scegli lo stesso colore di un amico per giocare in squadra. Ciascuno controllerà i propri ricci ma la vittoria o la sconfitta saranno comuni. Some weapons might do only low damage but they can be a lot more devastating in the right situation. Try to use the Desert Eagle to knock multiple hedgehogs into the water. Tips - Alcune armi potrebbero fare pochi danni ma possono essere devastanti se usate al momento giusto. Prova ad esempio ad utilizzare la Desert Eagle per spingere più ricci in acqua. + Alcune armi potrebbero fare pochi danni ma possono essere devastanti se usate al momento giusto. Prova ad esempio ad utilizzare la Desert Eagle per spingere più ricci in acqua. If you're unsure what to do and don't want to waste ammo, skip one round. But don't let too much time pass as there will be Sudden Death! Tips - Se non sai cosa fare e non vuoi sprecare munizioni, salta il turno. Ma non farlo troppe volte perché c'è il Sudden Death! + Se non sai cosa fare e non vuoi sprecare munizioni, salta il turno. Ma non farlo troppe volte perché c'è il Sudden Death! If you'd like to keep others from using your preferred nickname on the official server, register an account at http://www.hedgewars.org/. Tips - Se vuoi evitare che altri possano impersonarti, utilizzando il tuo nickname, sul server ufficiale, registrati su http://www.hedgewars.org/. + Se vuoi evitare che altri possano impersonarti, utilizzando il tuo nickname, sul server ufficiale, registrati su http://www.hedgewars.org/. You're bored of default gameplay? Try one of the missions - they'll offer different gameplay depending on the one you picked. Tips - Sei stanco delle partite preimpostate? Prova una missione - le missioni offrono interessanti modalità differenti di partite in base alle tue scelte. + Sei stanco delle partite preimpostate? Prova una missione - le missioni offrono interessanti modalità differenti di partite in base alle tue scelte. By default the game will always record the last game played as a demo. Select 'Local Game' and pick the 'Demos' button on the lower right corner to play or manage them. Tips - Il gioco salverà sempre l'ultima partita giocata come demo. Seleziona 'Gioco locale' e clicca il bottone 'Demos' nell'angolo in basso a destra per gestirle. + Il gioco salverà sempre l'ultima partita giocata come demo. Seleziona 'Gioco locale' e clicca il bottone 'Demos' nell'angolo in basso a destra per gestirle. Hedgewars is Open Source and Freeware we create in our spare time. If you've got problems, ask on our forums but please don't expect 24/7 support! Tips - Hedgewars è un programma Open Source e gratuito che noi creiamo nel nostro tempo libero. Se hai problemi, chiedi nei nostri forum ma, per favore, non aspettarti un supporto 24/7! + Hedgewars è un programma Open Source e gratuito che noi creiamo nel nostro tempo libero. Se hai problemi, chiedi nei nostri forum ma, per favore, non aspettarti un supporto 24/7! Hedgewars is Open Source and Freeware we create in our spare time. If you like it, help us with a small donation or contribute your own work! Tips - Hedgewars è un programma Open Source e gratuito che creiamo nel nostro tempo libero. Se ti piace, aiutaci con una piccola donazione o contribuisci con il tuo lavoro! + Hedgewars è un programma Open Source e gratuito che creiamo nel nostro tempo libero. Se ti piace, aiutaci con una piccola donazione o contribuisci con il tuo lavoro! Hedgewars is Open Source and Freeware we create in our spare time. Share it with your family and friends as you like! Tips - Hedgewars è un programma Open Source e gratuito che creiamo nel nostro tempo libero. Condividilo con tutta la famiglia e e con gli amici come più ti piace! + Hedgewars è un programma Open Source e gratuito che creiamo nel nostro tempo libero. Condividilo con tutta la famiglia e e con gli amici come più ti piace! From time to time there will be official tournaments. Upcoming events will be announced at http://www.hedgewars.org/ some days in advance. Tips - Di tanto in tanto ci saranno tornei ufficiali. Gli eventi saranno annunciati su http://www.hedgewars.org/ con qualche giorno di anticipo. + Di tanto in tanto ci saranno tornei ufficiali. Gli eventi saranno annunciati su http://www.hedgewars.org/ con qualche giorno di anticipo. Hedgewars is available in many languages. If the translation in your language seems to be missing or outdated, feel free to contact us! Tips - Hedgewars è disponibile in molte lingue. Se la traduzione nella tua lingua sembra mancante o non aggiornata, sentiti libero di contattaci! + Hedgewars è disponibile in molte lingue. Se la traduzione nella tua lingua sembra mancante o non aggiornata, sentiti libero di contattaci! Hedgewars can be run on lots of different operating systems including Microsoft Windows, Mac OS X and Linux. Tips - Hedgewars può essere usato su molti sistemi operativi differenti come Microsoft Windows - XP, Vista, 7 -, Mac OS X e Linux. + Hedgewars può essere usato su molti sistemi operativi differenti come Microsoft Windows - XP, Vista, 7 -, Mac OS X e Linux. Always remember you're able to set up your own games in local and network/online play. You're not restricted to the 'Simple Game' option. Tips - Ricordati che sei sempre in grado di configurare partire personalizzate in locale e online. Non devi sentirti limitato alle opzioni predefinite! + Ricordati che sei sempre in grado di configurare partire personalizzate in locale e online. Non devi sentirti limitato alle opzioni predefinite! While playing you should give yourself a short break at least once an hour. Tips - Durante il gioco dovresti fare una breve pausa almeno ogni ora. In caso di partite più lunghe, sospendi l'attività per almeno 30 minuti al termine del gioco! + Durante il gioco dovresti fare una breve pausa almeno ogni ora. In caso di partite più lunghe, sospendi l'attività per almeno 30 minuti al termine del gioco! If your graphics card isn't able to provide hardware accelerated OpenGL, try to enable the low quality mode to improve performance. Tips - Se la tua scheda grafica non è in grado di fornire OpenGL con accelerazione hardware, prova ad abilitare la modalità a bassa qualità per migliorare le prestazioni. + Se la tua scheda grafica non è in grado di fornire OpenGL con accelerazione hardware, prova ad abilitare la modalità a bassa qualità per migliorare le prestazioni. We're open to suggestions and constructive feedback. If you don't like something or got a great idea, let us know! Tips - Siamo aperti a suggerimenti e consigli costruttivi. Se non ti piace qualcosa o hai una buona idea, comunicacelo! + Siamo aperti a suggerimenti e consigli costruttivi. Se non ti piace qualcosa o hai una buona idea, comunicacelo! Especially while playing online be polite and always remember there might be some minors playing with or against you as well! Tips - In particolare quando giochi online sii educato e ricorda che potrebbero esserci dei minorenni che stanno giocando con te o contro di te! + In particolare quando giochi online sii educato e ricorda che potrebbero esserci dei minorenni che stanno giocando con te o contro di te! Special game modes such as 'Vampirism' or 'Karma' allow you to develop completely new tactics. Try them in a custom game! Tips - Le modalità di gioco speciali, come 'Vampirismo' o 'Karma' ti permettono di sviluppare nuove tattiche. Provale in una partita personalizzata! + Le modalità di gioco speciali, come 'Vampirismo' o 'Karma' ti permettono di sviluppare nuove tattiche. Provale in una partita personalizzata! You should never install Hedgewars on computers you don't own (school, university, work, etc.). Please ask the responsible person instead! Tips - Non dovresti mai installare Hedgewars su computer che non possiedi (scuola, università, lavoro, ecc.). Per favore, chiedi ai responsabili! + Non dovresti mai installare Hedgewars su computer che non possiedi (scuola, università, lavoro, ecc.). Per favore, chiedi ai responsabili! Hedgewars can be perfect for short games during breaks. Just ensure you don't add too many hedgehogs or use an huge map. Reducing time and health might help as well. Tips - Hedgewars può essere perfetto per brevi partite durante le pause. Assicurati solamente di non aver aggiunto troppi ricci o di usare una mappa troppo grande. Ridurre tempo e vita può aiutare allo stesso modo. + Hedgewars può essere perfetto per brevi partite durante le pause. Assicurati solamente di non aver aggiunto troppi ricci o di usare una mappa troppo grande. Ridurre tempo e vita può aiutare allo stesso modo. No hedgehogs were harmed in making this game. Tips - Nessun riccio è stato maltrattato durante lo sviluppo di questo gioco. + Nessun riccio è stato maltrattato durante lo sviluppo di questo gioco. Hedgewars is Open Source and Freeware we create in our spare time. If someone sold you the game, you should try get a refund! Tips - Hedgewars è un programma Open Source e gratuito che creiamo nel nostro tempo libero. Se qualcuno ti ha venduto il gioco, dovresti chiedere un rimborso! + Hedgewars è un programma Open Source e gratuito che creiamo nel nostro tempo libero. Se qualcuno ti ha venduto il gioco, dovresti chiedere un rimborso! Connect one or more gamepads before starting the game to be able to assign their controls to your teams. Tips - Collega uno o più gamepad prima di iniziare il gioco per poterli assegnare alle tue squadra. + Collega uno o più gamepad prima di iniziare il gioco per poterli assegnare alle tue squadra. Create an account on %1 to keep others from using your most favourite nickname while playing on the official server. Tips - Crea un account su %1 per evitare che altri possano usare il tuo nickname preferito mentre giochi sul server ufficiale. + Crea un account su %1 per evitare che altri possano usare il tuo nickname preferito mentre giochi sul server ufficiale. If your graphics card isn't able to provide hardware accelerated OpenGL, try to update the associated drivers. Tips - Se la tua scheda grafica non è in grado di fornire OpenGL con accelerazione hardware, prova ad aggiornarne i driver. + Se la tua scheda grafica non è in grado di fornire OpenGL con accelerazione hardware, prova ad aggiornarne i driver. There are three different jumps available. Tap [high jump] twice to do a very high/backwards jump. Tips - Ci sono tre salti disponibili. Premi [salto in alto] due volte per eseguire un salto in alto all'indietro. + Ci sono tre salti disponibili. Premi [salto in alto] due volte per eseguire un salto in alto all'indietro. Afraid of falling off a cliff? Hold down [precise] to turn [left] or [right] without actually moving. Tips - Paura di cadere da un dirupo? Premi [mirino di precisione] per girare a [sinistra] o a [destra] senza muoverti. + Paura di cadere da un dirupo? Premi [mirino di precisione] per girare a [sinistra] o a [destra] senza muoverti. Some weapons require special strategies or just lots of training, so don't give up on a particular tool if you miss an enemy once. Tips - Alcune armi richiedono strategie particolari o semplicemente molto allenamento, quindi non arrenderti nell'utilizzo di un'arma specifica se manchi il nemico una volta. + Alcune armi richiedono strategie particolari o semplicemente molto allenamento, quindi non arrenderti nell'utilizzo di un'arma specifica se manchi il nemico una volta. Most weapons won't work once they touch the water. The Homing Bee as well as the Cake are exceptions to this. Tips - Molte armi non funzionano quando toccano l'acqua. L'Ape a Ricerca così come la Torta sono delle eccezioni. + Molte armi non funzionano quando toccano l'acqua. L'Ape a Ricerca così come la Torta sono delle eccezioni. The Old Limbuger only causes a small explosion. However the wind affected smelly cloud can poison lots of hogs at once. Tips - Il vecchio Limburger causa solo una piccola esplosione. Tuttavia il vento influisce sulla nuvola puzzolente e può avvelenare più ricci contemporaneamente. + Il vecchio Limburger causa solo una piccola esplosione. Tuttavia il vento influisce sulla nuvola puzzolente e può avvelenare più ricci contemporaneamente. The Piano Strike is the most damaging air strike. You'll lose the hedgehog performing it, so there's a huge downside as well. Tips - L'Ultima Sonata è l'attacco aereo più dannoso. Perderai il tuo riccio, eseguendolo, quindi ci sono anche delle grosse controindicazioni. + L'Ultima Sonata è l'attacco aereo più dannoso. Perderai il tuo riccio, eseguendolo, quindi ci sono anche delle grosse controindicazioni. Sticky Mines are a perfect tool to create small chain reactions knocking enemy hedgehogs into dire situations ... or water. Tips - Le Mine Adesive sono lo strumento perfetto per creare piccole reazioni a catena e spingere i ricci nemici in situazioni difficili... o in acqua. + Le Mine Adesive sono lo strumento perfetto per creare piccole reazioni a catena e spingere i ricci nemici in situazioni difficili... o in acqua. The Hammer is most effective when used on bridges or girders. Hit hogs will just break through the ground. Tips - Il Martello è più efficate se usato su ponti o travi. Colpire i ricci li farà sprofondare attraverso il terreno. + Il Martello è più efficate se usato su ponti o travi. Colpire i ricci li farà sprofondare attraverso il terreno. If you're stuck behind an enemy hedgehog, use the Hammer to free yourself without getting damaged by an explosion. Tips - Se sei bloccato dietro un riccio nemico, usa il Martello per liberarti senza essere danneggiato da un'esplosione. + Se sei bloccato dietro un riccio nemico, usa il Martello per liberarti senza essere danneggiato da un'esplosione. The Cake's maximum walking distance depends on the ground it has to pass. Use [attack] to detonate it early. Tips - La distanza massima di cammino della Torta dipende dal terreno che deve attraversare. Usa [attacca] per farla esplodere prima. + La distanza massima di cammino della Torta dipende dal terreno che deve attraversare. Usa [attacca] per farla esplodere prima. The Flame Thrower is a weapon but it can be used for tunnel digging as well. Tips - Il Lanciafiamme è un'arma che può essere usata anche per scavare gallerie. + Il Lanciafiamme è un'arma che può essere usata anche per scavare gallerie. Want to know who's behind the game? Click on the Hedgewars logo in the main menu to see the credits. Tips - Vuoi sapere chi c'è dietro il gioco? Clicca sul logo Hedgewars nel menu principale per vederne gli autori e sviluppatori. + Vuoi sapere chi c'è dietro il gioco? Clicca sul logo Hedgewars nel menu principale per vederne gli autori e sviluppatori. Like Hedgewars? Become a fan on %1 or follow us on %2! Tips - Ti piace Hedgewars? Diventa fan su %1 o seguici su %2! + Ti piace Hedgewars? Diventa fan su %1 o seguici su %2! Feel free to draw your own graves, hats, flags or even maps and themes! But note that you'll have to share them somewhere to use them online. Tips - Sentiti libero di disegnare tombe, cappelli, bandiere o anche mappe e temi personalizzati - lo puoi fare con TheGIMP! Ma nota che dovrai condividerli in qualche modo per usarli online. + Sentiti libero di disegnare tombe, cappelli, bandiere o anche mappe e temi personalizzati - lo puoi fare con TheGIMP! Ma nota che dovrai condividerli in qualche modo per usarli online. Really want to wear a specific hat? Donate to us and receive an exclusive hat of your choice! Tips - Vuoi proprio un cappello specifico? Facci una piccola donazione e riceverai un cappello esclusivo a tua scelta! + Vuoi proprio un cappello specifico? Facci una piccola donazione e riceverai un cappello esclusivo a tua scelta! Keep your video card drivers up to date to avoid issues playing the game. Tips - Mantieni aggiornati i driver della tua scheda video, per evitare problemi durante il gioco. + Mantieni aggiornati i driver della tua scheda video, per evitare problemi durante il gioco. You can find your Hedgewars configuration files under "My Documents\Hedgewars". Create backups or take the files with you, but don't edit them by hand. Tips - Puoi trovare i file di configurazione del gioco in "Documenti\Hedgewars". Crea delle copie di sicurezza o prendi i file con te, ma non modificarli manualmente! + Puoi trovare i file di configurazione del gioco in "Documenti\Hedgewars". Crea delle copie di sicurezza o prendi i file con te, ma non modificarli manualmente! You're able to associate Hedgewars related files (savegames and demo recordings) with the game to launch them right from your favorite file or internet browser. Tips - Puoi associare i file relativi a Hedgewars (partite salvate e registrazioni demo) al gioco, in modo da lanciarli direttamente dal tuo gestore file o browser Internet. + Puoi associare i file relativi a Hedgewars (partite salvate e registrazioni demo) al gioco, in modo da lanciarli direttamente dal tuo gestore file o browser Internet. Want to save ropes? Release the rope in mid air and then shoot again. As long as you don't touch the ground you'll reuse your rope without wasting ammo! Tips - Vuoi utilizzare più a lungo la corda? Rilascia la corda a mezz'aria e spara di nuovo. Finché non tocchi il terreno potrai riusare la corda senza sprecare munizioni! + Vuoi utilizzare più a lungo la corda? Rilascia la corda a mezz'aria e spara di nuovo. Finché non tocchi il terreno potrai riusare la corda senza sprecare munizioni! You can find your Hedgewars configuration files under "Library/Application Support/Hedgewars" in your home directory. Create backups or take the files with you, but don't edit them by hand. Tips - Puoi trovare i file di configurazione del gioco in "Library/Application Support/Hedgewars" nella tua cartella utente. Crea una copia di sicurezza o porta i file con te, ma non modificarli mai manualmente. + Puoi trovare i file di configurazione del gioco in "Library/Application Support/Hedgewars" nella tua cartella utente. Crea una copia di sicurezza o porta i file con te, ma non modificarli mai manualmente. You can find your Hedgewars configuration files under ".hedgewars" in your home directory. Create backups or take the files with you, but don't edit them by hand. Tips - Puoi trovare i file di configurazione del gioco in ".hedgewars" nella tua cartella home. Crea una copia di sicurezza o porta i file con te, ma non modificarli mai manualmente. + Puoi trovare i file di configurazione del gioco in ".hedgewars" nella tua cartella home. Crea una copia di sicurezza o porta i file con te, ma non modificarli mai manualmente. The Windows version of Hedgewars supports Xfire. Make sure to add Hedgewars to its game list so your friends can see you playing. Tips - La versione Windows di Hedgewars supporta Xfire. Assicurati di aggiungere Hedgewars alla sua lista giochi, così i tuoi amici potranno vederti giocare. + La versione Windows di Hedgewars supporta Xfire. Assicurati di aggiungere Hedgewars alla sua lista giochi, così i tuoi amici potranno vederti giocare. Use the Molotov or Flame Thrower to temporary keep hedgehogs from passing terrain such as tunnels or platforms. Tips - Usa la Bomba Molotov o il Lanciafiamme per impedire temporaneamente ai ricci di attraversari terreni pianeggianti, tunnel o collinette. + Usa la Bomba Molotov o il Lanciafiamme per impedire temporaneamente ai ricci di attraversari terreni pianeggianti, tunnel o collinette. The Homing Bee can be tricky to use. Its turn radius depends on its velocity, so try to not use full power. Tips - L'Ape a Ricerca può essere difficile da usare. Il suo raggio di curvatura dipende dalla sua velocità, quindi cerca di non usarla a piena potenza. + L'Ape a Ricerca può essere difficile da usare. Il suo raggio di curvatura dipende dalla sua velocità, quindi cerca di non usarla a piena potenza. Downloadable Content @@ -800,7 +1170,7 @@ Local Game - Gioco in locale + Gioco in locale Play a game on a single computer @@ -808,7 +1178,7 @@ Network Game - Gioco in rete + Gioco in rete Play a game across a network @@ -838,6 +1208,14 @@ Edit game preferences Modifica preferenze + + Play a game across a local area network + + + + Play a game on an official server + + PageMultiplayer @@ -845,6 +1223,10 @@ Start Gioca + + Edit game preferences + Modifica preferenze + PageNetGame @@ -860,24 +1242,32 @@ Downloadable Content Contenuti Scaricabili + + Edit game preferences + Modifica preferenze + + + Start + Gioca + PageNetType LAN game - Gioco in LAN + Gioco in LAN Official server - Server ufficiale + Server ufficiale Join hundreds of players online! - Incontra centinaia di giocatori online! + Incontra centinaia di giocatori online! Join or host your own game server in a Local Area Network. - Unisciti ad un server o creane uno nuovo per il gioco online in una rete LAN. + Unisciti ad un server o creane uno nuovo per il gioco online in una rete LAN. @@ -924,7 +1314,7 @@ General - Generale + Generale Advanced @@ -966,6 +1356,94 @@ System proxy settings Impostazioni proxy di sistema + + Select an action to change what key controls it + + + + Reset to default + + + + Reset all binds + + + + Game + + + + Graphics + + + + Audio + + + + Controls + + + + Video Recording + + + + Network + + + + Teams + Squadre + + + Schemes + + + + Weapons + Armi + + + Frontend + + + + Custom colors + Colori personalizzati + + + Game audio + + + + Frontend audio + + + + Account + + + + Proxy settings + + + + Miscellaneous + Varie + + + Updates + + + + Check for updates + + + + Video recording options + Opzioni di registrazione video + PagePlayDemo @@ -1166,7 +1644,7 @@ PageSinglePlayer Simple Game - Partita Semplice + Partita Semplice Play a quick game against the computer with random settings @@ -1174,7 +1652,7 @@ Multiplayer - Multiplayer + Multiplayer Play a hotseat game against your friends, or AI teams @@ -1186,7 +1664,7 @@ Training Mode - Modalità allenamento + Modalità allenamento Practice your skills in a range of training missions @@ -1194,7 +1672,7 @@ Demos - Demo + Demo Watch recorded demos @@ -1202,7 +1680,7 @@ Load - Carica + Carica Load a previously saved game @@ -1251,11 +1729,11 @@ Date: - Data: + Data: Size: - Dimensione: + Dimensione: encoding @@ -1265,6 +1743,16 @@ uploading caricamento + + Date: %1 + + + + + Size: %1 + + + QAction @@ -1274,7 +1762,7 @@ Start - Gioca + Gioca Restrict Joins @@ -1325,7 +1813,7 @@ Enable sound - Abilita il suono + Abilita il suono Show FPS @@ -1341,11 +1829,11 @@ Enable music - Abilita musica + Abilita musica Frontend fullscreen - Frontend schermo intero + Frontend schermo intero Append date and time to record file name @@ -1357,15 +1845,15 @@ Enable frontend sounds - Abilita suoni nel frontend + Abilita suoni nel frontend Enable frontend music - Abilita la musica nel frontend + Abilita la musica nel frontend Frontend effects - Effetti speciali nel frontend + Effetti speciali nel frontend Save password @@ -1387,12 +1875,40 @@ Use game resolution Usa la risoluzione del gioco + + Visual effects + + + + Sound + + + + In-game sound effects + + + + Music + + + + In-game music + + + + Frontend sound effects + + + + Frontend music + + QComboBox generated map... - Mappa generata... + Mappa generata... Human @@ -1408,11 +1924,11 @@ generated maze... - Labirinto generato... + Labirinto generato... Mission - Missione + Missione Community @@ -1432,7 +1948,7 @@ hand drawn map... - Mappa disegnata... + Mappa disegnata... Disabled @@ -1472,7 +1988,7 @@ Wiggle - Movimento continuo + Movimento continuo Red/Cyan grayscale @@ -1507,7 +2023,7 @@ Key binds - Associazione tasti + Associazione tasti Fort @@ -1515,11 +2031,11 @@ Teams - Squadre + Squadre Audio/Graphic options - Opzioni Audio/Grafica + Opzioni Audio/Grafica Net game @@ -1543,23 +2059,23 @@ Misc - Varie + Varie Schemes and Weapons - Schemi di Gioco e Armi + Schemi di Gioco e Armi Custom colors - Colori personalizzati + Colori personalizzati Miscellaneous - Varie + Varie Video recording options - Opzioni di registrazione video + Opzioni di registrazione video Videos @@ -1569,10 +2085,6 @@ Description Descrizione - - Proxy settings - - QLabel @@ -1586,19 +2098,19 @@ Developers: - Sviluppatori: + Sviluppatori: Art: - Grafica: + Grafica: Translations: - Traduttori: + Traduttori: Special thanks: - Ringraziamenti speciali: + Ringraziamenti speciali: Weapons @@ -1634,7 +2146,7 @@ Sounds: - Suoni: + Suoni: Initial sound volume @@ -1666,7 +2178,7 @@ Game scheme - Schema di gioco + Schema di gioco % Dud Mines @@ -1706,7 +2218,7 @@ This development build is 'work in progress' and may not be compatible with other versions of the game. Some features might be broken or incomplete. Use at your own risk! - Questa versione di sviluppo è in corso d'opera e può non essere compatibile con le altre versioni del gioco. Alcune funzionalità potrebbero essere incomplete o non funzionanti. Usatela a vostro rischio! + Questa versione di sviluppo è in corso d'opera e può non essere compatibile con le altre versioni del gioco. Alcune funzionalità potrebbero essere incomplete o non funzionanti. Usatela a vostro rischio! Quality @@ -1786,7 +2298,7 @@ Summary - Riassunto + Riassunto Description @@ -1816,6 +2328,38 @@ Bitrate (Kbps) Bitrate (Kbps) + + This development build is 'work in progress' and may not be compatible with other versions of the game, while some features might be broken or incomplete! + + + + Fullscreen + Schermo intero + + + Fullscreen Resolution + + + + Windowed Resolution + + + + Your Email + + + + Summary + + + + Send system information + + + + Type the security code: + + QLineEdit @@ -1855,7 +2399,7 @@ Please fill out all fields - E' necessario compilare tutti i campi + E' necessario compilare tutti i campi Error while authenticating at google.com: @@ -1905,15 +2449,15 @@ Successfully posted the issue on hedgewars.googlecode.com - Problema inviato correttamente a hedgewars.googlecode.com + Problema inviato correttamente a hedgewars.googlecode.com Error during authentication at google.com - Errore durante l'autenticazione a google.com + Errore durante l'autenticazione a google.com Error reporting the issue, please try again later (or visit hedgewars.googlecode.com directly) - Errore nell'invio del problema, si prega di provare più tardi (o visitare hedgewars.googlecode.com direttamente) + Errore nell'invio del problema, si prega di provare più tardi (o visitare hedgewars.googlecode.com direttamente) Main - Error @@ -1931,7 +2475,7 @@ Impossibile creare la directory dati: %1 -Per favore controlla l'installazione! +Per favore controlla l'installazione! TCP - Error @@ -2052,11 +2596,11 @@ Cannot overwrite default weapon set '%1'! - Non posso sovrascrivere l'insieme base di armi '%1'! + Non posso sovrascrivere l'insieme base di armi '%1'! Cannot delete default weapon set '%1'! - Non posso cancellare l'insieme base di armi '%1'! + Non posso cancellare l'insieme base di armi '%1'! Weapons - Are you sure? @@ -2064,18 +2608,50 @@ Do you really want to delete the weapon set '%1'? - Vuoi davvero cancellare l'insieme di armi '%1'? + Vuoi davvero cancellare l'insieme di armi '%1'? + + + Hedgewars - Nick not registered + + + + System Information Preview + + + + Failed to generate captcha + + + + Failed to download captcha + + + + Please fill out all fields. Email is optional. + + + + Hedgewars - Warning + + + + Hedgewars - Information + + + + Hedgewars + QObject Nickname - Nickname + Nickname Please enter your nickname - Per favore inserisci il tuo nickname + Per favore inserisci il tuo nickname @@ -2134,15 +2710,15 @@ Setup - Impostazioni + Impostazioni Ready - Pronto + Pronto Random Team - Squadra Casuale + Squadra Casuale Associate file extensions @@ -2150,7 +2726,7 @@ more - altro + altro More info @@ -2245,6 +2821,25 @@ + SeedPrompt + + The map seed is the basis for all random values generated by the game. + + + + Cancel + Annulla + + + Set seed + + + + Close + + + + SelWeaponWidget Weapon set @@ -2272,106 +2867,124 @@ + TeamShowWidget + + %1's team + + + + + ThemePrompt + + Select a theme for this map + + + + Cancel + Annulla + + + ToggleButtonWidget Vampirism - Vampirismo + Vampirismo Karma - Karma + Karma Artillery - Artiglieria + Artiglieria Fort Mode - Modalità Fortino + Modalità Fortino Divide Teams - Dividi le Squadre + Dividi le Squadre Solid Land - Terreno Solido + Terreno Solido Add Border - Aggiunta Bordo + Aggiunta Bordo Low Gravity - Gravità Zero + Gravità Zero Laser Sight - Vista Laser + Vista Laser Invulnerable - Invulnerabilità + Invulnerabilità Random Order - Ordine Casuale + Ordine Casuale King - Re + Re Place Hedgehogs - Posiziona Ricci + Posiziona Ricci Clan Shares Ammo - Munizioni Condivise + Munizioni Condivise Disable Girders - Disabilita Travi + Disabilita Travi Disable Land Objects - Disabilita Oggetti Terreno + Disabilita Oggetti Terreno AI Survival Mode - Modalità Sopravvivenza AI + Modalità Sopravvivenza AI Reset Health - Resetta la vita allo stato di partenza + Resetta la vita allo stato di partenza Unlimited Attacks - Attacchi Illimitati + Attacchi Illimitati Reset Weapons - Resetta le armi allo stato di partenza + Resetta le armi allo stato di partenza Per Hedgehog Ammo - Munzioni non condivise con gli altri ricci + Munzioni non condivise con gli altri ricci Disable Wind - Disabilita Vento + Disabilita Vento More Wind - Più Vento + Più Vento Tag Team - Tag Team + Tag Team Add Bottom Border - Aggiungi Bordo Inferiore + Aggiungi Bordo Inferiore @@ -2491,7 +3104,7 @@ hedgehogs info - informazioni + informazioni ricci @@ -2546,31 +3159,51 @@ record registra + + hedgehog info + + binds (categories) Basic controls - Controlli di base + Controlli di base Weapon controls - Controlli per le armi + Controlli per le armi Camera and cursor controls - Controlli camera e cursore + Controlli camera e cursore Other - Altro + Altro + + + Movement + + + + Weapons + Armi + + + Camera + + + + Miscellaneous + Varie binds (descriptions) Move your hogs and aim: - Muovi i tuoi ricci e punta: + Muovi i tuoi ricci e punta: Traverse gaps and obstacles by jumping: @@ -2636,6 +3269,10 @@ Record video: Registra video: + + Hedgehog movement + + binds (keys) @@ -2956,4 +3593,119 @@ DPad + + server + + Illegal nickname + + + + Protocol already known + + + + Bad number + + + + bye + + + + Empty config entry + + + + Not room master + + + + Corrupted hedgehogs info + + + + too many teams + + + + too many hedgehogs + + + + There's already a team with same name in the list + + + + round in progress + + + + restricted + + + + REMOVE_TEAM: no such team + + + + Not team owner! + + + + Less than two clans! + + + + Room with such name already exists + + + + Illegal room name + + + + No such room + + + + Joining restricted + + + + Registered users only + + + + You are banned in this room + + + + Nickname is already in use + + + + No checker rights + + + + Authentication failed + + + + 60 seconds cooldown after kick + + + + kicked + + + + Ping timeout + + + + Nickname already chosen + + + diff -r 33ab77c0b486 -r 87410ae372f6 share/hedgewars/Data/Locale/hedgewars_ja.ts --- a/share/hedgewars/Data/Locale/hedgewars_ja.ts Fri Jan 18 11:47:23 2013 +0100 +++ b/share/hedgewars/Data/Locale/hedgewars_ja.ts Sat Jan 19 00:51:28 2013 +0400 @@ -20,6 +20,115 @@ + BanDialog + + 10 minutes + + + + 30 minutes + + + + 1 hour + + + + 3 hours + + + + 5 hours + + + + 24 hours + + + + 3 days + + + + 7 days + + + + 14 days + + + + permanent + + + + IP + ホスト名/IP + + + Nick + + + + IP/Nick + + + + Reason + + + + Duration + + + + Ok + + + + Cancel + キャンセル + + + you know why + + + + Warning + + + + Please, specify %1 + + + + nickname + + + + + DataManager + + Use Default + + + + + FeedbackDialog + + View + + + + Cancel + キャンセル + + + Send Feedback + + + + FreqSpinBox Never @@ -44,12 +153,16 @@ When this option is enabled selecting a game scheme will auto-select a weapon - このオプションを有効にして、しくみを選ぶと武器を自動選択 + このオプションを有効にして、しくみを選ぶと武器を自動選択 Game Options + + Game scheme will auto-select a weapon + + HWAskQuitDialog @@ -100,10 +213,6 @@ Failed to save StyleSheet to %1 - - %1 is not a valid command! - - HWForm @@ -142,17 +251,13 @@ registered on Hedgewars.org Please provide your password below or pick another nickname in game config: - あなたの「%1」というニック名は + あなたの「%1」というニック名は Hedgewars.orgに登録されました。 下にパスワードを入力して、または ゲーム構成に別の名を選択してください: - No password supplied. - - - Nickname @@ -165,6 +270,59 @@ Please pick another nickname: + + %1's Team + + + + Hedgewars - Nick registered + + + + This nick is registered, and you haven't specified a password. + +If this nick isn't yours, please register your own nick at www.hedgewars.org + +Password: + + + + Your nickname is not registered. +To prevent someone else from using it, +please register it at www.hedgewars.org + + + + + +Your password wasn't saved either. + + + + Hedgewars - Empty nickname + + + + Hedgewars - Wrong password + + + + You entered a wrong password. + + + + Try Again + + + + Hedgewars - Connection error + + + + You reconnected too fast. +Please wait a few seconds and try again. + + HWGame @@ -181,15 +339,15 @@ HWMapContainer Map - 地図 + 地図 Themes - テーマ + テーマ Filter - 濾過 + 濾過 All @@ -216,10 +374,6 @@ むちゃくちゃ - Type - - - Small tunnels 小トンネル @@ -229,26 +383,110 @@ Large tunnels - 大トンネル + 大トンネル Small floating islands - 子浮く島 + 子浮く島 Medium floating islands - 中浮く島 + 中浮く島 Large floating islands - 大浮く島 + 大浮く島 Seed 乱数シード - Set + Map type: + + + + Image map + + + + Mission map + + + + Hand-drawn + + + + Randomly generated + + + + Random maze + + + + Random + + + + Map preview: + + + + Load map drawing + + + + Edit map drawing + + + + Largetunnels + + + + Small islands + + + + Medium islands + + + + Large islands + + + + Map size: + + + + Maze style: + + + + Mission: + + + + Map: + + + + Theme: + + + + Load drawn map + + + + Drawn Maps + + + + All files @@ -322,7 +560,11 @@ HWPasswordDialog Password - パスワード + パスワード + + + Login + @@ -337,6 +579,32 @@ + HatButton + + Change hat (%1) + + + + + HatPrompt + + Select a hat + + + + Filter: + + + + Cancel + キャンセル + + + Use selected hat + + + + KB SDL_ttf returned error while rendering text, most propably it is related to the bug in freetype2. It's recommended to update your freetype lib. @@ -344,6 +612,13 @@ + KeyBinder + + Category + + + + LibavInteraction Duration: %1m %2s @@ -362,6 +637,17 @@ Audio: + + unknown + + + + + MapModel + + No description available. + + PageAdmin @@ -393,6 +679,38 @@ Set data + + General + 一般 + + + Bans + + + + IP/Nick + + + + Expiration + + + + Reason + + + + Refresh + + + + Add + + + + Remove + + PageConnecting @@ -448,7 +766,43 @@ Advanced - 高級 + 高級 + + + Select an action to choose a custom key bind for this team + + + + Use my default + + + + Reset all binds + + + + Custom Controls + + + + Hat + + + + Name + + + + This hedgehog's name + + + + Randomize this hedgehog's name + + + + Random Team + @@ -523,267 +877,14 @@ PageMain - Simply pick the same color as a friend to play together as a team. Each of you will still control his or her own hedgehogs but they'll win or lose together. - Tips - - - - Some weapons might do only low damage but they can be a lot more devastating in the right situation. Try to use the Desert Eagle to knock multiple hedgehogs into the water. - Tips - - - - If you're unsure what to do and don't want to waste ammo, skip one round. But don't let too much time pass as there will be Sudden Death! - Tips - - - - If you'd like to keep others from using your preferred nickname on the official server, register an account at http://www.hedgewars.org/. - Tips - - - - You're bored of default gameplay? Try one of the missions - they'll offer different gameplay depending on the one you picked. - Tips - - - - By default the game will always record the last game played as a demo. Select 'Local Game' and pick the 'Demos' button on the lower right corner to play or manage them. - Tips - - - - Hedgewars is Open Source and Freeware we create in our spare time. If you've got problems, ask on our forums but please don't expect 24/7 support! - Tips - - - - Hedgewars is Open Source and Freeware we create in our spare time. If you like it, help us with a small donation or contribute your own work! - Tips - - - - Hedgewars is Open Source and Freeware we create in our spare time. Share it with your family and friends as you like! - Tips - - - - From time to time there will be official tournaments. Upcoming events will be announced at http://www.hedgewars.org/ some days in advance. - Tips - - - - Hedgewars is available in many languages. If the translation in your language seems to be missing or outdated, feel free to contact us! - Tips - - - - Hedgewars can be run on lots of different operating systems including Microsoft Windows, Mac OS X and Linux. - Tips - - - - Always remember you're able to set up your own games in local and network/online play. You're not restricted to the 'Simple Game' option. - Tips - - - - While playing you should give yourself a short break at least once an hour. - Tips - - - - If your graphics card isn't able to provide hardware accelerated OpenGL, try to enable the low quality mode to improve performance. - Tips - - - - We're open to suggestions and constructive feedback. If you don't like something or got a great idea, let us know! - Tips - - - - Especially while playing online be polite and always remember there might be some minors playing with or against you as well! - Tips - - - - Special game modes such as 'Vampirism' or 'Karma' allow you to develop completely new tactics. Try them in a custom game! - Tips - - - - You should never install Hedgewars on computers you don't own (school, university, work, etc.). Please ask the responsible person instead! - Tips - - - - Hedgewars can be perfect for short games during breaks. Just ensure you don't add too many hedgehogs or use an huge map. Reducing time and health might help as well. - Tips - - - - No hedgehogs were harmed in making this game. - Tips - - - - Hedgewars is Open Source and Freeware we create in our spare time. If someone sold you the game, you should try get a refund! - Tips - - - - Connect one or more gamepads before starting the game to be able to assign their controls to your teams. - Tips - - - - Create an account on %1 to keep others from using your most favourite nickname while playing on the official server. - Tips - - - - If your graphics card isn't able to provide hardware accelerated OpenGL, try to update the associated drivers. - Tips - - - - There are three different jumps available. Tap [high jump] twice to do a very high/backwards jump. - Tips - - - - Afraid of falling off a cliff? Hold down [precise] to turn [left] or [right] without actually moving. - Tips - - - - Some weapons require special strategies or just lots of training, so don't give up on a particular tool if you miss an enemy once. - Tips - - - - Most weapons won't work once they touch the water. The Homing Bee as well as the Cake are exceptions to this. - Tips - - - - The Old Limbuger only causes a small explosion. However the wind affected smelly cloud can poison lots of hogs at once. - Tips - - - - The Piano Strike is the most damaging air strike. You'll lose the hedgehog performing it, so there's a huge downside as well. - Tips - - - - Sticky Mines are a perfect tool to create small chain reactions knocking enemy hedgehogs into dire situations ... or water. - Tips - - - - The Hammer is most effective when used on bridges or girders. Hit hogs will just break through the ground. - Tips - - - - If you're stuck behind an enemy hedgehog, use the Hammer to free yourself without getting damaged by an explosion. - Tips - - - - The Cake's maximum walking distance depends on the ground it has to pass. Use [attack] to detonate it early. - Tips - - - - The Flame Thrower is a weapon but it can be used for tunnel digging as well. - Tips - - - - Want to know who's behind the game? Click on the Hedgewars logo in the main menu to see the credits. - Tips - - - - Like Hedgewars? Become a fan on %1 or follow us on %2! - Tips - - - - Feel free to draw your own graves, hats, flags or even maps and themes! But note that you'll have to share them somewhere to use them online. - Tips - - - - Really want to wear a specific hat? Donate to us and receive an exclusive hat of your choice! - Tips - - - - Keep your video card drivers up to date to avoid issues playing the game. - Tips - - - - You can find your Hedgewars configuration files under "My Documents\Hedgewars". Create backups or take the files with you, but don't edit them by hand. - Tips - - - - You're able to associate Hedgewars related files (savegames and demo recordings) with the game to launch them right from your favorite file or internet browser. - Tips - - - - Want to save ropes? Release the rope in mid air and then shoot again. As long as you don't touch the ground you'll reuse your rope without wasting ammo! - Tips - - - - You can find your Hedgewars configuration files under "Library/Application Support/Hedgewars" in your home directory. Create backups or take the files with you, but don't edit them by hand. - Tips - - - - You can find your Hedgewars configuration files under ".hedgewars" in your home directory. Create backups or take the files with you, but don't edit them by hand. - Tips - - - - The Windows version of Hedgewars supports Xfire. Make sure to add Hedgewars to its game list so your friends can see you playing. - Tips - - - - Use the Molotov or Flame Thrower to temporary keep hedgehogs from passing terrain such as tunnels or platforms. - Tips - - - - The Homing Bee can be tricky to use. Its turn radius depends on its velocity, so try to not use full power. - Tips - - - Downloadable Content - Local Game - - - Play a game on a single computer - Network Game - - - Play a game across a network @@ -811,6 +912,14 @@ Edit game preferences + + Play a game across a local area network + + + + Play a game on an official server + + PageMultiplayer @@ -818,6 +927,10 @@ Start スタート + + Edit game preferences + + PageNetGame @@ -825,24 +938,13 @@ Control コントロール - - - PageNetType - - LAN game - - - - Official server - - - - Join hundreds of players online! - - - - Join or host your own game server in a Local Area Network. - + + Edit game preferences + + + + Start + スタート @@ -889,7 +991,7 @@ General - 一般 + 一般 Advanced @@ -931,6 +1033,94 @@ System proxy settings + + Select an action to change what key controls it + + + + Reset to default + + + + Reset all binds + + + + Game + + + + Graphics + + + + Audio + + + + Controls + + + + Video Recording + + + + Network + + + + Teams + チーム + + + Schemes + + + + Weapons + 武器 + + + Frontend + + + + Custom colors + + + + Game audio + + + + Frontend audio + + + + Account + + + + Proxy settings + + + + Miscellaneous + + + + Updates + + + + Check for updates + + + + Video recording options + + PagePlayDemo @@ -1129,18 +1319,10 @@ PageSinglePlayer - Simple Game - - - Play a quick game against the computer with random settings - Multiplayer - - - Play a hotseat game against your friends, or AI teams @@ -1149,24 +1331,16 @@ - Training Mode - - - Practice your skills in a range of training missions - Demos - - - Watch recorded demos Load - ロード + ロード Load a previously saved game @@ -1213,14 +1387,6 @@ - Date: - - - - Size: - - - encoding @@ -1228,6 +1394,16 @@ uploading + + Date: %1 + + + + + Size: %1 + + + QAction @@ -1241,7 +1417,7 @@ Start - スタート + スタート Restrict Joins @@ -1292,15 +1468,15 @@ Frontend fullscreen - フルスクリーン メニュー + フルスクリーン メニュー Enable sound - サウンド + サウンド Enable music - 音楽 + 音楽 Show FPS @@ -1319,18 +1495,6 @@ - Enable frontend sounds - - - - Enable frontend music - - - - Frontend effects - - - Save password @@ -1350,12 +1514,40 @@ Use game resolution + + Visual effects + + + + Sound + + + + In-game sound effects + + + + Music + + + + In-game music + + + + Frontend sound effects + + + + Frontend music + + QComboBox generated map... - 生成地図... + 生成地図... Human @@ -1370,14 +1562,6 @@ - generated maze... - - - - Mission - - - Community @@ -1394,10 +1578,6 @@ - hand drawn map... - - - Disabled @@ -1434,10 +1614,6 @@ - Wiggle - - - Red/Cyan grayscale @@ -1474,15 +1650,15 @@ Key binds - キー binds + キー binds Teams - チーム + チーム Audio/Graphic options - オディオ/画面 設定 + オディオ/画面 設定 Net game @@ -1505,26 +1681,6 @@ - Misc - - - - Schemes and Weapons - - - - Custom colors - - - - Miscellaneous - - - - Video recording options - - - Videos @@ -1532,10 +1688,6 @@ Description - - Proxy settings - - QLabel @@ -1553,23 +1705,23 @@ Developers: - 開発者: + 開発者: Art: - アート: + アート: Sounds: - 音楽・音: + 音楽・音: Translations: - 通訳者: + 通訳者: Special thanks: - 特別感謝: + 特別感謝: Weapons @@ -1628,10 +1780,6 @@ - Game scheme - - - % Dud Mines @@ -1668,10 +1816,6 @@ - This development build is 'work in progress' and may not be compatible with other versions of the game. Some features might be broken or incomplete. Use at your own risk! - - - Quality @@ -1746,10 +1890,6 @@ - Summary - - - Description @@ -1777,6 +1917,38 @@ Bitrate (Kbps) + + This development build is 'work in progress' and may not be compatible with other versions of the game, while some features might be broken or incomplete! + + + + Fullscreen + フルスクリーン + + + Fullscreen Resolution + + + + Windowed Resolution + + + + Your Email + + + + Summary + + + + Send system information + + + + Type the security code: + + QLineEdit @@ -1815,10 +1987,6 @@ - Please fill out all fields - - - Error while authenticating at google.com: @@ -1865,18 +2033,6 @@ - Successfully posted the issue on hedgewars.googlecode.com - - - - Error during authentication at google.com - - - - Error reporting the issue, please try again later (or visit hedgewars.googlecode.com directly) - - - Main - Error @@ -2022,15 +2178,36 @@ Do you really want to delete the weapon set '%1'? - - - QObject - - Nickname - - - - Please enter your nickname + + Hedgewars - Nick not registered + + + + System Information Preview + + + + Failed to generate captcha + + + + Failed to download captcha + + + + Please fill out all fields. Email is optional. + + + + Hedgewars - Warning + + + + Hedgewars - Information + + + + Hedgewars @@ -2090,25 +2267,13 @@ Setup - 設定 - - - Ready - - - - Random Team - + 設定 Associate file extensions - more - - - More info @@ -2201,6 +2366,25 @@ + SeedPrompt + + The map seed is the basis for all random values generated by the game. + + + + Cancel + キャンセル + + + Set seed + + + + Close + + + + SelWeaponWidget Weapon set @@ -2228,106 +2412,21 @@ - ToggleButtonWidget - - Vampirism - - - - Karma - - - - Artillery - - - - Fort Mode - - - - Divide Teams - - - - Solid Land - - - - Add Border - - - - Low Gravity - - - - Laser Sight - - - - Invulnerable - - - - Random Order - - - - King - - - - Place Hedgehogs - - - - Clan Shares Ammo - - - - Disable Girders - - - - Disable Land Objects - - - - AI Survival Mode - - - - Reset Health - - - - Unlimited Attacks - - - - Reset Weapons - - - - Per Hedgehog Ammo - - - - Disable Wind - - - - More Wind - - - - Tag Team - - - - Add Bottom Border - + TeamShowWidget + + %1's team + + + + + ThemePrompt + + Select a theme for this map + + + + Cancel + キャンセル @@ -2463,7 +2562,7 @@ hedgehogs info - 針鼠 + 針鼠 情報 @@ -2502,31 +2601,51 @@ record + + hedgehog info + + binds (categories) Basic controls - 基本コントロール + 基本コントロール Weapon controls - 武器コントロール + 武器コントロール Camera and cursor controls - カメラとカーソルのコントロール + カメラとカーソルのコントロール Other - その他 + その他 + + + Movement + + + + Weapons + 武器 + + + Camera + + + + Miscellaneous + binds (descriptions) Move your hogs and aim: - ‘ズミをうごかすとねらう: + ‘ズミをうごかすとねらう: Traverse gaps and obstacles by jumping: @@ -2592,6 +2711,10 @@ Record video: + + Hedgehog movement + + binds (keys) @@ -2912,4 +3035,119 @@ + + server + + Illegal nickname + + + + Protocol already known + + + + Bad number + + + + bye + + + + Empty config entry + + + + Not room master + + + + Corrupted hedgehogs info + + + + too many teams + + + + too many hedgehogs + + + + There's already a team with same name in the list + + + + round in progress + + + + restricted + + + + REMOVE_TEAM: no such team + + + + Not team owner! + + + + Less than two clans! + + + + Room with such name already exists + + + + Illegal room name + + + + No such room + + + + Joining restricted + + + + Registered users only + + + + You are banned in this room + + + + Nickname is already in use + + + + No checker rights + + + + Authentication failed + + + + 60 seconds cooldown after kick + + + + kicked + + + + Ping timeout + + + + Nickname already chosen + + + diff -r 33ab77c0b486 -r 87410ae372f6 share/hedgewars/Data/Locale/hedgewars_ko.ts --- a/share/hedgewars/Data/Locale/hedgewars_ko.ts Fri Jan 18 11:47:23 2013 +0100 +++ b/share/hedgewars/Data/Locale/hedgewars_ko.ts Sat Jan 19 00:51:28 2013 +0400 @@ -20,6 +20,115 @@ + BanDialog + + 10 minutes + + + + 30 minutes + + + + 1 hour + + + + 3 hours + + + + 5 hours + + + + 24 hours + + + + 3 days + + + + 7 days + + + + 14 days + + + + permanent + + + + IP + + + + Nick + + + + IP/Nick + + + + Reason + + + + Duration + + + + Ok + + + + Cancel + + + + you know why + + + + Warning + + + + Please, specify %1 + + + + nickname + + + + + DataManager + + Use Default + + + + + FeedbackDialog + + View + + + + Cancel + + + + Send Feedback + + + + FreqSpinBox Never @@ -43,13 +152,13 @@ - When this option is enabled selecting a game scheme will auto-select a weapon - - - Game Options + + Game scheme will auto-select a weapon + + HWAskQuitDialog @@ -100,10 +209,6 @@ Failed to save StyleSheet to %1 - - %1 is not a valid command! - - HWForm @@ -138,17 +243,6 @@ - Your nickname %1 is -registered on Hedgewars.org -Please provide your password below -or pick another nickname in game config: - - - - No password supplied. - - - Nickname @@ -161,6 +255,59 @@ Please pick another nickname: + + %1's Team + + + + Hedgewars - Nick registered + + + + This nick is registered, and you haven't specified a password. + +If this nick isn't yours, please register your own nick at www.hedgewars.org + +Password: + + + + Your nickname is not registered. +To prevent someone else from using it, +please register it at www.hedgewars.org + + + + + +Your password wasn't saved either. + + + + Hedgewars - Empty nickname + + + + Hedgewars - Wrong password + + + + You entered a wrong password. + + + + Try Again + + + + Hedgewars - Connection error + + + + You reconnected too fast. +Please wait a few seconds and try again. + + HWGame @@ -176,18 +323,6 @@ HWMapContainer - Map - - - - Themes - - - - Filter - - - All @@ -212,10 +347,6 @@ - Type - - - Small tunnels @@ -224,27 +355,95 @@ - Large tunnels - - - - Small floating islands - - - - Medium floating islands - - - - Large floating islands - - - Seed - Set + Map type: + + + + Image map + + + + Mission map + + + + Hand-drawn + + + + Randomly generated + + + + Random maze + + + + Random + + + + Map preview: + + + + Load map drawing + + + + Edit map drawing + + + + Largetunnels + + + + Small islands + + + + Medium islands + + + + Large islands + + + + Map size: + + + + Maze style: + + + + Mission: + + + + Map: + + + + Theme: + + + + Load drawn map + + + + Drawn Maps + + + + All files @@ -317,7 +516,7 @@ HWPasswordDialog - Password + Login @@ -333,6 +532,32 @@ + HatButton + + Change hat (%1) + + + + + HatPrompt + + Select a hat + + + + Filter: + + + + Cancel + + + + Use selected hat + + + + KB SDL_ttf returned error while rendering text, most propably it is related to the bug in freetype2. It's recommended to update your freetype lib. @@ -340,6 +565,13 @@ + KeyBinder + + Category + + + + LibavInteraction Duration: %1m %2s @@ -358,6 +590,17 @@ Audio: + + unknown + + + + + MapModel + + No description available. + + PageAdmin @@ -389,6 +632,38 @@ Set data + + General + + + + Bans + + + + IP/Nick + + + + Expiration + + + + Reason + + + + Refresh + + + + Add + + + + Remove + + PageConnecting @@ -443,7 +718,39 @@ - Advanced + Select an action to choose a custom key bind for this team + + + + Use my default + + + + Reset all binds + + + + Custom Controls + + + + Hat + + + + Name + + + + This hedgehog's name + + + + Randomize this hedgehog's name + + + + Random Team @@ -519,267 +826,14 @@ PageMain - Simply pick the same color as a friend to play together as a team. Each of you will still control his or her own hedgehogs but they'll win or lose together. - Tips - - - - Some weapons might do only low damage but they can be a lot more devastating in the right situation. Try to use the Desert Eagle to knock multiple hedgehogs into the water. - Tips - - - - If you're unsure what to do and don't want to waste ammo, skip one round. But don't let too much time pass as there will be Sudden Death! - Tips - - - - If you'd like to keep others from using your preferred nickname on the official server, register an account at http://www.hedgewars.org/. - Tips - - - - You're bored of default gameplay? Try one of the missions - they'll offer different gameplay depending on the one you picked. - Tips - - - - By default the game will always record the last game played as a demo. Select 'Local Game' and pick the 'Demos' button on the lower right corner to play or manage them. - Tips - - - - Hedgewars is Open Source and Freeware we create in our spare time. If you've got problems, ask on our forums but please don't expect 24/7 support! - Tips - - - - Hedgewars is Open Source and Freeware we create in our spare time. If you like it, help us with a small donation or contribute your own work! - Tips - - - - Hedgewars is Open Source and Freeware we create in our spare time. Share it with your family and friends as you like! - Tips - - - - From time to time there will be official tournaments. Upcoming events will be announced at http://www.hedgewars.org/ some days in advance. - Tips - - - - Hedgewars is available in many languages. If the translation in your language seems to be missing or outdated, feel free to contact us! - Tips - - - - Hedgewars can be run on lots of different operating systems including Microsoft Windows, Mac OS X and Linux. - Tips - - - - Always remember you're able to set up your own games in local and network/online play. You're not restricted to the 'Simple Game' option. - Tips - - - - While playing you should give yourself a short break at least once an hour. - Tips - - - - If your graphics card isn't able to provide hardware accelerated OpenGL, try to enable the low quality mode to improve performance. - Tips - - - - We're open to suggestions and constructive feedback. If you don't like something or got a great idea, let us know! - Tips - - - - Especially while playing online be polite and always remember there might be some minors playing with or against you as well! - Tips - - - - Special game modes such as 'Vampirism' or 'Karma' allow you to develop completely new tactics. Try them in a custom game! - Tips - - - - You should never install Hedgewars on computers you don't own (school, university, work, etc.). Please ask the responsible person instead! - Tips - - - - Hedgewars can be perfect for short games during breaks. Just ensure you don't add too many hedgehogs or use an huge map. Reducing time and health might help as well. - Tips - - - - No hedgehogs were harmed in making this game. - Tips - - - - Hedgewars is Open Source and Freeware we create in our spare time. If someone sold you the game, you should try get a refund! - Tips - - - - Connect one or more gamepads before starting the game to be able to assign their controls to your teams. - Tips - - - - Create an account on %1 to keep others from using your most favourite nickname while playing on the official server. - Tips - - - - If your graphics card isn't able to provide hardware accelerated OpenGL, try to update the associated drivers. - Tips - - - - There are three different jumps available. Tap [high jump] twice to do a very high/backwards jump. - Tips - - - - Afraid of falling off a cliff? Hold down [precise] to turn [left] or [right] without actually moving. - Tips - - - - Some weapons require special strategies or just lots of training, so don't give up on a particular tool if you miss an enemy once. - Tips - - - - Most weapons won't work once they touch the water. The Homing Bee as well as the Cake are exceptions to this. - Tips - - - - The Old Limbuger only causes a small explosion. However the wind affected smelly cloud can poison lots of hogs at once. - Tips - - - - The Piano Strike is the most damaging air strike. You'll lose the hedgehog performing it, so there's a huge downside as well. - Tips - - - - Sticky Mines are a perfect tool to create small chain reactions knocking enemy hedgehogs into dire situations ... or water. - Tips - - - - The Hammer is most effective when used on bridges or girders. Hit hogs will just break through the ground. - Tips - - - - If you're stuck behind an enemy hedgehog, use the Hammer to free yourself without getting damaged by an explosion. - Tips - - - - The Cake's maximum walking distance depends on the ground it has to pass. Use [attack] to detonate it early. - Tips - - - - The Flame Thrower is a weapon but it can be used for tunnel digging as well. - Tips - - - - Want to know who's behind the game? Click on the Hedgewars logo in the main menu to see the credits. - Tips - - - - Like Hedgewars? Become a fan on %1 or follow us on %2! - Tips - - - - Feel free to draw your own graves, hats, flags or even maps and themes! But note that you'll have to share them somewhere to use them online. - Tips - - - - Really want to wear a specific hat? Donate to us and receive an exclusive hat of your choice! - Tips - - - - Keep your video card drivers up to date to avoid issues playing the game. - Tips - - - - You can find your Hedgewars configuration files under "My Documents\Hedgewars". Create backups or take the files with you, but don't edit them by hand. - Tips - - - - You're able to associate Hedgewars related files (savegames and demo recordings) with the game to launch them right from your favorite file or internet browser. - Tips - - - - Want to save ropes? Release the rope in mid air and then shoot again. As long as you don't touch the ground you'll reuse your rope without wasting ammo! - Tips - - - - You can find your Hedgewars configuration files under "Library/Application Support/Hedgewars" in your home directory. Create backups or take the files with you, but don't edit them by hand. - Tips - - - - You can find your Hedgewars configuration files under ".hedgewars" in your home directory. Create backups or take the files with you, but don't edit them by hand. - Tips - - - - The Windows version of Hedgewars supports Xfire. Make sure to add Hedgewars to its game list so your friends can see you playing. - Tips - - - - Use the Molotov or Flame Thrower to temporary keep hedgehogs from passing terrain such as tunnels or platforms. - Tips - - - - The Homing Bee can be tricky to use. Its turn radius depends on its velocity, so try to not use full power. - Tips - - - Downloadable Content - Local Game - - - Play a game on a single computer - Network Game - - - Play a game across a network @@ -807,6 +861,14 @@ Edit game preferences + + Play a game across a local area network + + + + Play a game on an official server + + PageMultiplayer @@ -814,6 +876,10 @@ Start + + Edit game preferences + + PageNetGame @@ -821,23 +887,12 @@ Control - - - PageNetType - - LAN game - - - - Official server - - - - Join hundreds of players online! - - - - Join or host your own game server in a Local Area Network. + + Edit game preferences + + + + Start @@ -884,10 +939,6 @@ - General - - - Advanced @@ -927,6 +978,94 @@ System proxy settings + + Select an action to change what key controls it + + + + Reset to default + + + + Reset all binds + + + + Game + + + + Graphics + + + + Audio + + + + Controls + + + + Video Recording + + + + Network + + + + Teams + + + + Schemes + + + + Weapons + + + + Frontend + + + + Custom colors + + + + Game audio + + + + Frontend audio + + + + Account + + + + Proxy settings + + + + Miscellaneous + + + + Updates + + + + Check for updates + + + + Video recording options + + PagePlayDemo @@ -1125,18 +1264,10 @@ PageSinglePlayer - Simple Game - - - Play a quick game against the computer with random settings - Multiplayer - - - Play a hotseat game against your friends, or AI teams @@ -1145,26 +1276,14 @@ - Training Mode - - - Practice your skills in a range of training missions - Demos - - - Watch recorded demos - Load - - - Load a previously saved game @@ -1209,14 +1328,6 @@ - Date: - - - - Size: - - - encoding @@ -1224,6 +1335,16 @@ uploading + + Date: %1 + + + + + Size: %1 + + + QAction @@ -1236,10 +1357,6 @@ - Start - - - Restrict Joins @@ -1287,18 +1404,6 @@ - Frontend fullscreen - - - - Enable sound - - - - Enable music - - - Show FPS @@ -1315,18 +1420,6 @@ - Enable frontend sounds - - - - Enable frontend music - - - - Frontend effects - - - Save password @@ -1346,14 +1439,38 @@ Use game resolution + + Visual effects + + + + Sound + + + + In-game sound effects + + + + Music + + + + In-game music + + + + Frontend sound effects + + + + Frontend music + + QComboBox - generated map... - - - Human @@ -1366,14 +1483,6 @@ - Mission - - - - generated maze... - - - Community @@ -1390,10 +1499,6 @@ - hand drawn map... - - - Disabled @@ -1430,10 +1535,6 @@ - Wiggle - - - Red/Cyan grayscale @@ -1469,18 +1570,6 @@ - Key binds - - - - Teams - - - - Audio/Graphic options - - - Net game @@ -1501,26 +1590,6 @@ - Misc - - - - Schemes and Weapons - - - - Custom colors - - - - Miscellaneous - - - - Video recording options - - - Videos @@ -1528,10 +1597,6 @@ Description - - Proxy settings - - QLabel @@ -1548,26 +1613,6 @@ - Developers: - - - - Art: - - - - Sounds: - - - - Translations: - - - - Special thanks: - - - Weapons @@ -1624,10 +1669,6 @@ - Game scheme - - - % Dud Mines @@ -1664,10 +1705,6 @@ - This development build is 'work in progress' and may not be compatible with other versions of the game. Some features might be broken or incomplete. Use at your own risk! - - - Quality @@ -1742,10 +1779,6 @@ - Summary - - - Description @@ -1773,6 +1806,38 @@ Bitrate (Kbps) + + This development build is 'work in progress' and may not be compatible with other versions of the game, while some features might be broken or incomplete! + + + + Fullscreen + + + + Fullscreen Resolution + + + + Windowed Resolution + + + + Your Email + + + + Summary + + + + Send system information + + + + Type the security code: + + QLineEdit @@ -1811,10 +1876,6 @@ - Please fill out all fields - - - Error while authenticating at google.com: @@ -1861,18 +1922,6 @@ - Successfully posted the issue on hedgewars.googlecode.com - - - - Error during authentication at google.com - - - - Error reporting the issue, please try again later (or visit hedgewars.googlecode.com directly) - - - Main - Error @@ -2018,15 +2067,36 @@ Do you really want to delete the weapon set '%1'? - - - QObject - - Nickname - - - - Please enter your nickname + + Hedgewars - Nick not registered + + + + System Information Preview + + + + Failed to generate captcha + + + + Failed to download captcha + + + + Please fill out all fields. Email is optional. + + + + Hedgewars - Warning + + + + Hedgewars - Information + + + + Hedgewars @@ -2085,26 +2155,10 @@ - Setup - - - - Ready - - - - Random Team - - - Associate file extensions - more - - - More info @@ -2197,6 +2251,25 @@ + SeedPrompt + + The map seed is the basis for all random values generated by the game. + + + + Cancel + + + + Set seed + + + + Close + + + + SelWeaponWidget Weapon set @@ -2224,105 +2297,20 @@ - ToggleButtonWidget - - Vampirism - - - - Karma - - - - Artillery - - - - Fort Mode - - - - Divide Teams - - - - Solid Land - - - - Add Border - - - - Low Gravity - - - - Laser Sight - - - - Invulnerable - - - - Random Order - - - - King - - - - Place Hedgehogs - - - - Clan Shares Ammo - - - - Disable Girders - - - - Disable Land Objects - - - - AI Survival Mode - - - - Reset Health - - - - Unlimited Attacks - - - - Reset Weapons - - - - Per Hedgehog Ammo - - - - Disable Wind - - - - More Wind - - - - Tag Team - - - - Add Bottom Border + TeamShowWidget + + %1's team + + + + + ThemePrompt + + Select a theme for this map + + + + Cancel @@ -2457,11 +2445,6 @@ - hedgehogs -info - - - quit @@ -2497,33 +2480,33 @@ record + + hedgehog info + + binds (categories) - Basic controls - - - - Weapon controls - - - - Camera and cursor controls - - - - Other + Movement + + + + Weapons + + + + Camera + + + + Miscellaneous binds (descriptions) - Move your hogs and aim: - - - Traverse gaps and obstacles by jumping: @@ -2587,6 +2570,10 @@ Record video: + + Hedgehog movement + + binds (keys) @@ -2907,4 +2894,119 @@ + + server + + Illegal nickname + + + + Protocol already known + + + + Bad number + + + + bye + + + + Empty config entry + + + + Not room master + + + + Corrupted hedgehogs info + + + + too many teams + + + + too many hedgehogs + + + + There's already a team with same name in the list + + + + round in progress + + + + restricted + + + + REMOVE_TEAM: no such team + + + + Not team owner! + + + + Less than two clans! + + + + Room with such name already exists + + + + Illegal room name + + + + No such room + + + + Joining restricted + + + + Registered users only + + + + You are banned in this room + + + + Nickname is already in use + + + + No checker rights + + + + Authentication failed + + + + 60 seconds cooldown after kick + + + + kicked + + + + Ping timeout + + + + Nickname already chosen + + + diff -r 33ab77c0b486 -r 87410ae372f6 share/hedgewars/Data/Locale/hedgewars_lt.ts --- a/share/hedgewars/Data/Locale/hedgewars_lt.ts Fri Jan 18 11:47:23 2013 +0100 +++ b/share/hedgewars/Data/Locale/hedgewars_lt.ts Sat Jan 19 00:51:28 2013 +0400 @@ -4,7 +4,7 @@ AbstractPage - + Go back @@ -23,6 +23,141 @@ + BanDialog + + + 10 minutes + + + + + 30 minutes + + + + + 1 hour + + + + + 3 hours + + + + + 5 hours + + + + + 24 hours + + + + + 3 days + + + + + 7 days + + + + + 14 days + + + + + permanent + + + + + + IP + + + + + Nick + + + + + IP/Nick + + + + + Reason + + + + + Duration + + + + + Ok + + + + + Cancel + + + + + you know why + + + + + Warning + + + + + Please, specify %1 + + + + + nickname + + + + + DataManager + + + Use Default + + + + + FeedbackDialog + + + View + + + + + Cancel + + + + + Send Feedback + + + + FreqSpinBox @@ -42,23 +177,23 @@ GameCFGWidget - + Game Options - + Edit schemes - + Edit weapons - - When this option is enabled selecting a game scheme will auto-select a weapon + + Game scheme will auto-select a weapon @@ -73,128 +208,175 @@ HWChatWidget - + %1 has been removed from your ignore list - + %1 has been added to your ignore list - + %1 has been removed from your friends list - + %1 has been added to your friends list - + Stylesheet imported from %1 - + Enter %1 if you want to use the current StyleSheet in future, enter %2 to reset! - + Couldn't read %1 - + StyleSheet discarded + + StyleSheet saved to %1 + + + - StyleSheet saved to %1 - - - - Failed to save StyleSheet to %1 - - - %1 is not a valid command! - - HWForm - - + DefaultTeam - + Game aborted - - Your nickname %1 is -registered on Hedgewars.org -Please provide your password below -or pick another nickname in game config: - - - - - No password supplied. - - - - + Nickname - + + No nickname supplied. - + Someone already uses your nickname %1 on the server. Please pick another nickname: - - + + %1's Team + + + + + Hedgewars - Nick registered + + + + + This nick is registered, and you haven't specified a password. + +If this nick isn't yours, please register your own nick at www.hedgewars.org + +Password: + + + + + Your nickname is not registered. +To prevent someone else from using it, +please register it at www.hedgewars.org + + + + + + +Your password wasn't saved either. + + + + + + Hedgewars - Empty nickname + + + + + Hedgewars - Wrong password + + + + + You entered a wrong password. + + + + + Try Again + + + + + Hedgewars - Connection error + + + + + You reconnected too fast. +Please wait a few seconds and try again. + + + + + Cannot save record to file %1 - + Hedgewars Demo File File Types - + Hedgewars Save File File Types - + Demo name - + Demo name: @@ -202,13 +384,13 @@ HWGame - - + + en.txt lt.txt - + Cannot open demofile %1 @@ -216,95 +398,161 @@ HWMapContainer - - Map - - - - - Filter - - - - - All - - - - - Small - - - - - Medium - - - - - Large - - - - Cavern - - - - - Wacky + Map type: + + + + + Image map + + + + + Mission map + + + + + Hand-drawn - Type - - - - + Randomly generated + + + + + Random maze + + + + + Random + + + + + Map preview: + + + + + Load map drawing + + + + + Edit map drawing + + + + + All + + + + + Small + + + + + Medium + + + + + Large + + + + + Cavern + + + + + Wacky + + + + + Largetunnels + + + + + Small islands + + + + + Medium islands + + + + + Large islands + + + + + Map size: + + + + + Maze style: + + + + + Mission: + + + + + Map: + + + + + + Theme: + + + + + Load drawn map + + + + + Drawn Maps + + + + + All files + + + + Small tunnels - + Medium tunnels - - Large tunnels - - - - - Small floating islands - - - - - Medium floating islands - - - - - Large floating islands - - - - - Themes - - - - + Seed - - - Set - - HWNetServersModel @@ -327,65 +575,65 @@ HWNewNet - + User quit - + Remote host has closed connection - + The host was not found. Please check the host name and port settings. - + Connection refused - + The server is too old. Disconnecting now. - + Room destroyed - + You got kicked - - + + %1 *** %2 has joined the room - + %1 *** %2 has joined - - + + %1 *** %2 has left - - + + %1 *** %2 has left (%3) - + Quit reason: @@ -394,7 +642,7 @@ HWPasswordDialog - Password + Login @@ -412,6 +660,37 @@ + HatButton + + + Change hat (%1) + + + + + HatPrompt + + + Select a hat + + + + + Filter: + + + + + Cancel + + + + + Use selected hat + + + + KB @@ -420,6 +699,14 @@ + KeyBinder + + + Category + + + + LibavInteraction @@ -442,44 +729,97 @@ Audio: + + + unknown + + + + + MapModel + + + No description available. + + PageAdmin - + + General + + + + + Bans + + + + Fetch data - + Server message for latest version: - + Server message for previous versions: - + Latest version protocol number: - + MOTD preview: - + Clear Accounts Cache - + Set data + + + IP/Nick + + + + + Expiration + + + + + Reason + + + + + Refresh + + + + + Add + + + + + Remove + + PageConnecting @@ -543,12 +883,52 @@ PageEditTeam + Select an action to choose a custom key bind for this team + + + + + Use my default + + + + + Reset all binds + + + + General - - Advanced + + Custom Controls + + + + + Hat + + + + + Name + + + + + This hedgehog's name + + + + + Randomize this hedgehog's name + + + + + Random Team @@ -570,12 +950,12 @@ - + The best shot award was won by <b>%1</b> with <b>%2</b> pts. - + The best killer is <b>%1</b> with <b>%2</b> kills in a turn. @@ -584,7 +964,7 @@ - + A total of <b>%1</b> hedgehog(s) were killed during this round. @@ -593,7 +973,7 @@ - + (%1 kill) @@ -602,7 +982,7 @@ - + <b>%1</b> thought it's good to shoot his own hedgehogs with <b>%2</b> pts. @@ -611,7 +991,7 @@ - + <b>%1</b> killed <b>%2</b> of his own hedgehogs. @@ -620,7 +1000,7 @@ - + <b>%1</b> was scared and skipped turn <b>%2</b> times. @@ -649,358 +1029,69 @@ PageMain - Local Game - - - - Play a game on a single computer - Network Game - - - - Play a game across a network - + + Play a game across a local area network + + + + + Play a game on an official server + + + + Read about who is behind the Hedgewars Project - + Leave a feedback here reporting issues, suggesting features or just saying how you like Hedgewars - + Downloadable Content - + Access the user created content downloadable from our website - + Exit game - + Manage videos recorded from game - + Edit game preferences - - - Simply pick the same color as a friend to play together as a team. Each of you will still control his or her own hedgehogs but they'll win or lose together. - Tips - - - - - Some weapons might do only low damage but they can be a lot more devastating in the right situation. Try to use the Desert Eagle to knock multiple hedgehogs into the water. - Tips - - - - - If you're unsure what to do and don't want to waste ammo, skip one round. But don't let too much time pass as there will be Sudden Death! - Tips - - - - - Want to save ropes? Release the rope in mid air and then shoot again. As long as you don't touch the ground you'll reuse your rope without wasting ammo! - Tips - - - - - If you'd like to keep others from using your preferred nickname on the official server, register an account at http://www.hedgewars.org/. - Tips - - - - - You're bored of default gameplay? Try one of the missions - they'll offer different gameplay depending on the one you picked. - Tips - - - - - By default the game will always record the last game played as a demo. Select 'Local Game' and pick the 'Demos' button on the lower right corner to play or manage them. - Tips - - - - - Hedgewars is Open Source and Freeware we create in our spare time. If you've got problems, ask on our forums but please don't expect 24/7 support! - Tips - - - - - Hedgewars is Open Source and Freeware we create in our spare time. If you like it, help us with a small donation or contribute your own work! - Tips - - - - - Hedgewars is Open Source and Freeware we create in our spare time. Share it with your family and friends as you like! - Tips - - - - - Hedgewars is Open Source and Freeware we create in our spare time. If someone sold you the game, you should try get a refund! - Tips - - - - - From time to time there will be official tournaments. Upcoming events will be announced at http://www.hedgewars.org/ some days in advance. - Tips - - - - - Hedgewars is available in many languages. If the translation in your language seems to be missing or outdated, feel free to contact us! - Tips - - - - - Hedgewars can be run on lots of different operating systems including Microsoft Windows, Mac OS X and Linux. - Tips - - - - - Always remember you're able to set up your own games in local and network/online play. You're not restricted to the 'Simple Game' option. - Tips - - - - - Connect one or more gamepads before starting the game to be able to assign their controls to your teams. - Tips - - - - - Create an account on %1 to keep others from using your most favourite nickname while playing on the official server. - Tips - - - - - While playing you should give yourself a short break at least once an hour. - Tips - - - - - If your graphics card isn't able to provide hardware accelerated OpenGL, try to enable the low quality mode to improve performance. - Tips - - - - - If your graphics card isn't able to provide hardware accelerated OpenGL, try to update the associated drivers. - Tips - - - - - We're open to suggestions and constructive feedback. If you don't like something or got a great idea, let us know! - Tips - - - - - Especially while playing online be polite and always remember there might be some minors playing with or against you as well! - Tips - - - - - Special game modes such as 'Vampirism' or 'Karma' allow you to develop completely new tactics. Try them in a custom game! - Tips - - - - - The Windows version of Hedgewars supports Xfire. Make sure to add Hedgewars to its game list so your friends can see you playing. - Tips - - - - - You should never install Hedgewars on computers you don't own (school, university, work, etc.). Please ask the responsible person instead! - Tips - - - - - Hedgewars can be perfect for short games during breaks. Just ensure you don't add too many hedgehogs or use an huge map. Reducing time and health might help as well. - Tips - - - - - No hedgehogs were harmed in making this game. - Tips - - - - - There are three different jumps available. Tap [high jump] twice to do a very high/backwards jump. - Tips - - - - - Afraid of falling off a cliff? Hold down [precise] to turn [left] or [right] without actually moving. - Tips - - - - - Some weapons require special strategies or just lots of training, so don't give up on a particular tool if you miss an enemy once. - Tips - - - - - Most weapons won't work once they touch the water. The Homing Bee as well as the Cake are exceptions to this. - Tips - - - - - The Old Limbuger only causes a small explosion. However the wind affected smelly cloud can poison lots of hogs at once. - Tips - - - - - The Piano Strike is the most damaging air strike. You'll lose the hedgehog performing it, so there's a huge downside as well. - Tips - - - - - The Homing Bee can be tricky to use. Its turn radius depends on its velocity, so try to not use full power. - Tips - - - - - Sticky Mines are a perfect tool to create small chain reactions knocking enemy hedgehogs into dire situations ... or water. - Tips - - - - - The Hammer is most effective when used on bridges or girders. Hit hogs will just break through the ground. - Tips - - - - - If you're stuck behind an enemy hedgehog, use the Hammer to free yourself without getting damaged by an explosion. - Tips - - - - - The Cake's maximum walking distance depends on the ground it has to pass. Use [attack] to detonate it early. - Tips - - - - - The Flame Thrower is a weapon but it can be used for tunnel digging as well. - Tips - - - - - Use the Molotov or Flame Thrower to temporary keep hedgehogs from passing terrain such as tunnels or platforms. - Tips - - - - - Want to know who's behind the game? Click on the Hedgewars logo in the main menu to see the credits. - Tips - - - - - Like Hedgewars? Become a fan on %1 or follow us on %2! - Tips - - - - - Feel free to draw your own graves, hats, flags or even maps and themes! But note that you'll have to share them somewhere to use them online. - Tips - - - - - Really want to wear a specific hat? Donate to us and receive an exclusive hat of your choice! - Tips - - - - - Keep your video card drivers up to date to avoid issues playing the game. - Tips - - - - - You're able to associate Hedgewars related files (savegames and demo recordings) with the game to launch them right from your favorite file or internet browser. - Tips - - - - - You can find your Hedgewars configuration files under "My Documents\Hedgewars". Create backups or take the files with you, but don't edit them by hand. - Tips - - - - - You can find your Hedgewars configuration files under "Library/Application Support/Hedgewars" in your home directory. Create backups or take the files with you, but don't edit them by hand. - Tips - - - - - You can find your Hedgewars configuration files under ".hedgewars" in your home directory. Create backups or take the files with you, but don't edit them by hand. - Tips - - PageMultiplayer - + + Edit game preferences + + + + Start @@ -1008,141 +1099,234 @@ PageNetGame - + + Edit game preferences + + + + Control - - - PageNetType - - - LAN game - - - - - Join or host your own game server in a Local Area Network. - - - - - Official server - - - - - Join hundreds of players online! + + + Start PageOptions - - General - - - - + + Select an action to change what key controls it + + + + + Reset to default + + + + + Reset all binds + + + + + + Game + + + + + Graphics + + + + + Audio + + + + + Controls + + + + + Video Recording + + + + + Network + + + + Advanced - + + Teams + + + + New team - + Edit team - + Delete team - - You can't edit teams from team selection. Go back to main menu to add, edit or delete teams. - - - - - New scheme - - - - - Edit scheme - - - - - Delete scheme - - - - - New weapon set - - - - Edit weapon set + You can't edit teams from team selection. Go back to main menu to add, edit or delete teams. + Schemes + + + + + New scheme + + + + + Edit scheme + + + + + Delete scheme + + + + + Weapons + + + + + New weapon set + + + + + Edit weapon set + + + + Delete weapon set - + + Frontend + + + + + Custom colors + + + + Reset to default colors - + + Game audio + + + + + Frontend audio + + + + + Account + + + + + Proxy settings + + + + Proxy host - + Proxy port - + Proxy login - + Proxy password - + No proxy - + System proxy settings - + Socks5 proxy - + HTTP proxy + + + Miscellaneous + + + + + Updates + + + + + Check for updates + + + + + Video recording options + + PagePlayDemo @@ -1200,7 +1384,7 @@ - + %1 players online @@ -1212,152 +1396,152 @@ PageScheme - + Defend your fort and destroy the opponents, two team colours max! - + Teams will start on opposite sides of the terrain, two team colours max! - + Land can not be destroyed! + + Add an indestructible border around the terrain + + + - Add an indestructible border around the terrain - - - - Lower gravity - + Assisted aiming with laser sight - + All hogs have a personal forcefield + + All (living) hedgehogs are fully restored at the end of turn + + + + + Gain 80% of the damage you do back in health + + + - All (living) hedgehogs are fully restored at the end of turn - - - - - Gain 80% of the damage you do back in health - - - - Share your opponents pain, share their damage - + Your hogs are unable to move, put your artillery skills to the test + + Order of play is random instead of in room order. + + + + + Play with a King. If he dies, your side dies. + + + + + Take turns placing your hedgehogs before the start of play. + + + - Order of play is random instead of in room order. - - - - - Play with a King. If he dies, your side dies. - - - - - Take turns placing your hedgehogs before the start of play. - - - - Ammo is shared between all teams that share a colour. + + Disable girders when generating random maps. + + + + + Disable land objects when generating random maps. + + + + + AI respawns on death. + + + + + Attacking does not end your turn. + + + - Disable girders when generating random maps. - - - - - Disable land objects when generating random maps. - - - - - AI respawns on death. - - - - - Attacking does not end your turn. + Weapons are reset to starting values each turn. + + + + + Each hedgehog has its own ammo. It does not share with the team. + + + + + You will not have to worry about wind anymore. + + + + + Wind will affect almost everything. + + + + + Teams in each clan take successive turns sharing their turn time. - Weapons are reset to starting values each turn. - - - - - Each hedgehog has its own ammo. It does not share with the team. - - - - - You will not have to worry about wind anymore. - - - - - Wind will affect almost everything. - - - - - Teams in each clan take successive turns sharing their turn time. - - - - Add an indestructible border along the bottom - + Random - + Seconds - + Copy - + New - + Delete @@ -1389,57 +1573,31 @@ PageSinglePlayer - Simple Game - - - - Play a quick game against the computer with random settings - - Multiplayer - - - - + Play a hotseat game against your friends, or AI teams - - + Campaign Mode - - Training Mode - - - - + Practice your skills in a range of training missions - - Demos - - - - + Watch recorded demos - - Load - - - - + Load a previously saved game @@ -1457,12 +1615,12 @@ - + No description available - + Select a mission! @@ -1470,17 +1628,17 @@ PageVideos - + Name - + Size - + %1 bytes @@ -1489,27 +1647,29 @@ - + (in progress...) - - Date: - - - - - Size: - - - - + + Date: %1 + + + + + + Size: %1 + + + + + encoding - + uploading @@ -1517,133 +1677,135 @@ QAction - + Info - + Kick - + Ban - + Follow - - + + Ignore - - + + Add friend - + Unignore - + Remove friend - + Update - + Restrict Joins - + Restrict Team Additions - - - Start - - QCheckBox - + Show ammo menu tooltips - + Alternative damage show - + + Visual effects + + + + + + Sound + + + + + In-game sound effects + + + + + + Music + + + + + In-game music + + + + + Frontend sound effects + + + + + Frontend music + + + + Append date and time to record file name - + Check for updates at startup - - Frontend fullscreen - - - - - Frontend effects - - - - - Enable frontend sounds - - - - - Enable frontend music - - - - + Fullscreen - - Enable sound - - - - - Enable music - - - - + Show FPS - - + + Save password @@ -1658,12 +1820,12 @@ - + Record audio - + Use game resolution @@ -1671,129 +1833,104 @@ QComboBox - - Mission - - - - - generated map... - - - - - generated maze... - - - - - hand drawn map... - - - - + Human - + Level - + Community - + (System default) + + Disabled + + + - Disabled + Red/Cyan - Red/Cyan + Cyan/Red - Cyan/Red + Red/Blue - Red/Blue + Blue/Red - Blue/Red + Red/Green - Red/Green + Green/Red + + + + + Side-by-side + + + + + Top-Bottom - Green/Red + Red/Cyan grayscale - Side-by-side + Cyan/Red grayscale - Top-Bottom + Red/Blue grayscale - Wiggle + Blue/Red grayscale - Red/Cyan grayscale + Red/Green grayscale - Cyan/Red grayscale - - - - - Red/Blue grayscale - - - - - Blue/Red grayscale - - - - - Red/Green grayscale - - - - Green/Red grayscale - + Any @@ -1811,66 +1948,26 @@ QGroupBox - + Team Members - + Team Settings - + Fort - - Key binds - - - Net game - - Teams - - - - - Schemes and Weapons - - - - - Misc - - - - - Audio/Graphic options - - - - - Custom colors - - - - - Miscellaneous - - - - - Proxy settings - - - Game Modifiers @@ -1881,22 +1978,17 @@ - + Playing teams - - Video recording options - - - - + Videos - + Description @@ -1904,53 +1996,27 @@ QLabel - + Version - - This program is distributed under the GNU General Public License v2 - - - - Developers: - - - - - Art: - - - - - Sounds: - - - - - Translations: - - - - - Special thanks: - - - - + This program is distributed under the GNU General Public License v2 + + + + Style - + Scheme - - + Weapons @@ -1965,38 +2031,38 @@ - + Name - + Type - + Grave - + Flag - + Voice - + Tip: - - This development build is 'work in progress' and may not be compatible with other versions of the game. Some features might be broken or incomplete. Use at your own risk! + + This development build is 'work in progress' and may not be compatible with other versions of the game, while some features might be broken or incomplete! @@ -2010,123 +2076,132 @@ - - Game scheme - - - - + Locale - + Nickname - - + Resolution - + Quality - + + Fullscreen + + + + + Fullscreen Resolution + + + + + Windowed Resolution + + + + Stereo rendering - + Initial sound volume - + FPS limit - + Damage Modifier - + Turn Time - + Initial Health - + Sudden Death Timeout - + Sudden Death Water Rise - + Sudden Death Health Decrease - + % Rope Length - + Crate Drops - + % Health Crates - + Health in Crates - + Mines Time - + Mines - + % Dud Mines - + Explosives - + % Get Away Time - + Scheme Name: @@ -2168,37 +2243,52 @@ - - Summary - - - - + + Your Email + + + + + Summary + + + + + Send system information + + + + Description - + + Type the security code: + + + + Format - + Audio codec - + Video codec - + Framerate - + Bitrate (Kbps) @@ -2206,18 +2296,18 @@ QLineEdit - + unnamed - - + + hedgehog %1 - + anonymous @@ -2225,7 +2315,7 @@ QMainWindow - + Hedgewars %1 @@ -2233,87 +2323,90 @@ QMessageBox - - + Teams - Are you sure? - - + Do you really want to delete the team '%1'? - - + + Cannot delete default scheme '%1'! - + Please select a record from the list - + + Hedgewars - Nick not registered + + + + Unable to start server - + Connection to server is lost - + Hedgewars - Error - - + + System Information Preview + + + + + + Failed to generate captcha + + + + + Failed to download captcha + + + + + Please fill out all fields. Email is optional. + + + + + Hedgewars - Success - + All file associations have been set - - Successfully posted the issue on hedgewars.googlecode.com - - - - - - Error during authentication at google.com - - - - - Error reporting the issue, please try again later (or visit hedgewars.googlecode.com directly) - - - - + File association failed. - - Please fill out all fields - - - - + Error - + Cannot use the ammo '%1'! @@ -2341,18 +2434,18 @@ - - + + Main - Error - + Cannot create directory %1 - + Failed to open data directory: %1 @@ -2360,29 +2453,29 @@ - - + + TCP - Error - + Unable to start the server: %1. - + Unable to run engine at - + Error code: %1 - + Netgame - Error @@ -2392,8 +2485,8 @@ - - + + Please enter room name @@ -2422,56 +2515,56 @@ - - + + Room Name - Error - + Please select room from the list - + Room Name - Are you sure? - + The game you are trying to join has started. Do you still want to join the room? - + Schemes - Warning - + Schemes - Are you sure? - + Do you really want to delete the game scheme '%1'? - - - + + + Videos - Are you sure? - + Do you really want to delete the video '%1'? - + Do you really want to remove %1 file(s)? @@ -2480,13 +2573,14 @@ - + Do you really want to cancel uploading %1? + File error @@ -2497,6 +2591,7 @@ + Cannot open '%1' for reading @@ -2526,17 +2621,19 @@ Do you really want to delete the weapon set '%1'? - - - QObject - - - Nickname - - - - - Please enter your nickname + + + Hedgewars - Warning + + + + + Hedgewars - Information + + + + + Hedgewars @@ -2555,33 +2652,17 @@ - + Cancel - - more - - - Go! - - Random Team - - - - - - Setup - - - Start server @@ -2602,17 +2683,12 @@ - - Ready - - - Start - + Associate file extensions @@ -2629,8 +2705,8 @@ - - + + Delete @@ -2645,53 +2721,54 @@ - + Set default options - + Restore default coding parameters - + Open videos directory - + Open the video directory in your system - + Play - + Play this video - + Delete this video - - + + + Upload to YouTube - + Upload this video to your Youtube account - + Cancel uploading @@ -2739,22 +2816,45 @@ - + Random Map - - Random Maze - - - + Random Maze + + + + Hand-drawn + SeedPrompt + + + The map seed is the basis for all random values generated by the game. + + + + + Cancel + + + + + Set seed + + + + + Close + + + + SelWeaponWidget @@ -2790,130 +2890,23 @@ - ToggleButtonWidget - - - Fort Mode - - - - - Divide Teams - - - - - Solid Land - - - - - Add Border - - - - - Low Gravity - - - - - Laser Sight - - - - - Invulnerable - - - - - Reset Health - - - - - Vampirism - - - - - Karma - - - - - Artillery - - - - - Random Order - - - - - King - - - - - Place Hedgehogs - - - - - Clan Shares Ammo - - - - - Disable Girders - - - - - Disable Land Objects - - - - - AI Survival Mode - - - - - Unlimited Attacks - - - - - Reset Weapons - - - - - Per Hedgehog Ammo - - - - - Disable Wind - - - - - More Wind - - - - - Tag Team - - - - - Add Bottom Border + TeamShowWidget + + + %1's team + + + + + ThemePrompt + + + Select a theme for this map + + + + + Cancel @@ -2959,97 +2952,97 @@ + + attack + + + + + put + + + - attack + switch - put + ammo menu - switch + slot 1 - ammo menu + slot 2 - slot 1 + slot 3 - slot 2 + slot 4 - slot 3 + slot 5 - slot 4 + slot 6 - slot 5 + slot 7 - slot 6 + slot 8 - slot 7 + slot 9 - slot 8 + slot 10 - slot 9 + timer 1 sec - slot 10 + timer 2 sec - timer 1 sec + timer 3 sec - timer 2 sec + timer 4 sec - timer 3 sec - - - - - timer 4 sec - - - - timer 5 sec @@ -3125,12 +3118,11 @@ - hedgehogs -info - - - - + hedgehog info + + + + record @@ -3139,59 +3131,59 @@ binds (categories) - Basic controls - - - - - Weapon controls + Movement + + + + + Weapons - Camera and cursor controls + Camera - Other + Miscellaneous binds (descriptions) - - Move your hogs and aim: - - - Traverse gaps and obstacles by jumping: + + Fire your selected weapon or trigger an utility item: + + + + + Pick a weapon or a target location under the cursor: + + + - Fire your selected weapon or trigger an utility item: + Switch your currently active hog (if possible): + + + + + Hedgehog movement - Pick a weapon or a target location under the cursor: - - - - - Switch your currently active hog (if possible): - - - - Pick a weapon or utility item: - + Set the timer on bombs and timed weapons: @@ -3241,7 +3233,7 @@ - + Record video: @@ -3249,44 +3241,44 @@ binds (keys) - + Axis - - - (Up) - - - + (Up) + + + + + (Down) - + Hat - - (Left) - - - + (Left) + + + + (Right) - + Button - + Keyboard @@ -3646,4 +3638,147 @@ + + server + + + Illegal nickname + + + + + Protocol already known + + + + + Bad number + + + + + bye + + + + + Empty config entry + + + + + Not room master + + + + + Corrupted hedgehogs info + + + + + too many teams + + + + + too many hedgehogs + + + + + There's already a team with same name in the list + + + + + round in progress + + + + + restricted + + + + + REMOVE_TEAM: no such team + + + + + Not team owner! + + + + + Less than two clans! + + + + + Room with such name already exists + + + + + Illegal room name + + + + + No such room + + + + + Joining restricted + + + + + Registered users only + + + + + You are banned in this room + + + + + Nickname is already in use + + + + + No checker rights + + + + + Authentication failed + + + + + 60 seconds cooldown after kick + + + + + kicked + + + + + Ping timeout + + + + + Nickname already chosen + + + diff -r 33ab77c0b486 -r 87410ae372f6 share/hedgewars/Data/Locale/hedgewars_ms.ts --- a/share/hedgewars/Data/Locale/hedgewars_ms.ts Fri Jan 18 11:47:23 2013 +0100 +++ b/share/hedgewars/Data/Locale/hedgewars_ms.ts Sat Jan 19 00:51:28 2013 +0400 @@ -4,7 +4,7 @@ AbstractPage - + Go back @@ -23,6 +23,141 @@ + BanDialog + + + 10 minutes + + + + + 30 minutes + + + + + 1 hour + + + + + 3 hours + + + + + 5 hours + + + + + 24 hours + + + + + 3 days + + + + + 7 days + + + + + 14 days + + + + + permanent + + + + + + IP + + + + + Nick + + + + + IP/Nick + + + + + Reason + + + + + Duration + + + + + Ok + + + + + Cancel + + + + + you know why + + + + + Warning + + + + + Please, specify %1 + + + + + nickname + + + + + DataManager + + + Use Default + + + + + FeedbackDialog + + + View + + + + + Cancel + + + + + Send Feedback + + + + FreqSpinBox @@ -40,23 +175,23 @@ GameCFGWidget - + Game Options - + Edit schemes - + Edit weapons - - When this option is enabled selecting a game scheme will auto-select a weapon + + Game scheme will auto-select a weapon @@ -71,128 +206,175 @@ HWChatWidget - + %1 has been removed from your ignore list - + %1 has been added to your ignore list - + %1 has been removed from your friends list - + %1 has been added to your friends list - + Stylesheet imported from %1 - + Enter %1 if you want to use the current StyleSheet in future, enter %2 to reset! - + Couldn't read %1 - + StyleSheet discarded + + StyleSheet saved to %1 + + + - StyleSheet saved to %1 - - - - Failed to save StyleSheet to %1 - - - %1 is not a valid command! - - HWForm - - + DefaultTeam - + + %1's Team + + + + Game aborted - - Your nickname %1 is -registered on Hedgewars.org -Please provide your password below -or pick another nickname in game config: - - - - - No password supplied. - - - - + + Hedgewars - Nick registered + + + + + This nick is registered, and you haven't specified a password. + +If this nick isn't yours, please register your own nick at www.hedgewars.org + +Password: + + + + + Your nickname is not registered. +To prevent someone else from using it, +please register it at www.hedgewars.org + + + + + + +Your password wasn't saved either. + + + + Nickname - + Someone already uses your nickname %1 on the server. Please pick another nickname: - + + No nickname supplied. - - + + + Hedgewars - Empty nickname + + + + + Hedgewars - Wrong password + + + + + You entered a wrong password. + + + + + Try Again + + + + + Hedgewars - Connection error + + + + + You reconnected too fast. +Please wait a few seconds and try again. + + + + + Cannot save record to file %1 - + Hedgewars Demo File File Types - + Hedgewars Save File File Types - + Demo name - + Demo name: @@ -200,13 +382,13 @@ HWGame - - + + en.txt ms.txt - + Cannot open demofile %1 @@ -214,95 +396,161 @@ HWMapContainer - - Map - - - - - Filter - - - - - All - - - - - Small - - - - - Medium - - - - - Large - - - - Cavern - - - - - Wacky + Map type: + + + + + Image map + + + + + Mission map + + + + + Hand-drawn - Type - - - - + Randomly generated + + + + + Random maze + + + + + Random + + + + + Map preview: + + + + + Load map drawing + + + + + Edit map drawing + + + + + All + + + + + Small + + + + + Medium + + + + + Large + + + + + Cavern + + + + + Wacky + + + + + Largetunnels + + + + + Small islands + + + + + Medium islands + + + + + Large islands + + + + + Map size: + + + + + Maze style: + + + + + Mission: + + + + + Map: + + + + + + Theme: + + + + + Load drawn map + + + + + Drawn Maps + + + + + All files + + + + Small tunnels - + Medium tunnels - - Large tunnels - - - - - Small floating islands - - - - - Medium floating islands - - - - - Large floating islands - - - - - Themes - - - - + Seed - - - Set - - HWNetServersModel @@ -325,65 +573,65 @@ HWNewNet - + Quit reason: - + User quit - + Remote host has closed connection - + The host was not found. Please check the host name and port settings. - + Connection refused - + The server is too old. Disconnecting now. - + You got kicked - + %1 *** %2 has joined - - + + %1 *** %2 has left - - + + %1 *** %2 has left (%3) - - + + %1 *** %2 has joined the room - + Room destroyed @@ -392,7 +640,7 @@ HWPasswordDialog - Password + Login @@ -410,6 +658,37 @@ + HatButton + + + Change hat (%1) + + + + + HatPrompt + + + Select a hat + + + + + Filter: + + + + + Cancel + + + + + Use selected hat + + + + KB @@ -418,6 +697,14 @@ + KeyBinder + + + Category + + + + LibavInteraction @@ -440,44 +727,97 @@ Audio: + + + unknown + + + + + MapModel + + + No description available. + + PageAdmin - + + General + + + + + Bans + + + + Fetch data - + Server message for latest version: - + Server message for previous versions: - + Latest version protocol number: - + MOTD preview: - + Clear Accounts Cache - + Set data + + + IP/Nick + + + + + Expiration + + + + + Reason + + + + + Refresh + + + + + Add + + + + + Remove + + PageConnecting @@ -541,12 +881,52 @@ PageEditTeam + Select an action to choose a custom key bind for this team + + + + + Use my default + + + + + Reset all binds + + + + General - - Advanced + + Custom Controls + + + + + Hat + + + + + Name + + + + + This hedgehog's name + + + + + Randomize this hedgehog's name + + + + + Random Team @@ -568,47 +948,47 @@ - + The best shot award was won by <b>%1</b> with <b>%2</b> pts. - + The best killer is <b>%1</b> with <b>%2</b> kills in a turn. - + A total of <b>%1</b> hedgehog(s) were killed during this round. - + (%1 kill) - + <b>%1</b> thought it's good to shoot his own hedgehogs with <b>%2</b> pts. - + <b>%1</b> killed <b>%2</b> of his own hedgehogs. - + <b>%1</b> was scared and skipped turn <b>%2</b> times. @@ -635,358 +1015,69 @@ PageMain - Local Game - - - - Play a game on a single computer - Network Game - - - - Play a game across a network - + + Play a game across a local area network + + + + + Play a game on an official server + + + + Read about who is behind the Hedgewars Project - + Leave a feedback here reporting issues, suggesting features or just saying how you like Hedgewars - + Downloadable Content - + Access the user created content downloadable from our website - + Exit game - + Manage videos recorded from game - + Edit game preferences - - - Simply pick the same color as a friend to play together as a team. Each of you will still control his or her own hedgehogs but they'll win or lose together. - Tips - - - - - Some weapons might do only low damage but they can be a lot more devastating in the right situation. Try to use the Desert Eagle to knock multiple hedgehogs into the water. - Tips - - - - - If you're unsure what to do and don't want to waste ammo, skip one round. But don't let too much time pass as there will be Sudden Death! - Tips - - - - - Want to save ropes? Release the rope in mid air and then shoot again. As long as you don't touch the ground you'll reuse your rope without wasting ammo! - Tips - - - - - If you'd like to keep others from using your preferred nickname on the official server, register an account at http://www.hedgewars.org/. - Tips - - - - - You're bored of default gameplay? Try one of the missions - they'll offer different gameplay depending on the one you picked. - Tips - - - - - By default the game will always record the last game played as a demo. Select 'Local Game' and pick the 'Demos' button on the lower right corner to play or manage them. - Tips - - - - - Hedgewars is Open Source and Freeware we create in our spare time. If you've got problems, ask on our forums but please don't expect 24/7 support! - Tips - - - - - Hedgewars is Open Source and Freeware we create in our spare time. If you like it, help us with a small donation or contribute your own work! - Tips - - - - - Hedgewars is Open Source and Freeware we create in our spare time. Share it with your family and friends as you like! - Tips - - - - - Hedgewars is Open Source and Freeware we create in our spare time. If someone sold you the game, you should try get a refund! - Tips - - - - - From time to time there will be official tournaments. Upcoming events will be announced at http://www.hedgewars.org/ some days in advance. - Tips - - - - - Hedgewars is available in many languages. If the translation in your language seems to be missing or outdated, feel free to contact us! - Tips - - - - - Hedgewars can be run on lots of different operating systems including Microsoft Windows, Mac OS X and Linux. - Tips - - - - - Always remember you're able to set up your own games in local and network/online play. You're not restricted to the 'Simple Game' option. - Tips - - - - - Connect one or more gamepads before starting the game to be able to assign their controls to your teams. - Tips - - - - - Create an account on %1 to keep others from using your most favourite nickname while playing on the official server. - Tips - - - - - While playing you should give yourself a short break at least once an hour. - Tips - - - - - If your graphics card isn't able to provide hardware accelerated OpenGL, try to enable the low quality mode to improve performance. - Tips - - - - - If your graphics card isn't able to provide hardware accelerated OpenGL, try to update the associated drivers. - Tips - - - - - We're open to suggestions and constructive feedback. If you don't like something or got a great idea, let us know! - Tips - - - - - Especially while playing online be polite and always remember there might be some minors playing with or against you as well! - Tips - - - - - Special game modes such as 'Vampirism' or 'Karma' allow you to develop completely new tactics. Try them in a custom game! - Tips - - - - - The Windows version of Hedgewars supports Xfire. Make sure to add Hedgewars to its game list so your friends can see you playing. - Tips - - - - - You should never install Hedgewars on computers you don't own (school, university, work, etc.). Please ask the responsible person instead! - Tips - - - - - Hedgewars can be perfect for short games during breaks. Just ensure you don't add too many hedgehogs or use an huge map. Reducing time and health might help as well. - Tips - - - - - No hedgehogs were harmed in making this game. - Tips - - - - - There are three different jumps available. Tap [high jump] twice to do a very high/backwards jump. - Tips - - - - - Afraid of falling off a cliff? Hold down [precise] to turn [left] or [right] without actually moving. - Tips - - - - - Some weapons require special strategies or just lots of training, so don't give up on a particular tool if you miss an enemy once. - Tips - - - - - Most weapons won't work once they touch the water. The Homing Bee as well as the Cake are exceptions to this. - Tips - - - - - The Old Limbuger only causes a small explosion. However the wind affected smelly cloud can poison lots of hogs at once. - Tips - - - - - The Piano Strike is the most damaging air strike. You'll lose the hedgehog performing it, so there's a huge downside as well. - Tips - - - - - The Homing Bee can be tricky to use. Its turn radius depends on its velocity, so try to not use full power. - Tips - - - - - Sticky Mines are a perfect tool to create small chain reactions knocking enemy hedgehogs into dire situations ... or water. - Tips - - - - - The Hammer is most effective when used on bridges or girders. Hit hogs will just break through the ground. - Tips - - - - - If you're stuck behind an enemy hedgehog, use the Hammer to free yourself without getting damaged by an explosion. - Tips - - - - - The Cake's maximum walking distance depends on the ground it has to pass. Use [attack] to detonate it early. - Tips - - - - - The Flame Thrower is a weapon but it can be used for tunnel digging as well. - Tips - - - - - Use the Molotov or Flame Thrower to temporary keep hedgehogs from passing terrain such as tunnels or platforms. - Tips - - - - - Want to know who's behind the game? Click on the Hedgewars logo in the main menu to see the credits. - Tips - - - - - Like Hedgewars? Become a fan on %1 or follow us on %2! - Tips - - - - - Feel free to draw your own graves, hats, flags or even maps and themes! But note that you'll have to share them somewhere to use them online. - Tips - - - - - Really want to wear a specific hat? Donate to us and receive an exclusive hat of your choice! - Tips - - - - - Keep your video card drivers up to date to avoid issues playing the game. - Tips - - - - - You're able to associate Hedgewars related files (savegames and demo recordings) with the game to launch them right from your favorite file or internet browser. - Tips - - - - - You can find your Hedgewars configuration files under "My Documents\Hedgewars". Create backups or take the files with you, but don't edit them by hand. - Tips - - - - - You can find your Hedgewars configuration files under "Library/Application Support/Hedgewars" in your home directory. Create backups or take the files with you, but don't edit them by hand. - Tips - - - - - You can find your Hedgewars configuration files under ".hedgewars" in your home directory. Create backups or take the files with you, but don't edit them by hand. - Tips - - PageMultiplayer - + + Edit game preferences + + + + Start @@ -994,141 +1085,234 @@ PageNetGame - + + Edit game preferences + + + + Control - - - PageNetType - - - LAN game - - - - - Join or host your own game server in a Local Area Network. - - - - - Official server - - - - - Join hundreds of players online! + + + Start PageOptions - - General - - - - + + Select an action to change what key controls it + + + + + Reset to default + + + + + Reset all binds + + + + + + Game + + + + + Graphics + + + + + Audio + + + + + Controls + + + + + Video Recording + + + + + Network + + + + Advanced - + + Teams + + + + New team - + Edit team - + Delete team - - You can't edit teams from team selection. Go back to main menu to add, edit or delete teams. - - - - - New scheme - - - - - Edit scheme - - - - - Delete scheme - - - - - New weapon set - - - - Edit weapon set + You can't edit teams from team selection. Go back to main menu to add, edit or delete teams. + Schemes + + + + + New scheme + + + + + Edit scheme + + + + + Delete scheme + + + + + Weapons + + + + + New weapon set + + + + + Edit weapon set + + + + Delete weapon set - + + Frontend + + + + + Custom colors + + + + Reset to default colors - + + Game audio + + + + + Frontend audio + + + + + Account + + + + + Proxy settings + + + + Proxy host - + Proxy port - + Proxy login - + Proxy password - + No proxy - + System proxy settings - + Socks5 proxy - + HTTP proxy + + + Miscellaneous + + + + + Updates + + + + + Check for updates + + + + + Video recording options + + PagePlayDemo @@ -1186,7 +1370,7 @@ - + %1 players online @@ -1196,152 +1380,152 @@ PageScheme - + Defend your fort and destroy the opponents, two team colours max! - + Teams will start on opposite sides of the terrain, two team colours max! - + Land can not be destroyed! + + Add an indestructible border around the terrain + + + - Add an indestructible border around the terrain - - - - Lower gravity - + Assisted aiming with laser sight - + All hogs have a personal forcefield + + All (living) hedgehogs are fully restored at the end of turn + + + + + Gain 80% of the damage you do back in health + + + - All (living) hedgehogs are fully restored at the end of turn - - - - - Gain 80% of the damage you do back in health - - - - Share your opponents pain, share their damage - + Your hogs are unable to move, put your artillery skills to the test + + Order of play is random instead of in room order. + + + + + Play with a King. If he dies, your side dies. + + + + + Take turns placing your hedgehogs before the start of play. + + + - Order of play is random instead of in room order. - - - - - Play with a King. If he dies, your side dies. - - - - - Take turns placing your hedgehogs before the start of play. - - - - Ammo is shared between all teams that share a colour. + + Disable girders when generating random maps. + + + + + Disable land objects when generating random maps. + + + + + AI respawns on death. + + + + + Attacking does not end your turn. + + + - Disable girders when generating random maps. - - - - - Disable land objects when generating random maps. - - - - - AI respawns on death. - - - - - Attacking does not end your turn. + Weapons are reset to starting values each turn. + + + + + Each hedgehog has its own ammo. It does not share with the team. + + + + + You will not have to worry about wind anymore. + + + + + Wind will affect almost everything. + + + + + Teams in each clan take successive turns sharing their turn time. - Weapons are reset to starting values each turn. - - - - - Each hedgehog has its own ammo. It does not share with the team. - - - - - You will not have to worry about wind anymore. - - - - - Wind will affect almost everything. - - - - - Teams in each clan take successive turns sharing their turn time. - - - - Add an indestructible border along the bottom - + Random - + Seconds - + Copy - + New - + Delete @@ -1373,57 +1557,31 @@ PageSinglePlayer - Simple Game - - - - Play a quick game against the computer with random settings - - Multiplayer - - - - + Play a hotseat game against your friends, or AI teams - - + Campaign Mode - - Training Mode - - - - + Practice your skills in a range of training missions - - Demos - - - - + Watch recorded demos - - Load - - - - + Load a previously saved game @@ -1441,12 +1599,12 @@ - + No description available - + Select a mission! @@ -1454,44 +1612,46 @@ PageVideos - + Name - + Size - + %1 bytes - + (in progress...) - - Date: - - - - - Size: - - - - + + Date: %1 + + + + + + Size: %1 + + + + + encoding - + uploading @@ -1499,64 +1659,59 @@ QAction - + Update - - Start - - - - + Restrict Joins - + Restrict Team Additions - + Info - + Kick - + Ban - + Follow - - + + Ignore - - + + Add friend - + Unignore - + Remove friend @@ -1564,8 +1719,8 @@ QCheckBox - - + + Save password @@ -1580,72 +1735,79 @@ - + Check for updates at startup - - Frontend fullscreen - - - - - Frontend effects - - - - - Enable frontend sounds - - - - - Enable frontend music - - - - + Fullscreen - - Enable sound - - - - - Enable music - - - - + Alternative damage show - + Show FPS - + Show ammo menu tooltips - + + Visual effects + + + + + + Sound + + + + + In-game sound effects + + + + + + Music + + + + + In-game music + + + + + Frontend sound effects + + + + + Frontend music + + + + Append date and time to record file name - + Record audio - + Use game resolution @@ -1653,129 +1815,104 @@ QComboBox - - generated map... - - - - - generated maze... - - - - - hand drawn map... - - - - - Mission - - - - + Human - + Level - + Community - + (System default) + + Disabled + + + - Disabled + Red/Cyan - Red/Cyan + Cyan/Red - Cyan/Red + Red/Blue - Red/Blue + Blue/Red - Blue/Red + Red/Green - Red/Green + Green/Red + + + + + Side-by-side + + + + + Top-Bottom - Green/Red + Red/Cyan grayscale - Side-by-side + Cyan/Red grayscale - Top-Bottom + Red/Blue grayscale - Wiggle + Blue/Red grayscale - Red/Cyan grayscale + Red/Green grayscale - Cyan/Red grayscale - - - - - Red/Blue grayscale - - - - - Blue/Red grayscale - - - - - Red/Green grayscale - - - - Green/Red grayscale - + Any @@ -1793,66 +1930,26 @@ QGroupBox - + Team Members - + Team Settings - + Fort - - Key binds - - - Net game - - Teams - - - - - Schemes and Weapons - - - - - Misc - - - - - Audio/Graphic options - - - - - Custom colors - - - - - Miscellaneous - - - - - Proxy settings - - - Game Modifiers @@ -1863,22 +1960,17 @@ - - Video recording options - - - - + Videos - + Description - + Playing teams @@ -1933,48 +2025,63 @@ - + Name - + Type - + Grave - + Flag - + Voice - - Summary - - - - + + Your Email + + + + + Summary + + + + + Send system information + + + + Description - + + Type the security code: + + + + Tip: - - This development build is 'work in progress' and may not be compatible with other versions of the game. Some features might be broken or incomplete. Use at your own risk! + + This development build is 'work in progress' and may not be compatible with other versions of the game, while some features might be broken or incomplete! @@ -1988,199 +2095,182 @@ - - Game scheme - - - - - + Weapons - + Locale - + Nickname - - + Resolution - + Quality - + + Fullscreen + + + + + Fullscreen Resolution + + + + + Windowed Resolution + + + + Stereo rendering - + Initial sound volume - + FPS limit - + Damage Modifier - + Turn Time - + Initial Health - + Sudden Death Timeout - + Sudden Death Water Rise - + Sudden Death Health Decrease - + % Rope Length - + Crate Drops - + % Health Crates - + Health in Crates - + Mines Time - + Mines - + % Dud Mines - + Explosives - + % Get Away Time - + Scheme Name: - + Format - + Audio codec - + Video codec - + Framerate - + Bitrate (Kbps) - + Version - - This program is distributed under the GNU General Public License v2 - - - - Developers: - - - - - Art: - - - - - Sounds: - - - - - Translations: - - - - - Special thanks: - - - - + This program is distributed under the GNU General Public License v2 + + + + Style - + Scheme @@ -2188,18 +2278,18 @@ QLineEdit - + unnamed - - + + hedgehog %1 - + anonymous @@ -2207,7 +2297,7 @@ QMainWindow - + Hedgewars %1 @@ -2215,93 +2305,96 @@ QMessageBox - - + Teams - Are you sure? - - + Do you really want to delete the team '%1'? - - + + Cannot delete default scheme '%1'! - + Please select a record from the list - + + Hedgewars - Nick not registered + + + + Unable to start server - + Connection to server is lost - + Hedgewars - Error - - + + System Information Preview + + + + + + Failed to generate captcha + + + + + Failed to download captcha + + + + + Please fill out all fields. Email is optional. + + + + + Hedgewars - Success - + All file associations have been set - + File association failed. - - Please fill out all fields - - - - - Successfully posted the issue on hedgewars.googlecode.com - - - - - - Error during authentication at google.com - - - - - Error reporting the issue, please try again later (or visit hedgewars.googlecode.com directly) - - - - - + + Main - Error - + Cannot create directory %1 - + Failed to open data directory: %1 @@ -2309,23 +2402,23 @@ - - + + TCP - Error - + Unable to start the server: %1. - + Unable to run engine at - + Error code: %1 @@ -2354,7 +2447,7 @@ - + Netgame - Error @@ -2364,8 +2457,8 @@ - - + + Please enter room name @@ -2394,69 +2487,70 @@ - - + + Room Name - Error - + Please select room from the list - + Room Name - Are you sure? - + The game you are trying to join has started. Do you still want to join the room? - + Schemes - Warning - + Schemes - Are you sure? - + Do you really want to delete the game scheme '%1'? - - - + + + Videos - Are you sure? - + Do you really want to delete the video '%1'? - + Do you really want to remove %1 file(s)? - + Do you really want to cancel uploading %1? + File error @@ -2467,16 +2561,17 @@ + Cannot open '%1' for reading - + Error - + Cannot use the ammo '%1'! @@ -2506,17 +2601,19 @@ Do you really want to delete the weapon set '%1'? - - - QObject - - - Nickname - - - - - Please enter your nickname + + + Hedgewars - Warning + + + + + Hedgewars - Information + + + + + Hedgewars @@ -2540,7 +2637,7 @@ - + Cancel @@ -2551,17 +2648,6 @@ - - Random Team - - - - - - Setup - - - Connect @@ -2582,17 +2668,12 @@ - - Ready - - - Start - + Associate file extensions @@ -2609,8 +2690,8 @@ - - + + Delete @@ -2620,61 +2701,57 @@ - + Set default options - + Restore default coding parameters - + Open videos directory - + Open the video directory in your system - + Play - + Play this video - + Delete this video - - + + + Upload to YouTube - + Upload this video to your Youtube account - + Cancel uploading - - - more - - RoomsListModel @@ -2719,22 +2796,45 @@ - + Random Map - - Random Maze - - - + Random Maze + + + + Hand-drawn + SeedPrompt + + + The map seed is the basis for all random values generated by the game. + + + + + Cancel + + + + + Set seed + + + + + Close + + + + SelWeaponWidget @@ -2770,130 +2870,23 @@ - ToggleButtonWidget - - - Fort Mode - - - - - Divide Teams - - - - - Solid Land - - - - - Add Border - - - - - Low Gravity - - - - - Laser Sight - - - - - Invulnerable - - - - - Reset Health - - - - - Vampirism - - - - - Karma - - - - - Artillery - - - - - Random Order - - - - - King - - - - - Place Hedgehogs - - - - - Clan Shares Ammo - - - - - Disable Girders - - - - - Disable Land Objects - - - - - AI Survival Mode - - - - - Unlimited Attacks - - - - - Reset Weapons - - - - - Per Hedgehog Ammo - - - - - Disable Wind - - - - - More Wind - - - - - Tag Team - - - - - Add Bottom Border + TeamShowWidget + + + %1's team + + + + + ThemePrompt + + + Select a theme for this map + + + + + Cancel @@ -2939,97 +2932,97 @@ + + attack + + + + + put + + + - attack + switch - put + ammo menu - switch + slot 1 - ammo menu + slot 2 - slot 1 + slot 3 - slot 2 + slot 4 - slot 3 + slot 5 - slot 4 + slot 6 - slot 5 + slot 7 - slot 6 + slot 8 - slot 7 + slot 9 - slot 8 + slot 10 - slot 9 + timer 1 sec - slot 10 + timer 2 sec - timer 1 sec + timer 3 sec - timer 2 sec + timer 4 sec - timer 3 sec - - - - - timer 4 sec - - - - timer 5 sec @@ -3105,12 +3098,11 @@ - hedgehogs -info - - - - + hedgehog info + + + + record @@ -3119,59 +3111,59 @@ binds (categories) - Basic controls - - - - - Weapon controls + Movement + + + + + Weapons - Camera and cursor controls + Camera - Other + Miscellaneous binds (descriptions) - - Move your hogs and aim: - - - Traverse gaps and obstacles by jumping: + + Fire your selected weapon or trigger an utility item: + + + + + Pick a weapon or a target location under the cursor: + + + - Fire your selected weapon or trigger an utility item: + Switch your currently active hog (if possible): + + + + + Hedgehog movement - Pick a weapon or a target location under the cursor: - - - - - Switch your currently active hog (if possible): - - - - Pick a weapon or utility item: - + Set the timer on bombs and timed weapons: @@ -3221,7 +3213,7 @@ - + Record video: @@ -3584,46 +3576,189 @@ - + Keyboard - - Axis - - - - - (Up) + Axis + (Up) + + + + + (Down) - + Hat - - (Left) - - - + (Left) + + + + (Right) - + Button + + server + + + Illegal nickname + + + + + Protocol already known + + + + + Bad number + + + + + bye + + + + + Empty config entry + + + + + Not room master + + + + + Corrupted hedgehogs info + + + + + too many teams + + + + + too many hedgehogs + + + + + There's already a team with same name in the list + + + + + round in progress + + + + + restricted + + + + + REMOVE_TEAM: no such team + + + + + Not team owner! + + + + + Less than two clans! + + + + + Room with such name already exists + + + + + Illegal room name + + + + + No such room + + + + + Joining restricted + + + + + Registered users only + + + + + You are banned in this room + + + + + Nickname is already in use + + + + + No checker rights + + + + + Authentication failed + + + + + 60 seconds cooldown after kick + + + + + kicked + + + + + Ping timeout + + + + + Nickname already chosen + + + diff -r 33ab77c0b486 -r 87410ae372f6 share/hedgewars/Data/Locale/hedgewars_nl.ts --- a/share/hedgewars/Data/Locale/hedgewars_nl.ts Fri Jan 18 11:47:23 2013 +0100 +++ b/share/hedgewars/Data/Locale/hedgewars_nl.ts Sat Jan 19 00:51:28 2013 +0400 @@ -20,6 +20,115 @@ + BanDialog + + 10 minutes + + + + 30 minutes + + + + 1 hour + + + + 3 hours + + + + 5 hours + + + + 24 hours + + + + 3 days + + + + 7 days + + + + 14 days + + + + permanent + + + + IP + + + + Nick + + + + IP/Nick + + + + Reason + + + + Duration + + + + Ok + + + + Cancel + + + + you know why + + + + Warning + + + + Please, specify %1 + + + + nickname + + + + + DataManager + + Use Default + + + + + FeedbackDialog + + View + + + + Cancel + + + + Send Feedback + + + + FreqSpinBox Never @@ -44,13 +153,13 @@ - When this option is enabled selecting a game scheme will auto-select a weapon - - - Game Options + + Game scheme will auto-select a weapon + + HWAskQuitDialog @@ -101,10 +210,6 @@ Failed to save StyleSheet to %1 - - %1 is not a valid command! - - HWForm @@ -139,17 +244,6 @@ - Your nickname %1 is -registered on Hedgewars.org -Please provide your password below -or pick another nickname in game config: - - - - No password supplied. - - - Nickname @@ -162,6 +256,59 @@ Please pick another nickname: + + %1's Team + + + + Hedgewars - Nick registered + + + + This nick is registered, and you haven't specified a password. + +If this nick isn't yours, please register your own nick at www.hedgewars.org + +Password: + + + + Your nickname is not registered. +To prevent someone else from using it, +please register it at www.hedgewars.org + + + + + +Your password wasn't saved either. + + + + Hedgewars - Empty nickname + + + + Hedgewars - Wrong password + + + + You entered a wrong password. + + + + Try Again + + + + Hedgewars - Connection error + + + + You reconnected too fast. +Please wait a few seconds and try again. + + HWGame @@ -177,18 +324,6 @@ HWMapContainer - Map - - - - Themes - - - - Filter - - - All @@ -213,10 +348,6 @@ - Type - - - Small tunnels @@ -225,27 +356,95 @@ - Large tunnels - - - - Small floating islands - - - - Medium floating islands - - - - Large floating islands - - - Seed - Set + Map type: + + + + Image map + + + + Mission map + + + + Hand-drawn + + + + Randomly generated + + + + Random maze + + + + Random + + + + Map preview: + + + + Load map drawing + + + + Edit map drawing + + + + Largetunnels + + + + Small islands + + + + Medium islands + + + + Large islands + + + + Map size: + + + + Maze style: + + + + Mission: + + + + Map: + + + + Theme: + + + + Load drawn map + + + + Drawn Maps + + + + All files @@ -318,7 +517,7 @@ HWPasswordDialog - Password + Login @@ -334,6 +533,32 @@ + HatButton + + Change hat (%1) + + + + + HatPrompt + + Select a hat + + + + Filter: + + + + Cancel + + + + Use selected hat + + + + KB SDL_ttf returned error while rendering text, most propably it is related to the bug in freetype2. It's recommended to update your freetype lib. @@ -341,6 +566,13 @@ + KeyBinder + + Category + + + + LibavInteraction Duration: %1m %2s @@ -359,6 +591,17 @@ Audio: + + unknown + + + + + MapModel + + No description available. + + PageAdmin @@ -390,6 +633,38 @@ Set data + + General + + + + Bans + + + + IP/Nick + + + + Expiration + + + + Reason + + + + Refresh + + + + Add + + + + Remove + + PageConnecting @@ -444,7 +719,39 @@ - Advanced + Select an action to choose a custom key bind for this team + + + + Use my default + + + + Reset all binds + + + + Custom Controls + + + + Hat + + + + Name + + + + This hedgehog's name + + + + Randomize this hedgehog's name + + + + Random Team @@ -526,267 +833,14 @@ PageMain - Simply pick the same color as a friend to play together as a team. Each of you will still control his or her own hedgehogs but they'll win or lose together. - Tips - - - - Some weapons might do only low damage but they can be a lot more devastating in the right situation. Try to use the Desert Eagle to knock multiple hedgehogs into the water. - Tips - - - - If you're unsure what to do and don't want to waste ammo, skip one round. But don't let too much time pass as there will be Sudden Death! - Tips - - - - If you'd like to keep others from using your preferred nickname on the official server, register an account at http://www.hedgewars.org/. - Tips - - - - You're bored of default gameplay? Try one of the missions - they'll offer different gameplay depending on the one you picked. - Tips - - - - By default the game will always record the last game played as a demo. Select 'Local Game' and pick the 'Demos' button on the lower right corner to play or manage them. - Tips - - - - Hedgewars is Open Source and Freeware we create in our spare time. If you've got problems, ask on our forums but please don't expect 24/7 support! - Tips - - - - Hedgewars is Open Source and Freeware we create in our spare time. If you like it, help us with a small donation or contribute your own work! - Tips - - - - Hedgewars is Open Source and Freeware we create in our spare time. Share it with your family and friends as you like! - Tips - - - - From time to time there will be official tournaments. Upcoming events will be announced at http://www.hedgewars.org/ some days in advance. - Tips - - - - Hedgewars is available in many languages. If the translation in your language seems to be missing or outdated, feel free to contact us! - Tips - - - - Hedgewars can be run on lots of different operating systems including Microsoft Windows, Mac OS X and Linux. - Tips - - - - Always remember you're able to set up your own games in local and network/online play. You're not restricted to the 'Simple Game' option. - Tips - - - - While playing you should give yourself a short break at least once an hour. - Tips - - - - If your graphics card isn't able to provide hardware accelerated OpenGL, try to enable the low quality mode to improve performance. - Tips - - - - We're open to suggestions and constructive feedback. If you don't like something or got a great idea, let us know! - Tips - - - - Especially while playing online be polite and always remember there might be some minors playing with or against you as well! - Tips - - - - Special game modes such as 'Vampirism' or 'Karma' allow you to develop completely new tactics. Try them in a custom game! - Tips - - - - You should never install Hedgewars on computers you don't own (school, university, work, etc.). Please ask the responsible person instead! - Tips - - - - Hedgewars can be perfect for short games during breaks. Just ensure you don't add too many hedgehogs or use an huge map. Reducing time and health might help as well. - Tips - - - - No hedgehogs were harmed in making this game. - Tips - - - - Hedgewars is Open Source and Freeware we create in our spare time. If someone sold you the game, you should try get a refund! - Tips - - - - Connect one or more gamepads before starting the game to be able to assign their controls to your teams. - Tips - - - - Create an account on %1 to keep others from using your most favourite nickname while playing on the official server. - Tips - - - - If your graphics card isn't able to provide hardware accelerated OpenGL, try to update the associated drivers. - Tips - - - - There are three different jumps available. Tap [high jump] twice to do a very high/backwards jump. - Tips - - - - Afraid of falling off a cliff? Hold down [precise] to turn [left] or [right] without actually moving. - Tips - - - - Some weapons require special strategies or just lots of training, so don't give up on a particular tool if you miss an enemy once. - Tips - - - - Most weapons won't work once they touch the water. The Homing Bee as well as the Cake are exceptions to this. - Tips - - - - The Old Limbuger only causes a small explosion. However the wind affected smelly cloud can poison lots of hogs at once. - Tips - - - - The Piano Strike is the most damaging air strike. You'll lose the hedgehog performing it, so there's a huge downside as well. - Tips - - - - Sticky Mines are a perfect tool to create small chain reactions knocking enemy hedgehogs into dire situations ... or water. - Tips - - - - The Hammer is most effective when used on bridges or girders. Hit hogs will just break through the ground. - Tips - - - - If you're stuck behind an enemy hedgehog, use the Hammer to free yourself without getting damaged by an explosion. - Tips - - - - The Cake's maximum walking distance depends on the ground it has to pass. Use [attack] to detonate it early. - Tips - - - - The Flame Thrower is a weapon but it can be used for tunnel digging as well. - Tips - - - - Want to know who's behind the game? Click on the Hedgewars logo in the main menu to see the credits. - Tips - - - - Like Hedgewars? Become a fan on %1 or follow us on %2! - Tips - - - - Feel free to draw your own graves, hats, flags or even maps and themes! But note that you'll have to share them somewhere to use them online. - Tips - - - - Really want to wear a specific hat? Donate to us and receive an exclusive hat of your choice! - Tips - - - - Keep your video card drivers up to date to avoid issues playing the game. - Tips - - - - You can find your Hedgewars configuration files under "My Documents\Hedgewars". Create backups or take the files with you, but don't edit them by hand. - Tips - - - - You're able to associate Hedgewars related files (savegames and demo recordings) with the game to launch them right from your favorite file or internet browser. - Tips - - - - Want to save ropes? Release the rope in mid air and then shoot again. As long as you don't touch the ground you'll reuse your rope without wasting ammo! - Tips - - - - You can find your Hedgewars configuration files under "Library/Application Support/Hedgewars" in your home directory. Create backups or take the files with you, but don't edit them by hand. - Tips - - - - You can find your Hedgewars configuration files under ".hedgewars" in your home directory. Create backups or take the files with you, but don't edit them by hand. - Tips - - - - The Windows version of Hedgewars supports Xfire. Make sure to add Hedgewars to its game list so your friends can see you playing. - Tips - - - - Use the Molotov or Flame Thrower to temporary keep hedgehogs from passing terrain such as tunnels or platforms. - Tips - - - - The Homing Bee can be tricky to use. Its turn radius depends on its velocity, so try to not use full power. - Tips - - - Downloadable Content - Local Game - - - Play a game on a single computer - Network Game - - - Play a game across a network @@ -814,6 +868,14 @@ Edit game preferences + + Play a game across a local area network + + + + Play a game on an official server + + PageMultiplayer @@ -821,6 +883,10 @@ Start + + Edit game preferences + + PageNetGame @@ -828,23 +894,12 @@ Control - - - PageNetType - - LAN game - - - - Official server - - - - Join hundreds of players online! - - - - Join or host your own game server in a Local Area Network. + + Edit game preferences + + + + Start @@ -891,10 +946,6 @@ - General - - - Advanced @@ -934,6 +985,94 @@ System proxy settings + + Select an action to change what key controls it + + + + Reset to default + + + + Reset all binds + + + + Game + + + + Graphics + + + + Audio + + + + Controls + + + + Video Recording + + + + Network + + + + Teams + + + + Schemes + + + + Weapons + + + + Frontend + + + + Custom colors + + + + Game audio + + + + Frontend audio + + + + Account + + + + Proxy settings + + + + Miscellaneous + + + + Updates + + + + Check for updates + + + + Video recording options + + PagePlayDemo @@ -1133,18 +1272,10 @@ PageSinglePlayer - Simple Game - - - Play a quick game against the computer with random settings - Multiplayer - - - Play a hotseat game against your friends, or AI teams @@ -1153,26 +1284,14 @@ - Training Mode - - - Practice your skills in a range of training missions - Demos - - - Watch recorded demos - Load - - - Load a previously saved game @@ -1218,14 +1337,6 @@ - Date: - - - - Size: - - - encoding @@ -1233,6 +1344,16 @@ uploading + + Date: %1 + + + + + Size: %1 + + + QAction @@ -1245,10 +1366,6 @@ - Start - - - Restrict Joins @@ -1296,18 +1413,6 @@ - Frontend fullscreen - - - - Enable sound - - - - Enable music - - - Show FPS @@ -1324,18 +1429,6 @@ - Enable frontend sounds - - - - Enable frontend music - - - - Frontend effects - - - Save password @@ -1355,14 +1448,38 @@ Use game resolution + + Visual effects + + + + Sound + + + + In-game sound effects + + + + Music + + + + In-game music + + + + Frontend sound effects + + + + Frontend music + + QComboBox - generated map... - - - Human @@ -1375,14 +1492,6 @@ - Mission - - - - generated maze... - - - Community @@ -1399,10 +1508,6 @@ - hand drawn map... - - - Disabled @@ -1439,10 +1544,6 @@ - Wiggle - - - Red/Cyan grayscale @@ -1478,18 +1579,6 @@ - Key binds - - - - Teams - - - - Audio/Graphic options - - - Net game @@ -1510,26 +1599,6 @@ - Misc - - - - Schemes and Weapons - - - - Custom colors - - - - Miscellaneous - - - - Video recording options - - - Videos @@ -1537,10 +1606,6 @@ Description - - Proxy settings - - QLabel @@ -1557,26 +1622,6 @@ - Developers: - - - - Art: - - - - Sounds: - - - - Translations: - - - - Special thanks: - - - Weapons @@ -1633,10 +1678,6 @@ - Game scheme - - - % Dud Mines @@ -1673,10 +1714,6 @@ - This development build is 'work in progress' and may not be compatible with other versions of the game. Some features might be broken or incomplete. Use at your own risk! - - - Quality @@ -1751,10 +1788,6 @@ - Summary - - - Description @@ -1782,6 +1815,38 @@ Bitrate (Kbps) + + This development build is 'work in progress' and may not be compatible with other versions of the game, while some features might be broken or incomplete! + + + + Fullscreen + + + + Fullscreen Resolution + + + + Windowed Resolution + + + + Your Email + + + + Summary + + + + Send system information + + + + Type the security code: + + QLineEdit @@ -1820,10 +1885,6 @@ - Please fill out all fields - - - Error while authenticating at google.com: @@ -1870,18 +1931,6 @@ - Successfully posted the issue on hedgewars.googlecode.com - - - - Error during authentication at google.com - - - - Error reporting the issue, please try again later (or visit hedgewars.googlecode.com directly) - - - Main - Error @@ -2028,15 +2077,36 @@ Do you really want to delete the weapon set '%1'? - - - QObject - - Nickname - - - - Please enter your nickname + + Hedgewars - Nick not registered + + + + System Information Preview + + + + Failed to generate captcha + + + + Failed to download captcha + + + + Please fill out all fields. Email is optional. + + + + Hedgewars - Warning + + + + Hedgewars - Information + + + + Hedgewars @@ -2095,26 +2165,10 @@ - Setup - - - - Ready - - - - Random Team - - - Associate file extensions - more - - - More info @@ -2207,6 +2261,25 @@ + SeedPrompt + + The map seed is the basis for all random values generated by the game. + + + + Cancel + + + + Set seed + + + + Close + + + + SelWeaponWidget Weapon set @@ -2234,105 +2307,20 @@ - ToggleButtonWidget - - Vampirism - - - - Karma - - - - Artillery - - - - Fort Mode - - - - Divide Teams - - - - Solid Land - - - - Add Border - - - - Low Gravity - - - - Laser Sight - - - - Invulnerable - - - - Random Order - - - - King - - - - Place Hedgehogs - - - - Clan Shares Ammo - - - - Disable Girders - - - - Disable Land Objects - - - - AI Survival Mode - - - - Reset Health - - - - Unlimited Attacks - - - - Reset Weapons - - - - Per Hedgehog Ammo - - - - Disable Wind - - - - More Wind - - - - Tag Team - - - - Add Bottom Border + TeamShowWidget + + %1's team + + + + + ThemePrompt + + Select a theme for this map + + + + Cancel @@ -2467,11 +2455,6 @@ - hedgehogs -info - - - quit @@ -2507,33 +2490,33 @@ record + + hedgehog info + + binds (categories) - Basic controls - - - - Weapon controls - - - - Camera and cursor controls - - - - Other + Movement + + + + Weapons + + + + Camera + + + + Miscellaneous binds (descriptions) - Move your hogs and aim: - - - Traverse gaps and obstacles by jumping: @@ -2597,6 +2580,10 @@ Record video: + + Hedgehog movement + + binds (keys) @@ -2917,4 +2904,119 @@ + + server + + Illegal nickname + + + + Protocol already known + + + + Bad number + + + + bye + + + + Empty config entry + + + + Not room master + + + + Corrupted hedgehogs info + + + + too many teams + + + + too many hedgehogs + + + + There's already a team with same name in the list + + + + round in progress + + + + restricted + + + + REMOVE_TEAM: no such team + + + + Not team owner! + + + + Less than two clans! + + + + Room with such name already exists + + + + Illegal room name + + + + No such room + + + + Joining restricted + + + + Registered users only + + + + You are banned in this room + + + + Nickname is already in use + + + + No checker rights + + + + Authentication failed + + + + 60 seconds cooldown after kick + + + + kicked + + + + Ping timeout + + + + Nickname already chosen + + + diff -r 33ab77c0b486 -r 87410ae372f6 share/hedgewars/Data/Locale/hedgewars_pl.ts --- a/share/hedgewars/Data/Locale/hedgewars_pl.ts Fri Jan 18 11:47:23 2013 +0100 +++ b/share/hedgewars/Data/Locale/hedgewars_pl.ts Sat Jan 19 00:51:28 2013 +0400 @@ -20,6 +20,115 @@ + BanDialog + + 10 minutes + + + + 30 minutes + + + + 1 hour + + + + 3 hours + + + + 5 hours + + + + 24 hours + + + + 3 days + + + + 7 days + + + + 14 days + + + + permanent + + + + IP + IP + + + Nick + + + + IP/Nick + + + + Reason + + + + Duration + + + + Ok + + + + Cancel + Anuluj + + + you know why + + + + Warning + + + + Please, specify %1 + + + + nickname + + + + + DataManager + + Use Default + + + + + FeedbackDialog + + View + + + + Cancel + Anuluj + + + Send Feedback + + + + FreqSpinBox Never @@ -46,12 +155,16 @@ When this option is enabled selecting a game scheme will auto-select a weapon - Kiedy ta opcja jest włączona, wybór ustawień gry zmienia uzbrojenie na odpowiednie + Kiedy ta opcja jest włączona, wybór ustawień gry zmienia uzbrojenie na odpowiednie Game Options Opcje + + Game scheme will auto-select a weapon + + HWAskQuitDialog @@ -104,7 +217,7 @@ %1 is not a valid command! - %1 nie jest poprawnym poleceniem! + %1 nie jest poprawnym poleceniem! @@ -144,14 +257,14 @@ registered on Hedgewars.org Please provide your password below or pick another nickname in game config: - Twój nick %1 jest zarejestrowany + Twój nick %1 jest zarejestrowany na Hedgewars.org Proszę podać hasło bądź zmienić nick w ustawieniach gry: No password supplied. - Nie podano hasła. + Nie podano hasła. Nickname @@ -167,6 +280,59 @@ Ktoś używa tego nicku %1 na serwerze. Wybierz inny nick: + + %1's Team + + + + Hedgewars - Nick registered + + + + This nick is registered, and you haven't specified a password. + +If this nick isn't yours, please register your own nick at www.hedgewars.org + +Password: + + + + Your nickname is not registered. +To prevent someone else from using it, +please register it at www.hedgewars.org + + + + + +Your password wasn't saved either. + + + + Hedgewars - Empty nickname + + + + Hedgewars - Wrong password + + + + You entered a wrong password. + + + + Try Again + + + + Hedgewars - Connection error + + + + You reconnected too fast. +Please wait a few seconds and try again. + + HWGame @@ -183,15 +349,15 @@ HWMapContainer Map - Mapa + Mapa Themes - Motywy + Motywy Filter - Filtr + Filtr All @@ -219,7 +385,7 @@ Type - Typ + Typ Small tunnels @@ -231,19 +397,19 @@ Large tunnels - Duże tunele + Duże tunele Small floating islands - Małe wyspy + Małe wyspy Medium floating islands - Średnie wyspy + Średnie wyspy Large floating islands - Duże wyspy + Duże wyspy Seed @@ -251,7 +417,95 @@ Set - Ustaw + Ustaw + + + Map type: + + + + Image map + + + + Mission map + + + + Hand-drawn + Rys. ręcznie + + + Randomly generated + + + + Random maze + + + + Random + Losowo + + + Map preview: + + + + Load map drawing + + + + Edit map drawing + + + + Largetunnels + + + + Small islands + + + + Medium islands + + + + Large islands + + + + Map size: + + + + Maze style: + + + + Mission: + + + + Map: + + + + Theme: + + + + Load drawn map + Załaduj mapę + + + Drawn Maps + Narysowane mapy + + + All files + Wszystkie pliki @@ -324,7 +578,11 @@ HWPasswordDialog Password - Hasło + Hasło + + + Login + @@ -339,6 +597,32 @@ + HatButton + + Change hat (%1) + + + + + HatPrompt + + Select a hat + + + + Filter: + + + + Cancel + Anuluj + + + Use selected hat + + + + KB SDL_ttf returned error while rendering text, most propably it is related to the bug in freetype2. It's recommended to update your freetype lib. @@ -346,6 +630,13 @@ + KeyBinder + + Category + + + + LibavInteraction Duration: %1m %2s @@ -364,6 +655,10 @@ Audio: Audio: + + unknown + + LibavIteraction @@ -386,6 +681,13 @@ + MapModel + + No description available. + + + + PageAdmin Clear Accounts Cache @@ -415,6 +717,38 @@ Set data Zapisz + + General + Ogólne + + + Bans + + + + IP/Nick + + + + Expiration + + + + Reason + + + + Refresh + + + + Add + + + + Remove + + PageConnecting @@ -470,7 +804,43 @@ Advanced - Zaawansowane + Zaawansowane + + + Select an action to choose a custom key bind for this team + + + + Use my default + + + + Reset all binds + + + + Custom Controls + + + + Hat + Grzybek + + + Name + Nazwa + + + This hedgehog's name + + + + Randomize this hedgehog's name + + + + Random Team + Losowa Drużyna @@ -559,247 +929,247 @@ Simply pick the same color as a friend to play together as a team. Each of you will still control his or her own hedgehogs but they'll win or lose together. Tips - By grać ze swoim przyjacielem w tej samej drużynie po prostu wybierzcie taki sam kolor obydwu zespołów. Każdy z was będzie sterować swoimi własnymi jeżami ale wygracie bądź przegracie jako jedna drużyna. + By grać ze swoim przyjacielem w tej samej drużynie po prostu wybierzcie taki sam kolor obydwu zespołów. Każdy z was będzie sterować swoimi własnymi jeżami ale wygracie bądź przegracie jako jedna drużyna. Some weapons might do only low damage but they can be a lot more devastating in the right situation. Try to use the Desert Eagle to knock multiple hedgehogs into the water. Tips - Niektóre z broni zadają mało punktów obrażeń jednak użyte w odpowiednim momencie mogą pokazać pazur. Na przykład spróbuj użyć pistoletu by strącić swoich przeciwników do wody. + Niektóre z broni zadają mało punktów obrażeń jednak użyte w odpowiednim momencie mogą pokazać pazur. Na przykład spróbuj użyć pistoletu by strącić swoich przeciwników do wody. If you're unsure what to do and don't want to waste ammo, skip one round. But don't let too much time pass as there will be Sudden Death! Tips - Jeśli nie jesteś pewien co zrobić w danej turze i nie chcesz tracić amunicji możesz pominąć turę. Nie rób tak jednak zbyt często gdyż nagła śmierć jest nieuchronna! + Jeśli nie jesteś pewien co zrobić w danej turze i nie chcesz tracić amunicji możesz pominąć turę. Nie rób tak jednak zbyt często gdyż nagła śmierć jest nieuchronna! If you'd like to keep others from using your preferred nickname on the official server, register an account at http://www.hedgewars.org/. Tips - Jeśli chciałbyś zapobiec używania własnego nicka przez kogoś innego, zarejestruj go na http://www.hedgewars.org . + Jeśli chciałbyś zapobiec używania własnego nicka przez kogoś innego, zarejestruj go na http://www.hedgewars.org . You're bored of default gameplay? Try one of the missions - they'll offer different gameplay depending on the one you picked. Tips - Znudzony domyślnymi ustawieniami gry? Spróbuj zagrać w którąś z misji. - oferują one zmienione zasady gry w zależności od tej którą wybrałeś. + Znudzony domyślnymi ustawieniami gry? Spróbuj zagrać w którąś z misji. - oferują one zmienione zasady gry w zależności od tej którą wybrałeś. By default the game will always record the last game played as a demo. Select 'Local Game' and pick the 'Demos' button on the lower right corner to play or manage them. Tips - Gra zawsze będzie zapisywała ostatnią rozgrywkę jako Demo. Wybierz "Grę Lokalną" i kliknij w przycisk "Dema" który znajduje się w prawym dolnym rogu ekranu by je odtworzyć i zarządzać nimi. + Gra zawsze będzie zapisywała ostatnią rozgrywkę jako Demo. Wybierz "Grę Lokalną" i kliknij w przycisk "Dema" który znajduje się w prawym dolnym rogu ekranu by je odtworzyć i zarządzać nimi. Hedgewars is Open Source and Freeware we create in our spare time. If you've got problems, ask on our forums but please don't expect 24/7 support! Tips - Hedgewars jest darmową grą o otwartym kodzie, którą tworzymy w naszym wolnym czasie. Jeśli masz jakiś problem, zapytaj na forum ale nie spodziewaj się wsparcia 24 godziny na dobę! + Hedgewars jest darmową grą o otwartym kodzie, którą tworzymy w naszym wolnym czasie. Jeśli masz jakiś problem, zapytaj na forum ale nie spodziewaj się wsparcia 24 godziny na dobę! Hedgewars is Open Source and Freeware we create in our spare time. If you like it, help us with a small donation or contribute your own work! Tips - Hedgewars jest darmową grą o otwartym kodzie, którą tworzymy w naszym wolnym czasie. Jeśli ją lubisz, wspomóż nas małą wpłatą lub stwórz własną czapkę bądź mapę! + Hedgewars jest darmową grą o otwartym kodzie, którą tworzymy w naszym wolnym czasie. Jeśli ją lubisz, wspomóż nas małą wpłatą lub stwórz własną czapkę bądź mapę! Hedgewars is Open Source and Freeware we create in our spare time. Share it with your family and friends as you like! Tips - Hedgewars jest darmową grą o otwartym kodzie, którą tworzymy w naszym wolnym czasie. Jeśli tylko chcesz, rozdaj ją swojej rodzinie i kolegom! + Hedgewars jest darmową grą o otwartym kodzie, którą tworzymy w naszym wolnym czasie. Jeśli tylko chcesz, rozdaj ją swojej rodzinie i kolegom! From time to time there will be official tournaments. Upcoming events will be announced at http://www.hedgewars.org/ some days in advance. Tips - Od czasu do czasu będą organizowane mistrzostwa. Będą one ogłaszane z wyprzedzeniem na http://www.hedgewars.org/ . + Od czasu do czasu będą organizowane mistrzostwa. Będą one ogłaszane z wyprzedzeniem na http://www.hedgewars.org/ . Hedgewars is available in many languages. If the translation in your language seems to be missing or outdated, feel free to contact us! Tips - Hedgewars jest dostępne w wielu językach. Jeśli brakuje tłumaczenia w twoim języku bądź jest ono niekompletne, nie bój się z nami skontaktować! + Hedgewars jest dostępne w wielu językach. Jeśli brakuje tłumaczenia w twoim języku bądź jest ono niekompletne, nie bój się z nami skontaktować! Hedgewars can be run on lots of different operating systems including Microsoft Windows, Mac OS X and Linux. Tips - Hedgewars może być uruchomione na różnych systemach operacyjnych takich jak Microsoft Windows, MacOS X, FreeBSD oraz Linux. + Hedgewars może być uruchomione na różnych systemach operacyjnych takich jak Microsoft Windows, MacOS X, FreeBSD oraz Linux. Always remember you're able to set up your own games in local and network/online play. You're not restricted to the 'Simple Game' option. Tips - Zawsze możesz zmieniać ustawienia gry w opcjach gry lokalnej lub sieciowej. Nie musisz ciągle używać tzw. "Szybkiej gry". + Zawsze możesz zmieniać ustawienia gry w opcjach gry lokalnej lub sieciowej. Nie musisz ciągle używać tzw. "Szybkiej gry". While playing you should give yourself a short break at least once an hour. Tips - Zawsze pamiętaj o robieniu krótkich przerw co godzinę kiedy grasz na komputerze. + Zawsze pamiętaj o robieniu krótkich przerw co godzinę kiedy grasz na komputerze. If your graphics card isn't able to provide hardware accelerated OpenGL, try to enable the low quality mode to improve performance. Tips - Jeśli twoja karta graficzna nie ma sprzętowego przyspieszania OpenGL, spróbuj włączyć tryb obniżonej jakości by zwiększyć płynność gry. + Jeśli twoja karta graficzna nie ma sprzętowego przyspieszania OpenGL, spróbuj włączyć tryb obniżonej jakości by zwiększyć płynność gry. We're open to suggestions and constructive feedback. If you don't like something or got a great idea, let us know! Tips - Jesteśmy otwarci na sugestie oraz konstruktywną krytykę. Jeśli coś Ci się nie podoba bądź masz jakiś pomysł, daj nam znać! + Jesteśmy otwarci na sugestie oraz konstruktywną krytykę. Jeśli coś Ci się nie podoba bądź masz jakiś pomysł, daj nam znać! Especially while playing online be polite and always remember there might be some minors playing with or against you as well! Tips - Bądź kulturalny grając przez internet. Pamiętaj o tym, że w Hedgewars mogą grać także młodsze osoby! + Bądź kulturalny grając przez internet. Pamiętaj o tym, że w Hedgewars mogą grać także młodsze osoby! Special game modes such as 'Vampirism' or 'Karma' allow you to develop completely new tactics. Try them in a custom game! Tips - Specjalne tryby gry takie jak "Karma" bądź "Wampiryzm" pozwalają na stworzenie nowej taktyki! + Specjalne tryby gry takie jak "Karma" bądź "Wampiryzm" pozwalają na stworzenie nowej taktyki! You should never install Hedgewars on computers you don't own (school, university, work, etc.). Please ask the responsible person instead! Tips - Nie powinieneś instalować Hedgewars na komputerach których nie posiadasz (w szkole, na studiach, w pracy itp.). Zapytaj osoby odpowiedzialnej za te komputery! + Nie powinieneś instalować Hedgewars na komputerach których nie posiadasz (w szkole, na studiach, w pracy itp.). Zapytaj osoby odpowiedzialnej za te komputery! Hedgewars can be perfect for short games during breaks. Just ensure you don't add too many hedgehogs or use an huge map. Reducing time and health might help as well. Tips - Hedgewars jest idealny do gry w czasie przerw.Upewnij się, że nie dałeś zbyt dużej ilości jeży, bądź zbyt dużej mapy. Pomóc może także zmniejszenie długości tury lub obniżenie ilości życia. + Hedgewars jest idealny do gry w czasie przerw.Upewnij się, że nie dałeś zbyt dużej ilości jeży, bądź zbyt dużej mapy. Pomóc może także zmniejszenie długości tury lub obniżenie ilości życia. No hedgehogs were harmed in making this game. Tips - Żaden jeż nie został ranny w czasie tworzenia tej gry. + Żaden jeż nie został ranny w czasie tworzenia tej gry. Hedgewars is Open Source and Freeware we create in our spare time. If someone sold you the game, you should try get a refund! Tips - Hedgewars jest darmową grą o otwartym kodzie źródłowym którą tworzymy w naszym wolnym czasie. Jeśli ktokolwiek sprzedał Tobie tę grę powinieneś upomnieć się o swoje pieniądze! + Hedgewars jest darmową grą o otwartym kodzie źródłowym którą tworzymy w naszym wolnym czasie. Jeśli ktokolwiek sprzedał Tobie tę grę powinieneś upomnieć się o swoje pieniądze! Connect one or more gamepads before starting the game to be able to assign their controls to your teams. Tips - Jeśli podłączysz jeden lub więcej gamepadów przed włączeniem gry będziesz miał możliwość przypisania klawiszy by sterować swoimi jeżami. + Jeśli podłączysz jeden lub więcej gamepadów przed włączeniem gry będziesz miał możliwość przypisania klawiszy by sterować swoimi jeżami. Create an account on %1 to keep others from using your most favourite nickname while playing on the official server. Tips - Stwórz konto na %1 by zapobiec używania twojego ulubionego nicku przez innych na oficjalnym serwerze. + Stwórz konto na %1 by zapobiec używania twojego ulubionego nicku przez innych na oficjalnym serwerze. If your graphics card isn't able to provide hardware accelerated OpenGL, try to update the associated drivers. Tips - Jeśli twoja karta nie wspiera sprzętowego przyspieszania OpenGL spróbuj uaktualnić swoje sterowniki. + Jeśli twoja karta nie wspiera sprzętowego przyspieszania OpenGL spróbuj uaktualnić swoje sterowniki. There are three different jumps available. Tap [high jump] twice to do a very high/backwards jump. Tips - Są trzy różne rodzaje skoku możliwe do wykonania. Naciśnij [wysoki skok] dwa razy by zrobić bardzo wysoki skok w tył. + Są trzy różne rodzaje skoku możliwe do wykonania. Naciśnij [wysoki skok] dwa razy by zrobić bardzo wysoki skok w tył. Afraid of falling off a cliff? Hold down [precise] to turn [left] or [right] without actually moving. Tips - Boisz się upadku z krawędzi terenu? Przytrzymaj klawisz [precyzyjnego celowania] by obrócić się w [lewo] lub [prawo] bez ruszenia się z miejsca. + Boisz się upadku z krawędzi terenu? Przytrzymaj klawisz [precyzyjnego celowania] by obrócić się w [lewo] lub [prawo] bez ruszenia się z miejsca. Some weapons require special strategies or just lots of training, so don't give up on a particular tool if you miss an enemy once. Tips - Niektóre z broni wymagają specjalnej strategii lub dużo treningu by je popranie używać. Nie poddawaj się gdy nie wychodzi ci za pierwszym razem. + Niektóre z broni wymagają specjalnej strategii lub dużo treningu by je popranie używać. Nie poddawaj się gdy nie wychodzi ci za pierwszym razem. Most weapons won't work once they touch the water. The Homing Bee as well as the Cake are exceptions to this. Tips - Większość uzbrojenia nie działa pod wodą. Pszczoła i Ciasto są wyjątkami od tej reguły. + Większość uzbrojenia nie działa pod wodą. Pszczoła i Ciasto są wyjątkami od tej reguły. The Old Limbuger only causes a small explosion. However the wind affected smelly cloud can poison lots of hogs at once. Tips - Cuchnący ser nie powoduje wielkiego wybuchu. Jednakże pod wpływem wiatru chmura śmierdzącego gazu może bardzo daleko zawędrować i otruć wiele jeży naraz. + Cuchnący ser nie powoduje wielkiego wybuchu. Jednakże pod wpływem wiatru chmura śmierdzącego gazu może bardzo daleko zawędrować i otruć wiele jeży naraz. The Piano Strike is the most damaging air strike. You'll lose the hedgehog performing it, so there's a huge downside as well. Tips - Zrzut pianina jest najbardziej morderczym atakiem powietrznym. Pamiętaj, że tracisz jeża którym wykonujesz ten atak więc dobrze zaplanuj swój ruch. + Zrzut pianina jest najbardziej morderczym atakiem powietrznym. Pamiętaj, że tracisz jeża którym wykonujesz ten atak więc dobrze zaplanuj swój ruch. Sticky Mines are a perfect tool to create small chain reactions knocking enemy hedgehogs into dire situations ... or water. Tips - Miny samoprzylepne są idealnym narzędziem by tworzyć małe reakcje łańcuchowe bądź do zmuszenia przeciwnika by popadł w tarapaty lub wpadł do wody. + Miny samoprzylepne są idealnym narzędziem by tworzyć małe reakcje łańcuchowe bądź do zmuszenia przeciwnika by popadł w tarapaty lub wpadł do wody. The Hammer is most effective when used on bridges or girders. Hit hogs will just break through the ground. Tips - Młotek jest najbardziej skuteczny na mostach bądź kładkach. Uderzone jeże przelecą przez nie na sam dół. + Młotek jest najbardziej skuteczny na mostach bądź kładkach. Uderzone jeże przelecą przez nie na sam dół. If you're stuck behind an enemy hedgehog, use the Hammer to free yourself without getting damaged by an explosion. Tips - Jeśli utknąłeś za jeżem przeciwnika, użyj młotka by wbić go w ziemię. Unikniesz wtedy eksplozji która z pewnością zabrałaby Tobie punkty życia. + Jeśli utknąłeś za jeżem przeciwnika, użyj młotka by wbić go w ziemię. Unikniesz wtedy eksplozji która z pewnością zabrałaby Tobie punkty życia. The Cake's maximum walking distance depends on the ground it has to pass. Use [attack] to detonate it early. Tips - Dystans który Ciasto może przebyć zależy od terenu który ma do przebycia. Użyj [ataku] by zdetonować je wcześniej. + Dystans który Ciasto może przebyć zależy od terenu który ma do przebycia. Użyj [ataku] by zdetonować je wcześniej. The Flame Thrower is a weapon but it can be used for tunnel digging as well. Tips - Miotacz ognia jest śmiercionośną bronią ale może być użyty również jako narzędzie do kopania tuneli. + Miotacz ognia jest śmiercionośną bronią ale może być użyty również jako narzędzie do kopania tuneli. Want to know who's behind the game? Click on the Hedgewars logo in the main menu to see the credits. Tips - Chcesz wiedzieć kto tworzy tę grę? Kliknij logo w głównym menu by zobaczyć autorów. + Chcesz wiedzieć kto tworzy tę grę? Kliknij logo w głównym menu by zobaczyć autorów. Like Hedgewars? Become a fan on %1 or follow us on %2! Tips - Lubisz Hedgewars? Zostań fanem na %1 lub dołącz do grupy na %2! + Lubisz Hedgewars? Zostań fanem na %1 lub dołącz do grupy na %2! Feel free to draw your own graves, hats, flags or even maps and themes! But note that you'll have to share them somewhere to use them online. Tips - Możesz rysować własne nagrobki, czapki, flagi lub nawet mapy albo tematy! Miej na uwadze to by udostępnić je każdemu który będzie grał z Tobą przez sieć. + Możesz rysować własne nagrobki, czapki, flagi lub nawet mapy albo tematy! Miej na uwadze to by udostępnić je każdemu który będzie grał z Tobą przez sieć. Really want to wear a specific hat? Donate to us and receive an exclusive hat of your choice! Tips - Chcesz nosić wymarzoną czapkę? Wspomóż nas pieniężnie a my zrobimy specjalną czapkę tylko dla Ciebie! + Chcesz nosić wymarzoną czapkę? Wspomóż nas pieniężnie a my zrobimy specjalną czapkę tylko dla Ciebie! Keep your video card drivers up to date to avoid issues playing the game. Tips - Pamiętaj o aktualizowaniu sterowników by zapobiec problemom z grami. + Pamiętaj o aktualizowaniu sterowników by zapobiec problemom z grami. You can find your Hedgewars configuration files under "My Documents\Hedgewars". Create backups or take the files with you, but don't edit them by hand. Tips - Swoje zespoły i konfigurację gry znajdziesz w folderze "Moje Dokumenty\Hedgewars". Twórz regularnie kopie zapasowe, ale nie edytuj tych plików własnoręcznie. + Swoje zespoły i konfigurację gry znajdziesz w folderze "Moje Dokumenty\Hedgewars". Twórz regularnie kopie zapasowe, ale nie edytuj tych plików własnoręcznie. You're able to associate Hedgewars related files (savegames and demo recordings) with the game to launch them right from your favorite file or internet browser. Tips - Możesz powiązać typy plików związane z Hedgewars (zapisy gier i dema) by móc je uruchamiać bezpośrednio z ulubionego menedżera plików bądź przeglądarki internetowej. + Możesz powiązać typy plików związane z Hedgewars (zapisy gier i dema) by móc je uruchamiać bezpośrednio z ulubionego menedżera plików bądź przeglądarki internetowej. Want to save ropes? Release the rope in mid air and then shoot again. As long as you don't touch the ground you'll reuse your rope without wasting ammo! Tips - Chcesz zaoszczędzić liny? Odłącz ją będąc w powietrzu, a potem wypuść ją ponownie. Dopóki nie dotkniesz ziemi, będziesz używał pojedynczego naboju! + Chcesz zaoszczędzić liny? Odłącz ją będąc w powietrzu, a potem wypuść ją ponownie. Dopóki nie dotkniesz ziemi, będziesz używał pojedynczego naboju! You can find your Hedgewars configuration files under "Library/Application Support/Hedgewars" in your home directory. Create backups or take the files with you, but don't edit them by hand. Tips - Swoje zespoły i konfigurację gry znajdziesz w folderze "Library/Application Support/Hedgewars" w twoim katalogu domowym. Twórz regularnie kopie zapasowe, ale nie edytuj tych plików własnoręcznie. + Swoje zespoły i konfigurację gry znajdziesz w folderze "Library/Application Support/Hedgewars" w twoim katalogu domowym. Twórz regularnie kopie zapasowe, ale nie edytuj tych plików własnoręcznie. You can find your Hedgewars configuration files under ".hedgewars" in your home directory. Create backups or take the files with you, but don't edit them by hand. Tips - Swoje zespoły i konfigurację gry znajdziesz w folderze ".hedgewars" w twoim katalogu domowym. Twórz regularnie kopie zapasowe, ale nie edytuj tych plików własnoręcznie. + Swoje zespoły i konfigurację gry znajdziesz w folderze ".hedgewars" w twoim katalogu domowym. Twórz regularnie kopie zapasowe, ale nie edytuj tych plików własnoręcznie. The Windows version of Hedgewars supports Xfire. Make sure to add Hedgewars to its game list so your friends can see you playing. Tips - Wersja Hedgewars dla systemu Windows wspiera XFire. Upewnij się, że dodałeś Hedgewars do listy gier by Twoi znajomi mogli zobaczyć Ciebie w czasie gry. + Wersja Hedgewars dla systemu Windows wspiera XFire. Upewnij się, że dodałeś Hedgewars do listy gier by Twoi znajomi mogli zobaczyć Ciebie w czasie gry. Use the Molotov or Flame Thrower to temporary keep hedgehogs from passing terrain such as tunnels or platforms. Tips - Użyj koktajlu Mołotowa lub Miotacza ognia by powstrzymać przeciwnika przed przedostaniem się przez tunele lub platformy. + Użyj koktajlu Mołotowa lub Miotacza ognia by powstrzymać przeciwnika przed przedostaniem się przez tunele lub platformy. The Homing Bee can be tricky to use. Its turn radius depends on its velocity, so try to not use full power. Tips - Pszczoła potrafi być ciężka w użyciu. Jej promień skrętu zależy od prędkości lotu, więc nie staraj się nie używać pełnej mocy podczas strzału. + Pszczoła potrafi być ciężka w użyciu. Jej promień skrętu zależy od prędkości lotu, więc nie staraj się nie używać pełnej mocy podczas strzału. Downloadable Content @@ -807,7 +1177,7 @@ Local Game - Gra lokalna + Gra lokalna Play a game on a single computer @@ -815,7 +1185,7 @@ Network Game - Gra sieciowa + Gra sieciowa Play a game across a network @@ -845,6 +1215,14 @@ Edit game preferences Zmień ustawienia gry + + Play a game across a local area network + + + + Play a game on an official server + + PageMultiplayer @@ -852,6 +1230,10 @@ Start Start + + Edit game preferences + Zmień ustawienia gry + PageNetGame @@ -867,24 +1249,32 @@ Downloadable Content Dodatki + + Edit game preferences + Zmień ustawienia gry + + + Start + Start + PageNetType LAN game - Sieć lokalna + Sieć lokalna Official server - Oficjalny serwer + Oficjalny serwer Join hundreds of players online! - Dołącz do setek graczy w sieci! + Dołącz do setek graczy w sieci! Join or host your own game server in a Local Area Network. - Dołącz lub stwórz nową grę w sieci lokalnej. + Dołącz lub stwórz nową grę w sieci lokalnej. @@ -931,7 +1321,7 @@ General - Ogólne + Ogólne Advanced @@ -973,6 +1363,94 @@ System proxy settings Systemowe ustawienia proxy + + Select an action to change what key controls it + + + + Reset to default + + + + Reset all binds + + + + Game + + + + Graphics + + + + Audio + + + + Controls + + + + Video Recording + + + + Network + + + + Teams + Drużyny + + + Schemes + + + + Weapons + Uzbrojenie + + + Frontend + + + + Custom colors + Własne kolory + + + Game audio + + + + Frontend audio + + + + Account + + + + Proxy settings + Ustawienia proxy + + + Miscellaneous + Różne + + + Updates + + + + Check for updates + + + + Video recording options + Ustawienia nagrywania + PagePlayDemo @@ -1174,7 +1652,7 @@ PageSinglePlayer Simple Game - Szybka gra + Szybka gra Play a quick game against the computer with random settings @@ -1182,7 +1660,7 @@ Multiplayer - Gra wieloosobowa + Gra wieloosobowa Play a hotseat game against your friends, or AI teams @@ -1194,7 +1672,7 @@ Training Mode - Trening + Trening Practice your skills in a range of training missions @@ -1202,7 +1680,7 @@ Demos - Dema + Dema Watch recorded demos @@ -1210,7 +1688,7 @@ Load - Wczytaj + Wczytaj Load a previously saved game @@ -1260,11 +1738,11 @@ Date: - Data: + Data: Size: - Rozmiar: + Rozmiar: encoding @@ -1274,6 +1752,16 @@ uploading wysyłanie + + Date: %1 + + + + + Size: %1 + + + QAction @@ -1283,7 +1771,7 @@ Start - Start + Start Restrict Joins @@ -1338,7 +1826,7 @@ Enable sound - Włącz dźwięk + Włącz dźwięk Show FPS @@ -1350,11 +1838,11 @@ Enable music - Włącz muzykę + Włącz muzykę Frontend fullscreen - Pełnoekranowe menu + Pełnoekranowe menu Append date and time to record file name @@ -1366,15 +1854,15 @@ Enable frontend sounds - Włącz dźwięki w menu + Włącz dźwięki w menu Enable frontend music - Włącz muzykę w menu + Włącz muzykę w menu Frontend effects - Efekty w menu + Efekty w menu Save password @@ -1396,12 +1884,40 @@ Use game resolution Użyj rozdzielczości z gry + + Visual effects + + + + Sound + + + + In-game sound effects + + + + Music + + + + In-game music + + + + Frontend sound effects + + + + Frontend music + + QComboBox generated map... - wygenerowana mapa... + wygenerowana mapa... Human @@ -1417,11 +1933,11 @@ generated maze... - wygenerowany labirynt... + wygenerowany labirynt... Mission - Misja + Misja Community @@ -1441,7 +1957,7 @@ hand drawn map... - Mapa rysowana ręcznie... + Mapa rysowana ręcznie... Disabled @@ -1481,7 +1997,7 @@ Wiggle - Trzęsący się obraz + Trzęsący się obraz Red/Cyan grayscale @@ -1516,7 +2032,7 @@ Key binds - Ustawienia klawiszy + Ustawienia klawiszy Fort @@ -1524,11 +2040,11 @@ Teams - Drużyny + Drużyny Audio/Graphic options - Ustawienia dźwięku/grafiki + Ustawienia dźwięku/grafiki Net game @@ -1552,23 +2068,23 @@ Misc - Różne + Różne Schemes and Weapons - Schematy i uzbrojenie + Schematy i uzbrojenie Custom colors - Własne kolory + Własne kolory Miscellaneous - Różne + Różne Video recording options - Ustawienia nagrywania + Ustawienia nagrywania Videos @@ -1580,26 +2096,26 @@ Proxy settings - Ustawienia proxy + Ustawienia proxy QLabel Developers: - Twórcy: + Twórcy: Art: - Grafika: + Grafika: Translations: - Tłumaczenia: + Tłumaczenia: Special thanks: - Szczególne podziękowania: + Szczególne podziękowania: Weapons @@ -1635,7 +2151,7 @@ Sounds: - Dźwięki: + Dźwięki: Initial sound volume @@ -1667,7 +2183,7 @@ Game scheme - Ustawienia gry + Ustawienia gry Mines Time @@ -1715,7 +2231,7 @@ This development build is 'work in progress' and may not be compatible with other versions of the game. Some features might be broken or incomplete. Use at your own risk! - Ta wersja testowa jest w fazie produkcji i może nie być kompatybilna z innymi wersjami gry. + Ta wersja testowa jest w fazie produkcji i może nie być kompatybilna z innymi wersjami gry. Niektóre funkcje mogą nie działać lub być niekompletne. Używaj na własne ryzyko! @@ -1796,7 +2312,7 @@ Summary - Podsumowanie + Podsumowanie Description @@ -1826,6 +2342,38 @@ Bitrate (Kbps) Bitrate (Kbps) + + This development build is 'work in progress' and may not be compatible with other versions of the game, while some features might be broken or incomplete! + + + + Fullscreen + Pełny ekran + + + Fullscreen Resolution + + + + Windowed Resolution + + + + Your Email + + + + Summary + + + + Send system information + + + + Type the security code: + + QLineEdit @@ -1865,7 +2413,7 @@ Please fill out all fields - Wypełnij wszystkie pola + Wypełnij wszystkie pola Error while authenticating at google.com: @@ -1915,15 +2463,15 @@ Successfully posted the issue on hedgewars.googlecode.com - Pomyślnie utworzono wpis na hedgewars.googlecode.com + Pomyślnie utworzono wpis na hedgewars.googlecode.com Error during authentication at google.com - Błąd podczas logowania do google.com + Błąd podczas logowania do google.com Error reporting the issue, please try again later (or visit hedgewars.googlecode.com directly) - Bład podczas wysyłania informacji. Spróbuj ponownie później lub odwiedź hedgewars.googlecode.com) + Bład podczas wysyłania informacji. Spróbuj ponownie później lub odwiedź hedgewars.googlecode.com) Main - Error @@ -2077,16 +2625,48 @@ Do you really want to delete the weapon set '%1'? Na pewno chcesz usunąc zestaw broni '%1'? + + Hedgewars - Nick not registered + + + + System Information Preview + + + + Failed to generate captcha + + + + Failed to download captcha + + + + Please fill out all fields. Email is optional. + + + + Hedgewars - Warning + + + + Hedgewars - Information + + + + Hedgewars + + QObject Nickname - Nick + Nick Please enter your nickname - Podaj swój nick + Podaj swój nick @@ -2145,15 +2725,15 @@ Setup - Ustawienia + Ustawienia Ready - Gotowe + Gotowe Random Team - Losowa Drużyna + Losowa Drużyna Associate file extensions @@ -2161,7 +2741,7 @@ more - Więcej + Więcej More info @@ -2256,6 +2836,25 @@ + SeedPrompt + + The map seed is the basis for all random values generated by the game. + + + + Cancel + Anuluj + + + Set seed + + + + Close + + + + SelWeaponWidget Weapon set @@ -2283,106 +2882,124 @@ + TeamShowWidget + + %1's team + + + + + ThemePrompt + + Select a theme for this map + + + + Cancel + Anuluj + + + ToggleButtonWidget Vampirism - Wampiryzm + Wampiryzm Karma - Karma + Karma Artillery - Artyleria + Artyleria Fort Mode - Tryb fortów + Tryb fortów Divide Teams - Rozdziel drużyny + Rozdziel drużyny Solid Land - Niezniszczalny teren + Niezniszczalny teren Add Border - Dodaj ramkę + Dodaj ramkę Low Gravity - Niska grawitacja + Niska grawitacja Laser Sight - Celownik laserowy + Celownik laserowy Invulnerable - Nieśmiertelność + Nieśmiertelność Random Order - Losowa kolejność + Losowa kolejność King - Król + Król Place Hedgehogs - Rozmieść jeże + Rozmieść jeże Clan Shares Ammo - Wspólna amunicja + Wspólna amunicja Disable Girders - Wyłącz mosty + Wyłącz mosty Disable Land Objects - Wyłącz dodatki terenu + Wyłącz dodatki terenu AI Survival Mode - Tryb przetrwania + Tryb przetrwania Unlimited Attacks - Niekończący się atak + Niekończący się atak Reset Weapons - Resetuj Uzbrojenie + Resetuj Uzbrojenie Per Hedgehog Ammo - Oddzielna amunicja + Oddzielna amunicja Reset Health - Odnów życie + Odnów życie Disable Wind - Wyłącz wiatr + Wyłącz wiatr More Wind - Więcej wiatru + Więcej wiatru Tag Team - Zespół + Zespół Add Bottom Border - Dodaj ramkę na dole + Dodaj ramkę na dole @@ -2502,7 +3119,7 @@ hedgehogs info - opisy jeży + opisy jeży quit @@ -2556,31 +3173,51 @@ record nagrywaj + + hedgehog info + + binds (categories) Basic controls - Podstawowe sterowanie + Podstawowe sterowanie Weapon controls - Broń + Broń Camera and cursor controls - Kamera i kursor + Kamera i kursor Other - Inne + Inne + + + Movement + + + + Weapons + Uzbrojenie + + + Camera + + + + Miscellaneous + Różne binds (descriptions) Move your hogs and aim: - Poruszanie się jeżem i strzelanie: + Poruszanie się jeżem i strzelanie: Traverse gaps and obstacles by jumping: @@ -2646,6 +3283,10 @@ Record video: Nagraj wideo: + + Hedgehog movement + + binds (keys) @@ -2966,4 +3607,119 @@ DPad + + server + + Illegal nickname + + + + Protocol already known + + + + Bad number + + + + bye + + + + Empty config entry + + + + Not room master + + + + Corrupted hedgehogs info + + + + too many teams + + + + too many hedgehogs + + + + There's already a team with same name in the list + + + + round in progress + + + + restricted + + + + REMOVE_TEAM: no such team + + + + Not team owner! + + + + Less than two clans! + + + + Room with such name already exists + + + + Illegal room name + + + + No such room + + + + Joining restricted + + + + Registered users only + + + + You are banned in this room + + + + Nickname is already in use + + + + No checker rights + + + + Authentication failed + + + + 60 seconds cooldown after kick + + + + kicked + + + + Ping timeout + + + + Nickname already chosen + + + diff -r 33ab77c0b486 -r 87410ae372f6 share/hedgewars/Data/Locale/hedgewars_pt_BR.ts --- a/share/hedgewars/Data/Locale/hedgewars_pt_BR.ts Fri Jan 18 11:47:23 2013 +0100 +++ b/share/hedgewars/Data/Locale/hedgewars_pt_BR.ts Sat Jan 19 00:51:28 2013 +0400 @@ -20,6 +20,115 @@ + BanDialog + + 10 minutes + + + + 30 minutes + + + + 1 hour + + + + 3 hours + + + + 5 hours + + + + 24 hours + + + + 3 days + + + + 7 days + + + + 14 days + + + + permanent + + + + IP + Endereço IP + + + Nick + + + + IP/Nick + + + + Reason + + + + Duration + + + + Ok + + + + Cancel + Cancelar + + + you know why + + + + Warning + + + + Please, specify %1 + + + + nickname + + + + + DataManager + + Use Default + + + + + FeedbackDialog + + View + + + + Cancel + Cancelar + + + Send Feedback + + + + FreqSpinBox Never @@ -45,12 +154,16 @@ When this option is enabled selecting a game scheme will auto-select a weapon - Quando esta opção está habilitada a seleção de um esquema de jogo implicará em auto seleção do esquema de armas + Quando esta opção está habilitada a seleção de um esquema de jogo implicará em auto seleção do esquema de armas Game Options + + Game scheme will auto-select a weapon + + HWAskQuitDialog @@ -101,10 +214,6 @@ Failed to save StyleSheet to %1 - - %1 is not a valid command! - - HWForm @@ -143,16 +252,12 @@ registered on Hedgewars.org Please provide your password below or pick another nickname in game config: - Seu apelido %1 é + Seu apelido %1 é registrado no Hedgewars.org Por favor, forneça sua senha ou escolha outro apelido: - No password supplied. - - - Nickname Apelido @@ -165,6 +270,59 @@ Please pick another nickname: + + %1's Team + + + + Hedgewars - Nick registered + + + + This nick is registered, and you haven't specified a password. + +If this nick isn't yours, please register your own nick at www.hedgewars.org + +Password: + + + + Your nickname is not registered. +To prevent someone else from using it, +please register it at www.hedgewars.org + + + + + +Your password wasn't saved either. + + + + Hedgewars - Empty nickname + + + + Hedgewars - Wrong password + + + + You entered a wrong password. + + + + Try Again + + + + Hedgewars - Connection error + + + + You reconnected too fast. +Please wait a few seconds and try again. + + HWGame @@ -181,15 +339,15 @@ HWMapContainer Map - Mapa + Mapa Themes - Temas + Temas Filter - Filtro + Filtro All @@ -217,7 +375,7 @@ Type - Tipo + Tipo Small tunnels @@ -229,19 +387,19 @@ Large tunnels - Túneis grandes + Túneis grandes Small floating islands - Ilhas pequenas + Ilhas pequenas Medium floating islands - Ilhas médias + Ilhas médias Large floating islands - Ilhas grandes + Ilhas grandes Seed @@ -250,7 +408,95 @@ Set - Esquema + Esquema + + + Map type: + + + + Image map + + + + Mission map + + + + Hand-drawn + + + + Randomly generated + + + + Random maze + + + + Random + Aleatório + + + Map preview: + + + + Load map drawing + + + + Edit map drawing + + + + Largetunnels + + + + Small islands + + + + Medium islands + + + + Large islands + + + + Map size: + + + + Maze style: + + + + Mission: + + + + Map: + + + + Theme: + + + + Load drawn map + Carregar mapa + + + Drawn Maps + + + + All files + @@ -323,7 +569,11 @@ HWPasswordDialog Password - Senha + Senha + + + Login + @@ -338,6 +588,32 @@ + HatButton + + Change hat (%1) + + + + + HatPrompt + + Select a hat + + + + Filter: + + + + Cancel + Cancelar + + + Use selected hat + + + + KB SDL_ttf returned error while rendering text, most propably it is related to the bug in freetype2. It's recommended to update your freetype lib. @@ -345,6 +621,13 @@ + KeyBinder + + Category + + + + LibavInteraction Duration: %1m %2s @@ -363,6 +646,17 @@ Audio: + + unknown + + + + + MapModel + + No description available. + + PageAdmin @@ -394,6 +688,38 @@ Set data Atribuir Dados + + General + Geral + + + Bans + + + + IP/Nick + + + + Expiration + + + + Reason + + + + Refresh + + + + Add + + + + Remove + + PageConnecting @@ -449,7 +775,43 @@ Advanced - Avançado + Avançado + + + Select an action to choose a custom key bind for this team + + + + Use my default + + + + Reset all binds + + + + Custom Controls + + + + Hat + Chapéu + + + Name + Nome + + + This hedgehog's name + + + + Randomize this hedgehog's name + + + + Random Team + Equipe Aleatória @@ -532,266 +894,243 @@ Simply pick the same color as a friend to play together as a team. Each of you will still control his or her own hedgehogs but they'll win or lose together. Tips - Use a mesma cor que um amigo para jogar como uma equipe única. Cada um controlará seus próprios ouriços, mas vencerão em equipe (ou perderão). + Use a mesma cor que um amigo para jogar como uma equipe única. Cada um controlará seus próprios ouriços, mas vencerão em equipe (ou perderão). Some weapons might do only low damage but they can be a lot more devastating in the right situation. Try to use the Desert Eagle to knock multiple hedgehogs into the water. Tips - Algumas armas que fazem pouco dano podem ser mais que devastadoras na situação certa. Tente usar a Desert Eagle para derrubar vários ouriços na água. + Algumas armas que fazem pouco dano podem ser mais que devastadoras na situação certa. Tente usar a Desert Eagle para derrubar vários ouriços na água. If you're unsure what to do and don't want to waste ammo, skip one round. But don't let too much time pass as there will be Sudden Death! Tips - Se você não tem certeza se quer desperdiçar munição ou ítens, passe a vez. Mas não deixe muitos turnos passarem ou chegará a Morte Súbita! + Se você não tem certeza se quer desperdiçar munição ou ítens, passe a vez. Mas não deixe muitos turnos passarem ou chegará a Morte Súbita! If you'd like to keep others from using your preferred nickname on the official server, register an account at http://www.hedgewars.org/. Tips - Se você quiser evitar que outros usem seu apelido no servidor oficial, registre-o em http://www.hedgewars.org/. + Se você quiser evitar que outros usem seu apelido no servidor oficial, registre-o em http://www.hedgewars.org/. You're bored of default gameplay? Try one of the missions - they'll offer different gameplay depending on the one you picked. Tips - Cansado do jogo padrão? Tente uma das missões - elas oferecem diferentes modos de jogo dependendo da sua escolha. + Cansado do jogo padrão? Tente uma das missões - elas oferecem diferentes modos de jogo dependendo da sua escolha. By default the game will always record the last game played as a demo. Select 'Local Game' and pick the 'Demos' button on the lower right corner to play or manage them. Tips - O jogo irá, por padrão, sempre gravar o último jogo como demo. Selecione "Jogo Local" e use o botão "Demos" no canto inferior direito para assitir ou gerenciá-los. + O jogo irá, por padrão, sempre gravar o último jogo como demo. Selecione "Jogo Local" e use o botão "Demos" no canto inferior direito para assitir ou gerenciá-los. Hedgewars is Open Source and Freeware we create in our spare time. If you've got problems, ask on our forums but please don't expect 24/7 support! Tips - Hedgewars possui código aberto e é grátis, nós o desenvolvemos em nosso tempo livre. Se você encontrou problemas peça ajuda em nossos fóruns, mas não espere ser atendido 24 horas por dia! + Hedgewars possui código aberto e é grátis, nós o desenvolvemos em nosso tempo livre. Se você encontrou problemas peça ajuda em nossos fóruns, mas não espere ser atendido 24 horas por dia! Hedgewars is Open Source and Freeware we create in our spare time. If you like it, help us with a small donation or contribute your own work! Tips - Hedgewars possui código aberto e é grátis, nós o desenvolvemos em nosso tempo livre. Se você deseja ajudar, pode doar ou contribuir com seu trabalho! + Hedgewars possui código aberto e é grátis, nós o desenvolvemos em nosso tempo livre. Se você deseja ajudar, pode doar ou contribuir com seu trabalho! Hedgewars is Open Source and Freeware we create in our spare time. Share it with your family and friends as you like! Tips - Hedgewars possui código aberto e é grátis, nós o desenvolvemos em nosso tempo livre. Compartilhe com sua família e amigos! + Hedgewars possui código aberto e é grátis, nós o desenvolvemos em nosso tempo livre. Compartilhe com sua família e amigos! From time to time there will be official tournaments. Upcoming events will be announced at http://www.hedgewars.org/ some days in advance. Tips - De tempos em tempos ocorrem torneios. Esses eventos podem ser acompanhados através do endereço http://www.hedgewars.org/. + De tempos em tempos ocorrem torneios. Esses eventos podem ser acompanhados através do endereço http://www.hedgewars.org/. Hedgewars is available in many languages. If the translation in your language seems to be missing or outdated, feel free to contact us! Tips - Hedgewars está disponível em diversas linguages! Se você acha que a tradução não te satisfaz ou não é compatível, contacte-nos! + Hedgewars está disponível em diversas linguages! Se você acha que a tradução não te satisfaz ou não é compatível, contacte-nos! Hedgewars can be run on lots of different operating systems including Microsoft Windows, Mac OS X and Linux. Tips - Hedgewars pode ser jogado em muitos sistemas operacionais, incluindo Windows, Mac OS X e Linux. + Hedgewars pode ser jogado em muitos sistemas operacionais, incluindo Windows, Mac OS X e Linux. Always remember you're able to set up your own games in local and network/online play. You're not restricted to the 'Simple Game' option. Tips - Lembre-se que você pode selecionar suas próprias regras em jogos locais ou em rede. Você não está limitado ao "Jogo Simples". + Lembre-se que você pode selecionar suas próprias regras em jogos locais ou em rede. Você não está limitado ao "Jogo Simples". While playing you should give yourself a short break at least once an hour. Tips - Não jogue por diversas horas sem descansar! De uma pausa a cada hora. + Não jogue por diversas horas sem descansar! De uma pausa a cada hora. If your graphics card isn't able to provide hardware accelerated OpenGL, try to enable the low quality mode to improve performance. Tips - Se sua placa de vídeo não é capaz de suportar aceleração OpenGL, tente ativar a opção de "Qualidade Reduzida" para melhorar a performance. + Se sua placa de vídeo não é capaz de suportar aceleração OpenGL, tente ativar a opção de "Qualidade Reduzida" para melhorar a performance. We're open to suggestions and constructive feedback. If you don't like something or got a great idea, let us know! Tips - Somos abertos para sugestões e críticas construtivas. Se você não gosta de alguma coisa ou teve uma grande idéia, nos avise! + Somos abertos para sugestões e críticas construtivas. Se você não gosta de alguma coisa ou teve uma grande idéia, nos avise! Especially while playing online be polite and always remember there might be some minors playing with or against you as well! Tips - Seja sempre educado, especialmente quando jogar on line, pois pode haver menores jogando com ou contra você! + Seja sempre educado, especialmente quando jogar on line, pois pode haver menores jogando com ou contra você! Special game modes such as 'Vampirism' or 'Karma' allow you to develop completely new tactics. Try them in a custom game! Tips - Modos especiais de jogo, como Vampirismo ou Karma permitem desenvolver novas táticas. Tente-os em um jogo personalisado! + Modos especiais de jogo, como Vampirismo ou Karma permitem desenvolver novas táticas. Tente-os em um jogo personalisado! You should never install Hedgewars on computers you don't own (school, university, work, etc.). Please ask the responsible person instead! Tips - Não instale este jogo em computadores que não seja permitido (escola, trabalho, universidade). Solicite isso ao responsável! + Não instale este jogo em computadores que não seja permitido (escola, trabalho, universidade). Solicite isso ao responsável! Hedgewars can be perfect for short games during breaks. Just ensure you don't add too many hedgehogs or use an huge map. Reducing time and health might help as well. Tips - Hedgewars pode ser um jogo perfeito nos intervalos! Apenas certifique-se de não adicionar muitos ouriços ou usar um mapa muito grande! Reduzir o tempo de turno e a vida também pode ajudar. + Hedgewars pode ser um jogo perfeito nos intervalos! Apenas certifique-se de não adicionar muitos ouriços ou usar um mapa muito grande! Reduzir o tempo de turno e a vida também pode ajudar. No hedgehogs were harmed in making this game. Tips - Nenhum ouriço foi ferido para fazer este jogo. + Nenhum ouriço foi ferido para fazer este jogo. Hedgewars is Open Source and Freeware we create in our spare time. If someone sold you the game, you should try get a refund! Tips - Hedgewars é um jogo de Código Aberto e grátis que criamos em nosso tempo livre. Se alguém te vendeu este jogo, você deveria pedir reembolso! + Hedgewars é um jogo de Código Aberto e grátis que criamos em nosso tempo livre. Se alguém te vendeu este jogo, você deveria pedir reembolso! Connect one or more gamepads before starting the game to be able to assign their controls to your teams. Tips - Conecte um ou mais joysticks antes de começar o jogo para poder usá-los para controlar a sua equipe. + Conecte um ou mais joysticks antes de começar o jogo para poder usá-los para controlar a sua equipe. Create an account on %1 to keep others from using your most favourite nickname while playing on the official server. Tips - Crie uma conta em %1 para evitar que outros usem seu apelido quando jogar no servidor oficial. + Crie uma conta em %1 para evitar que outros usem seu apelido quando jogar no servidor oficial. If your graphics card isn't able to provide hardware accelerated OpenGL, try to update the associated drivers. Tips - Se sua placa gráfica não tem aceleração gráfica OpenGl, tente atualizar os drivers relacionados. + Se sua placa gráfica não tem aceleração gráfica OpenGl, tente atualizar os drivers relacionados. There are three different jumps available. Tap [high jump] twice to do a very high/backwards jump. Tips - Há 3 diferentes pulos. Aperte [pulo alto] 2 vezes para fazer um pulo alto para trás. + Há 3 diferentes pulos. Aperte [pulo alto] 2 vezes para fazer um pulo alto para trás. Afraid of falling off a cliff? Hold down [precise] to turn [left] or [right] without actually moving. Tips O que é o colchetes? - Medo de cair de um desfiladeiro? Mantenha pressionado [mira precisa] para virar à [esquerda] or [direita] sem se mover. + Medo de cair de um desfiladeiro? Mantenha pressionado [mira precisa] para virar à [esquerda] or [direita] sem se mover. Some weapons require special strategies or just lots of training, so don't give up on a particular tool if you miss an enemy once. Tips - Algumas armas necessitam estratégias especiais ou muito treino, então não desista de uma arma ou utilidade se você errou em seu uso. + Algumas armas necessitam estratégias especiais ou muito treino, então não desista de uma arma ou utilidade se você errou em seu uso. Most weapons won't work once they touch the water. The Homing Bee as well as the Cake are exceptions to this. Tips - Muitas armas não funcionarão após tocar na água. A Abelha e o bolo são excessões a regra. + Muitas armas não funcionarão após tocar na água. A Abelha e o bolo são excessões a regra. The Old Limbuger only causes a small explosion. However the wind affected smelly cloud can poison lots of hogs at once. Tips - O Velho Limburger causa uma pequena explosão. Porém, o vento carregará uma nuvem fedorenta que poderá envenenar muitos ouriços. + O Velho Limburger causa uma pequena explosão. Porém, o vento carregará uma nuvem fedorenta que poderá envenenar muitos ouriços. The Piano Strike is the most damaging air strike. You'll lose the hedgehog performing it, so there's a huge downside as well. Tips - O Ataque com Piano é o mais violento ataque aéreo. Você perderá seu ouriço ao executá-lo, logo, há uma grande contra-partida. + O Ataque com Piano é o mais violento ataque aéreo. Você perderá seu ouriço ao executá-lo, logo, há uma grande contra-partida. Sticky Mines are a perfect tool to create small chain reactions knocking enemy hedgehogs into dire situations ... or water. Tips - Minas Adesivas são a arma perfeita para criar pequenas reações em cadeias, colocando ouriços inimigos em situações complicadas.... ou na água + Minas Adesivas são a arma perfeita para criar pequenas reações em cadeias, colocando ouriços inimigos em situações complicadas.... ou na água The Hammer is most effective when used on bridges or girders. Hit hogs will just break through the ground. Tips - O Martelo é mais efetivo quando usado em pontes ou vigas. Ouriços atingidos atravessarão o chão. + O Martelo é mais efetivo quando usado em pontes ou vigas. Ouriços atingidos atravessarão o chão. If you're stuck behind an enemy hedgehog, use the Hammer to free yourself without getting damaged by an explosion. Tips - Se você está preso atrás de um ouriço inimigo, use o Martelo para se libertar sem sofrer danos. + Se você está preso atrás de um ouriço inimigo, use o Martelo para se libertar sem sofrer danos. The Cake's maximum walking distance depends on the ground it has to pass. Use [attack] to detonate it early. Tips - A distância máxima que o Bolo anda depende do terreno por onde ele passa. Use [ataque] para detoná-lo antes. + A distância máxima que o Bolo anda depende do terreno por onde ele passa. Use [ataque] para detoná-lo antes. The Flame Thrower is a weapon but it can be used for tunnel digging as well. Tips - O Lança-Chamas é uma arma porém pode ser usado para cavar túneis também. + O Lança-Chamas é uma arma porém pode ser usado para cavar túneis também. Want to know who's behind the game? Click on the Hedgewars logo in the main menu to see the credits. Tips - Quer saber quem está por trás desse jogo? Clique no logo do Hedgewars no menu principal para ver os créditos. + Quer saber quem está por trás desse jogo? Clique no logo do Hedgewars no menu principal para ver os créditos. Like Hedgewars? Become a fan on %1 or follow us on %2! Tips - Gostou de Hedgewars? Se torne um fã no %1 ou nos siga pelo %2! + Gostou de Hedgewars? Se torne um fã no %1 ou nos siga pelo %2! Feel free to draw your own graves, hats, flags or even maps and themes! But note that you'll have to share them somewhere to use them online. Tips - Desenhe suas próprias tumbas, chapéus, bandeiras ou até mapas e temas! Mas observe que você terá que compartilhá-los para jogar online. + Desenhe suas próprias tumbas, chapéus, bandeiras ou até mapas e temas! Mas observe que você terá que compartilhá-los para jogar online. Really want to wear a specific hat? Donate to us and receive an exclusive hat of your choice! Tips - Realmente quer usar um chapéu específico? Doe para o Hedgewars e receba um chapéu exclusivo! + Realmente quer usar um chapéu específico? Doe para o Hedgewars e receba um chapéu exclusivo! Keep your video card drivers up to date to avoid issues playing the game. Tips - Mantenha a sua placa de vídeo atualizada para evitar problemas ao jogar este jogo. + Mantenha a sua placa de vídeo atualizada para evitar problemas ao jogar este jogo. You can find your Hedgewars configuration files under "My Documents\Hedgewars". Create backups or take the files with you, but don't edit them by hand. Tips - Você pode encontrar os arquivos de configuração em "Meus Documentos\Hedgewars". Crie cópias ou leve os arquivos com você, mas não edite eles manualmente. + Você pode encontrar os arquivos de configuração em "Meus Documentos\Hedgewars". Crie cópias ou leve os arquivos com você, mas não edite eles manualmente. You're able to associate Hedgewars related files (savegames and demo recordings) with the game to launch them right from your favorite file or internet browser. Tips - Você pode associar os arquivos relacionados ao Hedgewars (jogos salvos e gravações demo), podendo abrí-los diretamente do gerenciador de arquivos ou do navegador + Você pode associar os arquivos relacionados ao Hedgewars (jogos salvos e gravações demo), podendo abrí-los diretamente do gerenciador de arquivos ou do navegador Want to save ropes? Release the rope in mid air and then shoot again. As long as you don't touch the ground you'll reuse your rope without wasting ammo! Tips - Quer economizar corda? Solte-a quando estiver no meio do ar e então atire de novo. Se você não tocar o solo, você reutilizará a corda e não desperdiçará-la do seu arsenal! + Quer economizar corda? Solte-a quando estiver no meio do ar e então atire de novo. Se você não tocar o solo, você reutilizará a corda e não desperdiçará-la do seu arsenal! You can find your Hedgewars configuration files under "Library/Application Support/Hedgewars" in your home directory. Create backups or take the files with you, but don't edit them by hand. Tips - Você pode encontrar os arquivos de configuração do Hedgewars em "Library/Application Support/Hedgewars" no seu diretório base. Crie backups ou leve os arquivos com você, mas não os edite manualmente. + Você pode encontrar os arquivos de configuração do Hedgewars em "Library/Application Support/Hedgewars" no seu diretório base. Crie backups ou leve os arquivos com você, mas não os edite manualmente. You can find your Hedgewars configuration files under ".hedgewars" in your home directory. Create backups or take the files with you, but don't edit them by hand. Tips - Você pode encontrar os arquivos de configuração do Hedgewars em ".hedgewars/" no seu diretório base. Crie backups ou leve os arquivos com você, mas não os edite manualmente. - - - The Windows version of Hedgewars supports Xfire. Make sure to add Hedgewars to its game list so your friends can see you playing. - Tips - - - - Use the Molotov or Flame Thrower to temporary keep hedgehogs from passing terrain such as tunnels or platforms. - Tips - - - - The Homing Bee can be tricky to use. Its turn radius depends on its velocity, so try to not use full power. - Tips - + Você pode encontrar os arquivos de configuração do Hedgewars em ".hedgewars/" no seu diretório base. Crie backups ou leve os arquivos com você, mas não os edite manualmente. Downloadable Content - Local Game - - - Play a game on a single computer - Network Game - - - Play a game across a network @@ -819,6 +1158,14 @@ Edit game preferences + + Play a game across a local area network + + + + Play a game on an official server + + PageMultiplayer @@ -826,6 +1173,10 @@ Start Começar + + Edit game preferences + + PageNetGame @@ -833,24 +1184,24 @@ Control Controle + + Edit game preferences + + + + Start + + PageNetType LAN game - Jogo na rede local + Jogo na rede local Official server - Servidor Oficial - - - Join hundreds of players online! - - - - Join or host your own game server in a Local Area Network. - + Servidor Oficial @@ -897,7 +1248,7 @@ General - Geral + Geral Advanced @@ -939,6 +1290,94 @@ System proxy settings + + Select an action to change what key controls it + + + + Reset to default + + + + Reset all binds + + + + Game + + + + Graphics + + + + Audio + + + + Controls + + + + Video Recording + + + + Network + + + + Teams + Equipes + + + Schemes + + + + Weapons + Armas + + + Frontend + + + + Custom colors + + + + Game audio + + + + Frontend audio + + + + Account + + + + Proxy settings + + + + Miscellaneous + + + + Updates + + + + Check for updates + + + + Video recording options + + PagePlayDemo @@ -1138,18 +1577,10 @@ PageSinglePlayer - Simple Game - - - Play a quick game against the computer with random settings - Multiplayer - - - Play a hotseat game against your friends, or AI teams @@ -1158,24 +1589,16 @@ - Training Mode - - - Practice your skills in a range of training missions - Demos - - - Watch recorded demos Load - Carregar + Carregar Load a previously saved game @@ -1223,14 +1646,6 @@ - Date: - - - - Size: - - - encoding @@ -1238,6 +1653,16 @@ uploading + + Date: %1 + + + + + Size: %1 + + + QAction @@ -1247,7 +1672,7 @@ Start - Iniciar + Iniciar Restrict Joins @@ -1298,7 +1723,7 @@ Enable sound - Habilitar sons + Habilitar sons Show FPS @@ -1310,11 +1735,11 @@ Enable music - Habilitar música + Habilitar música Frontend fullscreen - Interface em tela cheia + Interface em tela cheia Append date and time to record file name @@ -1330,15 +1755,15 @@ Enable frontend sounds - Habilitar sons da interface + Habilitar sons da interface Enable frontend music - Habilitar música da interface + Habilitar música da interface Frontend effects - Efeitos da interface + Efeitos da interface Save password @@ -1360,12 +1785,40 @@ Use game resolution + + Visual effects + + + + Sound + + + + In-game sound effects + + + + Music + + + + In-game music + + + + Frontend sound effects + + + + Frontend music + + QComboBox generated map... - mapa gerado... + mapa gerado... Human @@ -1381,11 +1834,11 @@ generated maze... - labirinto gerado... + labirinto gerado... Mission - Missão + Missão Community @@ -1405,7 +1858,7 @@ hand drawn map... - mapa desenhado a mão... + mapa desenhado a mão... Disabled @@ -1444,10 +1897,6 @@ - Wiggle - - - Red/Cyan grayscale @@ -1480,7 +1929,7 @@ Key binds - Associação de teclas + Associação de teclas Fort @@ -1488,11 +1937,11 @@ Teams - Equipes + Equipes Audio/Graphic options - Opções de áudio e gráficos + Opções de áudio e gráficos Net game @@ -1516,23 +1965,11 @@ Misc - Misc + Misc Schemes and Weapons - Esquemas e Armas - - - Custom colors - - - - Miscellaneous - - - - Video recording options - + Esquemas e Armas Videos @@ -1542,28 +1979,24 @@ Description - - Proxy settings - - QLabel Developers: - Desenvolvedores: + Desenvolvedores: Art: - Arte: + Arte: Translations: - Traduções: + Traduções: Special thanks: - Agradecimentos especiais: + Agradecimentos especiais: Weapons @@ -1599,7 +2032,7 @@ Sounds: - Sons: + Sons: Initial sound volume @@ -1639,7 +2072,7 @@ Game scheme - Esquema de jogo + Esquema de jogo % Dud Mines @@ -1679,7 +2112,7 @@ This development build is 'work in progress' and may not be compatible with other versions of the game. Some features might be broken or incomplete. Use at your own risk! - Esta versão do Hedgewars é um trabalho em progresso e pode não ser compatível com outras versões do jogo. Algumas coisas podem não funcionar ou podem estar incompletas. Use a sua conta e risco! + Esta versão do Hedgewars é um trabalho em progresso e pode não ser compatível com outras versões do jogo. Algumas coisas podem não funcionar ou podem estar incompletas. Use a sua conta e risco! Quality @@ -1756,10 +2189,6 @@ - Summary - - - Description @@ -1787,6 +2216,38 @@ Bitrate (Kbps) + + This development build is 'work in progress' and may not be compatible with other versions of the game, while some features might be broken or incomplete! + + + + Fullscreen + Tela cheia + + + Fullscreen Resolution + + + + Windowed Resolution + + + + Your Email + + + + Summary + + + + Send system information + + + + Type the security code: + + QLineEdit @@ -1825,10 +2286,6 @@ Associação de arquivos falhou. - Please fill out all fields - - - Error while authenticating at google.com: @@ -1875,18 +2332,6 @@ - Successfully posted the issue on hedgewars.googlecode.com - - - - Error during authentication at google.com - - - - Error reporting the issue, please try again later (or visit hedgewars.googlecode.com directly) - - - Main - Error @@ -2034,16 +2479,48 @@ Do you really want to delete the weapon set '%1'? + + Hedgewars - Nick not registered + + + + System Information Preview + + + + Failed to generate captcha + + + + Failed to download captcha + + + + Please fill out all fields. Email is optional. + + + + Hedgewars - Warning + + + + Hedgewars - Information + + + + Hedgewars + + QObject Nickname - Apelido + Apelido Please enter your nickname - Entre com seu apelido + Entre com seu apelido @@ -2102,25 +2579,21 @@ Setup - Configuração + Configuração Ready - Pronto + Pronto Random Team - Equipe Aleatória + Equipe Aleatória Associate file extensions Associar extensão de arquivos. - more - - - More info @@ -2213,6 +2686,25 @@ + SeedPrompt + + The map seed is the basis for all random values generated by the game. + + + + Cancel + Cancelar + + + Set seed + + + + Close + + + + SelWeaponWidget Weapon set @@ -2241,106 +2733,116 @@ + TeamShowWidget + + %1's team + + + + + ThemePrompt + + Select a theme for this map + + + + Cancel + Cancelar + + + ToggleButtonWidget Vampirism - Vampirismo + Vampirismo Karma - Karma + Karma Artillery - Artilharia + Artilharia Fort Mode - Modo de Forte + Modo de Forte Divide Teams - Dividir Equipes + Dividir Equipes Solid Land - Terreno Sólido + Terreno Sólido Add Border - Adicionar Bordas + Adicionar Bordas Low Gravity - Baixa Gravidade + Baixa Gravidade Laser Sight - Mira Laser + Mira Laser Invulnerable - Invulnerabilidade + Invulnerabilidade Random Order - Ordem Aleatória + Ordem Aleatória King - Rei + Rei Place Hedgehogs - Posicionar Ouriços + Posicionar Ouriços Clan Shares Ammo - Clan Compartilha Armas + Clan Compartilha Armas Disable Girders - Desabilitar Vigas + Desabilitar Vigas Disable Land Objects - Desabilitar objetos do terreno + Desabilitar objetos do terreno AI Survival Mode - AI Modo de Sobrevivência + AI Modo de Sobrevivência Unlimited Attacks - Ataques Ilimitados + Ataques Ilimitados Reset Weapons - Reiniciar Armas + Reiniciar Armas Per Hedgehog Ammo - Munição por Ouriço + Munição por Ouriço Reset Health - Restaurar Vida + Restaurar Vida Disable Wind - Desativar Vento + Desativar Vento More Wind - Mais Vento - - - Tag Team - - - - Add Bottom Border - + Mais Vento @@ -2460,7 +2962,7 @@ hedgehogs info - informação dos + informação dos ouriços @@ -2515,31 +3017,51 @@ record + + hedgehog info + + binds (categories) Basic controls - Controles Básicos + Controles Básicos Weapon controls - Controles das armas + Controles das armas Camera and cursor controls - Controle de câmera e cursor + Controle de câmera e cursor Other - Outros + Outros + + + Movement + + + + Weapons + Armas + + + Camera + + + + Miscellaneous + binds (descriptions) Move your hogs and aim: - Mova seu ouriço e mire: + Mova seu ouriço e mire: Traverse gaps and obstacles by jumping: @@ -2605,6 +3127,10 @@ Record video: + + Hedgehog movement + + binds (keys) @@ -2930,4 +3456,119 @@ DPad + + server + + Illegal nickname + + + + Protocol already known + + + + Bad number + + + + bye + + + + Empty config entry + + + + Not room master + + + + Corrupted hedgehogs info + + + + too many teams + + + + too many hedgehogs + + + + There's already a team with same name in the list + + + + round in progress + + + + restricted + + + + REMOVE_TEAM: no such team + + + + Not team owner! + + + + Less than two clans! + + + + Room with such name already exists + + + + Illegal room name + + + + No such room + + + + Joining restricted + + + + Registered users only + + + + You are banned in this room + + + + Nickname is already in use + + + + No checker rights + + + + Authentication failed + + + + 60 seconds cooldown after kick + + + + kicked + + + + Ping timeout + + + + Nickname already chosen + + + diff -r 33ab77c0b486 -r 87410ae372f6 share/hedgewars/Data/Locale/hedgewars_pt_PT.ts --- a/share/hedgewars/Data/Locale/hedgewars_pt_PT.ts Fri Jan 18 11:47:23 2013 +0100 +++ b/share/hedgewars/Data/Locale/hedgewars_pt_PT.ts Sat Jan 19 00:51:28 2013 +0400 @@ -20,6 +20,115 @@ + BanDialog + + 10 minutes + + + + 30 minutes + + + + 1 hour + + + + 3 hours + + + + 5 hours + + + + 24 hours + + + + 3 days + + + + 7 days + + + + 14 days + + + + permanent + + + + IP + IP + + + Nick + + + + IP/Nick + + + + Reason + + + + Duration + + + + Ok + + + + Cancel + Cancelar + + + you know why + + + + Warning + + + + Please, specify %1 + + + + nickname + + + + + DataManager + + Use Default + + + + + FeedbackDialog + + View + + + + Cancel + Cancelar + + + Send Feedback + + + + FreqSpinBox Never @@ -45,12 +154,16 @@ When this option is enabled selecting a game scheme will auto-select a weapon - Com esta opção activada o esquema de jogo irá automaticamente seleccionar uma arma + Com esta opção activada o esquema de jogo irá automaticamente seleccionar uma arma Game Options Opções de Jogo + + Game scheme will auto-select a weapon + + HWAskQuitDialog @@ -103,7 +216,7 @@ %1 is not a valid command! - %1 não é um comando valido! + %1 não é um comando valido! @@ -143,14 +256,14 @@ registered on Hedgewars.org Please provide your password below or pick another nickname in game config: - O nome de utilizador %1 está + O nome de utilizador %1 está registado em Hedgewars.org Por favor digita a tua palavra passe ou escolhe outro nome de utilizador no menu de configuração: No password supplied. - Não foi fornecida uma palavra passe. + Não foi fornecida uma palavra passe. Nickname @@ -166,6 +279,59 @@ Alguem já está a utilizar o teu nome de utilizador %1 no servidor. Por favor escolhe outro nome de utilizador: + + %1's Team + + + + Hedgewars - Nick registered + + + + This nick is registered, and you haven't specified a password. + +If this nick isn't yours, please register your own nick at www.hedgewars.org + +Password: + + + + Your nickname is not registered. +To prevent someone else from using it, +please register it at www.hedgewars.org + + + + + +Your password wasn't saved either. + + + + Hedgewars - Empty nickname + + + + Hedgewars - Wrong password + + + + You entered a wrong password. + + + + Try Again + + + + Hedgewars - Connection error + + + + You reconnected too fast. +Please wait a few seconds and try again. + + HWGame @@ -182,15 +348,15 @@ HWMapContainer Map - Mapa + Mapa Themes - Temas + Temas Filter - Filtro + Filtro All @@ -218,7 +384,7 @@ Type - Tipo + Tipo Small tunnels @@ -230,19 +396,19 @@ Large tunnels - Túneis grandes + Túneis grandes Small floating islands - Ilhas flutuantes pequenas + Ilhas flutuantes pequenas Medium floating islands - Ilhas flutuantes médias + Ilhas flutuantes médias Large floating islands - Ilhas flutuantes grandes + Ilhas flutuantes grandes Seed @@ -250,7 +416,95 @@ Set - Definir + Definir + + + Map type: + + + + Image map + + + + Mission map + + + + Hand-drawn + Desenhado à mão + + + Randomly generated + + + + Random maze + + + + Random + Aleatório + + + Map preview: + + + + Load map drawing + + + + Edit map drawing + + + + Largetunnels + + + + Small islands + + + + Medium islands + + + + Large islands + + + + Map size: + + + + Maze style: + + + + Mission: + + + + Map: + + + + Theme: + + + + Load drawn map + Carregar mapa desenhado + + + Drawn Maps + Mapas Desenhados + + + All files + Todos os ficheiros @@ -323,7 +577,11 @@ HWPasswordDialog Password - Palavra-passe + Palavra-passe + + + Login + @@ -338,6 +596,32 @@ + HatButton + + Change hat (%1) + + + + + HatPrompt + + Select a hat + + + + Filter: + + + + Cancel + Cancelar + + + Use selected hat + + + + KB SDL_ttf returned error while rendering text, most propably it is related to the bug in freetype2. It's recommended to update your freetype lib. @@ -345,6 +629,13 @@ + KeyBinder + + Category + + + + LibavInteraction Duration: %1m %2s @@ -364,6 +655,10 @@ Audio: Audio: + + unknown + + LibavIteraction @@ -385,6 +680,13 @@ + MapModel + + No description available. + + + + PageAdmin Clear Accounts Cache @@ -414,6 +716,38 @@ Set data Gravar modificações + + General + Geral + + + Bans + + + + IP/Nick + + + + Expiration + + + + Reason + + + + Refresh + + + + Add + + + + Remove + + PageConnecting @@ -469,7 +803,43 @@ Advanced - Avançado + Avançado + + + Select an action to choose a custom key bind for this team + + + + Use my default + + + + Reset all binds + + + + Custom Controls + + + + Hat + Chapéu + + + Name + Nome + + + This hedgehog's name + + + + Randomize this hedgehog's name + + + + Random Team + Equipa aleatória @@ -552,247 +922,247 @@ Simply pick the same color as a friend to play together as a team. Each of you will still control his or her own hedgehogs but they'll win or lose together. Tips - Simplesmente selecciona a mesma cor de outro jogador para jogarem em equipa. Continuas a ter total controlo dos teus ouriços, mas ganham ou perdem juntos. + Simplesmente selecciona a mesma cor de outro jogador para jogarem em equipa. Continuas a ter total controlo dos teus ouriços, mas ganham ou perdem juntos. Some weapons might do only low damage but they can be a lot more devastating in the right situation. Try to use the Desert Eagle to knock multiple hedgehogs into the water. Tips - Algumas armas podem não fazer muito dano, mas em ocasiões especificas podem-se demonstrar bastante mais letais. Experimenta usar a Desert Eagle para empurrar varios ouriços para a água. + Algumas armas podem não fazer muito dano, mas em ocasiões especificas podem-se demonstrar bastante mais letais. Experimenta usar a Desert Eagle para empurrar varios ouriços para a água. If you're unsure what to do and don't want to waste ammo, skip one round. But don't let too much time pass as there will be Sudden Death! Tips - Se não tens a certeza do que fazer a seguir, não desperdiçes munições, passa o turno. Mas não percas muito tempo, a Morte Súbita aproxima-se! + Se não tens a certeza do que fazer a seguir, não desperdiçes munições, passa o turno. Mas não percas muito tempo, a Morte Súbita aproxima-se! If you'd like to keep others from using your preferred nickname on the official server, register an account at http://www.hedgewars.org/. Tips - Se não queres que outros usem o teu nome de utilizador preferido no servidor oficial, regista-o em http://www.hedgewars.org/. + Se não queres que outros usem o teu nome de utilizador preferido no servidor oficial, regista-o em http://www.hedgewars.org/. You're bored of default gameplay? Try one of the missions - they'll offer different gameplay depending on the one you picked. Tips - Estás cansado do modo de jogo habitual? Experimenta uma das missões - existem várias por onde escolher, e todas com objectivos um pouco diferentes. + Estás cansado do modo de jogo habitual? Experimenta uma das missões - existem várias por onde escolher, e todas com objectivos um pouco diferentes. By default the game will always record the last game played as a demo. Select 'Local Game' and pick the 'Demos' button on the lower right corner to play or manage them. Tips - Por defeito, o ultimo jogo em que participaste é sempre gravado como 'demo'. Selecciona 'Jogo Local' e aí a opção 'Demos' no canto inferior direito para os gerir ou reproduzir. + Por defeito, o ultimo jogo em que participaste é sempre gravado como 'demo'. Selecciona 'Jogo Local' e aí a opção 'Demos' no canto inferior direito para os gerir ou reproduzir. Hedgewars is Open Source and Freeware we create in our spare time. If you've got problems, ask on our forums but please don't expect 24/7 support! Tips - O Hedgewars é Open Source e Freeware, desenvolvido nos tempos livres. Se tiveres algum problema pergunta nos fóruns, mas por favor não esperes suporte 24/7! + O Hedgewars é Open Source e Freeware, desenvolvido nos tempos livres. Se tiveres algum problema pergunta nos fóruns, mas por favor não esperes suporte 24/7! Hedgewars is Open Source and Freeware we create in our spare time. If you like it, help us with a small donation or contribute your own work! Tips - O Hedgewars é Open Source e Freeware, desenvolvido nos tempos livres. Se gostares do jogo podes contribuir com uma pequena doação ou o teu próprio trabalho! + O Hedgewars é Open Source e Freeware, desenvolvido nos tempos livres. Se gostares do jogo podes contribuir com uma pequena doação ou o teu próprio trabalho! Hedgewars is Open Source and Freeware we create in our spare time. Share it with your family and friends as you like! Tips - O Hedgewars é Open Source e Freeware, desenvolvido nos tempos livres. Partilha-o com a família e amigos como quiseres! + O Hedgewars é Open Source e Freeware, desenvolvido nos tempos livres. Partilha-o com a família e amigos como quiseres! From time to time there will be official tournaments. Upcoming events will be announced at http://www.hedgewars.org/ some days in advance. Tips - De tempos a tempos realizam-se torneios oficiais. Todos estes eventos são anunciados em http://www.hedgewars.org/ com alguns dias de antecedência. + De tempos a tempos realizam-se torneios oficiais. Todos estes eventos são anunciados em http://www.hedgewars.org/ com alguns dias de antecedência. Hedgewars is available in many languages. If the translation in your language seems to be missing or outdated, feel free to contact us! Tips - O Hedgewars está disponível em vários idiomas. Se a tradução do teu idioma está desactualizada ou em falta, não hesites em contactar-nos! + O Hedgewars está disponível em vários idiomas. Se a tradução do teu idioma está desactualizada ou em falta, não hesites em contactar-nos! Hedgewars can be run on lots of different operating systems including Microsoft Windows, Mac OS X and Linux. Tips - O Hedgewars está disponível para vários sistemas operativos incluindo Microsoft Windows, Mac OS X e Linux. + O Hedgewars está disponível para vários sistemas operativos incluindo Microsoft Windows, Mac OS X e Linux. Always remember you're able to set up your own games in local and network/online play. You're not restricted to the 'Simple Game' option. Tips - Lembra-te que tens sempre a opção de poder jogar na tua rede local ou online. Não estás restrito ao modo de Jogo Local. + Lembra-te que tens sempre a opção de poder jogar na tua rede local ou online. Não estás restrito ao modo de Jogo Local. While playing you should give yourself a short break at least once an hour. Tips - Lembra-te de fazer pequenos intervalos durante sessões de jogo prolongadas. + Lembra-te de fazer pequenos intervalos durante sessões de jogo prolongadas. If your graphics card isn't able to provide hardware accelerated OpenGL, try to enable the low quality mode to improve performance. Tips - Se a tua placa gráfica não é capaz de fornecer aceleração por hardware para OpenGL experimenta activar o modo de baixa qualidade para melhorar a performance. + Se a tua placa gráfica não é capaz de fornecer aceleração por hardware para OpenGL experimenta activar o modo de baixa qualidade para melhorar a performance. We're open to suggestions and constructive feedback. If you don't like something or got a great idea, let us know! Tips - Estamos abertos a sugestões e críticas construtivas. Se há algo que não gostas em particular ou tiveste uma boa ideia, deixa-nos saber! + Estamos abertos a sugestões e críticas construtivas. Se há algo que não gostas em particular ou tiveste uma boa ideia, deixa-nos saber! Especially while playing online be polite and always remember there might be some minors playing with or against you as well! Tips - Especialmente durante partidas online é importante ser educado. Lembra-te que podem haver menores a jogar com ou contra ti! + Especialmente durante partidas online é importante ser educado. Lembra-te que podem haver menores a jogar com ou contra ti! Special game modes such as 'Vampirism' or 'Karma' allow you to develop completely new tactics. Try them in a custom game! Tips - Modos de jogo especiais como 'Vampirismo' ou 'Karma' permitem-te desenvolver tácticas completamente novas! Experimenta-os num jogo personalizado! + Modos de jogo especiais como 'Vampirismo' ou 'Karma' permitem-te desenvolver tácticas completamente novas! Experimenta-os num jogo personalizado! You should never install Hedgewars on computers you don't own (school, university, work, etc.). Please ask the responsible person instead! Tips - Não deves instalar o Hedgewars em computadores que não te pertençam (escola, universidade, trabalho, etc.). Por favor contacta o responsável caso o pretendas fazer! + Não deves instalar o Hedgewars em computadores que não te pertençam (escola, universidade, trabalho, etc.). Por favor contacta o responsável caso o pretendas fazer! Hedgewars can be perfect for short games during breaks. Just ensure you don't add too many hedgehogs or use an huge map. Reducing time and health might help as well. Tips - O Hedgewars é perfeito para pequenos jogos durante intervalos. Tem apenas a certeza que não adicionas muitos ouriços ou usas um mapa muito grande. Reduzir o tempo e pontos de vida pode ajudar também. + O Hedgewars é perfeito para pequenos jogos durante intervalos. Tem apenas a certeza que não adicionas muitos ouriços ou usas um mapa muito grande. Reduzir o tempo e pontos de vida pode ajudar também. No hedgehogs were harmed in making this game. Tips - Nenhum ouriço foi mal tratado durante a produção deste jogo. + Nenhum ouriço foi mal tratado durante a produção deste jogo. Hedgewars is Open Source and Freeware we create in our spare time. If someone sold you the game, you should try get a refund! Tips - O Hedgewars é Open Source e Freeware desenvolvido durante o tempo livre. Se alguem te vendeu o jogo, tente obter o reembolso! + O Hedgewars é Open Source e Freeware desenvolvido durante o tempo livre. Se alguem te vendeu o jogo, tente obter o reembolso! Connect one or more gamepads before starting the game to be able to assign their controls to your teams. Tips - Conecta um ou mais comandos antes de lançar o jogo para que seja possível configura-los com as tuas equipas. + Conecta um ou mais comandos antes de lançar o jogo para que seja possível configura-los com as tuas equipas. Create an account on %1 to keep others from using your most favourite nickname while playing on the official server. Tips - Cria uma conta em %1 para prevenir que outros usem o teu nome de utilizador favorito no servidor oficial. + Cria uma conta em %1 para prevenir que outros usem o teu nome de utilizador favorito no servidor oficial. If your graphics card isn't able to provide hardware accelerated OpenGL, try to update the associated drivers. Tips - Se a tua placa gráfica se está a demonstrar incapaz de fornecer aceleração gráfica em OpenGL, experimenta actualizar os drivers da mesma. + Se a tua placa gráfica se está a demonstrar incapaz de fornecer aceleração gráfica em OpenGL, experimenta actualizar os drivers da mesma. There are three different jumps available. Tap [high jump] twice to do a very high/backwards jump. Tips - Existem três diferentes tipos de salto. Pressiona [salto alto] duas vezes para fazer um salto muito alto para trás. + Existem três diferentes tipos de salto. Pressiona [salto alto] duas vezes para fazer um salto muito alto para trás. Afraid of falling off a cliff? Hold down [precise] to turn [left] or [right] without actually moving. Tips - Com medo de cair de um penhasco? Deixa o [botão de precisão] pressionado e vira-te para a [direita] ou [esquerda] sem sair do sitio. + Com medo de cair de um penhasco? Deixa o [botão de precisão] pressionado e vira-te para a [direita] ou [esquerda] sem sair do sitio. Some weapons require special strategies or just lots of training, so don't give up on a particular tool if you miss an enemy once. Tips - Algumas armas requerem estratégias especiais ou imensa prática, por isso não desistas imediatamente dessa ferramenta em particular se falhares o alvo. + Algumas armas requerem estratégias especiais ou imensa prática, por isso não desistas imediatamente dessa ferramenta em particular se falhares o alvo. Most weapons won't work once they touch the water. The Homing Bee as well as the Cake are exceptions to this. Tips - A maiora das armas deixa de funcionar se tocarem na água. A Abelha Teleguiada e o Bolo são excepções a esta regra. + A maiora das armas deixa de funcionar se tocarem na água. A Abelha Teleguiada e o Bolo são excepções a esta regra. The Old Limbuger only causes a small explosion. However the wind affected smelly cloud can poison lots of hogs at once. Tips - O Limburger Venho causa apenas uma pequena explosão. No entanto a pequena nuvem malcheirosa, afectada pelo vento, pode envenenar vários ouriços de uma vez. + O Limburger Venho causa apenas uma pequena explosão. No entanto a pequena nuvem malcheirosa, afectada pelo vento, pode envenenar vários ouriços de uma vez. The Piano Strike is the most damaging air strike. You'll lose the hedgehog performing it, so there's a huge downside as well. Tips - O Piano é o ataque aéreo que mais potencial dano causa. No entanto uma enorme desvantagem, é necessario sacrificar um ouriço para o utilizar. + O Piano é o ataque aéreo que mais potencial dano causa. No entanto uma enorme desvantagem, é necessario sacrificar um ouriço para o utilizar. Sticky Mines are a perfect tool to create small chain reactions knocking enemy hedgehogs into dire situations ... or water. Tips - As Minas Pegajosas são a arma ideal para com pequenas explosões em cadeia empurrar ouriços para situações terríveis... ou para a água. + As Minas Pegajosas são a arma ideal para com pequenas explosões em cadeia empurrar ouriços para situações terríveis... ou para a água. The Hammer is most effective when used on bridges or girders. Hit hogs will just break through the ground. Tips - O melhor local para usar o Martelo é em pontes ou vigas. Os ouriços atingidos nestes locais vão simplesmente furar pelo chão. + O melhor local para usar o Martelo é em pontes ou vigas. Os ouriços atingidos nestes locais vão simplesmente furar pelo chão. If you're stuck behind an enemy hedgehog, use the Hammer to free yourself without getting damaged by an explosion. Tips - Se ficares preso atrás de um ouriço inimigo utiliza o Martelo para te libertares sem ser necessário levar dano de uma explosão. + Se ficares preso atrás de um ouriço inimigo utiliza o Martelo para te libertares sem ser necessário levar dano de uma explosão. The Cake's maximum walking distance depends on the ground it has to pass. Use [attack] to detonate it early. Tips - A distancia máxima que o Bolo é capaz de alcançar depende do terreno que tenha de ultrapassar. Podes também utilizar [ataque] para o detonar a qualquer altura. + A distancia máxima que o Bolo é capaz de alcançar depende do terreno que tenha de ultrapassar. Podes também utilizar [ataque] para o detonar a qualquer altura. The Flame Thrower is a weapon but it can be used for tunnel digging as well. Tips - Embora o Lança-chamas seja uma arma, pode também ser usado para escavar túneis. + Embora o Lança-chamas seja uma arma, pode também ser usado para escavar túneis. Want to know who's behind the game? Click on the Hedgewars logo in the main menu to see the credits. Tips - Gostavas de saber quem está por traz deste jogo? Clica no logótipo do Hedgewars no menu inicial para aceder aos créditos. + Gostavas de saber quem está por traz deste jogo? Clica no logótipo do Hedgewars no menu inicial para aceder aos créditos. Like Hedgewars? Become a fan on %1 or follow us on %2! Tips - Gostas do Hedgewars? Torna-te fã no %1 ou segue-nos pelo %2! + Gostas do Hedgewars? Torna-te fã no %1 ou segue-nos pelo %2! Feel free to draw your own graves, hats, flags or even maps and themes! But note that you'll have to share them somewhere to use them online. Tips - Está à vontade para desenhar as tuas próprias sepulturas, chapéus, bandeiras ou mesmo mapas e temas! Tem em nota que vai ser necessário partilha-los algures para que os consigas usar online. + Está à vontade para desenhar as tuas próprias sepulturas, chapéus, bandeiras ou mesmo mapas e temas! Tem em nota que vai ser necessário partilha-los algures para que os consigas usar online. Really want to wear a specific hat? Donate to us and receive an exclusive hat of your choice! Tips - Gostavas poder usar um chapéu em particular que ainda não existe? Faz uma pequena doação para este projecto e recebe um chapéu exclusivo à tua escolha! + Gostavas poder usar um chapéu em particular que ainda não existe? Faz uma pequena doação para este projecto e recebe um chapéu exclusivo à tua escolha! Keep your video card drivers up to date to avoid issues playing the game. Tips - Mantém os drivers da placa gráfica actualizados de forma a evitar problemas com o jogo. + Mantém os drivers da placa gráfica actualizados de forma a evitar problemas com o jogo. You can find your Hedgewars configuration files under "My Documents\Hedgewars". Create backups or take the files with you, but don't edit them by hand. Tips - Podes encontrar os ficheiros de configuração do Hedgewars em "Documents\Hedgewars". Cria cópias de segurança ou leva os ficheiros contigo, apenas não os modifiques. + Podes encontrar os ficheiros de configuração do Hedgewars em "Documents\Hedgewars". Cria cópias de segurança ou leva os ficheiros contigo, apenas não os modifiques. You're able to associate Hedgewars related files (savegames and demo recordings) with the game to launch them right from your favorite file or internet browser. Tips - É possivel associar os ficheiros relacionados com o Hedgewars (partidas e demonstrações) directamente com o jogo para que seja possivel lançalos directamente do teu explorador de ficheiros ou internet favorito. + É possivel associar os ficheiros relacionados com o Hedgewars (partidas e demonstrações) directamente com o jogo para que seja possivel lançalos directamente do teu explorador de ficheiros ou internet favorito. Want to save ropes? Release the rope in mid air and then shoot again. As long as you don't touch the ground you'll reuse your rope without wasting ammo! Tips - Gostavas de poupar algumas cordas? Solta a corda enquanto no ar e dispara-a novamente. Desde que não toques no solo podes reutilizar a usar a mesma corda quantas vezes quiseres! + Gostavas de poupar algumas cordas? Solta a corda enquanto no ar e dispara-a novamente. Desde que não toques no solo podes reutilizar a usar a mesma corda quantas vezes quiseres! You can find your Hedgewars configuration files under "Library/Application Support/Hedgewars" in your home directory. Create backups or take the files with you, but don't edit them by hand. Tips - Podes encontrar os ficheiros de configuração do Hedgewars em "Library/Application Support/Hedgewars" dentro da tua "Pasta Pessoal". Cria cópias de segurança ou leva os ficheiros contigo, mas não os edites manualmente. + Podes encontrar os ficheiros de configuração do Hedgewars em "Library/Application Support/Hedgewars" dentro da tua "Pasta Pessoal". Cria cópias de segurança ou leva os ficheiros contigo, mas não os edites manualmente. You can find your Hedgewars configuration files under ".hedgewars" in your home directory. Create backups or take the files with you, but don't edit them by hand. Tips - Podes encontrar os ficheiros de configuração do Hedgewars em ".hedgewars" dentro da tua "Pasta Pessoal". Cria cópias de segurança ou leva os ficheiros contigo, mas não os edites manualmente. + Podes encontrar os ficheiros de configuração do Hedgewars em ".hedgewars" dentro da tua "Pasta Pessoal". Cria cópias de segurança ou leva os ficheiros contigo, mas não os edites manualmente. The Windows version of Hedgewars supports Xfire. Make sure to add Hedgewars to its game list so your friends can see you playing. Tips - A versão do Hedgewars para Windows suporta Xfire. Não te esqueças de adicionar o Hedgewars à tua lista de jogos para que os teus amigos te possam ver a jogar. + A versão do Hedgewars para Windows suporta Xfire. Não te esqueças de adicionar o Hedgewars à tua lista de jogos para que os teus amigos te possam ver a jogar. Use the Molotov or Flame Thrower to temporary keep hedgehogs from passing terrain such as tunnels or platforms. Tips - Utiliza um Molotov ou o Lança-chamas para temporariamente impedir outros ouriços de passar por áreas no terreno como túneis ou plataformas. + Utiliza um Molotov ou o Lança-chamas para temporariamente impedir outros ouriços de passar por áreas no terreno como túneis ou plataformas. The Homing Bee can be tricky to use. Its turn radius depends on its velocity, so try to not use full power. Tips - A Abelha Teleguiada pode-se demonstrar complicada de utilizar. O grau a que consegue virar depende da sua velocidade, por isso experimenta lança-la com diferentes níveis de força. + A Abelha Teleguiada pode-se demonstrar complicada de utilizar. O grau a que consegue virar depende da sua velocidade, por isso experimenta lança-la com diferentes níveis de força. Downloadable Content @@ -800,7 +1170,7 @@ Local Game - Jogo Local + Jogo Local Play a game on a single computer @@ -808,7 +1178,7 @@ Network Game - Jogo em Rede + Jogo em Rede Play a game across a network @@ -838,6 +1208,14 @@ Edit game preferences Editar as preferencias de jogo + + Play a game across a local area network + + + + Play a game on an official server + + PageMultiplayer @@ -845,6 +1223,10 @@ Start Iniciar + + Edit game preferences + Editar as preferencias de jogo + PageNetGame @@ -860,24 +1242,32 @@ Downloadable Content Conteúdo Transferível + + Edit game preferences + Editar as preferencias de jogo + + + Start + Iniciar + PageNetType LAN game - Jogo em LAN + Jogo em LAN Official server - Servidor oficial + Servidor oficial Join hundreds of players online! - Junta-te a centenas de jogadores online! + Junta-te a centenas de jogadores online! Join or host your own game server in a Local Area Network. - Cria ou junta-te a jogo na Rede Local. + Cria ou junta-te a jogo na Rede Local. @@ -924,7 +1314,7 @@ General - Geral + Geral Advanced @@ -966,6 +1356,94 @@ System proxy settings Configuração proxy do sistema + + Select an action to change what key controls it + + + + Reset to default + + + + Reset all binds + + + + Game + + + + Graphics + + + + Audio + + + + Controls + + + + Video Recording + + + + Network + + + + Teams + Equipas + + + Schemes + + + + Weapons + + + + Frontend + + + + Custom colors + Cores personalizadas + + + Game audio + + + + Frontend audio + + + + Account + + + + Proxy settings + Definições do Proxy + + + Miscellaneous + Outras opções + + + Updates + + + + Check for updates + + + + Video recording options + Opções de criação de vídeo + PagePlayDemo @@ -1166,7 +1644,7 @@ PageSinglePlayer Simple Game - Jogo Simples + Jogo Simples Play a quick game against the computer with random settings @@ -1174,7 +1652,7 @@ Multiplayer - Multi-jogador + Multi-jogador Play a hotseat game against your friends, or AI teams @@ -1186,7 +1664,7 @@ Training Mode - Modo Treino + Modo Treino Practice your skills in a range of training missions @@ -1194,7 +1672,7 @@ Demos - Demos + Demos Watch recorded demos @@ -1202,7 +1680,7 @@ Load - Carregar + Carregar Load a previously saved game @@ -1251,11 +1729,11 @@ Date: - Data: + Data: Size: - Tamanho: + Tamanho: encoding @@ -1265,6 +1743,16 @@ uploading a enviar + + Date: %1 + + + + + Size: %1 + + + QAction @@ -1278,7 +1766,7 @@ Start - Iniciar + Iniciar Restrict Joins @@ -1329,15 +1817,15 @@ Frontend fullscreen - Menu em ecrã completo + Menu em ecrã completo Enable sound - Activar som + Activar som Enable music - Activar música + Activar música Show FPS @@ -1357,15 +1845,15 @@ Enable frontend sounds - Activar os sons no frontend + Activar os sons no frontend Enable frontend music - Activar a musica no frontend + Activar a musica no frontend Frontend effects - Efeitos no frontend + Efeitos no frontend Save password @@ -1387,12 +1875,40 @@ Use game resolution Utilizar a resolução do jogo + + Visual effects + + + + Sound + + + + In-game sound effects + + + + Music + + + + In-game music + + + + Frontend sound effects + + + + Frontend music + + QComboBox generated map... - mapa gerado... + mapa gerado... Human @@ -1408,11 +1924,11 @@ Mission - Missão + Missão generated maze... - labirinto gerado... + labirinto gerado... Community @@ -1432,7 +1948,7 @@ hand drawn map... - mapa desenhado à mão... + mapa desenhado à mão... Disabled @@ -1472,7 +1988,7 @@ Wiggle - "Wiggle" + "Wiggle" Red/Cyan grayscale @@ -1511,15 +2027,15 @@ Key binds - Associação de teclas + Associação de teclas Teams - Equipas + Equipas Audio/Graphic options - Opções de Áudio/Gráficos + Opções de Áudio/Gráficos Net game @@ -1543,23 +2059,23 @@ Misc - Diversos + Diversos Schemes and Weapons - Esquemas e Armamento + Esquemas e Armamento Custom colors - Cores personalizadas + Cores personalizadas Miscellaneous - Outras opções + Outras opções Video recording options - Opções de criação de vídeo + Opções de criação de vídeo Videos @@ -1571,7 +2087,7 @@ Proxy settings - Definições do Proxy + Definições do Proxy @@ -1590,23 +2106,23 @@ Developers: - Programadores: + Programadores: Art: - Arte: + Arte: Sounds: - Som: + Som: Translations: - Tradutores: + Tradutores: Special thanks: - Agradecimentos especiais: + Agradecimentos especiais: Weapons @@ -1666,7 +2182,7 @@ Game scheme - Esquema de jogo + Esquema de jogo % Dud Mines @@ -1706,7 +2222,7 @@ This development build is 'work in progress' and may not be compatible with other versions of the game. Some features might be broken or incomplete. Use at your own risk! - This development build is 'work in progress' and may not be compatible with other versions of the game. Some features might be broken or incomplete. Use at your own risk! + This development build is 'work in progress' and may not be compatible with other versions of the game. Some features might be broken or incomplete. Use at your own risk! Quality @@ -1786,7 +2302,7 @@ Summary - Sumário + Sumário Description @@ -1816,6 +2332,38 @@ Bitrate (Kbps) Bitrate (Kbps) + + This development build is 'work in progress' and may not be compatible with other versions of the game, while some features might be broken or incomplete! + + + + Fullscreen + Ecrã completo + + + Fullscreen Resolution + + + + Windowed Resolution + + + + Your Email + + + + Summary + + + + Send system information + + + + Type the security code: + + QLineEdit @@ -1855,7 +2403,7 @@ Please fill out all fields - Por favor preencha todos os campos + Por favor preencha todos os campos Error while authenticating at google.com: @@ -1907,15 +2455,15 @@ Successfully posted the issue on hedgewars.googlecode.com - Problema publicado com sucesso em hedgewars.googlecode.com + Problema publicado com sucesso em hedgewars.googlecode.com Error during authentication at google.com - Ocorreu um erro durante a autenticação em google.com + Ocorreu um erro durante a autenticação em google.com Error reporting the issue, please try again later (or visit hedgewars.googlecode.com directly) - Erro ao reportar o problema, por favor tenta novamente mais tarde (ou visita hedgewars.googlecode.com diretamente) + Erro ao reportar o problema, por favor tenta novamente mais tarde (ou visita hedgewars.googlecode.com diretamente) Main - Error @@ -2068,16 +2616,48 @@ Do you really want to delete the weapon set '%1'? Desejas mesmo apagar o esquema de armas '%1'? + + Hedgewars - Nick not registered + + + + System Information Preview + + + + Failed to generate captcha + + + + Failed to download captcha + + + + Please fill out all fields. Email is optional. + + + + Hedgewars - Warning + + + + Hedgewars - Information + + + + Hedgewars + + QObject Nickname - Nome de utilizador + Nome de utilizador Please enter your nickname - Por favor insira o seu nome de utilizador + Por favor insira o seu nome de utilizador @@ -2136,15 +2716,15 @@ Setup - Configurar + Configurar Ready - Preparado + Preparado Random Team - Equipa aleatória + Equipa aleatória Associate file extensions @@ -2152,7 +2732,7 @@ more - mais + mais More info @@ -2247,6 +2827,25 @@ + SeedPrompt + + The map seed is the basis for all random values generated by the game. + + + + Cancel + Cancelar + + + Set seed + + + + Close + + + + SelWeaponWidget Weapon set @@ -2274,106 +2873,124 @@ + TeamShowWidget + + %1's team + + + + + ThemePrompt + + Select a theme for this map + + + + Cancel + Cancelar + + + ToggleButtonWidget Vampirism - Vampirismo + Vampirismo Karma - Karma + Karma Artillery - Artilharia + Artilharia Fort Mode - Modo Forte + Modo Forte Divide Teams - Separar Equipas + Separar Equipas Solid Land - Terreno Sólido + Terreno Sólido Add Border - Adicionar Limites + Adicionar Limites Low Gravity - Baixa Gravidade + Baixa Gravidade Laser Sight - Mira Laser + Mira Laser Invulnerable - Invulnerabilidade + Invulnerabilidade Random Order - Ordem Aleatória + Ordem Aleatória King - Rei + Rei Place Hedgehogs - Posicionar Ouriços + Posicionar Ouriços Clan Shares Ammo - Clãs Partilham Armamento + Clãs Partilham Armamento Disable Girders - Desactivar Vigas + Desactivar Vigas Disable Land Objects - Desactivar Objectos no Terreno + Desactivar Objectos no Terreno AI Survival Mode - Modo de Sobrevivência + Modo de Sobrevivência Reset Health - Restaurar Vida + Restaurar Vida Unlimited Attacks - Ataques Ilimitados + Ataques Ilimitados Reset Weapons - Restaurar o Armamento + Restaurar o Armamento Per Hedgehog Ammo - Armamento Por Ouriço + Armamento Por Ouriço Disable Wind - Desactivar Vento + Desactivar Vento More Wind - Mais Vento + Mais Vento Tag Team - Tag Team + Tag Team Add Bottom Border - Adicionar limite inferior + Adicionar limite inferior @@ -2509,7 +3126,7 @@ hedgehogs info - informação dos + informação dos ouriços @@ -2548,31 +3165,51 @@ record gravar + + hedgehog info + + binds (categories) Basic controls - Controlos basicos + Controlos basicos Weapon controls - Controlos de armas + Controlos de armas Camera and cursor controls - Controlos de camara e cursor + Controlos de camara e cursor Other - Outros + Outros + + + Movement + + + + Weapons + + + + Camera + + + + Miscellaneous + Outras opções binds (descriptions) Move your hogs and aim: - Movimentar os teus ouriços e apontar: + Movimentar os teus ouriços e apontar: Traverse gaps and obstacles by jumping: @@ -2638,6 +3275,10 @@ Record video: Gravar vídeo: + + Hedgehog movement + + binds (keys) @@ -2958,4 +3599,119 @@ DPad + + server + + Illegal nickname + + + + Protocol already known + + + + Bad number + + + + bye + + + + Empty config entry + + + + Not room master + + + + Corrupted hedgehogs info + + + + too many teams + + + + too many hedgehogs + + + + There's already a team with same name in the list + + + + round in progress + + + + restricted + + + + REMOVE_TEAM: no such team + + + + Not team owner! + + + + Less than two clans! + + + + Room with such name already exists + + + + Illegal room name + + + + No such room + + + + Joining restricted + + + + Registered users only + + + + You are banned in this room + + + + Nickname is already in use + + + + No checker rights + + + + Authentication failed + + + + 60 seconds cooldown after kick + + + + kicked + + + + Ping timeout + + + + Nickname already chosen + + + diff -r 33ab77c0b486 -r 87410ae372f6 share/hedgewars/Data/Locale/hedgewars_ro.ts --- a/share/hedgewars/Data/Locale/hedgewars_ro.ts Fri Jan 18 11:47:23 2013 +0100 +++ b/share/hedgewars/Data/Locale/hedgewars_ro.ts Sat Jan 19 00:51:28 2013 +0400 @@ -20,6 +20,115 @@ + BanDialog + + 10 minutes + + + + 30 minutes + + + + 1 hour + + + + 3 hours + + + + 5 hours + + + + 24 hours + + + + 3 days + + + + 7 days + + + + 14 days + + + + permanent + + + + IP + IP + + + Nick + + + + IP/Nick + + + + Reason + + + + Duration + + + + Ok + + + + Cancel + Cancel + + + you know why + + + + Warning + + + + Please, specify %1 + + + + nickname + + + + + DataManager + + Use Default + + + + + FeedbackDialog + + View + + + + Cancel + Cancel + + + Send Feedback + + + + FreqSpinBox Never @@ -53,13 +162,13 @@ Edit schemes - When this option is enabled selecting a game scheme will auto-select a weapon - - - Game Options + + Game scheme will auto-select a weapon + + HWAskQuitDialog @@ -126,10 +235,6 @@ Failed to save StyleSheet to %1 - - %1 is not a valid command! - - HWForm @@ -192,16 +297,12 @@ registered on Hedgewars.org Please provide your password below or pick another nickname in game config: - Your nickname %1 is + Your nickname %1 is registered on Hedgewars.org Please provide your password below or pick another nickname in game config: - No password supplied. - - - Nickname Nickname @@ -214,6 +315,59 @@ Please pick another nickname: + + %1's Team + + + + Hedgewars - Nick registered + + + + This nick is registered, and you haven't specified a password. + +If this nick isn't yours, please register your own nick at www.hedgewars.org + +Password: + + + + Your nickname is not registered. +To prevent someone else from using it, +please register it at www.hedgewars.org + + + + + +Your password wasn't saved either. + + + + Hedgewars - Empty nickname + + + + Hedgewars - Wrong password + + + + You entered a wrong password. + + + + Try Again + + + + Hedgewars - Connection error + + + + You reconnected too fast. +Please wait a few seconds and try again. + + HWGame @@ -230,15 +384,15 @@ HWMapContainer Map - Map + Map Themes - Themes + Themes Filter - Filter + Filter All @@ -266,7 +420,7 @@ Type - Type + Type Small tunnels @@ -277,27 +431,95 @@ - Large tunnels - - - - Small floating islands - - - - Medium floating islands - - - - Large floating islands - - - Seed - Set + Map type: + + + + Image map + + + + Mission map + + + + Hand-drawn + + + + Randomly generated + + + + Random maze + + + + Random + Random + + + Map preview: + + + + Load map drawing + + + + Edit map drawing + + + + Largetunnels + + + + Small islands + + + + Medium islands + + + + Large islands + + + + Map size: + + + + Maze style: + + + + Mission: + + + + Map: + + + + Theme: + + + + Load drawn map + + + + Drawn Maps + + + + All files @@ -399,7 +621,11 @@ HWPasswordDialog Password - Password + Password + + + Login + @@ -414,6 +640,32 @@ + HatButton + + Change hat (%1) + + + + + HatPrompt + + Select a hat + + + + Filter: + + + + Cancel + Cancel + + + Use selected hat + + + + KB SDL_ttf returned error while rendering text, most propably it is related to the bug in freetype2. It's recommended to update your freetype lib. @@ -421,6 +673,13 @@ + KeyBinder + + Category + + + + LibavInteraction Duration: %1m %2s @@ -439,6 +698,17 @@ Audio: + + unknown + + + + + MapModel + + No description available. + + PageAdmin @@ -478,6 +748,38 @@ Set data + + General + General + + + Bans + + + + IP/Nick + + + + Expiration + + + + Reason + + + + Refresh + Refresh + + + Add + + + + Remove + + PageConnecting @@ -537,7 +839,43 @@ Advanced - Advanced + Advanced + + + Select an action to choose a custom key bind for this team + + + + Use my default + + + + Reset all binds + + + + Custom Controls + + + + Hat + + + + Name + Name + + + This hedgehog's name + + + + Randomize this hedgehog's name + + + + Random Team + Random Team @@ -652,267 +990,14 @@ Network Game (Play a game across a network) - Simply pick the same color as a friend to play together as a team. Each of you will still control his or her own hedgehogs but they'll win or lose together. - Tips - - - - Some weapons might do only low damage but they can be a lot more devastating in the right situation. Try to use the Desert Eagle to knock multiple hedgehogs into the water. - Tips - - - - If you're unsure what to do and don't want to waste ammo, skip one round. But don't let too much time pass as there will be Sudden Death! - Tips - - - - If you'd like to keep others from using your preferred nickname on the official server, register an account at http://www.hedgewars.org/. - Tips - - - - You're bored of default gameplay? Try one of the missions - they'll offer different gameplay depending on the one you picked. - Tips - - - - By default the game will always record the last game played as a demo. Select 'Local Game' and pick the 'Demos' button on the lower right corner to play or manage them. - Tips - - - - Hedgewars is Open Source and Freeware we create in our spare time. If you've got problems, ask on our forums but please don't expect 24/7 support! - Tips - - - - Hedgewars is Open Source and Freeware we create in our spare time. If you like it, help us with a small donation or contribute your own work! - Tips - - - - Hedgewars is Open Source and Freeware we create in our spare time. Share it with your family and friends as you like! - Tips - - - - From time to time there will be official tournaments. Upcoming events will be announced at http://www.hedgewars.org/ some days in advance. - Tips - - - - Hedgewars is available in many languages. If the translation in your language seems to be missing or outdated, feel free to contact us! - Tips - - - - Hedgewars can be run on lots of different operating systems including Microsoft Windows, Mac OS X and Linux. - Tips - - - - Always remember you're able to set up your own games in local and network/online play. You're not restricted to the 'Simple Game' option. - Tips - - - - While playing you should give yourself a short break at least once an hour. - Tips - - - - If your graphics card isn't able to provide hardware accelerated OpenGL, try to enable the low quality mode to improve performance. - Tips - - - - We're open to suggestions and constructive feedback. If you don't like something or got a great idea, let us know! - Tips - - - - Especially while playing online be polite and always remember there might be some minors playing with or against you as well! - Tips - - - - Special game modes such as 'Vampirism' or 'Karma' allow you to develop completely new tactics. Try them in a custom game! - Tips - - - - You should never install Hedgewars on computers you don't own (school, university, work, etc.). Please ask the responsible person instead! - Tips - - - - Hedgewars can be perfect for short games during breaks. Just ensure you don't add too many hedgehogs or use an huge map. Reducing time and health might help as well. - Tips - - - - No hedgehogs were harmed in making this game. - Tips - - - - Hedgewars is Open Source and Freeware we create in our spare time. If someone sold you the game, you should try get a refund! - Tips - - - - Connect one or more gamepads before starting the game to be able to assign their controls to your teams. - Tips - - - - Create an account on %1 to keep others from using your most favourite nickname while playing on the official server. - Tips - - - - If your graphics card isn't able to provide hardware accelerated OpenGL, try to update the associated drivers. - Tips - - - - There are three different jumps available. Tap [high jump] twice to do a very high/backwards jump. - Tips - - - - Afraid of falling off a cliff? Hold down [precise] to turn [left] or [right] without actually moving. - Tips - - - - Some weapons require special strategies or just lots of training, so don't give up on a particular tool if you miss an enemy once. - Tips - - - - Most weapons won't work once they touch the water. The Homing Bee as well as the Cake are exceptions to this. - Tips - - - - The Old Limbuger only causes a small explosion. However the wind affected smelly cloud can poison lots of hogs at once. - Tips - - - - The Piano Strike is the most damaging air strike. You'll lose the hedgehog performing it, so there's a huge downside as well. - Tips - - - - Sticky Mines are a perfect tool to create small chain reactions knocking enemy hedgehogs into dire situations ... or water. - Tips - - - - The Hammer is most effective when used on bridges or girders. Hit hogs will just break through the ground. - Tips - - - - If you're stuck behind an enemy hedgehog, use the Hammer to free yourself without getting damaged by an explosion. - Tips - - - - The Cake's maximum walking distance depends on the ground it has to pass. Use [attack] to detonate it early. - Tips - - - - The Flame Thrower is a weapon but it can be used for tunnel digging as well. - Tips - - - - Want to know who's behind the game? Click on the Hedgewars logo in the main menu to see the credits. - Tips - - - - Like Hedgewars? Become a fan on %1 or follow us on %2! - Tips - - - - Feel free to draw your own graves, hats, flags or even maps and themes! But note that you'll have to share them somewhere to use them online. - Tips - - - - Really want to wear a specific hat? Donate to us and receive an exclusive hat of your choice! - Tips - - - - Keep your video card drivers up to date to avoid issues playing the game. - Tips - - - - You can find your Hedgewars configuration files under "My Documents\Hedgewars". Create backups or take the files with you, but don't edit them by hand. - Tips - - - - You're able to associate Hedgewars related files (savegames and demo recordings) with the game to launch them right from your favorite file or internet browser. - Tips - - - - Want to save ropes? Release the rope in mid air and then shoot again. As long as you don't touch the ground you'll reuse your rope without wasting ammo! - Tips - - - - You can find your Hedgewars configuration files under "Library/Application Support/Hedgewars" in your home directory. Create backups or take the files with you, but don't edit them by hand. - Tips - - - - You can find your Hedgewars configuration files under ".hedgewars" in your home directory. Create backups or take the files with you, but don't edit them by hand. - Tips - - - - The Windows version of Hedgewars supports Xfire. Make sure to add Hedgewars to its game list so your friends can see you playing. - Tips - - - - Use the Molotov or Flame Thrower to temporary keep hedgehogs from passing terrain such as tunnels or platforms. - Tips - - - - The Homing Bee can be tricky to use. Its turn radius depends on its velocity, so try to not use full power. - Tips - - - Downloadable Content - Local Game - - - Play a game on a single computer - Network Game - - - Play a game across a network @@ -940,6 +1025,14 @@ Edit game preferences + + Play a game across a local area network + + + + Play a game on an official server + + PageMultiplayer @@ -947,6 +1040,10 @@ Start Start + + Edit game preferences + + PageNet @@ -977,24 +1074,24 @@ OK OK + + Edit game preferences + + + + Start + Start + PageNetType LAN game - LAN game + LAN game Official server - Official server - - - Join or host your own game server in a Local Area Network. - - - - Join hundreds of players online! - + Official server @@ -1053,7 +1150,7 @@ General - General + General Advanced @@ -1095,6 +1192,94 @@ HTTP proxy + + Select an action to change what key controls it + + + + Reset to default + + + + Reset all binds + + + + Game + + + + Graphics + + + + Audio + + + + Controls + + + + Video Recording + + + + Network + Network + + + Teams + Teams + + + Schemes + + + + Weapons + Weapons + + + Frontend + + + + Custom colors + + + + Game audio + + + + Frontend audio + + + + Account + + + + Proxy settings + + + + Miscellaneous + + + + Updates + + + + Check for updates + + + + Video recording options + + PagePlayDemo @@ -1417,18 +1602,10 @@ Load (Load a previously saved game) - Simple Game - - - Play a quick game against the computer with random settings - Multiplayer - - - Play a hotseat game against your friends, or AI teams @@ -1437,24 +1614,16 @@ - Training Mode - - - Practice your skills in a range of training missions - Demos - - - Watch recorded demos Load - Load + Load Load a previously saved game @@ -1503,14 +1672,6 @@ - Date: - - - - Size: - - - encoding @@ -1518,6 +1679,16 @@ uploading + + Date: %1 + + + + + Size: %1 + + + QAction @@ -1531,7 +1702,7 @@ Start - Start + Start Restrict Joins @@ -1582,15 +1753,15 @@ Frontend fullscreen - Frontend fullscreen + Frontend fullscreen Enable sound - Enable sound + Enable sound Enable music - Enable music + Enable music Show FPS @@ -1614,15 +1785,15 @@ Enable frontend sounds - Enable frontend sounds + Enable frontend sounds Enable frontend music - Enable frontend music + Enable frontend music Frontend effects - Frontend effects + Frontend effects Save password @@ -1644,12 +1815,40 @@ Use game resolution + + Visual effects + + + + Sound + + + + In-game sound effects + + + + Music + + + + In-game music + + + + Frontend sound effects + + + + Frontend music + + QComboBox generated map... - generated map... + generated map... Human @@ -1665,11 +1864,7 @@ Mission - Mission - - - generated maze... - + Mission Community @@ -1692,10 +1887,6 @@ Default - hand drawn map... - - - Disabled @@ -1732,10 +1923,6 @@ - Wiggle - - - Red/Cyan grayscale @@ -1772,11 +1959,11 @@ Key binds - Key binds + Key binds Teams - Teams + Teams Weapons @@ -1784,7 +1971,7 @@ Audio/Graphic options - Audio/Graphic options + Audio/Graphic options Net game @@ -1808,27 +1995,7 @@ Misc - Misc - - - Schemes and Weapons - - - - Custom colors - - - - Miscellaneous - - - - Proxy settings - - - - Video recording options - + Misc Videos @@ -1859,23 +2026,23 @@ Developers: - Developers: + Developers: Art: - Art: + Art: Sounds: - Sounds: + Sounds: Translations: - Translations: + Translations: Special thanks: - Special thanks: + Special thanks: Weapons @@ -1939,7 +2106,7 @@ Game scheme - Game scheme + Game scheme % Dud Mines @@ -1982,10 +2149,6 @@ - This development build is 'work in progress' and may not be compatible with other versions of the game. Some features might be broken or incomplete. Use at your own risk! - - - Quality @@ -2064,10 +2227,6 @@ - Summary - - - Description @@ -2095,6 +2254,38 @@ Bitrate (Kbps) + + This development build is 'work in progress' and may not be compatible with other versions of the game, while some features might be broken or incomplete! + + + + Fullscreen + Fullscreen + + + Fullscreen Resolution + + + + Windowed Resolution + + + + Your Email + + + + Summary + + + + Send system information + + + + Type the security code: + + QLineEdit @@ -2197,22 +2388,6 @@ - Please fill out all fields - - - - Successfully posted the issue on hedgewars.googlecode.com - - - - Error during authentication at google.com - - - - Error reporting the issue, please try again later (or visit hedgewars.googlecode.com directly) - - - Main - Error @@ -2375,6 +2550,38 @@ Do you really want to delete the weapon set '%1'? + + Hedgewars - Nick not registered + + + + System Information Preview + + + + Failed to generate captcha + + + + Failed to download captcha + + + + Please fill out all fields. Email is optional. + + + + Hedgewars - Warning + + + + Hedgewars - Information + + + + Hedgewars + + QObject @@ -2392,11 +2599,11 @@ Nickname - Nickname + Nickname Please enter your nickname - Please enter your nickname + Please enter your nickname @@ -2455,25 +2662,21 @@ Setup - Setup + Setup Ready - Ready + Ready Random Team - Random Team + Random Team Associate file extensions Associate file extensions - more - - - More info @@ -2597,6 +2800,25 @@ + SeedPrompt + + The map seed is the basis for all random values generated by the game. + + + + Cancel + Cancel + + + Set seed + + + + Close + + + + SelWeaponWidget Weapon set @@ -2639,46 +2861,64 @@ + TeamShowWidget + + %1's team + + + + + ThemePrompt + + Select a theme for this map + + + + Cancel + Cancel + + + ToggleButtonWidget Vampirism - Vampirism + Vampirism Karma - Karma + Karma Artillery - Artillery + Artillery Fort Mode - Fort Mode + Fort Mode Divide Teams - Divide Teams + Divide Teams Solid Land - Solid Land + Solid Land Add Border - Add Border + Add Border Low Gravity - Low Gravity + Low Gravity Laser Sight - Laser Sight + Laser Sight Invulnerable - Invulnerable + Invulnerable Add Mines @@ -2686,63 +2926,23 @@ Random Order - Random Order + Random Order King - King + King Place Hedgehogs - Place Hedgehogs + Place Hedgehogs Clan Shares Ammo - Clan Shares Ammo + Clan Shares Ammo Disable Girders - Disable Girders - - - Disable Land Objects - - - - AI Survival Mode - - - - Reset Health - - - - Unlimited Attacks - - - - Reset Weapons - - - - Per Hedgehog Ammo - - - - Disable Wind - - - - More Wind - - - - Tag Team - - - - Add Bottom Border - + Disable Girders @@ -2878,7 +3078,7 @@ hedgehogs info - hedgehogs + hedgehogs info @@ -2917,31 +3117,51 @@ record + + hedgehog info + + binds (categories) Basic controls - Basic controls + Basic controls Weapon controls - Weapon controls + Weapon controls Camera and cursor controls - Camera and cursor controls + Camera and cursor controls Other - Other + Other + + + Movement + + + + Weapons + Weapons + + + Camera + + + + Miscellaneous + binds (descriptions) Move your hogs and aim: - Move your hogs and aim: + Move your hogs and aim: Traverse gaps and obstacles by jumping: @@ -3007,6 +3227,10 @@ Record video: + + Hedgehog movement + + binds (keys) @@ -3327,4 +3551,119 @@ + + server + + Illegal nickname + + + + Protocol already known + + + + Bad number + + + + bye + + + + Empty config entry + + + + Not room master + + + + Corrupted hedgehogs info + + + + too many teams + + + + too many hedgehogs + + + + There's already a team with same name in the list + + + + round in progress + + + + restricted + + + + REMOVE_TEAM: no such team + + + + Not team owner! + + + + Less than two clans! + + + + Room with such name already exists + + + + Illegal room name + + + + No such room + + + + Joining restricted + + + + Registered users only + + + + You are banned in this room + + + + Nickname is already in use + + + + No checker rights + + + + Authentication failed + + + + 60 seconds cooldown after kick + + + + kicked + + + + Ping timeout + + + + Nickname already chosen + + + diff -r 33ab77c0b486 -r 87410ae372f6 share/hedgewars/Data/Locale/hedgewars_ru.ts --- a/share/hedgewars/Data/Locale/hedgewars_ru.ts Fri Jan 18 11:47:23 2013 +0100 +++ b/share/hedgewars/Data/Locale/hedgewars_ru.ts Sat Jan 19 00:51:28 2013 +0400 @@ -20,6 +20,115 @@ + BanDialog + + 10 minutes + + + + 30 minutes + + + + 1 hour + + + + 3 hours + + + + 5 hours + + + + 24 hours + + + + 3 days + + + + 7 days + + + + 14 days + + + + permanent + + + + IP + IP + + + Nick + + + + IP/Nick + + + + Reason + + + + Duration + + + + Ok + + + + Cancel + Отмена + + + you know why + + + + Warning + + + + Please, specify %1 + + + + nickname + + + + + DataManager + + Use Default + + + + + FeedbackDialog + + View + + + + Cancel + Отмена + + + Send Feedback + + + + FreqSpinBox Never @@ -46,12 +155,16 @@ When this option is enabled selecting a game scheme will auto-select a weapon - При включении этой опции выбор настроек игры автоматически выберет схему оружия + При включении этой опции выбор настроек игры автоматически выберет схему оружия Game Options Настройки игры + + Game scheme will auto-select a weapon + + HWAskQuitDialog @@ -104,7 +217,7 @@ %1 is not a valid command! - %1 не является корректной командой + %1 не является корректной командой @@ -144,14 +257,14 @@ registered on Hedgewars.org Please provide your password below or pick another nickname in game config: - Ваше имя пользователя %1 + Ваше имя пользователя %1 зарегистрировано на сайте hedgewars.org Пожалуйста, укажите ваш пароль в поле ввода внизу или выберите иное имя пользователя в настройках игры: No password supplied. - Пароль не указан. + Пароль не указан. Nickname @@ -167,6 +280,59 @@ Кто-то уже использует ваш псевдоним %1 на сервере. Пожалуйста, выберите другой псевдоним: + + %1's Team + + + + Hedgewars - Nick registered + + + + This nick is registered, and you haven't specified a password. + +If this nick isn't yours, please register your own nick at www.hedgewars.org + +Password: + + + + Your nickname is not registered. +To prevent someone else from using it, +please register it at www.hedgewars.org + + + + + +Your password wasn't saved either. + + + + Hedgewars - Empty nickname + + + + Hedgewars - Wrong password + + + + You entered a wrong password. + + + + Try Again + + + + Hedgewars - Connection error + + + + You reconnected too fast. +Please wait a few seconds and try again. + + HWGame @@ -183,15 +349,15 @@ HWMapContainer Map - Карта + Карта Themes - Темы + Темы Filter - Фильтр + Фильтр All @@ -219,7 +385,7 @@ Type - Тип + Тип Small tunnels @@ -231,19 +397,19 @@ Large tunnels - Большие туннели + Большие туннели Small floating islands - Маленькие островки + Маленькие островки Medium floating islands - Средние островки + Средние островки Large floating islands - Большие островки + Большие островки Seed @@ -251,7 +417,95 @@ Set - Установить + Установить + + + Map type: + + + + Image map + + + + Mission map + + + + Hand-drawn + Рисованная карта + + + Randomly generated + + + + Random maze + + + + Random + Случайно + + + Map preview: + + + + Load map drawing + + + + Edit map drawing + + + + Largetunnels + + + + Small islands + + + + Medium islands + + + + Large islands + + + + Map size: + + + + Maze style: + + + + Mission: + + + + Map: + + + + Theme: + + + + Load drawn map + Загрузить рисованную карту + + + Drawn Maps + Рисованные карты + + + All files + Все файлы @@ -324,7 +578,11 @@ HWPasswordDialog Password - Пароль + Пароль + + + Login + @@ -339,6 +597,32 @@ + HatButton + + Change hat (%1) + + + + + HatPrompt + + Select a hat + + + + Filter: + + + + Cancel + Отмена + + + Use selected hat + + + + KB SDL_ttf returned error while rendering text, most propably it is related to the bug in freetype2. It's recommended to update your freetype lib. @@ -346,6 +630,13 @@ + KeyBinder + + Category + + + + LibavInteraction Duration: %1m %2s @@ -364,6 +655,10 @@ Audio: Аудио: + + unknown + + LibavIteraction @@ -386,6 +681,13 @@ + MapModel + + No description available. + + + + PageAdmin Clear Accounts Cache @@ -415,6 +717,38 @@ Set data Установить данные + + General + Основные настройки + + + Bans + + + + IP/Nick + + + + Expiration + + + + Reason + + + + Refresh + + + + Add + + + + Remove + + PageConnecting @@ -470,7 +804,43 @@ Advanced - Дополнительно + Дополнительно + + + Select an action to choose a custom key bind for this team + + + + Use my default + + + + Reset all binds + + + + Custom Controls + + + + Hat + Шляпа + + + Name + Название + + + This hedgehog's name + + + + Randomize this hedgehog's name + + + + Random Team + Случайная команда @@ -559,247 +929,247 @@ Simply pick the same color as a friend to play together as a team. Each of you will still control his or her own hedgehogs but they'll win or lose together. Tips - Выберите тот же цвет команда, что у друга, чтобы играть в союзе. Вы будете управлять своими ежами, но выиграете или проиграете вместе. + Выберите тот же цвет команда, что у друга, чтобы играть в союзе. Вы будете управлять своими ежами, но выиграете или проиграете вместе. Some weapons might do only low damage but they can be a lot more devastating in the right situation. Try to use the Desert Eagle to knock multiple hedgehogs into the water. Tips - Некоторые виды оружия наносят небольшой урон, но могут наносить больший урон в правильной ситуации. Попробуйте использовать пистолет Дезерт Игл, чтобы столкнуть несколько ежей в воду. + Некоторые виды оружия наносят небольшой урон, но могут наносить больший урон в правильной ситуации. Попробуйте использовать пистолет Дезерт Игл, чтобы столкнуть несколько ежей в воду. If you're unsure what to do and don't want to waste ammo, skip one round. But don't let too much time pass as there will be Sudden Death! Tips - Если вы не уверены в том, что хотите сделать и не хотите тратить снаряды, пропустите ход. Но не теряйте много времени, так как смерть неизбежна! + Если вы не уверены в том, что хотите сделать и не хотите тратить снаряды, пропустите ход. Но не теряйте много времени, так как смерть неизбежна! If you'd like to keep others from using your preferred nickname on the official server, register an account at http://www.hedgewars.org/. Tips - Если вы хотите предотвратить использование вашего псевдонима другими игроками на официальном игровом сервере, зарегистрируйтесь на http://www.hedgewars.org/. + Если вы хотите предотвратить использование вашего псевдонима другими игроками на официальном игровом сервере, зарегистрируйтесь на http://www.hedgewars.org/. You're bored of default gameplay? Try one of the missions - they'll offer different gameplay depending on the one you picked. Tips - Наскучила обычная игра? Попробуйте миссии, имеющие различные виды сценариев. + Наскучила обычная игра? Попробуйте миссии, имеющие различные виды сценариев. By default the game will always record the last game played as a demo. Select 'Local Game' and pick the 'Demos' button on the lower right corner to play or manage them. Tips - По умолчанию игры всегда записывает последнюю игру в виде демки. Выберите "Локальную игру" и нажмите кнопку "Демки" в правом нижнем углу, чтобы проиграть запись. + По умолчанию игры всегда записывает последнюю игру в виде демки. Выберите "Локальную игру" и нажмите кнопку "Демки" в правом нижнем углу, чтобы проиграть запись. Hedgewars is Open Source and Freeware we create in our spare time. If you've got problems, ask on our forums but please don't expect 24/7 support! Tips - Hedgewars - это открытое и свободное программное обеспечение, которое мы создаём в наше свободное время. Если у вас возникают вопросы, задавайте их на нашем форуме, но пожалуйста, не ожидайте круглосуточной поддержки! + Hedgewars - это открытое и свободное программное обеспечение, которое мы создаём в наше свободное время. Если у вас возникают вопросы, задавайте их на нашем форуме, но пожалуйста, не ожидайте круглосуточной поддержки! Hedgewars is Open Source and Freeware we create in our spare time. If you like it, help us with a small donation or contribute your own work! Tips - Hedgewars - это открытое и свободное программное обеспечение, которое мы создаём в наше свободное время. Если вам понравилась игра, помогите нам денежным вознаграждением или вкладом в виде вашей работы! + Hedgewars - это открытое и свободное программное обеспечение, которое мы создаём в наше свободное время. Если вам понравилась игра, помогите нам денежным вознаграждением или вкладом в виде вашей работы! Hedgewars is Open Source and Freeware we create in our spare time. Share it with your family and friends as you like! Tips - Hedgewars - это открытое и свободное программное обеспечение, которое мы создаём в наше свободное время. Распространяйте его среди друзей и членов семьи! + Hedgewars - это открытое и свободное программное обеспечение, которое мы создаём в наше свободное время. Распространяйте его среди друзей и членов семьи! From time to time there will be official tournaments. Upcoming events will be announced at http://www.hedgewars.org/ some days in advance. Tips - Время от времени проводятся официальные турниры. Предстоящие события анонсируются на http://www.hedgewars.org/ за несколько дней. + Время от времени проводятся официальные турниры. Предстоящие события анонсируются на http://www.hedgewars.org/ за несколько дней. Hedgewars is available in many languages. If the translation in your language seems to be missing or outdated, feel free to contact us! Tips - Hedgewars доступен на многих языках. Если перевод на ваш язык отсутствует или устарел, сообщите нам! + Hedgewars доступен на многих языках. Если перевод на ваш язык отсутствует или устарел, сообщите нам! Hedgewars can be run on lots of different operating systems including Microsoft Windows, Mac OS X and Linux. Tips - Hedgewars запускается на множестве различных операционных систем, включая Microsoft Windows, Mac OS X и Linux. + Hedgewars запускается на множестве различных операционных систем, включая Microsoft Windows, Mac OS X и Linux. Always remember you're able to set up your own games in local and network/online play. You're not restricted to the 'Simple Game' option. Tips - Помните, что у вас есть возможность создать собственную игру локально или по сети. Вы не ограничены кнопкой "Простая игра". + Помните, что у вас есть возможность создать собственную игру локально или по сети. Вы не ограничены кнопкой "Простая игра". While playing you should give yourself a short break at least once an hour. Tips - Играя, не забывайте делать небольшой перерыв хотя бы раз в час. + Играя, не забывайте делать небольшой перерыв хотя бы раз в час. If your graphics card isn't able to provide hardware accelerated OpenGL, try to enable the low quality mode to improve performance. Tips - Если ваша видеокарта не поддерживает ускорение OpenGL, попробуйте включить опцию "низкое качество", чтобы улучшить производительность. + Если ваша видеокарта не поддерживает ускорение OpenGL, попробуйте включить опцию "низкое качество", чтобы улучшить производительность. We're open to suggestions and constructive feedback. If you don't like something or got a great idea, let us know! Tips - Мы открыты для предложений и конструктивной критики. Если вам что-то не понравилось или у вас появилась отличная идея, сообщите нам! + Мы открыты для предложений и конструктивной критики. Если вам что-то не понравилось или у вас появилась отличная идея, сообщите нам! Especially while playing online be polite and always remember there might be some minors playing with or against you as well! Tips - Играя по сети, будьте особенно вежливы и всегда помните, что с вами или против вас могут играть дети! + Играя по сети, будьте особенно вежливы и всегда помните, что с вами или против вас могут играть дети! Special game modes such as 'Vampirism' or 'Karma' allow you to develop completely new tactics. Try them in a custom game! Tips - Особые настройки игры "Вампиризм" и "Карма" дают возможность выработать совершенно новую тактику. Попробуйте их! + Особые настройки игры "Вампиризм" и "Карма" дают возможность выработать совершенно новую тактику. Попробуйте их! You should never install Hedgewars on computers you don't own (school, university, work, etc.). Please ask the responsible person instead! Tips - Не следует устанавливать Hedgewars на компьютеры, не принадлежащие вам (в школе, на работе, в университете и т.п.). Не забудь спросить разрешения у ответственного лица! + Не следует устанавливать Hedgewars на компьютеры, не принадлежащие вам (в школе, на работе, в университете и т.п.). Не забудь спросить разрешения у ответственного лица! Hedgewars can be perfect for short games during breaks. Just ensure you don't add too many hedgehogs or use an huge map. Reducing time and health might help as well. Tips - Hedgewars может отлично подойти для коротких матчей на перерывах. Просто не добавляйте слишком много ежей и не играйти на больших картах. Также можно уменьшить время или количество начального здоровья. + Hedgewars может отлично подойти для коротких матчей на перерывах. Просто не добавляйте слишком много ежей и не играйти на больших картах. Также можно уменьшить время или количество начального здоровья. No hedgehogs were harmed in making this game. Tips - При подготовке игры не пострадал ни один ёж. + При подготовке игры не пострадал ни один ёж. Hedgewars is Open Source and Freeware we create in our spare time. If someone sold you the game, you should try get a refund! Tips - Hedgewars - это открытое и свободное программное обеспечение, которое мы создаём в наше свободное время. Если кто-то продал вам игру, потребуйте возврат денег! + Hedgewars - это открытое и свободное программное обеспечение, которое мы создаём в наше свободное время. Если кто-то продал вам игру, потребуйте возврат денег! Connect one or more gamepads before starting the game to be able to assign their controls to your teams. Tips - Подсоедините один или несколько геймпадов перед запуском игры, и вы сможете настроить их для управления командами. + Подсоедините один или несколько геймпадов перед запуском игры, и вы сможете настроить их для управления командами. Create an account on %1 to keep others from using your most favourite nickname while playing on the official server. Tips - Если вы хотите предотвратить использование вашего псевдонима другими игроками на официальном игровом сервере, зарегистрируйтесь на http://www.hedgewars.org/. + Если вы хотите предотвратить использование вашего псевдонима другими игроками на официальном игровом сервере, зарегистрируйтесь на http://www.hedgewars.org/. If your graphics card isn't able to provide hardware accelerated OpenGL, try to update the associated drivers. Tips - Если ваша видеокарта не поддерживает ускорение OpenGL, попробуйте обновить видеодрайвер. + Если ваша видеокарта не поддерживает ускорение OpenGL, попробуйте обновить видеодрайвер. There are three different jumps available. Tap [high jump] twice to do a very high/backwards jump. Tips - Есть три вида прыжков. Нажмите [прыжок вверх] дважды, чтобы сделать очень высокий прыжок назад. + Есть три вида прыжков. Нажмите [прыжок вверх] дважды, чтобы сделать очень высокий прыжок назад. Afraid of falling off a cliff? Hold down [precise] to turn [left] or [right] without actually moving. Tips - Боитесь упасть с обрыва? Нажмите левый shift, чтобы повернуться влево или вправо, не передвигаясь. + Боитесь упасть с обрыва? Нажмите левый shift, чтобы повернуться влево или вправо, не передвигаясь. Some weapons require special strategies or just lots of training, so don't give up on a particular tool if you miss an enemy once. Tips - Некоторые виды оружия требуют особых стратегий или просто много тренировок, поэтому не разочаровывайтесь в инструменте, если разок промахнётесь. + Некоторые виды оружия требуют особых стратегий или просто много тренировок, поэтому не разочаровывайтесь в инструменте, если разок промахнётесь. Most weapons won't work once they touch the water. The Homing Bee as well as the Cake are exceptions to this. Tips - Большинство видов оружия не сработают при попадании в воду. Пчела и Торт - это исключения. + Большинство видов оружия не сработают при попадании в воду. Пчела и Торт - это исключения. The Old Limbuger only causes a small explosion. However the wind affected smelly cloud can poison lots of hogs at once. Tips - Старый Лимбургер взрывается несильно. Однако ветер, несущий зловонное облако, может отравить несколько ежей за раз. + Старый Лимбургер взрывается несильно. Однако ветер, несущий зловонное облако, может отравить несколько ежей за раз. The Piano Strike is the most damaging air strike. You'll lose the hedgehog performing it, so there's a huge downside as well. Tips - Фортепьяновый удар - это наиболее мощный из ударов с воздуха. При использовании вы потеряете ежа, в этом его недостаток. + Фортепьяновый удар - это наиболее мощный из ударов с воздуха. При использовании вы потеряете ежа, в этом его недостаток. Sticky Mines are a perfect tool to create small chain reactions knocking enemy hedgehogs into dire situations ... or water. Tips - Мины-липучки - отличный инструмент для создания небольших цепных реакций, от которых ёж попадет в неприятную ситуацию... или в воду. + Мины-липучки - отличный инструмент для создания небольших цепных реакций, от которых ёж попадет в неприятную ситуацию... или в воду. The Hammer is most effective when used on bridges or girders. Hit hogs will just break through the ground. Tips - Молот наиболее эффективен, когда используется на мосту или балке. Ударенный ёж пролетит сквозь землю. + Молот наиболее эффективен, когда используется на мосту или балке. Ударенный ёж пролетит сквозь землю. If you're stuck behind an enemy hedgehog, use the Hammer to free yourself without getting damaged by an explosion. Tips - Если вы застряли позади ежа противника, используйте Молот. чтобы освободить себя без риска потери здоровья от взрыва. + Если вы застряли позади ежа противника, используйте Молот. чтобы освободить себя без риска потери здоровья от взрыва. The Cake's maximum walking distance depends on the ground it has to pass. Use [attack] to detonate it early. Tips - Дистанция, которую проходит Торт, зависит от поверхности. Используйте клавишу атаки, чтобы сдетонировать его раньше. + Дистанция, которую проходит Торт, зависит от поверхности. Используйте клавишу атаки, чтобы сдетонировать его раньше. The Flame Thrower is a weapon but it can be used for tunnel digging as well. Tips - Огнемёт - это оружие, но он также может быть использован как инструмент для рытья туннелей. + Огнемёт - это оружие, но он также может быть использован как инструмент для рытья туннелей. Want to know who's behind the game? Click on the Hedgewars logo in the main menu to see the credits. Tips - Хотите узнать, кто стоит за разработкой игры? Нажмите на логотип Hedgewars в главном меню, чтобы увидеть состав разработчиков. + Хотите узнать, кто стоит за разработкой игры? Нажмите на логотип Hedgewars в главном меню, чтобы увидеть состав разработчиков. Like Hedgewars? Become a fan on %1 or follow us on %2! Tips - Нравится Hedgewars? Станьте фанатом на %1 или следите за нами на %2! + Нравится Hedgewars? Станьте фанатом на %1 или следите за нами на %2! Feel free to draw your own graves, hats, flags or even maps and themes! But note that you'll have to share them somewhere to use them online. Tips - Рисуйте свои варианты надгробий, шляп, флагов или даже карт и тем! Но не забудьте передать их соперникам каким-либо образом для игры по сети. + Рисуйте свои варианты надгробий, шляп, флагов или даже карт и тем! Но не забудьте передать их соперникам каким-либо образом для игры по сети. Really want to wear a specific hat? Donate to us and receive an exclusive hat of your choice! Tips - Очень хочется особенную шляпу? Сделайте пожертвование и получите эксклюзивную шляпу на выбор! + Очень хочется особенную шляпу? Сделайте пожертвование и получите эксклюзивную шляпу на выбор! Keep your video card drivers up to date to avoid issues playing the game. Tips - Обновляйте видеодрайвера, чтобы не было проблем во время игры. + Обновляйте видеодрайвера, чтобы не было проблем во время игры. You can find your Hedgewars configuration files under "My Documents\Hedgewars". Create backups or take the files with you, but don't edit them by hand. Tips - Файлы конфигурации Hedgewars находятся в папке "Мои документы\Hedgewars". Создавайте бэкапы или переносите файлы, но не редактируйте их вручную. + Файлы конфигурации Hedgewars находятся в папке "Мои документы\Hedgewars". Создавайте бэкапы или переносите файлы, но не редактируйте их вручную. You're able to associate Hedgewars related files (savegames and demo recordings) with the game to launch them right from your favorite file or internet browser. Tips - Можно ассоциировать файлы Hedgewars (сохранения и демки игр) с игрой, чтобы запускать их прямо из вашего любимого файлового менеджера или браузера. + Можно ассоциировать файлы Hedgewars (сохранения и демки игр) с игрой, чтобы запускать их прямо из вашего любимого файлового менеджера или браузера. Want to save ropes? Release the rope in mid air and then shoot again. As long as you don't touch the ground you'll reuse your rope without wasting ammo! Tips - Хотите сэкономить верёвки? Отпустите верёвку в воздухе и стреляйте снова. Пока вы не затронете землю, вы можете использовать верёвку сколько угодно, не тратя дополнительных! + Хотите сэкономить верёвки? Отпустите верёвку в воздухе и стреляйте снова. Пока вы не затронете землю, вы можете использовать верёвку сколько угодно, не тратя дополнительных! You can find your Hedgewars configuration files under "Library/Application Support/Hedgewars" in your home directory. Create backups or take the files with you, but don't edit them by hand. Tips - Файлы конфигурации Hedgewars находятся в папке ""Library/Application Support/Hedgewars". Создавайте бэкапы или переносите файлы, но не редактируйте их вручную. + Файлы конфигурации Hedgewars находятся в папке ""Library/Application Support/Hedgewars". Создавайте бэкапы или переносите файлы, но не редактируйте их вручную. You can find your Hedgewars configuration files under ".hedgewars" in your home directory. Create backups or take the files with you, but don't edit them by hand. Tips - Файлы конфигурации Hedgewars находятся в папке ".hedgewars". Создавайте бэкапы или переносите файлы, но не редактируйте их вручную. + Файлы конфигурации Hedgewars находятся в папке ".hedgewars". Создавайте бэкапы или переносите файлы, но не редактируйте их вручную. The Windows version of Hedgewars supports Xfire. Make sure to add Hedgewars to its game list so your friends can see you playing. Tips - Версия Hedgewars под операционную систему Windows поддерживает Xfire. Не забудьте добавить Hedgewars в список игр, чтобы ваши друзья видели, когда вы в игре. + Версия Hedgewars под операционную систему Windows поддерживает Xfire. Не забудьте добавить Hedgewars в список игр, чтобы ваши друзья видели, когда вы в игре. Use the Molotov or Flame Thrower to temporary keep hedgehogs from passing terrain such as tunnels or platforms. Tips - Используйте Коктейль Молотова или Огнемёт, чтобы временно не дать ежам пройти через туннель или по платформе. + Используйте Коктейль Молотова или Огнемёт, чтобы временно не дать ежам пройти через туннель или по платформе. The Homing Bee can be tricky to use. Its turn radius depends on its velocity, so try to not use full power. Tips - Пчёлку можеть быть сложно использовать. Её радиус поворота зависит от скорости, поэтому попробуйте не использовать полную силу броска. + Пчёлку можеть быть сложно использовать. Её радиус поворота зависит от скорости, поэтому попробуйте не использовать полную силу броска. Downloadable Content @@ -807,7 +1177,7 @@ Local Game - Локальная игра + Локальная игра Play a game on a single computer @@ -815,7 +1185,7 @@ Network Game - Сетевая игра + Сетевая игра Play a game across a network @@ -845,6 +1215,14 @@ Edit game preferences Редактировать настройки игры + + Play a game across a local area network + + + + Play a game on an official server + + PageMultiplayer @@ -852,6 +1230,10 @@ Start Старт + + Edit game preferences + Редактировать настройки игры + PageNetGame @@ -859,24 +1241,32 @@ Control Управление + + Edit game preferences + Редактировать настройки игры + + + Start + Старт + PageNetType LAN game - Игра в локальной сети + Игра в локальной сети Official server - Официальный сервер + Официальный сервер Join hundreds of players online! - Присоединиться к сотням игроков! + Присоединиться к сотням игроков! Join or host your own game server in a Local Area Network. - Присоединиться или создать собственный сервер в локальной сети. + Присоединиться или создать собственный сервер в локальной сети. @@ -923,7 +1313,7 @@ General - Основные настройки + Основные настройки Advanced @@ -965,6 +1355,94 @@ System proxy settings Системные настройки + + Select an action to change what key controls it + + + + Reset to default + + + + Reset all binds + + + + Game + + + + Graphics + + + + Audio + + + + Controls + + + + Video Recording + + + + Network + + + + Teams + Команды + + + Schemes + + + + Weapons + Оружие + + + Frontend + + + + Custom colors + Свои цвета + + + Game audio + + + + Frontend audio + + + + Account + + + + Proxy settings + Настройки прокси + + + Miscellaneous + Разное + + + Updates + + + + Check for updates + + + + Video recording options + Настройки видео + PagePlayDemo @@ -1166,7 +1644,7 @@ PageSinglePlayer Simple Game - Простая игра + Простая игра Play a quick game against the computer with random settings @@ -1174,7 +1652,7 @@ Multiplayer - Схватка + Схватка Play a hotseat game against your friends, or AI teams @@ -1186,7 +1664,7 @@ Training Mode - Тренировка + Тренировка Practice your skills in a range of training missions @@ -1194,7 +1672,7 @@ Demos - Демки + Демки Watch recorded demos @@ -1202,7 +1680,7 @@ Load - Загрузить + Загрузить Load a previously saved game @@ -1252,11 +1730,11 @@ Date: - Дата: + Дата: Size: - Размер: + Размер: encoding @@ -1266,6 +1744,16 @@ uploading отправка + + Date: %1 + + + + + Size: %1 + + + QAction @@ -1275,7 +1763,7 @@ Start - Старт + Старт Restrict Joins @@ -1326,7 +1814,7 @@ Enable sound - Включить звук + Включить звук Fullscreen @@ -1342,11 +1830,11 @@ Enable music - Включить музыку + Включить музыку Frontend fullscreen - Полноэкранный фронтенд + Полноэкранный фронтенд Append date and time to record file name @@ -1358,15 +1846,15 @@ Enable frontend sounds - Включить звуки в меню + Включить звуки в меню Enable frontend music - Включить музыку в меню + Включить музыку в меню Frontend effects - Эффекты в меню + Эффекты в меню Save password @@ -1388,12 +1876,40 @@ Use game resolution Использовать разрешение игры + + Visual effects + + + + Sound + + + + In-game sound effects + + + + Music + + + + In-game music + + + + Frontend sound effects + + + + Frontend music + + QComboBox generated map... - случайная карта... + случайная карта... Human @@ -1409,11 +1925,11 @@ generated maze... - случайный лабиринт... + случайный лабиринт... Mission - Миссия + Миссия Community @@ -1433,7 +1949,7 @@ hand drawn map... - рисованная карта... + рисованная карта... Disabled @@ -1472,10 +1988,6 @@ - Wiggle - - - Red/Cyan grayscale @@ -1512,15 +2024,15 @@ Key binds - Привязки клавиш + Привязки клавиш Teams - Команды + Команды Audio/Graphic options - Настройки звука и графики + Настройки звука и графики Playing teams @@ -1544,23 +2056,23 @@ Misc - Разное + Разное Schemes and Weapons - Схемы игры и наборы оружия + Схемы игры и наборы оружия Custom colors - Свои цвета + Свои цвета Miscellaneous - Разное + Разное Video recording options - Настройки видео + Настройки видео Videos @@ -1572,7 +2084,7 @@ Proxy settings - Настройки прокси + Настройки прокси @@ -1595,19 +2107,19 @@ Developers: - Разработчики: + Разработчики: Art: - Графика: + Графика: Translations: - Переводы: + Переводы: Special thanks: - Особая благодарность: + Особая благодарность: Server name: @@ -1635,7 +2147,7 @@ Sounds: - Звуки: + Звуки: Initial sound volume @@ -1667,7 +2179,7 @@ Game scheme - Настройки игры + Настройки игры % Dud Mines @@ -1707,7 +2219,7 @@ This development build is 'work in progress' and may not be compatible with other versions of the game. Some features might be broken or incomplete. Use at your own risk! - Эта сборка является промежуточным этапом работы, и может быть несовместима с другими версиями игры. Некоторые возможности могут быть сломаны или недоработаны. Используйте на свой риск! + Эта сборка является промежуточным этапом работы, и может быть несовместима с другими версиями игры. Некоторые возможности могут быть сломаны или недоработаны. Используйте на свой риск! Quality @@ -1787,7 +2299,7 @@ Summary - Краткое описание + Краткое описание Description @@ -1817,6 +2329,38 @@ Bitrate (Kbps) + + This development build is 'work in progress' and may not be compatible with other versions of the game, while some features might be broken or incomplete! + + + + Fullscreen + Полный экран + + + Fullscreen Resolution + + + + Windowed Resolution + + + + Your Email + + + + Summary + + + + Send system information + + + + Type the security code: + + QLineEdit @@ -1856,7 +2400,7 @@ Please fill out all fields - Заполните все поля + Заполните все поля Error while authenticating at google.com: @@ -1905,18 +2449,6 @@ - Successfully posted the issue on hedgewars.googlecode.com - - - - Error during authentication at google.com - - - - Error reporting the issue, please try again later (or visit hedgewars.googlecode.com directly) - - - Main - Error @@ -2065,23 +2597,55 @@ Do you really want to delete the weapon set '%1'? + + Hedgewars - Nick not registered + + + + System Information Preview + + + + Failed to generate captcha + + + + Failed to download captcha + + + + Please fill out all fields. Email is optional. + + + + Hedgewars - Warning + + + + Hedgewars - Information + + + + Hedgewars + + QObject Nickname - Псевдоним + Псевдоним Please enter your nickname - Пожалуйста введите ваш псевдоним + Пожалуйста введите ваш псевдоним QPushButton Setup - Настройка + Настройка Play demo @@ -2137,11 +2701,11 @@ Ready - Готов + Готов Random Team - Случайная команда + Случайная команда Associate file extensions @@ -2149,7 +2713,7 @@ more - ещё + ещё More info @@ -2244,6 +2808,25 @@ + SeedPrompt + + The map seed is the basis for all random values generated by the game. + + + + Cancel + Отмена + + + Set seed + + + + Close + + + + SelWeaponWidget Weapon set @@ -2271,106 +2854,124 @@ + TeamShowWidget + + %1's team + + + + + ThemePrompt + + Select a theme for this map + + + + Cancel + Отмена + + + ToggleButtonWidget Vampirism - Вампиризм + Вампиризм Karma - Карма + Карма Artillery - Артиллерия + Артиллерия Fort Mode - Режим фортов + Режим фортов Divide Teams - Разделить команды + Разделить команды Solid Land - Неразрушаемая земля + Неразрушаемая земля Add Border - Добавить границу + Добавить границу Low Gravity - Низкая гравитация + Низкая гравитация Laser Sight - Лазерный прицел + Лазерный прицел Invulnerable - Неуязвимость + Неуязвимость Random Order - Случайный порядок + Случайный порядок King - Король + Король Place Hedgehogs - Расставить ежей + Расставить ежей Clan Shares Ammo - Общее оружие в клане + Общее оружие в клане Disable Girders - Убрать балки + Убрать балки Disable Land Objects - Отключить дополнительные объекты + Отключить дополнительные объекты AI Survival Mode - Режим бессмертия ботов + Режим бессмертия ботов Reset Health - Сброс уровня здоровья + Сброс уровня здоровья Unlimited Attacks - Бесконечные атаки + Бесконечные атаки Reset Weapons - Сброс оружия + Сброс оружия Per Hedgehog Ammo - Индивидуальный набор оружия + Индивидуальный набор оружия Disable Wind - Отключить ветер + Отключить ветер More Wind - Больше ветра + Больше ветра Tag Team - Эстафета команд + Эстафета команд Add Bottom Border - Добавить нижнюю границу + Добавить нижнюю границу @@ -2494,7 +3095,7 @@ hedgehogs info - информация + информация о ежах @@ -2545,31 +3146,51 @@ record записать + + hedgehog info + + binds (categories) Basic controls - Основное управление + Основное управление Weapon controls - Управление оружием + Управление оружием Camera and cursor controls - Управление камерой и курсором + Управление камерой и курсором Other - Разное + Разное + + + Movement + + + + Weapons + Оружие + + + Camera + + + + Miscellaneous + Разное binds (descriptions) Move your hogs and aim: - Передвижение ежа и прицеливание: + Передвижение ежа и прицеливание: Traverse gaps and obstacles by jumping: @@ -2635,6 +3256,10 @@ Record video: Запись видео: + + Hedgehog movement + + binds (keys) @@ -2955,4 +3580,119 @@ + + server + + Illegal nickname + + + + Protocol already known + + + + Bad number + + + + bye + пока + + + Empty config entry + + + + Not room master + + + + Corrupted hedgehogs info + + + + too many teams + слишком много команд + + + too many hedgehogs + слишком много ежей + + + There's already a team with same name in the list + В списке уже есть команда с таким именем + + + round in progress + идёт матч + + + restricted + ограничено + + + REMOVE_TEAM: no such team + + + + Not team owner! + + + + Less than two clans! + + + + Room with such name already exists + + + + Illegal room name + + + + No such room + + + + Joining restricted + + + + Registered users only + + + + You are banned in this room + + + + Nickname is already in use + + + + No checker rights + + + + Authentication failed + + + + 60 seconds cooldown after kick + + + + kicked + + + + Ping timeout + + + + Nickname already chosen + + + diff -r 33ab77c0b486 -r 87410ae372f6 share/hedgewars/Data/Locale/hedgewars_sk.ts --- a/share/hedgewars/Data/Locale/hedgewars_sk.ts Fri Jan 18 11:47:23 2013 +0100 +++ b/share/hedgewars/Data/Locale/hedgewars_sk.ts Sat Jan 19 00:51:28 2013 +0400 @@ -20,6 +20,115 @@ + BanDialog + + 10 minutes + + + + 30 minutes + + + + 1 hour + + + + 3 hours + + + + 5 hours + + + + 24 hours + + + + 3 days + + + + 7 days + + + + 14 days + + + + permanent + + + + IP + IP + + + Nick + + + + IP/Nick + + + + Reason + + + + Duration + + + + Ok + + + + Cancel + Zrušiť + + + you know why + + + + Warning + + + + Please, specify %1 + + + + nickname + + + + + DataManager + + Use Default + + + + + FeedbackDialog + + View + + + + Cancel + Zrušiť + + + Send Feedback + + + + FreqSpinBox Never @@ -46,12 +155,16 @@ When this option is enabled selecting a game scheme will auto-select a weapon - Keď je vybraná táto voľba výberom hernej schémy vyberiete automaticky aj zbraň + Keď je vybraná táto voľba výberom hernej schémy vyberiete automaticky aj zbraň Game Options Voľby hry + + Game scheme will auto-select a weapon + + HWAskQuitDialog @@ -104,7 +217,7 @@ %1 is not a valid command! - %1 nie je platným príkazom! + %1 nie je platným príkazom! @@ -144,7 +257,7 @@ registered on Hedgewars.org Please provide your password below or pick another nickname in game config: - Prezývka %1, ktorú ste + Prezývka %1, ktorú ste si vybrali je registrovaná na Hedgewars.org. Prosím, napíšte heslo do poľa @@ -153,7 +266,7 @@ No password supplied. - Nebolo zadané žiadne heslo. + Nebolo zadané žiadne heslo. Nickname @@ -168,6 +281,59 @@ Please pick another nickname: Prezývku %1 už niekto na serveri používa. Prosím, zvoľte si inú prezývku: + + %1's Team + + + + Hedgewars - Nick registered + + + + This nick is registered, and you haven't specified a password. + +If this nick isn't yours, please register your own nick at www.hedgewars.org + +Password: + + + + Your nickname is not registered. +To prevent someone else from using it, +please register it at www.hedgewars.org + + + + + +Your password wasn't saved either. + + + + Hedgewars - Empty nickname + + + + Hedgewars - Wrong password + + + + You entered a wrong password. + + + + Try Again + + + + Hedgewars - Connection error + + + + You reconnected too fast. +Please wait a few seconds and try again. + + HWGame @@ -184,15 +350,15 @@ HWMapContainer Map - Mapa + Mapa Themes - Témy + Témy Filter - Filter + Filter All @@ -220,7 +386,7 @@ Type - Typ + Typ Small tunnels @@ -232,19 +398,19 @@ Large tunnels - Veľké tunely + Veľké tunely Small floating islands - Malé plávajúce ostrovčeky + Malé plávajúce ostrovčeky Medium floating islands - Stredné plávajúce ostrovčeky + Stredné plávajúce ostrovčeky Large floating islands - Veľké plávajúce ostrovčeky + Veľké plávajúce ostrovčeky Seed @@ -252,7 +418,95 @@ Set - Nastaviť + Nastaviť + + + Map type: + + + + Image map + + + + Mission map + + + + Hand-drawn + Ručne kreslená + + + Randomly generated + + + + Random maze + + + + Random + Náhodné + + + Map preview: + + + + Load map drawing + + + + Edit map drawing + + + + Largetunnels + + + + Small islands + + + + Medium islands + + + + Large islands + + + + Map size: + + + + Maze style: + + + + Mission: + + + + Map: + + + + Theme: + + + + Load drawn map + Načítať nakreslenú mapu + + + Drawn Maps + Kreslené mapy + + + All files + Všetky súbory @@ -325,7 +579,11 @@ HWPasswordDialog Password - Heslo + Heslo + + + Login + @@ -340,6 +598,32 @@ + HatButton + + Change hat (%1) + + + + + HatPrompt + + Select a hat + + + + Filter: + + + + Cancel + Zrušiť + + + Use selected hat + + + + KB SDL_ttf returned error while rendering text, most propably it is related to the bug in freetype2. It's recommended to update your freetype lib. @@ -347,6 +631,13 @@ + KeyBinder + + Category + + + + LibavInteraction Duration: %1m %2s @@ -365,6 +656,17 @@ Audio: Zvuk: + + unknown + + + + + MapModel + + No description available. + + PageAdmin @@ -396,6 +698,38 @@ Set data Nastaviť dáta + + General + Všeobecné + + + Bans + + + + IP/Nick + + + + Expiration + + + + Reason + + + + Refresh + + + + Add + + + + Remove + + PageConnecting @@ -451,7 +785,43 @@ Advanced - Pokročilé + Pokročilé + + + Select an action to choose a custom key bind for this team + + + + Use my default + + + + Reset all binds + + + + Custom Controls + + + + Hat + Klobúk + + + Name + Meno + + + This hedgehog's name + + + + Randomize this hedgehog's name + + + + Random Team + Náhodný tím @@ -540,247 +910,247 @@ Simply pick the same color as a friend to play together as a team. Each of you will still control his or her own hedgehogs but they'll win or lose together. Tips - Ak chcete hrať s priateľom ako tím, jednoducho si zvoľte tú istú farbu. I naďalej budete ovládať svojich vlastných ježkov, ale víťazstvá či prehry budú spoločné. + Ak chcete hrať s priateľom ako tím, jednoducho si zvoľte tú istú farbu. I naďalej budete ovládať svojich vlastných ježkov, ale víťazstvá či prehry budú spoločné. Some weapons might do only low damage but they can be a lot more devastating in the right situation. Try to use the Desert Eagle to knock multiple hedgehogs into the water. Tips - Niektoré zbrane môžu spôsobovať málo škody, ale dokážu byť oveľa účinnejšie v tej správnej situácii. Skúste použiť Desert Eagle na zostrelenie viacerých ježkov do vody. + Niektoré zbrane môžu spôsobovať málo škody, ale dokážu byť oveľa účinnejšie v tej správnej situácii. Skúste použiť Desert Eagle na zostrelenie viacerých ježkov do vody. If you're unsure what to do and don't want to waste ammo, skip one round. But don't let too much time pass as there will be Sudden Death! Tips - Ak neviete, čo robiť a nechcete mrhať muníciou, preskočte ťah. Ale nerobte tak príliš často, pretože príde Náhla smrť! + Ak neviete, čo robiť a nechcete mrhať muníciou, preskočte ťah. Ale nerobte tak príliš často, pretože príde Náhla smrť! If you'd like to keep others from using your preferred nickname on the official server, register an account at http://www.hedgewars.org/. Tips - Ak nechcete, aby niekto iný používal vašu prezývku na oficiálnom serveri, registrujte si účet na http://www.hedgewars.org/. + Ak nechcete, aby niekto iný používal vašu prezývku na oficiálnom serveri, registrujte si účet na http://www.hedgewars.org/. You're bored of default gameplay? Try one of the missions - they'll offer different gameplay depending on the one you picked. Tips - Nudí vás štandardná hra? Vyskúšajte si jednu z misii - ponúkajú iný herný zážitok v závislosti na tom, akú si vyberiete. + Nudí vás štandardná hra? Vyskúšajte si jednu z misii - ponúkajú iný herný zážitok v závislosti na tom, akú si vyberiete. By default the game will always record the last game played as a demo. Select 'Local Game' and pick the 'Demos' button on the lower right corner to play or manage them. Tips - Vo východzom nastavení sa posledná hra automaticky ukladá ako demo. Vyberte 'Miestna hra' a kliknite na tlačidlo 'Demá' v pravom dolnom rohu, ak si chcete demo uložiť alebo prehrať. + Vo východzom nastavení sa posledná hra automaticky ukladá ako demo. Vyberte 'Miestna hra' a kliknite na tlačidlo 'Demá' v pravom dolnom rohu, ak si chcete demo uložiť alebo prehrať. Hedgewars is Open Source and Freeware we create in our spare time. If you've got problems, ask on our forums but please don't expect 24/7 support! Tips - Hedgewars je Open Source a Freeware, ktorý vytvárame vo voľnom čase. Ak máte problém, spýtajte sa na fóre, ale nečakajte podporu 24 hodín v týždni! + Hedgewars je Open Source a Freeware, ktorý vytvárame vo voľnom čase. Ak máte problém, spýtajte sa na fóre, ale nečakajte podporu 24 hodín v týždni! Hedgewars is Open Source and Freeware we create in our spare time. If you like it, help us with a small donation or contribute your own work! Tips - Hedgewars je Open Source a Freeware, ktorý vytvárame vo voľnom čase. Ak chcete pomôcť, môžete nám zaslať malú finančnú výpomoc alebo prispieť vlastnou prácou! + Hedgewars je Open Source a Freeware, ktorý vytvárame vo voľnom čase. Ak chcete pomôcť, môžete nám zaslať malú finančnú výpomoc alebo prispieť vlastnou prácou! Hedgewars is Open Source and Freeware we create in our spare time. Share it with your family and friends as you like! Tips - Hedgewars je Open Source a Freeware, ktorý vytvárame vo voľnom čase. Podeľte sa oň so svojou rodinou a priateľmi! + Hedgewars je Open Source a Freeware, ktorý vytvárame vo voľnom čase. Podeľte sa oň so svojou rodinou a priateľmi! From time to time there will be official tournaments. Upcoming events will be announced at http://www.hedgewars.org/ some days in advance. Tips - Z času na čas bývajú usporiadavané oficiálne turnaje. Najbližšie akcie sú vždy uverejnené na http://www.hedgewars.org/ pár dní dopredu. + Z času na čas bývajú usporiadavané oficiálne turnaje. Najbližšie akcie sú vždy uverejnené na http://www.hedgewars.org/ pár dní dopredu. Hedgewars is available in many languages. If the translation in your language seems to be missing or outdated, feel free to contact us! Tips - Hedgewars je dostupný v mnohých jazykoch. Ak preklad do vašej reči chýba alebo nie je aktuálny, prosím, kontaktujte nás! + Hedgewars je dostupný v mnohých jazykoch. Ak preklad do vašej reči chýba alebo nie je aktuálny, prosím, kontaktujte nás! Hedgewars can be run on lots of different operating systems including Microsoft Windows, Mac OS X and Linux. Tips - Hedgewars beží na množstve rozličných operačných systémov vrátane Microsoft Windows, Mac OS X a Linuxu. + Hedgewars beží na množstve rozličných operačných systémov vrátane Microsoft Windows, Mac OS X a Linuxu. Always remember you're able to set up your own games in local and network/online play. You're not restricted to the 'Simple Game' option. Tips - Nezabudnite, že si vždy môžete vytvoriť vlastnú lokálnu alebo sieťovú/online hru. Nie ste obmedzený len na voľbu 'Jednoduchá hra'. + Nezabudnite, že si vždy môžete vytvoriť vlastnú lokálnu alebo sieťovú/online hru. Nie ste obmedzený len na voľbu 'Jednoduchá hra'. While playing you should give yourself a short break at least once an hour. Tips - Mali by ste si dopriať krátky odpočinok po každej hodine hry. + Mali by ste si dopriať krátky odpočinok po každej hodine hry. If your graphics card isn't able to provide hardware accelerated OpenGL, try to enable the low quality mode to improve performance. Tips - Ak vaša grafická karta nie je schopná poskytnúť hardvérovo akcelerované OpenGL, skúste povoliť režim nízkej kvality, aby ste dosiahli požadovaný výkon. + Ak vaša grafická karta nie je schopná poskytnúť hardvérovo akcelerované OpenGL, skúste povoliť režim nízkej kvality, aby ste dosiahli požadovaný výkon. We're open to suggestions and constructive feedback. If you don't like something or got a great idea, let us know! Tips - Sme otvorení novým nápadom a konštruktívnej kritike. Ak sa vám niečo nepáči alebo máte skvelý nápad, dajte nám vedieť! + Sme otvorení novým nápadom a konštruktívnej kritike. Ak sa vám niečo nepáči alebo máte skvelý nápad, dajte nám vedieť! Especially while playing online be polite and always remember there might be some minors playing with or against you as well! Tips - Obzvlášť pri hre online buďte slušný a pamätajte, že s vami alebo proti vám môžu hrať tiež neplnoletí! + Obzvlášť pri hre online buďte slušný a pamätajte, že s vami alebo proti vám môžu hrať tiež neplnoletí! Special game modes such as 'Vampirism' or 'Karma' allow you to develop completely new tactics. Try them in a custom game! Tips - Špeciálne herné režimy ako 'Vampírizmus' alebo 'Karma' vám umožnia vyvinúť úplne novú taktiku. Vyskúšajte ich vo vlastnej hre! + Špeciálne herné režimy ako 'Vampírizmus' alebo 'Karma' vám umožnia vyvinúť úplne novú taktiku. Vyskúšajte ich vo vlastnej hre! You should never install Hedgewars on computers you don't own (school, university, work, etc.). Please ask the responsible person instead! Tips - Nikdy by ste nemali inštalovať Hedgewars na cudzí počítač (v škole, na univerzite, v práci, atď). Prosím, radšej požiadajte zodpovednú osobu! + Nikdy by ste nemali inštalovať Hedgewars na cudzí počítač (v škole, na univerzite, v práci, atď). Prosím, radšej požiadajte zodpovednú osobu! Hedgewars can be perfect for short games during breaks. Just ensure you don't add too many hedgehogs or use an huge map. Reducing time and health might help as well. Tips - Hedgewars môže byť výborná hra, ak máte krátku chvíľku počas prestávky. Iba sa uistite, že nepoužijete príliš veľa ježkov alebo príliš veľkú mapu. Rovnako môže pomocť zníženie času a zdravia. + Hedgewars môže byť výborná hra, ak máte krátku chvíľku počas prestávky. Iba sa uistite, že nepoužijete príliš veľa ježkov alebo príliš veľkú mapu. Rovnako môže pomocť zníženie času a zdravia. No hedgehogs were harmed in making this game. Tips - Počas tvorby tejto hry nebolo ublížené žiadnemu ježkovi. + Počas tvorby tejto hry nebolo ublížené žiadnemu ježkovi. Hedgewars is Open Source and Freeware we create in our spare time. If someone sold you the game, you should try get a refund! Tips - Hedgewars je Open Source a Freeware, ktorý vytvárame vo voľnom čase. Ak vám niekto túto hru predal, skúste žiadať o refundáciu! + Hedgewars je Open Source a Freeware, ktorý vytvárame vo voľnom čase. Ak vám niekto túto hru predal, skúste žiadať o refundáciu! Connect one or more gamepads before starting the game to be able to assign their controls to your teams. Tips - Ak chcete pre hru použiť jeden alebo viacero gamepadov, pripojte ich pred spustením hry. + Ak chcete pre hru použiť jeden alebo viacero gamepadov, pripojte ich pred spustením hry. Create an account on %1 to keep others from using your most favourite nickname while playing on the official server. Tips - Vytvorte si účet na %1, aby ste tak zabránili ostatným používať vašu obľúbenú prezývku počas hrania na oficiálnom serveri. + Vytvorte si účet na %1, aby ste tak zabránili ostatným používať vašu obľúbenú prezývku počas hrania na oficiálnom serveri. If your graphics card isn't able to provide hardware accelerated OpenGL, try to update the associated drivers. Tips - Ak vaša grafická karta nie je schopná poskytnúť hardvérovo akcelerované OpenGL, skúste aktualizovať príslušné ovládače. + Ak vaša grafická karta nie je schopná poskytnúť hardvérovo akcelerované OpenGL, skúste aktualizovať príslušné ovládače. There are three different jumps available. Tap [high jump] twice to do a very high/backwards jump. Tips - Dostupné sú tri rôzne výskoky. Dvakrát stlačte [vysoký skok] pre veľmi vysoký skok vzad. + Dostupné sú tri rôzne výskoky. Dvakrát stlačte [vysoký skok] pre veľmi vysoký skok vzad. Afraid of falling off a cliff? Hold down [precise] to turn [left] or [right] without actually moving. Tips - Bojíte sa pádu z útesu? Podržte [presné mierenie] a stlačte [doľava] alebo [doprava] pre otočenie na mieste. + Bojíte sa pádu z útesu? Podržte [presné mierenie] a stlačte [doľava] alebo [doprava] pre otočenie na mieste. Some weapons require special strategies or just lots of training, so don't give up on a particular tool if you miss an enemy once. Tips - Niektoré zbrane vyžaduju osobitnú stratégiu alebo len veľa tréningu, takže to s vybranou zbraňou nevzdávajte, ak sa vám nepodarí trafiť nepriateľa. + Niektoré zbrane vyžaduju osobitnú stratégiu alebo len veľa tréningu, takže to s vybranou zbraňou nevzdávajte, ak sa vám nepodarí trafiť nepriateľa. Most weapons won't work once they touch the water. The Homing Bee as well as the Cake are exceptions to this. Tips - Väčšina zbraní prestane fungovať pri kontakte s vodou. Navádzané včela a Torta sú výnimkami z tohto pravidla. + Väčšina zbraní prestane fungovať pri kontakte s vodou. Navádzané včela a Torta sú výnimkami z tohto pravidla. The Old Limbuger only causes a small explosion. However the wind affected smelly cloud can poison lots of hogs at once. Tips - Starý cheeseburger spôsobí len malú explóziu. Obláčik smradu, ktorý je ovplyvňovaný vetrom, však dokáže otráviť množstvo ježkov. + Starý cheeseburger spôsobí len malú explóziu. Obláčik smradu, ktorý je ovplyvňovaný vetrom, však dokáže otráviť množstvo ježkov. The Piano Strike is the most damaging air strike. You'll lose the hedgehog performing it, so there's a huge downside as well. Tips - Klavírový útok je najničivejší vzdušný útok. Pri jeho použití prídete o ježka, čo je jeho veľké mínus. + Klavírový útok je najničivejší vzdušný útok. Pri jeho použití prídete o ježka, čo je jeho veľké mínus. Sticky Mines are a perfect tool to create small chain reactions knocking enemy hedgehogs into dire situations ... or water. Tips - Lepkavé míny sú perfektným nástrojom na vytvorenie malých reťazových reakcii, vďaka ktorým postavíte ježkov do krajných situácii ... alebo vody. + Lepkavé míny sú perfektným nástrojom na vytvorenie malých reťazových reakcii, vďaka ktorým postavíte ježkov do krajných situácii ... alebo vody. The Hammer is most effective when used on bridges or girders. Hit hogs will just break through the ground. Tips - Kladivo je najefektívnejšie pri použití na mostoch alebo trámoch. Zasiahnutí ježkovia prerazia zem. + Kladivo je najefektívnejšie pri použití na mostoch alebo trámoch. Zasiahnutí ježkovia prerazia zem. If you're stuck behind an enemy hedgehog, use the Hammer to free yourself without getting damaged by an explosion. Tips - Ak ste zaseknutý za nepriateľským ježkom, použite kladivo, aby ste sa oslobodili bez toho, aby vám ublížila explózia. + Ak ste zaseknutý za nepriateľským ježkom, použite kladivo, aby ste sa oslobodili bez toho, aby vám ublížila explózia. The Cake's maximum walking distance depends on the ground it has to pass. Use [attack] to detonate it early. Tips - Maximálna prejdená vzdialenosť torty zavisí na zemi, ktorou musí prejsť. Použitie [útok], ak chcete spustiť detonáciu skôr. + Maximálna prejdená vzdialenosť torty zavisí na zemi, ktorou musí prejsť. Použitie [útok], ak chcete spustiť detonáciu skôr. The Flame Thrower is a weapon but it can be used for tunnel digging as well. Tips - Plameňomet je zbraň, no rovnako môže byť použitý na kopanie tunelov. + Plameňomet je zbraň, no rovnako môže byť použitý na kopanie tunelov. Want to know who's behind the game? Click on the Hedgewars logo in the main menu to see the credits. Tips - Chcete vedieť, kto stojí za hrou? Kliknite na logo Hedgewars v hlavnom menu pre zobrazenie zásluh. + Chcete vedieť, kto stojí za hrou? Kliknite na logo Hedgewars v hlavnom menu pre zobrazenie zásluh. Feel free to draw your own graves, hats, flags or even maps and themes! But note that you'll have to share them somewhere to use them online. Tips - Ak máte chuť, môžte si nakresliť vlastné hrobčeky, klobúky, vlajky alebo dokonca mapy a témy! Pamätajte však, že ak ich budete chcieť použiť v hre online, budete ich musieť zdieľať s ostatnými. + Ak máte chuť, môžte si nakresliť vlastné hrobčeky, klobúky, vlajky alebo dokonca mapy a témy! Pamätajte však, že ak ich budete chcieť použiť v hre online, budete ich musieť zdieľať s ostatnými. Really want to wear a specific hat? Donate to us and receive an exclusive hat of your choice! Tips - Chcete nosiť špecifický klobúk? Prispejte nám a ako odmenu získate exkluzívny klobúk podľa vášho výberu! + Chcete nosiť špecifický klobúk? Prispejte nám a ako odmenu získate exkluzívny klobúk podľa vášho výberu! Keep your video card drivers up to date to avoid issues playing the game. Tips - Aby ste sa vyhli problémom pri hre, udržujte ovládače vašej grafickej karty vždy aktuálne. + Aby ste sa vyhli problémom pri hre, udržujte ovládače vašej grafickej karty vždy aktuálne. You can find your Hedgewars configuration files under "My Documents\Hedgewars". Create backups or take the files with you, but don't edit them by hand. Tips - Konfiguračné súbory Hedgewars nájdete v "Moje Dokumenty\Hedgewars". Vytvárajte si zálohy alebo prenášajte si tieto súbory medzi počítačmi, ale needitujte ich ručne. + Konfiguračné súbory Hedgewars nájdete v "Moje Dokumenty\Hedgewars". Vytvárajte si zálohy alebo prenášajte si tieto súbory medzi počítačmi, ale needitujte ich ručne. Want to save ropes? Release the rope in mid air and then shoot again. As long as you don't touch the ground you'll reuse your rope without wasting ammo! Tips - Chcete ušetriť lano? Kým ste vo vzduchu, uvoľnite ho a opäť vystreľte. Kým sa nedotknete zeme, môžete to isté lano znovu použiť bez toho, aby sa vám míňali jeho zásoby! + Chcete ušetriť lano? Kým ste vo vzduchu, uvoľnite ho a opäť vystreľte. Kým sa nedotknete zeme, môžete to isté lano znovu použiť bez toho, aby sa vám míňali jeho zásoby! Like Hedgewars? Become a fan on %1 or follow us on %2! Tips - Páčia sa vám Hedgewars? Staňte sa fanúšikom na %1 alebo sa pripojte k našej skupine na %2. Môžte nás tiež nasledovať na %3! + Páčia sa vám Hedgewars? Staňte sa fanúšikom na %1 alebo sa pripojte k našej skupine na %2. Môžte nás tiež nasledovať na %3! You're able to associate Hedgewars related files (savegames and demo recordings) with the game to launch them right from your favorite file or internet browser. Tips - Môžte priradiť súbory patriace Hedgewars (uložené hry a nahrávky záznamov) ku hre, čím sa vám budú otvárať priamo z vášho obľubeného prehliadača súborov alebo internetu. + Môžte priradiť súbory patriace Hedgewars (uložené hry a nahrávky záznamov) ku hre, čím sa vám budú otvárať priamo z vášho obľubeného prehliadača súborov alebo internetu. You can find your Hedgewars configuration files under "Library/Application Support/Hedgewars" in your home directory. Create backups or take the files with you, but don't edit them by hand. Tips - Konfiguračné súbory Hedgewars nájdete v "Library/Application Support/Hedgewars" vo vašom domovskom adresári. Vytvárajte si zálohy alebo prenášajte si tieto súbory medzi počítačmi, ale needitujte ich ručne. + Konfiguračné súbory Hedgewars nájdete v "Library/Application Support/Hedgewars" vo vašom domovskom adresári. Vytvárajte si zálohy alebo prenášajte si tieto súbory medzi počítačmi, ale needitujte ich ručne. You can find your Hedgewars configuration files under ".hedgewars" in your home directory. Create backups or take the files with you, but don't edit them by hand. Tips - Konfiguračné súbory Hedgewars nájdete v ".hedgewars" vo vašom domovskom adresári. Vytvárajte si zálohy alebo prenášajte si tieto súbory medzi počítačmi, ale needitujte ich ručne. + Konfiguračné súbory Hedgewars nájdete v ".hedgewars" vo vašom domovskom adresári. Vytvárajte si zálohy alebo prenášajte si tieto súbory medzi počítačmi, ale needitujte ich ručne. The Windows version of Hedgewars supports Xfire. Make sure to add Hedgewars to its game list so your friends can see you playing. Tips - Hedgewars vo verzii pre Windows podporujú Xfire. Pridajte si Hedgewars do vášho zoznamu hier tak, aby vás vaši priatelia videli hrať. + Hedgewars vo verzii pre Windows podporujú Xfire. Pridajte si Hedgewars do vášho zoznamu hier tak, aby vás vaši priatelia videli hrať. Use the Molotov or Flame Thrower to temporary keep hedgehogs from passing terrain such as tunnels or platforms. Tips - Použite Molotovov koktejl alebo plameňomet na dočasné zabránenie ježkom prejsť terénom ako sú tunely alebo plošiny. + Použite Molotovov koktejl alebo plameňomet na dočasné zabránenie ježkom prejsť terénom ako sú tunely alebo plošiny. The Homing Bee can be tricky to use. Its turn radius depends on its velocity, so try to not use full power. Tips - Navádzaná včela je trošku zložitejšia na použitie. Jej polomer otočenia závisí na jej rýchlosti, takže ju radšej nepoužívajte pri plnej sile. + Navádzaná včela je trošku zložitejšia na použitie. Jej polomer otočenia závisí na jej rýchlosti, takže ju radšej nepoužívajte pri plnej sile. Downloadable Content @@ -788,7 +1158,7 @@ Local Game - Miestna hra + Miestna hra Play a game on a single computer @@ -796,7 +1166,7 @@ Network Game - Hra na sieti + Hra na sieti Play a game across a network @@ -826,6 +1196,14 @@ Edit game preferences Upraviť nastavenia hry + + Play a game across a local area network + + + + Play a game on an official server + + PageMultiplayer @@ -833,6 +1211,10 @@ Start Štart + + Edit game preferences + Upraviť nastavenia hry + PageNetGame @@ -844,24 +1226,32 @@ Downloadable Content Stiahnuteľný obsah + + Edit game preferences + Upraviť nastavenia hry + + + Start + + PageNetType LAN game - LAN hra + LAN hra Official server - Oficiálny server + Oficiálny server Join hundreds of players online! - Pripojte sa ku stovkám hráčov online! + Pripojte sa ku stovkám hráčov online! Join or host your own game server in a Local Area Network. - Pripojiť sa k existujúcej hre alebo vytvoriť vlastnú hru na miestnej sieti. + Pripojiť sa k existujúcej hre alebo vytvoriť vlastnú hru na miestnej sieti. @@ -908,7 +1298,7 @@ General - Všeobecné + Všeobecné Advanced @@ -950,6 +1340,94 @@ System proxy settings Systémové nastavenia proxy + + Select an action to change what key controls it + + + + Reset to default + + + + Reset all binds + + + + Game + + + + Graphics + + + + Audio + + + + Controls + + + + Video Recording + + + + Network + + + + Teams + Tímy + + + Schemes + + + + Weapons + Výzbroj + + + Frontend + + + + Custom colors + Vlastné farby + + + Game audio + + + + Frontend audio + + + + Account + + + + Proxy settings + Nastavenia proxy + + + Miscellaneous + Rozličné + + + Updates + + + + Check for updates + + + + Video recording options + Voľby nahrávania videa + PagePlayDemo @@ -1151,7 +1629,7 @@ PageSinglePlayer Simple Game - Jednoduchá hra + Jednoduchá hra Play a quick game against the computer with random settings @@ -1159,7 +1637,7 @@ Multiplayer - Hra viacerých hráčov + Hra viacerých hráčov Play a hotseat game against your friends, or AI teams @@ -1171,7 +1649,7 @@ Training Mode - Tréningový režim + Tréningový režim Practice your skills in a range of training missions @@ -1179,7 +1657,7 @@ Demos - Demá + Demá Watch recorded demos @@ -1187,7 +1665,7 @@ Load - Načítať + Načítať Load a previously saved game @@ -1237,11 +1715,11 @@ Date: - Dátum: + Dátum: Size: - Veľkosť: + Veľkosť: encoding @@ -1251,6 +1729,16 @@ uploading uploadujem + + Date: %1 + + + + + Size: %1 + + + QAction @@ -1260,7 +1748,7 @@ Start - Spustiť + Spustiť Restrict Joins @@ -1315,7 +1803,7 @@ Enable sound - Povoliť zvuky + Povoliť zvuky Show FPS @@ -1327,11 +1815,11 @@ Frontend fullscreen - Frontend na celú obrazovku + Frontend na celú obrazovku Enable music - Povoliť hudbu + Povoliť hudbu Append date and time to record file name @@ -1343,15 +1831,15 @@ Enable frontend sounds - Povoliť zvuky vo frontende + Povoliť zvuky vo frontende Enable frontend music - Povoliť hudbu vo frontende + Povoliť hudbu vo frontende Frontend effects - Efekty vo frontende + Efekty vo frontende Save password @@ -1373,12 +1861,40 @@ Use game resolution Použiť rozlíšenie hry + + Visual effects + + + + Sound + + + + In-game sound effects + + + + Music + + + + In-game music + + + + Frontend sound effects + + + + Frontend music + + QComboBox generated map... - vygenerovaná mapa... + vygenerovaná mapa... Human @@ -1394,11 +1910,11 @@ generated maze... - vygenerované bludisko.. + vygenerované bludisko.. Mission - Misia + Misia Community @@ -1418,7 +1934,7 @@ hand drawn map... - ručne kreslená mapa... + ručne kreslená mapa... Disabled @@ -1458,7 +1974,7 @@ Wiggle - Triasť + Triasť Red/Cyan grayscale @@ -1493,7 +2009,7 @@ Key binds - Nastavenia kláves + Nastavenia kláves Fort @@ -1501,11 +2017,11 @@ Teams - Tímy + Tímy Audio/Graphic options - Nastavenia zvuku/grafiky + Nastavenia zvuku/grafiky Net game @@ -1529,23 +2045,23 @@ Misc - Rozličné + Rozličné Schemes and Weapons - Schémy a zbrane + Schémy a zbrane Custom colors - Vlastné farby + Vlastné farby Miscellaneous - Rozličné + Rozličné Video recording options - Voľby nahrávania videa + Voľby nahrávania videa Videos @@ -1557,7 +2073,7 @@ Proxy settings - Nastavenia proxy + Nastavenia proxy @@ -1572,19 +2088,19 @@ Developers: - Vývojári: + Vývojári: Art: - Grafika: + Grafika: Translations: - Preklady: + Preklady: Special thanks: - Osobitné poďakovanie: + Osobitné poďakovanie: Weapons @@ -1620,7 +2136,7 @@ Sounds: - Zvuky: + Zvuky: Initial sound volume @@ -1628,7 +2144,7 @@ Game scheme - Schéma hry + Schéma hry Damage Modifier @@ -1692,7 +2208,7 @@ This development build is 'work in progress' and may not be compatible with other versions of the game. Some features might be broken or incomplete. Use at your own risk! - Toto zostavenie je 'stále-vo-vývoji' a nemusí byť kompatibilné s inými verziami hry. + Toto zostavenie je 'stále-vo-vývoji' a nemusí byť kompatibilné s inými verziami hry. Niektoré vlastnosti nemusia fungovať alebo nemusia byť dokončené. Používajte na vlastné riziko! @@ -1771,7 +2287,7 @@ Summary - Sumár + Sumár Description @@ -1801,6 +2317,38 @@ Bitrate (Kbps) Bitový tok (Kbps) + + This development build is 'work in progress' and may not be compatible with other versions of the game, while some features might be broken or incomplete! + + + + Fullscreen + Celá obrazovka + + + Fullscreen Resolution + + + + Windowed Resolution + + + + Your Email + + + + Summary + + + + Send system information + + + + Type the security code: + + QLineEdit @@ -1840,7 +2388,7 @@ Please fill out all fields - Prosím, vyplňte všetky polia + Prosím, vyplňte všetky polia Error while authenticating at google.com: @@ -1890,15 +2438,15 @@ Successfully posted the issue on hedgewars.googlecode.com - Popis problému bol úspešne odoslaný na hedgewars.google.com + Popis problému bol úspešne odoslaný na hedgewars.google.com Error during authentication at google.com - Chyba počas autentizácie voči google.com + Chyba počas autentizácie voči google.com Error reporting the issue, please try again later (or visit hedgewars.googlecode.com directly) - Chyba pri hlásení problému, skúste to prosím neskôr (alebo navštívte priamo hedgewars.googlecode.com) + Chyba pri hlásení problému, skúste to prosím neskôr (alebo navštívte priamo hedgewars.googlecode.com) Main - Error @@ -2052,16 +2600,48 @@ Do you really want to delete the weapon set '%1'? Naozaj chcete vymazať sadu zbraní '%1'? + + Hedgewars - Nick not registered + + + + System Information Preview + + + + Failed to generate captcha + + + + Failed to download captcha + + + + Please fill out all fields. Email is optional. + + + + Hedgewars - Warning + + + + Hedgewars - Information + + + + Hedgewars + + QObject Nickname - Prezývka + Prezývka Please enter your nickname - Prosím, zadajte vašu prezývku + Prosím, zadajte vašu prezývku @@ -2120,15 +2700,15 @@ Setup - Nastavenie + Nastavenie Ready - Pripravený + Pripravený Random Team - Náhodný tím + Náhodný tím Associate file extensions @@ -2136,7 +2716,7 @@ more - viac + viac More info @@ -2231,6 +2811,25 @@ + SeedPrompt + + The map seed is the basis for all random values generated by the game. + + + + Cancel + Zrušiť + + + Set seed + + + + Close + + + + SelWeaponWidget Weapon set @@ -2258,106 +2857,124 @@ + TeamShowWidget + + %1's team + + + + + ThemePrompt + + Select a theme for this map + + + + Cancel + Zrušiť + + + ToggleButtonWidget Vampirism - Režím vampíra + Režím vampíra Karma - Karma + Karma Artillery - Delostrelectvo + Delostrelectvo Fort Mode - Režim pevností + Režim pevností Divide Teams - Rozdeliť tímy + Rozdeliť tímy Solid Land - Nezničiteľná zem + Nezničiteľná zem Add Border - Pridať okraj + Pridať okraj Low Gravity - Nízka gravitácia + Nízka gravitácia Laser Sight - Laserové zameriavanie + Laserové zameriavanie Invulnerable - Nesmrteľnosť + Nesmrteľnosť Random Order - Náhodné poradie + Náhodné poradie King - Kráľ + Kráľ Place Hedgehogs - Umiestňovať ježkov + Umiestňovať ježkov Clan Shares Ammo - Klan zdieľa výzbroj + Klan zdieľa výzbroj Disable Girders - Vypnúť trámy + Vypnúť trámy Disable Land Objects - Vypnúť objekty v krajine + Vypnúť objekty v krajine AI Survival Mode - Režim prežitia umelej inteligencie + Režim prežitia umelej inteligencie Reset Health - Resetovať zdravie + Resetovať zdravie Unlimited Attacks - Neobmedzené útoky + Neobmedzené útoky Reset Weapons - Resetovať zbrane + Resetovať zbrane Per Hedgehog Ammo - Individuálne zbrane + Individuálne zbrane Disable Wind - Vypnúť vietor + Vypnúť vietor More Wind - Viac vetra + Viac vetra Tag Team - Tag Team + Tag Team Add Bottom Border - Pridať spodný okraj + Pridať spodný okraj @@ -2477,7 +3094,7 @@ hedgehogs info - štatistiky + štatistiky ježkov @@ -2532,31 +3149,51 @@ record nahrať + + hedgehog info + + binds (categories) Basic controls - Základné ovládanie + Základné ovládanie Weapon controls - Ovládanie zbraní + Ovládanie zbraní Camera and cursor controls - Ovládanie kurzora a kamery + Ovládanie kurzora a kamery Other - Iné + Iné + + + Movement + + + + Weapons + Výzbroj + + + Camera + + + + Miscellaneous + Rozličné binds (descriptions) Move your hogs and aim: - Presun ježka a mierenie: + Presun ježka a mierenie: Traverse gaps and obstacles by jumping: @@ -2622,6 +3259,10 @@ Record video: Nahrať video: + + Hedgehog movement + + binds (keys) @@ -2942,4 +3583,119 @@ Pravý joystick (Doľava) + + server + + Illegal nickname + + + + Protocol already known + + + + Bad number + + + + bye + + + + Empty config entry + + + + Not room master + + + + Corrupted hedgehogs info + + + + too many teams + + + + too many hedgehogs + + + + There's already a team with same name in the list + + + + round in progress + + + + restricted + + + + REMOVE_TEAM: no such team + + + + Not team owner! + + + + Less than two clans! + + + + Room with such name already exists + + + + Illegal room name + + + + No such room + + + + Joining restricted + + + + Registered users only + + + + You are banned in this room + + + + Nickname is already in use + + + + No checker rights + + + + Authentication failed + + + + 60 seconds cooldown after kick + + + + kicked + + + + Ping timeout + + + + Nickname already chosen + + + diff -r 33ab77c0b486 -r 87410ae372f6 share/hedgewars/Data/Locale/hedgewars_sv.ts --- a/share/hedgewars/Data/Locale/hedgewars_sv.ts Fri Jan 18 11:47:23 2013 +0100 +++ b/share/hedgewars/Data/Locale/hedgewars_sv.ts Sat Jan 19 00:51:28 2013 +0400 @@ -20,6 +20,115 @@ + BanDialog + + 10 minutes + + + + 30 minutes + + + + 1 hour + + + + 3 hours + + + + 5 hours + + + + 24 hours + + + + 3 days + + + + 7 days + + + + 14 days + + + + permanent + + + + IP + IP + + + Nick + + + + IP/Nick + + + + Reason + + + + Duration + + + + Ok + + + + Cancel + Avbryt + + + you know why + + + + Warning + + + + Please, specify %1 + + + + nickname + + + + + DataManager + + Use Default + + + + + FeedbackDialog + + View + + + + Cancel + Avbryt + + + Send Feedback + + + + FreqSpinBox Never @@ -45,12 +154,16 @@ When this option is enabled selecting a game scheme will auto-select a weapon - När det här valet är aktivt kommer vapnen att ändras när du ändrar spelschema + När det här valet är aktivt kommer vapnen att ändras när du ändrar spelschema Game Options Spelinställningar + + Game scheme will auto-select a weapon + + HWAskQuitDialog @@ -101,10 +214,6 @@ Failed to save StyleSheet to %1 - - %1 is not a valid command! - - HWForm @@ -143,16 +252,12 @@ registered on Hedgewars.org Please provide your password below or pick another nickname in game config: - Ditt smeknamn (%1) är + Ditt smeknamn (%1) är registrerat på Hedgewars.org Var god ange ditt lösenord eller välj ett annat smeknamn i spelinställningarna: - No password supplied. - - - Nickname Smeknamn @@ -165,6 +270,59 @@ Please pick another nickname: + + %1's Team + + + + Hedgewars - Nick registered + + + + This nick is registered, and you haven't specified a password. + +If this nick isn't yours, please register your own nick at www.hedgewars.org + +Password: + + + + Your nickname is not registered. +To prevent someone else from using it, +please register it at www.hedgewars.org + + + + + +Your password wasn't saved either. + + + + Hedgewars - Empty nickname + + + + Hedgewars - Wrong password + + + + You entered a wrong password. + + + + Try Again + + + + Hedgewars - Connection error + + + + You reconnected too fast. +Please wait a few seconds and try again. + + HWGame @@ -181,15 +339,15 @@ HWMapContainer Map - Karta + Karta Themes - Teman + Teman Filter - Filter + Filter All @@ -217,7 +375,7 @@ Type - Typ + Typ Small tunnels @@ -229,19 +387,19 @@ Large tunnels - Stora tunnlar + Stora tunnlar Small floating islands - Små flytande öar + Små flytande öar Medium floating islands - Medelstora flytande öar + Medelstora flytande öar Large floating islands - Stora flytande öar + Stora flytande öar Seed @@ -249,7 +407,95 @@ Set - Ange + Ange + + + Map type: + + + + Image map + + + + Mission map + + + + Hand-drawn + + + + Randomly generated + + + + Random maze + + + + Random + Slumpad + + + Map preview: + + + + Load map drawing + + + + Edit map drawing + + + + Largetunnels + + + + Small islands + + + + Medium islands + + + + Large islands + + + + Map size: + + + + Maze style: + + + + Mission: + + + + Map: + + + + Theme: + + + + Load drawn map + Läs in ritad karta + + + Drawn Maps + Ritade kartor + + + All files + Alla filer @@ -322,7 +568,11 @@ HWPasswordDialog Password - Lösenord + Lösenord + + + Login + @@ -337,6 +587,32 @@ + HatButton + + Change hat (%1) + + + + + HatPrompt + + Select a hat + + + + Filter: + + + + Cancel + Avbryt + + + Use selected hat + + + + KB SDL_ttf returned error while rendering text, most propably it is related to the bug in freetype2. It's recommended to update your freetype lib. @@ -344,6 +620,13 @@ + KeyBinder + + Category + + + + LibavInteraction Duration: %1m %2s @@ -362,6 +645,17 @@ Audio: + + unknown + + + + + MapModel + + No description available. + + PageAdmin @@ -393,6 +687,38 @@ Set data Ange data + + General + Allmänt + + + Bans + + + + IP/Nick + + + + Expiration + + + + Reason + + + + Refresh + + + + Add + + + + Remove + + PageConnecting @@ -448,7 +774,43 @@ Advanced - Avancerat + Avancerat + + + Select an action to choose a custom key bind for this team + + + + Use my default + + + + Reset all binds + + + + Custom Controls + + + + Hat + Hatt + + + Name + Namn + + + This hedgehog's name + + + + Randomize this hedgehog's name + + + + Random Team + Slumpat lag @@ -531,265 +893,257 @@ Simply pick the same color as a friend to play together as a team. Each of you will still control his or her own hedgehogs but they'll win or lose together. Tips - Välj bara samma färg som en vän för att spela i som ett lag. Varje spelare kontrollerar fortfarande själva sina igelkottar men de vinner eller förlorar tillsammans. + Välj bara samma färg som en vän för att spela i som ett lag. Varje spelare kontrollerar fortfarande själva sina igelkottar men de vinner eller förlorar tillsammans. Some weapons might do only low damage but they can be a lot more devastating in the right situation. Try to use the Desert Eagle to knock multiple hedgehogs into the water. Tips - Några vapen kanske bara gör liten skada men de kan vara mycket mer förödande i rätt situation. Försök att använda Desert Eagle för att putta ner flera igelkottar ner i vattnet. + Några vapen kanske bara gör liten skada men de kan vara mycket mer förödande i rätt situation. Försök att använda Desert Eagle för att putta ner flera igelkottar ner i vattnet. If you're unsure what to do and don't want to waste ammo, skip one round. But don't let too much time pass as there will be Sudden Death! Tips - Om du inte är säker på vad du ska göra och inte vill slösa på ammunition, hoppa över en tur. Men låt inte för lång tid passera eftersom sudden death kommer! + Om du inte är säker på vad du ska göra och inte vill slösa på ammunition, hoppa över en tur. Men låt inte för lång tid passera eftersom sudden death kommer! If you'd like to keep others from using your preferred nickname on the official server, register an account at http://www.hedgewars.org/. Tips - Om du vill förhindra andra från att använda ditt favoritnamn på den officiella servern kan du registrera ett konto på http://www.hedgewars.org/. + Om du vill förhindra andra från att använda ditt favoritnamn på den officiella servern kan du registrera ett konto på http://www.hedgewars.org/. You're bored of default gameplay? Try one of the missions - they'll offer different gameplay depending on the one you picked. Tips - Är du trött på att spela vanligt? Pröva ett av uppdragen - de erbjuder annorlunda spel beroende på vilken du väljer. + Är du trött på att spela vanligt? Pröva ett av uppdragen - de erbjuder annorlunda spel beroende på vilken du väljer. By default the game will always record the last game played as a demo. Select 'Local Game' and pick the 'Demos' button on the lower right corner to play or manage them. Tips - Som standard spelar spelet alltid in den senaste matchen som en demo. Välj 'Lokalt Spel' och tryck på 'Demo'-knappen nere till höger för att spela eller hantera dem. + Som standard spelar spelet alltid in den senaste matchen som en demo. Välj 'Lokalt Spel' och tryck på 'Demo'-knappen nere till höger för att spela eller hantera dem. Hedgewars is Open Source and Freeware we create in our spare time. If you've got problems, ask on our forums but please don't expect 24/7 support! Tips - Hedgewars är ett öppet källkods- och gratisprogram som vi skapar på vår fritid. Om du har problem, fråga på vårat forum men snälla förvänta dig inte dygnet runt-support! + Hedgewars är ett öppet källkods- och gratisprogram som vi skapar på vår fritid. Om du har problem, fråga på vårat forum men snälla förvänta dig inte dygnet runt-support! Hedgewars is Open Source and Freeware we create in our spare time. If you like it, help us with a small donation or contribute your own work! Tips - Hedgewars är ett öppet källkods- och gratisprogram som vi skapar på vår fritid. Om du gillar det, hjälp oss med en liten donation eller bidra med något eget! + Hedgewars är ett öppet källkods- och gratisprogram som vi skapar på vår fritid. Om du gillar det, hjälp oss med en liten donation eller bidra med något eget! Hedgewars is Open Source and Freeware we create in our spare time. Share it with your family and friends as you like! Tips - Hedgewars är ett öppet källkods- och gratisprogram som vi skapar på vår fritid. Dela med dig av det till familj och vänner som du vill! + Hedgewars är ett öppet källkods- och gratisprogram som vi skapar på vår fritid. Dela med dig av det till familj och vänner som du vill! From time to time there will be official tournaments. Upcoming events will be announced at http://www.hedgewars.org/ some days in advance. Tips - Då och då kommer det hållas officiella turneringer. Kommande händelser kommer att annonseras på http://www.hedgewars.org/ några dagar i förväg. + Då och då kommer det hållas officiella turneringer. Kommande händelser kommer att annonseras på http://www.hedgewars.org/ några dagar i förväg. Hedgewars is available in many languages. If the translation in your language seems to be missing or outdated, feel free to contact us! Tips - Hedgewars finns på många språk. Om översättningen på ditt språk verkar saknas eller är gammal får du gärna kontakta oss! + Hedgewars finns på många språk. Om översättningen på ditt språk verkar saknas eller är gammal får du gärna kontakta oss! Hedgewars can be run on lots of different operating systems including Microsoft Windows, Mac OS X and Linux. Tips - Hedgewars kan köras på många operativsystem som Microsoft Windows, Mac OS X och Linux. + Hedgewars kan köras på många operativsystem som Microsoft Windows, Mac OS X och Linux. Always remember you're able to set up your own games in local and network/online play. You're not restricted to the 'Simple Game' option. Tips - Kom alltid ihåg att du kan starta en egen match i lokalt och netverk/online-spel. Du är inte begränsad till 'Enkelt spel'-valet. + Kom alltid ihåg att du kan starta en egen match i lokalt och netverk/online-spel. Du är inte begränsad till 'Enkelt spel'-valet. While playing you should give yourself a short break at least once an hour. Tips - När du spelar borde du ta en pause åt minståne en gång i timman. + När du spelar borde du ta en pause åt minståne en gång i timman. If your graphics card isn't able to provide hardware accelerated OpenGL, try to enable the low quality mode to improve performance. Tips - Om ditt grafikkort inte klarar av att ge hårdvaruaccellererad OpenGL, pröva att sänka kvaliteten för att öka prestandan. + Om ditt grafikkort inte klarar av att ge hårdvaruaccellererad OpenGL, pröva att sänka kvaliteten för att öka prestandan. We're open to suggestions and constructive feedback. If you don't like something or got a great idea, let us know! Tips - Vi är öppna för förslag och konstruktiv kritik. Om du inte gillar något eller har en bra idé, hör av dig! + Vi är öppna för förslag och konstruktiv kritik. Om du inte gillar något eller har en bra idé, hör av dig! Especially while playing online be polite and always remember there might be some minors playing with or against you as well! Tips - Speciellt när du spelar över netet, var artig och kom alltid ihåg att det kan vara minderåriga som du spelar mot också! + Speciellt när du spelar över netet, var artig och kom alltid ihåg att det kan vara minderåriga som du spelar mot också! Special game modes such as 'Vampirism' or 'Karma' allow you to develop completely new tactics. Try them in a custom game! Tips - Speciella spellägen som 'Vampyrism' eller 'Karma' låter dig utveckla helt nya taktiker. Pröva dem i ett eget spel! + Speciella spellägen som 'Vampyrism' eller 'Karma' låter dig utveckla helt nya taktiker. Pröva dem i ett eget spel! You should never install Hedgewars on computers you don't own (school, university, work, etc.). Please ask the responsible person instead! Tips - Du ska aldrig installera Hedgewars på en dator som du inte äger (skola, universitet, arbete, etc.). Fråga den ansvarige personen istället! + Du ska aldrig installera Hedgewars på en dator som du inte äger (skola, universitet, arbete, etc.). Fråga den ansvarige personen istället! Hedgewars can be perfect for short games during breaks. Just ensure you don't add too many hedgehogs or use an huge map. Reducing time and health might help as well. Tips - Hedgewars kan vara perfekt för korta matcher under raster. Se bara till att du inte lägger till för många igelkottar eller använder en stor bana. Att minska tiden och hälsa kan också hjälpa. + Hedgewars kan vara perfekt för korta matcher under raster. Se bara till att du inte lägger till för många igelkottar eller använder en stor bana. Att minska tiden och hälsa kan också hjälpa. No hedgehogs were harmed in making this game. Tips - Inga igelkottar skadades under produktionen av spelet. + Inga igelkottar skadades under produktionen av spelet. Hedgewars is Open Source and Freeware we create in our spare time. If someone sold you the game, you should try get a refund! Tips - Hedgewars är ett öppet källkods- och gratisprogram som vi skapar på vår fritid. Om någon sålde spelet till dig ska du försöka att få pengarna tillbaka! + Hedgewars är ett öppet källkods- och gratisprogram som vi skapar på vår fritid. Om någon sålde spelet till dig ska du försöka att få pengarna tillbaka! Connect one or more gamepads before starting the game to be able to assign their controls to your teams. Tips - Koppla ihop en eller flera spelplattor innan du startar spelet för att kunna välja att kontrollera era lag med dem. + Koppla ihop en eller flera spelplattor innan du startar spelet för att kunna välja att kontrollera era lag med dem. Create an account on %1 to keep others from using your most favourite nickname while playing on the official server. Tips - Skapa ett konto på %1 för att förhindra andra från att använda ditt favoritnamn när du spelar på den officiella servern. + Skapa ett konto på %1 för att förhindra andra från att använda ditt favoritnamn när du spelar på den officiella servern. If your graphics card isn't able to provide hardware accelerated OpenGL, try to update the associated drivers. Tips - Om ditt grafikkort inte klarar av att ge hårdvaruaccellererad OpenGL, pröva att uppdatera dina drivrutiner. + Om ditt grafikkort inte klarar av att ge hårdvaruaccellererad OpenGL, pröva att uppdatera dina drivrutiner. There are three different jumps available. Tap [high jump] twice to do a very high/backwards jump. Tips - Det finns tre olika hopp tillgängliga. Tryck på [högt hopp] två gånger för att göra ett ett högt bakåt-hopp. + Det finns tre olika hopp tillgängliga. Tryck på [högt hopp] två gånger för att göra ett ett högt bakåt-hopp. Afraid of falling off a cliff? Hold down [precise] to turn [left] or [right] without actually moving. Tips - Är du rädd att falla ner för an kant? Håll ner [exakt] för att vrida [vänster] eller [höger] utan att egentligen röra dig. + Är du rädd att falla ner för an kant? Håll ner [exakt] för att vrida [vänster] eller [höger] utan att egentligen röra dig. Some weapons require special strategies or just lots of training, so don't give up on a particular tool if you miss an enemy once. Tips - Några vapen kräver speciella strategier eller bara mycket träning, så ge inte upp ett vapen bara för att du missade en fiende någon gång. + Några vapen kräver speciella strategier eller bara mycket träning, så ge inte upp ett vapen bara för att du missade en fiende någon gång. Most weapons won't work once they touch the water. The Homing Bee as well as the Cake are exceptions to this. Tips - De flesta vapen fungerar inte när de har rört vattenet. Målsökande bi och även Tårta är två undantag. + De flesta vapen fungerar inte när de har rört vattenet. Målsökande bi och även Tårta är två undantag. The Old Limbuger only causes a small explosion. However the wind affected smelly cloud can poison lots of hogs at once. Tips - Den gamla Limburgaren skapar bara en liten explosition. Men det vindpåverkade stinkmålnet kan förgifta många igelkottar samtidigt. + Den gamla Limburgaren skapar bara en liten explosition. Men det vindpåverkade stinkmålnet kan förgifta många igelkottar samtidigt. The Piano Strike is the most damaging air strike. You'll lose the hedgehog performing it, so there's a huge downside as well. Tips - Pianoanfall är det farligaste luftanfallet. Du blir av med en igelkott när du använder det, så det finns en stor nackdel också. + Pianoanfall är det farligaste luftanfallet. Du blir av med en igelkott när du använder det, så det finns en stor nackdel också. Sticky Mines are a perfect tool to create small chain reactions knocking enemy hedgehogs into dire situations ... or water. Tips - Fästande minor är ett perfekt verktyg för att skapa små kedjereaktioner som slår ner fiender i farliga situationer ... eller vatten. + Fästande minor är ett perfekt verktyg för att skapa små kedjereaktioner som slår ner fiender i farliga situationer ... eller vatten. The Hammer is most effective when used on bridges or girders. Hit hogs will just break through the ground. Tips - Hammaren är mest effektiv när den används på broar eller balkar. När du slår till igelkottarna kommer de att falla nergenom hålet. + Hammaren är mest effektiv när den används på broar eller balkar. När du slår till igelkottarna kommer de att falla nergenom hålet. If you're stuck behind an enemy hedgehog, use the Hammer to free yourself without getting damaged by an explosion. Tips - Om du är fast bakom en fiende, använd hammaren för att göra dig fri utan att skadas av en explosition. + Om du är fast bakom en fiende, använd hammaren för att göra dig fri utan att skadas av en explosition. The Cake's maximum walking distance depends on the ground it has to pass. Use [attack] to detonate it early. Tips - Tårtans längsta gångsträcka beror på vägen den måste ta. Använd [attack] för att spränga den tidigt. + Tårtans längsta gångsträcka beror på vägen den måste ta. Använd [attack] för att spränga den tidigt. The Flame Thrower is a weapon but it can be used for tunnel digging as well. Tips - Eldkastaren är ett vapen, men den kan användas för att gräva tunnlar också. + Eldkastaren är ett vapen, men den kan användas för att gräva tunnlar också. Want to know who's behind the game? Click on the Hedgewars logo in the main menu to see the credits. Tips - Vill du veta vilka som ligger bakom spelet? Tryck på Hedgewars-loggan i huvudmenyn för att se medverkande. + Vill du veta vilka som ligger bakom spelet? Tryck på Hedgewars-loggan i huvudmenyn för att se medverkande. Like Hedgewars? Become a fan on %1 or follow us on %2! Tips - Gillar du Hedgewars? Bli ett fan på %1 eller följ oss på %2! + Gillar du Hedgewars? Bli ett fan på %1 eller följ oss på %2! Feel free to draw your own graves, hats, flags or even maps and themes! But note that you'll have to share them somewhere to use them online. Tips - Du är välkommen att rita dina egna gravar, hattar, flaggor eller till och med banor eller teman! Men notera att du måste lägga ut dem någonstans för att använda dem online. + Du är välkommen att rita dina egna gravar, hattar, flaggor eller till och med banor eller teman! Men notera att du måste lägga ut dem någonstans för att använda dem online. Really want to wear a specific hat? Donate to us and receive an exclusive hat of your choice! Tips - Vill du verkligen ha en specifik hatt? Ge os en donation och få en exklusiv hatt som du väljer! + Vill du verkligen ha en specifik hatt? Ge os en donation och få en exklusiv hatt som du väljer! Keep your video card drivers up to date to avoid issues playing the game. Tips - Se till att hålla dina grafikdrivrutiner uppdaterade för att undvika problem när du spalar. + Se till att hålla dina grafikdrivrutiner uppdaterade för att undvika problem när du spalar. You can find your Hedgewars configuration files under "My Documents\Hedgewars". Create backups or take the files with you, but don't edit them by hand. Tips - Du kan hitta dina konfigurationsfiler under "Mina Dokument\Hedgewars". Gör en säkerhetskopia eller ta med dig filerna, men redigera dem inte för hand. + Du kan hitta dina konfigurationsfiler under "Mina Dokument\Hedgewars". Gör en säkerhetskopia eller ta med dig filerna, men redigera dem inte för hand. You're able to associate Hedgewars related files (savegames and demo recordings) with the game to launch them right from your favorite file or internet browser. Tips - Du kan associera Hedgewars-relaterade filer (sparfiler och demo-inspelningar) med spelet för att köra dem direkt från den filhanterare eller webbläsare du tycker bäst om. + Du kan associera Hedgewars-relaterade filer (sparfiler och demo-inspelningar) med spelet för att köra dem direkt från den filhanterare eller webbläsare du tycker bäst om. Want to save ropes? Release the rope in mid air and then shoot again. As long as you don't touch the ground you'll reuse your rope without wasting ammo! Tips - Vill du spara rep? Släpp repet i luften och sedan sjut igen. Så länge du inte nuddar marken använder du samma rep utan att slösa på ammunition! + Vill du spara rep? Släpp repet i luften och sedan sjut igen. Så länge du inte nuddar marken använder du samma rep utan att slösa på ammunition! You can find your Hedgewars configuration files under "Library/Application Support/Hedgewars" in your home directory. Create backups or take the files with you, but don't edit them by hand. Tips - Du kan hitta dina konfigurationsfiler under "Library/Application Support/Hedgewars" i din hem-mapp. Gör en säkerhetskopia eller ta med dig filerna, men redigera dem inte för hand. + Du kan hitta dina konfigurationsfiler under "Library/Application Support/Hedgewars" i din hem-mapp. Gör en säkerhetskopia eller ta med dig filerna, men redigera dem inte för hand. You can find your Hedgewars configuration files under ".hedgewars" in your home directory. Create backups or take the files with you, but don't edit them by hand. Tips - Du kan hitta dina konfigurationsfiler under ".hedgewars" i din hem-mapp. Gör en säkerhetskopia eller ta med dig filerna, men redigera dem inte för hand. + Du kan hitta dina konfigurationsfiler under ".hedgewars" i din hem-mapp. Gör en säkerhetskopia eller ta med dig filerna, men redigera dem inte för hand. The Windows version of Hedgewars supports Xfire. Make sure to add Hedgewars to its game list so your friends can see you playing. Tips - Windows-versionen av Hedgewars har stöd för Xfire. Se till att lägga till Hedgewars till spellistan så att dina vänner kan se dig spela. + Windows-versionen av Hedgewars har stöd för Xfire. Se till att lägga till Hedgewars till spellistan så att dina vänner kan se dig spela. Use the Molotov or Flame Thrower to temporary keep hedgehogs from passing terrain such as tunnels or platforms. Tips - Använd molotov eller eldkastaren för att temporärt förhindra att igelkottar passerar terräng så som tunnlar eller platformar. + Använd molotov eller eldkastaren för att temporärt förhindra att igelkottar passerar terräng så som tunnlar eller platformar. The Homing Bee can be tricky to use. Its turn radius depends on its velocity, so try to not use full power. Tips - Målsökande bin kan vara kluriga att använda. Svängradien beror på hastigheten, så försök att inte använda full kraft. + Målsökande bin kan vara kluriga att använda. Svängradien beror på hastigheten, så försök att inte använda full kraft. Downloadable Content Nedladdningsbart innehåll - Local Game - - - Play a game on a single computer - Network Game - - - Play a game across a network @@ -817,6 +1171,14 @@ Edit game preferences + + Play a game across a local area network + + + + Play a game on an official server + + PageMultiplayer @@ -824,6 +1186,10 @@ Start Starta + + Edit game preferences + + PageNetGame @@ -835,24 +1201,24 @@ Downloadable Content Nedladdningsbart innehåll + + Edit game preferences + + + + Start + Starta + PageNetType LAN game - LAN-spel + LAN-spel Official server - Officiell server - - - Join hundreds of players online! - - - - Join or host your own game server in a Local Area Network. - + Officiell server @@ -899,7 +1265,7 @@ General - Allmänt + Allmänt Advanced @@ -941,6 +1307,94 @@ System proxy settings + + Select an action to change what key controls it + + + + Reset to default + + + + Reset all binds + + + + Game + + + + Graphics + + + + Audio + + + + Controls + + + + Video Recording + + + + Network + + + + Teams + Lag + + + Schemes + + + + Weapons + Vapen + + + Frontend + + + + Custom colors + + + + Game audio + + + + Frontend audio + + + + Account + + + + Proxy settings + + + + Miscellaneous + + + + Updates + + + + Check for updates + + + + Video recording options + + PagePlayDemo @@ -1140,18 +1594,10 @@ PageSinglePlayer - Simple Game - - - Play a quick game against the computer with random settings - Multiplayer - - - Play a hotseat game against your friends, or AI teams @@ -1160,24 +1606,16 @@ - Training Mode - - - Practice your skills in a range of training missions - Demos - - - Watch recorded demos Load - Läs in + Läs in Load a previously saved game @@ -1225,14 +1663,6 @@ - Date: - - - - Size: - - - encoding @@ -1240,6 +1670,16 @@ uploading + + Date: %1 + + + + + Size: %1 + + + QAction @@ -1249,7 +1689,7 @@ Start - Starta + Starta Restrict Joins @@ -1300,7 +1740,7 @@ Enable sound - Aktivera ljud + Aktivera ljud Show FPS @@ -1312,11 +1752,11 @@ Enable music - Aktivera musik + Aktivera musik Frontend fullscreen - Spelmenyn i helskärm + Spelmenyn i helskärm Append date and time to record file name @@ -1332,15 +1772,15 @@ Enable frontend sounds - Aktivera ljud i spelmenyn + Aktivera ljud i spelmenyn Enable frontend music - Aktivera musik i spelmenyn + Aktivera musik i spelmenyn Frontend effects - Effekter i spelmenyn + Effekter i spelmenyn Save password @@ -1362,12 +1802,40 @@ Use game resolution + + Visual effects + + + + Sound + + + + In-game sound effects + + + + Music + + + + In-game music + + + + Frontend sound effects + + + + Frontend music + + QComboBox generated map... - genererad karta... + genererad karta... Human @@ -1383,11 +1851,11 @@ generated maze... - genererad labyrint... + genererad labyrint... Mission - Uppdrag + Uppdrag Community @@ -1407,7 +1875,7 @@ hand drawn map... - handritad karta... + handritad karta... Disabled @@ -1447,7 +1915,7 @@ Wiggle - Vicka + Vicka Red/Cyan grayscale @@ -1482,7 +1950,7 @@ Key binds - Tangentbindningar + Tangentbindningar Fort @@ -1490,11 +1958,11 @@ Teams - Lag + Lag Audio/Graphic options - Ljud/grafikinställningar + Ljud/grafikinställningar Net game @@ -1518,23 +1986,11 @@ Misc - Diverse + Diverse Schemes and Weapons - Scheman och vapen - - - Custom colors - - - - Miscellaneous - - - - Video recording options - + Scheman och vapen Videos @@ -1544,28 +2000,24 @@ Description - - Proxy settings - - QLabel Developers: - Utvecklare: + Utvecklare: Art: - Grafik: + Grafik: Translations: - Översättningar: + Översättningar: Special thanks: - Särskilt tack till: + Särskilt tack till: Weapons @@ -1601,7 +2053,7 @@ Sounds: - Ljud: + Ljud: Initial sound volume @@ -1641,7 +2093,7 @@ Game scheme - Spelschema + Spelschema % Dud Mines @@ -1681,7 +2133,7 @@ This development build is 'work in progress' and may not be compatible with other versions of the game. Some features might be broken or incomplete. Use at your own risk! - Denna utvecklingsversion är inte färdig och kanske inte är kompatibel med andra versioner av spelet. Några delar kan vara trasiga eller ofullständiga. Använd på egen risk! + Denna utvecklingsversion är inte färdig och kanske inte är kompatibel med andra versioner av spelet. Några delar kan vara trasiga eller ofullständiga. Använd på egen risk! Quality @@ -1758,10 +2210,6 @@ - Summary - - - Description @@ -1789,6 +2237,38 @@ Bitrate (Kbps) + + This development build is 'work in progress' and may not be compatible with other versions of the game, while some features might be broken or incomplete! + + + + Fullscreen + Helskärm + + + Fullscreen Resolution + + + + Windowed Resolution + + + + Your Email + + + + Summary + + + + Send system information + + + + Type the security code: + + QLineEdit @@ -1827,10 +2307,6 @@ Filassociationer har misslyckats. - Please fill out all fields - - - Error while authenticating at google.com: @@ -1877,18 +2353,6 @@ - Successfully posted the issue on hedgewars.googlecode.com - - - - Error during authentication at google.com - - - - Error reporting the issue, please try again later (or visit hedgewars.googlecode.com directly) - - - Main - Error @@ -2036,16 +2500,48 @@ Do you really want to delete the weapon set '%1'? + + Hedgewars - Nick not registered + + + + System Information Preview + + + + Failed to generate captcha + + + + Failed to download captcha + + + + Please fill out all fields. Email is optional. + + + + Hedgewars - Warning + + + + Hedgewars - Information + + + + Hedgewars + + QObject Nickname - Smeknamn + Smeknamn Please enter your nickname - Var god ange ditt smeknamn + Var god ange ditt smeknamn @@ -2104,15 +2600,15 @@ Setup - Inställningar + Inställningar Ready - Redo + Redo Random Team - Slumpat lag + Slumpat lag Associate file extensions @@ -2120,7 +2616,7 @@ more - mer + mer More info @@ -2215,6 +2711,25 @@ + SeedPrompt + + The map seed is the basis for all random values generated by the game. + + + + Cancel + Avbryt + + + Set seed + + + + Close + + + + SelWeaponWidget Weapon set @@ -2242,106 +2757,124 @@ + TeamShowWidget + + %1's team + + + + + ThemePrompt + + Select a theme for this map + + + + Cancel + Avbryt + + + ToggleButtonWidget Vampirism - Vampyrism + Vampyrism Karma - Karma + Karma Artillery - Artilleri + Artilleri Fort Mode - Fortläge + Fortläge Divide Teams - Dela upp lag + Dela upp lag Solid Land - Solitt land + Solitt land Add Border - Lägg till kant + Lägg till kant Low Gravity - Låg gravitation + Låg gravitation Laser Sight - Lasersikte + Lasersikte Invulnerable - Osårbar + Osårbar Random Order - Slumpad ordning + Slumpad ordning King - Kung + Kung Place Hedgehogs - Placera igelkottar + Placera igelkottar Clan Shares Ammo - Klan delar ammunition + Klan delar ammunition Disable Girders - Avaktivera balkar + Avaktivera balkar Disable Land Objects - Avaktivera landföremål + Avaktivera landföremål AI Survival Mode - AI-överlevnad + AI-överlevnad Reset Health - Återställ hälsa + Återställ hälsa Unlimited Attacks - Obegränsade attacker + Obegränsade attacker Reset Weapons - Återställ vapen + Återställ vapen Per Hedgehog Ammo - Ammunition per igelkott + Ammunition per igelkott Disable Wind - Avaktivera vind + Avaktivera vind More Wind - Mer vind + Mer vind Tag Team - Maraton + Maraton Add Bottom Border - Lägg till undre barriär + Lägg till undre barriär @@ -2461,7 +2994,7 @@ hedgehogs info - information om igelkottar + information om igelkottar quit @@ -2515,31 +3048,51 @@ record + + hedgehog info + + binds (categories) Basic controls - Allmäna kontroller + Allmäna kontroller Weapon controls - Vanenkontroller + Vanenkontroller Camera and cursor controls - Kamera och pilkontroller + Kamera och pilkontroller Other - Annat + Annat + + + Movement + + + + Weapons + Vapen + + + Camera + + + + Miscellaneous + binds (descriptions) Move your hogs and aim: - Flytta dina igelkottar och sikta: + Flytta dina igelkottar och sikta: Traverse gaps and obstacles by jumping: @@ -2605,6 +3158,10 @@ Record video: + + Hedgehog movement + + binds (keys) @@ -2925,4 +3482,119 @@ Styrkors + + server + + Illegal nickname + + + + Protocol already known + + + + Bad number + + + + bye + + + + Empty config entry + + + + Not room master + + + + Corrupted hedgehogs info + + + + too many teams + + + + too many hedgehogs + + + + There's already a team with same name in the list + + + + round in progress + + + + restricted + + + + REMOVE_TEAM: no such team + + + + Not team owner! + + + + Less than two clans! + + + + Room with such name already exists + + + + Illegal room name + + + + No such room + + + + Joining restricted + + + + Registered users only + + + + You are banned in this room + + + + Nickname is already in use + + + + No checker rights + + + + Authentication failed + + + + 60 seconds cooldown after kick + + + + kicked + + + + Ping timeout + + + + Nickname already chosen + + + diff -r 33ab77c0b486 -r 87410ae372f6 share/hedgewars/Data/Locale/hedgewars_tr_TR.ts --- a/share/hedgewars/Data/Locale/hedgewars_tr_TR.ts Fri Jan 18 11:47:23 2013 +0100 +++ b/share/hedgewars/Data/Locale/hedgewars_tr_TR.ts Sat Jan 19 00:51:28 2013 +0400 @@ -20,6 +20,115 @@ + BanDialog + + 10 minutes + + + + 30 minutes + + + + 1 hour + + + + 3 hours + + + + 5 hours + + + + 24 hours + + + + 3 days + + + + 7 days + + + + 14 days + + + + permanent + + + + IP + IP + + + Nick + + + + IP/Nick + + + + Reason + + + + Duration + + + + Ok + + + + Cancel + İptal + + + you know why + + + + Warning + + + + Please, specify %1 + + + + nickname + + + + + DataManager + + Use Default + + + + + FeedbackDialog + + View + + + + Cancel + İptal + + + Send Feedback + + + + FreqSpinBox Never @@ -43,13 +152,13 @@ Düzeni değiştir - When this option is enabled selecting a game scheme will auto-select a weapon - - - Game Options + + Game scheme will auto-select a weapon + + HWAskQuitDialog @@ -100,10 +209,6 @@ Failed to save StyleSheet to %1 - - %1 is not a valid command! - - HWForm @@ -138,17 +243,6 @@ - Your nickname %1 is -registered on Hedgewars.org -Please provide your password below -or pick another nickname in game config: - - - - No password supplied. - - - Nickname @@ -161,6 +255,59 @@ Please pick another nickname: + + %1's Team + + + + Hedgewars - Nick registered + + + + This nick is registered, and you haven't specified a password. + +If this nick isn't yours, please register your own nick at www.hedgewars.org + +Password: + + + + Your nickname is not registered. +To prevent someone else from using it, +please register it at www.hedgewars.org + + + + + +Your password wasn't saved either. + + + + Hedgewars - Empty nickname + + + + Hedgewars - Wrong password + + + + You entered a wrong password. + + + + Try Again + + + + Hedgewars - Connection error + + + + You reconnected too fast. +Please wait a few seconds and try again. + + HWGame @@ -177,15 +324,15 @@ HWMapContainer Map - Harita + Harita Themes - Temalar + Temalar Filter - Filtre + Filtre All @@ -212,10 +359,6 @@ Uçuk Kaçık - Type - - - Small tunnels @@ -224,27 +367,95 @@ - Large tunnels - - - - Small floating islands - - - - Medium floating islands - - - - Large floating islands - - - Seed - Set + Map type: + + + + Image map + + + + Mission map + + + + Hand-drawn + + + + Randomly generated + + + + Random maze + + + + Random + Rastgele + + + Map preview: + + + + Load map drawing + + + + Edit map drawing + + + + Largetunnels + + + + Small islands + + + + Medium islands + + + + Large islands + + + + Map size: + + + + Maze style: + + + + Mission: + + + + Map: + + + + Theme: + + + + Load drawn map + + + + Drawn Maps + + + + All files @@ -318,7 +529,11 @@ HWPasswordDialog Password - Parola + Parola + + + Login + @@ -333,6 +548,32 @@ + HatButton + + Change hat (%1) + + + + + HatPrompt + + Select a hat + + + + Filter: + + + + Cancel + İptal + + + Use selected hat + + + + KB SDL_ttf returned error while rendering text, most propably it is related to the bug in freetype2. It's recommended to update your freetype lib. @@ -340,6 +581,13 @@ + KeyBinder + + Category + + + + LibavInteraction Duration: %1m %2s @@ -358,6 +606,17 @@ Audio: + + unknown + + + + + MapModel + + No description available. + + PageAdmin @@ -389,6 +648,38 @@ Set data + + General + Genel + + + Bans + + + + IP/Nick + + + + Expiration + + + + Reason + + + + Refresh + + + + Add + + + + Remove + + PageConnecting @@ -444,7 +735,43 @@ Advanced - Gelişmiş + Gelişmiş + + + Select an action to choose a custom key bind for this team + + + + Use my default + + + + Reset all binds + + + + Custom Controls + + + + Hat + + + + Name + + + + This hedgehog's name + + + + Randomize this hedgehog's name + + + + Random Team + @@ -519,267 +846,14 @@ PageMain - Simply pick the same color as a friend to play together as a team. Each of you will still control his or her own hedgehogs but they'll win or lose together. - Tips - - - - Some weapons might do only low damage but they can be a lot more devastating in the right situation. Try to use the Desert Eagle to knock multiple hedgehogs into the water. - Tips - - - - If you're unsure what to do and don't want to waste ammo, skip one round. But don't let too much time pass as there will be Sudden Death! - Tips - - - - If you'd like to keep others from using your preferred nickname on the official server, register an account at http://www.hedgewars.org/. - Tips - - - - You're bored of default gameplay? Try one of the missions - they'll offer different gameplay depending on the one you picked. - Tips - - - - By default the game will always record the last game played as a demo. Select 'Local Game' and pick the 'Demos' button on the lower right corner to play or manage them. - Tips - - - - Hedgewars is Open Source and Freeware we create in our spare time. If you've got problems, ask on our forums but please don't expect 24/7 support! - Tips - - - - Hedgewars is Open Source and Freeware we create in our spare time. If you like it, help us with a small donation or contribute your own work! - Tips - - - - Hedgewars is Open Source and Freeware we create in our spare time. Share it with your family and friends as you like! - Tips - - - - From time to time there will be official tournaments. Upcoming events will be announced at http://www.hedgewars.org/ some days in advance. - Tips - - - - Hedgewars is available in many languages. If the translation in your language seems to be missing or outdated, feel free to contact us! - Tips - - - - Hedgewars can be run on lots of different operating systems including Microsoft Windows, Mac OS X and Linux. - Tips - - - - Always remember you're able to set up your own games in local and network/online play. You're not restricted to the 'Simple Game' option. - Tips - - - - While playing you should give yourself a short break at least once an hour. - Tips - - - - If your graphics card isn't able to provide hardware accelerated OpenGL, try to enable the low quality mode to improve performance. - Tips - - - - We're open to suggestions and constructive feedback. If you don't like something or got a great idea, let us know! - Tips - - - - Especially while playing online be polite and always remember there might be some minors playing with or against you as well! - Tips - - - - Special game modes such as 'Vampirism' or 'Karma' allow you to develop completely new tactics. Try them in a custom game! - Tips - - - - You should never install Hedgewars on computers you don't own (school, university, work, etc.). Please ask the responsible person instead! - Tips - - - - Hedgewars can be perfect for short games during breaks. Just ensure you don't add too many hedgehogs or use an huge map. Reducing time and health might help as well. - Tips - - - - No hedgehogs were harmed in making this game. - Tips - - - - Hedgewars is Open Source and Freeware we create in our spare time. If someone sold you the game, you should try get a refund! - Tips - - - - Connect one or more gamepads before starting the game to be able to assign their controls to your teams. - Tips - - - - Create an account on %1 to keep others from using your most favourite nickname while playing on the official server. - Tips - - - - If your graphics card isn't able to provide hardware accelerated OpenGL, try to update the associated drivers. - Tips - - - - There are three different jumps available. Tap [high jump] twice to do a very high/backwards jump. - Tips - - - - Afraid of falling off a cliff? Hold down [precise] to turn [left] or [right] without actually moving. - Tips - - - - Some weapons require special strategies or just lots of training, so don't give up on a particular tool if you miss an enemy once. - Tips - - - - Most weapons won't work once they touch the water. The Homing Bee as well as the Cake are exceptions to this. - Tips - - - - The Old Limbuger only causes a small explosion. However the wind affected smelly cloud can poison lots of hogs at once. - Tips - - - - The Piano Strike is the most damaging air strike. You'll lose the hedgehog performing it, so there's a huge downside as well. - Tips - - - - Sticky Mines are a perfect tool to create small chain reactions knocking enemy hedgehogs into dire situations ... or water. - Tips - - - - The Hammer is most effective when used on bridges or girders. Hit hogs will just break through the ground. - Tips - - - - If you're stuck behind an enemy hedgehog, use the Hammer to free yourself without getting damaged by an explosion. - Tips - - - - The Cake's maximum walking distance depends on the ground it has to pass. Use [attack] to detonate it early. - Tips - - - - The Flame Thrower is a weapon but it can be used for tunnel digging as well. - Tips - - - - Want to know who's behind the game? Click on the Hedgewars logo in the main menu to see the credits. - Tips - - - - Like Hedgewars? Become a fan on %1 or follow us on %2! - Tips - - - - Feel free to draw your own graves, hats, flags or even maps and themes! But note that you'll have to share them somewhere to use them online. - Tips - - - - Really want to wear a specific hat? Donate to us and receive an exclusive hat of your choice! - Tips - - - - Keep your video card drivers up to date to avoid issues playing the game. - Tips - - - - You can find your Hedgewars configuration files under "My Documents\Hedgewars". Create backups or take the files with you, but don't edit them by hand. - Tips - - - - You're able to associate Hedgewars related files (savegames and demo recordings) with the game to launch them right from your favorite file or internet browser. - Tips - - - - Want to save ropes? Release the rope in mid air and then shoot again. As long as you don't touch the ground you'll reuse your rope without wasting ammo! - Tips - - - - You can find your Hedgewars configuration files under "Library/Application Support/Hedgewars" in your home directory. Create backups or take the files with you, but don't edit them by hand. - Tips - - - - You can find your Hedgewars configuration files under ".hedgewars" in your home directory. Create backups or take the files with you, but don't edit them by hand. - Tips - - - - The Windows version of Hedgewars supports Xfire. Make sure to add Hedgewars to its game list so your friends can see you playing. - Tips - - - - Use the Molotov or Flame Thrower to temporary keep hedgehogs from passing terrain such as tunnels or platforms. - Tips - - - - The Homing Bee can be tricky to use. Its turn radius depends on its velocity, so try to not use full power. - Tips - - - Downloadable Content - Local Game - - - Play a game on a single computer - Network Game - - - Play a game across a network @@ -807,6 +881,14 @@ Edit game preferences + + Play a game across a local area network + + + + Play a game on an official server + + PageMultiplayer @@ -814,6 +896,10 @@ Start Başla + + Edit game preferences + + PageNetGame @@ -821,24 +907,24 @@ Control Kontrol + + Edit game preferences + + + + Start + Başla + PageNetType LAN game - LAN oyunu + LAN oyunu Official server - Resmi sunucu - - - Join hundreds of players online! - - - - Join or host your own game server in a Local Area Network. - + Resmi sunucu @@ -885,7 +971,7 @@ General - Genel + Genel Advanced @@ -927,6 +1013,94 @@ System proxy settings + + Select an action to change what key controls it + + + + Reset to default + + + + Reset all binds + + + + Game + + + + Graphics + + + + Audio + + + + Controls + + + + Video Recording + + + + Network + + + + Teams + Takımlar + + + Schemes + + + + Weapons + Silahlar + + + Frontend + + + + Custom colors + + + + Game audio + + + + Frontend audio + + + + Account + + + + Proxy settings + + + + Miscellaneous + + + + Updates + + + + Check for updates + + + + Video recording options + + PagePlayDemo @@ -1125,18 +1299,10 @@ PageSinglePlayer - Simple Game - - - Play a quick game against the computer with random settings - Multiplayer - - - Play a hotseat game against your friends, or AI teams @@ -1145,24 +1311,16 @@ - Training Mode - - - Practice your skills in a range of training missions - Demos - - - Watch recorded demos Load - Yükle + Yükle Load a previously saved game @@ -1209,14 +1367,6 @@ - Date: - - - - Size: - - - encoding @@ -1224,6 +1374,16 @@ uploading + + Date: %1 + + + + + Size: %1 + + + QAction @@ -1237,7 +1397,7 @@ Start - Başla + Başla Restrict Joins @@ -1284,15 +1444,15 @@ Frontend fullscreen - Oyun girişi tam ekran + Oyun girişi tam ekran Enable sound - Sesleri etkinleştir + Sesleri etkinleştir Enable music - Müziği etkinleştir + Müziği etkinleştir Show FPS @@ -1315,18 +1475,6 @@ - Enable frontend sounds - - - - Enable frontend music - - - - Frontend effects - - - Save password @@ -1346,12 +1494,40 @@ Use game resolution + + Visual effects + + + + Sound + + + + In-game sound effects + + + + Music + + + + In-game music + + + + Frontend sound effects + + + + Frontend music + + QComboBox generated map... - rastgele harita... + rastgele harita... Human @@ -1366,14 +1542,6 @@ - generated maze... - - - - Mission - - - Community @@ -1390,10 +1558,6 @@ - hand drawn map... - - - Disabled @@ -1430,10 +1594,6 @@ - Wiggle - - - Red/Cyan grayscale @@ -1470,15 +1630,15 @@ Key binds - Tuşlar + Tuşlar Teams - Takımlar + Takımlar Audio/Graphic options - Ses/Görüntü seçenekleri + Ses/Görüntü seçenekleri Net game @@ -1501,26 +1661,6 @@ - Misc - - - - Schemes and Weapons - - - - Custom colors - - - - Miscellaneous - - - - Video recording options - - - Videos @@ -1528,10 +1668,6 @@ Description - - Proxy settings - - QLabel @@ -1549,23 +1685,23 @@ Developers: - Geliştiriciler: + Geliştiriciler: Art: - Sanat: + Sanat: Sounds: - Sesler: + Sesler: Translations: - Çeviriler: + Çeviriler: Special thanks: - Özel teşekkür: + Özel teşekkür: Weapons @@ -1601,7 +1737,7 @@ Game scheme - Oyun teması + Oyun teması Damage Modifier @@ -1664,10 +1800,6 @@ - This development build is 'work in progress' and may not be compatible with other versions of the game. Some features might be broken or incomplete. Use at your own risk! - - - Quality @@ -1742,10 +1874,6 @@ - Summary - - - Description @@ -1773,6 +1901,38 @@ Bitrate (Kbps) + + This development build is 'work in progress' and may not be compatible with other versions of the game, while some features might be broken or incomplete! + + + + Fullscreen + Tam ekran + + + Fullscreen Resolution + + + + Windowed Resolution + + + + Your Email + + + + Summary + + + + Send system information + + + + Type the security code: + + QLineEdit @@ -1811,10 +1971,6 @@ - Please fill out all fields - - - Error while authenticating at google.com: @@ -1861,18 +2017,6 @@ - Successfully posted the issue on hedgewars.googlecode.com - - - - Error during authentication at google.com - - - - Error reporting the issue, please try again later (or visit hedgewars.googlecode.com directly) - - - Main - Error @@ -2018,15 +2162,36 @@ Do you really want to delete the weapon set '%1'? - - - QObject - - Nickname - - - - Please enter your nickname + + Hedgewars - Nick not registered + + + + System Information Preview + + + + Failed to generate captcha + + + + Failed to download captcha + + + + Please fill out all fields. Email is optional. + + + + Hedgewars - Warning + + + + Hedgewars - Information + + + + Hedgewars @@ -2086,25 +2251,17 @@ Setup - Ayarla + Ayarla Ready - Hazır - - - Random Team - + Hazır Associate file extensions - more - - - More info @@ -2197,6 +2354,25 @@ + SeedPrompt + + The map seed is the basis for all random values generated by the game. + + + + Cancel + İptal + + + Set seed + + + + Close + + + + SelWeaponWidget Weapon set @@ -2224,106 +2400,64 @@ + TeamShowWidget + + %1's team + + + + + ThemePrompt + + Select a theme for this map + + + + Cancel + İptal + + + ToggleButtonWidget Vampirism - Vampircilik + Vampircilik Karma - Karma + Karma Artillery - Topçuluk + Topçuluk Fort Mode - Kale Modu + Kale Modu Divide Teams - Takımları Böl + Takımları Böl Solid Land - Parçalanmaz Yüzey + Parçalanmaz Yüzey Add Border - Sınır Ekle + Sınır Ekle Low Gravity - Azaltılmış Yerçekimi + Azaltılmış Yerçekimi Laser Sight - Lazer Görüşü + Lazer Görüşü Invulnerable - Ölümsüzlük - - - Random Order - - - - King - - - - Place Hedgehogs - - - - Clan Shares Ammo - - - - Disable Girders - - - - Disable Land Objects - - - - AI Survival Mode - - - - Reset Health - - - - Unlimited Attacks - - - - Reset Weapons - - - - Per Hedgehog Ammo - - - - Disable Wind - - - - More Wind - - - - Tag Team - - - - Add Bottom Border - + Ölümsüzlük @@ -2459,7 +2593,7 @@ hedgehogs info - kirpi + kirpi bilgileri @@ -2498,33 +2632,37 @@ record + + hedgehog info + + binds (categories) - Basic controls - - - - Weapon controls - - - - Camera and cursor controls - - - Other - Diğer + Diğer + + + Movement + + + + Weapons + Silahlar + + + Camera + + + + Miscellaneous + binds (descriptions) - Move your hogs and aim: - - - Traverse gaps and obstacles by jumping: @@ -2588,6 +2726,10 @@ Record video: + + Hedgehog movement + + binds (keys) @@ -2908,4 +3050,119 @@ + + server + + Illegal nickname + + + + Protocol already known + + + + Bad number + + + + bye + + + + Empty config entry + + + + Not room master + + + + Corrupted hedgehogs info + + + + too many teams + + + + too many hedgehogs + + + + There's already a team with same name in the list + + + + round in progress + + + + restricted + + + + REMOVE_TEAM: no such team + + + + Not team owner! + + + + Less than two clans! + + + + Room with such name already exists + + + + Illegal room name + + + + No such room + + + + Joining restricted + + + + Registered users only + + + + You are banned in this room + + + + Nickname is already in use + + + + No checker rights + + + + Authentication failed + + + + 60 seconds cooldown after kick + + + + kicked + + + + Ping timeout + + + + Nickname already chosen + + + diff -r 33ab77c0b486 -r 87410ae372f6 share/hedgewars/Data/Locale/hedgewars_uk.ts --- a/share/hedgewars/Data/Locale/hedgewars_uk.ts Fri Jan 18 11:47:23 2013 +0100 +++ b/share/hedgewars/Data/Locale/hedgewars_uk.ts Sat Jan 19 00:51:28 2013 +0400 @@ -20,6 +20,115 @@ + BanDialog + + 10 minutes + + + + 30 minutes + + + + 1 hour + + + + 3 hours + + + + 5 hours + + + + 24 hours + + + + 3 days + + + + 7 days + + + + 14 days + + + + permanent + + + + IP + IP + + + Nick + + + + IP/Nick + + + + Reason + + + + Duration + + + + Ok + + + + Cancel + Скасувати + + + you know why + + + + Warning + + + + Please, specify %1 + + + + nickname + + + + + DataManager + + Use Default + + + + + FeedbackDialog + + View + + + + Cancel + Скасувати + + + Send Feedback + + + + FreqSpinBox Never @@ -46,12 +155,16 @@ When this option is enabled selecting a game scheme will auto-select a weapon - Коли ввімкнена ця опція при виборі схеми гри зброя буде вибрана автоматично + Коли ввімкнена ця опція при виборі схеми гри зброя буде вибрана автоматично Game Options Параметри гри + + Game scheme will auto-select a weapon + + HWAskQuitDialog @@ -102,10 +215,6 @@ Failed to save StyleSheet to %1 - - %1 is not a valid command! - - HWForm @@ -144,16 +253,12 @@ registered on Hedgewars.org Please provide your password below or pick another nickname in game config: - Ваш нік %1 вже + Ваш нік %1 вже зареєстрований на Hedgewars.org Введіть ваш пароль нижче або виберіть інший нік в налаштуваннях гри: - No password supplied. - - - Nickname Ім'я @@ -166,6 +271,59 @@ Please pick another nickname: + + %1's Team + + + + Hedgewars - Nick registered + + + + This nick is registered, and you haven't specified a password. + +If this nick isn't yours, please register your own nick at www.hedgewars.org + +Password: + + + + Your nickname is not registered. +To prevent someone else from using it, +please register it at www.hedgewars.org + + + + + +Your password wasn't saved either. + + + + Hedgewars - Empty nickname + + + + Hedgewars - Wrong password + + + + You entered a wrong password. + + + + Try Again + + + + Hedgewars - Connection error + + + + You reconnected too fast. +Please wait a few seconds and try again. + + HWGame @@ -182,15 +340,15 @@ HWMapContainer Map - Мапа + Мапа Themes - Теми + Теми Filter - Фільтр + Фільтр All @@ -218,7 +376,7 @@ Type - Тип + Тип Small tunnels @@ -230,19 +388,19 @@ Large tunnels - Великі тунелі + Великі тунелі Small floating islands - Малі плавучі острова + Малі плавучі острова Medium floating islands - Середні плавучі острова + Середні плавучі острова Large floating islands - Великі плавучі острова + Великі плавучі острова Seed @@ -250,7 +408,95 @@ Set - Задати + Задати + + + Map type: + + + + Image map + + + + Mission map + + + + Hand-drawn + + + + Randomly generated + + + + Random maze + + + + Random + Випадково + + + Map preview: + + + + Load map drawing + + + + Edit map drawing + + + + Largetunnels + + + + Small islands + + + + Medium islands + + + + Large islands + + + + Map size: + + + + Maze style: + + + + Mission: + + + + Map: + + + + Theme: + + + + Load drawn map + Завантажити намальовану мапу + + + Drawn Maps + + + + All files + @@ -323,7 +569,11 @@ HWPasswordDialog Password - Пароль + Пароль + + + Login + @@ -338,6 +588,32 @@ + HatButton + + Change hat (%1) + + + + + HatPrompt + + Select a hat + + + + Filter: + + + + Cancel + Скасувати + + + Use selected hat + + + + KB SDL_ttf returned error while rendering text, most propably it is related to the bug in freetype2. It's recommended to update your freetype lib. @@ -345,6 +621,13 @@ + KeyBinder + + Category + + + + LibavInteraction Duration: %1m %2s @@ -363,6 +646,17 @@ Audio: + + unknown + + + + + MapModel + + No description available. + + PageAdmin @@ -394,6 +688,38 @@ Set data Встановити дані + + General + Основні + + + Bans + + + + IP/Nick + + + + Expiration + + + + Reason + + + + Refresh + + + + Add + + + + Remove + + PageConnecting @@ -449,7 +775,43 @@ Advanced - Розширені + Розширені + + + Select an action to choose a custom key bind for this team + + + + Use my default + + + + Reset all binds + + + + Custom Controls + + + + Hat + Капелюх + + + Name + Назва + + + This hedgehog's name + + + + Randomize this hedgehog's name + + + + Random Team + Випадкова Команда @@ -538,265 +900,257 @@ Simply pick the same color as a friend to play together as a team. Each of you will still control his or her own hedgehogs but they'll win or lose together. Tips - Виберіть той же колір що і в друга щоб грати в одній команді. Кожен з вас буде керувати власними їжаками але вони виграють чи програють разом. + Виберіть той же колір що і в друга щоб грати в одній команді. Кожен з вас буде керувати власними їжаками але вони виграють чи програють разом. Some weapons might do only low damage but they can be a lot more devastating in the right situation. Try to use the Desert Eagle to knock multiple hedgehogs into the water. Tips - Деяка зброя наносить мало шкоди, але вона може бути більш руйнівною в правильній ситуації. Спробуйте використати Пустельного Орла для скидання кількох їжаків у воду. + Деяка зброя наносить мало шкоди, але вона може бути більш руйнівною в правильній ситуації. Спробуйте використати Пустельного Орла для скидання кількох їжаків у воду. If you're unsure what to do and don't want to waste ammo, skip one round. But don't let too much time pass as there will be Sudden Death! Tips - Якщо ви не знаєте що робити і не хочете витрачати боєприпаси, пропустіть один раунд. Але не марнуйте занадто багато часу, тому-що прийде Раптова Смерть! + Якщо ви не знаєте що робити і не хочете витрачати боєприпаси, пропустіть один раунд. Але не марнуйте занадто багато часу, тому-що прийде Раптова Смерть! If you'd like to keep others from using your preferred nickname on the official server, register an account at http://www.hedgewars.org/. Tips - Якщо ви хочете закріпити за собою нік на офіційному сервері, зареєструйте аккаунт на http://www.hedgewars.org/. + Якщо ви хочете закріпити за собою нік на офіційному сервері, зареєструйте аккаунт на http://www.hedgewars.org/. You're bored of default gameplay? Try one of the missions - they'll offer different gameplay depending on the one you picked. Tips - Ви втомилися від гри за замовчуванням? Спробуйте одну з місій - вони пропонують різні види гри залежно від вашого вибору. + Ви втомилися від гри за замовчуванням? Спробуйте одну з місій - вони пропонують різні види гри залежно від вашого вибору. By default the game will always record the last game played as a demo. Select 'Local Game' and pick the 'Demos' button on the lower right corner to play or manage them. Tips - За замовчуванням остання гра завжди буде записуватись в якості демо. Виберіть 'Локальну Гру' і натисніть кнопку 'Демонстрації' у нижньому правому куті щоб грати або керувати ними. + За замовчуванням остання гра завжди буде записуватись в якості демо. Виберіть 'Локальну Гру' і натисніть кнопку 'Демонстрації' у нижньому правому куті щоб грати або керувати ними. Hedgewars is Open Source and Freeware we create in our spare time. If you've got problems, ask on our forums but please don't expect 24/7 support! Tips - Hedgewars є відкритою та безплатною, ми створюємо її у вільний час. Якщо у вас є проблеми, запитайте на нашому форумі, але будь-ласка, не чекайте підтримки 24/7! + Hedgewars є відкритою та безплатною, ми створюємо її у вільний час. Якщо у вас є проблеми, запитайте на нашому форумі, але будь-ласка, не чекайте підтримки 24/7! Hedgewars is Open Source and Freeware we create in our spare time. If you like it, help us with a small donation or contribute your own work! Tips - Hedgewars є відкритою та безплатною, ми створюємо її у вільний час. Якщо вона вам подобається, допоможіть нам невеликим внеском або вкладіть свою роботу! + Hedgewars є відкритою та безплатною, ми створюємо її у вільний час. Якщо вона вам подобається, допоможіть нам невеликим внеском або вкладіть свою роботу! Hedgewars is Open Source and Freeware we create in our spare time. Share it with your family and friends as you like! Tips - Hedgewars є відкритою та безплатною, ми створюємо її у вільний час. Поділіться грою з родиною та друзями! + Hedgewars є відкритою та безплатною, ми створюємо її у вільний час. Поділіться грою з родиною та друзями! From time to time there will be official tournaments. Upcoming events will be announced at http://www.hedgewars.org/ some days in advance. Tips - Час від часу проводяться офіційні турніри. Майбутні події будуть оголошені на http://www.hedgewars.org/ за кілька днів перед проведенням. + Час від часу проводяться офіційні турніри. Майбутні події будуть оголошені на http://www.hedgewars.org/ за кілька днів перед проведенням. Hedgewars is available in many languages. If the translation in your language seems to be missing or outdated, feel free to contact us! Tips - Hedgewars доступна на багатьох мовах. Якщо переклад на вашу мову застарів чи відсутній, не соромтеся звертатися до нас! + Hedgewars доступна на багатьох мовах. Якщо переклад на вашу мову застарів чи відсутній, не соромтеся звертатися до нас! Hedgewars can be run on lots of different operating systems including Microsoft Windows, Mac OS X and Linux. Tips - Hedgewars може бути запущений на багатьох операційних системах, включаючи Microsoft Windows, Mac OS X і Linux. + Hedgewars може бути запущений на багатьох операційних системах, включаючи Microsoft Windows, Mac OS X і Linux. Always remember you're able to set up your own games in local and network/online play. You're not restricted to the 'Simple Game' option. Tips - Завжди пам'ятайте, ви можете створити свою власну гру в локальному та мережному/онлайн-режимах. Ви не обмежені опцією 'Проста Гра'. + Завжди пам'ятайте, ви можете створити свою власну гру в локальному та мережному/онлайн-режимах. Ви не обмежені опцією 'Проста Гра'. While playing you should give yourself a short break at least once an hour. Tips - Поки граєте гру зробіть коротку перерву хоча б раз на годину. + Поки граєте гру зробіть коротку перерву хоча б раз на годину. If your graphics card isn't able to provide hardware accelerated OpenGL, try to enable the low quality mode to improve performance. Tips - Якщо ваша відеокарта не може забезпечити апаратне прискорення OpenGL, спробуйте включити режим низької якості для підвищення продуктивності. + Якщо ваша відеокарта не може забезпечити апаратне прискорення OpenGL, спробуйте включити режим низької якості для підвищення продуктивності. We're open to suggestions and constructive feedback. If you don't like something or got a great idea, let us know! Tips - Ми відкриті для пропозицій і конструктивного зворотнього зв'язку. Якщо вам не подобається щось або є відмінна ідея, дайте нам знати! + Ми відкриті для пропозицій і конструктивного зворотнього зв'язку. Якщо вам не подобається щось або є відмінна ідея, дайте нам знати! Especially while playing online be polite and always remember there might be some minors playing with or against you as well! Tips - Особливо під час гри онлайн будьте ввічливі і завжди пам'ятайте, з вами чи проти вас можуть грати неповнолітні! + Особливо під час гри онлайн будьте ввічливі і завжди пам'ятайте, з вами чи проти вас можуть грати неповнолітні! Special game modes such as 'Vampirism' or 'Karma' allow you to develop completely new tactics. Try them in a custom game! Tips - Спеціальні режими гри, такі як 'Вампіризм' чи 'Карма' дозволяють розробляти цілком нову тактику. Спробуйте їх в налаштованій грі! + Спеціальні режими гри, такі як 'Вампіризм' чи 'Карма' дозволяють розробляти цілком нову тактику. Спробуйте їх в налаштованій грі! You should never install Hedgewars on computers you don't own (school, university, work, etc.). Please ask the responsible person instead! Tips - Ви не повинні встановлювати Hedgewars на комп'ютерах, які вам не належать (школа, університет, робота тощо). Будь ласка, звертайтесь до відповідальної особи! + Ви не повинні встановлювати Hedgewars на комп'ютерах, які вам не належать (школа, університет, робота тощо). Будь ласка, звертайтесь до відповідальної особи! Hedgewars can be perfect for short games during breaks. Just ensure you don't add too many hedgehogs or use an huge map. Reducing time and health might help as well. Tips - Hedgewars чудово підходить для короткої гри під час перерв. Переконайтеся, що ви не додали занадто багато їжаків і не взяли велику карту. Скорочення часу і здоров'я також підійде. + Hedgewars чудово підходить для короткої гри під час перерв. Переконайтеся, що ви не додали занадто багато їжаків і не взяли велику карту. Скорочення часу і здоров'я також підійде. No hedgehogs were harmed in making this game. Tips - Під час розробки гри не постраждав жодний їжак. + Під час розробки гри не постраждав жодний їжак. Hedgewars is Open Source and Freeware we create in our spare time. If someone sold you the game, you should try get a refund! Tips - Hedgewars є відкритою та безплатною, ми створюємо її у вільний час. Якщо хтось продав вам гру, ви повинні спробувати отримати відшкодування! + Hedgewars є відкритою та безплатною, ми створюємо її у вільний час. Якщо хтось продав вам гру, ви повинні спробувати отримати відшкодування! Connect one or more gamepads before starting the game to be able to assign their controls to your teams. Tips - Підключіть один або кілька геймпадів перед початком гри, щоб ваші команди могли ними користуватись. + Підключіть один або кілька геймпадів перед початком гри, щоб ваші команди могли ними користуватись. Create an account on %1 to keep others from using your most favourite nickname while playing on the official server. Tips - Створіть акаунт на %1 щоб запобігти використанню іншими особами вашого улюбленого ніку під час гри на офіційному сервері. + Створіть акаунт на %1 щоб запобігти використанню іншими особами вашого улюбленого ніку під час гри на офіційному сервері. If your graphics card isn't able to provide hardware accelerated OpenGL, try to update the associated drivers. Tips - Якщо ваша відеокарта не може забезпечити апаратне прискорення OpenGL, спробуйте оновити відповідні драйвери. + Якщо ваша відеокарта не може забезпечити апаратне прискорення OpenGL, спробуйте оновити відповідні драйвери. There are three different jumps available. Tap [high jump] twice to do a very high/backwards jump. Tips - В грі існують три різних види стрибків. Натисніть [високий стрибок] двічі щоб зробити дуже високий стрибок назад. + В грі існують три різних види стрибків. Натисніть [високий стрибок] двічі щоб зробити дуже високий стрибок назад. Afraid of falling off a cliff? Hold down [precise] to turn [left] or [right] without actually moving. Tips - Боїтесь падіння зі скелі? Утримуйте [точно] щоб повернутись [вліво] чи [вправо] без фактичного переміщення. + Боїтесь падіння зі скелі? Утримуйте [точно] щоб повернутись [вліво] чи [вправо] без фактичного переміщення. Some weapons require special strategies or just lots of training, so don't give up on a particular tool if you miss an enemy once. Tips - Деяка зброя вимагає спеціальних стратегій або просто багато тренувань, тому не відмовляйтесь від конкретного інструменту, якщо ви раз не знешкодили ворога. + Деяка зброя вимагає спеціальних стратегій або просто багато тренувань, тому не відмовляйтесь від конкретного інструменту, якщо ви раз не знешкодили ворога. Most weapons won't work once they touch the water. The Homing Bee as well as the Cake are exceptions to this. Tips - Більшість зброї не буде працювати після торкання води. Бджола та Торт є виключеннями з цього правила. + Більшість зброї не буде працювати після торкання води. Бджола та Торт є виключеннями з цього правила. The Old Limbuger only causes a small explosion. However the wind affected smelly cloud can poison lots of hogs at once. Tips - Старий лімбургський сир викликає лише невеликий вибух. Однак смердюча хмара, яку відносить вітер, може отруїти багато їжаків за раз. + Старий лімбургський сир викликає лише невеликий вибух. Однак смердюча хмара, яку відносить вітер, може отруїти багато їжаків за раз. The Piano Strike is the most damaging air strike. You'll lose the hedgehog performing it, so there's a huge downside as well. Tips - Напад піаніно є найбільш руйнівним повітряним ударом. Але ви втратите їжака, тому він має і негативну сторону. + Напад піаніно є найбільш руйнівним повітряним ударом. Але ви втратите їжака, тому він має і негативну сторону. Sticky Mines are a perfect tool to create small chain reactions knocking enemy hedgehogs into dire situations ... or water. Tips - Липкі Міни чудовий інструмент створення малих ланцюгових реакцій для закидання ворогів у складні ситуації ... або у воду. + Липкі Міни чудовий інструмент створення малих ланцюгових реакцій для закидання ворогів у складні ситуації ... або у воду. The Hammer is most effective when used on bridges or girders. Hit hogs will just break through the ground. Tips - Молоток найбільш ефективний при використанні на мостах чи балках. Удар їжака просто провалить його крізь землю. + Молоток найбільш ефективний при використанні на мостах чи балках. Удар їжака просто провалить його крізь землю. If you're stuck behind an enemy hedgehog, use the Hammer to free yourself without getting damaged by an explosion. Tips - Якщо ви застрягли за ворожим їжаком, використайте Молоток, щоб звільнити себе без пошкоджень від вибуху. + Якщо ви застрягли за ворожим їжаком, використайте Молоток, щоб звільнити себе без пошкоджень від вибуху. The Cake's maximum walking distance depends on the ground it has to pass. Use [attack] to detonate it early. Tips - Найбільший шлях ходьби Торта залежить від землі, по якій він повинен пройти. Використовуйте [атака] щоб підірвати його раніше. + Найбільший шлях ходьби Торта залежить від землі, по якій він повинен пройти. Використовуйте [атака] щоб підірвати його раніше. The Flame Thrower is a weapon but it can be used for tunnel digging as well. Tips - Вогнемет це зброя, але його можна також використати для риття тунелю. + Вогнемет це зброя, але його можна також використати для риття тунелю. Want to know who's behind the game? Click on the Hedgewars logo in the main menu to see the credits. Tips - Хочете знати хто робить гру? Натисніть на логотип Hedgewars в головному меню, щоб побачити список. + Хочете знати хто робить гру? Натисніть на логотип Hedgewars в головному меню, щоб побачити список. Like Hedgewars? Become a fan on %1 or follow us on %2! Tips - Подобається Hedgewars? Станьте фанатом на %1 або слідуйте за нами на %2! + Подобається Hedgewars? Станьте фанатом на %1 або слідуйте за нами на %2! Feel free to draw your own graves, hats, flags or even maps and themes! But note that you'll have to share them somewhere to use them online. Tips - Ви можете самі намалювати надгробки, шапки, прапори та навіть мапи і теми! Але врахуйте, вам доведеться поділитися ними з кимось щоб використати їх в інтернет-грі. + Ви можете самі намалювати надгробки, шапки, прапори та навіть мапи і теми! Але врахуйте, вам доведеться поділитися ними з кимось щоб використати їх в інтернет-грі. Really want to wear a specific hat? Donate to us and receive an exclusive hat of your choice! Tips - Хочете носити особливий капелюх? Внесіть пожертву і отримайте ексклюзивний капелюх на ваш вибір! + Хочете носити особливий капелюх? Внесіть пожертву і отримайте ексклюзивний капелюх на ваш вибір! Keep your video card drivers up to date to avoid issues playing the game. Tips - Використовуйте останні відео драйвери щоб уникнути проблем під час гри. + Використовуйте останні відео драйвери щоб уникнути проблем під час гри. You can find your Hedgewars configuration files under "My Documents\Hedgewars". Create backups or take the files with you, but don't edit them by hand. Tips - Ви можете знайти файли конфігурації Hedgewars в "My Documents\Hedgewars". Ви можете створити резервні копії або взяти файли з собою, але не редагуйте їх. + Ви можете знайти файли конфігурації Hedgewars в "My Documents\Hedgewars". Ви можете створити резервні копії або взяти файли з собою, але не редагуйте їх. You're able to associate Hedgewars related files (savegames and demo recordings) with the game to launch them right from your favorite file or internet browser. Tips - Ви можете зв'язати відповідні файли Hedgewars (файли збереження та демо-записи) з грою щоб запускати їх з вашої улюбленої теки чи інтернет-браузеру. + Ви можете зв'язати відповідні файли Hedgewars (файли збереження та демо-записи) з грою щоб запускати їх з вашої улюбленої теки чи інтернет-браузеру. Want to save ropes? Release the rope in mid air and then shoot again. As long as you don't touch the ground you'll reuse your rope without wasting ammo! Tips - Хочете заощадити мотузки? Випустіть мотузку в повітря а потім знову стріляйте. Поки ви не торкнулись грунту ви можете знову використовувати мотузку, не витрачаючи боєприпаси! + Хочете заощадити мотузки? Випустіть мотузку в повітря а потім знову стріляйте. Поки ви не торкнулись грунту ви можете знову використовувати мотузку, не витрачаючи боєприпаси! You can find your Hedgewars configuration files under "Library/Application Support/Hedgewars" in your home directory. Create backups or take the files with you, but don't edit them by hand. Tips - Ви можете знайти файли конфігурації Hedgewars в "Library/Application Support/Hedgewars" в домашній теці. Ви можете створити резервні копії або взяти файли з собою, але не редагуйте їх. + Ви можете знайти файли конфігурації Hedgewars в "Library/Application Support/Hedgewars" в домашній теці. Ви можете створити резервні копії або взяти файли з собою, але не редагуйте їх. You can find your Hedgewars configuration files under ".hedgewars" in your home directory. Create backups or take the files with you, but don't edit them by hand. Tips - Ви можете знайти файли конфігурації Hedgewars в ".hedgewars" в домашній теці. Ви можете створити резервні копії або взяти файли з собою, але не редагуйте їх. + Ви можете знайти файли конфігурації Hedgewars в ".hedgewars" в домашній теці. Ви можете створити резервні копії або взяти файли з собою, але не редагуйте їх. The Windows version of Hedgewars supports Xfire. Make sure to add Hedgewars to its game list so your friends can see you playing. Tips - Windows-версія Hedgewars підтримує Xfire. Переконайтеся в тому, що ви додали Hedgewars до списку ігор, щоб ваші друзі могли бачити вас в грі. + Windows-версія Hedgewars підтримує Xfire. Переконайтеся в тому, що ви додали Hedgewars до списку ігор, щоб ваші друзі могли бачити вас в грі. Use the Molotov or Flame Thrower to temporary keep hedgehogs from passing terrain such as tunnels or platforms. Tips - Використайте Коктейль Молотова або Вогнемет щоб тимчасово утримати їжаків від проходження такої місцевості як тунелі або платформи. + Використайте Коктейль Молотова або Вогнемет щоб тимчасово утримати їжаків від проходження такої місцевості як тунелі або платформи. The Homing Bee can be tricky to use. Its turn radius depends on its velocity, so try to not use full power. Tips - Навідна Бджілка може бути складною у керуванні. Радіус повороту залежить від її швидкості, тому постарайтеся не стріляти на повну силу. + Навідна Бджілка може бути складною у керуванні. Радіус повороту залежить від її швидкості, тому постарайтеся не стріляти на повну силу. Downloadable Content - Local Game - - - Play a game on a single computer - Network Game - - - Play a game across a network @@ -824,6 +1178,14 @@ Edit game preferences + + Play a game across a local area network + + + + Play a game on an official server + + PageMultiplayer @@ -831,6 +1193,10 @@ Start Старт + + Edit game preferences + + PageNetGame @@ -838,24 +1204,24 @@ Control Керування + + Edit game preferences + + + + Start + Старт + PageNetType LAN game - Локальна гра + Локальна гра Official server - Офіційний сервер - - - Join hundreds of players online! - - - - Join or host your own game server in a Local Area Network. - + Офіційний сервер @@ -902,7 +1268,7 @@ General - Основні + Основні Advanced @@ -944,6 +1310,94 @@ System proxy settings + + Select an action to change what key controls it + + + + Reset to default + + + + Reset all binds + + + + Game + + + + Graphics + + + + Audio + + + + Controls + + + + Video Recording + + + + Network + + + + Teams + Команди + + + Schemes + + + + Weapons + Зброя + + + Frontend + + + + Custom colors + + + + Game audio + + + + Frontend audio + + + + Account + + + + Proxy settings + + + + Miscellaneous + + + + Updates + + + + Check for updates + + + + Video recording options + + PagePlayDemo @@ -1144,18 +1598,10 @@ PageSinglePlayer - Simple Game - - - Play a quick game against the computer with random settings - Multiplayer - - - Play a hotseat game against your friends, or AI teams @@ -1164,24 +1610,16 @@ - Training Mode - - - Practice your skills in a range of training missions - Demos - - - Watch recorded demos Load - Завантажити + Завантажити Load a previously saved game @@ -1230,14 +1668,6 @@ - Date: - - - - Size: - - - encoding @@ -1245,6 +1675,16 @@ uploading + + Date: %1 + + + + + Size: %1 + + + QAction @@ -1258,7 +1698,7 @@ Start - Старт + Старт Restrict Joins @@ -1309,15 +1749,15 @@ Frontend fullscreen - Меню на повний екран + Меню на повний екран Enable sound - Включити звук + Включити звук Enable music - Включити музику + Включити музику Show FPS @@ -1337,15 +1777,15 @@ Enable frontend sounds - Включити звуки в меню + Включити звуки в меню Enable frontend music - Включити музику в меню + Включити музику в меню Frontend effects - Ефекти меню + Ефекти меню Save password @@ -1367,12 +1807,40 @@ Use game resolution + + Visual effects + + + + Sound + + + + In-game sound effects + + + + Music + + + + In-game music + + + + Frontend sound effects + + + + Frontend music + + QComboBox generated map... - згенерована мапа... + згенерована мапа... Human @@ -1388,11 +1856,11 @@ Mission - Місія + Місія generated maze... - згенерований лабіринт... + згенерований лабіринт... Community @@ -1412,7 +1880,7 @@ hand drawn map... - вручну намальована мапа... + вручну намальована мапа... Disabled @@ -1452,7 +1920,7 @@ Wiggle - Погойдування + Погойдування Red/Cyan grayscale @@ -1491,15 +1959,15 @@ Key binds - Прив'язки клавіш + Прив'язки клавіш Teams - Команди + Команди Audio/Graphic options - Налаштування Звуку та Графіки + Налаштування Звуку та Графіки Net game @@ -1523,23 +1991,11 @@ Misc - Різне + Різне Schemes and Weapons - Схеми та Зброя - - - Custom colors - - - - Miscellaneous - - - - Video recording options - + Схеми та Зброя Videos @@ -1549,10 +2005,6 @@ Description - - Proxy settings - - QLabel @@ -1570,23 +2022,23 @@ Developers: - Розробники: + Розробники: Art: - Графіка: + Графіка: Sounds: - Звуки: + Звуки: Translations: - Переклади: + Переклади: Special thanks: - Особлива вдячність: + Особлива вдячність: Weapons @@ -1646,7 +2098,7 @@ Game scheme - Схема гри + Схема гри % Dud Mines @@ -1686,7 +2138,7 @@ This development build is 'work in progress' and may not be compatible with other versions of the game. Some features might be broken or incomplete. Use at your own risk! - Ця розробницька збірка є проміжною і може бути несумісною з іншими версіями гри. Деякі функції можуть бути зламані чи неповні. Використовуйте її на свій страх і ризик! + Ця розробницька збірка є проміжною і може бути несумісною з іншими версіями гри. Деякі функції можуть бути зламані чи неповні. Використовуйте її на свій страх і ризик! Quality @@ -1763,10 +2215,6 @@ - Summary - - - Description @@ -1794,6 +2242,38 @@ Bitrate (Kbps) + + This development build is 'work in progress' and may not be compatible with other versions of the game, while some features might be broken or incomplete! + + + + Fullscreen + Повний екран + + + Fullscreen Resolution + + + + Windowed Resolution + + + + Your Email + + + + Summary + + + + Send system information + + + + Type the security code: + + QLineEdit @@ -1832,10 +2312,6 @@ Файлове асоціювання не вдалось - Please fill out all fields - - - Error while authenticating at google.com: @@ -1882,18 +2358,6 @@ - Successfully posted the issue on hedgewars.googlecode.com - - - - Error during authentication at google.com - - - - Error reporting the issue, please try again later (or visit hedgewars.googlecode.com directly) - - - Main - Error @@ -2042,16 +2506,48 @@ Do you really want to delete the weapon set '%1'? + + Hedgewars - Nick not registered + + + + System Information Preview + + + + Failed to generate captcha + + + + Failed to download captcha + + + + Please fill out all fields. Email is optional. + + + + Hedgewars - Warning + + + + Hedgewars - Information + + + + Hedgewars + + QObject Nickname - Ім'я + Ім'я Please enter your nickname - Будь ласка введіть ваше ім'я + Будь ласка введіть ваше ім'я @@ -2110,15 +2606,15 @@ Setup - Налаштування + Налаштування Ready - Готовий + Готовий Random Team - Випадкова Команда + Випадкова Команда Associate file extensions @@ -2126,7 +2622,7 @@ more - більше + більше More info @@ -2221,6 +2717,25 @@ + SeedPrompt + + The map seed is the basis for all random values generated by the game. + + + + Cancel + Скасувати + + + Set seed + + + + Close + + + + SelWeaponWidget Weapon set @@ -2248,106 +2763,120 @@ + TeamShowWidget + + %1's team + + + + + ThemePrompt + + Select a theme for this map + + + + Cancel + Скасувати + + + ToggleButtonWidget Vampirism - Вампіризм + Вампіризм Karma - Карма + Карма Artillery - Артилерія + Артилерія Fort Mode - Режим Форту + Режим Форту Divide Teams - Розділення Команд + Розділення Команд Solid Land - Щільний Грунт + Щільний Грунт Add Border - Додати Кордон + Додати Кордон Low Gravity - Слабка Гравітація + Слабка Гравітація Laser Sight - Лазерний Приціл + Лазерний Приціл Invulnerable - Невразливість + Невразливість Random Order - Випадковий Порядок + Випадковий Порядок King - Король + Король Place Hedgehogs - Розмістити Їжаків + Розмістити Їжаків Clan Shares Ammo - Клан Ділиться Боєприпасами + Клан Ділиться Боєприпасами Disable Girders - Вимкнути Балки + Вимкнути Балки Disable Land Objects - Вимкнути Декорації + Вимкнути Декорації AI Survival Mode - Режим AI Виживання + Режим AI Виживання Reset Health - Скинути Здоров'я + Скинути Здоров'я Unlimited Attacks - Необмежені Атаки + Необмежені Атаки Reset Weapons - Скинути Зброю + Скинути Зброю Per Hedgehog Ammo - Боєприпаси на Їжака + Боєприпаси на Їжака Disable Wind - Вимкнути Вітер + Вимкнути Вітер More Wind - Більше Вітру + Більше Вітру Tag Team - Збірна Команда - - - Add Bottom Border - + Збірна Команда @@ -2483,7 +3012,7 @@ hedgehogs info - інформація + інформація про їжачків @@ -2522,31 +3051,51 @@ record + + hedgehog info + + binds (categories) Basic controls - Основні елементи керування + Основні елементи керування Weapon controls - Керування зброєю + Керування зброєю Camera and cursor controls - Керування камерою і курсором + Керування камерою і курсором Other - Інше + Інше + + + Movement + + + + Weapons + Зброя + + + Camera + + + + Miscellaneous + binds (descriptions) Move your hogs and aim: - Переміщення ваших їжаків та цілі: + Переміщення ваших їжаків та цілі: Traverse gaps and obstacles by jumping: @@ -2612,6 +3161,10 @@ Record video: + + Hedgehog movement + + binds (keys) @@ -2932,4 +3485,119 @@ + + server + + Illegal nickname + + + + Protocol already known + + + + Bad number + + + + bye + + + + Empty config entry + + + + Not room master + + + + Corrupted hedgehogs info + + + + too many teams + + + + too many hedgehogs + + + + There's already a team with same name in the list + + + + round in progress + + + + restricted + + + + REMOVE_TEAM: no such team + + + + Not team owner! + + + + Less than two clans! + + + + Room with such name already exists + + + + Illegal room name + + + + No such room + + + + Joining restricted + + + + Registered users only + + + + You are banned in this room + + + + Nickname is already in use + + + + No checker rights + + + + Authentication failed + + + + 60 seconds cooldown after kick + + + + kicked + + + + Ping timeout + + + + Nickname already chosen + + + diff -r 33ab77c0b486 -r 87410ae372f6 share/hedgewars/Data/Locale/hedgewars_zh_CN.ts --- a/share/hedgewars/Data/Locale/hedgewars_zh_CN.ts Fri Jan 18 11:47:23 2013 +0100 +++ b/share/hedgewars/Data/Locale/hedgewars_zh_CN.ts Sat Jan 19 00:51:28 2013 +0400 @@ -4,7 +4,7 @@ AbstractPage - + Go back @@ -23,6 +23,141 @@ + BanDialog + + + 10 minutes + + + + + 30 minutes + + + + + 1 hour + + + + + 3 hours + + + + + 5 hours + + + + + 24 hours + + + + + 3 days + + + + + 7 days + + + + + 14 days + + + + + permanent + + + + + + IP + IP + + + + Nick + + + + + IP/Nick + + + + + Reason + + + + + Duration + + + + + Ok + + + + + Cancel + 取消 + + + + you know why + + + + + Warning + + + + + Please, specify %1 + + + + + nickname + + + + + DataManager + + + Use Default + + + + + FeedbackDialog + + + View + + + + + Cancel + 取消 + + + + Send Feedback + + + + FreqSpinBox @@ -40,22 +175,22 @@ GameCFGWidget - + Game Options - + Edit weapons - - When this option is enabled selecting a game scheme will auto-select a weapon - - - - + + Game scheme will auto-select a weapon + + + + Edit schemes 修改游戏设置 @@ -71,128 +206,175 @@ HWChatWidget - + %1 has been removed from your ignore list - + %1 has been added to your ignore list - + %1 has been removed from your friends list - + %1 has been added to your friends list - + Stylesheet imported from %1 - + Enter %1 if you want to use the current StyleSheet in future, enter %2 to reset! - + Couldn't read %1 - + StyleSheet discarded + + StyleSheet saved to %1 + + + - StyleSheet saved to %1 - - - - Failed to save StyleSheet to %1 - - - %1 is not a valid command! - - HWForm - - + DefaultTeam - + + %1's Team + + + + Game aborted - - Your nickname %1 is -registered on Hedgewars.org -Please provide your password below -or pick another nickname in game config: - - - - - No password supplied. - - - - + + Hedgewars - Nick registered + + + + + This nick is registered, and you haven't specified a password. + +If this nick isn't yours, please register your own nick at www.hedgewars.org + +Password: + + + + + Your nickname is not registered. +To prevent someone else from using it, +please register it at www.hedgewars.org + + + + + + +Your password wasn't saved either. + + + + Nickname - + Someone already uses your nickname %1 on the server. Please pick another nickname: - + + No nickname supplied. - + + + Hedgewars - Empty nickname + + + + + Hedgewars - Wrong password + + + + + You entered a wrong password. + + + + + Try Again + + + + + Hedgewars - Connection error + + + + + You reconnected too fast. +Please wait a few seconds and try again. + + + + Hedgewars Demo File File Types - + Hedgewars Save File File Types - + Demo name - + Demo name: - - + + Cannot save record to file %1 无法录入文件 %1 @@ -200,13 +382,13 @@ HWGame - - + + en.txt zh_CN.txt - + Cannot open demofile %1 DEMO %1 打不开 @@ -214,95 +396,173 @@ HWMapContainer - Map - 地图 + 地图 + + + + Small tunnels + + + + + Medium tunnels + + + + Themes + 主题 + + + + Seed + + + + Filter + 过滤 + + + + Map type: + + + + + Image map + + + + + Mission map + + + + + Hand-drawn + - Type - - - - - Small tunnels - - - - - Medium tunnels - - - - - Large tunnels - - - - - Small floating islands - - - - - Medium floating islands - - - - - Large floating islands - - - - - Themes - 主题 - - - - Seed - - - - - Set - - - - - Filter - 过滤 - - - + Randomly generated + + + + + Random maze + + + + + Random + + + + + Map preview: + + + + + Load map drawing + + + + + Edit map drawing + + + + All 全部 - + Small 小型 - + Medium 中型 - + Large 大型 - + Cavern 洞穴 - + Wacky 曲折 + + + Largetunnels + + + + + Small islands + + + + + Medium islands + + + + + Large islands + + + + + Map size: + + + + + Maze style: + + + + + Mission: + + + + + Map: + + + + + + Theme: + + + + + Load drawn map + + + + + Drawn Maps + + + + + All files + + HWNetServersModel @@ -325,65 +585,65 @@ HWNewNet - + User quit - + Remote host has closed connection - + The host was not found. Please check the host name and port settings. 错误没找到这个主机。请检查主机名和端口设置。 - + Connection refused 连接被拒绝 - + The server is too old. Disconnecting now. - + %1 *** %2 has joined - - + + %1 *** %2 has left - - + + %1 *** %2 has left (%3) - - + + %1 *** %2 has joined the room - + Quit reason: 退出原因: - + Room destroyed 房间损坏 - + You got kicked 被踢出 @@ -391,9 +651,13 @@ HWPasswordDialog + Password + 密码 + + - Password - 密码 + Login + @@ -410,6 +674,37 @@ + HatButton + + + Change hat (%1) + + + + + HatPrompt + + + Select a hat + + + + + Filter: + + + + + Cancel + 取消 + + + + Use selected hat + + + + KB @@ -418,6 +713,14 @@ + KeyBinder + + + Category + + + + LibavInteraction @@ -440,44 +743,97 @@ Audio: + + + unknown + + + + + MapModel + + + No description available. + + PageAdmin - + + General + 常规 + + + + Bans + + + + Fetch data - + Server message for latest version: - + Server message for previous versions: - + Latest version protocol number: - + MOTD preview: - + Clear Accounts Cache - + Set data + + + IP/Nick + + + + + Expiration + + + + + Reason + + + + + Refresh + + + + + Add + + + + + Remove + + PageConnecting @@ -541,13 +897,57 @@ PageEditTeam + Select an action to choose a custom key bind for this team + + + + + Use my default + + + + + Reset all binds + + + + General 常规 - + + Custom Controls + + + + + Hat + + + + + Name + + + + + This hedgehog's name + + + + + Randomize this hedgehog's name + + + + + Random Team + + + Advanced - 进阶 + 进阶 @@ -568,47 +968,47 @@ - + The best shot award was won by <b>%1</b> with <b>%2</b> pts. - + The best killer is <b>%1</b> with <b>%2</b> kills in a turn. - + A total of <b>%1</b> hedgehog(s) were killed during this round. - + (%1 kill) - + <b>%1</b> thought it's good to shoot his own hedgehogs with <b>%2</b> pts. - + <b>%1</b> killed <b>%2</b> of his own hedgehogs. - + <b>%1</b> was scared and skipped turn <b>%2</b> times. @@ -635,358 +1035,69 @@ PageMain - Local Game - - - - Play a game on a single computer - Network Game - - - - Play a game across a network - + + Play a game across a local area network + + + + + Play a game on an official server + + + + Read about who is behind the Hedgewars Project - + Leave a feedback here reporting issues, suggesting features or just saying how you like Hedgewars - + Downloadable Content - + Access the user created content downloadable from our website - + Exit game - + Manage videos recorded from game - + Edit game preferences - - - Simply pick the same color as a friend to play together as a team. Each of you will still control his or her own hedgehogs but they'll win or lose together. - Tips - - - - - Some weapons might do only low damage but they can be a lot more devastating in the right situation. Try to use the Desert Eagle to knock multiple hedgehogs into the water. - Tips - - - - - If you're unsure what to do and don't want to waste ammo, skip one round. But don't let too much time pass as there will be Sudden Death! - Tips - - - - - Want to save ropes? Release the rope in mid air and then shoot again. As long as you don't touch the ground you'll reuse your rope without wasting ammo! - Tips - - - - - If you'd like to keep others from using your preferred nickname on the official server, register an account at http://www.hedgewars.org/. - Tips - - - - - You're bored of default gameplay? Try one of the missions - they'll offer different gameplay depending on the one you picked. - Tips - - - - - By default the game will always record the last game played as a demo. Select 'Local Game' and pick the 'Demos' button on the lower right corner to play or manage them. - Tips - - - - - Hedgewars is Open Source and Freeware we create in our spare time. If you've got problems, ask on our forums but please don't expect 24/7 support! - Tips - - - - - Hedgewars is Open Source and Freeware we create in our spare time. If you like it, help us with a small donation or contribute your own work! - Tips - - - - - Hedgewars is Open Source and Freeware we create in our spare time. Share it with your family and friends as you like! - Tips - - - - - Hedgewars is Open Source and Freeware we create in our spare time. If someone sold you the game, you should try get a refund! - Tips - - - - - From time to time there will be official tournaments. Upcoming events will be announced at http://www.hedgewars.org/ some days in advance. - Tips - - - - - Hedgewars is available in many languages. If the translation in your language seems to be missing or outdated, feel free to contact us! - Tips - - - - - Hedgewars can be run on lots of different operating systems including Microsoft Windows, Mac OS X and Linux. - Tips - - - - - Always remember you're able to set up your own games in local and network/online play. You're not restricted to the 'Simple Game' option. - Tips - - - - - Connect one or more gamepads before starting the game to be able to assign their controls to your teams. - Tips - - - - - Create an account on %1 to keep others from using your most favourite nickname while playing on the official server. - Tips - - - - - While playing you should give yourself a short break at least once an hour. - Tips - - - - - If your graphics card isn't able to provide hardware accelerated OpenGL, try to enable the low quality mode to improve performance. - Tips - - - - - If your graphics card isn't able to provide hardware accelerated OpenGL, try to update the associated drivers. - Tips - - - - - We're open to suggestions and constructive feedback. If you don't like something or got a great idea, let us know! - Tips - - - - - Especially while playing online be polite and always remember there might be some minors playing with or against you as well! - Tips - - - - - Special game modes such as 'Vampirism' or 'Karma' allow you to develop completely new tactics. Try them in a custom game! - Tips - - - - - The Windows version of Hedgewars supports Xfire. Make sure to add Hedgewars to its game list so your friends can see you playing. - Tips - - - - - You should never install Hedgewars on computers you don't own (school, university, work, etc.). Please ask the responsible person instead! - Tips - - - - - Hedgewars can be perfect for short games during breaks. Just ensure you don't add too many hedgehogs or use an huge map. Reducing time and health might help as well. - Tips - - - - - No hedgehogs were harmed in making this game. - Tips - - - - - There are three different jumps available. Tap [high jump] twice to do a very high/backwards jump. - Tips - - - - - Afraid of falling off a cliff? Hold down [precise] to turn [left] or [right] without actually moving. - Tips - - - - - Some weapons require special strategies or just lots of training, so don't give up on a particular tool if you miss an enemy once. - Tips - - - - - Most weapons won't work once they touch the water. The Homing Bee as well as the Cake are exceptions to this. - Tips - - - - - The Old Limbuger only causes a small explosion. However the wind affected smelly cloud can poison lots of hogs at once. - Tips - - - - - The Piano Strike is the most damaging air strike. You'll lose the hedgehog performing it, so there's a huge downside as well. - Tips - - - - - The Homing Bee can be tricky to use. Its turn radius depends on its velocity, so try to not use full power. - Tips - - - - - Sticky Mines are a perfect tool to create small chain reactions knocking enemy hedgehogs into dire situations ... or water. - Tips - - - - - The Hammer is most effective when used on bridges or girders. Hit hogs will just break through the ground. - Tips - - - - - If you're stuck behind an enemy hedgehog, use the Hammer to free yourself without getting damaged by an explosion. - Tips - - - - - The Cake's maximum walking distance depends on the ground it has to pass. Use [attack] to detonate it early. - Tips - - - - - The Flame Thrower is a weapon but it can be used for tunnel digging as well. - Tips - - - - - Use the Molotov or Flame Thrower to temporary keep hedgehogs from passing terrain such as tunnels or platforms. - Tips - - - - - Want to know who's behind the game? Click on the Hedgewars logo in the main menu to see the credits. - Tips - - - - - Like Hedgewars? Become a fan on %1 or follow us on %2! - Tips - - - - - Feel free to draw your own graves, hats, flags or even maps and themes! But note that you'll have to share them somewhere to use them online. - Tips - - - - - Really want to wear a specific hat? Donate to us and receive an exclusive hat of your choice! - Tips - - - - - Keep your video card drivers up to date to avoid issues playing the game. - Tips - - - - - You're able to associate Hedgewars related files (savegames and demo recordings) with the game to launch them right from your favorite file or internet browser. - Tips - - - - - You can find your Hedgewars configuration files under "My Documents\Hedgewars". Create backups or take the files with you, but don't edit them by hand. - Tips - - - - - You can find your Hedgewars configuration files under "Library/Application Support/Hedgewars" in your home directory. Create backups or take the files with you, but don't edit them by hand. - Tips - - - - - You can find your Hedgewars configuration files under ".hedgewars" in your home directory. Create backups or take the files with you, but don't edit them by hand. - Tips - - PageMultiplayer - + + Edit game preferences + + + + Start 开始 @@ -994,141 +1105,249 @@ PageNetGame - + + Edit game preferences + + + + Control Ctrl + + + Start + 开始 + PageNetType - LAN game - 局域网游戏 - - - - Join or host your own game server in a Local Area Network. - - - - + 局域网游戏 + + Official server - 官方服务器 - - - - Join hundreds of players online! - + 官方服务器 PageOptions - General - 常规 - - - + 常规 + + + + Select an action to change what key controls it + + + + + Reset to default + + + + + Reset all binds + + + + + + Game + + + + + Graphics + + + + + Audio + + + + + Controls + + + + + Video Recording + + + + + Network + + + + Advanced 进阶 - + + Teams + 队伍 + + + New team 新队伍 - + Edit team 修改队伍设定 - + Delete team - - You can't edit teams from team selection. Go back to main menu to add, edit or delete teams. - - - - - New scheme - - - - - Edit scheme - - - - - Delete scheme - - - - - New weapon set - - - - Edit weapon set + You can't edit teams from team selection. Go back to main menu to add, edit or delete teams. + Schemes + + + + + New scheme + + + + + Edit scheme + + + + + Delete scheme + + + + + Weapons + 武器 + + + + New weapon set + + + + + Edit weapon set + + + + Delete weapon set - + + Frontend + + + + + Custom colors + + + + Reset to default colors - + + Game audio + + + + + Frontend audio + + + + + Account + + + + + Proxy settings + + + + Proxy host - + Proxy port - + Proxy login - + Proxy password - + No proxy - + System proxy settings - + Socks5 proxy - + HTTP proxy + + + Miscellaneous + + + + + Updates + + + + + Check for updates + + + + + Video recording options + + PagePlayDemo @@ -1181,7 +1400,7 @@ - + %1 players online @@ -1196,152 +1415,152 @@ PageScheme - + Defend your fort and destroy the opponents, two team colours max! - + Teams will start on opposite sides of the terrain, two team colours max! - + Land can not be destroyed! + + Add an indestructible border around the terrain + + + - Add an indestructible border around the terrain - - - - Lower gravity - + Assisted aiming with laser sight - + All hogs have a personal forcefield + + All (living) hedgehogs are fully restored at the end of turn + + + + + Gain 80% of the damage you do back in health + + + - All (living) hedgehogs are fully restored at the end of turn - - - - - Gain 80% of the damage you do back in health - - - - Share your opponents pain, share their damage - + Your hogs are unable to move, put your artillery skills to the test + + Order of play is random instead of in room order. + + + + + Play with a King. If he dies, your side dies. + + + + + Take turns placing your hedgehogs before the start of play. + + + - Order of play is random instead of in room order. - - - - - Play with a King. If he dies, your side dies. - - - - - Take turns placing your hedgehogs before the start of play. - - - - Ammo is shared between all teams that share a colour. + + Disable girders when generating random maps. + + + + + Disable land objects when generating random maps. + + + + + AI respawns on death. + + + + + Attacking does not end your turn. + + + - Disable girders when generating random maps. - - - - - Disable land objects when generating random maps. - - - - - AI respawns on death. - - - - - Attacking does not end your turn. + Weapons are reset to starting values each turn. + + + + + Each hedgehog has its own ammo. It does not share with the team. + + + + + You will not have to worry about wind anymore. + + + + + Wind will affect almost everything. + + + + + Teams in each clan take successive turns sharing their turn time. - Weapons are reset to starting values each turn. - - - - - Each hedgehog has its own ammo. It does not share with the team. - - - - - You will not have to worry about wind anymore. - - - - - Wind will affect almost everything. - - - - - Teams in each clan take successive turns sharing their turn time. - - - - Add an indestructible border along the bottom - + Random - + Seconds - + Copy - + New 新游戏 - + Delete 删除 @@ -1372,60 +1591,50 @@ PageSinglePlayer + Simple Game + 简单游戏 + + - Simple Game - 简单游戏 - - - Play a quick game against the computer with random settings - + Play a hotseat game against your friends, or AI teams - - + Campaign Mode - - Training Mode - - - - + Practice your skills in a range of training missions - + Watch recorded demos - Load - 读取 - - - + 读取 + + + Load a previously saved game - Multiplayer - 多人游戏 - - - + 多人游戏 + + Demos - Demo + Demo @@ -1441,12 +1650,12 @@ - + No description available - + Select a mission! @@ -1454,44 +1663,46 @@ PageVideos - + Name - + Size - + %1 bytes - + (in progress...) - - Date: - - - - - Size: - - - - + + Date: %1 + + + + + + Size: %1 + + + + + encoding - + uploading @@ -1499,64 +1710,63 @@ QAction - + Kick - + Update 更新 - Start - 开始 - - - + 开始 + + + Restrict Joins 限制参与 - + Restrict Team Additions 限制团队插件 - + Info 信息 - + Ban 屏蔽 - + Follow - - + + Ignore - - + + Add friend - + Unignore - + Remove friend @@ -1564,68 +1774,87 @@ QCheckBox - Enable sound - 开启音效 - - - + 开启音效 + + + Fullscreen 游戏全屏幕 - + Show FPS 显示帧率 (FPS) - + Alternative damage show 另一种伤害显示方式 - + + Visual effects + + + + + + Sound + + + + + In-game sound effects + + + + + + Music + + + + + In-game music + + + + + Frontend sound effects + + + + + Frontend music + + + + Check for updates at startup - - Frontend effects - - - - - Enable frontend sounds - - - - - Enable frontend music - - - - Enable music - 开启音乐 - - - + 开启音乐 + + + Show ammo menu tooltips - Frontend fullscreen - 界面全屏幕 - - - + 界面全屏幕 + + + Append date and time to record file name 记录名称中包含具体时间日期 - - + + Save password @@ -1640,12 +1869,12 @@ - + Record audio - + Use game resolution @@ -1653,129 +1882,108 @@ QComboBox - generated map... - 生成地图... - - - - generated maze... - - - - - hand drawn map... - - - - - Mission - - - - + 生成地图... + + + Human 玩家 - + Community - + Level Lv 级别 - + (System default) + + Disabled + + + - Disabled + Red/Cyan - Red/Cyan + Cyan/Red - Cyan/Red + Red/Blue - Red/Blue + Blue/Red - Blue/Red + Red/Green - Red/Green + Green/Red + + + + + Side-by-side + + + + + Top-Bottom - Green/Red + Red/Cyan grayscale - Side-by-side + Cyan/Red grayscale - Top-Bottom + Red/Blue grayscale - Wiggle + Blue/Red grayscale - Red/Cyan grayscale + Red/Green grayscale - Cyan/Red grayscale - - - - - Red/Blue grayscale - - - - - Blue/Red grayscale - - - - - Red/Green grayscale - - - - Green/Red grayscale - + Any @@ -1793,62 +2001,34 @@ QGroupBox - + Team Members 成员 - + Team Settings - + Fort 城堡模式 - Key binds - 键位绑定 - - - + 键位绑定 + + Teams - 队伍 - - - - Schemes and Weapons - - - - - Misc - - - - + 队伍 + + Audio/Graphic options - 音频/视频选项 - - - - Custom colors - - - - - Miscellaneous - - - - - Proxy settings - - - - + 音频/视频选项 + + + Playing teams 玩家队伍 @@ -1868,17 +2048,12 @@ 基本设置 - - Video recording options - - - - + Videos - + Description @@ -1886,60 +2061,70 @@ QLabel - + Locale - + Nickname - - + Resolution 分辨率 - + Quality - + + Fullscreen + 游戏全屏幕 + + + + Fullscreen Resolution + + + + + Windowed Resolution + + + + Stereo rendering - + FPS limit FPS 上限 - - This program is distributed under the GNU General Public License v2 - - - + This program is distributed under the GNU General Public License v2 + + + Developers: - 开发者: - - - + 开发者: + + Art: - 艺术: - - - + 艺术: + + Translations: - 翻译: - - - + 翻译: + + Special thanks: - 特别感谢: + 特别感谢: @@ -1962,110 +2147,107 @@ 端口: - - + Weapons 武器 - + Version 版本 - Sounds: - 声音: - - - + 声音: + + + Initial sound volume 初始音量 - + Damage Modifier 伤害修改 - + Turn Time 回合时间 - + Initial Health 初始生命值 - + Sudden Death Timeout 死亡模式倒计时 - + Sudden Death Water Rise - + Sudden Death Health Decrease - + % Rope Length - + % Health Crates - + Health in Crates - + Mines Time - + Mines - + % Dud Mines - + Explosives - + % Get Away Time - + Scheme Name: 设置名称: - + Crate Drops 箱子降落 - Game scheme - 游戏设置 + 游戏设置 @@ -2105,82 +2287,97 @@ - + Name - + Type - + Grave - + Flag - + Voice - - Summary - - - - + + Your Email + + + + + Summary + + + + + Send system information + + + + Description - + + Type the security code: + + + + Tip: - - This development build is 'work in progress' and may not be compatible with other versions of the game. Some features might be broken or incomplete. Use at your own risk! - - - - + + This development build is 'work in progress' and may not be compatible with other versions of the game, while some features might be broken or incomplete! + + + + Format - + Audio codec - + Video codec - + Framerate - + Bitrate (Kbps) - + Style - + Scheme @@ -2188,18 +2385,18 @@ QLineEdit - + unnamed 无名 - - + + hedgehog %1 - + anonymous @@ -2207,7 +2404,7 @@ QMainWindow - + Hedgewars %1 刺猬大作战 %1 @@ -2215,91 +2412,94 @@ QMessageBox - + Error 错误 - + Cannot use the ammo '%1'! - - + Teams - Are you sure? - - + Do you really want to delete the team '%1'? - - + + Cannot delete default scheme '%1'! - + Please select a record from the list - + + Hedgewars - Nick not registered + + + + Unable to start server - + Connection to server is lost 服务器连接丢失 - + Hedgewars - Error - - + + System Information Preview + + + + + + Failed to generate captcha + + + + + Failed to download captcha + + + + + Please fill out all fields. Email is optional. + + + + + Hedgewars - Success - + All file associations have been set - - Successfully posted the issue on hedgewars.googlecode.com - - - - - - Error during authentication at google.com - - - - - Error reporting the issue, please try again later (or visit hedgewars.googlecode.com directly) - - - - + File association failed. - - Please fill out all fields - - - Error while authenticating at google.com: @@ -2323,18 +2523,18 @@ - - + + Main - Error - + Cannot create directory %1 - + Failed to open data directory: %1 @@ -2342,29 +2542,29 @@ - - + + TCP - Error - + Unable to start the server: %1. - + Unable to run engine at - + Error code: %1 - + Netgame - Error @@ -2374,8 +2574,8 @@ - - + + Please enter room name @@ -2404,69 +2604,70 @@ - - + + Room Name - Error - + Please select room from the list - + Room Name - Are you sure? - + The game you are trying to join has started. Do you still want to join the room? - + Schemes - Warning - + Schemes - Are you sure? - + Do you really want to delete the game scheme '%1'? - - - + + + Videos - Are you sure? - + Do you really want to delete the video '%1'? - + Do you really want to remove %1 file(s)? - + Do you really want to cancel uploading %1? + File error @@ -2477,6 +2678,7 @@ + Cannot open '%1' for reading @@ -2506,27 +2708,27 @@ Do you really want to delete the weapon set '%1'? - - - QObject - - - Nickname - - - - - Please enter your nickname + + + Hedgewars - Warning + + + + + Hedgewars - Information + + + + + Hedgewars QPushButton - - Setup - 设置 + 设置 @@ -2588,21 +2790,20 @@ - + Cancel 取消 - - + + Delete 删除 - Ready - 准备好了 + 准备好了 @@ -2610,71 +2811,62 @@ - - Random Team - - - - + Associate file extensions - + Set default options - + Restore default coding parameters - + Open videos directory - + Open the video directory in your system - + Play - + Play this video - + Delete this video - - + + + Upload to YouTube - + Upload this video to your Youtube account - + Cancel uploading - - - more - - RoomsListModel @@ -2719,22 +2911,45 @@ 武器 - + Random Map - - Random Maze - - - + Random Maze + + + + Hand-drawn + SeedPrompt + + + The map seed is the basis for all random values generated by the game. + + + + + Cancel + 取消 + + + + Set seed + + + + + Close + + + + SelWeaponWidget @@ -2770,131 +2985,55 @@ + TeamShowWidget + + + %1's team + + + + + ThemePrompt + + + Select a theme for this map + + + + + Cancel + 取消 + + + ToggleButtonWidget - Fort Mode - 城堡模式 - - - + 城堡模式 + + Divide Teams - 团体行动 - - - + 团体行动 + + Solid Land - 固实地面 - - - + 固实地面 + + Add Border - 添加边界 - - - + 添加边界 + + Low Gravity - 低重力 - - - + 低重力 + + Laser Sight - 激光瞄准 - - - + 激光瞄准 + + Invulnerable - 刀枪不入 - - - - Reset Health - - - - - Vampirism - - - - - Karma - - - - - Artillery - - - - - Random Order - - - - - King - - - - - Place Hedgehogs - - - - - Clan Shares Ammo - - - - - Disable Girders - - - - - Disable Land Objects - - - - - AI Survival Mode - - - - - Unlimited Attacks - - - - - Reset Weapons - - - - - Per Hedgehog Ammo - - - - - Disable Wind - - - - - More Wind - - - - - Tag Team - - - - - Add Bottom Border - + 刀枪不入 @@ -2924,87 +3063,87 @@ - + attack 攻击 - + put + + switch + 切换 + + - switch - 切换 + slot 1 + slot 1 + + + + slot 2 + slot 2 - slot 1 - slot 1 + slot 3 + slot 3 - slot 2 - slot 2 + slot 4 + slot 4 - slot 3 - slot 3 + slot 5 + slot 5 - slot 4 - slot 4 + slot 6 + slot 6 - slot 5 - slot 5 + slot 7 + slot 7 - slot 6 - slot 6 - - - - slot 7 - slot 7 + slot 8 + slot 8 - slot 8 - slot 8 + slot 10 + slot 10 + + + + timer 1 sec + 定时1秒 - slot 10 - slot 10 + timer 2 sec + 定时2秒 - timer 1 sec - 定时1秒 + timer 3 sec + 定时3秒 - timer 2 sec - 定时2秒 + timer 4 sec + 定时4秒 - timer 3 sec - 定时3秒 - - - - timer 4 sec - 定时4秒 - - - timer 5 sec 定时5秒 @@ -3034,7 +3173,12 @@ 夺取 - + + hedgehog info + + + + record @@ -3049,7 +3193,7 @@ 找到 刺猬 - + ammo menu 弹药菜单 @@ -3084,15 +3228,14 @@ 暂停 - + slot 9 slot 9 - hedgehogs info - 刺猬大作战 + 刺猬大作战 信息 @@ -3119,60 +3262,64 @@ binds (categories) + Other + 其他 + + - Basic controls - - - - - Weapon controls - + Movement + + + + + Weapons + 武器 - Camera and cursor controls + Camera - Other - 其他 + Miscellaneous + binds (descriptions) - - Move your hogs and aim: - - - Traverse gaps and obstacles by jumping: + + Fire your selected weapon or trigger an utility item: + + + + + Pick a weapon or a target location under the cursor: + + + - Fire your selected weapon or trigger an utility item: + Switch your currently active hog (if possible): + + + + + Hedgehog movement - Pick a weapon or a target location under the cursor: - - - - - Switch your currently active hog (if possible): - - - - Pick a weapon or utility item: - + Set the timer on bombs and timed weapons: @@ -3222,7 +3369,7 @@ - + Record video: @@ -3585,46 +3732,189 @@ - + Keyboard - - Axis - - - - - (Up) + Axis + (Up) + + + + + (Down) - + Hat - - (Left) - - - + (Left) + + + + (Right) - + Button + + server + + + Illegal nickname + + + + + Protocol already known + + + + + Bad number + + + + + bye + + + + + Empty config entry + + + + + Not room master + + + + + Corrupted hedgehogs info + + + + + too many teams + + + + + too many hedgehogs + + + + + There's already a team with same name in the list + + + + + round in progress + + + + + restricted + + + + + REMOVE_TEAM: no such team + + + + + Not team owner! + + + + + Less than two clans! + + + + + Room with such name already exists + + + + + Illegal room name + + + + + No such room + + + + + Joining restricted + + + + + Registered users only + + + + + You are banned in this room + + + + + Nickname is already in use + + + + + No checker rights + + + + + Authentication failed + + + + + 60 seconds cooldown after kick + + + + + kicked + + + + + Ping timeout + + + + + Nickname already chosen + + + diff -r 33ab77c0b486 -r 87410ae372f6 share/hedgewars/Data/Locale/hedgewars_zh_TW.ts --- a/share/hedgewars/Data/Locale/hedgewars_zh_TW.ts Fri Jan 18 11:47:23 2013 +0100 +++ b/share/hedgewars/Data/Locale/hedgewars_zh_TW.ts Sat Jan 19 00:51:28 2013 +0400 @@ -20,6 +20,115 @@ + BanDialog + + 10 minutes + + + + 30 minutes + + + + 1 hour + + + + 3 hours + + + + 5 hours + + + + 24 hours + + + + 3 days + + + + 7 days + + + + 14 days + + + + permanent + + + + IP + IP + + + Nick + + + + IP/Nick + + + + Reason + + + + Duration + + + + Ok + + + + Cancel + 取消 + + + you know why + + + + Warning + + + + Please, specify %1 + + + + nickname + + + + + DataManager + + Use Default + + + + + FeedbackDialog + + View + + + + Cancel + 取消 + + + Send Feedback + + + + FreqSpinBox Never @@ -43,13 +152,13 @@ 修改遊戲設置 - When this option is enabled selecting a game scheme will auto-select a weapon - - - Game Options + + Game scheme will auto-select a weapon + + HWAskQuitDialog @@ -100,10 +209,6 @@ Failed to save StyleSheet to %1 - - %1 is not a valid command! - - HWForm @@ -138,17 +243,6 @@ - Your nickname %1 is -registered on Hedgewars.org -Please provide your password below -or pick another nickname in game config: - - - - No password supplied. - - - Nickname 匿稱 @@ -161,6 +255,59 @@ Please pick another nickname: + + %1's Team + + + + Hedgewars - Nick registered + + + + This nick is registered, and you haven't specified a password. + +If this nick isn't yours, please register your own nick at www.hedgewars.org + +Password: + + + + Your nickname is not registered. +To prevent someone else from using it, +please register it at www.hedgewars.org + + + + + +Your password wasn't saved either. + + + + Hedgewars - Empty nickname + + + + Hedgewars - Wrong password + + + + You entered a wrong password. + + + + Try Again + + + + Hedgewars - Connection error + + + + You reconnected too fast. +Please wait a few seconds and try again. + + HWGame @@ -177,11 +324,11 @@ HWMapContainer Map - 地圖 + 地圖 Filter - 過濾 + 過濾 All @@ -209,11 +356,7 @@ Themes - 主題 - - - Type - + 主題 Small tunnels @@ -224,27 +367,95 @@ - Large tunnels - - - - Small floating islands - - - - Medium floating islands - - - - Large floating islands - - - Seed - Set + Map type: + + + + Image map + + + + Mission map + + + + Hand-drawn + + + + Randomly generated + + + + Random maze + + + + Random + 隨機 + + + Map preview: + + + + Load map drawing + + + + Edit map drawing + + + + Largetunnels + + + + Small islands + + + + Medium islands + + + + Large islands + + + + Map size: + + + + Maze style: + + + + Mission: + + + + Map: + + + + Theme: + + + + Load drawn map + + + + Drawn Maps + + + + All files @@ -318,7 +529,11 @@ HWPasswordDialog Password - 密碼 + 密碼 + + + Login + @@ -333,6 +548,32 @@ + HatButton + + Change hat (%1) + + + + + HatPrompt + + Select a hat + + + + Filter: + + + + Cancel + 取消 + + + Use selected hat + + + + KB SDL_ttf returned error while rendering text, most propably it is related to the bug in freetype2. It's recommended to update your freetype lib. @@ -340,6 +581,13 @@ + KeyBinder + + Category + + + + LibavInteraction Duration: %1m %2s @@ -358,6 +606,17 @@ Audio: + + unknown + + + + + MapModel + + No description available. + + PageAdmin @@ -389,6 +648,38 @@ Set data + + General + 常規 + + + Bans + + + + IP/Nick + + + + Expiration + + + + Reason + + + + Refresh + + + + Add + + + + Remove + + PageConnecting @@ -444,7 +735,43 @@ Advanced - 進階 + 進階 + + + Select an action to choose a custom key bind for this team + + + + Use my default + + + + Reset all binds + + + + Custom Controls + + + + Hat + 帽子 + + + Name + + + + This hedgehog's name + + + + Randomize this hedgehog's name + + + + Random Team + 隨機隊伍分配 @@ -519,267 +846,14 @@ PageMain - Simply pick the same color as a friend to play together as a team. Each of you will still control his or her own hedgehogs but they'll win or lose together. - Tips - - - - Some weapons might do only low damage but they can be a lot more devastating in the right situation. Try to use the Desert Eagle to knock multiple hedgehogs into the water. - Tips - - - - If you're unsure what to do and don't want to waste ammo, skip one round. But don't let too much time pass as there will be Sudden Death! - Tips - - - - If you'd like to keep others from using your preferred nickname on the official server, register an account at http://www.hedgewars.org/. - Tips - - - - You're bored of default gameplay? Try one of the missions - they'll offer different gameplay depending on the one you picked. - Tips - - - - By default the game will always record the last game played as a demo. Select 'Local Game' and pick the 'Demos' button on the lower right corner to play or manage them. - Tips - - - - Hedgewars is Open Source and Freeware we create in our spare time. If you've got problems, ask on our forums but please don't expect 24/7 support! - Tips - - - - Hedgewars is Open Source and Freeware we create in our spare time. If you like it, help us with a small donation or contribute your own work! - Tips - - - - Hedgewars is Open Source and Freeware we create in our spare time. Share it with your family and friends as you like! - Tips - - - - From time to time there will be official tournaments. Upcoming events will be announced at http://www.hedgewars.org/ some days in advance. - Tips - - - - Hedgewars is available in many languages. If the translation in your language seems to be missing or outdated, feel free to contact us! - Tips - - - - Hedgewars can be run on lots of different operating systems including Microsoft Windows, Mac OS X and Linux. - Tips - - - - Always remember you're able to set up your own games in local and network/online play. You're not restricted to the 'Simple Game' option. - Tips - - - - While playing you should give yourself a short break at least once an hour. - Tips - - - - If your graphics card isn't able to provide hardware accelerated OpenGL, try to enable the low quality mode to improve performance. - Tips - - - - We're open to suggestions and constructive feedback. If you don't like something or got a great idea, let us know! - Tips - - - - Especially while playing online be polite and always remember there might be some minors playing with or against you as well! - Tips - - - - Special game modes such as 'Vampirism' or 'Karma' allow you to develop completely new tactics. Try them in a custom game! - Tips - - - - You should never install Hedgewars on computers you don't own (school, university, work, etc.). Please ask the responsible person instead! - Tips - - - - Hedgewars can be perfect for short games during breaks. Just ensure you don't add too many hedgehogs or use an huge map. Reducing time and health might help as well. - Tips - - - - No hedgehogs were harmed in making this game. - Tips - - - - Hedgewars is Open Source and Freeware we create in our spare time. If someone sold you the game, you should try get a refund! - Tips - - - - Connect one or more gamepads before starting the game to be able to assign their controls to your teams. - Tips - - - - Create an account on %1 to keep others from using your most favourite nickname while playing on the official server. - Tips - - - - If your graphics card isn't able to provide hardware accelerated OpenGL, try to update the associated drivers. - Tips - - - - There are three different jumps available. Tap [high jump] twice to do a very high/backwards jump. - Tips - - - - Afraid of falling off a cliff? Hold down [precise] to turn [left] or [right] without actually moving. - Tips - - - - Some weapons require special strategies or just lots of training, so don't give up on a particular tool if you miss an enemy once. - Tips - - - - Most weapons won't work once they touch the water. The Homing Bee as well as the Cake are exceptions to this. - Tips - - - - The Old Limbuger only causes a small explosion. However the wind affected smelly cloud can poison lots of hogs at once. - Tips - - - - The Piano Strike is the most damaging air strike. You'll lose the hedgehog performing it, so there's a huge downside as well. - Tips - - - - Sticky Mines are a perfect tool to create small chain reactions knocking enemy hedgehogs into dire situations ... or water. - Tips - - - - The Hammer is most effective when used on bridges or girders. Hit hogs will just break through the ground. - Tips - - - - If you're stuck behind an enemy hedgehog, use the Hammer to free yourself without getting damaged by an explosion. - Tips - - - - The Cake's maximum walking distance depends on the ground it has to pass. Use [attack] to detonate it early. - Tips - - - - The Flame Thrower is a weapon but it can be used for tunnel digging as well. - Tips - - - - Want to know who's behind the game? Click on the Hedgewars logo in the main menu to see the credits. - Tips - - - - Like Hedgewars? Become a fan on %1 or follow us on %2! - Tips - - - - Feel free to draw your own graves, hats, flags or even maps and themes! But note that you'll have to share them somewhere to use them online. - Tips - - - - Really want to wear a specific hat? Donate to us and receive an exclusive hat of your choice! - Tips - - - - Keep your video card drivers up to date to avoid issues playing the game. - Tips - - - - You can find your Hedgewars configuration files under "My Documents\Hedgewars". Create backups or take the files with you, but don't edit them by hand. - Tips - - - - You're able to associate Hedgewars related files (savegames and demo recordings) with the game to launch them right from your favorite file or internet browser. - Tips - - - - Want to save ropes? Release the rope in mid air and then shoot again. As long as you don't touch the ground you'll reuse your rope without wasting ammo! - Tips - - - - You can find your Hedgewars configuration files under "Library/Application Support/Hedgewars" in your home directory. Create backups or take the files with you, but don't edit them by hand. - Tips - - - - You can find your Hedgewars configuration files under ".hedgewars" in your home directory. Create backups or take the files with you, but don't edit them by hand. - Tips - - - - The Windows version of Hedgewars supports Xfire. Make sure to add Hedgewars to its game list so your friends can see you playing. - Tips - - - - Use the Molotov or Flame Thrower to temporary keep hedgehogs from passing terrain such as tunnels or platforms. - Tips - - - - The Homing Bee can be tricky to use. Its turn radius depends on its velocity, so try to not use full power. - Tips - - - Downloadable Content - Local Game - - - Play a game on a single computer - Network Game - - - Play a game across a network @@ -807,6 +881,14 @@ Edit game preferences + + Play a game across a local area network + + + + Play a game on an official server + + PageMultiplayer @@ -814,6 +896,10 @@ Start 開始 + + Edit game preferences + + PageNetGame @@ -821,24 +907,24 @@ Control 房間管理 + + Edit game preferences + + + + Start + 開始 + PageNetType LAN game - 局域網遊戲 + 局域網遊戲 Official server - 官方伺服器 - - - Join hundreds of players online! - - - - Join or host your own game server in a Local Area Network. - + 官方伺服器 @@ -885,7 +971,7 @@ General - 常規 + 常規 Advanced @@ -927,6 +1013,94 @@ System proxy settings + + Select an action to change what key controls it + + + + Reset to default + + + + Reset all binds + + + + Game + + + + Graphics + + + + Audio + + + + Controls + + + + Video Recording + + + + Network + + + + Teams + 隊伍 + + + Schemes + + + + Weapons + 武器 + + + Frontend + + + + Custom colors + + + + Game audio + + + + Frontend audio + + + + Account + + + + Proxy settings + + + + Miscellaneous + + + + Updates + + + + Check for updates + + + + Video recording options + + PagePlayDemo @@ -1125,18 +1299,10 @@ PageSinglePlayer - Simple Game - - - Play a quick game against the computer with random settings - Multiplayer - - - Play a hotseat game against your friends, or AI teams @@ -1145,24 +1311,16 @@ - Training Mode - - - Practice your skills in a range of training missions - Demos - - - Watch recorded demos Load - 讀取 + 讀取 Load a previously saved game @@ -1209,14 +1367,6 @@ - Date: - - - - Size: - - - encoding @@ -1224,6 +1374,16 @@ uploading + + Date: %1 + + + + + Size: %1 + + + QAction @@ -1237,7 +1397,7 @@ Start - 開始 + 開始 Restrict Joins @@ -1280,7 +1440,7 @@ QCheckBox Enable sound - 開啟遊戲音效 + 開啟遊戲音效 Fullscreen @@ -1296,11 +1456,11 @@ Frontend fullscreen - 介面全螢幕 + 介面全螢幕 Enable music - 開啟遊戲音樂 + 開啟遊戲音樂 Append date and time to record file name @@ -1316,15 +1476,11 @@ Enable frontend sounds - 啟用菜單音效 + 啟用菜單音效 Enable frontend music - 啟用菜單音樂 - - - Frontend effects - + 啟用菜單音樂 Save password @@ -1346,12 +1502,40 @@ Use game resolution + + Visual effects + + + + Sound + + + + In-game sound effects + + + + Music + + + + In-game music + + + + Frontend sound effects + + + + Frontend music + + QComboBox generated map... - 生成地圖... + 生成地圖... Human @@ -1366,14 +1550,6 @@ - generated maze... - - - - Mission - - - Community @@ -1390,10 +1566,6 @@ - hand drawn map... - - - Disabled @@ -1430,10 +1602,6 @@ - Wiggle - - - Red/Cyan grayscale @@ -1470,15 +1638,15 @@ Key binds - 鍵位綁定 + 鍵位綁定 Teams - 隊伍 + 隊伍 Audio/Graphic options - 音訊/視頻選項 + 音訊/視頻選項 Playing teams @@ -1501,26 +1669,6 @@ - Misc - - - - Schemes and Weapons - - - - Custom colors - - - - Miscellaneous - - - - Video recording options - - - Videos @@ -1528,10 +1676,6 @@ Description - - Proxy settings - - QLabel @@ -1545,19 +1689,19 @@ Developers: - 開發者: + 開發者: Art: - 藝術: + 藝術: Translations: - 翻譯: + 翻譯: Special thanks: - 特別感謝: + 特別感謝: Server name: @@ -1585,7 +1729,7 @@ Sounds: - 聲音: + 聲音: Initial sound volume @@ -1617,7 +1761,7 @@ Game scheme - 遊戲設置 + 遊戲設置 Mines Time @@ -1664,10 +1808,6 @@ - This development build is 'work in progress' and may not be compatible with other versions of the game. Some features might be broken or incomplete. Use at your own risk! - - - Quality @@ -1742,10 +1882,6 @@ - Summary - - - Description @@ -1773,6 +1909,38 @@ Bitrate (Kbps) + + This development build is 'work in progress' and may not be compatible with other versions of the game, while some features might be broken or incomplete! + + + + Fullscreen + 遊戲全螢幕 + + + Fullscreen Resolution + + + + Windowed Resolution + + + + Your Email + + + + Summary + + + + Send system information + + + + Type the security code: + + QLineEdit @@ -1811,10 +1979,6 @@ - Please fill out all fields - - - Error while authenticating at google.com: @@ -1861,18 +2025,6 @@ - Successfully posted the issue on hedgewars.googlecode.com - - - - Error during authentication at google.com - - - - Error reporting the issue, please try again later (or visit hedgewars.googlecode.com directly) - - - Main - Error @@ -2018,23 +2170,55 @@ Do you really want to delete the weapon set '%1'? + + Hedgewars - Nick not registered + + + + System Information Preview + + + + Failed to generate captcha + + + + Failed to download captcha + + + + Please fill out all fields. Email is optional. + + + + Hedgewars - Warning + + + + Hedgewars - Information + + + + Hedgewars + + QObject Nickname - 匿稱 + 匿稱 Please enter your nickname - 請輸入您的匿稱 + 請輸入您的匿稱 QPushButton Setup - 設置 + 設置 Play demo @@ -2090,21 +2274,17 @@ Ready - 準備好了 + 準備好了 Random Team - 隨機隊伍分配 + 隨機隊伍分配 Associate file extensions - more - - - More info @@ -2197,6 +2377,25 @@ + SeedPrompt + + The map seed is the basis for all random values generated by the game. + + + + Cancel + 取消 + + + Set seed + + + + Close + + + + SelWeaponWidget Weapon set @@ -2224,106 +2423,76 @@ + TeamShowWidget + + %1's team + + + + + ThemePrompt + + Select a theme for this map + + + + Cancel + 取消 + + + ToggleButtonWidget Vampirism - 吸血鬼 + 吸血鬼 Karma - 因果報應 + 因果報應 Artillery - 射術 + 射術 Fort Mode - 城堡模式 + 城堡模式 Divide Teams - 團體行動 + 團體行動 Solid Land - 固實地面 + 固實地面 Add Border - 添加邊界 + 添加邊界 Low Gravity - 低重力 + 低重力 Laser Sight - 鐳射瞄準 + 鐳射瞄準 Invulnerable - 刀槍不入 + 刀槍不入 Random Order - 隨機順序 + 隨機順序 King - 國王模式 + 國王模式 Place Hedgehogs - 手動放置 - - - Clan Shares Ammo - - - - Disable Girders - - - - Disable Land Objects - - - - AI Survival Mode - - - - Reset Health - - - - Unlimited Attacks - - - - Reset Weapons - - - - Per Hedgehog Ammo - - - - Disable Wind - - - - More Wind - - - - Tag Team - - - - Add Bottom Border - + 手動放置 @@ -2463,7 +2632,7 @@ hedgehogs info - 刺蝟大作戰 + 刺蝟大作戰 信息 @@ -2498,31 +2667,51 @@ record + + hedgehog info + + binds (categories) Basic controls - 基本控制 + 基本控制 Weapon controls - 武器控制 + 武器控制 Camera and cursor controls - 鏡頭和遊標控制 + 鏡頭和遊標控制 Other - 其他 + 其他 + + + Movement + + + + Weapons + 武器 + + + Camera + + + + Miscellaneous + binds (descriptions) Move your hogs and aim: - 移動、瞄準: + 移動、瞄準: Traverse gaps and obstacles by jumping: @@ -2588,6 +2777,10 @@ Record video: + + Hedgehog movement + + binds (keys) @@ -2908,4 +3101,119 @@ + + server + + Illegal nickname + + + + Protocol already known + + + + Bad number + + + + bye + + + + Empty config entry + + + + Not room master + + + + Corrupted hedgehogs info + + + + too many teams + + + + too many hedgehogs + + + + There's already a team with same name in the list + + + + round in progress + + + + restricted + + + + REMOVE_TEAM: no such team + + + + Not team owner! + + + + Less than two clans! + + + + Room with such name already exists + + + + Illegal room name + + + + No such room + + + + Joining restricted + + + + Registered users only + + + + You are banned in this room + + + + Nickname is already in use + + + + No checker rights + + + + Authentication failed + + + + 60 seconds cooldown after kick + + + + kicked + + + + Ping timeout + + + + Nickname already chosen + + +