Example #1
0
 public function main()
 {
     WoW_Template::SetTemplateTheme('wow');
     WoW_Template::SetPageData('body_class', WoW_Locale::GetLocale(LOCALE_DOUBLE));
     // Check query
     $searchQuery = isset($_GET['q']) ? $_GET['q'] : null;
     if ($searchQuery != null && mb_strlen($searchQuery) < 3) {
         $searchQuery = null;
     }
     if (preg_match('/\\@/', $searchQuery)) {
         $fast_access = explode('@', $searchQuery);
         if (isset($fast_access[0], $fast_access[1])) {
             header('Location: ' . WoW::GetWoWPath() . '/wow/' . WoW_Locale::GetLocale() . '/character/' . trim($fast_access[1]) . trim($fast_access[0]) . '/');
             exit;
         }
     }
     WoW_Search::SetSearchQuery($searchQuery);
     // Perform Search
     WoW_Search::PerformSearch();
     // Set active page
     if (isset($_GET['f']) && in_array($_GET['f'], array('search', 'wowarenateam', 'article', 'wowcharacter', 'wowitem', 'post', 'wowguild'))) {
         $page = $_GET['f'];
     } else {
         $page = 'search';
     }
     WoW_Search::SetCurrentPage($page);
     WoW_Template::SetPageIndex('search');
     WoW_Template::SetPageData('page', 'search');
     WoW_Template::SetPageData('searchQuery', $searchQuery);
     WoW_Template::LoadTemplate('page_index');
 }
Example #2
0
 public function main()
 {
     WoW_Template::SetPageIndex('login');
     if (WoW_Account::IsLoggedIn()) {
         header('Location: ' . WoW::GetWoWPath() . '/');
         exit;
     }
     if (isset($_POST['accountName'])) {
         $username = $_POST['accountName'];
         $password = $_POST['password'];
         $persistLogin = isset($_POST['persistLogin']) ? true : false;
         WoW_Account::DropLastErrorCode();
         if (mb_strlen($password) <= 7) {
             WoW_Account::SetLastErrorCode(ERORR_INVALID_PASSWORD_FORMAT);
         }
         if ($username == null) {
             WoW_Account::SetLastErrorCode(ERROR_EMPTY_USERNAME);
         }
         if ($password == null) {
             WoW_Account::SetLastErrorCode(ERROR_EMPTY_PASSWORD);
         }
         if (WoW_Account::PerformLogin($username, $password, $persistLogin)) {
             if (isset($_POST['ref'])) {
                 header('Location: ' . $_POST['ref']);
                 exit;
             }
             header('Location: ' . WoW::GetWoWPath() . '/');
             exit;
         }
         // Other error messages will appear automaticaly.
     }
     WoW_Template::LoadTemplate('page_login', true);
 }
Example #3
0
 public function main()
 {
     $url_data = WoW::GetUrlData('discussion');
     $blog_id = $url_data['blog_id'];
     if (!$blog_id || !WoW_Account::IsLoggedIn()) {
         if (isset($_GET['d_ref'])) {
             header('Location: ' . $_GET['d_ref']);
         } else {
             header('Location: ' . WoW::GetWoWPath() . '/');
         }
         exit;
     }
     $replyToGuid = 0;
     $replyToComment = 0;
     $postDetail = isset($_POST['detail']) ? $_POST['detail'] : null;
     if (isset($_POST['replyTo'])) {
         // have reply
         $reply = explode(':', $_POST['replyTo']);
         if (is_array($reply) && isset($reply[1])) {
             $replyToGuid = $reply[0];
             $replyToComment = $reply[1];
         }
     }
     if ($postDetail != null) {
         DB::WoW()->query("INSERT INTO `DBPREFIX_blog_comments` (blog_id, account, character_guid, realm_id, postdate, comment_text, answer_to) VALUES (%d, %d, %d, %d, %d, '%s', %d)", $blog_id, WoW_Account::GetUserID(), WoW_Account::GetActiveCharacterInfo('guid'), WoW_Account::GetActiveCharacterInfo('realmId'), time(), $postDetail, $replyToComment);
     }
     if (isset($_GET['d_ref'])) {
         header('Location: ' . $_GET['d_ref']);
     } else {
         header('Location: ' . WoW::GetWoWPath() . '/');
     }
 }
Example #4
0
 public function main()
 {
     $url_data = WoW::GetUrlData('management');
     if (!is_array($url_data) || !isset($url_data['action1']) || $url_data['action1'] != 'management') {
         header('Location: ' . WoW::GetWoWPath() . '/account/management/');
         exit;
     }
     if (!WoW_Account::IsLoggedIn()) {
         header('Location: ' . WoW::GetWoWPath() . '/login/');
         exit;
     }
     WoW_Template::SetTemplateTheme('account');
     WoW_Account::UserGames();
     WoW_Template::SetPageIndex('management');
     WoW_Template::SetMenuIndex('management');
     WoW_Template::SetPageData('page', 'management');
     if ($url_data['action2'] == 'wow' && preg_match('/dashboard.html/i', $url_data['action3'])) {
         WoW_Account::InitializeAccount($_GET['accountName']);
         WoW_Template::SetPageIndex('dashboard');
         WoW_Template::SetMenuIndex('games');
         WoW_Template::SetPageData('page', 'dashboard');
     } elseif ($url_data['action2'] == 'wow-account-conversion.html') {
         WoW_Template::SetPageData('conversion_page', 1);
         if (isset($_POST['targetpage'])) {
             switch ($_POST['targetpage']) {
                 case '2':
                     if (isset($_POST['username']) && isset($_POST['password'])) {
                         if (WoW_Account::PerformConversionStep(1, array('username' => $_POST['username'], 'password' => $_POST['password']))) {
                             WoW_Template::SetPageData('conversion_page', 2);
                         } else {
                             WoW_Template::SetPageData('conversion_page', 1);
                         }
                     } else {
                         WoW_Template::SetPageData('conversion_page', 1);
                     }
                     break;
                 case '3':
                     WoW_Template::SetPageData('conversion_page', 3);
                     break;
                 case 'finish':
                     if (!WoW_Account::PerformConversionStep(3)) {
                         WoW_Template::SetPageData('conversion_page', 2);
                     }
                     break;
                 default:
                     break;
             }
         }
         WoW_Template::SetPageIndex('account_conversion');
         Wow_Template::SetMenuIndex('games');
         WoW_Template::SetPageData('page', 'account_conversion');
     }
     WoW_Template::LoadTemplate('page_index');
 }
Example #5
0
 /**
  * Performs account conversion (merging) step
  * 
  * @access   public
  * @static   WoW_Account::PerformConversionStep($step, $post_data = false)
  * @param    int $step
  * @param    array $post_data = false
  * @category Account Manager Class
  * @return   bool
  **/
 public static function PerformConversionStep($step, $post_data = false)
 {
     switch ($step) {
         case 1:
             // Find account in realm DB and check passwords matching
             if (!is_array($post_data)) {
                 // Wrong post data
                 WoW_Template::SetPageData('conversion_error', true);
                 WoW_Template::SetPageData('account_creation_error_msg', WoW_Locale::GetString('template_account_conversion_error1'));
                 return false;
             }
             $info = DB::Realm()->selectRow("SELECT `id`, `sha_pass_hash` FROM `account` WHERE `username` = '%s' LIMIT 1", $post_data['username']);
             $sha = sha1(strtoupper($post_data['username']) . ':' . strtoupper($post_data['password']));
             if (!$info || $info['sha_pass_hash'] != $sha) {
                 // Wrong post data
                 WoW_Template::SetPageData('conversion_error', true);
                 WoW_Template::SetPageData('account_creation_error_msg', WoW_Locale::GetString('template_account_conversion_error1'));
                 return false;
             }
             // Check account link
             if (DB::WoW()->selectCell("SELECT 1 FROM `DBPREFIX_users_accounts` WHERE `account_id` = %d", $info['id'])) {
                 // Already linked
                 WoW_Template::SetPageData('conversion_error', true);
                 WoW_Template::SetPageData('account_creation_error_msg', WoW_Locale::GetString('template_account_conversion_error2'));
                 return false;
             }
             // All fine
             $_SESSION['conversion_userName'] = $post_data['username'];
             $_SESSION['conversion_userID'] = $info['id'];
             break;
         case 3:
             // Check session
             $conversion_allowed = true;
             if (!isset($_SESSION['conversion_userName']) || !isset($_SESSION['conversion_userID'])) {
                 $conversion_allowed = false;
             } else {
                 if ($_SESSION['conversion_userName'] == null) {
                     $conversion_allowed = false;
                 }
                 if ($_SESSION['conversion_userID'] == 0) {
                     $conversion_allowed = false;
                 }
             }
             if (!$conversion_allowed) {
                 header('Location: ' . WoW::GetWoWPath() . '/account/management/wow-account-conversion.html');
                 exit;
             }
             // Link account
             if (DB::WoW()->query("INSERT INTO `DBPREFIX_users_accounts` VALUES (%d, %d)", self::GetUserID(), (int) $_SESSION['conversion_userID'])) {
                 header('Location: ' . WoW::GetWoWPath() . '/account/management/wow/dashboard.html?accountName=' . $_SESSION['conversion_userName'] . '&region=EU');
                 exit;
             }
             break;
         default:
             return false;
     }
     return true;
 }
Example #6
0
 *
 * This program is free software; you can redistribute it and/or modify
 * it under the terms of the GNU General Public License as published by
 * the Free Software Foundation; either version 2 of the License, or
 * (at your option) any later version.
 *
 * This program is distributed in the hope that it will be useful,
 * but WITHOUT ANY WARRANTY; without even the implied warranty of
 * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
 * GNU General Public License for more details.
 *
 * You should have received a copy of the GNU General Public License
 * along with this program; if not, write to the Free Software
 * Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA  02111-1307  USA
 **/
$WoW_Locale = array('locale_name' => 'Русский', 'locale_region' => 'Европа', 'template_title' => 'World of Warcraft', 'expansion_0' => 'World of Warcraft&reg;', 'expansion_1' => 'World of Warcraft&reg;: the Burning Crusade', 'expansion_2' => 'World of Warcraft&reg;: Wrath of the Lich King', 'expansion_3' => 'World of Warcraft&reg;: Cataclysm', 'template_expansion_0' => 'Классика', 'template_expansion_1' => 'The Burning Crusade', 'template_expansion_2' => 'Wrath of the Lich King', 'template_expansion_3' => 'Cataclysm', 'character_class_1' => 'Воин', 'character_class_2' => 'Паладин', 'character_class_3' => '$gОхотник:Охотница;', 'character_class_4' => '$gРазбойник:Разбойница;', 'character_class_5' => '$gЖрец:Жрица;', 'character_class_6' => 'Рыцарь Смерти', 'character_class_7' => '$gШаман:Шаманка;', 'character_class_8' => 'Маг', 'character_class_9' => '$gЧернокнижник:Чернокнижница;', 'character_class_11' => 'Друид', 'character_race_1' => 'Человек', 'character_race_2' => 'Орк', 'character_race_3' => 'Дворф', 'character_race_4' => '$gНочной эльф:Ночная эльфийка;', 'character_race_5' => 'Нежить', 'character_race_6' => 'Таурен', 'character_race_7' => 'Гном', 'character_race_8' => 'Тролль', 'character_race_9' => 'Гоблин', 'character_race_10' => '$gЭльф крови:Эльфийка крови;', 'character_race_11' => 'Дреней', 'character_race_22' => 'Ворген', 'character_race_1_decl' => 'Людям', 'character_race_2_decl' => 'Оркам', 'character_race_3_decl' => 'Дворфам', 'character_race_4_decl' => 'Ночным эльфам', 'character_race_5_decl' => 'Отрекшимся', 'character_race_6_decl' => 'Тауренам', 'character_race_7_decl' => 'Гномам', 'character_race_8_decl' => 'Троллям', 'character_race_9_decl' => 'Гоблинам', 'character_race_10_decl' => 'Эльфам крови', 'character_race_11_decl' => 'Дренеям', 'character_race_22_decl' => 'Воргенам', 'reputation_rank_0' => 'Ненависть', 'reputation_rank_1' => 'Враждебность', 'reputation_rank_2' => 'Неприязнь', 'reputation_rank_3' => 'Равнодушие', 'reputation_rank_4' => 'Дружелюбие', 'reputation_rank_5' => 'Уважение', 'reputation_rank_6' => 'Почтение', 'reputation_rank_7' => 'Превознесение', 'faction_alliance' => 'Альянс', 'faction_horde' => 'Орда', 'creature_type_1' => 'Животное', 'creature_type_2' => 'Дракон', 'creature_type_3' => 'Демон', 'creature_type_4' => 'Элементаль', 'creature_type_5' => 'Великан', 'creature_type_6' => 'Нежить', 'creature_type_7' => 'Гуманоид', 'creature_type_8' => 'Существо', 'creature_type_9' => 'Механизм', 'creature_type_10' => 'Разное', 'template_menu_game' => 'Игра', 'template_menu_items' => 'Предметы', 'template_menu_forums' => 'Форумы', 'template_locale_de' => 'Немецкий', 'template_locale_en' => 'Английский', 'template_locale_es' => 'Испанский', 'template_locale_fr' => 'Французский', 'template_locale_ru' => 'Русский', 'template_country_usa' => 'США', 'template_country_fra' => 'Франция', 'template_country_deu' => 'Германия', 'template_country_esp' => 'Испания', 'template_country_rus' => 'Российская Федерация', 'template_country_gbr' => 'Великобритания', 'template_month_1' => 'январь', 'template_month_2' => 'февраль', 'template_month_3' => 'март', 'template_month_4' => 'апрель', 'template_month_5' => 'май', 'template_month_6' => 'июнь', 'template_month_7' => 'июль', 'template_month_8' => 'август', 'template_month_9' => 'сентябрь', 'template_month_10' => 'октябрь', 'template_month_11' => 'ноябрь', 'template_month_12' => 'декабрь', 'armor_cloth' => 'Ткань', 'armor_leather' => 'Кожа', 'armor_mail' => 'Кольчуга', 'armor_plate' => 'Латы', 'armor_shield' => 'Щиты', 'template_buy_now' => 'или <a href="' . WoW::GetWoWPath() . '/account/management/digital-purchase.html?product=WOWC&amp;gameRegion=ru">купите</a> игру!', 'template_search' => 'Поиск', 'template_bn_search' => 'Поиск по Battle.net', 'template_search_site' => 'Поиск в Оружейной, на форуме и т.д.', 'template_bn_description' => 'Заводите друзей, соревнуйтесь и побеждайте', 'template_bn_new_account' => 'Новая запись', 'template_bn_got_account' => 'У вас уже есть запись?', 'template_bn_log_in' => 'Вход', 'template_bn_what_is_caption' => 'Присоединяйтесь к <strong>миллионам игроков</strong> и получайте незабываемое удовольствие от игры! <span>Подробнее</span>', 'template_servicebar_auth_caption' => '<a href="?login" onclick="return Login.open(\'' . WoW::GetWoWPath() . '/login/login.frag\')">Авторизуйтесь</a> или <a href="' . WoW::GetWoWPath() . '/account/creation/tos.html">создайте новую запись</a>', 'template_servicebar_account' => 'Учетная запись', 'template_servicebar_support' => 'Поддержка', 'template_servicebar_explore' => 'подробнее', 'template_servicebar_explore_menu_home_title' => 'Battle.net', 'template_servicebar_explore_menu_home_description' => 'Подключайся. Играй. Объединяйся.', 'template_servicebar_explore_menu_account_title' => 'Учетная запись', 'template_servicebar_explore_menu_account_description' => 'Управление записью', 'template_servicebar_explore_menu_support_title' => 'Поддержка', 'template_servicebar_explore_menu_support_description' => 'Вопросы и затруднения', 'template_servicebar_explore_menu_buy_title' => 'Приобретение игр', 'template_servicebar_explore_menu_buy_description' => 'Электронные игры для загрузки', 'template_servicebar_explore_menu_more_title' => 'Подробнее', 'template_servicebar_explore_menu_more_link1' => 'Что такое Battle.net?', 'template_servicebar_explore_menu_more_link2' => 'Что такое «Настоящее имя»?', 'template_servicebar_explore_menu_more_link3' => 'Родительский контроль', 'template_servicebar_explore_menu_more_link4' => 'Защита записи', 'template_servicebar_explore_menu_more_link5' => 'Классические игры', 'template_servicebar_explore_menu_more_link6' => 'Поддержка учетной записи', 'template_servicebar_explore_menu_starcraft' => '<span>Сайт</span> <span>Форум</span> <span>Профиль и др.</span>', 'template_servicebar_explore_menu_worldofwarcraft' => '<span>Сайт</span> <span>Форум</span> <span>Профиль и др.</span>', 'template_servicebar_explore_menu_diablo' => '<span>Пока основной сайт в разработке, загляните на эту страницу.</span>', 'template_footer_home_title' => 'Battle.net', 'template_footer_home_link1' => 'Что такое Battle.net?', 'template_footer_home_link2' => 'Купить игры', 'template_footer_home_link3' => 'Киберспорт', 'template_footer_home_link4' => 'Учетная запись', 'template_footer_home_link5' => 'Поддержка', 'template_footer_home_link6' => '«Настоящее имя»', 'template_footer_games_title' => 'Игры', 'template_footer_games_link1' => 'Starcraft II', 'template_footer_games_link2' => 'World of Warcraft', 'template_footer_games_link3' => 'Diablo III', 'template_footer_games_link4' => 'Классические игры', 'template_footer_games_link5' => 'Загрузка клиента игры', 'template_footer_account_title' => 'Учетная запись', 'template_footer_account_link1' => 'Не можете войти в систему?', 'template_footer_account_link2' => 'Создать учетную запись', 'template_footer_account_link3' => 'Управление записью', 'template_footer_account_link4' => 'Безопасность учетной записи', 'template_footer_account_link5' => 'Добавить игру', 'template_footer_account_link6' => 'Использовать код', 'template_footer_support_title' => 'Поддержка', 'template_footer_support_link1' => 'Сайт поддержки', 'template_footer_support_link2' => 'Родительский контроль', 'template_footer_support_link3' => 'Защита учетной записи', 'template_footer_support_link4' => 'Помогите, мою запись взломали!', 'template_servicebar_welcome_caption' => 'Здравствуйте, %s! |  <a href="?logout=fast" tabindex="50" accesskey="2">выход</a>', 'template_bn_browser_warning' => '<div class="warning-inner2">Вы пользуетесь устаревшей версией браузера.<br /><a href="http://eu.blizzard.com/support/article/browserupdate">Обновите свой браузер</a> или <a href="http://www.google.com/chromeframe/?hl=ru-RU" id="chrome-frame-link">установите Google Chrome Frame</a>.<a href="#close" class="warning-close" onclick="App.closeWarning(\'#browser-warning\', \'browserWarning\'); return false;"></a></div>', 'template_bn_js_warning' => 'Для просмотра сайта требуется поддержка JavaScript.', 'template_online_caption' => 'в сети', 'template_indev_caption' => 'в разработке', 'template_feature_not_available' => 'Эта функция пока не доступна.', 'template_vault_auth_required' => 'Этот раздел доступен только для авторизованных пользователей.', 'template_vault_guild' => 'Этот раздел доступен, только если вы авторизовались с персонажа — члена данной гильдии.', 'template_js_requestError' => 'Ваш запрос не может быть завершен.', 'template_js_ignoreNot' => 'Этот пользователь не в черном списке.', 'template_js_ignoreAlready' => 'Этот пользователь уже в черном списке.', 'template_js_stickyRequested' => 'Отправлена просьба прикрепить тему.', 'template_js_postAdded' => 'Сообщение отслеживается', 'template_js_postRemoved' => 'Сообщение больше не отслеживается', 'template_js_userAdded' => 'Сообщения пользователя отслеживаются', 'template_js_userRemoved' => 'Сообщения пользователя больше не отслеживается', 'template_js_validationError' => 'Обязательное поле не заполнено', 'template_js_characterExceed' => 'В сообщении превышено допустимое число символов.', 'template_js_searchFor' => 'Поиск по', 'template_js_searchTags' => 'Помеченные статьи:', 'template_js_characterAjaxError' => 'Возможно, вы вышли из системы. Обновите страницу и повторите попытку.', 'template_js_ilvl' => 'Уровень предмета', 'template_js_shortQuery' => 'Запрос для поиска должен состоять не менее чем из двух букв.', 'template_js_bold' => 'Полужирный', 'template_js_italics' => 'Курсив', 'template_js_underline' => 'Подчеркивание', 'template_js_list' => 'Несортированный список', 'template_js_listItem' => 'Список', 'template_js_quote' => 'Цитирование', 'template_js_quoteBy' => 'Размещено {0}', 'template_js_unformat' => 'Отменить форматирование', 'template_js_cleanup' => 'Исправить переносы строки', 'template_js_code' => 'Код', 'template_js_item' => 'Предмет WoW', 'template_js_itemPrompt' => 'Идентификатор предмета:', 'template_js_url' => 'Адрес', 'template_js_urlPrompt' => 'Адрес страницы:', 'template_js_viewInGallery' => 'Галерея', 'template_js_loading' => 'Подождите, пожалуйста.', 'template_js_unexpectedError' => 'Произошла ошибка.', 'template_js_fansiteFind' => 'Найти на…', 'template_js_fansiteFindType' => '{0}: поиск на…', 'template_js_fansiteNone' => 'Нет доступных сайтов.', 'template_js_colon' => '{0}:', 'template_js_achievement' => 'Достижение', 'template_js_character' => 'Персонаж', 'template_js_faction' => 'Фракция', 'template_js_class' => 'Класс', 'template_js_object' => 'Объект', 'template_js_talentcalc' => 'Таланты', 'template_js_skill' => 'Умение', 'template_js_quest' => 'Задание', 'template_js_spell' => 'Заклинания', 'template_js_event' => 'Событие', 'template_js_title' => 'Звание', 'template_js_arena' => 'Арена', 'template_js_guild' => 'Гильдия', 'template_js_zone' => 'Территория', 'template_js_item' => 'Предмет', 'template_js_race' => 'Раса', 'template_js_npc' => 'НПС', 'template_js_pet' => 'Питомец', 'template_404' => '<h2 class="http">404,<br /> ай-ай-ай</h2><h3>Страница не найдена</h3><p>Здесь была <br /> <strong>страница</strong>.<br />Была, да сплыла.<br /><br /><em>(А что еще случается с непослушными страницами?)</em></p>', 'template_lowlevel' => '<h2>Ой!</h2><h3>Отображаются только персонажи 10 уровня и выше.</h3>', 'template_unavailable' => '<h2>Ой!</h2><h3>Персонаж не доступен</h3><p>Профиль этого персонажа невозможно отобразить по одной из причин:</p><ul><li>персонаж был не активен в течение длительного времени;</li><li>имя персонажа или название игрового мира написано с ошибкой;</li><li>профиль персонажа временно не доступен, поскольку идет процесс переноса персонажа или смены фракции;</li><li>персонаж был удален.</li></ul>', 'template_404_bn_title' => 'Страница не найдена', 'template_404_bn_text' => 'Такой страницы найти не удалось. Либо ее не существует, либо произошла страшная, трагическая ошибка.', 'email_title' => 'E-mail', 'login_title' => 'Имя учетной записи', 'password_title' => 'Пароль', 'remember_me_title' => 'Оставаться в сети', 'login_processing_title' => 'Обработка…', 'authorization_title' => 'Авторизация', 'login_help_title' => 'Не можете войти?', 'have_no_account_title' => 'У вас еще нет учетной записи?', 'create_account_title' => 'Создайте ее!', 'account_security_title' => 'Защитите свою запись от кражи и взлома!', 'login_page_title' => 'Авторизация учетной записи Battle.net', 'login_page_create_account_title' => 'Создать учетную запись Battle.net – просто, быстро и бесплатно', 'login_page_create_account_link_title' => 'Создать запись', 'login_page_auth_title' => 'Авторизация', 'login_error_empty_username_title' => 'Необходимо указать имя пользователя.', 'login_error_empty_password_title' => 'Необходимо указать пароль.', 'login_error_wrong_username_or_password_title' => 'Имя пользователя или пароль указаны неверно. Попробуйте еще раз.', 'login_error_invalid_password_format_title' => 'Пароль недействителен.', 'copyright_bottom_title' => '&copy; Blizzard Entertainment, 2011 г. Все права защищены.', 'copyright_bottom_legal' => 'Соглашения', 'copyright_bottom_privacy' => 'Политика конфиденциальности', 'copyright_bottom_support' => 'Служба поддержки', 'copyright_bottom_copyright' => 'Авторское право', 'copyright_bottom_questions' => 'Вопросы? Затруднения?', 'template_userbox_auth_caption' => '<strong>Авторизуйтесь</strong> чтобы настраивать страницы!', 'template_articles_full_caption' => 'Далее', 'template_sotd_sidebar_title' => 'Скриншот дня', 'template_sotd_sidebar_submit' => 'Отправить скриншот', 'template_sotd_sidebar_all' => 'Смотреть все скриншоты', 'template_forums_sidebar_title' => 'Форумы', 'template_profile_caption' => 'Профиль', 'template_my_forum_posts_caption' => 'Мои сообщения на форуме', 'template_browse_auction_caption' => 'Просмотреть аукцион', 'template_browse_events_caption' => 'Просмотреть события', 'template_manage_characters_caption' => 'Управление персонажами<br /><span>Настройте выпадающее меню персонажа.</span>', 'template_characters_not_found' => 'Персонажи не найдены', 'template_filter_caption' => 'Фильтр', 'template_back_to_characters_list' => 'К списку персонажей', 'template_change_character' => 'Сменить персонажа', 'template_no_talents' => 'Нет талантов', 'template_lvl' => 'ур.', 'tempalte_lvl_fmt' => '%d-го ур-ня', 'template_primary_talents' => 'Основные', 'template_secondary_talents' => 'Вспомогательные', 'template_item_bonding_1' => 'Становится персональным при получении', 'template_item_bonding_2' => 'Становится персональным при надевании', 'template_item_bonding_3' => 'Становится персональным при использовании', 'template_item_bonding_4' => 'Предмет, необходимый для задания', 'template_item_invtype_1' => 'Голова', 'template_item_invtype_2' => 'Шея', 'template_item_invtype_3' => 'Плечи', 'template_item_invtype_16' => 'Спина', 'template_item_invtype_5' => 'Грудь', 'template_item_invtype_20' => 'Грудь', 'template_item_invtype_4' => 'Рубаха', 'template_item_invtype_18' => 'Гербовая накидка', 'template_item_invtype_9' => 'Запястья', 'template_item_invtype_10' => 'Руки', 'template_item_invtype_6' => 'Пояс', 'template_item_invtype_7' => 'Ноги', 'template_item_invtype_8' => 'Ступни', 'template_item_invtype_11' => 'Палец', 'template_item_invtype_12' => 'Украшение', 'template_item_invtype_13' => 'Одноручное', 'template_item_invtype_14' => 'Щит', 'template_item_invtype_15' => 'Правая рука', 'template_item_invtype_19' => 'Гербовая накидка', 'template_item_invtype_23' => 'Одноручное', 'template_item_invtype_17' => 'Двуручное', 'template_item_invtype_26' => 'Для дальнего боя', 'template_item_invtype_28' => 'Реликвия', 'template_item_container' => '%d Ячейка Сумка', 'template_item_weapon_delay' => 'Скорость %s', 'template_item_weapon_damage' => '%d - %d Урон', 'template_item_weapon_dps' => '(%s ед. урона в секунду)', 'template_item_projectile_dps' => '+%s ед. урона в секунду', 'template_item_armor' => 'Броня: %d', 'template_item_block' => '%d Способность отражать удары', 'template_item_fire_res' => '+%d Сопротивляемость магии огня', 'template_item_nature_res' => '+%d Сопротивляемость магии природы', 'template_item_frost_res' => '+%d Сопротивляемость магии льда', 'template_item_shadow_res' => '+%d Сопротивляемость темной магии', 'template_item_arcane_res' => '+%d Сопротивляемость тайной магии', 'template_item_required_skill' => 'Требуется %s (%d)', 'template_item_required_spell' => 'Требуется %s', 'template_item_required_reputation' => 'Требуется %s - %s', 'template_item_stat_3' => '<span>%d</span> к ловкости', 'template_item_stat_4' => '<span>%d</span> к силе', 'template_item_stat_5' => '<span>%d</span> к интеллекту', 'template_item_stat_6' => '<span>%d</span> к духу', 'template_item_stat_7' => '<span>%d</span> к выносливости', 'template_item_stat_8' => '<span>%d</span> к ловкости', 'template_item_stat_12' => 'Если на персонаже: рейтинг защиты +<span>%d</span>', 'template_item_stat_13' => 'Если на персонаже: рейтинг уклонения +<span>%d</span>', 'template_item_stat_14' => 'Если на персонаже: рейтинг парирования +<span>%d</span>', 'template_item_stat_15' => 'Если на персонаже: рейтинг блокирования щитом +<span>%d</span>', 'template_item_stat_16' => 'Если на персонаже: рейтинг меткости +<span>%d</span>', 'template_item_stat_17' => 'Если на персонаже: рейтинг меткости +<span>%d</span>', 'template_item_stat_18' => 'Если на персонаже: рейтинг меткости +<span>%d</span>', 'template_item_stat_19' => 'Если на персонаже: рейтинг критического удара +<span>%d</span>', 'template_item_stat_20' => 'Если на персонаже: рейтинг критического удара +<span>%d</span>', 'template_item_stat_21' => 'Если на персонаже: рейтинг критического удара +<span>%d</span>', 'template_item_stat_28' => 'Если на персонаже: рейтинг скорости +<span>%d</span>', 'template_item_stat_29' => 'Если на персонаже: рейтинг скорости +<span>%d</span>', 'template_item_stat_30' => 'Если на персонаже: рейтинг скорости +<span>%d</span>', 'template_item_stat_31' => 'Если на персонаже: рейтинг меткости +<span>%d</span>', 'template_item_stat_32' => 'Если на персонаже: рейтинг критического удара +<span>%d</span>', 'template_item_stat_33' => 'Если на персонаже: рейтинг уклонения +<span>%d</span>', 'template_item_stat_35' => 'Если на персонаже: рейтинг устойчивости +<span>%d</span>.', 'template_item_stat_36' => 'Если на персонаже: рейтинг скорости +<span>%d</span>', 'template_item_stat_37' => 'Если на персонаже: рейтинг мастерства +<span>%d</span>', 'template_item_stat_38' => 'Если на персонаже: +<span>%d</span> к силе атаки', 'template_item_stat_39' => 'Если на персонаже: +<span>%d</span> к силе атаки', 'template_item_stat_41' => 'Если на персонаже: сила заклинаний +<span>%d</span>', 'template_item_stat_42' => 'Если на персонаже: сила заклинаний +<span>%d</span>', 'template_item_stat_43' => 'Если на персонаже: восстанавливает <span>%d</span> ед. маны за 5 сек.', 'template_item_stat_44' => 'Если на персонаже: рейтинг пробивания брони +<span>%d</span>', 'template_item_stat_45' => 'Если на персонаже: сила заклинаний +<span>%d</span>', 'template_item_stat_46' => 'Если на персонаже: восстановление здоровья +<span>%d</span>', 'template_stat_name_' . ITEM_MOD_MANA => 'Мана', 'template_stat_name_' . ITEM_MOD_HEALTH => 'Здоровье', 'template_stat_name_' . ITEM_MOD_AGILITY => 'Ловкость', 'template_stat_name_' . ITEM_MOD_STRENGTH => 'Сила', 'template_stat_name_' . ITEM_MOD_INTELLECT => 'Интеллект', 'template_stat_name_' . ITEM_MOD_SPIRIT => 'Дух', 'template_stat_name_' . ITEM_MOD_STAMINA => 'Выносливость', 'template_stat_name_' . ITEM_MOD_DEFENSE_SKILL_RATING => 'Защита', 'template_stat_name_' . ITEM_MOD_DODGE_RATING => 'Уклон', 'template_stat_name_' . ITEM_MOD_PARRY_RATING => 'Парирование', 'template_stat_name_' . ITEM_MOD_BLOCK_RATING => 'Блок', 'template_stat_name_' . ITEM_MOD_HIT_MELEE_RATING => 'Рейтинг меткости', 'template_stat_name_' . ITEM_MOD_HIT_RANGED_RATING => 'Рейтинг меткости', 'template_stat_name_' . ITEM_MOD_HIT_SPELL_RATING => 'Рейтинг меткости', 'template_stat_name_' . ITEM_MOD_CRIT_MELEE_RATING => 'Рейтинг критического удара', 'template_stat_name_' . ITEM_MOD_CRIT_RANGED_RATING => 'Рейтинг критического удара', 'template_stat_name_' . ITEM_MOD_CRIT_SPELL_RATING => 'Рейтинг критического удара', 'template_stat_name_' . ITEM_MOD_HIT_TAKEN_MELEE_RATING => '', 'template_stat_name_' . ITEM_MOD_HIT_TAKEN_RANGED_RATING => '', 'template_stat_name_' . ITEM_MOD_HIT_TAKEN_SPELL_RATING => '', 'template_stat_name_' . ITEM_MOD_CRIT_TAKEN_MELEE_RATING => '', 'template_stat_name_' . ITEM_MOD_CRIT_TAKEN_RANGED_RATING => '', 'template_stat_name_' . ITEM_MOD_CRIT_TAKEN_SPELL_RATING => '', 'template_stat_name_' . ITEM_MOD_HASTE_MELEE_RATING => 'Рейтинг скорости боя', 'template_stat_name_' . ITEM_MOD_HASTE_RANGED_RATING => 'Рейтинг скорости боя', 'template_stat_name_' . ITEM_MOD_HASTE_SPELL_RATING => 'Рейтинг скорости боя', 'template_stat_name_' . ITEM_MOD_HIT_RATING => 'Рейтинг меткости', 'template_stat_name_' . ITEM_MOD_CRIT_RATING => 'Рейтинг критического удара', 'template_stat_name_' . ITEM_MOD_HIT_TAKEN_RATING => '', 'template_stat_name_' . ITEM_MOD_CRIT_TAKEN_RATING => '', 'template_stat_name_' . ITEM_MOD_RESILIENCE_RATING => 'Рейтинг устойчивости', 'template_stat_name_' . ITEM_MOD_HASTE_RATING => 'Рейтинг скорости боя', 'template_stat_name_' . ITEM_MOD_EXPERTISE_RATING => 'Мастерство', 'template_stat_name_' . ITEM_MOD_ATTACK_POWER => 'Сила атаки', 'template_stat_name_' . ITEM_MOD_RANGED_ATTACK_POWER => 'Сила атаки', 'template_stat_name_' . ITEM_MOD_FERAL_ATTACK_POWER => 'Сила атаки', 'template_stat_name_' . ITEM_MOD_SPELL_HEALING_DONE => 'Сила заклинаний', 'template_stat_name_' . ITEM_MOD_SPELL_DAMAGE_DONE => 'Сила заклинаний', 'template_stat_name_' . ITEM_MOD_MANA_REGENERATION => 'Восстановление маны', 'template_stat_name_' . ITEM_MOD_ARMOR_PENETRATION_RATING => 'Рейтинг пробивания брони', 'template_stat_name_' . ITEM_MOD_SPELL_POWER => 'Сила заклинаний', 'template_stat_name_' . ITEM_MOD_HEALTH_REGEN => 'Восстановление здоровья', 'template_stat_name_' . ITEM_MOD_SPELL_PENETRATION => 'Проникающая способность заклинаний', 'template_stat_name_' . ITEM_MOD_BLOCK_VALUE => 'Блок', 'template_item_socket_1' => 'Особое гнездо', 'template_item_socket_2' => 'Красно гнездо', 'template_item_socket_4' => 'Желтое гнездо', 'template_item_socket_8' => 'Синее гнездо', 'template_item_socket_match' => 'При соответствии цвета:  %s', 'template_item_durability' => 'Прочность %d/ %d', 'template_item_allowable_classes' => 'Классы:', 'template_item_allowable_races' => 'Расы:', 'template_item_required_level' => 'Требуется уровень %d', 'template_item_itemlevel' => 'Уровень предмета %d', 'template_item_sell_price' => 'Цена продажи: ', 'template_item_unique' => 'Уникальный', 'template_item_heroic' => 'Героический', 'template_item_conjured' => 'Сотворенный предмет', 'template_item_set_bonus' => 'Комплект: %s', 'template_item_spell_trigger_0' => 'Использование: %s', 'template_item_spell_trigger_1' => 'Если на персонаже: %s', 'template_item_spell_trigger_2' => 'Вероятность попадания при ударе: %s', 'template_item_spell_trigger_6' => 'Использовать: %s', 'template_item_quick_facts' => 'Это интересно!', 'template_item_disenchant_fact' => '<span class="term">Распыление:</span> %d Наложение чар', 'template_item_fansite_link' => 'Найти этот предмет на:', 'template_item_learn_more' => 'Подробнее', 'template_item_tab_dropCreatures' => 'Добыча с: (<em>%d</em>)', 'template_item_tab_dropGameObjects' => 'Содержится в: (<em>%d</em>)', 'template_item_tab_vendors' => 'Продажа: (<em>%d</em>)', 'template_item_tab_currencyForItems' => 'Валюта (<em>%d</em>)', 'template_item_tab_rewardFromQuests' => 'Награда за задание (<em>%d</em>)', 'template_item_tab_skinnedFromCreatures' => 'Срезано с: (<em>%d</em>)', 'template_item_tab_pickPocketCreatures' => 'Украдено из карманов: (<em>%d</em>)', 'template_item_tab_minedFromCreatures' => 'Выкопано из: (<em>%d</%d>)', 'template_item_tab_createdBySpells' => 'Создатель: (<em>%d</em>)', 'template_item_tab_reagentForSpells' => 'Реагент для заклинания (<em>%d</em>)', 'template_item_tab_disenchantItems' => 'Можно распылить на: (<em>%d</em>)', 'template_item_tab_comments' => 'Комментарии (<em>%d</em>)', 'template_item_tab_content_filter_for' => 'Показать предметы для', 'template_item_tab_content_all_classes' => 'Все классы', 'template_item_tab_content_equipment_only' => 'Только экипировка', 'template_item_tab_content_no_results' => 'Результатов не найдено.', 'template_item_table_next' => 'Далее', 'template_item_table_prev' => 'Пред.', 'template_item_table_name' => 'Имя', 'template_item_table_level' => 'Уровень', 'template_item_table_required_level' => 'Требуется', 'template_item_table_source' => 'Источник', 'template_item_table_type' => 'Тип', 'template_item_tab_header_name' => 'Имя', 'template_item_tab_header_type' => 'Тип', 'template_item_tab_header_level' => 'Уровень', 'template_item_tab_header_zone' => 'Зона', 'template_item_tab_header_droprate' => 'Частота выпадания', 'template_item_tab_header_count' => 'Количество', 'template_item_tab_header_req_level' => 'Требуемый уровень', 'template_item_tab_header_slot' => 'Ячейка', 'template_item_tab_header_price' => 'Стоимость', 'template_item_tab_header_objectives' => 'Цели', 'template_item_tab_header_requirements' => 'Требования', 'template_item_tab_header_rewards' => 'Награды', 'template_item_tab_header_profession' => 'Профессия', 'template_item_tab_header_reagents' => 'Реагенты', 'template_item_tab_header_buy_back_price' => 'Выкупная цена', 'template_item_tab_header_sell_price' => 'Цена продажи', 'template_item_drop_rate_0' => 'Нет', 'template_item_drop_rate_1' => 'Крайне низкая', 'template_item_drop_rate_2' => 'Очень низкая', 'template_item_drop_rate_3' => 'Низкая', 'template_item_drop_rate_4' => 'Средняя', 'template_item_drop_rate_5' => 'Большая', 'template_item_drop_rate_6' => 'Высокая', 'template_profile_summary' => 'Сводка', 'template_profile_talents' => 'Таланты и символы', 'template_profile_lots' => 'Лоты', 'template_profile_events' => 'События', 'template_profile_achievements' => 'Достижения', 'template_profile_statistics' => 'Статистика', 'template_profile_reputation' => 'Репутация', 'template_profile_feed' => 'Лента новостей', 'template_profile_friends' => 'Друзья', 'template_profile_guild' => 'Гильдия', 'template_profile_advanced_profile' => 'Развернутый', 'template_profile_simple_profile' => 'Простой', 'template_profile_avg_itemlevel' => 'Средний', 'template_profile_avg_equipped_itemlevel' => 'Экипирован', 'template_profile_recent_activity' => 'Последние новости', 'template_profile_more_activity_feed' => 'Смотреть более ранние новости', 'template_profile_stats' => 'Характеристики', 'template_profile_melee_stats' => 'Ближний бой', 'template_profile_ranged_stats' => 'Дальний бой', 'template_profile_spell_stats' => 'Заклинания', 'template_profile_defense_stats' => 'Защита', 'template_profile_resistances_stats' => 'Сопротивление', 'template_profile_lastupdate' => 'Последнее обновление:', 'stat_health' => 'Здоровье', 'stat_power0' => 'Мана', 'stat_power1' => 'Ярость', 'stat_power2' => 'Фокус', 'stat_power3' => 'Энергия', 'stat_power6' => 'Сила рун', 'stat_strength' => 'Сила', 'stat_agility' => 'Ловкость', 'stat_stamina' => 'Выносливость', 'stat_intellect' => 'Интеллект', 'stat_spirit' => 'Дух', 'stat_mastery' => 'Искусность', 'stat_damage' => 'Урон', 'stat_dps' => 'УВС', 'stat_attack_power' => 'Сила атаки', 'stat_haste' => 'Скорость', 'stat_haste_rating' => 'Рейтинг скорости', 'stat_hit' => 'Меткость', 'stat_crit' => 'Критический удар', 'stat_expertise' => 'Мастерство', 'stat_spell_power' => 'Сила заклинаний', 'stat_spell_haste' => 'Скорость произнесения заклинаний', 'stat_spell_penetration' => 'Проникающая способность заклинаний', 'stat_mana_regen' => 'Восполнение маны', 'stat_combat_regen' => 'Восполнение в бою', 'stat_armor' => 'Броня', 'stat_dodge' => 'Уклонение', 'stat_parry' => 'Парирование', 'stat_block' => 'Блокирование', 'stat_resilience' => 'Устойчивость', 'stat_resistance_arcane' => 'Тайная магия', 'stat_resistance_fire' => 'Магия огня', 'stat_resistance_frost' => 'Магия льда', 'stat_resistance_nature' => 'Силы природы', 'stat_resistance_shadow' => 'Темная магия', 'template_profile_no_professions' => 'Нет профессий', 'template_rated_bg_rating' => 'Рейтинг на полях боя', 'template_honorable_kills' => 'Почетные победы', 'template_feed_obtained_item' => 'Получено %s.', 'template_feed_fos' => 'Заработано великое достижение %s', 'template_feed_achievement' => 'Заработано достижение %s за %d очков.', 'template_feed_day' => 'дн', 'template_feed_sec' => 'сек', 'template_feed_min' => 'мин', 'template_feed_hour' => 'ч', 'template_feed_ago' => 'назад', 'template_guild' => 'Гильдия', 'template_guild_members_count' => 'Членов гильдии: %d', 'template_guild_under_name' => 'Гильдия <span class="level"><strong>%d</strong></span>-го ур. (<span class="faction">%s</span>)', 'template_guild_menu_summary' => 'Сводка', 'template_guild_menu_roster' => 'Состав', 'template_guild_menu_news' => 'Новости', 'template_guild_menu_events' => 'События', 'template_guild_menu_achievements' => 'Достижения', 'template_guild_menu_perks' => 'Бонусы', 'template_guild_menu_rewards' => 'Награды', 'template_guild_news_sidebar' => 'Новости гильдии', 'template_guild_news' => 'Новости гильдии (%d)', 'template_guild_feed_achievement' => 'Персонаж %s $gполучил:получила; достижение «%s» стоимостью %d очк.', 'template_guild_feed_fos' => 'Персонаж %s $gполучил:получила; великое достижение «%s».', 'template_guild_feed_obtained_item' => 'Персонаж %s $gполучил:получила; предмет «%s».', 'template_guild_feed_recent_news' => 'Последние новости', 'template_guild_feed_no_news' => 'Нет последних новостей.', 'template_guild_feed_all_feeds' => 'Все новости', 'template_guild_top_contributors' => 'Самые активные члены гильдии', 'template_guild_no_contributors' => 'Еженедельные вклады в развитие гильдии еще не учтены.', 'template_guild_perk_level' => 'Уровень %d', 'template_guild_perks_filter' => 'Фильтры', 'template_guild_perks_all_perks' => 'Все бонусы', 'template_guild_perks_all' => 'Все', 'template_guild_perks_unlocked' => 'Заработано', 'template_guild_perks_locked' => 'Не заработано', 'template_guild_perks_guild_level' => 'Уровень', 'template_guild_perks_perk_desc' => 'Описание', 'template_guild_roster_achievements' => 'Очки достижений', 'template_guild_roster_activity' => 'Лента новостей гильдии', 'template_guild_roster_professions' => 'Профессии', 'template_guild_roster_filter' => 'Фильтр', 'template_guild_roster_reset_filter' => 'Сброс', 'template_guild_roster_guild_rank' => 'Ранг в гильдии', 'template_guild_roster_all_races' => 'Все расы', 'template_guild_roster_all_classes' => 'Все классы', 'template_guild_roster_all_ranks' => 'Все ранги', 'template_guild_roster_results_count' => 'Результаты <strong class="results-start">%d</strong>–<strong class="results-end">%d</strong> из <strong class="results-total">%d</strong>', 'template_guild_roster_rank' => 'Ранг %d', 'template_guild_roster_guild_master' => 'Глава гильдии', 'template_guild_roster_profession' => 'Профессия', 'template_guild_roster_all_professions' => 'Все профессии', 'template_guild_roster_skill_level' => 'Навык профессии', 'template_guild_roster_only_max_skill' => 'Показывать только макс. навык профессии (' . MAX_PROFESSION_SKILL_VALUE . ')', 'template_guild_roster_profession_skill' => 'Навык', 'template_character_friends_sidebar' => 'Друзья персонажа', 'template_character_friends_caption' => 'Друзья персонажа (%d)', 'template_character_friends_character' => 'Уровень %d %s %s', 'template_search_results_search' => 'Результаты поиска по запросу: <span>«%s»</span>', 'template_search_results_wowcharacter' => 'Персонажи по запросу «<span>%s</span>»', 'template_search_results_wowitem' => 'Предметы по запросу «<span>%s</span>»', 'template_search_filter' => 'Фильтр:', 'template_search_filter_score' => 'Точность соответствия', 'template_search_filter_time' => 'Дата', 'template_search_filter_popularity' => 'Популярность', 'template_search_results_all' => 'Все (%d)', 'template_search_results_arenateams' => 'Команды Арены (%d)', 'template_search_results_articles' => 'Статьи (%d)', 'template_search_results_characters' => 'Персонаж (%d)', 'template_search_results_items' => 'Предмет (%d)', 'template_search_results_forums' => 'Форумы (%d)', 'template_search_results_guilds' => 'Гильдии (%d)', 'template_search_table_charname' => 'Имя', 'template_search_table_level' => 'Уровень', 'template_search_table_race' => 'Раса', 'template_search_table_class' => 'Класс', 'template_search_table_faction' => 'Фракция', 'template_search_table_guild' => 'Гильдия', 'template_search_table_realm' => 'Игровой мир', 'template_search_table_battlegroup' => 'Боевая группа', 'template_realm_status' => 'Состояние игровых миров', 'template_realm_status_all_realms' => 'Все игровые миры', 'template_realm_status_display_filters' => 'Показать фильтры', 'template_realm_status_hide_filters' => 'Скрыть фильтры', 'template_realm_status_all' => 'Все', 'template_realm_status_status' => 'Статус', 'template_realm_status_up' => 'Работает', 'template_realm_status_down' => 'Отключен', 'template_realm_status_realm_name' => 'Имя игрового мира', 'template_realm_status_realm_type' => 'Тип', 'template_realm_status_type_rppvp' => 'Ролевой PvP', 'template_realm_status_type_roleplay' => 'Ролевой', 'template_realm_status_population' => 'Заселенность', 'template_realm_status_popul_high' => 'Высокая', 'template_realm_status_popul_medium' => 'Средняя', 'template_realm_status_popul_low' => 'Низкая', 'template_realm_status_language' => 'Язык', 'template_realm_status_queue' => 'Очередь', 'template_realm_status_reset_filters' => 'Сброс', 'template_realm_status_desc' => 'На этой странице отображается состояние игровых миров. Для каждого игрового мира указано, «открыт» он или «закрыт». Особые сообщения о состоянии того или иного мира, о проведении технического обслуживания и т.п. размещаются на форуме <a href="http://eu.battle.net/wow/forum/1028284/" target="_blank">«Состояние игровых миров»</a>. Заранее приносим вам свои извинения за неудобство, если ваш игровой мир в какой-то момент будет отмечен как «закрытый». Мы постараемся вернуть его в строй как можно скорее.', 'template_realm_status_available' => 'Доступен', 'template_realm_status_not_available' => 'Недоступен', 'template_realm_status_filters_not_found' => 'Поиск с помощью фильров не дал результата.', 'template_menu_character_info' => 'Данные о персонаже', 'template_achievements_search' => 'Поиск…', 'template_achievements_progress' => 'Прогресс', 'template_achievements_total_completed' => 'Всего завершено', 'template_achievements_points_tooltip' => 'Tooltip.show(this, &#39;%d / %d очков&#39;, { location: &#39;middleRight&#39; });', 'template_achievements_progress_bar_data' => '%d / %d (%d%%)', 'template_achievements_latest_achievements' => 'Недавно заслужено', 'template_reputation' => 'Репутация', 'template_reputation_faction_others' => 'Прочее', 'template_reputation_tabular' => 'Таблица', 'template_reputation_simple' => 'Список', 'template_reputation_table_name' => 'Название', 'template_reputation_table_standing' => 'Состояние', 'template_team_type_format' => '%d на %d', 'template_character_team_name' => 'Команда', 'template_character_personal_rating' => 'Личный', 'template_character_pvp_games' => 'Матчи', 'template_character_pvp_lost_won' => 'Победы – поражения', 'template_character_team_rating' => 'Рейтинг команды', 'template_character_team_per_season' => 'За сезон', 'template_character_team_per_week' => 'За неделю', 'template_character_pvp_roster' => 'Состав', 'template_character_pvp_name_roster' => 'Имя', 'template_character_pvp_played_roster' => 'Сыграно', 'template_character_pvp_lost_won_roster' => 'Победы – поражения за сезон', 'template_character_pvp_lost_won_weekly_roster' => 'Победы – поражения за сезон', 'template_character_pvp_rating_roster' => 'Рейтинг', 'template_character_pvp_season' => 'Сезон', 'template_character_pvp_week' => 'На этой неделе', 'template_character_pvp_personal_rating' => 'Личный рейтинг', 'template_character_pvp_unranked' => 'Без рейтинга', 'template_character_audit' => 'Осмотр персонажа', 'template_character_audit_help' => 'Что это?', 'template_character_audit_empty_glyph_slots' => '<li><span class="number">%d</span> пустые ячейки символов</li>', 'template_character_audit_unspent_talent_points' => '<li><span class="number">%d</span> неиспользованные очки талантов</li>', 'template_character_audit_unenchanted_items' => '<span class="number">%d</span> незачарованный предмет', 'template_character_audit_empty_sockets' => '<span class="number">%d</span> пустые гнезда в <span class="tip">предметах «%d»</span>', 'template_character_audit_nonop_armor' => '<span class="number">%d</span> предмет из неподходящего материала (не %s)', 'template_character_audit_missing_belt_buckle' => 'Не хватает: <a href="' . WoW::GetWoWPath() . '/item/%d" class="color-q3">%s</a>', 'template_character_audit_passed' => 'Этот персонаж прошел проверку!', 'template_character_reforge' => 'Перековка', 'template_character_reforge_none' => 'Ни один предмет не был перекован.', 'template_gems_enchants_bonuses' => 'Бонус за чары / камень', 'template_used_gems' => 'Камни', 'template_character_audit_no_gems' => 'Экипировка этого персонажа не инкрустирована камнями.', 'template_character_audit_no_bonuses' => 'Нет бонусов.', 'template_character_profile_other_stats' => 'Другое', 'template_character_profile_toggle_stats_all' => 'Показать все характеристики', 'template_character_statistic_update' => 'Обновления статистики', 'template_character_feed' => 'Лента новостей персонажа', 'template_character_feed_most_recent_events' => 'Отображаются 50 последних событий, связанных с персонажем.', 'template_blog_report_post' => 'Сообщить модераторам о сообщении #<span id="report-postID"></span> игрока <span id="report-poster"></span>', 'template_blog_report_reason' => 'Причина', 'template_blog_report_reasons' => '<option value="SPAMMING">Спам</option><option value="REAL_LIFE_THREATS">Угрозы в реальной жизни</option><option value="BAD_LINK">«Битая» ссылка</option><option value="ILLEGAL">Противозаконно</option><option value="ADVERTISING_STRADING">Реклама</option><option value="HARASSMENT">Оскорбления</option><option value="OTHER">Иное</option><option value="NOT_SPECIFIED">Не указано</option><option value="TROLLING">Троллинг</option>', 'template_blog_report_description' => 'Объяснение <small>(не более 256 символов)</small>', 'template_blog_send_report' => 'Отправить', 'template_blog_cancel_report' => 'Отмена', 'template_blog_report_success' => 'Готово!', 'template_blog_close_report' => 'Закрыть', 'template_blog_comments' => 'Комментарии', 'template_blog_add_post' => 'Разместить ответ', 'template_blog_add_to_black_list' => 'Внести в черный список', 'template_blog_remove_from_black_list' => 'Внести в черный список', 'template_blog_answer' => 'Ответить', 'template_blog_lookup_forum_messages' => 'Просмотр сообщений на форуме', 'template_blog_add_post_button' => 'Сообщение', 'template_blog_karma_up' => 'Нравится', 'template_blog_karma_down' => 'Не нравится', 'template_blog_karma_trolling' => 'Троллинг', 'template_blog_karma_spam' => 'Спам', 'template_blog_karma_report' => 'Сообщить модераторам', 'template_blog_karma_already_rated' => 'Вы уже дали оценку этому сообщению.', 'template_game_welcome' => 'Добро пожаловать <br/>в раздел для начинающих игроков!', 'template_game_subwelcome' => 'Путь героя заведет вас в самые отдаленные уголки мира, полного  магии, тайн и приключений. Этот раздел создан, чтобы помочь вам сделать первые шаги по этой дороге.', 'template_game_guide_title' => 'Руководство по игре', 'template_game_beginners_guide_title' => 'Руководство для начинающих', 'template_game_guide_desc' => 'Наше руководство для начинающих расскажет обо всем, что нужно знать герою, едва ступившим на свою стезю.', 'template_game_race_title' => 'Расы', 'template_game_race_desc' => 'Узнайте историю игровых рас, прочитав также об их способностях и родине.', 'template_game_class_title' => 'Классы', 'template_game_class_desc' => 'Эти страницы посвящены игровым классам, их истории и особенностям игры.', 'template_game_patch_notes_title' => 'Описание обновлений', 'template_game_patch_notes_desc' => 'Узнайте, как менялась и развивалась игра от обновления к обновлению. Здесь же вы узнаете и о будущих изменениях.', 'template_game_lore_title' => 'История Warcraft', 'template_game_lore_desc' => 'Узнайте о правителях Азерота, о поворотных событиях истории и эпических сражениях.', 'template_game_updates' => 'Обновления на сайте', 'template_game_web_features' => 'Полезные приложения', 'template_game_arena_season_title' => 'Рейтинг 9-го сезона Арены', 'template_game_arena_season_desc' => 'Опубликован рейтинг 9-го сезона Арены!', 'template_game_realm_status_title' => 'Состояние игровых миров', 'template_game_realm_status_desc' => 'Следите за состоянием игровых миров World of Warcraft в режиме реального времени.', 'template_game_armory_title' => 'Ищете Оружейную?', 'template_game_armory_desc' => 'Новая Оружейная теперь интегрирована в сайт сообщества World of Warcraft.', 'template_game_learn_more' => 'Подробнее', 'template_game_wowhead_title' => 'Wowhead', 'template_game_wowhead_desc' => 'Обширная база данных Wowhead поможет вам в поиске предметов, заданий, НПС и многого другого!', 'template_game_wowpedia_title' => 'Wowpedia', 'template_game_wowpedia_desc' => 'Wowpedia представляет собой подробную энциклопедию мира Warcraft.', 'template_game_dungeons_and_raids' => 'Подземелья и рейды', 'template_game_factions' => 'Фракции', 'template_game_primary_professions' => 'Основная', 'template_game_secondary_professions' => 'Второстепенная', 'template_game_lore' => 'История', 'template_game_lore_story' => 'Рассказы', 'template_game_lore_leaders' => 'Рассказы о правителях', 'template_game_expansion_3' => 'Cataclysm', 'template_game_expansion_2' => 'Wrath of the Lich King', 'template_game_expansion_1' => 'The Burning Crusade', 'template_game_expansion_0' => 'Классика', 'template_auction_auction' => 'Аукцион', 'template_auction_my_lots' => 'Мои лоты', 'template_auction_sold' => 'Продано', 'template_auction_selling' => 'Продажа', 'template_auction_ended' => 'Завершено', 'template_auction_my_bids' => 'Ставки', 'template_auction_won' => 'Выиграно', 'template_auction_winning' => 'Более высокая ставка', 'template_auction_lost' => 'Проиграно', 'template_auction_earned' => 'Заработано', 'template_auction_mailbox' => 'Почтовый ящик', 'template_account_status_posting_disabled' => 'Вы не можете размещать сообщения с этой учетной записи.', 'template_account_status_info_no_subscribe' => 'Срок действия игровой лицензии истек или нет текущей подписки.', 'template_account_status_info_no_session' => 'Вы не авторизованы.', 'template_account_status_info_success' => 'С учетной записью все в порядке.', 'template_account_status_clear_session' => 'Если вы считаете, что вы по ошибке видите это сообщение, выйдите из системы и снова авторизуйтесь.', 'template_account_status_log_out' => 'Выход', 'template_management_main_title' => 'Учетная запись Battle.Net', 'template_management_account_management' => 'Управление записью', 'template_management_account_creation' => 'Создание записи', 'template_management_menu_information' => 'Информация', 'template_management_menu_parameters' => 'Параметры', 'template_management_menu_games' => 'Игры', 'template_management_menu_operations' => 'Операции', 'template_management_menu_security' => 'Варианты защиты', 'template_management_menu_parameters_change_email' => 'Смена E-mail', 'template_management_menu_parameters_change_password' => 'Смена пароля', 'template_management_menu_parameters_change_communication' => 'Смена языка', 'template_management_menu_parameters_parental_control' => 'Родительский контроль', 'template_management_menu_parameters_payment_method' => 'Параметры оплаты', 'template_management_menu_parameters_address_book' => 'Контактная информация и адрес доставки', 'template_management_menu_games_add_game' => 'Прикрепление / конвертация игры', 'template_management_menu_games_get_a_game' => 'Электронные версии', 'template_management_menu_games_wow_conversion' => 'Объединение с записью World of Warcraft®', 'template_management_menu_games_download' => 'Загрузка игр', 'template_management_menu_games_beta_profile' => 'Бета-профиль', 'template_management_menu_games_redeem' => 'Эксклюзивный предмет', 'template_management_account_details' => 'Информация о записи', 'template_management_account_name' => 'Название учетной записи', 'template_management_edit_link' => 'Редактировать', 'template_management_address' => 'Адрес', 'template_management_account_security' => 'Защита записи', 'template_management_management_account_security' => 'Управление параметрами безопасности', 'template_management_your_games' => 'Ваши учетные записи для игр', 'template_management_ptr_world' => 'Тестовый игровой мир (PTR)', 'template_management_trial_version' => 'Пробная версия', 'template_management_add_trial' => 'Открыть пробный период', 'template_management_tooltip_trial_expired_1' => 'пробный период истек', 'template_management_tooltip_trial_expired_2' => 'пробный период истек', 'template_management_tooltip_add_trial' => 'Откройте 10-дневный пробный период бесплатной игры в World of Warcraft уже сегодня.', 'template_management_add_a_game' => 'Прикрепить игру', 'template_wow_dashboard_management' => 'Управление игрой', 'template_wow_dashboard_account_status' => 'Состояние:', 'template_wow_dashboard_account_active' => 'Активна', 'template_wow_dashboard_account_banned' => 'Закрыта', 'template_wow_dashborad_subscribe' => 'Игровое время:', 'template_wow_dashboard_unlimited_sub' => 'Без ограничений', 'template_wow_dashboard_product_level' => 'Тип записи', 'template_wow_dashboard_standart_edition' => 'Стандартное издание', 'template_wow_dashboard_region' => 'Регион', 'template_wow_dashboard_wowremote' => 'World of Warcraft без границ', 'template_wow_dashboard_wowremote_unsub' => 'нет подписки', 'template_wow_dashboard_buy_game_time' => 'Приобрести игровое время или оплатить подписку', 'template_wow_dashboard_active_timecard' => 'Карта предоплаты', 'template_wow_dashboard_view_account_history' => 'История платежей', 'template_wow_dashboard_download_game_client' => 'Загрузить клиент игры', 'template_wow_dashboard_character_services' => 'Услуги для персонажей', 'template_wow_dashboard_additional_services' => 'Дополнительные услуги', 'template_wow_dashboard_referral_services' => 'Приглашения и награды', 'template_wow_dashboard_game_time_services' => 'Игровое время и подписка', 'template_wow_dashboard_service_transfer_title' => 'Перенос персонажа', 'template_wow_dashboard_service_transfer_desc' => 'Перенесите персонажа в другой игровой мир или на другую учетную запись.', 'template_wow_dashboard_service_name_title' => 'Cмена имени', 'template_wow_dashboard_service_name_desc' => 'Переименуйте своего персонажа.', 'template_wow_dashboard_service_faction_title' => 'Смена фракции', 'template_wow_dashboard_service_faction_desc' => 'Смените фракцию своего персонажа (Альянс на Орду или наоборот).', 'template_wow_dashboard_service_apperance_title' => 'Измени персонажа', 'template_wow_dashboard_service_apperance_desc' => 'Измените внешний облик и, при желании, имя вашего персонажа.', 'template_wow_dashboard_service_race_title' => 'Смена расы', 'template_wow_dashboard_service_race_desc' => 'Смените расу вашего персонажа (не меняя фракцию)', 'template_wow_dashboard_service_migration_title' => 'Бесплатный перенос персонажа', 'template_wow_dashboard_service_migration_desc' => 'Перенесите своего персонажа в менее населенный игровой мир.', 'template_wow_dashboard_service_ptr_title' => 'Тестовый игровой мир', 'template_wow_dashboard_service_ptr_desc' => 'Создайте копию персонажа в тестовом игровом мире.', 'template_wow_dashboard_service_arenapass_title' => 'Пропуск на Арену (закрыт)', 'template_wow_dashboard_service_arenapass_desc' => 'Регистрация участников «Пропуска на Арену» в настоящий момент закрыта.', 'template_wow_dashboard_service_parental_title' => 'Родительский контроль', 'template_wow_dashboard_service_parental_desc' => 'Установите, сколько времени можно играть.', 'template_wow_dashboard_service_recruit_title' => 'Пригласить друга', 'template_wow_dashboard_service_recruit_desc' => 'Пригласите в игру друзей и получите в подарок игровое время, награды и пр.', 'template_wow_dashboard_service_scroll_title' => 'Свиток воскрешения', 'template_wow_dashboard_service_scroll_desc' => 'Пригласите знакомого вернуться в игру и получите в подарок игровое время.', 'template_wow_dashboard_service_gamecard_title' => 'Карта игрового времени', 'template_wow_dashboard_service_gamecard_desc' => 'С помощью карты предоплаты игрового времени для World of Warcraft вы можете оплачивать подписку поэтапно.', 'template_wow_dashboard_service_wowremote_title' => 'World of Warcraft без границ', 'template_wow_dashboard_service_wowremote_desc' => 'Пользуйтесь всеми возможностями Аукциона для Оружейной', 'template_wow_dashboard_upgrade_account_enter_cdkey' => 'Введите CD-ключ', 'template_wow_dashboard_upgrade_account_header' => 'Конвертировать запись', 'template_wow_dashboard_upgrade_account_cancel' => 'Отмена', 'template_wow_dashboard_upgrade_account_note' => 'Заглавные и строчные символы не различаются. Без пробелов и дефисов.', 'template_bn_orders' => 'Заказы', 'template_bn_buy_egame' => 'Купить электронную версию', 'template_bn_community' => 'Сообщество', 'template_bn_manage_game' => 'Управление игрой', 'template_bn_buy_game' => 'Купить игру', 'template_bn_my_games' => 'Мои игры', 'template_bn_game_cs' => 'Сайты игр', 'template_bn_sc2_cs' => 'Сайт StarCraft II', 'template_bn_wow_cs' => 'Сайт World of Warcraft', 'template_bn_diablo3_cs' => 'Сайт Diablo III', 'template_bn_sc2_cs_status' => 'Сайт StarCraft II на Battle.net', 'template_bn_wow_cs_status' => 'Сайт World of Warcraft на Battle.net', 'template_bn_d3_cs_status' => 'Сайт Diablo III в разработке', 'template_bn_what_is_it_title' => 'Что такое Battle.Net?', 'template_bn_what_is_it_intro_header' => 'Подключайся. Играй. Объединяйся.', 'template_bn_what_is_it_intro_text' => 'В эту минуту  игроки со всего мира встречаются на Battle.net, чтобы отточить свои и без того великолепные навыки сетевой игры или просто пообщаться с друзьями по игре. Мы стремимся объединить в Battle.net всех пользователей наших игр в рамках единой платформы — продуманной, эффективной и удобной. Впервые за время своего существования (с 1996 г.) Battle.net сегодня подверглась полной реструктуризации, чтобы стать еще проще в использовании, более цельной и приятной для игры. Предлагаем вам обзор новых функций Battle.net — игровой платформы завтрашнего дня.', 'template_bn_what_is_it_community_header' => 'Присоединяйтесь к миллионам игроков', 'template_bn_what_is_it_community_text' => 'За 13 лет существования число пользователей Battle.net неизменно росло. Сегодня на Battle.net зарегистрированы миллионы игроков. Это сообщество — самое сплоченное, азартное и яркое в мире. Присоединяйтесь!', 'template_bn_what_is_it_match_header' => 'Найдите идеального соперника', 'template_bn_what_is_it_match_text' => 'Новая система подбора игроков Battle.net более точно и объективно, чем раньше, оценивает навык игрока в StarCraft II. Поэтому соревновательная составляющая игры теперь станет ближе и понятнее всем игрокам, как опытным, так и начинающим.', 'template_bn_what_is_it_play_header' => 'Покупайте и играйте', 'template_bn_what_is_it_play_text' => 'Покупайте игры в интернет-магазине Blizzard, загружайте их и начинайте играть. Если вы уже приобрели игру, вы можете в любой момент загрузить ее на любой компьютер: соответствующая функция предлагается в разделе управления учетной записью Battle.net. Так что если вы имеете обыкновение играть с разных компьютеров или, например, недавно переустановили операционную систему, ваша игра всегда будет под рукой.', 'template_bn_what_is_it_compete_header' => 'Соревновательный дух', 'template_bn_what_is_it_compete_text' => 'Новая система лиг и рейтингов StarCraft II основана на рейтинге и функции подбора противников на Battle.net. Если вы несколько раз воспользуетесь функцией подбора противника, вы будете затем автоматически причислены к категории, оптимально соответствующей вашему уровню. Играть в сетевом режиме будет еще увлекательнее, и тем приятнее станет заслуженная победа!', 'template_bn_what_is_it_cloud_header' => 'Сохраняйте достижения', 'template_bn_what_is_it_cloud_text' => 'StarCraft II — первая игра, в которой данные игрока можно хранить на сервере Battle.net. В составе этих данных по мере продвижения в игре автоматически отображаются ваши последние достижения. Таким образом, даже если вы играете с другого компьютера, вы можете в любой момент продолжить игру с того места, где остановились в прошлый раз.', 'template_bn_what_is_it_media_header' => 'Игра – больше чем игры', 'template_bn_what_is_it_media_text' => 'Ваш профиль персонажа хранится на сервере и содержит всю информацию о ваших успехах в игре: игровую статистику, количество выигранных и проигранных поединков, место в лиге и т.р. Заработайте более 500 достижений в одиночной и сетевой игре и получите множество разнообразных наград, в частности, портреты и эмблемы, которые украсят собой вашу армию. Хотите ли вы блеснуть мастерством или просто собрать побольше отличий, на Battle.net и то, и другое теперь станет еще увлекательнее!', 'template_bn_what_is_it_modding_header' => '«Модомания»', 'template_bn_what_is_it_modding_text' => 'Благодаря функции публикации карт вы можете участвовать в создании собственного мира игры. Нарисуйте карту для StarCraft II с помощью встроенного редактора карт и предложите ее сообществу игроков. Вы также можете просматривать и загружать карты других игроков непосредственно на Battle.net.', 'template_bn_what_is_it_connect_header' => 'Сообщество Blizzard', 'template_bn_what_is_it_connect_text' => 'Battle.net представляет новую функцию (используемую по желанию) – «Настоящее имя». С ее помощью вы можете находить на Battle.net и в игре своих знакомых по реальной жизни. Если вы подключите эту функцию, то сможете пользоваться рядом дополнительных возможностей, призванных акцентировать социальную составляющую игры: межигровой чат, короткие сообщения, развернутая информация о состоянии друга. При этом неважно, в какую игру вы или ваш друг сейчас играете.', 'template_bn_what_is_it_top' => 'Наверх', 'template_account_no_address' => 'Не указано адреса', 'template_account_add_address' => 'Прикрепить', 'template_account_creation_privacy_notify' => '<b>Мы уважаем конфиденциальность наших пользователей и принимаем все меры к обеспечению ее безопасности.</b> Подробнее о том, как мы охраняем и используем вашу личную информацию, читайте в нашей <a href="http://eu.blizzard.com/ru-ru/company/about/privacy.html" onclick="window.open(this.href); return false;">политике конфиденциальности</a>.', 'template_account_creation_select_country' => 'Страна проживания:', 'template_account_creation_change_country' => 'Изменение страны', 'template_account_creation_change_country_confirm' => 'Если вы укажете другую страну, при создании записи нужно будет указывать другие сведения. Формат адреса также может быть другим. Вы действительно хотите указать другую страну?', 'template_account_creation_change_country_confirm_yes' => 'Указать другую страну', 'template_account_creation_birthday' => 'Дата рождения:', 'template_account_creation_birthday_day' => 'День', 'template_account_creation_birthday_month' => 'Месяц', 'template_account_creation_birthday_year' => 'Год', 'template_account_creation_child_notify' => 'Если вы создаете учетную запись для своего ребенка, щелкните <a href="/account/creation/parent-signup.html">здесь</a>.', 'template_account_creation_treatment' => 'Обращение:', 'template_account_creation_treatment_1' => 'Г‒н', 'template_account_creation_treatment_2' => 'Г‒жа', 'template_account_creation_first_name' => 'Имя', 'template_account_creation_last_name' => 'Фамилия', 'template_account_creation_email' => 'Электронный адрес:', 'template_account_creation_set_email' => 'Укажите электронный адрес', 'template_account_creation_confirm_email' => 'Подтвердите электронный адрес', 'template_account_creation_password' => 'Пароль:', 'template_account_creation_set_password' => 'Введите пароль', 'template_account_creation_confirm_password' => 'Подтвердите пароль', 'template_account_creation_password_hint' => 'Из соображений безопасности советуем вам использовать особый пароль, который вы больше не используете нигде в Интернете.', 'template_account_creation_security_level' => 'Уровень надежности:', 'template_account_creation_security_0' => 'Пароль должен состоять из 8–16 символов.', 'template_account_creation_security_1' => 'Пароль может содержать только буквы (A–Z), цифры (0–9) и знаки пунктуации.', 'template_account_creation_security_2' => 'Пароль должен состоять из 8–16 символов.', 'template_account_creation_security_3' => 'Пароль должен включать в себя хотя бы одну букву и хотя бы одну цифру.', 'template_account_creation_security_4' => 'Пароль не должен совпадать с именем пользователя.', 'template_account_creation_security_5' => 'Пароли должны совпадать друг с другом.', 'template_account_creation_secret_question' => 'Секретный вопрос и ответ:', 'template_account_creation_secret_question_chose' => 'Выберите вопрос', 'template_account_creation_secret_question_1' => 'Номер школы', 'template_account_creation_secret_question_2' => 'Название ВУЗа', 'template_account_creation_secret_question_3' => 'Родной город матери', 'template_account_creation_secret_question_4' => 'Родной город отца', 'template_account_creation_secret_question_5' => 'Ваш родной город', 'template_account_creation_secret_question_6' => 'Кличка домашнего животного', 'template_account_creation_secret_question_7' => 'Имя лучшего друга среди сокурсников', 'template_account_creation_secret_question_8' => 'Ваша первая машина', 'template_account_creation_secret_question_9' => 'Любимая спортивная команда', 'template_account_creation_secret_question_10' => 'Первое место работы', 'template_account_creation_secret_answer' => 'Ответ', 'template_account_creation_secret_question_hint' => 'Эти сведения требуются в ситуациях, где речь идет о защите учетной записи от кражи и взлома, — например, при восстановлении пароля.', 'template_account_creation_tos_agreement_text' => 'Я принимаю условия <a href="http://eu.blizzard.com/ru-ru/company/about/termsofuse.html" onclick="window.open(this.href); return false;">пользовательского соглашения</a> для своей страны проживания. В случае, если мне менее 18 лет, я согласен с тем, чтобы мои родители или опекун прочли и приняли условия пользовательского соглашения от моего имени.', 'template_account_creation_pm_monitoring_agreement_text' => 'Я согласен с тем, что компания Blizzard может контролировать мою переписку с другими игроками.', 'template_account_creation_create' => 'Создать запись', 'template_account_creation_js_emailMessage1' => 'Это ваше имя пользователя при авторизации.', 'template_account_creation_js_emailError1' => 'Электронный адрес указан некорректно.', 'template_account_creation_js_emailError2' => 'Электронные адреса должны совпадать друг с другом.', 'template_account_creation_js_passwordError1' => 'Ваш пароль не отвечает требованиям.', 'template_account_creation_js_passwordError2' => 'Пароли должны совпадать друг с другом.', 'template_account_creation_js_passwordStrength0' => 'Слишком короткий', 'template_account_creation_js_passwordStrength1' => 'низкий', 'template_account_creation_js_passwordStrength2' => 'приемлемый', 'template_account_creation_js_passwordStrength3' => 'высокий', 'template_account_creation_error_email_used' => 'Этот E-mail уже использован.', 'template_account_creation_error_fields' => 'Заполните, пожалуйста, все обязательные поля.', 'template_account_creation_error_exception' => 'Не удалось создать учетную запись. Пожалуйста, повторите попытку.', 'template_account_not_verified_email' => 'Электронный адрес (<em>%s</em>) еще не прошел проверку.', 'template_account_not_verified_resend_email' => 'Пока вы не подтвердите действительность этого адреса, вы не сможете управлять параметрами игр и пользоваться рядом функций. Проверьте, пожалуйста, почту: вам было выслано контрольное сообщение.', 'template_account_not_verified_resend_email_link' => 'Запросить контрольное сообщение повторно', 'template_account_not_verified_resending' => 'Идет отправка сообщения.', 'template_account_not_verified_sent_error' => 'При выполнении вашего запроса произошла ошибка.', 'template_account_not_verified_sent_success' => '<p>На электронный адрес, закрепленный за этой записью, выслано контрольное сообщение.</p><p>Чтобы проверить действительность адреса, загляните в свой почтовый ящик и следуйте указаниям в этом сообщении.</p>', 'template_account_verify_success' => 'Адрес прошел проверку', 'template_account_verify_success_text' => 'Действительность учетной записи Battle.net <strong>%s</strong> установлена. Теперь вы можете пользоваться всеми возможностями Battle.net в полном объеме.', 'template_account_verify_error' => 'Подтвердить действительность записи не удалось.', 'template_account_verify_error_text' => '<p>При попытке подтвердить действительность вашей записи произошла ошибка — вероятно, по одной из следующих причин:</p><ul><li>Эта учетная запись еще не прошла проверку.</li><li>Эта учетная запись уже прошла проверку.</li><li>Ссылка для подтверждения действительности записи недействительна или устарела.</li></ul><p>Чтобы запросить сообщение со ссылкой повторно, вернитесь в раздел управления записью.</p>', 'template_account_continue_to_mgm' => 'К управлению записью', 'template_account_no_games' => 'К этой учетной записи Battle.net еще не прикреплено ни одной игры.<br /><a href="' . WoW::GetWoWPath() . '/account/management/add-game.html">Прикрепите игру</a> или <a href="' . WoW::GetWoWPath() . '/account/management/wow-account-conversion.html">прикрепите свою запись World of Warcraft®</a>.', 'template_account_conversion_no_region_merge_text_kr' => 'Для использования игр на корейском языке вам необходимо изменить страну своего проживания на Корею и указать для проверки свой личный номер резидента.', 'template_account_conversion_no_region_merge' => 'Ограничения по региону', 'template_account_conversion_no_region_merge_text' => 'Объединение учетной записи Battle.net с записью World of Warcraft в вашем регионе пока не осуществляется.', 'template_account_conversion_authentication_notify' => 'If you lost you authenticator, please detach the authenticator first. (※ Security card service ended and automatically detached.)', 'template_account_conversion_authenticator_read_more' => 'Read more', 'template_account_conversion_phone_lock_notify' => 'If you use Phone Lock: please unlock your World of Warcraft account before merging.', 'template_account_conversion_phone_lock_numbers' => '<p>Taiwan: 0800-303-585<br /><em>(Not available 10-11AM every first Wed of the month)</em></p><p>Hong Kong &amp; Macau: 396-54666</p>', 'template_account_conversion_header' => 'Объединение с учетной записью World of Warcraft®', 'template_account_conversion_progress' => '<span>Состояние %d%%</span> [Шаг %d из 3]', 'template_account_conversion_required_fields' => 'Необходимо указать', 'template_account_conversion_info' => 'Введите название и пароль учетной записи World of Warcraft®, которую вы хотите объединить с этой записью Battle.net. По завершении объединения вы сможете присоединить к ней и другие свои записи World of Warcraft®. После объединения для авторизации с записи на сайте World of Warcraft нужно будет использовать название и пароль записи Battle.net.', 'template_account_conversion_region_prompt' => 'К какому региону относится ваша запись World of Warcraft Account?', 'template_account_conversion_region_us' => 'C. и Ю. Америка', 'template_account_conversion_region_eu' => 'Европа', 'template_account_conversion_region_kr' => 'Корея', 'template_account_conversion_account_name' => 'Название записи World of Warcraft:', 'template_account_conversion_account_password' => 'Пароль записи World of Warcraft:', 'template_account_conversion_lost_password' => 'Вы забыли пароль?', 'template_account_conversion_next' => 'Далее', 'template_account_conversion_merging_accounts' => 'Присоединение других записей', 'template_account_conversion_merging_head' => 'Прежде всего, подтвердите, пожалуйста, что другая учетная запись (или записи) World of Warcraft, которые вы хотите объединить со своей записью Battle.net, также принадлежат лично вам.', 'template_account_conversion_merging_text' => 'Учетная запись Battle.net и объединенные с нею записи World of Warcraft строго индивидуальны и не могут быть переданы другому лицу. В дальнейшем на Battle.net появятся новые функции общения, и чтобы пользоваться ими в полном объеме, нужно будет, чтобы все ваши игры были закреплены за вашим единым виртуальным «я». Поэтому важно, чтобы все записи World of Warcraft, объединенные с этой записью Battle.net, принадлежали лично вам и никому другому. Ваши друзья и близкие могут <a href="/account/creation/tos.html">создать себе собственную запись Battle.net</a> и затем объединить с нею свою запись World of Warcraft.', 'template_account_conversion_confirm_sole_user' => 'Являетесь ли вы единственным пользователем этой записи?', 'template_account_conversion_confirm_sole_user_yes' => 'Да: перейти к следующему шагу', 'template_account_conversion_confirm_sole_user_no' => 'Нет: отменить объединение', 'template_account_conversion_confirmation' => 'Подтверждение объединения', 'template_account_conversion_warning_account_name' => 'Когда вы щелкнете по кнопке «Завершить объединение», прежнее название вашей учетной записи станет недействительно.', 'template_account_conversion_new_account_name' => 'Для авторизации на сайте World of Warcraft нужно будет использовать новое название:', 'template_account_conversion_details_header' => 'Прежде чем завершать объединение, обратите, пожалуйста, особое внимание на следующее:', 'template_account_conversion_details_list' => '<li><span>После объединения записей для входа на сайт World of Warcraft® нужно будет вводить название (<strong style="padding:0 3px;">%s</strong>) и пароль учетной записи Battle.net.</span></li><li><span><strong>Объединение записей необратимо.</strong> «Разъединить» объединенные записи нельзя.</span></li><li><span>Из соображений безопасности перенос персонажей на другую учетную запись Battle.net будет закрыт в течение <strong>30 дней</strong> после объединения записей. Подробнее об этом читайте <a href="http://eu.blizzard.com/support/article.xml?locale=ru_RU&amp;articleId=36234" onclick="window.open(this.href);return false;">здесь</a>.</span></li>', 'template_account_conversion_complete' => 'Завершить объединение', 'template_account_conversion_error1' => 'Имя пользователя было указано некорректно. Попробуйте ввести его заново.', 'template_account_conversion_error2' => 'Эта учетная запись уже объединена с другой записью Battle.net.', 'template_account_wow_title' => 'Откройте период бесплатной пробной игры в World of Warcraft', 'template_account_wow_meta' => 'Бесплатная пробная версия World of Warcraft', 'template_account_wow_err1' => 'Электронные адреса должны совпадать.', 'template_account_wow_err2' => 'Код безопасности введен неверно. Попробуйте еще раз.', 'template_account_wow_err3' => 'Этот E-mail уже использован. Действующие пользователи Battle.net могут <a href="' . WoW::GetWoWPath() . '/account/management/">авторизоваться</a> и прикрепить пробную версию игры к своей записи.', 'template_account_wow_err4' => 'Укажите, пожалуйста, действующий E-mail.', 'template_account_wow_err5' => 'Ваш пароль не отвечает необходимым требованиям.', 'template_account_wow_err6' => 'Это поле нужно заполнить вручную.', 'template_account_wow_submit' => 'Начать игру', 'tempalte_account_wow_creation' => 'Создание учетной записи World of Warcraft', 'template_account_wow_notify' => 'Аккаунт будет привязан к учетной записи %s', 'template_account_wow_emailHint' => 'Это имя вашей учетной записи', 'template_account_wow_cata_cinematic' => 'Ролик World of Warcraft', 'template_account_wow_cata_explore' => 'Узнайте больше о World of Warcraft', 'template_account_no_wow_games' => 'К этой учетной записи Battle.net еще не прикреплено ни одной игры.<br /><a href="' . WoW::GetWoWPath() . '/account/creation/wow/signup/index.xml">Создайте учетную запись World of Warcraft®</a>.', 'template_auction_title' => 'Аукцион', 'template_auction_in_game' => 'В игре', 'template_auction_menu_index' => 'Сводка аукциона', 'template_auction_menu_browse' => 'Просмотр лотов', 'template_auction_menu_create' => 'Объявить торги', 'template_auction_menu_bids' => 'Ставки', 'template_auction_menu_lots' => 'Мои лоты', 'template_auction_switch_to_neutral' => 'Перейти на нейтральный аукцион', 'template_auction_active_auctions' => 'Выставленные лоты', 'template_auction_no_active_auctions' => 'У вас нет выставленных лотов.', 'template_auction_sold_auctions' => 'Проданные лоты', 'template_auction_no_sold_auctions' => 'У вас нет проданных лотов.', 'template_auction_expired_auctions' => 'Завершившиеся торги', 'template_auction_no_expired_auctions' => 'У вас нет торгов с истекшим сроком.', 'template_auction_bid' => 'Ставка', 'template_auction_enter_bid' => 'Укажите свою ставку:', 'template_auction_buyout' => 'Выкуп', 'template_auction_buyout_confirm' => 'Вы выкупаете этот предмет за указанную сумму?', 'template_auction_buyout_confirm_btn' => 'Подтвердить', 'template_auction_cancel_warning' => 'Если вы отмените торги, залог будет удержан. Продолжить?', 'template_auction_js_bid' => 'Вы сделали ставку.', 'template_auction_js_sold' => 'Лот был продан.', 'template_auction_js_won' => 'Вы выиграли торги!', 'template_auction_js_cancelled' => 'Торги были отменены.', 'template_auction_js_created' => 'Вы объявили торги.', 'template_auction_js_outbid' => 'Ваша ставка перекуплена!', 'template_auction_js_expired' => 'Лот снят с торгов.', 'template_auction_js_claim' => 'Вы забрали все золото!', 'template_auction_js_subscription' => 'Для этого требуется подписка на услугу «World of Warcraft без границ».', 'template_auction_js_interrupted' => 'Прервано. Повторите попытку.', 'template_auction_js_totalCreated' => '{0} лот(ов) выставлено', 'template_auction_js_transaction' => '{0} операция(ий) проведено', 'template_auction_js_transactionMax' => 'Достигнут лимит операций.', 'template_auction_error_auc_not_found' => 'Указанный лот не найден.', 'template_auction_lots_table_name' => 'Название / Редкость', 'template_auction_lots_table_count' => 'К-во', 'template_auction_lots_table_time' => 'Ост. время', 'template_auction_lots_table_high_bidder' => 'Наивысшая ставка', 'template_auction_lots_table_buyout' => 'Ставка / Выкуп', 'template_auction_bid_price' => 'Сумма ставки', 'template_auction_bid_price_per_item' => 'Сумма ставки за лот', 'template_auction_buyout_price' => 'Выкупная цена', 'template_auction_buyout_price_per_item' => 'Выкуп/лот', 'template_auction_buyout_total' => 'Сумма выкупа', 'template_auction_title_time_1' => 'Менее 30 мин', 'template_auction_text_time_1' => 'Короткий', 'template_auction_title_time_2' => 'От 2 до 12 ч', 'template_auction_text_time_2' => 'Долгий', 'template_auction_title_time_3' => 'Более 24 ч', 'template_auction_text_time_3' => 'Оч. долгий', 'template_auction_error_text' => 'В данный момент вы находитесь в игре с этой учетной записи. Вы можете просматрировать лоты, но прежде чем делать ставки и объявлять торги, выйдите, пожалуйста, из игры.', 'template_auction_error_back' => 'Назад', 'template_auction_error_title' => 'Ошибка', 'template_auction_you_are_the_seller' => 'Вы — продавец', 'template_auction_no_bids' => 'Нет ставок', 'template_auction_price_per_unit' => 'Цена за предмет:', 'template_auction_buyout_per_unit' => 'Выкупная цена за предмет:', 'template_auction_browse' => 'Поиск', 'template_forums_blizztracker_title' => 'Последние сообщения Blizzard', 'template_forums_all_blizz_posts' => '(Все)', 'template_forums_blizztracker_all' => 'Все сообщения Blizzard', 'template_forums_in' => 'в', 'template_forums_my_realms' => 'Мои игровые миры', 'template_forums_all_realms' => 'Все игровые миры', 'template_forums_popular_threads' => 'Популярные темы', 'template_forums_forum_rules' => 'Правила форумов', 'template_forums_type_simple' => 'Простой', 'template_forums_type_advanced' => 'Расширенный', 'template_forums_create_thread' => 'Создать тему', 'template_forums_table_thread' => 'Тема', 'template_forums_table_author' => 'Автор', 'template_forums_table_views' => 'Просмотры', 'template_forums_table_replies' => 'Ответы', 'template_forums_table_last_post' => 'Автор посл. сообщения', 'template_forums_first_blizz_post' => 'Первое сообщение Blizzard', 'template_forums_views_replies_category' => '%d просмотров / %d ответов', 'template_forums_last_reply' => 'Последний ответ', 'template_zones_desc' => 'От Штормграда до самых до окраин мир Warcraft полон тайн, опасностей и более всего — мест сражений. Корода кишат вооруженными кинжалами наемниками и жадными политиками, темные пещеры хранят древние и в равной степени ужасные тайны, на полях боя разворачиваются битвы, в которых сталкиваются лицом к лицу внуки тех, кто развязал эту войну. Немногие отважатся отправиться в столь далекие и опасные места. Еще меньше смельчаков вернутся. Ты — один из них.', 'template_zones_dungeons' => 'Подземелья', 'template_zones_raids' => 'Рейды', 'template_zones_heroic_mode_available' => 'Предлагается героический режим (%d)', 'template_zones_normal_mode_available' => 'Предлагается нормальный режим (%d-%d)', 'template_zones_heroic_mode_only' => 'Только героический режим', 'template_zones_since_patch' => '(с обновления %s)', 'template_zone_dungeon' => 'Подземелье', 'template_zone_raid' => 'Рейд', 'template_zone_type' => 'Тип:', 'template_zone_players' => 'Игроки:', 'template_zone_suggested_level' => 'Рекомендуемый уровень:', 'template_zone_item_level' => 'Требуемый уровень экипировки:', 'template_zone_location' => 'Место:', 'template_zone_heroic_mode_available' => 'Предлагается героический режим', 'template_zone_map' => 'Карта', 'template_zone_fansites' => 'Подробнее', 'template_zone_bosses' => 'Боссы', 'template_zone_expansion_required' => 'Требуется', 'template_zone_introduced_in_patch' => 'Появилось в обновлении:', 'template_class_role_melee' => 'Боец (физический урон в ближнем бою)', 'template_class_role_ranged' => 'Боец (физический урон в дальнем бою)', 'template_class_role_caster' => 'Боец (магический урон в дальнем бою)', 'template_class_role_healer' => 'Лекарь', 'template_class_role_tank' => '«Танк»', 'template_game_class_index' => 'Классы', 'template_game_class_intro' => 'В этом обновленном руководстве по классам World of Warcraft содержится описание всех способностей игровых классов и рассказы об их месте в Азероте.', 'template_game_classes_title' => 'Классы World of Warcraft', 'template_game_class_information' => 'Описание', 'template_game_class_talents' => 'Таланты', 'template_game_class_talent_trees' => 'Дерево талантов', 'template_game_class_features' => 'Особенности', 'template_game_class_races' => 'Расы', 'template_game_class_next' => 'След. класс: %s', 'template_game_class_prev' => 'Пред. класс: %s', 'template_game_class_type' => 'Тип', 'template_game_class_bars' => 'Стандартные панели', 'template_game_class_armor' => 'Доступная броня', 'template_game_class_weapons' => 'Доступное оружие', 'template_game_class_warrior_info' => 'В годы войны герои каждого из народов желали овладеть искусством боя. Воины сильны, обладают отличными лидерскими качествами и прекрасно умеют обращаться с оружием и доспехами. Все это позволяет им наносить врагу серьезный урон в славной битве.', 'template_game_class_paladin_info' => 'Призвание паладина — защищать слабых, карать злодеев и изгонять зло из самых темных уголков мира.', 'template_game_class_hunter_info' => 'Те, кто слышат странный зов, меняют домашний уют на жестокий первобытный мир. И те, кто выносят тяготы новой жизни, становятся охотниками.', 'template_game_class_rogue_info' => 'Честь разбойника можно купить за золото, а единственный кодекс, которому он следует — договор. Наемники, свободные от предубеждений и совести, полагаются на жестокие и эффективные приемы.', 'template_game_class_priest_info' => 'Жрецы посвящают себя духовной жизни и доказывают крепость веры, служа своему народу. Тысячелетия назад они покинули покой храмов и уют святилищ, чтобы поддержать своих друзей на полях боя.', 'template_game_class_death-knight_info' => 'Когда Король-лич потерял контроль над рыцарями смерти, его бывшие приспешники пожелали отомстить за весь ужас, сотворенный по его приказу.', 'template_game_class_shaman_info' => 'Шаманы — наставники в духовных практиках, идущих не от богов, а от самих природных стихий. В отличие от других мистиков, шаманы не обязательно общаются лишь с благоволящими к ним силами.', 'template_game_class_mage_info' => 'Дисциплинированные ученики, наделенные острым умом, могут избрать путь мага. Тайное волшебство, доступное магу, сильно и очень опасно. Оно открывается только достойным.', 'template_game_class_warlock_info' => 'Столкнувшись с демонами, большинство героев видят лишь смерть. Чернокнижники видят огромные возможности. Их цель — власть, в ее достижении им помогают темные искусства. Эти колдуны призывают демонов, которые сражаются на их стороне.', 'template_game_class_druid_info' => 'Друиды подчиняют себе силы природы, чтобы сберечь естественное равновесие и защитить окружающий мир.', 'template_game_class_artwork' => 'Художественные композиции', 'template_game_class_screenshots' => 'Скриншоты', 'template_game_class_more' => 'ПОДРОБНЕЕ', 'template_game_class_more_desc' => 'Подробнее об этом классе можно прочесть на сайтах поклонников игры.', 'template_game_class_viewall' => 'Все', 'template_game_race_index' => 'Расы', 'template_game_race_intro' => 'В Азероте живет множество разнообразных рас. Из этого раздела вы узнаете об их истории, кто откуда родом и другие интересные сведения.', 'template_game_race_next' => 'След. раса: %s', 'template_game_race_prev' => 'Пред. раса: %s', 'template_game_race_worgen_info' => 'На народ Гилнеаса, уединенно живущий за несокрушимой Стеной Седогрива, обрушилось страшное проклятие, и многие жители превратились в кошмарных тварей, которых прозвали воргенами.', 'template_game_race_draenei_info' => 'Непоколебимая преданность Свету повела дренеев вперед, в их прежний мир, терзаемый войнами, и помогла им и другим членам Альянса сокрушить демонов.', 'template_game_race_dwarf_info' => 'Отважные дворфы — очень древний народ. Они ведут свой род от земельников — существ из живого камня, созданных титанами еще на заре мира.', 'template_game_race_gnome_info' => 'Умные, лихие и зачастую эксцентричные гномы – самая удивительная из цивилизованных рас Азерота.', 'template_game_race_human_info' => 'Благодаря последним открытиям стало известно, что люди произошли от врайкулов, расы полугигантов, обитающих на Нордсколе.', 'template_game_race_night-elf_info' => 'Скрытные, загадочные ночные эльфы — одна из древнейших рас Азерота, и им не раз приводилось играть ключевую роль в его судьбе.', 'template_game_race_goblin_info' => 'Старые соглашения с Ордой были возобновлены, и Орда приняла гоблинов с распростертыми объятиями.', 'template_game_race_blood-elf_info' => 'Некоторые эльфы не особенно стремятся преодолеть зависимость от тайной магии. Остальные, впрочем, рады возвращению в Кель’Талас.', 'template_game_race_orc_info' => 'В отличие от других рас Орды, орки явились в Азерот извне. Когда-то эти шаманские племена обитали на цветущем Дреноре, пока их мирный уклад не разрушил демонический повелитель Пылающего Легиона Кил’джеден.', 'template_game_race_tauren_info' => 'Миролюбивые таурены — или шу’хало, как они называют себя на своем языке, — издревле жили в Калимдоре. Это хранители равновесия в природе. Они следуют заповедям своей богини — Матери-Земли.', 'template_game_race_troll_info' => 'Яростные тролли Азерота славятся своей жестокостью, ненавистью ко всем другим расам и страстью к темному мистицизму.', 'template_game_race_forsaken_info' => 'После окончания Третьей войны хватка Короля-лича ослабла, и часть нежити смогла освободиться от тиранической власти своего хозяина.', 'template_game_races_title' => 'Расы World of Warcraft', 'template_game_race_racial_traits' => 'Расовые способности', 'template_game_race_classes' => 'Классы', 'template_game_race_classes_desc' => '%s доступны следующие классы:', 'template_game_race_more_desc' => 'Узнайте об этой расе подробнее на сайтах поклонников игры.', 'template_game_race_homecity' => 'Столица:', 'template_game_race_location' => 'Стартовая территория:', 'template_game_race_homecity_location' => 'Столица и стартовая территория:', 'template_game_race_mount' => 'Ездовое животное:', 'template_game_race_leader' => 'Предводитель:', 'template_game_welcome' => 'Добро пожаловать <br/>в раздел для начинающих игроков!', 'template_game_subwelcome' => 'Путь героя заведет вас в самые отдаленные уголки мира, полного  магии, тайн и приключений. Этот раздел создан, чтобы помочь вам сделать первые шаги по этой дороге.', 'template_game_guide_title' => 'Руководство по игре', 'template_game_beginners_guide_title' => 'Руководство для начинающих', 'template_game_guide_desc' => 'Наше руководство для начинающих расскажет обо всем, что нужно знать герою, едва ступившим на свою стезю.', 'template_game_race_title' => 'Расы', 'template_game_race_desc' => 'Узнайте историю игровых рас, прочитав также об их способностях и родине.', 'template_game_class_title' => 'Классы', 'template_game_class_desc' => 'Эти страницы посвящены игровым классам, их истории и особенностям игры.', 'template_game_patch_notes_title' => 'Описание обновлений', 'template_game_patch_notes_desc' => 'Узнайте, как менялась и развивалась игра от обновления к обновлению. Здесь же вы узнаете и о будущих изменениях.', 'template_game_lore_title' => 'История Warcraft', 'template_game_lore_desc' => 'Узнайте о правителях Азерота, о поворотных событиях истории и эпических сражениях.', 'template_game_updates' => 'Обновления на сайте', 'template_game_web_features' => 'Полезные приложения', 'template_game_arena_season_title' => 'Рейтинг 9-го сезона Арены', 'template_game_arena_season_desc' => 'Опубликован рейтинг 9-го сезона Арены!', 'template_game_realm_status_title' => 'Состояние игровых миров', 'template_game_realm_status_desc' => 'Следите за состоянием игровых миров World of Warcraft в режиме реального времени.', 'template_game_armory_title' => 'Ищете Оружейную?', 'template_game_armory_desc' => 'Новая Оружейная теперь интегрирована в сайт сообщества World of Warcraft.', 'template_game_learn_more' => 'Подробнее', 'template_game_wowhead_title' => 'Wowhead', 'template_game_wowhead_desc' => 'Обширная база данных Wowhead поможет вам в поиске предметов, заданий, НПС и многого другого!', 'template_game_wowpedia_title' => 'Wowpedia', 'template_game_wowpedia_desc' => 'Wowpedia представляет собой подробную энциклопедию мира Warcraft.', 'template_game_dungeons_and_raids' => 'Подземелья и рейды', 'template_game_factions' => 'Фракции', 'template_game_primary_professions' => 'Основная', 'template_game_secondary_professions' => 'Второстепенная', 'template_game_lore' => 'История', 'template_game_lore_story' => 'Рассказы', 'template_game_lore_leaders' => 'Рассказы о правителях', 'template_game_expansion_3' => 'Cataclysm', 'template_game_expansion_2' => 'Wrath of the Lich King', 'template_game_expansion_1' => 'The Burning Crusade', 'template_game_expansion_0' => 'Классика', 'template_menu_game_guide_what_is_wow' => 'Что такое World of Warcraft', 'template_menu_game_guide_getting_started' => 'Глава I Начало игры', 'template_menu_game_guide_how_to_play' => 'Глава II Как играть', 'template_menu_game_guide_playing_together' => 'Глава III Другие игроки', 'template_menu_game_guide_late_game' => 'Глава IV Игра персонажем высокого уровня', 'template_menu_game_chapter_what-is-wow' => '<em class="chapter-mark">Что такое</em>World of Warcraft', 'template_menu_game_chapter_getting-started' => '<em class="chapter-mark">Глава I</em>Начало игры', 'template_menu_game_chapter_how-to-play' => '<em class="chapter-mark">Глава II</em>Как играть', 'template_menu_game_chapter_playing-together' => '<em class="chapter-mark">Глава III</em>Другие игроки', 'template_menu_game_chapter_late-game' => '<em class="chapter-mark">Глава IV</em>Игра персонажем высокого уровня', 'template_guide_title' => 'World of Warcraft</a><em>Руководство для начинающих</em>', 'template_guide_what_is_wow_title' => '<h4>Что такое <br/>World of Warcraft</h4>', 'template_guide_what_is_wow_intro' => '<p>Что такое World of Warcraft? Это онлайн-игра, где люди со всего земного шара исследуют таинственный мир, наполненный волшебством и невероятными приключениями. Это мир, где каждый может стать героем. Хотите больше информации? Разобраться в World of Warcraft вам поможет эта страница и краткое пособие для начинающих.</p><p>Так что же это за игра? Кроме всего прочего,<br/>World of Warcraft - это…</p>', 'template_guide_what_is_wow_part1_title' => '…глобальная многопользовательская ролевая онлайн-игра', 'template_guide_what_is_wow_part1_subdesc' => '<p>World of Warcraft и другие игры того же жанра обычно относят к MMORPG,то есть к глобальным многопользовательским ролевым онлайн-играм’.</p>', 'template_guide_what_is_wow_multiplayer_subtitle' => 'Глобальный многопользовательский режим', 'template_guide_what_is_wow_multiplayer_desc' => '<p>Большинство онлайн-игр поддерживает участие от двух до нескольких десятков пользователей, одновременно находящихся в игровом мире. Но возможности глобальных онлайн-игр намного шире: в таких проектах тысячи игроков постоянно взаимодействуют друг с другом. Именно поэтому такие игры и называются глобальными.</p>', 'template_guide_what_is_wow_online_subtitle' => 'Онлайн', 'template_guide_what_is_wow_online_desc' => '<p>В отличие от обычных игр, у MMORPG нет режима одиночного прохождения вне сети. Во время игры вы должны быть подключены к сети Интернет. Это отнюдь не означает, что вы не сможете играть сами по себе: World of Warcraft предоставляет множество вариантов для прохождения игры в одиночку. Но в виртуальном мире есть и другие искатели приключений, и если вы хотите разделить с ними удовольствие от игры, необходимо подключение к сети Интернет. Основная часть игры ориентирована на группы игроков, которые совместно исследуют опасные подземелья и побеждают могущественных чудовищ, помогая друг другу.</p>', 'template_guide_what_is_wow_role-playing_subtitle' => 'Ролевая составляющая', 'template_guide_what_is_wow_role-playing_desc' => '<p>В World of Warcraft у каждого персонажа есть уникальный набор навыков и способностей, которые определяют его роль. Например, маги – сильные заклинатели, которые используют сверхъестественные силы для атаки врага с расстояния, но в ближнем бою они крайне уязвимы. Эти особенности и определяют стратегию мага: держаться на расстоянии, наносить максимальный урон и надеяться убить монстров, пока они не добрались до него.</p><p>Если рассматривать группу игроков, то в отряде есть три главные роли: «танк», боец и целитель. Воин может быть отличным «танком», иначе говоря, защитником. «Танки» очень выносливы и могут поглотить большое количество урона, а их основная задача – отвлекать внимание врага от более уязвимых членов отряда. Маги, которые уже упоминались выше, – персонажи, которые наносят большое количество урона. Жрецы, чье призвание – исцелять страждущих, не могут наносить значительные повреждения, по сравнению с другими классами, но их роль трудно переоценить, ведь они помогают соратникам выжить, используя свои познания в целительстве. Важно отметить, что персонажи всех классов, независимо от индивидуальных особенностей, могут играть в одиночку. Некоторые классы могут играть только определенную роль, например чернокнижники и разбойники – это персонажи, наносящие большой урон. А некоторые классы персонажей, например друиды, могут успешно совмещать все три роли.</p><p>Термин «ролевая игра» также означает, что вы играете роль персонажа, живущего в фэнтезийном мире. Насколько глубоко вы сроднитесь с персонажем – это ваше личное дело: некоторые люди придумывают привычки, манеры и целые биографии своим игровым двойникам. Погружение в виртуальный мир с головой может доставить море удовольствия, однако выбор за вами – возможно, такой стиль игры просто вам не подходит. Подобная ролевая составляющая является добровольной, однако мы предоставляем отдельные ролевые миры тем, кто предпочитает играть с полным погружением в мир.</p>', 'template_guide_what_is_wow_part1_subdesc2' => '<p>Подводя итог: в MMORPG вы играете роль уникального персонажа, постоянно живущего в виртуальном мире наряду с тысячами других игроков.</p>', 'template_guide_what_is_wow_part2_title' => '… игра в фэнтези-вселенной Warcraft', 'template_guide_what_is_wow_part2_subdesc' => '<p>Перед World of Warcraft была выпущена серия стратегических игр Warcraft. Мир World of Warcraft создан в той же фэнтези-вселенной, что и предыдущие игры Warcraft, и теперь он открывает все новые грани более чем пятнадцатилетнего повествования своей эпической истории.</p><p>Азерот – это мир меча и магии. Его земли – родина для огромного числа рас и культур, во главе которых стоят короли, вожди, лорды, леди, верховные друиды и многие-многие другие. Некоторые народы Азерота связывают узы дружбы длиной в тысячи лет. Другие обременены враждой и долгой историей взаимной ненависти. Два огромных союза сошлись в борьбе за господство среди всех этих королевств, культур, племен и независимых территорий.</p>', 'template_guide_what_is_wow_part2_factions' => 'ФРАКЦИИ И РАСЫ WARCRAFT:', 'template_guide_what_is_wow_factions' => 'Альянс и Орда', 'template_guide_what_is_wow_alliance' => '<p>В Warcraft друг другу противостоят две фракции. С одной стороны – благородный Альянс, который объединил отважных людей, доблестных дворфов, изобретательных гномов, возвышенных ночных эльфов, мистических дренеев и жестоких воргенов.</p>', 'template_guide_what_is_wow_horde' => '<p>С другой стороны – могущественная Орда, состоящая из закаленных в сражениях орков, коварных троллей, громадных тауренов, восставших из мертвых Отрекшихся, экстравагантных эльфов крови и лживых гоблинов. Выбор расы персонажа определит, на чьей стороне вы будете сражаться, так что выбирайте с умом.</p>', 'template_guide_what_is_wow_factions_desc' => '<p>Самые кровавые войны между расами смертных блекнут на фоне противостояния с чудовищными силами, которые угрожают Азероту изнутри и извне. Глубоко под поверхностью Азерота безжалостные Древние Боги втайне управляют неисчислимыми легионами ужаса и готовы обрушить их на мир. В навеки застывших водах северного континента существо, сотканное из чистого зла, ведет за собой огромную армию неупокоенных, готовую уничтожить все живое на своем пути. А далеко среди звезд, в недосягаемых глубинах пространства, в Круговерти Пустоты, неумолимые силы хаоса и разрушения жаждут явить в Азерот Пылающий Легион и предать мир огню.</p><p>World of Warcraft отправляет вас в удивительную вселенную, и только от ваших решений зависит ее судьба. Вы и ваши друзья станете полноценными участниками невероятных событий, каждое из которых – яркая нить в узоре этого мира. Сражайтесь за Альянс или Орду и покоряйте World of Warcraft!</p>', 'template_guide_what_is_wow_part3_title' => '…мир, построенный на жизни сетевых персонажей', 'template_guide_what_is_wow_part3_subdesc' => '<p>В World of Warcraft вы играете роль героя фэнтезийного мира. В течение своей жизни ваш персонаж пройдет тысячи испытаний, получит новые умения, накопит (и потратит) горы золота. Вы найдете огромное количество разнообразного оружия, волшебных колец, артефактов, доспехов и многого другого.</p><p>Другими словами, ваш персонаж развивается и становится сильнее с приобретением опыта, новых навыков, лучших предметов и снаряжения. Параметры развития персонажа автоматически сохраняются, а это означает, что вы всегда сможете продолжить игру с того момента, где остановились. Фактически, данные вашего персонажа могут храниться вечно. Таким образом, его можно развивать с любой удобной вам скоростью. Некоторые игроки стараются пробежать через всю игру и как можно быстрее добраться до ее конца, в то время как другие предпочитают прогуливаться не спеша, отдавая должное всем красотам этого мира. Как действовать – только ваш выбор.</p><p>Между прочим, вы не ограничены только одним персонажем. Можно создать нескольких персонажей (на данный момент до 50). Каждый из них подарит вам уникальный игровой опыт в зависимости от своей расы и класса.</p>', 'template_guide_what_is_wow_part3_classesraces' => 'РАСЫ И КЛАССЫ', 'template_guide_what_is_wow_part3_subtitle' => 'выбор персонажа', 'template_guide_what_is_wow_part3_subdesc2' => '<p>При создании персонажа вы должны принять два решения, которые серьезно повлияют на игру в World of Warcraft. Первое – выбор расы, второе – класс персонажа.</p><p>Раса персонажа определяет его внешний вид, а также его фракцию (Альянс или Орда). Фракция чрезвычайно важна, потому что только персонажи одной и той же фракции могут говорить и взаимодействовать друг с другом. Вы не сможете общаться или объединиться с членами противоположной фракции. Выбор расы – это социальный выбор.</p><p>С другой стороны, класс персонажа определяет его способности. Стили игры каждым классом сильно разнятся. Лучший способ выбрать наиболее подходящий класс – создать нескольких пробных персонажей и посмотреть на их поведение в игре. Естественно, на этом сайте есть руководство по игре за каждый класс. Выбор класса – это игровой выбор.</p>', 'template_guide_what_is_wow_part4_title' => '…таинственный мир магии и бесконечных приключений', 'template_guide_what_is_wow_part4_subdesc' => '<p>Быть героем – отлично звучит в теории, но что стоит за славой, удачей, улыбками и балладами, прославляющими ваши подвиги в каждом городе и у каждого походного костра? Что же на самом деле делают герои?</p><p>По существу, большая часть игры World of Warcraft сводится к борьбе с монстрами и выполнению заданий. Вы столкнетесь с тысячами неигровых персонажей (NPC), которыми управляет компьютер. Им может понадобиться ваша помощь как в самых обыденных делах (доставка письма), так и для действительно героических поступков (спасение дворфийской принцессы из лап клана Черного Железа). Выполняя эти просьбы, вы столкнетесь с опасными чудовищами и должны будете победить их. Вы сможете самостоятельно вступить в бой и одолеть большинство чудовищ, но по-настоящему серьезные противники и большие награды ждут своих героев в подземельях и рейдовых зонах, разбросанных по всему миру. Лишь отряду смельчаков, сражающихся плечом к плечу, под силу победить и остаться в живых.</p><p>Другой немаловажной частью жизни настоящего героя является постоянное противостояние Альянса и Орды. В данный момент масштабная война не идет, однако обстановка на границах достаточно напряженная и небольшие стычки между игроками постоянно происходят по всему Азероту. Это называют сражением «Игрок против игрока» или PvP.</p>', 'template_guide_what_is_wow_dungeons' => 'Подземелья', 'template_guide_what_is_wow_dungeons_desc' => '<p>Подземелья – это опасные места, где чудовища намного сильнее и хитрее, а убить их значительно труднее. Подземелья предназначены для прохождения небольшими группами, не более чем в 5 человек. Среднее время их исследования составляет около получаса. Добыча, которую можно найти в подземельях, гораздо привлекательнее добычи из обычных территорий. Впрочем, и она, как правило, уступает добыче, которую можно получить в рейде.</p>', 'template_guide_what_is_wow_raids' => 'Рейды', 'template_guide_what_is_wow_raids_desc' => '<p>Рейды похожи на исследования подземелий, но там вас ждут еще более серьезные испытания. Чудовища еще сильнее, область, которую необходимо исследовать, намного больше, а чтобы все это преодолеть, требуется больше игроков, обычно 10 или 25. Из-за того что рейд куда более опасен, он может занять больше времени, чем исследование подземелья. Однако хорошая добыча стоит таких усилий! Самые могущественные артефакты и предметы вы найдете именно в рейдах.</p>', 'template_guide_what_is_wow_pvp' => 'PvP под открытым небом', 'template_guide_what_is_wow_pvp_desc' => '<p>В PvP-мирах сражение может состояться в любом месте, где встречаются игроки из противоборствующих фракций. Обычно эти сражения начинаются как обычная дуэль, но иногда количество участников растет в геометрической прогрессии. Например, если организованная группа игроков решает вклиниться в драку.</p>', 'template_guide_what_is_wow_bg' => 'Поля боя', 'template_guide_what_is_wow_bg_desc' => '<p>Поля боя – это области, где PvP не останавливается ни на минуту и обе фракции постоянно сражаются за контроль над особыми стратегическими точками. Две команды бьются друг с другом, и для победы они должны выполнить ряд целей. Эти цели могут быть простыми (захват вражеского флага) или сложными (прорыв во вражескую цитадель и убийство ее командующего). Принимая участие в битвах, вы можете получить мощное оружие и крепкую броню.</p>', 'template_guide_what_is_wow_arena' => 'Арена', 'template_guide_what_is_wow_arena_desc' => '<p>Особенности PvP на Арене немного другие. В этом режиме, где все подчинено формальным правилам, команды из 2, 3 или 5 игроков сражаются за честь и славу. Цель здесь одна – убить всех противников. Команды, выступающие на арене, оцениваются по рейтингу и могут получить уникальное снаряжение, созданное специально для PvP.</p>', 'template_guide_what_is_wow_part5_title' => 'Дорога у ваших ног', 'template_guide_what_is_wow_part5_subdesc' => '<p>World of Warcraft – это действительно глобальный проект. Оригинальная игра, постоянные обновления, три полноценных дополнения: The Burning Crusade, Wrath of the Lich King и Cataclysm. Все это – сотни и сотни часов захватывающих приключений! Мы очень кратко изложили основные принципы игры, и это лишь капля в бескрайнем океане, имя которому World of Warcraft!</p>', 'template_guide_getting_started_title' => '<h4>Глава I<br />Начало игры</h4>', 'template_guide_getting_started_intro' => '<p>Этот раздел подготовит вас к первым шагам в World of Warcraft — мире, полном загадок и приключений. Вы узнаете все необходимое для того, чтобы погрузиться в игру: от принципов создания персонажа до особенностей выбора класса.</p><p>Ваш персонаж представляет вас в World of Warcraft. Конечно, вы не ограничены единственным персонажем: при желании можно создать несколько десятков персонажей, которые позволят попробовать особенности разных сочетаний рас и классов. Многие игроки называют наиболее используемого персонажа «основным» (main), а других — «дополнительными» (alts). Зачем же создавать больше одного персонажа? Игра за разные классы — это разные впечатления, поэтому эксперименты могут быть очень любопытными.</p>', 'template_guide_getting_started_step1_title' => 'Шаг 1: выбираем мир', 'template_guide_getting_started_step1_info' => '<p>В World of Warcraft играют несколько миллионов игроков. Если бы все они одновременно пребывали в одном игровом пространстве, оно оказалось бы излишне многолюдным (а кроме того, компьютеры, на которых обрабатывается это пространство, объединились бы в профсоюз и начали забастовку). Население World of Warcraft разделено на несколько миров — это позволяет избежать проблем с обработкой данных и обеспечивает максимум удовольствия от игры. Все миры являются точными копиями друг друга, но каждый игрок может взаимодействовать лишь с другими игроками своего мира*. Представьте себе каждый из этих миров как параллельную вселенную, которая является домом для многих тысяч персонажей, принадлежащих игрокам.</p>', 'template_guide_getting_started_step1_subdesc' => '<p>Существуют миры четырех типов, которые различаются стилем игры.</p>', 'template_guide_getting_started_step1_realms' => '                        <li>
                            <span>Normal<em>Player Versus Enemies - «игрок против врагов»</em></span>                        
                            Обычный игровой мир. Отыгрывание роли необязательно, все бои между игроками должны быть согласованы.
                        </li>
                        <li>
                            <span>PvP<em>Player Versus Player - «игрок против игрока»</em></span>                        
                            Мир для игроков, ищущих соперничества. Отыгрывание роли по-прежнему необязательно, но игроки противоборствующей фракции могут напасть на вас почти всегда и везде. Не теряйте бдительности.
                        </li>
                        <li>
                            <span>Normal-RP<em>Player Versus Enemies – Role Playing - «игрок против врагов», ролевая игра</em></span>                        
                            В этом мире отыгрывание роли практически обязательно, но бои между игроками должны быть одобрены обеими сторонами.
                        </li>
                        <li>
                            <span>PvP-RP<em>Player Versus Player – Role Playing - «игрок против игрока», ролевая игра</em></span>                        
                            Подобно обычному миру PvP, здесь всегда разрешены бои между представителями разных фракций, а ролевая игра является нормой.
                        </li>', 'template_guide_getting_started_step1_recruit' => 'Приглашайте друзей', 'template_guide_getting_started_step1_recruit_info' => '<p>Если вы собираетесь поиграть с другом, убедитесь, что создаете персонажей в одном мире, иначе попутешествовать вместе вам не удастся. Система «Пригласи друга» предоставляет ценные бонусы в игре друзьям и членам семьи, действующим вместе. Чтобы больше узнать об этой системе, посетите страничку «Пригласи друга».</a></p>', 'template_guide_getting_started_step1_char_interface' => 'Интерфейс создания персонажа', 'template_guide_getting_started_step1_race' => 'Выбор расы', 'template_guide_getting_started_step1_gender' => 'Выбор пола', 'template_guide_getting_started_step1_class' => 'Выбор класса', 'template_guide_getting_started_step1_custom' => 'Изменение внешнего вида', 'template_guide_getting_started_step1_trans' => 'Трансформация', 'template_guide_getting_started_step1_name' => 'Выбор имени', 'template_guide_getting_started_step1_racedesc' => 'Описание расы', 'template_guide_getting_started_step1_classdesc' => 'Описание класса', 'template_guide_getting_started_step2_title' => 'Шаг 2: выбираем расу', 'template_guide_getting_started_step2_info' => '<p>В оригинальном World of Warcraft было представлено восемь рас, но с выходом дополнений их количество достигло двенадцати. Раса персонажа определяет его общий облик, дает особые преимущества в виде расовых способностейэтой расы, а также привязывает его к одной из двух фракций: Альянсу или Орде.</p><p>Выбор фракции очень важен, так как общаться между собой могут только представители одной фракции. Так, например, если вы создадите ночного эльфа, ваш персонаж сможет общаться и играть совместно только с другими персонажами Альянса этого мира. Таурен, напротив, сможет общаться в этом мире только с другими персонажами Орды.</p>', 'template_guide_getting_started_step2_alliance' => 'Расы Альянса', 'template_guide_getting_started_step2_worgen' => 'Ворген', 'template_guide_getting_started_step2_draenei' => 'Дреней', 'template_guide_getting_started_step2_dwarf' => 'Дворф', 'template_guide_getting_started_step2_gnome' => 'Гном', 'template_guide_getting_started_step2_human' => 'Человек', 'template_guide_getting_started_step2_nightelf' => 'Ночной эльф', 'template_guide_getting_started_step2_horde' => 'Расы Орды', 'template_guide_getting_started_step2_goblin' => 'Гоблин', 'template_guide_getting_started_step2_blodelf' => 'Эльф крови', 'template_guide_getting_started_step2_orc' => 'Орк', 'template_guide_getting_started_step2_tauren' => 'Таурен', 'template_guide_getting_started_step2_troll' => 'Тролль', 'template_guide_getting_started_step2_forsaken' => 'Отрекшийся', 'template_guide_getting_started_step2_more' => 'Подробнее о расах', 'template_guide_getting_started_step3_title' => 'Шаг 3: выбираем класс', 'template_guide_getting_started_step3_info' => '<p>Выбор фракции и расы — это социальный выбор. От него зависит внешний вид вашего героя и особенности его взаимодействия с другими персонажами. Выбор же класса влияет на стиль игры: от него зависят умения героя и ваши ощущения от проекта в целом.</p><p>Не все классы доступны для каждой расы: например, дворф не может быть друидом. В целом класс оказывает наиболее заметное влияние на ваши ощущения от игры в World of Warcraft, поэтому если нужно выбирать между конкретной расой и конкретным классом, выбирайте класс.</p><p>Некоторые из классов отлично подходят для какой-то конкретной роли, другие хорошо выступают сразу в нескольких. Например, хорошим представителем целителей в чистом виде являются жрецы (правда, жрецы тени являются исключением), а вот друиды — пример смешанного класса: они могут легко выполнять роль и танка, и целителя, и бойца.</p>', 'template_guide_getting_started_step3_subtitle' => 'Классы World of Warcraft', 'template_guide_getting_started_step3_warrior' => 'Воин', 'template_guide_getting_started_step3_paladin' => 'Паладин', 'template_guide_getting_started_step3_hunter' => 'Охотник', 'template_guide_getting_started_step3_rogue' => 'Разбойник', 'template_guide_getting_started_step3_priest' => 'Жрец', 'template_guide_getting_started_step3_deathknight' => 'Рыцарь смерти', 'template_guide_getting_started_step3_shaman' => 'Шаман', 'template_guide_getting_started_step3_mage' => 'Маг', 'template_guide_getting_started_step3_warlock' => 'Чернокнижник', 'template_guide_getting_started_step3_druid' => 'Друид', 'template_guide_getting_started_step3_more' => 'Классы World of Warcraft', 'template_guide_getting_started_step3_class' => 'Основные классовые роли', 'template_guide_getting_started_step3_tanks' => '«Танки»', 'template_guide_getting_started_step3_tanks_desc' => '<p>«Танки» сражаются, стараясь продержаться дольше противника. Они стойкие и выносливые персонажи, способные выдерживать серьезный урон. В группе задача «танка» — заставить противника атаковать себя, а не более уязвимого члена группы.</p>', 'template_guide_getting_started_step3_healers' => 'Целители', 'template_guide_getting_started_step3_healers_desc' => '<p>В арсенале целителей есть заклинания и умения, позволяющие им быстро восстанавливать собственное здоровье и здоровье других членов отряда. Они играют важнейшую роль в отряде, поскольку без их поддержки даже несокрушимые «танки» не продержатся достаточно долго, чтобы боец мог закончить свое дело.</p>', 'template_guide_getting_started_step3_damage' => 'Бойцы', 'template_guide_getting_started_step3_damage_desc' => '<p>Бойцы умеют быстро наносить противнику огромный урон. Если «танки» — это марафонцы, то бойцы спринтеры, старающиеся победить врага максимально быстро, избегая при этом встречных ударов.</p>', 'template_guide_getting_started_step4_title' => 'Шаг 4: внешний вид тоже важен!', 'template_guide_getting_started_step4_info' => '<p>Выбрав расу и класс, можно изменить внешний вид персонажа. Выберите пол персонажа. Различия между мужчиной и женщиной в World of Warcraft носят чисто эстетический характер, так как полы полностью равноправны.</p><p>У каждой из рас есть особые внешние черты, которые можно менять: серьги, татуировки, прически и так далее. Так, скажем, для гнома можно выбрать один из нескольких сложных способов плетения бороды, а для таурена — рога различной формы и длины. Если вы спешите, можно воспользоваться кнопкой для создания нескольких случайных сочетаний черт, пока вы не выберете то, что вам понравится. Вы также можете задать все параметры самостоятельно.</p><p>Наконец вам нужно дать персонажу имя. Не забывайте, что имя должно быть приличным: следуйте правилам этикета и выбирайте достойные имена. Некоторые имена могут оказаться заняты другими игроками, так что экспериментируйте с вариантами, пока не найдете подходящий.</p>', 'template_guide_getting_started_step5_title' => 'Шаг 5: добро пожаловать в World of Warcraft!', 'template_guide_getting_started_step5_info' => '<p>Поздравляем! Вы создали своего первого персонажа! Проверьте все принятые решения. Если вас все устраивает, нажмите кнопку, чтобы шагнуть в мир могучих героев и увлекательных приключений. Ваше путешествие начинается…</p>', 'template_guide_how_to_play_title' => '<h4>Глава II<br />Как играть</h4>', 'template_guide_how_to_play_intro' => '<p>World of Warcraft следует основному правилу создания игр Blizzard Entertainment: легко научиться, сложно стать мастером. Основные элементы игрового процесса просты и интуитивно понятны: освоив азы, вы сразу начнете убивать чудовищ и спасать принцесс. Чтобы вам было проще втянуться, мы кратко расскажем о World of Warcraft.</p>', 'template_guide_how_to_play_ui' => 'Интерфейс пользователя', 'template_guide_how_to_play_uidesc' => '<p>Именно этот интерфейс пользователя вы будете видеть большую часть времени, играя в World of Warcraft. </p>', 'template_guide_how_to_play_ui_subtitle' => 'Интерфейс пользователя', 'template_guide_how_to_play_ui_charportrait' => 'Портрет персонажа', 'template_guide_how_to_play_ui_charhealth' => 'Здоровье персонажа', 'template_guide_how_to_play_ui_charresource' => 'Ресурс (например: мана, энергия)</span>', 'template_guide_how_to_play_ui_targethealth' => 'Здоровье вашей цели', 'template_guide_how_to_play_ui_targetresource' => 'Ресурс вашей цели', 'template_guide_how_to_play_ui_targetportrait' => 'Портрет вашей цели', 'template_guide_how_to_play_ui_map' => 'Мини-карта', 'template_guide_how_to_play_ui_special' => 'Особое действие', 'template_guide_how_to_play_ui_bar' => 'Панель действий', 'template_guide_how_to_play_ui_menu' => 'Меню', 'template_guide_how_to_play_ui_inv' => '«Горячие» клавиши для вызова инвентаря', 'template_guide_how_to_play_ui_tip' => 'Всплывающие подсказки', 'template_guide_how_to_play_abilities_title' => 'Способности вашего персонажа', 'template_guide_how_to_play_abilities_info' => '<p>В World of Warcraft вы можете стать могучим паладином, в праведном гневе громящим зло; хитрым разбойником, который подкрадывается к ничего не подозревающему противнику с кинжалом в руке, чтобы нанести внезапный удар; блистательным магом, уничтожающим полчища врагов потоками разрушительной энергии; быть может, даже злобным рыцарем смерти, непревзойденным в фехтовании и искусстве некромантии. Какой бы класс вы ни выбрали, главное – его способности.</p><p>Новый персонаж начинает игру с несколькими способностями своего класса, но по мере развития он раскроет многие другие. Каждому классу доступны собственные уникальные способности, помогающие определить его роль в игре и меняющие ваши ощущения от игры.</p>', 'template_guide_how_to_play_abilities_subtitle' => 'Использование способностей', 'template_guide_how_to_play_abilities_desc' => '<p>Чтобы хорошо играть за своего персонажа, нужно понимать, когда использовать классовые способности. На это влияют два фактора: количество затрачиваемого ресурса и время восстановления способности.</p><p>У каждого класса есть собственный ресурс, который расходуется при применении способности. Например, воины питают свои способности яростью, которая копится при нанесении и получении урона. Разбойники используют свои хитрости, не опираясь на ярость. Напротив, они тратят энергию, которая восстанавливается самостоятельно. Тем не менее это ограничивает частоту использования ими боевых приемов. Для произнесения заклинаний жрецам нужна мана. В бою она восстанавливается медленно, так что жрецам приходится следить за тем, насколько быстро они расходуют свои запасы.</p><p>Если у способности есть время восстановления, то оно должно пройти, прежде чем персонаж сможет повторно использовать способность. Время восстановления может составлять от нескольких секунд до получаса. Способности с большим временем восстановления обычно чрезвычайно мощны. Если использовать их в нужный момент, эффект будет поистине ошеломляющим.</p>', 'template_guide_how_to_play_talents_title' => 'Таланты и символы', 'template_guide_how_to_play_talents_info' => '<p>Класс персонажа определяет способности, которые он может использовать, однако World of Warcraft дает вам два способа создать персонажа с уникальными особенностями.</p><p>Становясь сильнее, персонаж зарабатывает очки таланта, которые можно тратить на развитие талантов, позволяющих персонажу специализироваться в каких-то умениях: например, маги могут выбрать направление, усиливающее их заклинания школы огня, льда или тайной магии.</p><p>Символы — другой способ улучшения способностей. Персонаж может выучить и использовать символы (создаваемые другими персонажами, владеющими профессией начертания), чтобы усилить свои способности или даже добавить к ним новые эффекты. Персонаж одновременно может пользоваться лишь определенным количеством символов, так что делайте выбор внимательно.</p>', 'template_guide_how_to_play_quests_title' => 'Задания', 'template_guide_how_to_play_quests_info' => '<p>Быть героем — значит совершать подвиги. В Азероте для этого открываются целые просторы. Безумные божества, яростные драконы, демонические злодеи, пришедшие со звезд… Мир постоянно находится в опасности, и только вы и ваши друзья могут уберечь его от этих темных, разрушительных сил. Ваша роль в игре — быть героем, поэтому вам предстоит выполнять разные задания: узнавать, где правда, а где ложь; защищать слабых и карать виноватых; делать мир лучше и безопаснее.</p><p>В World of Warcraft есть несколько способов получить задания.</p>', 'template_guide_how_to_play_quests_givers' => 'Персонажи', 'template_guide_how_to_play_quests_giversdesc' => 'У некоторых неигровых персонажей (НИП) для вас есть задания. Такого персонажа легко заметить —над его головой большой восклицательный знак («!»). .', 'template_guide_how_to_play_quests_items' => 'Предметы', 'template_guide_how_to_play_quests_itemsdesc' => 'Иногда вам будут попадаться предметы, с которых начинается приключение: набросанная впопыхах записка, найденная среди вещей какого-нибудь проходимца, или древний амулет, извлеченный из останков ядовитого слизнюка. У таких предметов есть своя история, с которой начинается интересное задание.', 'template_guide_how_to_play_quests_objects' => 'Объекты', 'template_guide_how_to_play_quests_objectsdesc' => 'Во время путешествий вам также могут встретиться особые объекты, с которых начинаются задания. Высматривайте необычные элементы ландшафта, плакаты «Разыскивается» или другие выделяющиеся детали. Приключение может ждать вас за ближайшим углом.', 'template_guide_how_to_play_quests_complete' => 'Выполнение заданий', 'template_guide_how_to_play_quests_completedesc' => 'Чтобы выполнить задание, нужно достичь определенной цели. Эта цель может быть как простой (скажем, поговорить с каким-то персонажем), так и сложной. Например, взобраться на крепостную стену, пробраться во внутренний двор, открыть ворота и опустить мост, зажечь сигнальный огонь и, наконец, схватить хозяина крепости.', 'template_guide_how_to_play_quests_subtitle' => 'Виды заданий', 'template_guide_how_to_play_quests_desc' => '<p>В World of Warcraft открывается настоящий простор для приключений: кроме всего прочего, вас ждут тысячи различных заданий. Каждое задание уникально, но все же их можно разделить на несколько категорий.</p>', 'template_guide_how_to_play_quests_normal' => 'Обычные задания', 'template_guide_how_to_play_quests_normal_desc' => 'Наиболее распространены. Если ваш персонаж обладает достаточным опытом, вы сможете выполнить такое задание самостоятельно, без помощи других игроков.', 'template_guide_how_to_play_quests_group' => 'Групповые задания', 'template_guide_how_to_play_quests_group_desc' => 'Групповые задания сложнее, так как требуют скоординированных действий целого отряда героев, но и награда за них обычно выше. Перед тем как взяться за такое задание, соберите друзей и подготовьтесь к бою.', 'template_guide_how_to_play_quests_dungeon' => 'Задания в подземельях', 'template_guide_how_to_play_quests_dungeon_desc' => 'Задания в подземельях заставят вас покинуть поверхность мира World of Warcraft и отправиться туда, где обитают жуткие и опасные чудовища. Чтобы выполнить такое задание, вам потребуются спутники.', 'template_guide_how_to_play_quests_heroic' => 'Задания в подземельях в героическом режиме', 'template_guide_how_to_play_quests_heroic_desc' => 'Задания в подземельях в героическом режиме подобны заданиям в подземельях, но теперь вы столкнетесь с куда более сильными и опасными врагами. Будьте готовы к тяжелому бою!', 'template_guide_how_to_play_quests_raid' => 'Рейды', 'template_guide_how_to_play_quests_raid_desc' => 'Рейды также напоминают задания в подземельях, но вам придется выдержать испытания в наиболее опасных уголках мира. Для выполнения такого задания требуется большой отряд (10-25 игроков).', 'template_guide_how_to_play_quests_pvp' => 'Задания «игрок против игрока» (PvP)', 'template_guide_how_to_play_quests_pvp_desc' => 'Задания «игрок против игрока» (PvP) столкнут вас на поле боя с другими игроками. Обретете ли вы славу, почет и память в веках или сдадитесь под яростными атаками врага? Есть только один способ узнать….', 'template_guide_how_to_play_quests_daily' => 'Ежедневные задания', 'template_guide_how_to_play_quests_daily_desc' => 'Ежедневные задания повторяются каждый день и обычно помогают пополнить запасы денег и других ценных ресурсов.', 'template_guide_how_to_play_inventory_title' => 'Инвентарь', 'template_guide_how_to_play_inventory_info' => '<p>У короля Артура был Экскалибур, у Роланда — Дюрандаль, у Ахилла — выкованные Гефестом доспехи. Вас также ждет волшебное оружие, броня и артефакты, обладающие огромной силой. Не стоит даже сомневаться в том, что вы столкнетесь с тысячами таких вещей: у чудовищ Азерота есть необъяснимая страсть носить с собой магические предметы, чтобы любой искатель приключений мог забрать их с остывающего тела. Но даже если у кобольда, которого вы только что отправили в мир иной, не нашлось при себе оружия или доспехов, он наверняка располагал хоть чем-то, что вы сможете продать. Вещи, которые вы носите с собой, называются инвентарем.</p>', 'template_guide_how_to_play_inventory_backpack' => 'Рюкзак и сумки', 'template_guide_how_to_play_inventory_backpackdesc' => 'Ваш персонаж начинает игру с обычным рюкзаком. Он вмещает лишь небольшое количество вещей, но это можно исправить, взяв с собой несколько дополнительных сумок.', 'template_guide_how_to_play_inventory_bank' => 'Банк', 'template_guide_how_to_play_inventory_bankdesc' => 'В каждом крупном городе World of Warcraft есть банк, в котором вы можете хранить свои вещи. Если у вас в рюкзаке и сумках кончается место, посетите банк и сдайте те вещи, которые вам не нужны прямо сейчас. Дополнительное преимущество в том, что банки связаны между собой при помощи магии, и вещи, сданные в один банк, можно забрать в другом!', 'template_guide_how_to_play_inventory_auction' => 'Аукционный дом', 'template_guide_how_to_play_inventory_auctiondesc' => 'Рядом с большинством банков можно найти аукционный дом. В аукционных домах игроки могут покупать и продавать предметы, некоторые игроки даже умеют превращать торги в надежный источник прибыли. Кто сказал, что ремесло героя не может приносить доход? Вы можете выставить свои предметы на аукцион, а можете изучить то, что выставляют другие. Если вы ищете конкретный предмет или обладаете не нужной вам, но ценной для других вещью, поспешите в аукционный дом.', 'template_guide_how_to_play_friends' => 'Как завоевывать друзей и оказывать влияние на людей', 'template_guide_how_to_play_friends_comment' => '(приносим глубочайшие извинения Дейлу Карнеги)', 'template_guide_how_to_play_friends_info' => '<p>Основой того, что делает World of Warcraft столь увлекательной игрой, является присутствие тысяч игроков в одном мире одновременно. Если захотите, вы можете пройти большинство испытаний в игре самостоятельно, но беседы с друзьями, создание отрядов, вступление в гильдии и, что наиболее важно, поиск новых друзей — самое главное, что позволяет извлечь максимум удовольствия из World of Warcraft.</p>', 'template_guide_how_to_play_friends_info2' => '<p>Все вышеперечисленное — лишь краткое описание богатых социальных возможностей, которые готов предложить World of Warcraft. В следующем разделе вы узнаете больше о чате, друзьях по функции «Настоящее имя», группах, гильдиях и многом другом.</p>', 'template_guide_how_to_play_friends_chat' => 'Чат', 'template_guide_how_to_play_friends_chatdesc' => 'В World of Warcraft используется развитая система чатов, позволяющая вам беседовать с другими игроками — как при помощи печатного текста, так и голосом. Удобный внутриигровой интерфейс поможет вам управлять каналами чата. Также можно создать частный канал, если вы хотите беседовать только со своими друзьями. Беседуя в общем или локальном каналах, вы можете задействовать максимальную аудиторию. Вступив в гильдию, вы получите доступ к отдельному каналу гильдии. Единственное ограничение для общения — вы не можете беседовать с членами противоположной фракции.', 'template_guide_how_to_play_friends_groups' => 'Группы', 'template_guide_how_to_play_friends_groupsdesc' => 'Рано или поздно вы захотите объединиться с другими игроками, чтобы выполнить сложное задание или отправиться в одно из многочисленных подземелий мира. Вы можете либо создать собственный отряд, пригласив других игроков, либо присоединиться к чужому отряду по приглашению, либо использовать инструмент «Поиск подземелий», чтобы автоматически присоединиться к отряду, отправляющемуся в определенное подземелье. Размер группы ограничен пятью игроками, но отряд для рейда может состоять даже из 40 игроков.', 'template_guide_how_to_play_friends_guilds' => 'Гильдии', 'template_guide_how_to_play_friends_guildsdesc' => 'Маленькие и большие группы — временные образования, они распадаются, когда все их члены выходят из игры. Гильдии, напротив, представляют собой постоянные и куда более крупные формирования игроков, объединенных под одним флагом, чтобы помогать друг другу и играть сообща. Вступление в гильдию несет определенную выгоду: вы получаете доступ к каналу для бесед гильдии, можете пользоваться общим банком гильдии, а сама гильдия может добиться весьма полезных достижений, пройдя определенные испытания. Вы можете либо попросить о включении вас в гильдию, либо основать ее вместе с друзьями.', 'template_guide_how_to_play_friends_friends' => 'Друзья', 'template_guide_how_to_play_friends_friendsdesc' => 'Беседуя, образовывая группы и отряды для рейдов, вступая в гильдии, играя вместе с другими пользователями, вы встретите отличных спутников, с которыми не хотели бы расставаться. Таких игроков стоит добавить в список друзей, позволяющий не терять наиболее ценных компаньонов и видеть, кто из них сейчас в сети и где они в World of Warcraft.', 'template_guide_playing_together_title' => '<h4>Глава III <br/>Другие игроки</h4>', 'template_guide_playing_together_intro' => '<p>В World of Warcraft взаимодействие с другими игроками не является обязательным. Развить персонажа до максимального уровня не так трудно и в одиночку. Для этого не обязательно взаимодействовать с другими игроками — можно вообще их не замечать. Однако играя в одиночку, вы не сможете пройти самые сложные испытания, будете дольше добираться до материалов, доступных только персонажам высокого уровня, а также не сумеете заполучить самые мощные волшебные сокровища. Что более важно, другим игрокам не посчастливится пообщаться с вами. В процессе игры вы столкнетесь с тысячами других людей, разделяющих с вами интересы, цели, симпатии и антипатии. Заговорите с ними — ведь завести новых друзей в World of Warcraft очень просто.</p><p>В этой главе вы познакомитесь с различными особенностями социальных отношений в World of Warcraft.</p>', 'template_guide_playing_together_chat_title' => 'Чат', 'template_guide_playing_together_chat_intro' => 'В повседневной жизни знакомиться с новыми людьми довольно трудно. Как себя представить? С чего лучше начать разговор? К счастью, общаться в World of Warcraft намного проще. Обычно игровое общение происходит посредством печатного текста. Вы увидите, как публичные разговоры других людей появляются и пропадают в окне чата. Включиться в дискуссию можно в любой момент: высказаться на уже имеющуюся тему или поднять новую.', 'template_guide_playing_together_chat_channels' => 'Каналы чата: фильтруем шум', 'template_guide_playing_together_chat_channels_sub' => 'В World of Warcraft существует простой, но весьма эффективный способ организации чата в виде каналов. Есть несколько стандартных общественных каналов, также вы можете создавать собственные. В World of Warcraft существует простой, но весьма эффективный способ организации чата в виде каналов. Есть несколько стандартных общественных каналов, также вы можете создавать собственные.<br/><br/>Вы также можете создавать собственные каналы чата. Очевидным преимуществом собственного канала является приватность — читать сообщения в нем могут только люди, получившие доступ к этому каналу. Также вы можете модерировать эти каналы — приглашать и выгонять участников, отнимать у них право слова и наводить порядок другими способами.', 'template_guide_playing_together_chat_voice' => 'Голосовой чат', 'template_guide_playing_together_chat_voice_sub' => 'Если вы не хотите набирать сообщения на клавиатуре, можно общаться с другими игроками при помощи встроенной в World of Warcraft системы голосового чата. Все, что вам потребуется — динамики и микрофон либо гарнитура. Говорить намного быстрее, чем печатать. В разгар боя у вас просто не будет времени, чтобы набирать сообщения.<br /><br/>Каналы голосового чата: общаться голосом можно только в специальных каналах, помеченных как каналы голосового чата. Группы и отряды для рейда могут пользоваться голосовым чатом, также он доступен в ваших собственных каналах, но общественные каналы голосовое общение не поддерживают. Также невозможно общаться голосом в пределах какой-то области.', 'template_guide_playing_together_chat_other' => 'Другие чаты', 'template_guide_playing_together_chat_other_desc' => 'Есть три способа высказаться в чате.', 'template_guide_playing_together_chat_say' => 'Сказать', 'template_guide_playing_together_chat_say_desc' => 'Сказать что-нибудь — основной способ связаться с кем-то в игре. Когда вы что-то говорите, сообщения видны только игрокам, находящимся очень близко к вашему персонажу. Разговоры между незнакомцами, отыгрывание роли в общественном месте, пересказ анекдота — вот для каких задач служит этот инструмент.', 'template_guide_playing_together_chat_yell' => 'Крикнуть', 'template_guide_playing_together_chat_yell_desc' => 'Крикнуть — способ донести информацию до игроков, не находящихся рядом с вами. Ваше сообщение прочтут даже те, кто находится на расстоянии. Многие считают крик грубостью, особенно если к нему прибегают слишком часто. Игроки часто выкрикивают предупреждения своим друзьям, которые могут их не услышать, так как находятся слишком далеко. И «сказать», и «крикнуть» — инструменты для общения в рамках какой-то территории, общения с игроками поблизости.', 'template_guide_playing_together_chat_whisp' => 'Шепнуть', 'template_guide_playing_together_chat_whisp_desc' => 'Шепнуть — инструмент для частного общения в World of Warcraft. Шепот слышен лишь тому, кому вы его адресовали. Более того, шепот не ограничен каким-либо расстоянием — вы можете общаться шепотом с любым игроком своей фракции в своем мире, где бы он ни находился (да, можно шептаться и с кем-то на другом континенте, но лучше не злоупотреблять этим).', 'template_guide_playing_together_groups_title' => 'Группы и отряды для рейда', 'template_guide_playing_together_groups_info' => 'Если вы хотите пройти величайшие из испытаний в World of Warcraft, вам потребуются спутники, которые будут вместе с вами сражаться с наступающей тьмой. Группы и отряды для рейда позволяют созвать других игроков для участия в выполнении задания или для борьбы со злом, вставшим у вас на пути.<br /><br/>Группа включает до 5 игроков. Только с их помощью вы сможете пройти большинство подземелий World of Warcraft. Рейд совершается большим отрядом, состоящим из 10-25 игроков: сильнейших чудовищ World of Warcraft можно одолеть только так.', 'template_guide_playing_together_groups_party' => 'Создание группы', 'template_guide_playing_together_groups_party_desc' => 'Вы можете создать собственную группу в любой момент и где угодно — для этого нужно лишь пригласить хотя бы одного игрока. Если он примет приглашение, получится группа. Вы можете приглашать других игроков через чат, через список друзей, либо щелкнув по их персонажу… Приглашать друзей и создавать группы просто.', 'template_guide_playing_together_groups_rules' => 'Правила группы', 'template_guide_playing_together_groups_rules_desc' => 'Одной из причин формирования группы является желание сразиться с более сильными чудовищами и заполучить сокровища, которые те охраняют. Конечно, сразу встает вопрос: как делить добычу? Лидер группы может выбрать одно из пяти правил раздела добычи.', 'template_guide_playing_together_groups_rules_ff' => 'Каждый за себя', 'template_guide_playing_together_groups_rules_ff_desc' => '<p>Каждый член команды может обыскивать тела убитых чудовищ. Правила просты: победитель получает все. Кто успел, тот и съел.</p>', 'template_guide_playing_together_groups_rules_rr' => 'По очереди', 'template_guide_playing_together_groups_rules_rr_desc' => '<p>Все члены группы получают доступ к добыче по очереди.</p>', 'template_guide_playing_together_groups_rules_gl' => 'Групповая очередь', 'template_guide_playing_together_groups_rules_gl_desc' => '<p>Почти как «по очереди», но с одним важным отличием. Если группа находит уникальный или редкий предмет, все члены группы бросают жребий, и предмет достается тому, кто при этом победит. Решив бросать жребий, вы можете указать, насколько для вас важен этот предмет — «нужно» (если предмет необходим вашему персонажу) или «не откажусь» (если вам хочется заполучить его по какой-то другой причине).</p>', 'template_guide_playing_together_groups_rules_ml' => 'Ответственный за добычу', 'template_guide_playing_together_groups_rules_ml_desc' => '<p>Лидер выбирает одного игрока, который будет делить добычу. Ответственный первым обыскивает тела чудовищ и отвечает за то, как добыча распределяется среди членов отряда.</p>', 'template_guide_playing_together_groups_rules_nbg' => 'Приоритет по нужности', 'template_guide_playing_together_groups_rules_nbg_desc' => '<p>Почти как «групповая очередь», но персонажи, не способные использовать предмет, автоматически пропускают свою очередь.</p>', 'template_guide_playing_together_groups_leader' => 'Лидер группы', 'template_guide_playing_together_groups_leader_desc' => 'Создав группу, вы автоматически становитесь ее лидером. Будучи лидером, вы можете менять правила в группе (подробности чуть позже), добавлять в нее новых игроков, а также исключать их, если это потребуется. Кроме того, в любой момент вы можете повысить другого члена группы до ее лидера. Это происходит автоматически, если лидер покидает группу.', 'template_guide_playing_together_guilds_title' => 'Гильдии', 'template_guide_playing_together_guilds_info' => 'Гильдии', 'template_guide_playing_together_guilds_tabart' => 'Гербовая накидка и название гильдии', 'template_guide_playing_together_guilds_tabart_desc' => 'Чтобы продемонстрировать свою преданность гильдии, ваш персонаж может носить гербовую накидку в цветах гильдии. За ее вид отвечает глава гильдии. С помощью большой цветовой палитры и выбора пиктограмм можно создать необычную накидку, которую с гордостью будут носить ваши друзья! Подавая хартию гильдии для регистрации, вам также нужно дать гильдии название. Название гильдии будут видеть все: оно отображается под именем каждого из ее членов, поэтому стоит его хорошенько обдумать.', 'template_guide_playing_together_guilds_leadership' => 'Управление<br />гильдией', 'template_guide_playing_together_guilds_leadership_desc' => 'Подобно группам и большим отрядам, гильдия имеет свои правила, которые ее глава может менять, определяя цель и структуру гильдии. Вот что доступно главе гильдии.</p>', 'template_guide_playing_together_guilds_ranks' => 'Определение званий в гильдии', 'template_guide_playing_together_guilds_ranks_desc' => '<p>В своей гильдии вы можете учредить различные звания с собственными титулами и привилегиями. Некоторые игроки предпочитают строгую иерархию, другим же хочется более свободной организации. Тут все зависит от вас.</p>    <span class="clear"><!-- --></span>', 'template_guide_playing_together_guilds_promote' => 'Повышение и понижение членов гильдии в звании', 'template_guide_playing_together_guilds_promote_desc' => '<p>В зависимости от того, как себя проявляет член гильдии, вы можете передвигать его вверх и вниз по иерархической лестнице, присваивая новое звание из заранее определенных.</p>    <span class="clear"><!-- --></span>', 'template_guide_playing_together_guilds_members' => 'Добавление и удаление игроков', 'template_guide_playing_together_guilds_members_desc' => '<p>Наверняка вы хотите, чтобы ваша гильдия росла, набирая новых членов, но может настать и тот день, когда вам придется удалять игроков, доставляющих гильдии одни неприятности. Глава гильдии может добавлять и удалять игроков когда угодно.</p>    <span class="clear"><!-- --></span>', 'template_guide_playing_together_guilds_leader' => 'Назначение нового главы гильдии', 'template_guide_playing_together_guilds_leader_desc' => '<p>Если вы сами хотите покинуть пост главы гильдии или товарищи требуют вашей отставки после какого-нибудь «несчастного случая», вы всегда можете передать эстафету новому лидеру, который получит всю власть и всю ответственность.</p>    <span class="clear"><!-- --></span>', 'template_guide_playing_together_guild_guildbank_title' => 'Банк гильдии', 'template_guide_playing_together_guild_guildbank_info' => 'Одним из преимуществ членства в гильдии является доступ к банку гильдии. Работает он так же, как личные банки каждого из персонажей, но доступ к нему имеют все члены гильдии, обладающие особой привилегией (это определяется главой гильдии). Еще один важный момент: вы можете помещать деньги на депозит в банк гильдии. Так члены гильдии помогают друг другу оплачивать счета за ремонт снаряжения и покрывать другие расходы, делясь ресурсами.', 'template_guide_playing_together_guild_guildchat_title' => 'Чат гильдии', 'template_guide_playing_together_guild_guildchat_info' => 'У каждой гильдии есть собственные каналы чата, позволяющие всем ее членам удобно друг с другом общаться. Два стандартных канала чата — «Канал гильдии» и «Канал офицеров». Глава гильдии может определить права доступа к ним, принимая во внимание звания ее членов. Канал гильдии используется для повседневного общения всеми ее членами, канал офицеров традиционно доступен только старшим членам гильдии.', 'template_guide_playing_together_guild_guildadvanced_title' => 'Развитие гильдии', 'template_guide_playing_together_guild_guildadvanced_info' => 'По мере того как в гильдии становится больше членов, играющих вместе, она набирает очки опыта и постепенно получает разные привилегии. Чем больше вы играете вместе с другими членами гильдии, тем больше опыта получает гильдия.', 'template_guide_playing_together_friends_title' => 'Друзья', 'template_guide_playing_together_friends_info' => 'В группах, рейдах и гильдиях вы обязательно повстречаете игроков, с которыми у вас окажутся общие интересы, симпатии и антипатии — игроков, с которыми приятно беседовать, даже не находясь в подземелье и не выполняя задание. В их компании часы пролетают незаметно: за шутками, байками и совместной игрой. Другими словами, вы найдете друзей. Именно приобретение новых друзей и совместные приключения делают World of Warcraft настолько увлекательной игрой.', 'template_guide_playing_together_friends_list' => 'Список друзей', 'template_guide_playing_together_friends_list_desc' => 'Все ваши друзья перечислены в списке друзей World of Warcraft. Если вы добавили игрока в друзья и хотите узнать его текущее местоположение и статус в сети, вам поможет это небольшое окно. С помощью списка друзей с ними легко беседовать и приглашать их в группы.', 'template_guide_playing_together_friends_realid' => 'Друзья по функции «Настоящее имя»', 'template_guide_playing_together_friends_realid_desc' => 'Перед выпуском StarCraft II: Wings of Liberty мы добавили к услуге Battle.net новую функцию – «Настоящее имя». Если описывать ее функциональность в двух словах, «Настоящее имя» позволяет держать связь между друзьями, даже если они играют в разные игры на Battle.net.<br/><br/>Например, один из ваших друзей играет в StarCraft II, а вы играете в World of Warcraft. Раньше вы не могли бы беседовать, но являясь друзьями с «Настоящим именем», вы всегда сможете найти друг друга и пообщаться. «Настоящее имя» — более глубокий уровень онлайн-дружбы, объединяющий игроков во всех играх Battle.net.', 'template_guide_playing_together_friends_realid_more' => 'Подробнее о «Настоящем имени»', 'template_guide_late_game_title' => '<h4>Глава IV <br/>Игра персонажем высокого уровня</h4>', 'template_guide_late_game_intro' => '<p>В World of Warcraft приключения ждут вас на каждом шагу. Вместе с друзьями вы пройдете через испытания ярче, чем в самых смелых мечтах, и станете героями, которых ждет Азерот.</p><p>В World of Warcraft приключения ждут вас на каждом шагу. Вместе с друзьями вы пройдете через испытания ярче, чем в самых смелых мечтах, и станете героями, которых ждет Азерот.</p>', 'template_guide_late_game_dungeons_finder' => 'Поиск подземелий', 'template_guide_late_game_dungeons_finder_desc' => 'Если вы собираетесь штурмовать подземелье, вы можете либо собрать друзей сами, либо использовать встроенную в игру систему «поиска подземелий» — автоматический подбор союзников. Вы задаете параметры, и система подбирает вам группу спутников. Если вас уже собралось несколько, с помощью поиска вы можете добрать недостающих. Пользоваться поиском подземелий особенно удобно, когда вы только начинаете играть и у вас еще не очень много друзей. Впрочем, на любом этапе игры это необыкновенно эффективный и простой инструмент. Поиск подземелий всегда к вашим услугам!', 'template_guide_late_game_dungeons_instance' => '«Инстансы»', 'template_guide_late_game_dungeons_instance_desc' => 'Как только вы переступаете порог подземелья, игра автоматически создает его отдельную копию — специально для вашего отряда. Считайте, что это персональное приключение, чтобы вам никто не мешал.', 'template_guide_late_game_dungeons_boss' => 'Элитные монстры и боссы', 'template_guide_late_game_dungeons_boss_desc' => 'Вы заметите, что монстры, обитающие в подземельях World of Warcraft, более опасны, чем их собратья на поверхности. Они наносят больше ущерба, лучше держат удар и владеют множеством полезных уловок. В общем, нервы они вам помотают. Оставайтесь хладнокровны, не теряйте рассудительности — и вы обязательно нащупаете их слабое место и приведете свой отряд к победе.', 'template_guide_late_game_dungeons_fire' => 'При пожаре', 'template_guide_late_game_dungeons_fire_desc' => 'Рано или поздно даже сильнейшие герои встречают достойного соперника и терпят поражение. Если погибают все участники группы, это, разумеется, отбрасывает вас назад; но это не конец света. Вы можете вернуться в подземелье и сделать новую попытку. Только осторожно: на месте некоторых более слабых монстров, которых вы уже истребили, могут появиться новые.', 'template_guide_late_game_dungeons_glitt' => 'Блеск сокровищ', 'template_guide_late_game_dungeons_glitt_desc' => 'Убить дракона и само по себе достижение, но куда приятнее покидать поле боя с драгоценной наградой в руках. Возможно, это будет лучшее оружие, часть прочного доспеха, магическая диковина… Сокровища, которые «падают» с убитых монстров, как правило, куда интереснее предметов, которые можно найти на поверхности. С боссов всегда «падают» разные ценности, так что иногда можно лишний раз вернуться в подземелье, которое вы уже прошли, и пройти его заново.', 'template_guide_late_game_dungeons' => 'Подземелья', 'template_guide_late_game_sungeons_sub' => 'В подземельях World of Warcraft скрываются самые опасные монстры, которые стерегут самые ценные сокровища. В подземелья чаще всего отправляются небольшой группой в 5 человек: это испытание, где требуется действовать командой. По мере продвижения в глубь подземелья вы встречаете и уничтожаете монстров. Самые сильные — «боссы» — ждут вас в глубине. Чтобы справиться с ними, отряд должен действовать предельно слаженно.', 'template_guide_late_game_raids' => 'Рейды', 'template_guide_late_game_raids_sub' => 'Подземелья для рейдов в World of Warcraft еще опаснее, чем обычные. По мере развития персонажа вы пройдете множество простых подземелий, но рейды — привилегия персонажей высокого уровня. Рейды различаются по сложности и предназначены для игроков разного уровня. Чтобы справиться с монстрами из рейдов, нужен большой отряд: десять, а то и двадцать пять игроков.', 'template_guide_late_game_raids_chalenge' => 'Последняя<br />ступень испытаний', 'template_guide_late_game_raids_chalenge_desc' => 'Высокоуровневые рейды (предназначенные для игроков высшего уровня) — лучшая проверка ваших навыков в World of Warcraft. Здесь очень важно не только уметь играть за свой класс, но и хорошо вписываться в команду. Чтобы уничтожить босса, требуется опыт, навык, слаженность и упорство. Рейдовые боссы — мастаки на коварные ловушки, так что будьте начеку!', 'template_guide_late_game_raids_exp' => 'Неповторимый опыт', 'template_guide_late_game_raids_exp_desc' => 'Странствуя по Азероту и за его пределами, вы окажетесь вовлечены в грандиозные события и сложные перипетии истории World of Warcraft. Вам предстоит, например, защищать королевство Штормград от внутренней угрозы или удерживать древнее зло в стенах цитадели титанов. Рейдовые подземелья — точки, где сходятся сюжетные линии и где та или иная запутанная история находит свое разрешение.', 'template_guide_late_game_raids_reward' => 'Лучшие награды', 'template_guide_late_game_raids_reward_desc' => 'Именно в рейдах вы добудете величайшие из сокровищ World of Warcraft: надежные волшебные доспехи, опаснейшее оружие и таинственные древние артефакты. Хотите получить их — готовьтесь к сражению с сильнейшими противниками в World of Warcraft. Носите свои трофеи с гордостью! Пусть все знают, как вы отважны!', 'template_guide_late_game_pvp' => 'Игрок против игрока', 'template_guide_late_game_pvp_sub' => 'Конфликт между Альянсом и Ордой не утихает, повсюду идут поединки между членами разных фракций. В любой момент вы также можете бросить вызов сопернику, чтобы сразиться за славу и богатства. Или просто для остроты ощущений.', 'template_guide_late_game_pvp_bg' => 'Поля боя', 'template_guide_late_game_pvp_bg_desc' => 'Поля боя позволяют упорядочить сражения между игроками. Две команды игроков встречаются на поле боя и выполняют задания, конечная цель которых — окончательная победа. Задания могут быть как простыми (захватить флаг врага и отнести его на свою базу), так и сложными (установить заряды, прорвать оборону противника и захватить охраняемый им артефакт). На каждом поле боя есть свои задания для отрядов разноц величины. На поле боя можно выйти в одиночку — тогда вы будете произвольно объединены в команду с другими игроками вашей фракции — или с готовым отрядом друзей (тогда вам нужно будет дождаться своей очереди, когда выходить на поле боя).', 'template_guide_late_game_pvp_arena' => 'Арена', 'template_guide_late_game_pvp_arena_desc' => 'Для кого-то Арена — высшее испытание PvP, кому-то просто нравится формат «все против всех» и организованное командное соревнование. На Арене две небольшие команды сражаются друг с другом до полного выбывания одной из них. Побеждает та команда, которая сумеет продержаться дольше. Команды на Арене похожи на гильдии: они существуют пока в их рядах есть игроки. Победа на Арене приносит команде повышение рейтинга и позволяет подняться выше в таблице результатов. За верхнюю позицию сражаются лучшие команды из разных игровых миров. Самые умелые бойцы, кроме того, получают право носить особое оружие и доспехи, специально предназначенные для поединков PvP.', 'template_guide_late_game_pvp_obj' => 'Объекты для захвата', 'template_guide_late_game_pvp_obj_desc' => 'Помимо копируемых полей боя и Арены, в World of Warcraft есть еще один способ PvP-игры — захват объектов. Это определенные точки, за которые сражаются между собой обе фракции. Та, которой удается захватить объект, пользуется рядом преимуществ, пока контроль не перейдет к противнику. Эти преимущества могут быть разными: и просто положительные эффекты, действующие в пределах всей зоны, и ценные предметы, и даже эксклюзивный доступ к новым территориям.', 'template_guide_late_game_pvp_duels' => 'Дуэли', 'template_guide_late_game_pvp_duels_desc' => 'Чтобы защитить свою честь, отомстить или просто выяснить, кто сильнее в бою, вы можете вызвать члена своей фракции на дружескую дуэль. Дуэли не заканчиваются смертью. Причинить друг другу вред могут лишь те два игрока, что участвуют в дуэли. Дуэль заканчивается тогда, когда запас здоровья одного из участников падает до опасно низкого. Если один из противников спасается бегством, это тоже означает конец дуэли.', 'template_guide_late_game_pvp_world' => 'PvP в мире под открытым небом', 'template_guide_late_game_pvp_world_desc' => 'Самый простой вид PvP в World of Warcraft — свободные поединки игроков в мире. Встретившись с игроком из противоположной фракции, вы можете атаковать друг друга, если обе стороны согласны на PvP. В некоторых областях PvP-поединки происходят особенно часто, в других это сравнительная редкость. В мирах для PvP вы почти всегда автоматически соглашаетесь на PvP, но в обычных мирах нападения других игроков не стоит опасаться, если вы сознательно на него не согласились.', 'template_guide_late_game_finale' => 'Что дальше?', 'template_guide_late_game_finale_desc' => 'В масштабах World of Warcraft это все — лишь малая толика того, что есть в игре. Вас ждет целая вселенная — от солнечных берегов Танариса до снежных вершин Дун Морога, от изуродованных просторов Запределья до темных глубин ледника Ледяная Корона. Собирайте друзей. Тренируйтесь. Будьте готовы к путешествию в другую вселенную, которой нет равных.<br/><br/>Вас ждет целый мир!', 'template_guide_nav_title' => 'Что такое World of Warcraft', 'template_guide_nav_i' => 'Глава I: Начало игры', 'template_guide_nav_ii' => 'Глава II: Как играть', 'template_guide_nav_iii' => 'Глава III: Другие игроки', 'template_guide_nav_iv' => 'Глава IV: Игра персонажем высокого уровня', 'template_class_role_melee' => 'Боец (физический урон в ближнем бою)', 'template_class_role_ranged' => 'Боец (физический урон в дальнем бою)', 'template_class_role_caster' => 'Боец (магический урон в дальнем бою)', 'template_class_role_healer' => 'Лекарь', 'template_class_role_tank' => '«Танк»', 'template_game_class_index' => 'Классы', 'template_game_class_intro' => 'В этом обновленном руководстве по классам World of Warcraft содержится описание всех способностей игровых классов и рассказы об их месте в Азероте.', 'template_game_classes_title' => 'Классы World of Warcraft', 'template_game_class_information' => 'Описание', 'template_game_class_talents' => 'Таланты', 'template_game_class_talent_trees' => 'Дерево талантов', 'template_game_class_features' => 'Особенности', 'template_game_class_races' => 'Расы', 'template_game_class_next' => 'След. класс: %s', 'template_game_class_prev' => 'Пред. класс: %s', 'template_game_class_type' => 'Тип', 'template_game_class_bars' => 'Стандартные панели', 'template_game_class_armor' => 'Доступная броня', 'template_game_class_weapons' => 'Доступное оружие', 'template_game_class_warrior_info' => 'В годы войны герои каждого из народов желали овладеть искусством боя. Воины сильны, обладают отличными лидерскими качествами и прекрасно умеют обращаться с оружием и доспехами. Все это позволяет им наносить врагу серьезный урон в славной битве.', 'template_game_class_paladin_info' => 'Призвание паладина — защищать слабых, карать злодеев и изгонять зло из самых темных уголков мира.', 'template_game_class_hunter_info' => 'Те, кто слышат странный зов, меняют домашний уют на жестокий первобытный мир. И те, кто выносят тяготы новой жизни, становятся охотниками.', 'template_game_class_rogue_info' => 'Честь разбойника можно купить за золото, а единственный кодекс, которому он следует — договор. Наемники, свободные от предубеждений и совести, полагаются на жестокие и эффективные приемы.', 'template_game_class_priest_info' => 'Жрецы посвящают себя духовной жизни и доказывают крепость веры, служа своему народу. Тысячелетия назад они покинули покой храмов и уют святилищ, чтобы поддержать своих друзей на полях боя.', 'template_game_class_death-knight_info' => 'Когда Король-лич потерял контроль над рыцарями смерти, его бывшие приспешники пожелали отомстить за весь ужас, сотворенный по его приказу.', 'template_game_class_shaman_info' => 'Шаманы — наставники в духовных практиках, идущих не от богов, а от самих природных стихий. В отличие от других мистиков, шаманы не обязательно общаются лишь с благоволящими к ним силами.', 'template_game_class_mage_info' => 'Дисциплинированные ученики, наделенные острым умом, могут избрать путь мага. Тайное волшебство, доступное магу, сильно и очень опасно. Оно открывается только достойным.', 'template_game_class_warlock_info' => 'Столкнувшись с демонами, большинство героев видят лишь смерть. Чернокнижники видят огромные возможности. Их цель — власть, в ее достижении им помогают темные искусства. Эти колдуны призывают демонов, которые сражаются на их стороне.', 'template_game_class_druid_info' => 'Друиды подчиняют себе силы природы, чтобы сберечь естественное равновесие и защитить окружающий мир.', 'template_game_class_artwork' => 'Художественные композиции', 'template_game_class_screenshots' => 'Скриншоты', 'template_game_class_more' => 'ПОДРОБНЕЕ', 'template_game_class_more_desc' => 'Подробнее об этом классе можно прочесть на сайтах поклонников игры.', 'template_game_class_viewall' => 'Все', 'template_game_race_index' => 'Расы', 'template_game_race_intro' => 'В Азероте живет множество разнообразных рас. Из этого раздела вы узнаете об их истории, кто откуда родом и другие интересные сведения.', 'template_game_race_next' => 'След. раса: %s', 'template_game_race_prev' => 'Пред. раса: %s', 'template_game_race_worgen_info' => 'На народ Гилнеаса, уединенно живущий за несокрушимой Стеной Седогрива, обрушилось страшное проклятие, и многие жители превратились в кошмарных тварей, которых прозвали воргенами.', 'template_game_race_draenei_info' => 'Непоколебимая преданность Свету повела дренеев вперед, в их прежний мир, терзаемый войнами, и помогла им и другим членам Альянса сокрушить демонов.', 'template_game_race_dwarf_info' => 'Отважные дворфы — очень древний народ. Они ведут свой род от земельников — существ из живого камня, созданных титанами еще на заре мира.', 'template_game_race_gnome_info' => 'Умные, лихие и зачастую эксцентричные гномы – самая удивительная из цивилизованных рас Азерота.', 'template_game_race_human_info' => 'Благодаря последним открытиям стало известно, что люди произошли от врайкулов, расы полугигантов, обитающих на Нордсколе.', 'template_game_race_night-elf_info' => 'Скрытные, загадочные ночные эльфы — одна из древнейших рас Азерота, и им не раз приводилось играть ключевую роль в его судьбе.', 'template_game_race_goblin_info' => 'Старые соглашения с Ордой были возобновлены, и Орда приняла гоблинов с распростертыми объятиями.', 'template_game_race_blood-elf_info' => 'Некоторые эльфы не особенно стремятся преодолеть зависимость от тайной магии. Остальные, впрочем, рады возвращению в Кель’Талас.', 'template_game_race_orc_info' => 'В отличие от других рас Орды, орки явились в Азерот извне. Когда-то эти шаманские племена обитали на цветущем Дреноре, пока их мирный уклад не разрушил демонический повелитель Пылающего Легиона Кил’джеден.', 'template_game_race_tauren_info' => 'Миролюбивые таурены — или шу’хало, как они называют себя на своем языке, — издревле жили в Калимдоре. Это хранители равновесия в природе. Они следуют заповедям своей богини — Матери-Земли.', 'template_game_race_troll_info' => 'Яростные тролли Азерота славятся своей жестокостью, ненавистью ко всем другим расам и страстью к темному мистицизму.', 'template_game_race_forsaken_info' => 'После окончания Третьей войны хватка Короля-лича ослабла, и часть нежити смогла освободиться от тиранической власти своего хозяина.', 'template_game_races_title' => 'Расы World of Warcraft', 'template_game_race_racial_traits' => 'Расовые способности', 'template_game_race_classes' => 'Классы', 'template_game_race_classes_desc' => '%s доступны следующие классы:', 'template_game_race_more_desc' => 'Узнайте об этой расе подробнее на сайтах поклонников игры.', 'template_game_race_homecity' => 'Столица:', 'template_game_race_location' => 'Стартовая территория:', 'template_game_race_homecity_location' => 'Столица и стартовая территория:', 'template_game_race_mount' => 'Ездовое животное:', 'template_game_race_leader' => 'Предводитель:', 'template_pvp_arena_top_teams' => 'Лучшие команды Арены', 'template_pvp_arena_summary' => 'Оглавление', 'template_pvp_arena_pass' => 'Пропуск на Арену', 'template_pvp_browse_rating_caption' => 'Просмотр рейтинга %d на %d', 'template_pvp_ladder_format' => 'Рейтинг %dx%d', 'template_pvp_ladder_header' => '2000 лучших команд Арены %d на %d', 'template_pvp_ladder_filter_realm' => 'Мир', 'template_pvp_ladder_tooltip_ph' => 'Пред. место в таблице', 'template_pvp_ladder_wins' => 'Победы', 'template_pvp_ladder_loses' => 'Поражения', 'template_pvp_ladder_rating' => 'Рейтинг', 'template_pvp_ladder_change_filter' => 'Изменить', 'template_pvp_ladder_add_class' => 'Добавить класс', 'template_pvp_ladder_filter_any_class' => '- Любой класс -', 'template_pvp_ladder_filter_comp_edit' => 'Искать по составу', 'template_pvp_ladder_filter_comp_all' => 'Показать все составы', 'template_pvp_ladder_filter_comp_any' => '- Любая специализация -', 'template_profile_companions_mounts' => 'Спутники и транспорт', 'template_profile_companions' => 'Спутники', 'template_profile_mounts' => 'Транспортные средства', 'template_companion_collected' => 'Собранные (%d)', 'template_companion_not_collected' => 'Несобранные (%d)', 'template_companion_show_filters' => 'Расширенный фильтр', 'template_companion_hide_filters' => 'Скрыть расширенный фильтр', 'template_companion_source' => 'Источник', 'template_companion_no_companion' => 'Ах, у этого персонажа нет ни одного спутника. Наверное, ему одиноко.', 'template_companion_no_mount' => 'Как ни печально, этот персонаж может передвигаться только на своих двоих.', 'template_companion_js_companion' => 'Спутник', 'template_companion_js_mount' => 'Транспортное средство', 'template_companion_js_mount_all' => 'Все', 'template_companion_js_mount_ground' => 'наземное', 'template_companion_js_mount_flying' => 'летающее', 'template_companion_js_mount_aquatic' => 'водное', 'template_source_drop' => 'Добыча', 'template_source_world_drop' => 'Мировая добыча', 'template_source_quest' => 'Задание', 'template_source_vendor' => 'Продавец', 'template_source_prof' => 'Профессия', 'template_source_achv' => 'Достижение', 'template_source_faction' => 'Фракция', 'template_source_event' => 'Событие', 'template_source_promo' => 'Акция', 'template_source_store' => '«Магазин питомцев»', 'template_source_tcg' => 'Коллекционная карточная игра', 'template_source_other' => 'Другое', 'template_rarity_filter' => 'Редкость', 'template_rarity_7' => 'Наследуемое', 'template_rarity_5' => 'Легендарное', 'template_rarity_4' => 'Эпическое', 'template_rarity_3' => 'Редкое', 'template_rarity_2' => 'Необычное', 'template_rarity_1' => 'Обычное', 'template_rarity_0' => 'Низкое', 'template_no_results' => 'Нет результатов для отображения', 'template_blizztracker_title' => 'Blizz Tracker: официальные сообщения Blizzard', 'template_blizztracker_jump_first' => 'Первое сообщение Blizzard', 'template_blizztracker_posted_before_days' => '%s дн., %s ч ago', 'template_blizztracker_posted_before_hours' => '%s ч, %s м ago', 'template_blizztracker_posted_before_minutes' => '%s м ago', 'template_forum_thread_featured' => 'Прикрепленное сообщение', 'template_forum_thread_sticky' => 'Прикрепленное сообщение', 'template_forum_thread_closed' => 'Закрыто', 'template_forum_jump_last' => 'Перейти к последней прочитанной странице', 'template_forum_topic' => 'Тема', 'template_forum_jump_first_blizz' => 'Первое сообщение Blizzard', 'template_forum_jump_next_blizz' => 'Следующее сообщение Blizzard', 'template_forum_add_reply' => 'Разместить ответ', 'template_forum_topic_closed' => 'Тема закрытаю', 'template_forum_blizz_title' => 'Customer Service', 'template_forum_post_edited' => 'Отредактировано %s %s', 'template_forum_post_quote' => 'Размещено', 'template_forum_reply_thread' => 'Reply to Thread', 'template_forum_edit' => 'Редактировать', 'template_forum_preview' => 'Предпросмотр', 'template_forum_submit' => 'Отправить', 'template_forum_create_thread' => 'Создать тему', 'template_forum_need_char_to_post' => 'Для размещения сообщений, вам необходимо создать персонажа.', 'template_forum_post_delete_tooltip' => 'Сообщения могут быть удалены в течение 15 минут после размещения.', 'template_forum_post_edit' => 'Редактировать', 'template_forum_post_delete_confirm' => 'Вы уверены, что хотите удалить сообщение?', 'template_forum_post_delete' => 'Удалить', 'template_forum_post_deleted_by' => 'Удалено %s', 'template_forum_post_deleted' => 'Удалено', 'template_forum_post_edit_title' => 'Изменить сообщение', 'template_boss_level' => 'Уровень', 'template_boss_boss_rank' => 'Босс', 'template_boss_elite_rank' => 'Элита', 'template_boss_health' => 'Здоровье', 'template_boss_type' => 'Тип', 'template_boss_type_1' => 'Животное', 'template_boss_type_2' => 'Дракон', 'template_boss_type_3' => 'Демон', 'template_boss_type_4' => 'Элементаль', 'template_boss_type_5' => 'Великан', 'template_boss_type_6' => 'Нежить', 'template_boss_type_7' => 'Гуманоид', 'template_boss_type_8' => 'Существо', 'template_boss_type_9' => 'Механизм', 'template_boss_type_10' => 'Не указано', 'template_boss_abilities' => 'Пример способностей', 'template_boss_no_abilities' => 'У этого НИП нет известных способностей.');
            }
            echo sprintf('<tr class="row%d" data-level="%d" data-skill="%d">
										<td class="name">
											<a href="%s" class="color-c%d">
												%s
											</a>
										</td>
										<td class="race" data-raw="%s">
											<img src="%s/wow/static/images/icons/race/%d-%d.gif" class="img" alt="" data-tooltip="%s" />
										</td>
										<td class="cls" data-raw="%s">
											<img src="%s/wow/static/images/icons/class/%d.gif" class="img" alt="" data-tooltip="%s" />
										</td>
										<td class="lvl">%d</td>
										<td class="skill" data-raw="%d">%d</td>
									</tr>', $toggleStyle % 2 ? '1' : '2', $char['level'], $char['professions'][$index]['value'], $char['url'], $char['classID'], $char['name'], $char['race_text'], WoW::GetWoWPath(), $char['raceID'], $char['genderID'], $char['race_text'], $char['class_text'], WoW::GetWoWPath(), $char['classID'], $char['class_text'], $char['level'], $char['professions'][$index]['value'], $char['professions'][$index]['value']);
            ++$toggleStyle;
        }
        echo sprintf('<tr class="no-results" style="display: none">
							<td colspan="8">Nothing found.</td>
                            </tr>
                            </tbody>
                            </table>
                            </div>
                            <script type="text/javascript">
                            //<![CDATA[
                                $(function() {
                                    Professions.tables.push( new Table(\'#professions-table-%d\', { column: 0 }) );
                                });
                            //]]>
                        </script>
<small>You are not signed in. Please <a href="<?php 
echo WoW::GetWoWPath();
?>
/account=signin">sign in</a> to submit a screenshot.</small>

</form>

</div>

<div id="tab-suggest-a-video" style="display: none">

Simply type the URL of the video in the form below.

<div class="pad2"></div>
<form action="<?php 
echo WoW::GetWoWPath();
?>
/video=add&amp;1.2748" method="post" enctype="multipart/form-data" onsubmit="return vi_validateForm(this)">

URL: <input type="text" name="videourl" style="width: 35%" /> <small>Supported: YouTube only</small>
<div class="pad2"></div>
Title: <input type="text" name="videotitle" maxlength="200" /> <small>Optional, up to 200 characters</small><br />
<div class="pad"></div>
<input type="submit" value="Submit" />

<div class="pad3"></div>
<small class="q0">Note: Your video will need to be approved before appearing on the site.</small>

</form>

</div>
 public static function CatchOperations(&$loaded)
 {
     // Perform log in (if required)
     if (isset($_GET['login']) || preg_match('/\\?login/', $_SERVER['REQUEST_URI'])) {
         // $_SERVER['REQUEST_URI'] check is required for mod_rewrited URL cases.
         header('Location: ' . WoW::GetWoWPath() . '/login/');
         exit;
     }
     // Perform logout (if required)
     if (isset($_GET['logout']) || preg_match('/\\?logout/', $_SERVER['REQUEST_URI'])) {
         // $_SERVER['REQUEST_URI'] check is required for mod_rewrited URL cases.
         WoW_Account::PerformLogout();
         header('Location: ' . WoW::GetWoWPath() . '/');
         exit;
     }
     // Locale
     if (isset($_GET['locale']) && !preg_match('/lookup/', $_SERVER['REQUEST_URI'])) {
         if (WoW_Locale::IsLocale($_GET['locale'], WoW_Locale::GetLocaleIDForLocale($_GET['locale']))) {
             WoW_Locale::SetLocale($_GET['locale'], WoW_Locale::GetLocaleIDForLocale($_GET['locale']));
             $loaded = true;
             setcookie('wow_locale', WoW_Locale::GetLocale(), strtotime('NEXT YEAR'), '/');
             if (isset($_SERVER['HTTP_REFERER'])) {
                 header('Location: ' . $_SERVER['HTTP_REFERER']);
                 exit;
             } else {
                 header('Location: ' . WoW::GetWoWPath() . '/');
                 exit;
             }
         }
     }
 }
<div id="left-results">
<?php 
$searchResults = WoW_Search::GetSearchResults('article');
if (is_array($searchResults)) {
    foreach ($searchResults as $article) {
        echo sprintf('  <div class="search-result">
        <div class="">
        <div class="result-title">
        <a href="%s/wow/blog/%d" class="search-title">%s</a>
        </div>
        <div class="by-line">
        <a href="?a=%s&amp;s=time">%s</a> -  %s <a href="%s/wow/blog/%d#comments" class="comments-link">%d</a>
        </div>
        <div class="search-content">
        <div class="result-image">
        <a href="%s/wow/blog/%d"><img alt="%s" src="%s/cms/blog_thumbnail/%s"/></a>
        </div>%s<br />
        </div>
        <div class="search-results-url"> /wow/blog/%d</div>
        </div>
        <div class="clear"></div>
        </div>', WoW::GetWoWPath(), $article['id'], $article['title'], urlencode($article['author']), $article['author'], date('d.m.Y H:i', $article['postdate']), WoW::GetWoWPath(), $article['id'], 0, WoW::GetWoWPath(), $article['id'], $article['title'], WoW::GetWoWPath(), $article['image'], $article['desc'], $article['id']);
    }
}
?>
</div>
<div id="left-results">
    <?php 
$searchResults = WoW_Search::GetSearchResults('wowguild');
if (is_array($searchResults)) {
    foreach ($searchResults as $guild) {
        echo sprintf('
    <div class="search-result">
        <div class="">
            <div class="result-title">
                <a href="%s/wow/%s/guild/%s/%s/" class="search-title">&lt;%s&gt;</a>
            </div>
            <div class="search-content">
                <div class="info">%s / %s</div>
            </div>
            <div class="search-results-url"> /wow/guild/%s/%s/</div>
        </div>
        <div class="clear"></div>
    </div>', WoW::GetWoWPath(), WoW_Locale::GetLocale(), $guild['realmName'], $guild['name'], $guild['name'], $guild['realmName'], WoW_Locale::GetString(WoW_Utils::GetFactionId($guild['raceId']) == FACTION_ALLIANCE ? 'faction_alliance' : 'faction_horde'), $guild['realmName'], $guild['name']);
    }
}
?>
</div>
 /**
  * @param array $item_info
  * @param int   $item_entry = 0
  **/
 public function GetBreadCrumbsForItem($item_info, $item_entry = 0)
 {
     if ($item_entry > 0 || !is_array($item_info)) {
         $item_info = DB::World()->selectRow("SELECT `class` AS `classId`, `subclass` AS `subClassId`, `InventoryType` AS `invType` FROM `item_template` WHERE `entry` = %d LIMIT 1", $item_entry);
     }
     if (!$item_info || !is_array($item_info)) {
         return false;
     }
     $itemsubclass = null;
     if (isset($item_info['classId']) && isset($item_info['subClassId'])) {
         $itemsubclass = DB::Wow()->selectRow("SELECT `subclass_name_%s` AS `subclass`, `class_name_%s` AS `class` FROM `DBPREFIX_item_subclass` WHERE `subclass` = %d AND `class` = %d LIMIT 1", WoW_Locale::GetLocale(), WoW_Locale::GetLocale(), $item_info['subClassId'], $item_info['classId']);
     } elseif (isset($item_info['classId'])) {
         $itemsubclass = DB::Wow()->selectRow("SELECT `class_name_%s` AS `class` FROM `DBPREFIX_item_subclass` WHERE `class` = %d LIMIT 1", WoW_Locale::GetLocale(), $item_info['classId']);
     } elseif (isset($item_info['subClassId'])) {
         $itemsubclass = DB::Wow()->selectRow("SELECT `subclass_name_%s` AS `subclass` FROM `DBPREFIX_item_subclass` WHERE `subclass` = %d LIMIT 1", WoW_Locale::GetLocale(), $item_info['subClassId']);
     }
     if (!$itemsubclass || !is_array($itemsubclass)) {
         return false;
     }
     $breadcrumbs = array();
     $global_url = sprintf('%s/wow/%s/item/', WoW::GetWoWPath(), WoW_Locale::GetLocale());
     $index = 0;
     if (isset($item_info['classId'])) {
         $global_url .= '?classId=' . $item_info['classId'];
         $breadcrumbs[$index] = array('caption' => $itemsubclass['class'], 'link' => $global_url, 'last' => true);
         ++$index;
     }
     if (isset($item_info['subClassId'])) {
         if (strpos($global_url, '?classId=') > 0) {
             $global_url .= '&amp;subClassId=' . $item_info['subClassId'];
         } else {
             $global_url .= '?subClassId=' . $item_info['subClassId'];
         }
         $breadcrumbs[$index] = array('caption' => $itemsubclass['subclass'], 'link' => $global_url, 'last' => true);
         if ($index > 0) {
             $breadcrumbs[$index - 1]['last'] = false;
         }
         ++$index;
     }
     if (isset($item_info['invType'])) {
         if (strpos($global_url, '?') > 0) {
             $global_url .= '&amp;invType=' . $item_info['invType'];
         } else {
             $global_url .= '?invType=' . $item_info['invType'];
         }
         $breadcrumbs[$index] = array('caption' => WoW_Locale::GetString('template_item_invtype_' . $item_info['invType']), 'link' => $global_url, 'last' => true);
         if ($index > 0) {
             $breadcrumbs[$index - 1]['last'] = false;
         }
         ++$index;
     }
     return $breadcrumbs;
 }
 private static function LoadGuildMembers()
 {
     if (!self::IsCorrect()) {
         WoW_Log::WriteError('%s : guild was not found.', __METHOD__);
         return false;
     }
     $members = DB::Characters()->select("\n            SELECT\n            `guild_member`.`guid`,\n            `guild_member`.`rank` AS `rankID`,\n            `guild_rank`.`rname` AS `rankName`,\n            `characters`.`name`,\n            `characters`.`race` AS `raceID`,\n            `characters`.`class` AS `classID`,\n            `characters`.`gender` AS `genderID`,\n            `characters`.`level`\n            FROM `guild_member` AS `guild_member`\n            JOIN `guild_rank` AS `guild_rank` ON `guild_rank`.`rid`=`guild_member`.`rank` AND `guild_rank`.`guildid`=%d\n            JOIN `characters` AS `characters` ON `characters`.`guid`=`guild_member`.`guid`\n            WHERE `guild_member`.`guildid`=%d\n        ", self::GetGuildID(), self::GetGuildID());
     if (!$members) {
         WoW_Log::WriteError('%s : unable to find any member of guild %s (GUILDID: %d). Guild is empty?', __METHOD__, self::GetGuildName(), self::GetGuildID());
         return false;
     }
     $roster = array();
     foreach ($members as $member) {
         $member['race_text'] = WoW_Locale::GetString('character_race_' . $member['raceID']);
         $member['class_text'] = WoW_Locale::GetString('character_class_' . $member['classID']);
         $member['url'] = sprintf('%s/wow/%s/character/%s/%s/', WoW::GetWoWPath(), WoW_Locale::GetLocale(), self::GetGuildRealmName(), $member['name']);
         $achievement_ids = DB::Characters()->select("SELECT `achievement` FROM `character_achievement` WHERE `guid` = %d", $member['guid']);
         if (is_array($achievement_ids)) {
             $ids = array();
             foreach ($achievement_ids as $ach) {
                 $ids[] = $ach['achievement'];
             }
             if (is_array($ids)) {
                 $member['achievement_points'] = DB::WoW()->selectCell("SELECT SUM(`points`) FROM `DBPREFIX_achievement` WHERE `id` IN (%s)", $ids);
             } else {
                 $member['achievement_points'] = 0;
             }
         } else {
             $member['achievement_points'] = 0;
         }
         $roster[] = $member;
     }
     self::$guild_roster = $roster;
     unset($roster);
     // Set faction
     self::$guild_factionID = WoW_Utils::GetFactionId(self::GetMemberInfo(0, 'raceID'));
     return true;
 }
echo sprintf('<a href="javascript:;" class="color-c%d pinned" rel="np" data-tooltip="%s %s (%s)">
										<img src="%s/wow/static/images/icons/race/%d-%d.gif" alt="" />
										<img src="%s/wow/static/images/icons/class/%d.gif" alt="" />
										%d %s
									</a>', WoW_Account::GetActiveCharacterInfo('class'), WoW_Account::GetActiveCharacterInfo('race_text'), WoW_Account::GetActiveCharacterInfo('class_text'), WoW_Account::GetActiveCharacterInfo('realmName'), WoW::GetWoWPath(), WoW_Account::GetActiveCharacterInfo('race'), WoW_Account::GetActiveCharacterInfo('gender'), WoW::GetWoWPath(), WoW_Account::GetActiveCharacterInfo('class'), WoW_Account::GetActiveCharacterInfo('level'), WoW_Account::GetActiveCharacterInfo('name'));
if (is_array($characters)) {
    foreach ($characters as $char) {
        if ($char['guid'] == WoW_Account::GetActiveCharacterInfo('guid') && $char['realmId'] == WoW_Account::GetActiveCharacterInfo('realmId')) {
            continue;
            // Skip active character
        }
        echo sprintf('<a href="%s" class="color-c%d" rel="np" onclick="CharSelect.pin(%d, this); return false;" data-tooltip="%s %s (%s)">
										<img src="%s/wow/static/images/icons/race/%d-%d.gif" alt="" />
										<img src="%s/wow/static/images/icons/class/%d.gif" alt="" />
										%d %s
									</a>', $char['url'], $char['class'], $char['index'], $char['race_text'], $char['class_text'], $char['realmName'], WoW::GetWoWPath(), $char['race'], $char['gender'], WoW::GetWoWPath(), $char['class'], $char['level'], $char['name']);
    }
}
?>
							<div class="no-results hide"><?php 
echo WoW_Locale::GetString('template_characters_not_found');
?>
</div>
						</div>
					</div>
				</div>

				<div class="filter">
					<input type="input" class="input character-filter" value="<?php 
echo WoW_Locale::GetString('template_filter_caption');
?>
 public static function PrintMainMenu()
 {
     $main_menu = "<ul id=\"menu\">\n%s\n</ul>";
     $menu_item = '<li class="%s"><a href="%s/wow/%s%s" class="%s"><span>%s</span></a></li>';
     $full_menu = null;
     $global_menu = WoW_Template::GetMainMenu();
     foreach ($global_menu as &$menu) {
         $full_menu .= sprintf($menu_item, $menu['key'], WoW::GetWoWPath(), WoW_Locale::GetLocale(), $menu['href'], WoW_Template::GetMenuIndex() == $menu['key'] ? 'active' : null, $menu['title']);
         $full_menu .= "\n";
     }
     return sprintf($main_menu, $full_menu);
 }
</div>
	<div id="price-tooltip-%d" style="display: none">
		<div class="price price-tooltip">
			<span class="float-right">
			<span class="icon-gold">%d</span>
			<span class="icon-silver">%d</span>
			<span class="icon-copper">%d</span>
</span>
			%s
				<br /><span class="float-right">
			<span class="icon-gold">%d</span>
			<span class="icon-silver">%d</span>
			<span class="icon-copper">%d</span>
</span>
				%s
	<span class="clear"><!-- --></span>
		</div>
	</div>
											</td>
											<td class="options">
												<a href="browse?itemId=%d" class="ah-button">%s</a>
												<a href="javascript:;" class="ah-button" onclick="Auction.openCancel(%d);">%s</a>
											</td>
										</tr>', $item['auction_id'], $toggleStyle % 2 ? '1' : '2', $item['name'], WoW::GetWoWPath(), $item['id'], $item['id'], $item['guid'], $item['icon'], WoW::GetWoWPath(), $item['id'], $item['id'], $item['guid'], $item['quality'], $item['name'], WoW_Account::GetActiveCharacterInfo('url'), WoW_Account::GetActiveCharacterInfo('name'), WoW_Locale::GetString('template_auction_you_are_the_seller'), WoW::GetWoWPath(), $item['count'], $item['time'], WoW_Locale::GetString('template_auction_title_time_' . $item['time']), WoW_Locale::GetString('template_auction_text_time_' . $item['time']), WoW_Locale::GetString('template_auction_no_bids'), $item['price_raw'], $item['auction_id'], $item['price']['gold'], $item['price']['silver'], $item['price']['copper'], $item['buyout']['gold'], $item['buyout']['silver'], $item['buyout']['copper'], $item['auction_id'], $item['price']['gold'], $item['price']['silver'], $item['price']['copper'], WoW_Locale::GetString('template_auction_price_per_unit'), $item['buyout']['gold'], $item['buyout']['silver'], $item['buyout']['copper'], WoW_Locale::GetString('template_auction_buyout_per_unit'), $item['id'], WoW_Locale::GetString('template_auction_browse'), $item['auction_id'], WoW_Locale::GetString('template_blog_cancel_report'));
        ++$toggleStyle;
    }
}
?>
							</tbody>
						</table>
					</div>
			<a href="<?php 
echo WoW::GetWoWPath();
?>
/wow/forum/"><?php 
echo WoW_Locale::GetString('template_menu_forums');
?>
</a>
		</h3>
	</div>

	<div class="sidebar-content poptopic-list">
            <?php 
$popular = WoW_Forums::GetPopularThreads();
if (is_array($popular)) {
    foreach ($popular as $thread) {
        echo sprintf('<a href="%s/wow/forum/topic/%d">
				<span class="int">
					<span class="title">
						%s
					</span>
					<span class="desc">
						%s <span class="loc">%s</span>
					</span>
				</span>
			</a>', WoW::GetWoWPath(), $thread['thread_id'], $thread['title'], WoW_Locale::GetString('template_forums_in'), $thread['categoryTitle']);
    }
}
?>
	</div>
</div>
$carousel = WoW_Template::GetPageData('carousel');
$i = 0;
$paging_text = null;
$js_string = null;
if (is_array($carousel)) {
    foreach ($carousel as $carousel_item) {
        echo sprintf('<div class="slide" id="slide-%d" style="background-image: url(\'%s/cms/carousel_header/%s\');%s">
                    </div>', $i, WoW::GetWoWPath(), $carousel_item->image, $i > 0 ? ' display: none;' : null);
        $paging_text .= sprintf('<a href="javascript:;" id="paging-%d" onclick="Slideshow.jump(%d, this);" onmouseover="Slideshow.preview(%d);"%s></a>', $i, $i, $i, $i == 0 ? ' class="current"' : null);
        $js_string .= sprintf('{
                        image: "%s/cms/carousel_header/%s",
                        desc: "%s",
                        title: "%s",
                        url: "%s",
                        id: "%d"
                    },', WoW::GetWoWPath(), $carousel_item->image, $carousel_item->desc, $carousel_item->title, $carousel_item->url, $carousel_item->id);
        $i++;
    }
}
?>
		</div>
			<div class="paging"><?php 
echo $paging_text;
?>
</div>
		<div class="caption">
            <?php 
if (is_array($carousel)) {
    echo sprintf('<h3><a href="#" class="link">%s</a></h3>%s', $carousel[0]->title, $carousel[0]->desc);
}
?>
<!-- START: Featured News -->
<div class="featured-news">
<?php 
$wow_news = WoW::GetFeaturedNews();
for ($i = 0; $i < 5; ++$i) {
    if (!isset($wow_news[$i])) {
        continue;
    }
    echo sprintf('<div class="featured">
            <a href="%s/wow/blog/%d#blog">
               <span class="featured-img" style="background-image: url(\'%s/cms/blog_thumbnail/%s\');"></span>
               <span class="featured-desc">%s</span>
            </a>
        </div>', WoW::GetWoWPath(), $wow_news[$i]['id'], WoW::GetWoWPath(), $wow_news[$i]['image'], $wow_news[$i]['title']);
}
?>
        <span class="clear"></span>
    </div>
<!-- END: Featured News -->
<!DOCTYPE html>
<html xmlns="http://www.w3.org/1999/xhtml">
<head>
	<title></title>
    <?php 
if (WoW_Account::IsLoggedIn()) {
    echo '<script>parent.postMessage("{\\"action\\":\\"success\\",\\"loginTicket\\":\\"' . WoW_Account::GetSessionInfo('wow_account_hash') . '\\"}", "http://' . $_SERVER['HTTP_HOST'] . WoW::GetWoWPath() . '/");</script>';
} else {
    WoW_Template::LoadTemplate('block_login_frag', true);
}
?>
</head>
</html>
	<a href="<?php 
echo WoW_Characters::GetURL();
?>
pvp" class="" rel="np"><span class="arrow"><span class="icon">PvP</span></span></a>
			</li>
			<li class="<?php 
echo WoW_Template::GetPageData('page') == 'character_feed' ? ' active' : null;
?>
">
	<a href="<?php 
echo WoW_Characters::GetURL();
?>
feed" class="" rel="np"><span class="arrow"><span class="icon"><?php 
echo WoW_Locale::GetString('template_profile_feed');
?>
</span></span></a>
			</li>
			<?php 
if (WoW_Account::IsAccountCharacter()) {
    echo sprintf('<li class="%s">
	<a href="%s/wow/vault/character/friend" class=" vault" rel="np"><span class="arrow"><span class="icon">%s</span></span></a>
			</li>', WoW_Template::GetPageData('page') == 'vault_friends' ? ' active' : null, WoW::GetWoWPath(), WoW_Locale::GetString('template_profile_friends'));
}
if (WoW_Characters::GetGuildID() > 0) {
    echo sprintf('<li class="%s">
	<a href="%s?character=%s" class=" has-submenu" rel="np"><span class="arrow"><span class="icon">%s</span></span></a>
			</li>', WoW_Template::GetPageData('page') == 'guild_roster' ? ' active' : null, WoW_Characters::GetGuildURL(), urlencode(WoW_Characters::GetName()), WoW_Locale::GetString('template_profile_guild'));
}
?>
		
	</ul>
                    }
                    echo sprintf('
                                <li>
                                    <a href="%s/wow/zone/%s/">
                                        <span class="zone-thumbnail thumb-%s"></span>
                                        <span class="level-range">
                                        %s
                                        </span>
                                        <span class="name">
                                        %s
                                        %s
                                        </span>
                                        %s
                                        <span class="clear"><!-- --></span>
                                    </a>
                                </li>', WoW::GetWoWPath(), $dungeon['zone_key'], $dungeon['zone_key'], $levelInfo, $dungeon['name'], $tooltipRequired && $instance_tooltip != null ? $instance_tooltip : null, $dungeon['patch'] != null && !($dungeon['flags'] & INSTANCE_FLAG_SKIP_INTRODUCED_INFO) ? sprintf('<span class="patch">%s</span>', sprintf(WoW_Locale::GetString('template_zones_since_patch'), $dungeon['patch'])) : null);
                }
                echo '
                            </ul>';
            }
            echo '
                        </div>';
        }
        echo '
                    <span class="clear"><!-- --></span></div>';
    }
}
?>
			
					</div>
			</div>
<div>
    <div class="sidebar-title">
        <h3 class="title-friends">
            <a href="<?php 
echo WoW::GetWoWPath();
?>
/wow/vault/character/friend"><?php 
echo sprintf(WoW_Locale::GetString('template_character_friends_caption'), WoW_Account::GetFriendsListCount());
?>
</a>
        </h3>
    </div>
    <div class="sidebar-content">
    <?php 
$friends = WoW_Account::GetFriendsListForPrimaryCharacter();
if (is_array($friends)) {
    foreach ($friends as $friend) {
        echo sprintf('<a href="%s" class="sidebar-tile">
            <span class="icon-frame frame-27"><img src="%s/wow/static/images/2d/avatar/%d-%d.jpg" width="27" height="27" /></span>
            <strong>%s</strong>
            <span class="color-c%d">%s</span>
            <span class="clear"><!-- --></span>
        </a>', $friend['url'], WoW::GetWoWPath(), $friend['race_id'], $friend['gender'], $friend['name'], $friend['class_id'], sprintf(WoW_Locale::GetString('template_character_friends_character'), $friend['level'], $friend['race_string'], $friend['class_string']));
    }
}
?>
    </div>
</div>
echo sprintf('<a href="javascript:;"
class="color-c%d pinned"
rel="np"
onmouseover="Tooltip.show(this, $(this).children(\'.hide\').text());">
<img src="%s/wow/static/images/icons/race/%d-%d.gif" alt="" />
<img src="%s/wow/static/images/icons/class/%d.gif" alt="" />
%d %s
<span class="hide">%s %s (%s)</span>
</a>', WoW_Account::GetActiveCharacterInfo('class'), WoW::GetWoWPath(), WoW_Account::GetActiveCharacterInfo('race'), WoW_Account::GetActiveCharacterInfo('gender'), WoW::GetWoWPath(), WoW_Account::GetActiveCharacterInfo('class'), WoW_Account::GetActiveCharacterInfo('level'), WoW_Account::GetActiveCharacterInfo('name'), WoW_Account::GetActiveCharacterInfo('race_text'), WoW_Account::GetActiveCharacterInfo('class_text'), WoW_Account::GetActiveCharacterInfo('realmName'));
if (is_array($all_characters)) {
    foreach ($all_characters as $char) {
        if ($char['guid'] == WoW_Account::GetActiveCharacterInfo('guid') && $char['realmId'] == WoW_Account::GetActiveCharacterInfo('realmId')) {
            continue;
            // Skip active character
        }
        echo sprintf('<a href="%s" class="color-c%d" rel="np" onclick="CharSelect.pin(%d, this); return false;" onmouseover="Tooltip.show(this, $(this).children(\'.hide\').text());"><img src="%s/wow/static/images/icons/race/%d-%d.gif" alt="" /><img src="%s/wow/static/images/icons/class/%d.gif" alt="" />%d %s<span class="hide">%s %s (%s)</span></a>', $char['url'], $char['class'], $char['index'], WoW::GetWoWPath(), $char['race'], $char['gender'], WoW::GetWoWPath(), $char['class'], $char['level'], $char['name'], $char['race_text'], $char['class_text'], $char['realmName']);
    }
}
?>
</div>
</div>
</div>
<div class="filter">
<input type="input" class="input character-filter" value="<?php 
echo WoW_Locale::GetString('template_filter_caption');
?>
" alt="<?php 
echo WoW_Locale::GetString('template_filter_caption');
?>
" /><br />
<a href="javascript:;" onclick="CharSelect.swipe('out', this); return false;"><?php 
Example #25
0
 public function main()
 {
     $url_data = WoW::GetUrlData('vault');
     // Check session
     if ($url_data['action0'] != 'vault') {
         // Wrong URL parsing
         header('Location: ' . WoW::GetWoWPath() . '/wow/');
         exit;
     }
     if (!WoW_Account::IsLoggedIn()) {
         header('Location: ' . WoW::GetWoWPath() . '/login/?ref=' . urlencode($_SERVER['REQUEST_URI']));
         exit;
     }
     WoW_Template::SetTemplateTheme('wow');
     switch ($url_data['action1']) {
         case 'character':
             switch ($url_data['action2']) {
                 case 'auction':
                     $auction_side = $url_data['action3'];
                     if (!$auction_side || !in_array($auction_side, array('alliance', 'horde', 'neutral'))) {
                         WoW::RedirectTo('wow/' . WoW_Locale::GetLocale() . '/vault/character/auction/' . WoW_Account::GetActiveCharacterInfo('faction_text'));
                     }
                     // Check active character
                     if (WoW_Account::GetActiveCharacterInfo('guid') == 0) {
                         WoW::RedirectTo();
                     }
                     switch ($url_data['action4']) {
                         default:
                             WoW_Template::SetPageData('auction_side', $auction_side);
                             WoW_Template::SetPageIndex('auction_lots');
                             WoW_Template::SetPageData('page', 'auction_lots');
                             break;
                         case 'cancel':
                             // Cancelling, adding, etc. requires core support!
                             if (!isset($_POST['auc'])) {
                                 exit;
                             }
                             $auction_id = (int) $_POST['auc'];
                             header('Content-type: text/plain');
                             echo WoW_Auction::CancelAuction($auction_id);
                             exit;
                             /*
                             if(isset($_POST['auc'])) {
                                 $auction_id = (int) $_POST['auc'];
                                 // WoW REMOTE FEATURE
                             }
                             file_put_contents('cancel.txt', print_r($_POST, true));
                             exit;
                             */
                             break;
                     }
                     break;
                 default:
                     WoW_Template::ErrorPage(404);
                     break;
             }
             break;
         default:
             WoW_Template::ErrorPage(404);
             break;
     }
     WoW_Template::LoadTemplate('page_index');
 }
?>
/wow/player/rating-pegi.jpg';
//]]>
</script>
<meta name="title" content="<?php 
echo WoW_Template::GetPageData('overall_meta_title') != null ? WoW_Template::GetPageData('overall_meta_title') : 'World of Warcraft';
?>
" />
<link rel="image_src" href="<?php 
echo WoW_Template::GetPageData('overall_meta_img') != null ? WoW_Template::GetPageData('overall_meta_img') : WoW::GetWoWPath() . '/wow/static/images/icons/facebook/game.jpg';
?>
" />
<?php 
switch (WoW_Template::GetPageData('page')) {
    case 'character_profile':
        echo sprintf('<style type="text/css">#content .content-top { background: url("%s/wow/static/images/character/summary/backgrounds/race/%d.jpg") left top no-repeat; }.profile-wrapper { background-image: url("%s/wow/static/images/2d/profilemain/race/%d-%d.jpg"); }</style>', WoW::GetWoWPath(), WoW_Characters::GetRaceID(), WoW::GetWoWPath(), WoW_Characters::GetRaceID(), WoW_Characters::GetGender());
        break;
    case 'character_talents':
        echo sprintf('<style type="text/css">.talentcalc-cell .icon .texture { background-image: url(%s/wow/wow-assets/static/images/talents/icons/%d-greyscale.jpg); }</style>', WoW::GetWoWPath(), WoW_Characters::GetClassID());
        break;
    case 'guild':
        echo sprintf('<style type="text/css">#content .content-top { background: url("%s/wow/static/images/guild/summary/bg-%s.jpg") left top no-repeat; }</style>', WoW::GetWoWPath(), WoW_Guild::GetGuildFactionText());
        break;
    case 'zone':
        echo sprintf('<style type="text/css">#content .content-top { background: url("%s/wow/static/images/wiki/zone/bgs/%s.jpg") 0 0 no-repeat; }</style>', WoW::GetWoWPath(), WoW_Template::GetPageData('zone_key'));
        break;
}
?>

</head>
                    <div id="achv-tooltip-%d" style="display: none"><div class="item-tooltip"><span class="icon-frame frame-56" style=\'background-image: url("http://eu.battle.net/wow-assets/static/images/icons/56/%s.jpg");\'></span>
                    <h3>%s</h3><div class="color-tooltip-yellow">%s</div>
                    </div></div></dd><dt>%s</dt></dl>
                    </li>', WoW_Characters::GetURL(), $event['category'], $event['id'], $i, $event['icon'], $locale_text, $i, $event['icon'], $event['name'], $event['desc'], $event['date']);
                break;
            case TYPE_ITEM_FEED:
                $item_link = sprintf('<a href="%s/wow/' . WoW_Locale::GetLocale() . '/item/%d" class="color-q%d" data-item="%s">%s</a>', WoW::GetWoWPath(), $event['id'], $event['quality'], $event['data-item'], $event['name']);
                echo sprintf('<li><dl><dd><a href="%s/wow/' . WoW_Locale::GetLocale() . '/item/%d" class="color-q%d" data-item="%s">
                    <span  class="icon-frame frame-18" style=\'background-image: url("http://eu.battle.net/wow-assets/static/images/icons/18/%s.jpg");\'>
                    </span>
                    </a>
                    %s
                    </dd>
                    <dt>%s</dt>
                    </dl>
                    </li>', WoW::GetWoWPath(), $event['id'], $event['quality'], $event['data-item'], $event['icon'], sprintf(WoW_Locale::GetString('template_feed_obtained_item'), $item_link), $event['date']);
                break;
            case TYPE_BOSS_FEED:
                echo sprintf('<li class="bosskill"><dl><dd><span class="icon"></span>%s: %d
                    </dd>
                    <dt>%s</dt>
                    </dl>
                    </li>', $event['name'], $event['count'], $event['date']);
                break;
        }
        ++$i;
    }
}
?>
    </ul>
			<div class="activity-note"><?php 
 * it under the terms of the GNU General Public License as published by
 * the Free Software Foundation; either version 2 of the License, or
 * (at your option) any later version.
 *
 * This program is distributed in the hope that it will be useful,
 * but WITHOUT ANY WARRANTY; without even the implied warranty of
 * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
 * GNU General Public License for more details.
 *
 * You should have received a copy of the GNU General Public License
 * along with this program; if not, write to the Free Software
 * Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA  02111-1307  USA
 *
 * Needs to be Translated
 **/
$WoW_Locale = array('locale_name' => 'Deutsch (EU)', 'locale_region' => 'Europe', 'locale_region_america' => 'Americas', 'locale_region_euro' => 'Europe', 'locale_region_korea' => 'Korea', 'locale_region_taiwan' => 'Taiwán', 'locale_region_china' => 'China', 'locale_region_sa' => 'Southeast Asia', 'template_title' => 'World of Warcraft', 'expansion_0' => 'World of Warcraft&reg;', 'expansion_1' => 'World of Warcraft&reg;: the Burning Crusade', 'expansion_2' => 'World of Warcraft&reg;: Wrath of the Lich King', 'expansion_3' => 'World of Warcraft&reg;: Cataclysm', 'expansion_4' => 'World of Warcraft&reg;: Mists Of Pandaria', 'template_expansion_0' => 'Classic', 'template_expansion_1' => 'The Burning Crusade', 'template_expansion_2' => 'Wrath of the Lich King', 'template_expansion_3' => 'Cataclysm', 'template_expansion_4' => 'Mists Of Pandaria', 'character_class_1' => 'Warrior', 'character_class_2' => 'Paladin', 'character_class_3' => 'Hunter', 'character_class_4' => 'Rogue', 'character_class_5' => 'Priest', 'character_class_6' => 'Death Knight', 'character_class_7' => 'Shaman', 'character_class_8' => 'Mage', 'character_class_9' => 'Warlock', 'character_class_11' => 'Druid', 'character_race_1' => 'Human', 'character_race_2' => 'Orc', 'character_race_3' => 'Dwarf', 'character_race_4' => 'Night Elf', 'character_race_5' => 'Undead', 'character_race_6' => 'Tauren', 'character_race_7' => 'Gnome', 'character_race_8' => 'Troll', 'character_race_9' => 'Goblin', 'character_race_10' => 'Blood Elf', 'character_race_11' => 'Draenei', 'character_race_22' => 'Worgen', 'character_race_1_decl' => 'Human', 'character_race_2_decl' => 'Orc', 'character_race_3_decl' => 'Dwarf', 'character_race_4_decl' => 'Night Elf', 'character_race_5_decl' => 'Undead', 'character_race_6_decl' => 'Tauren', 'character_race_7_decl' => 'Gnome', 'character_race_8_decl' => 'Troll', 'character_race_9_decl' => 'Goblin', 'character_race_10_decl' => 'Blood Elf', 'character_race_11_decl' => 'Draenei', 'character_race_22_decl' => 'Worgen', 'reputation_rank_0' => 'Hated', 'reputation_rank_1' => 'Hostile', 'reputation_rank_2' => 'Unfriendly', 'reputation_rank_3' => 'Neutral', 'reputation_rank_4' => 'Friendly', 'reputation_rank_5' => 'Honoured', 'reputation_rank_6' => 'Revered', 'reputation_rank_7' => 'Exalted', 'faction_alliance' => 'Alliance', 'faction_horde' => 'Horde', 'creature_type_1' => 'Beast', 'creature_type_2' => 'Dragonkin', 'creature_type_3' => 'Demon', 'creature_type_4' => 'Elemental', 'creature_type_5' => 'Giant', 'creature_type_6' => 'Undead', 'creature_type_7' => 'Humanoid', 'creature_type_8' => 'Critter', 'creature_type_9' => 'Mechanical', 'creature_type_10' => 'Uncategorized', 'template_menu_game' => 'Game', 'template_menu_items' => 'Items', 'template_menu_forums' => 'Forums', 'template_locale_de' => 'German', 'template_locale_en' => 'English', 'template_locale_es' => 'Spanish', 'template_locale_fr' => 'French', 'template_locale_ru' => 'Russian', 'template_country_usa' => 'USA', 'template_country_fra' => 'French', 'template_country_deu' => 'Germany', 'template_country_esp' => 'Spain', 'template_country_rus' => 'Russian Federation', 'template_country_gbr' => 'Great Britain', 'template_month_1' => 'january', 'template_month_2' => 'february', 'template_month_3' => 'march', 'template_month_4' => 'april', 'template_month_5' => 'may', 'template_month_6' => 'june', 'template_month_7' => 'july', 'template_month_8' => 'august', 'template_month_9' => 'september', 'template_month_10' => 'october', 'template_month_11' => 'november', 'template_month_12' => 'december', 'armor_cloth' => 'Cloth', 'armor_leather' => 'Leather', 'armor_mail' => 'Mail', 'armor_plate' => 'Plate', 'template_buy_now' => 'or <a href="' . WoW::GetWoWPath() . '/account/management/digital-purchase.html?product=WOWC&amp;gameRegion=en">Buy</a> Now', 'template_search' => 'Search', 'template_bn_search' => 'Search Battle.net', 'template_search_site' => 'Search the Armory, forums and more...', 'template_bn_description' => 'Connect, compete and achieve', 'template_bn_new_account' => 'Sign up now!', 'template_bn_got_account' => 'Already a user?', 'template_bn_log_in' => 'Log In', 'template_bn_what_is_caption' => 'Join <strong>millions of players</strong> online and discover the most EPIC gaming experiences… ever! <span>Learn More</span>', 'template_servicebar_auth_caption' => '<a href="?login" onclick="return Login.open(\'' . WoW::GetWoWPath() . '/login/login.frag\')">Log in</a> or <a href="' . WoW::GetWoWPath() . '/account/creation/tos.html">Create an Account</a>', 'template_servicebar_account' => 'ACCOUNT', 'template_servicebar_support' => 'SUPPORT', 'template_servicebar_explore' => 'EXPLORE', 'template_servicebar_explore_menu_home_title' => 'Battle.net', 'template_servicebar_explore_menu_account_title' => 'Account', 'template_servicebar_explore_menu_support_title' => 'Support', 'template_servicebar_explore_menu_support_title_art' => 'Knowledge Center', 'template_servicebar_explore_menu_support_title_art_db' => 'Browse our support articles', 'template_servicebar_explore_menu_support_title_ticket' => 'Your Support Tickets', 'template_servicebar_explore_menu_support_title_ticket_desc' => 'View your active tickets (login required).', 'template_servicebar_explore_menu_buy_title' => 'Buy Games', 'template_servicebar_explore_menu_more_title' => 'More', 'template_servicebar_explore_menu_more_link1' => 'What is Battle.net?', 'template_servicebar_explore_menu_more_link2' => 'Parental Controls', 'template_servicebar_explore_menu_more_link3' => 'Account Security', 'template_servicebar_explore_menu_more_link4' => 'Add a Game', 'template_servicebar_explore_menu_more_link5' => 'Can\'t log in?', 'template_servicebar_explore_menu_more_link6' => 'Game Client Downloads<', 'template_servicebar_explore_menu_more_link7' => 'Redeem Promo Codes', 'template_servicebar_explore_menu_more_link8' => 'Classic Games', 'template_servicebar_explore_menu_starcraft' => 'StarCraft® II', 'template_servicebar_explore_menu_worldofwarcraft' => 'World of Warcraft', 'template_servicebar_explore_menu_diablo' => 'Diablo® III', 'template_servicebar_explore_menu_hs' => 'Hearthstone™', 'template_footer_home_title' => 'Battle.net', 'template_footer_home_link1' => 'What is Battle.net?', 'template_footer_home_link2' => 'Buy Games', 'template_footer_home_link3' => 'Account', 'template_footer_home_link4' => 'Support', 'template_footer_home_link5' => 'Real ID', 'template_footer_home_link6' => 'BattleTag', 'template_footer_games_title' => 'Games', 'template_footer_games_link1' => 'Starcraft II', 'template_footer_games_link2' => 'World of Warcraft', 'template_footer_games_link3' => 'Diablo III', 'template_footer_games_link4' => 'Classic Games', 'template_footer_games_link5' => 'Game Client Downloads', 'template_footer_account_title' => 'Account', 'template_footer_account_link1' => 'Can\'t log in?', 'template_footer_account_link2' => 'Create Account', 'template_footer_account_link3' => 'Account Summary', 'template_footer_account_link4' => 'Account Security', 'template_footer_account_link5' => 'Add a Game', 'template_footer_account_link6' => 'Redeem Promo Codes', 'template_footer_support_title' => 'Support', 'template_footer_support_link1' => 'Support Articles', 'template_footer_support_link2' => 'Parental Controls', 'template_footer_support_link3' => 'Protect Your Account', 'template_footer_support_link4' => 'Help! I got hacked', 'template_servicebar_welcome_caption' => 'Welcome, %s! |  <a href="?logout=fast" tabindex="50" accesskey="2">log out</a>', 'template_bn_browser_warning' => '<div class="warning-inner2">You are using an outdated web browser.<br /><a href="http://eu.blizzard.com/support/article/browserupdate">Upgrade</a> or <a href="http://www.google.com/chromeframe/?hl=en-GB" id="chrome-frame-link">install Google Chrome Frame</a>.<a href="#close" class="warning-close" onclick="App.closeWarning(\'#browser-warning\', \'browserWarning\'); return false;"></a></div>', 'template_bn_js_warning' => 'JavaScript must be enabled to use this site.', 'template_online_caption' => 'Online', 'template_indev_caption' => 'In Development', 'template_feature_not_available' => 'This feature is not yet available.', 'template_vault_auth_required' => 'This section is only accessible if you are logged in as this character.', 'template_vault_guild' => 'This section is only accessible if you are logged in as a character belonging to this guild.', 'template_js_requestError' => 'Your request cannot be completed.', 'template_js_ignoreNot' => 'Not ignoring this user', 'template_js_ignoreAlready' => 'Already ignoring this user', 'template_js_stickyRequested' => 'Sticky requested', 'template_js_postAdded' => 'Post added to tracker', 'template_js_postRemoved' => 'Post removed from tracker', 'template_js_userAdded' => 'User added to tracker', 'template_js_userRemoved' => 'User removed from tracker', 'template_js_validationError' => 'A required field is incomplete', 'template_js_characterExceed' => 'The post body exceeds XXXXXX characters.', 'template_js_searchFor' => 'Search for', 'template_js_searchTags' => 'Articles tagged:', 'template_js_characterAjaxError' => 'You may have become logged out. Please refresh the page and try again.', 'template_js_ilvl' => 'Item Lvl', 'template_js_shortQuery' => 'Search requests must be at least two characters long.', 'template_js_bold' => 'Bold', 'template_js_italics' => 'Italics', 'template_js_underline' => 'Underline', 'template_js_list' => 'Unordered List', 'template_js_listItem' => 'List Item', 'template_js_quote' => 'Quote', 'template_js_quoteBy' => 'Posted by {0}', 'template_js_unformat' => 'Remove Formating', 'template_js_cleanup' => 'Fix Linebreaks', 'template_js_code' => 'Code Blocks', 'template_js_item' => 'WoW Item', 'template_js_itemPrompt' => 'Item ID:', 'template_js_url' => 'URL', 'template_js_urlPrompt' => 'URL Address:', 'template_js_viewInGallery' => 'View in gallery', 'template_js_loading' => 'Loading…', 'template_js_unexpectedError' => 'An error has occurred', 'template_js_fansiteFind' => 'Find this on…', 'template_js_fansiteFindType' => 'Find {0} on…', 'template_js_fansiteNone' => 'No fansites available.', 'template_js_colon' => '{0}:', 'template_js_achievement' => 'achievement', 'template_js_character' => 'character', 'template_js_faction' => 'faction', 'template_js_class' => 'class', 'template_js_object' => 'object', 'template_js_talentcalc' => 'talents', 'template_js_skill' => 'profession', 'template_js_quest' => 'quest', 'template_js_spell' => 'spell', 'template_js_event' => 'event', 'template_js_title' => 'title', 'template_js_arena' => 'arena team', 'template_js_guild' => 'guild', 'template_js_zone' => 'zone', 'template_js_item' => 'item', 'template_js_race' => 'race', 'template_js_npc' => 'NPC', 'template_js_pet' => 'pet', 'template_404' => '<h2 class="http">Four,<br /> oh: four.</h2><h3>Page Not Found</h3><p>There was<br /> a <strong>PAGE</strong><br /> here.<br />It’s gone now.<br /><br /><em>(Is this what happens to pages that wander into the forest?)</em></p>', 'template_lowlevel' => '<h2>Oops</h2><h3>Only characters level 10 or higher can be viewed.</h3>', 'template_unavailable' => '<h2>Oops</h2><h3>Character Not Available</h3><p>This character profile could not be displayed, possibly for one of the following reasons:</p><ul><li>The character has been inactive for an extended period of time.</li><li>The character name or realm was spelled incorrectly.</li><li>The profile is temporarily unavailable while the character is in the midst of a process such as a realm transfer or faction change.</li><li>Characters that have been deleted are no longer available.</li></ul>', 'template_404_bn_title' => 'Page Not Found', 'template_404_bn_text' => 'The page you were looking for either doesn’t exist or some terrible, terrible error has occurred.', 'email_title' => 'E-mail Address', 'login_title' => 'Username', 'password_title' => 'Password', 'remember_me_title' => 'Keep me logged in', 'login_processing_title' => 'Processing…', 'authorization_title' => 'Log In', 'login_help_title' => 'Can’t log in?', 'have_no_account_title' => 'Don’t have an account yet?', 'create_account_title' => 'Sign up now!', 'account_security_title' => 'Learn how to protect your account', 'login_page_title' => 'Battle.net Account Login', 'login_page_create_account_title' => 'Creating a Battle.net Account is fast, easy, and free', 'login_page_create_account_link_title' => 'Create An Account', 'login_page_auth_title' => 'Log In', 'login_error_empty_username_title' => 'Account name required.', 'login_error_empty_password_title' => 'Password required.', 'login_error_wrong_username_or_password_title' => 'The username or password is incorrect. Please try again.', 'login_error_invalid_password_format_title' => 'Password invalid.', 'copyright_bottom_title' => '&copy; 2013 Blizzard Entertainment, Inc. All rights reserved', 'copyright_bottom_tos' => 'Terms of Use', 'copyright_bottom_legal' => 'Legal', 'copyright_bottom_privacy' => 'Privacy Policy', 'copyright_bottom_copyright' => 'Copyright Infringement', 'copyright_bottom_questions' => 'Need Help?', 'copyright_bottom_support' => 'Support Site', 'template_userbox_auth_caption' => '<strong>Log in now</strong> to enhance and<br> personalize your experience!', 'template_articles_full_caption' => 'More', 'template_sotd_sidebar_title' => 'Screenshot of the Day', 'template_sotd_sidebar_submit' => 'Submit screenshot', 'template_sotd_sidebar_all' => 'All screenshots', 'template_forums_sidebar_title' => 'Popular Topics', 'template_profile_caption' => 'Profile', 'template_my_forum_posts_caption' => 'View my posts', 'template_browse_auction_caption' => 'View auctions', 'template_browse_events_caption' => 'View events', 'template_manage_characters_caption' => 'Manage Characters<br /><span>Customize characters that appear in this menu.</span>', 'template_characters_not_found' => 'No characters were found', 'template_filter_caption' => 'Filter…', 'template_back_to_characters_list' => 'Return to characters', 'template_change_character' => 'Change character', 'template_no_talents' => 'Talents', 'template_lvl' => '', 'tempalte_lvl_fmt' => 'Level %d', 'template_primary_talents' => 'Primary', 'template_secondary_talents' => 'Secondary', 'template_item_bonding_1' => 'Binds when picked up', 'template_item_bonding_2' => 'Binds when equipped', 'template_item_bonding_3' => 'Binds when used', 'template_item_bonding_4' => 'Quest item', 'template_item_invtype_1' => 'Head', 'template_item_invtype_2' => 'Neck', 'template_item_invtype_3' => 'Shoulder', 'template_item_invtype_16' => 'Back', 'template_item_invtype_5' => 'Chest', 'template_item_invtype_20' => 'Chest', 'template_item_invtype_4' => 'Shirt', 'template_item_invtype_18' => 'Tabard', 'template_item_invtype_9' => 'Wrist', 'template_item_invtype_10' => 'Hands', 'template_item_invtype_6' => 'Waist', 'template_item_invtype_7' => 'Legs', 'template_item_invtype_8' => 'Feet', 'template_item_invtype_11' => 'Finger', 'template_item_invtype_12' => 'Trinket', 'template_item_invtype_13' => 'One-hand', 'template_item_invtype_14' => 'Shield', 'template_item_invtype_15' => 'Right hand', 'template_item_invtype_19' => 'Tabard', 'template_item_invtype_23' => 'One-hand', 'template_item_invtype_17' => 'Two-hand', 'template_item_invtype_26' => 'Ranged', 'template_item_invtype_28' => 'Relic', 'template_item_container' => '%d Slot Bag', 'template_item_weapon_delay' => 'Speed %s', 'template_item_weapon_damage' => '%d - %d Damage', 'template_item_weapon_dps' => '(%s damage per second)', 'template_item_projectile_dps' => '+%s damage per second', 'template_item_armor' => 'Armor: %d', 'template_item_block' => '%d Block', 'template_item_fire_res' => '+%d Fire Resistance', 'template_item_nature_res' => '+%d Nature Resistance', 'template_item_frost_res' => '+%d Frost Resistance', 'template_item_shadow_res' => '+%d Shadow Resistance', 'template_item_arcane_res' => '+%d Arcane Resistance', 'template_item_required_skill' => 'Requires %s (%d)', 'template_item_required_spell' => 'Requires %s', 'template_item_required_reputation' => 'Requires %s - %s', 'template_item_stat_3' => '<span>%d</span> Agility', 'template_item_stat_4' => '<span>%d</span> Strength', 'template_item_stat_5' => '<span>%d</span> Intellect', 'template_item_stat_6' => '<span>%d</span> Spirit', 'template_item_stat_7' => '<span>%d</span> Stamina', 'template_item_stat_8' => '<span>%d</span> Agility', 'template_item_stat_12' => 'Equip: Increases your defense rating by <span>%d</span>', 'template_item_stat_13' => 'Equip: Increases your parry rating by <span>%d</span>', 'template_item_stat_14' => 'Equip: Increases your parry rating by <span>%d</span>', 'template_item_stat_15' => 'Equip: Increases your shield block rating by <span>%d</span>', 'template_item_stat_16' => 'Equip: Increases your hit rating by <span>%d</span>', 'template_item_stat_17' => 'Equip: Increases your hit rating by <span>%d</span>', 'template_item_stat_18' => 'Equip: Increases your hit rating by <span>%d</span>', 'template_item_stat_19' => 'Equip: Increases your critical strike rating by <span>%d</span>', 'template_item_stat_20' => 'Equip: Increases your critical strike rating by <span>%d</span>', 'template_item_stat_21' => 'Equip: Increases your critical strike rating by <span>%d</span>', 'template_item_stat_28' => 'Equip: Increases your haste rating by <span>%d</span>', 'template_item_stat_29' => 'Equip: Increases your haste rating by <span>%d</span>', 'template_item_stat_30' => 'Equip: Increases your haste rating by <span>%d</span>', 'template_item_stat_31' => 'Equip: Increases your hit rating by <span>%d</span>', 'template_item_stat_32' => 'Equip: Increases your critical strike rating by <span>%d</span>', 'template_item_stat_33' => 'Equip: Increases your dodge rating by <span>%d</span>', 'template_item_stat_35' => 'Equip: Increases your resilience rating by <span>%d</span>', 'template_item_stat_36' => 'Equip: Increases your haste rating by <span>%d</span>', 'template_item_stat_37' => 'Equip: Increases your expertise rating by <span>%d</span>', 'template_item_stat_38' => 'Equip: Increases attack power by <span>%d</span>', 'template_item_stat_39' => 'Equip: Increases attack power by <span>%d</span>', 'template_item_stat_41' => 'Equip: Increases spell power by <span>%d</span>', 'template_item_stat_42' => 'Equip: Increases spell power by <span>%d</span>', 'template_item_stat_43' => 'Equip: Restores <span>%d</span> mana per 5 sec', 'template_item_stat_44' => 'Equip: Increases your armor penetration rating by <span>%d</span>', 'template_item_stat_45' => 'Equip: Increases spell power by <span>%d</span>', 'template_item_stat_46' => 'Equip: Increases your health regeneration by <span>%d</span>', 'template_stat_name_' . ITEM_MOD_MANA => 'Mana', 'template_stat_name_' . ITEM_MOD_HEALTH => 'Health', 'template_stat_name_' . ITEM_MOD_AGILITY => 'Agility', 'template_stat_name_' . ITEM_MOD_STRENGTH => 'Stregth', 'template_stat_name_' . ITEM_MOD_INTELLECT => 'Intellect', 'template_stat_name_' . ITEM_MOD_SPIRIT => 'Spirit', 'template_stat_name_' . ITEM_MOD_STAMINA => 'Stamina', 'template_stat_name_' . ITEM_MOD_DEFENSE_SKILL_RATING => 'Defense', 'template_stat_name_' . ITEM_MOD_DODGE_RATING => 'Dodge', 'template_stat_name_' . ITEM_MOD_PARRY_RATING => 'Parry', 'template_stat_name_' . ITEM_MOD_BLOCK_RATING => 'Block', 'template_stat_name_' . ITEM_MOD_HIT_MELEE_RATING => 'Hit Rating', 'template_stat_name_' . ITEM_MOD_HIT_RANGED_RATING => 'Hit Rating', 'template_stat_name_' . ITEM_MOD_HIT_SPELL_RATING => 'Hit Rating', 'template_stat_name_' . ITEM_MOD_CRIT_MELEE_RATING => 'Crit Rating', 'template_stat_name_' . ITEM_MOD_CRIT_RANGED_RATING => 'Crit Rating', 'template_stat_name_' . ITEM_MOD_CRIT_SPELL_RATING => 'Crit Rating', 'template_stat_name_' . ITEM_MOD_HIT_TAKEN_MELEE_RATING => '', 'template_stat_name_' . ITEM_MOD_HIT_TAKEN_RANGED_RATING => '', 'template_stat_name_' . ITEM_MOD_HIT_TAKEN_SPELL_RATING => '', 'template_stat_name_' . ITEM_MOD_CRIT_TAKEN_MELEE_RATING => '', 'template_stat_name_' . ITEM_MOD_CRIT_TAKEN_RANGED_RATING => '', 'template_stat_name_' . ITEM_MOD_CRIT_TAKEN_SPELL_RATING => '', 'template_stat_name_' . ITEM_MOD_HASTE_MELEE_RATING => 'Haste Rating', 'template_stat_name_' . ITEM_MOD_HASTE_RANGED_RATING => 'Haste Rating', 'template_stat_name_' . ITEM_MOD_HASTE_SPELL_RATING => 'Haste Rating', 'template_stat_name_' . ITEM_MOD_HIT_RATING => 'Hit Rating', 'template_stat_name_' . ITEM_MOD_CRIT_RATING => 'Crit Rating', 'template_stat_name_' . ITEM_MOD_HIT_TAKEN_RATING => '', 'template_stat_name_' . ITEM_MOD_CRIT_TAKEN_RATING => '', 'template_stat_name_' . ITEM_MOD_RESILIENCE_RATING => 'Resilience Rating', 'template_stat_name_' . ITEM_MOD_HASTE_RATING => 'Haste Rating', 'template_stat_name_' . ITEM_MOD_EXPERTISE_RATING => 'Expertise', 'template_stat_name_' . ITEM_MOD_ATTACK_POWER => 'Attack Power', 'template_stat_name_' . ITEM_MOD_RANGED_ATTACK_POWER => 'Attack Power', 'template_stat_name_' . ITEM_MOD_FERAL_ATTACK_POWER => 'Attack Power', 'template_stat_name_' . ITEM_MOD_SPELL_HEALING_DONE => 'Spell Power', 'template_stat_name_' . ITEM_MOD_SPELL_DAMAGE_DONE => 'Spell Power', 'template_stat_name_' . ITEM_MOD_MANA_REGENERATION => 'Mana Per 5 Sec.', 'template_stat_name_' . ITEM_MOD_ARMOR_PENETRATION_RATING => 'Armor Penetration Rating', 'template_stat_name_' . ITEM_MOD_SPELL_POWER => 'Spell Power', 'template_stat_name_' . ITEM_MOD_HEALTH_REGEN => 'Health Regeneration', 'template_stat_name_' . ITEM_MOD_SPELL_PENETRATION => 'Spell Penetration Rating', 'template_stat_name_' . ITEM_MOD_BLOCK_VALUE => 'Block', 'template_item_socket_1' => 'Meta Socket', 'template_item_socket_2' => 'Red Socket', 'template_item_socket_4' => 'Yellow Socket', 'template_item_socket_8' => 'Blue Socket', 'template_item_socket_match' => 'Socket Bonus:  %s', 'template_item_durability' => 'Durability %d/ %d', 'template_item_allowable_classes' => 'Classes:', 'template_item_allowable_races' => 'Races:', 'template_item_required_level' => 'Requires Level %d', 'template_item_itemlevel' => 'Item Level %d', 'template_item_sell_price' => 'Sell Price: ', 'template_item_unique' => 'Unique', 'template_item_heroic' => 'Heroic', 'template_item_conjured' => 'Conjured Item', 'template_item_set_bonus' => 'Set: %s', 'template_item_spell_trigger_0' => 'Use: %s', 'template_item_spell_trigger_1' => 'Equip: %s', 'template_item_spell_trigger_2' => 'Chance on hit: %s', 'template_item_spell_trigger_6' => 'Use: %s', 'template_item_quick_facts' => 'Quick Facts', 'template_item_disenchant_fact' => '<span class="term">Disenchant:</span> %d Enchanting', 'template_item_fansite_link' => 'Find this item on:', 'template_item_learn_more' => 'Learn More', 'template_item_tab_dropCreatures' => 'Dropped From (<em>%d</em>)', 'template_item_tab_dropGameObjects' => 'Contained In (<em>%d</em>)', 'template_item_tab_vendors' => 'Sold By (<em>%d</em>)', 'template_item_tab_currencyForItems' => 'Currency For Item (<em>%d</em>)', 'template_item_tab_rewardFromQuests' => 'Reward From Quest (<em>%d</em>)', 'template_item_tab_skinnedFromCreatures' => 'Skinned From (<em>%d</em>)', 'template_item_tab_pickPocketCreatures' => 'Picked Pocked From (<em>%d</em>)', 'template_item_tab_minedFromCreatures' => 'Mined From (<em>%d</%d>)', 'template_item_tab_createdBySpells' => 'Created By (<em>%d</em>)', 'template_item_tab_reagentForSpells' => 'Reagent For (<em>%d</em>)', 'template_item_tab_disenchantItems' => 'Disenchants Into (<em>%d</em>)', 'template_item_tab_comments' => 'Comments (<em>%d</em>)', 'template_item_tab_content_filter_for' => 'Show items for', 'template_item_tab_content_all_classes' => 'All Classes', 'template_item_tab_content_equipment_only' => 'Equipment only', 'template_item_tab_content_no_results' => 'No results found.', 'template_item_table_next' => 'Next', 'template_item_table_prev' => 'Prev', 'template_item_table_name' => 'Name', 'template_item_table_level' => 'Level', 'template_item_table_required_level' => 'Required', 'template_item_table_source' => 'Source', 'template_item_table_type' => 'Type', 'template_item_tab_header_name' => 'Name', 'template_item_tab_header_type' => 'Type', 'template_item_tab_header_level' => 'Level', 'template_item_tab_header_zone' => 'Zone', 'template_item_tab_header_droprate' => 'Drop Rate', 'template_item_tab_header_count' => 'Drop Count', 'template_item_tab_header_req_level' => 'Required', 'template_item_tab_header_slot' => 'Slot', 'template_item_tab_header_price' => 'Cost', 'template_item_tab_header_objectives' => 'Objectives', 'template_item_tab_header_requirements' => 'Requirements', 'template_item_tab_header_rewards' => 'Rewards', 'template_item_tab_header_profession' => 'Profession', 'template_item_tab_header_reagents' => 'Reagents', 'template_item_tab_header_buy_back_price' => 'Buy Back Price', 'template_item_tab_header_sell_price' => 'Sell Price', 'template_profile_summary' => 'Summary', 'template_profile_talents' => 'Talents & Glyphs', 'template_profile_lots' => 'Auctions', 'template_profile_events' => 'Events', 'template_profile_achievements' => 'Achievements', 'template_profile_statistics' => 'Statistics', 'template_profile_reputation' => 'Reputation', 'template_profile_feed' => 'Activity feed', 'template_profile_friends' => 'Friends', 'template_profile_guild' => 'Guild', 'template_profile_advanced_profile' => 'Advanced', 'template_profile_simple_profile' => 'Simple', 'template_profile_avg_itemlevel' => 'Average item level', 'template_profile_avg_equipped_itemlevel' => 'equipped', 'template_profile_recent_activity' => 'Recent Activity', 'template_profile_more_activity_feed' => 'Earlier Activity', 'template_profile_stats' => 'Base', 'template_profile_melee_stats' => 'Melee', 'template_profile_ranged_stats' => 'Ranged', 'template_profile_spell_stats' => 'Spell', 'template_profile_defense_stats' => 'Defense', 'template_profile_resistances_stats' => 'Resistance', 'template_profile_lastupdate' => 'Last updated on', 'stat_health' => 'Health', 'stat_power0' => 'Mana', 'stat_power1' => 'Rage', 'stat_power2' => 'Focus', 'stat_power3' => 'Energy', 'stat_power6' => 'Runic Power', 'stat_strength' => 'Strength', 'stat_agility' => 'Agility', 'stat_stamina' => 'Stamina', 'stat_intellect' => 'Intellect', 'stat_spirit' => 'Spirit', 'stat_mastery' => 'Mastery', 'stat_damage' => 'Damage', 'stat_dps' => 'DPS', 'stat_attack_power' => 'Attack Power', 'stat_haste' => 'Speed', 'stat_haste_rating' => 'Haste', 'stat_hit' => 'Hit', 'stat_crit' => 'Crit', 'stat_expertise' => 'Expertise', 'stat_spell_power' => 'Spell Power', 'stat_spell_haste' => 'Haste', 'stat_spell_penetration' => 'Penetration', 'stat_mana_regen' => 'Mana Regen', 'stat_combat_regen' => 'Combat Regen', 'stat_armor' => 'Armour', 'stat_dodge' => 'Dodge', 'stat_parry' => 'Parry', 'stat_block' => 'Block', 'stat_resilience' => 'Resilience', 'stat_resistance_arcane' => 'Arcane', 'stat_resistance_fire' => 'Fire', 'stat_resistance_frost' => 'Frost', 'stat_resistance_nature' => 'Nature', 'stat_resistance_shadow' => 'Shadow', 'template_profile_no_professions' => 'No profession', 'template_rated_bg_rating' => 'Battleground rating', 'template_honorable_kills' => 'Honourable kills', 'template_feed_obtained_item' => 'Obtained %s.', 'template_feed_achievement' => 'Earned the achievement %s for %d points.', 'template_feed_fos' => 'Earned feat of strength %s.', 'template_feed_day' => 'days', 'template_feed_sec' => 'seconds', 'template_feed_min' => 'minutes', 'template_feed_hour' => 'hours', 'template_feed_ago' => 'ago', 'template_guild' => 'Guild', 'template_guild_members_count' => '%d Members', 'template_guild_under_name' => 'Level <span class="level"><strong>%d</strong></span> <span class="faction">%s</span> Guild', 'template_guild_menu_summary' => 'Summary', 'template_guild_menu_roster' => 'Roster', 'template_guild_menu_news' => 'News', 'template_guild_menu_events' => 'Events', 'template_guild_menu_achievements' => 'Achievements', 'template_guild_menu_perks' => 'Perks', 'template_guild_menu_rewards' => 'Rewards', 'template_guild_news_sidebar' => 'Guild news', 'template_guild_news' => 'Guild news (%d)', 'template_guild_feed_achievement' => '%s earned the achievement «%s» for %d points.', 'template_guild_feed_fos' => '%s earned feat of strength «%s».', 'template_guild_feed_obtained_item' => '%s obtained item «%s».', 'template_guild_feed_recent_news' => 'Recent News', 'template_guild_feed_no_news' => 'No recent news available.', 'template_guild_feed_all_feeds' => 'All news', 'template_guild_top_contributors' => 'Top Weekly Contributors', 'template_guild_no_contributors' => 'No weekly contributions calculated yet.', 'template_guild_perk_level' => 'Level %d', 'template_guild_perks_filter' => 'Filter', 'template_guild_perks_all_perks' => 'All perks', 'template_guild_perks_all' => 'All', 'template_guild_perks_unlocked' => 'Unlocked', 'template_guild_perks_locked' => 'Locked', 'template_guild_perks_guild_level' => 'Guild Level', 'template_guild_perks_perk_desc' => 'Description', 'template_guild_roster_achievements' => 'Achievement Points', 'template_guild_roster_activity' => 'Guild Activity', 'template_guild_roster_professions' => 'Professions', 'template_guild_roster_filter' => 'Filter', 'template_guild_roster_reset_filter' => 'Reset', 'template_guild_roster_guild_rank' => 'Guild Rank', 'template_guild_roster_all_races' => 'All', 'template_guild_roster_all_classes' => 'All', 'template_guild_roster_all_ranks' => 'All', 'template_guild_roster_results_count' => 'Showing <strong class="results-start">%d</strong>–<strong class="results-end">%d</strong> of <strong class="results-total">%d</strong> results', 'template_guild_roster_rank' => 'Rank %d', 'template_guild_roster_guild_master' => 'Guild Master', 'template_guild_roster_profession' => 'Profession', 'template_guild_roster_all_professions' => 'All', 'template_guild_roster_skill_level' => 'Skill level', 'template_guild_roster_only_max_skill' => 'Show max skill only (' . MAX_PROFESSION_SKILL_VALUE . ')', 'template_guild_roster_profession_skill' => 'Skill', 'template_character_friends_sidebar' => 'Character friends', 'template_character_friends_caption' => 'Character friends (%d)', 'template_character_friends_character' => '%d %s %s', 'template_search_results_search' => 'Search results for<span>%s</span>', 'template_search_results_wowcharacter' => 'Character results for<span>%s</span>', 'template_search_results_wowitem' => 'Item results for <span>%s</span>', 'template_search_filter' => 'Sort by:', 'template_search_filter_score' => 'Relevance', 'template_search_filter_time' => 'Date', 'template_search_filter_popularity' => 'Popularity', 'template_search_results_all' => 'All (%d)', 'template_search_results_arenateams' => 'Arena Teams (%d)', 'template_search_results_articles' => 'Articles (%d)', 'template_search_results_characters' => 'Characters (%d)', 'template_search_results_items' => 'Items (%d)', 'template_search_results_forums' => 'Forums (%d)', 'template_search_results_guilds' => 'Guilds (%d)', 'template_search_table_charname' => 'Name', 'template_search_table_level' => 'Level', 'template_search_table_race' => 'Race', 'template_search_table_class' => 'Class', 'template_search_table_faction' => 'Faction', 'template_search_table_guild' => 'Guild', 'template_search_table_realm' => 'Realm', 'template_search_table_battlegroup' => 'Battlegroup', 'template_realm_status' => 'Realm Status', 'template_realm_status_all_realms' => 'All Realms', 'template_realm_status_display_filters' => 'Show filters', 'template_realm_status_hide_filters' => 'Hide filters', 'template_realm_status_all' => 'All', 'template_realm_status_status' => 'Status', 'template_realm_status_up' => 'Up', 'template_realm_status_down' => 'Down', 'template_realm_status_realm_name' => 'Realm Name', 'template_realm_status_realm_type' => 'Type', 'template_realm_status_type_normal' => 'Normal', 'template_realm_status_type_pve' => 'PvE', 'template_realm_status_type_rppvp' => 'RP PvP', 'template_realm_status_type_pvp' => 'PvP', 'template_realm_status_type_roleplay' => 'RP', 'template_realm_status_population' => 'Population', 'template_realm_status_popul_high' => 'High', 'template_realm_status_popul_medium' => 'Medium', 'template_realm_status_popul_low' => 'Low', 'template_realm_status_language' => 'Locale', 'template_realm_status_queue' => 'Queue', 'template_realm_status_reset_filters' => 'Reset', 'template_realm_status_desc' => 'This page lists all available World of Warcraft realms as well as the status of each. A realm can be listed as either Up or Down. Messages related to realm status and scheduled maintenance will be posted in the <a href="http://eu.battle.net/wow/en/forum/1028280/">Service Status forum</a>. Let us apologize in advance if your Realm is listed as down. Chances are we’re working diligently to bring it back online as quickly as possible.', 'template_realm_status_available' => 'Up', 'template_realm_status_not_available' => 'Down', 'template_realm_status_filters_not_found' => 'No results match the selected filters.', 'template_menu_character_info' => 'Character Summary', 'template_achievements_search' => 'Filter achievements…', 'template_achievements_progress' => 'Progress Overview', 'template_achievements_total_completed' => 'Total Completed', 'template_achievements_points_tooltip' => 'Tooltip.show(this, &#39;%d / %d points&#39;, { location: &#39;middleRight&#39; });', 'template_achievements_progress_bar_data' => '%d / %d (%d%%)', 'template_achievements_latest_achievements' => 'Recently Earned', 'template_reputation' => 'Reputation', 'template_reputation_faction_others' => 'Other', 'template_reputation_tabular' => 'Tabular', 'template_reputation_simple' => 'Simple', 'template_reputation_table_name' => 'Name', 'template_reputation_table_standing' => 'Standing', 'template_team_type_format' => '%dv%d', 'template_character_team_name' => 'Team', 'template_character_personal_rating' => 'Personal', 'template_character_pvp_games' => 'Matches', 'template_character_pvp_lost_won' => 'Win - Loss', 'template_character_team_rating' => 'Team Rating', 'template_character_team_per_season' => 'Season', 'template_character_team_per_week' => 'Weekly', 'template_character_pvp_roster' => 'Roster', 'template_character_pvp_name_roster' => 'Name', 'template_character_pvp_played_roster' => 'Played', 'template_character_pvp_lost_won_roster' => 'Win - Loss', 'template_character_pvp_lost_won_weekly_roster' => 'Win - Loss', 'template_character_pvp_rating_roster' => 'Rating', 'template_character_pvp_season' => 'Season', 'template_character_pvp_week' => 'This week', 'template_character_pvp_personal_rating' => 'Personal rating', 'template_character_pvp_unranked' => 'Unranked', 'template_character_audit' => 'Character Audit', 'template_character_audit_help' => 'What is this?', 'template_character_audit_empty_glyph_slots' => '<li><span class="number">%d</span> empty glyph slots</li>', 'template_character_audit_unspent_talent_points' => '<li><span class="number">%d</span> unspent talent points</li>', 'template_character_audit_unenchanted_items' => '<span class="number">%d</span> unenchanted items', 'template_character_audit_empty_sockets' => '<span class="number">%d</span> empty sockets in <span class="tip">%d items</span>', 'template_character_audit_nonop_armor' => '<span class="number">%d</span> non-optimal armour (not %s)', 'template_character_audit_missing_belt_buckle' => 'Missing <a href="' . WoW::GetWoWPath() . '/item/%d" class="color-q3">%s</a>', 'template_character_audit_passed' => 'This character passed the audit!', 'template_character_reforge' => 'Reforging', 'template_character_reforge_none' => 'No items have been reforged.', 'template_gems_enchants_bonuses' => 'Enchant/Gem Bonuses', 'template_used_gems' => 'Gems', 'template_character_audit_no_gems' => 'This character doesn’t use any gems.', 'template_character_audit_no_bonuses' => 'No bonuses were found.', 'template_character_profile_other_stats' => 'Other', 'template_character_profile_toggle_stats_all' => 'Show all stats', 'template_character_statistic_update' => 'Latest Updated Statistics', 'template_character_feed' => 'Activity Feed', 'template_character_feed_most_recent_events' => 'Displaying the 50 most recent events for this character.', 'template_blog_report_post' => 'Report Post #<span id="report-postID"></span> written by <span id="report-poster"></span>', 'template_blog_report_reason' => 'Reason', 'template_blog_report_reasons' => '<option value="SPAMMING">Spamming</option><option value="REAL_LIFE_THREATS">Real Life Threats</option><option value="BAD_LINK">Bad Link</option><option value="ILLEGAL">Illegal</option><option value="ADVERTISING_STRADING">Advertising</option><option value="HARASSMENT">Harassment</option><option value="OTHER">Other</option><option value="NOT_SPECIFIED">Not Specified</option><option value="TROLLING">Trolling</option>', 'template_blog_report_description' => 'Explain <small>(256 characters max)', 'template_blog_send_report' => 'Submit', 'template_blog_cancel_report' => 'Cancel', 'template_blog_report_success' => 'Reported!', 'template_blog_close_report' => 'Close', 'template_blog_comments' => 'Comments', 'template_blog_add_post' => 'Add a reply', 'template_blog_add_to_black_list' => 'Ignore', 'template_blog_remove_from_black_list' => 'Unignore', 'template_blog_answer' => 'Reply', 'template_blog_lookup_forum_messages' => 'View posts', 'template_blog_add_post_button' => 'Post', 'template_blog_karma_up' => 'Like', 'template_blog_karma_down' => 'Dislike', 'template_blog_karma_trolling' => 'Trolling', 'template_blog_karma_spam' => 'Spam', 'template_blog_karma_report' => 'Report', 'template_blog_karma_already_rated' => 'You have already rated this item.', 'template_game_welcome' => 'Welcome to the <br/>World of Warcraft Game Guide', 'template_game_subwelcome' => 'Your life as a hero will take you to the far ends of a world of magic, mystery, and unlimited adventure. This section is designed to help you on your first steps into the epic fantasy of World of Warcraft.', 'template_game_guide_title' => 'World of Warcraft', 'template_game_beginners_guide_title' => 'Beginner’s Guide', 'template_game_guide_desc' => 'Our complete beginner’s guide will teach you everything you need to know to get started.', 'template_game_race_title' => 'Races', 'template_game_race_desc' => 'Learn more about the background of the game’s playable races, their homelands, and much more.', 'template_game_class_title' => 'Classes', 'template_game_class_desc' => 'Information about the game’s classes with a description of their playstyles and history.', 'template_game_patch_notes_title' => 'Patch Notes', 'template_game_patch_notes_desc' => 'Learn how the game has grown with each content patch and preview future changes here.', 'template_game_lore_title' => 'The History of Warcraft', 'template_game_lore_desc' => 'Browse our growing library of short stories set in the Warcraft universe.', 'template_game_updates' => 'Recent Updates', 'template_game_web_features' => 'Web Features', 'template_game_arena_season_title' => 'Season 9 Arena Ladders', 'template_game_arena_season_desc' => 'The ranked Arena ladders for season 9 are live. Check them out now!', 'template_game_realm_status_title' => 'Realm Status', 'template_game_realm_status_desc' => 'Get real-time updates on the status of all World of Warcraft realms.', 'template_game_armory_title' => 'Looking for the Armory?', 'template_game_armory_desc' => 'Find out how the new Armory is seamlessly integrated with the World of Warcraft community website.', 'template_game_learn_more' => 'Learn More', 'template_game_wowhead_title' => 'Wowhead', 'template_game_wowhead_desc' => 'Browse Wowhead’s extensive database of World of Warcraft items, quests, NPCs, and much more!', 'template_game_wowpedia_title' => 'Wowpedia', 'template_game_wowpedia_desc' => 'Wowpedia is a comprehensive wiki dedicated to cataloguing the Warcraft universe.', 'template_game_dungeons_and_raids' => 'Dungeons & Raids', 'template_game_factions' => 'Factions', 'template_game_primary_professions' => 'Primary', 'template_game_secondary_professions' => 'Secondary', 'template_game_lore' => 'Expanded Universe', 'template_game_lore_story' => 'Short Stories', 'template_game_lore_leaders' => 'Leader Short Stories', 'template_game_expansion_4' => 'Mists Of Pandaria', 'template_game_expansion_3' => 'Cataclysm', 'template_game_expansion_2' => 'Wrath of the Lich King', 'template_game_expansion_1' => 'The Burning Crusade', 'template_game_expansion_0' => 'Classic', 'template_under_development' => 'UNDER DEVELOPMENT', 'template_stay_connected' => 'STAY CONNECTED', 'template_auction_auction' => 'Auction House', 'template_auction_my_lots' => 'My Auctions', 'template_auction_sold' => 'Sold', 'template_auction_selling' => 'Selling', 'template_auction_ended' => 'Ended', 'template_auction_my_bids' => 'My Bids', 'template_auction_won' => 'Won', 'template_auction_winning' => 'Winning', 'template_auction_lost' => 'Lost', 'template_auction_earned' => 'Earned', 'template_auction_mailbox' => 'Mailbox', 'template_account_status_posting_disabled' => 'Posting on this account is disabled.', 'template_account_status_info_no_subscribe' => 'This game licence has expired or been frozen.', 'template_account_status_info_no_session' => 'You are not logged in.', 'template_account_status_info_success' => 'This account appears to be in good standing. Carry on.', 'template_account_status_clear_session' => 'If you believe you are seeing this message in error, log out and log back in to clear your session.', 'template_account_status_log_out' => 'Log Out', 'template_management_main_title' => 'Battle.Net Account', 'template_management_account_management' => 'Account', 'template_management_account_creation' => 'Account Creation', 'template_management_menu_information' => 'Summary', 'template_management_menu_parameters' => 'Settings', 'template_management_menu_games' => 'Games & Codes', 'template_management_menu_operations' => 'Transaction History', 'template_management_menu_security' => 'Security Options', 'template_management_menu_parameters_change_email' => 'Change E-mail Address', 'template_management_menu_parameters_change_password' => 'Change Password', 'template_management_menu_parameters_change_communication' => 'Communication Preferences', 'template_management_menu_parameters_parental_control' => 'Parental Controls', 'template_management_menu_parameters_payment_method' => 'My Payment Options', 'template_management_menu_parameters_address_book' => 'Contact & Shipping Addresses', 'template_management_menu_games_add_game' => 'Add or Upgrade a Game', 'template_management_menu_games_get_a_game' => 'Buy Digital Games', 'template_management_menu_games_wow_conversion' => 'Merge a World of Warcraft&reg; Account', 'template_management_menu_games_download' => 'Download Game Clients', 'template_management_menu_games_beta_profile' => 'Beta Profile Settings', 'template_management_menu_games_redeem' => 'Item Code Redemption', 'template_management_account_details' => 'Account Details', 'template_management_account_name' => 'Account Name', 'template_management_edit_link' => 'Edit', 'template_management_address' => 'Address', 'template_management_account_security' => 'Account Security', 'template_management_management_account_security' => 'Manage Security Options', 'template_management_your_games' => 'Your Game Accounts', 'template_management_ptr_world' => 'Public Test Realm (PTR)', 'template_management_trial_version' => 'Trial', 'template_management_add_trial' => 'Add Trial', 'template_management_tooltip_trial_expired_1' => 'Trial Expired (Upgrade Available)', 'template_management_tooltip_trial_expired_2' => 'Trial Expired (Upgrade Is Not Available)', 'template_management_tooltip_add_trial' => 'Click to add a free 10-day trial for World of Warcraft &reg; now.', 'template_management_add_a_game' => 'Add a Game', 'template_wow_dashboard_management' => 'Game Management', 'template_wow_dashboard_account_status' => 'Status', 'template_wow_dashboard_account_active' => 'Active', 'template_wow_dashboard_account_banned' => 'Suspended', 'template_wow_dashborad_subscribe' => 'Current Game Time Source', 'template_wow_dashboard_unlimited_sub' => 'Unlimited Subscription', 'template_wow_dashboard_product_level' => 'Product Level', 'template_wow_dashboard_standart_edition' => 'Standard Edition', 'template_wow_dashboard_region' => 'Region', 'template_wow_dashboard_wowremote' => 'World of Warcraft Remote', 'template_wow_dashboard_wowremote_unsub' => 'Unsubscribed', 'template_wow_dashboard_buy_game_time' => 'Buy Game Time / Subscription', 'template_wow_dashboard_active_timecard' => 'Add Game Time Code', 'template_wow_dashboard_view_account_history' => 'View Account History', 'template_wow_dashboard_download_game_client' => 'Download Game Client', 'template_wow_dashboard_character_services' => 'Character Services', 'template_wow_dashboard_additional_services' => 'Additional Services', 'template_wow_dashboard_referral_services' => 'Referrals & Rewards', 'template_wow_dashboard_game_time_services' => 'Game Time & Subscriptions', 'template_wow_dashboard_service_transfer_title' => 'Character Transfer', 'template_wow_dashboard_service_transfer_desc' => 'Move your characters to different realms or accounts', 'template_wow_dashboard_service_name_title' => 'Name Change', 'template_wow_dashboard_service_name_desc' => 'Change your characters’ names', 'template_wow_dashboard_service_faction_title' => 'Faction Change', 'template_wow_dashboard_service_faction_desc' => 'Change a character’s faction (Horde to Alliance or Alliance to Horde)', 'template_wow_dashboard_service_apperance_title' => 'Appearance Change', 'template_wow_dashboard_service_apperance_desc' => 'Change your characters’ appearance (optional name change included)', 'template_wow_dashboard_service_race_title' => 'Race Change', 'template_wow_dashboard_service_race_desc' => 'Change a character’s race (within your current faction)', 'template_wow_dashboard_service_migration_title' => 'Free Character Migration', 'template_wow_dashboard_service_migration_desc' => 'Transfer your characters to lower population realms', 'template_wow_dashboard_service_ptr_title' => 'Public Test Realm', 'template_wow_dashboard_service_ptr_desc' => 'Copy your characters to the Public Test Realms', 'template_wow_dashboard_service_arenapass_title' => 'Arena Pass (Closed)', 'template_wow_dashboard_service_arenapass_desc' => 'Arena Pass registration is currently closed. Click here for more information.', 'template_wow_dashboard_service_parental_title' => 'Parental Controls', 'template_wow_dashboard_service_parental_desc' => 'Manage, monitor, and limit your child’s play time', 'template_wow_dashboard_service_recruit_title' => 'Recruit a Friend', 'template_wow_dashboard_service_recruit_desc' => 'Earn game time, in-game rewards, and more by recruiting your friends', 'template_wow_dashboard_service_scroll_title' => 'Scroll of Resurrection', 'template_wow_dashboard_service_scroll_desc' => 'Earn game time by recruiting your retired friends', 'template_wow_dashboard_service_gamecard_title' => 'Add a Game Card', 'template_wow_dashboard_service_gamecard_desc' => 'Add World of Warcraft game time to your account in prepaid intervals.', 'template_wow_dashboard_service_wowremote_title' => 'World of Warcraft Remote', 'template_wow_dashboard_service_wowremote_desc' => 'Use all the features of the Remote Auction House', 'template_wow_dashboard_upgrade_account_enter_cdkey' => 'Enter your CD Key', 'template_wow_dashboard_upgrade_account_header' => 'Upgrade Account', 'template_wow_dashboard_upgrade_account_cancel' => 'Cancel', 'template_wow_dashboard_upgrade_account_note' => 'Not case-sensitive, no spaces or hyphens required.', 'template_bn_orders' => 'Order Box', 'template_bn_buy_egame' => 'Buy Digital', 'template_bn_community' => 'Community', 'template_bn_manage_game' => 'Manage Game', 'template_bn_buy_game' => 'Buy Games', 'template_bn_my_games' => 'My Games', 'template_bn_game_cs' => 'Game Community Sites', 'template_bn_sc2_cs' => 'Visit StarCraft® II', 'template_bn_wow_cs' => 'Visit World of Warcraft®', 'template_bn_diablo3_cs' => 'Visit Diablo® III', 'template_bn_hs_cs' => 'Visit Hearthstone™', 'template_bn_what_is_it_title' => 'What is Battle.Net?', 'template_bn_what_is_it_intro_header' => 'Connect. Play. Unite.', 'template_bn_what_is_it_intro_text' => 'At this moment, gamers around the world are meeting up on Battle.net to prove their skill in epic multiplayer matches or simply to socialize with their friends. Blizzard Entertainment’s vision for the new Battle.net is to unite all Blizzard gamers under the banner of a single, powerful, and advanced online gaming service. For the first time since its inception in 1996, we have completely overhauled Battle.net to offer a more user-friendly, more consistent, and more fun online experience for Blizzard gamers. Read on to discover what the next-generation Battle.net service has to offer.', 'template_bn_what_is_it_community_header' => 'Join a Community of Millions', 'template_bn_what_is_it_community_text' => 'For more than thirteen years, Battle.net has been home to an ever-growing number of gamers from around the world. Today, millions of gamers are playing on Battle.net, and new players find their way here every day. Join them now and become part of one of the world’s most connected, dedicated, and fun online gaming communities.', 'template_bn_what_is_it_match_header' => 'Find the Perfect Match', 'template_bn_what_is_it_match_text' => 'Battle.net’s smart and accurate matchmaking system helps ensure a fair and more enjoyable ranked multiplayer experience in StarCraft II. The new Battle.net matchmaking service measures player skill more precisely than ever before, making online competitive play more accessible for a wider audience.', 'template_bn_what_is_it_play_header' => 'Purchase and Play', 'template_bn_what_is_it_play_text' => 'Purchase games directly through the online Blizzard Store and download them to start playing immediately. You can also re-download your games at any time via the Battle.net account management website, which means that even if you play on more than one computer or upgrade your system, your games will be there whenever you want them.', 'template_bn_what_is_it_compete_header' => 'The Evolution of Competition', 'template_bn_what_is_it_compete_text' => 'The all-new Leagues and Ladders system for StarCraft II builds on Battle.net’s multiplayer ranking and matchmaking. After using the matchmaking system a few times, Battle.net will automatically place you in the division that best suits your skill level, making ranked online play more enjoyable and giving you a fair shot at victory in your division.', 'template_bn_what_is_it_cloud_header' => 'Your Save Games on the Go', 'template_bn_what_is_it_cloud_text' => 'StarCraft II is the first game that makes use of Battle.net’s new online storage feature, automatically syncing your campaign progress to the service as you play. This means that even if you play on a different computer, you’ll be able to continue your epic adventure right where you left off.', 'template_bn_what_is_it_media_header' => 'Experience the Game Beyond the Game', 'template_bn_what_is_it_media_text' => 'Develop a persistent online character profile as you progress through StarCraft II, encompassing your in-game statistics, win-loss record, league placement, and more. Earn over 500 achievements spanning the campaign and multiplayer game modes, and unlock a variety of rewards, including portraits and decals to customize your in-game armies. Whether it’s about showing off your skills or collecting rewards, Battle.net brings a new level of fun to the online gaming experience.', 'template_bn_what_is_it_modding_header' => 'Mod Mania', 'template_bn_what_is_it_modding_text' => 'Become a part of StarCraft II’s custom-game ecosystem with Battle.net’s map-publishing feature. Upload the maps you create with the StarCraft II Galaxy Editor to the service and share them with the rest of the community immediately, or browse and download other players’ maps directly through Battle.net.', 'template_bn_what_is_it_connect_header' => 'The Blizzard Social Community', 'template_bn_what_is_it_connect_text' => 'Battle.net’s new, optional Real ID feature provides you with advanced ways for forming and maintaining meaningful relationships with your friends on the service. When you and a friend agree to become Real ID friends, you’ll have access to a number of additional features that will enrich your social gaming experience. Engage in cross-game chat, send broadcast messages, and get detailed status information about your friends no matter what character or game they’re logged into.', 'template_bn_what_is_it_connect_text_real_id' => 'El <a href="../realid/index.html">ID Real</a> de Battle.net es un nivel de identidad voluntario y opcional que fue diseñado para ayudarte a formar y conservar relaciones significativas con tus amigos de la vida real en el servicio. Cuando tú y un amigo acepten convertirse en amigos de ID Real, tendrás acceso a características adicionales que enriquecerán el aspecto social de tu experiencia de juego. Podrás usar chat entre facciones, enviar transmisiones y obtener información detallada sobre tus amigos sin importar qué título estén jugando o qué personaje estén usando. <a href="../realid/index.html">Más información</a>.', 'template_bn_what_is_it_top' => 'Back to top', 'template_account_no_address' => 'No address on file', 'template_account_add_address' => 'Add', 'template_account_creation_privacy_notify' => '<b>We value and respect your privacy.</b> Find out how Blizzard safeguards user information by reading our <a href="http://eu.blizzard.com/en-gb/company/about/privacy.html" onclick="window.open(this.href); return false;">Online Privacy Policy</a>.', 'template_account_creation_select_country' => 'Country of Residence:', 'template_account_creation_change_country' => 'Change Country', 'template_account_creation_change_country_confirm' => 'If you change your country, you will get different form fields for account creation and address entry that may not match your situation. Proceed?', 'template_account_creation_change_country_confirm_yes' => 'Change Country', 'template_account_creation_birthday' => 'Date of Birth:', 'template_account_creation_birthday_day' => 'Day', 'template_account_creation_birthday_month' => 'Month', 'template_account_creation_birthday_year' => 'Year', 'template_account_creation_child_notify' => 'Parents registering for children, <a href="/account/creation/parent-signup.html">click here.</a>', 'template_account_creation_treatment' => 'Title:', 'template_account_creation_treatment_1' => 'Mr', 'template_account_creation_treatment_2' => 'Ms', 'template_account_creation_treatment_3' => 'Mrs', 'template_account_creation_treatment_4' => 'Miss', 'template_account_creation_first_name' => 'First Name', 'template_account_creation_last_name' => 'Last Name', 'template_account_creation_email' => 'E-mail Address:', 'template_account_creation_set_email' => 'Enter E-mail Address', 'template_account_creation_confirm_email' => 'Re-enter E-mail Address', 'template_account_creation_password' => 'Password:'******'template_account_creation_set_password' => 'Enter Password', 'template_account_creation_confirm_password' => 'Re-enter Password', 'template_account_creation_password_hint' => 'For your security, we highly recommend that you choose a unique password that you don’t use for any other online account.', 'template_account_creation_security_level' => 'Password Strength:', 'template_account_creation_security_0' => 'Your password must be between 8–16 characters in length.', 'template_account_creation_security_1' => 'Your password may only contain alphabetic characters (A–Z), numeric characters (0–9), and punctuation.', 'template_account_creation_security_2' => 'Your password must contain at least one alphabetic character and one numeric character.', 'template_account_creation_security_3' => 'You cannot enter your account name as your password.', 'template_account_creation_security_4' => 'Passwords must match.', 'template_account_creation_security_5' => '', 'template_account_creation_secret_question' => 'Secret Question &amp; Answer:', 'template_account_creation_secret_question_chose' => 'Select a Question', 'template_account_creation_secret_question_1' => 'First elementary school I attended?', 'template_account_creation_secret_question_2' => 'The high school I graduated from?', 'template_account_creation_secret_question_3' => 'Mother’s city of birth?', 'template_account_creation_secret_question_4' => 'Father’s city of birth?', 'template_account_creation_secret_question_5' => 'Your city of birth?', 'template_account_creation_secret_question_6' => 'Name of your first pet?', 'template_account_creation_secret_question_7' => 'Best friend in high school?', 'template_account_creation_secret_question_8' => 'Model of your first car?', 'template_account_creation_secret_question_9' => 'Your favorite sports team?', 'template_account_creation_secret_question_10' => 'Your first employer (company name)?', 'template_account_creation_secret_answer' => 'Answer', 'template_account_creation_secret_question_hint' => 'This information is used for account security related issues such as resetting your password.', 'template_account_creation_tos_agreement_text' => 'I accept the <a href="http://eu.blizzard.com/en-gb/company/about/termsofuse.html" onclick="window.open(this.href); return false;">Terms of Use</a> applicable to my country of residence and if under 18 years old, agree and acknowledge that my parent or guardian has also reviewed and accepted the Terms of Use on my behalf.', 'template_account_creation_pm_monitoring_agreement_text' => 'I consent to Blizzard monitoring and/or reviewing my personal messages.', 'template_account_creation_create' => 'Create Account', 'template_account_creation_js_emailMessage1' => 'This will be the username you use to log in.', 'template_account_creation_js_emailError1' => 'Not a valid e-mail address.', 'template_account_creation_js_emailError2' => 'E-mail addresses must match.', 'template_account_creation_js_passwordError1' => 'Password does not meet guidelines.', 'template_account_creation_js_passwordError2' => 'Passwords must match.', 'template_account_creation_js_passwordStrength0' => 'Too Short', 'template_account_creation_js_passwordStrength1' => 'Weak', 'template_account_creation_js_passwordStrength2' => 'Fair', 'template_account_creation_js_passwordStrength3' => 'Strong', 'template_account_creation_error_email_used' => 'This e-mail address is already in use.', 'template_account_creation_error_fields' => 'Please fill in all required fields.', 'template_account_creation_error_exception' => 'Account creation failed. Please, try again.', 'template_account_not_verified_email' => 'The e-mail address (<em>%s</em>) is currently unverified.', 'template_account_not_verified_resend_email' => 'You will be unable to access game management or perform certain account functions until this address has been verified. Please check your inbox for a verification e-mail.', 'template_account_not_verified_resend_email_link' => 'Resend verification e-mail', 'template_account_not_verified_resending' => 'Resending…', 'template_account_not_verified_sent_error' => 'There was an error with your request.', 'template_account_not_verified_sent_success' => '<p>A verification e-mail has been sent to your registered e-mail address.</p><p>Please check your inbox and follow the provided instructions to complete the e-mail address verification process.</p>', 'template_account_verify_success' => 'E-mail Address Verified', 'template_account_verify_success_text' => 'The Battle.net account <strong>%s</strong> has been verified. You now have full access to Battle.net account management.', 'template_account_verify_error' => 'Account Verification Error', 'template_account_verify_error_text' => '<p>An error has occurred, possibly for one of the following reasons:</p><ul><li>This Battle.net account has already been verified.</li><li>The verification link you’ve clicked on is expired or invalid.</li><li>The account verification attempt was unsuccessful. Please try again, as this may be a temporary issue.</li></ul><p>Click the button below to return to Battle.net Account Management, where you can request another copy of the verification e-mail.</p>', 'template_account_continue_to_mgm' => 'Continue to Account Management', 'template_account_no_games' => 'There are currently no games associated with this Battle.net Account.<br /><a href="' . WoW::GetWoWPath() . '/account/management/add-game.html">Add a game</a> or <a href="' . WoW::GetWoWPath() . '/account/management/wow-account-conversion.html">merge a World of Warcraft® account</a>.', 'template_account_conversion_error_title' => 'Произошла ошибка', 'template_account_conversion_error_text' => 'Имя пользователя было указано некорректно. Попробуйте ввести его заново.', 'template_account_conversion_error_close' => 'Закрыть', 'template_account_conversion_no_region_merge_text_kr' => 'You should change your country to Korea, republic of and verify your Personal Residence Number to use Korean games.', 'template_account_conversion_no_region_merge' => 'Game Region Warning', 'template_account_conversion_no_region_merge_text' => 'The World of Warcraft account merge process is not yet available in your region.', 'template_account_conversion_authentication_notify' => 'If you lost you authenticator, please detach the authenticator first. (※ Security card service ended and automatically detached.)', 'template_account_conversion_authenticator_read_more' => 'Read more', 'template_account_conversion_phone_lock_notify' => 'If you use Phone Lock: please unlock your World of Warcraft account before merging.', 'template_account_conversion_phone_lock_numbers' => '<p>Taiwan: 0800-303-585<br /><em>(Not available 10-11AM every first Wed of the month)</em></p><p>Hong Kong &amp; Macau: 396-54666</p>', 'template_account_conversion_header' => 'Merge a World of Warcraft® Account', 'template_account_conversion_progress' => '<span>Progress %d%%</span> [Step %d of 3]', 'template_account_conversion_required_fields' => 'Required', 'template_account_conversion_info' => 'Enter the username and password of the World of Warcraft® account you wish to permanently merge into this Battle.net account. You will have the opportunity to merge additional accounts after this process is complete. After merging, you will use your Battle.net account e-mail address and password to log in to this World of Warcraft account.', 'template_account_conversion_region_prompt' => 'Where is your World of Warcraft account?', 'template_account_conversion_region_us' => 'Americas &amp; Oceania', 'template_account_conversion_region_eu' => 'Europe', 'template_account_conversion_region_kr' => 'Korea', 'template_account_conversion_account_name' => 'World of Warcraft Account Name:', 'template_account_conversion_account_password' => 'World of Warcraft Account Password:'******'template_account_conversion_lost_password' => 'Forgot your password?', 'template_account_conversion_next' => 'Continue', 'template_account_conversion_merging_accounts' => 'Merging Additional Accounts', 'template_account_conversion_merging_head' => 'Before proceeding, please confirm that you are the only person playing this additional World of Warcraft account.', 'template_account_conversion_merging_text' => 'A Battle.net account and its merged World of Warcraft accounts may not be shared. In the future, we plan to add community features to Battle.net that will make it beneficial for players to have all of the games they play associated with their own online identity. As such, it is important that you are the sole player of all World of Warcraft accounts merged into this Battle.net account. A friend or family member should first <a href="/account/creation/tos.html">create a new Battle.net account</a> for their own use and then merge the World of Warcraft account they play into it.', 'template_account_conversion_confirm_sole_user' => 'Are you the sole user of this account?', 'template_account_conversion_confirm_sole_user_yes' => 'Yes – Continue with merge', 'template_account_conversion_confirm_sole_user_no' => 'No – Cancel account merge', 'template_account_conversion_confirmation' => 'Confirm Merge', 'template_account_conversion_warning_account_name' => 'After clicking the finalize button below, you will no longer use the account name:', 'template_account_conversion_new_account_name' => 'Your new World of Warcraft Community Site login will be:', 'template_account_conversion_details_header' => 'Please read and consider the following before you finalize this merge:', 'template_account_conversion_details_list' => '<li><span>Once finalized, you will need to use the Battle.net account name <strong>%s</strong> and its associated password to log in to World of Warcraft® Community Site.</span></li><li><span><strong>This merge is final.</strong> You will not be able to undo this merge once you complete this step.</span></li><li><span>For security reasons, you will not be able to transfer characters outside this Battle.net account for <strong>30 days</strong>. Click <a href="http://us.blizzard.com/support/article.xml?articleId=26163" onclick="window.open(this.href);return false;">here</a> for complete details.</span></li>', 'template_account_conversion_complete' => 'Finalize Account Merge', 'template_account_conversion_error1' => 'Your login was invalid. Please try again.', 'template_account_conversion_error2' => 'This World of Warcraft account has already been merged into a different Battle.net account', 'template_account_wow_title' => 'Sign up for a free World of Warcraft Trial', 'template_account_wow_meta' => 'Sign up for a free World of Warcraft Trial', 'template_account_wow_err1' => 'Your e-mail addresses must match.', 'template_account_wow_err2' => 'The security input you’ve entered was invalid, please try again.', 'template_account_wow_err3' => 'This e-mail address is already in use. Existing Battle.net users can <a href="' . WoW::GetWoWPath() . '/account/management/">log in</a> and add a free trial to their account.', 'template_account_wow_err4' => 'Please enter a valid e-mail address.', 'template_account_wow_err5' => 'Your password does not meet all requirements.', 'template_account_wow_err6' => 'Please enter this field manually.', 'template_account_wow_submit' => 'Play', 'tempalte_account_wow_creation' => 'World of Warcraft Account Creation', 'template_account_wow_notify' => 'This game account will be linked with %s account', 'template_account_wow_emailHint' => 'This will be your account name', 'template_account_wow_cata_cinematic' => 'Watch the World of Warcraft cinematic trailer', 'template_account_wow_cata_explore' => 'Learn more about World of Warcraft', 'template_account_no_wow_games' => 'This Battle.Net account has no game attached.<br /><a href="' . WoW::GetWoWPath() . '/account/creation/wow/signup/index.xml">Create World of Warcraft® game account</a>.', 'template_auction_title' => 'Auction House', 'template_auction_in_game' => 'In-Game', 'template_auction_menu_index' => 'Auction Summary', 'template_auction_menu_browse' => 'Browse Auctions', 'template_auction_menu_create' => 'Create Auctions', 'template_auction_menu_bids' => 'My Bids', 'template_auction_menu_lots' => 'My Auctions', 'template_auction_switch_to_neutral' => 'View neutral auctions', 'template_auction_active_auctions' => 'Active Auctions', 'template_auction_no_active_auctions' => 'You have no active auctions.', 'template_auction_sold_auctions' => 'Sold', 'template_auction_no_sold_auctions' => 'You have not sold any auctions.', 'template_auction_expired_auctions' => 'Ended', 'template_auction_no_expired_auctions' => 'You have no expired auctions.', 'template_auction_bid' => 'Bid', 'template_auction_enter_bid' => 'Enter your bid:', 'template_auction_buyout' => 'Buyout', 'template_auction_buyout_confirm' => 'You are buying out this item for the following amount, are you sure?', 'template_auction_buyout_confirm_btn' => 'Confirm', 'template_auction_cancel_warning' => 'If you cancel this auction, the listing fee will not be refunded. Proceed?', 'template_auction_js_bid' => 'Your bid has been placed.', 'template_auction_js_sold' => 'An auction has sold.', 'template_auction_js_won' => 'You have won an auction!', 'template_auction_js_cancelled' => 'Auction successfully cancelled.', 'template_auction_js_created' => 'Auction successfully created.', 'template_auction_js_outbid' => 'You have been outbid!', 'template_auction_js_expired' => 'An auction has expired.', 'template_auction_js_claim' => 'Money claimed successfully!', 'template_auction_js_subscription' => 'A World of Warcraft Remote subscription is required to commit this action.', 'template_auction_js_interrupted' => 'Process interrupted. Please try again.', 'template_auction_js_totalCreated' => '{0} auction(s) created.', 'template_auction_js_transaction' => '{0} remaining transaction(s).', 'template_auction_js_transactionMax' => 'Transaction limit reached.', 'template_auction_error_auc_not_found' => 'The specified auction could not found.', 'template_auction_lots_table_name' => 'Name / Rarity', 'template_auction_lots_table_count' => 'Qty', 'template_auction_lots_table_time' => 'Time Left', 'template_auction_lots_table_high_bidder' => 'High Bidder', 'template_auction_lots_table_buyout' => 'Bid / Buyout', 'template_auction_bid_price' => 'Bid Price', 'template_auction_bid_price_per_item' => 'Bid Price Per Item', 'template_auction_buyout_price' => 'Buyout Price', 'template_auction_buyout_price_per_item' => 'Buyout Price Per Item', 'template_auction_buyout_total' => 'Сумма выкупа', 'template_auction_title_time_1' => 'Less than 30 minutes', 'template_auction_text_time_1' => 'Short', 'template_auction_title_time_2' => 'Between 2 and 12 hours', 'template_auction_text_time_2' => 'Long', 'template_auction_title_time_3' => 'Greater than 24 hours', 'template_auction_text_time_3' => 'Very long', 'template_auction_error_text' => 'This account is logged into the game. You can still browse the Auction House, but you must log off from the game to use other features such as bidding on or listing auctions.', 'template_auction_error_back' => 'Back', 'template_auction_error_title' => 'Error', 'template_auction_you_are_the_seller' => 'You are the seller!', 'template_auction_no_bids' => 'No bids', 'template_auction_price_per_unit' => 'Price per unit:', 'template_auction_buyout_per_unit' => 'Buyout per unit:', 'template_auction_browse' => 'Browse', 'template_forums_blizztracker_title' => 'Latest ' . WoWConfig::$ServerName . ' Posts', 'template_forums_all_blizz_posts' => '(View all)', 'template_forums_blizztracker_all' => 'All ' . WoWConfig::$ServerName . ' Posts', 'template_forums_in' => 'in', 'template_forums_my_realms' => 'My Realms', 'template_forums_all_realms' => 'All Realms', 'template_forums_popular_threads' => 'Popular Topics', 'template_forums_forum_rules' => 'Click', 'template_forums_forum_rules2' => ' here ', 'template_forums_forum_rules3' => 'to view the Forums Code of Conduct.', 'template_forums_type_simple' => 'Simple', 'template_forums_type_advanced' => 'Advanced', 'template_forums_create_thread' => 'Create Thread', 'template_forums_table_thread' => 'Subject', 'template_forums_table_author' => 'Author', 'template_forums_table_views' => 'Views', 'template_forums_table_replies' => 'Replies', 'template_forums_table_last_post' => 'Last Poster', 'template_forums_first_blizz_post' => 'First Blizzard Post', 'template_forums_views_replies_category' => '%d views/ %d replies', 'template_forums_last_reply' => 'Last post', 'template_zones_desc' => 'From its undiscovered corners to its most prominent landmarks, the world of Warcraft is filled with mystery, peril, and, most of all, conflict. Cities teem with backstabbing mercenaries and greedy politicians, dark caverns hold ancient and terrible secrets, and warzones play host to generations-old clashes between armies. Few would dare explore these distant and dangerous places; fewer still would expect to return. You are one of those few.', 'template_zones_dungeons' => 'Dungeons', 'template_zones_raids' => 'Raids', 'template_zones_heroic_mode_available' => 'Heroic mode available (%d)', 'template_zones_normal_mode_available' => 'Normal mode available (%d-%d)', 'template_zones_heroic_mode_only' => 'Heroic only', 'template_zones_since_patch' => '(new in patch %s)', 'template_zone_dungeon' => 'Dungeon', 'template_zone_raid' => 'Raid', 'template_zone_type' => 'Type:', 'template_zone_players' => 'Players:', 'template_zone_suggested_level' => 'Suggested level:', 'template_zone_item_level' => 'Required item level:', 'template_zone_location' => 'Location:', 'template_zone_heroic_mode_available' => 'Heroic mode available', 'template_zone_map' => 'Map', 'template_zone_fansites' => 'Learn More', 'template_zone_bosses' => 'Bosses', 'template_zone_expansion_required' => 'Requires', 'template_zone_introduced_in_patch' => 'Introduced in patch:', 'template_menu_game_guide_what_is_wow' => 'Beginner’s Guide', 'template_menu_game_guide_getting_started' => 'Chapter I: Getting Started', 'template_menu_game_guide_how_to_play' => 'Chapter II: How to Play', 'template_menu_game_guide_playing_together' => 'Chapter III: Playing Together', 'template_menu_game_guide_late_game' => 'Chapter IV: The Late Game', 'template_menu_game_chapter_what-is-wow' => '<em class="chapter-mark">What is</em>World of Warcraft', 'template_menu_game_chapter_getting-started' => '<em class="chapter-mark">Chapter I</em>Getting Started', 'template_menu_game_chapter_how-to-play' => '<em class="chapter-mark">Chapter II</em>How to Play', 'template_menu_game_chapter_playing-together' => '<em class="chapter-mark">Chapter III</em>Playing Together', 'template_menu_game_chapter_late-game' => '<em class="chapter-mark">Chapter IV</em>The Late Game', 'template_guide_title' => 'World of Warcraft</a><em>Beginner’s Guide</em>', 'template_guide_what_is_wow_title' => '<h4>What is <br/>World of Warcraft</h4>', 'template_guide_what_is_wow_intro' => '<p>What is World of Warcraft? World of Warcraft is an online game where players from around the world assume the roles of heroic fantasy characters and explore a virtual world full of mystery, magic, and endless adventure. So much for the short answer! If you’re still looking for a better understanding of what World of Warcraft is, this page and the Beginner’s Guide are the right place to start.</p><p>So, what is this game? Among other things,<br/>World of Warcraft is…</p>', 'template_guide_what_is_wow_part1_title' => '…a Massively Multiplayer Online Role-Playing Game', 'template_guide_what_is_wow_part1_subdesc' => '<p>Games in the same genre as World of Warcraft are commonly referred to as MMORPGs, which stands for ‘Massively Multiplayer Online Role-Playing Game’.</p>', 'template_guide_what_is_wow_multiplayer_subtitle' => 'Massively Multiplayer', 'template_guide_what_is_wow_multiplayer_desc' => '<p>Most multiplayer games can accommodate anywhere from two up to several dozen simultaneous players in a game. Massively multiplayer games, however, can have thousands of players in the same game world at the same time, interacting with each other. They are, as the name suggests, massive.</p>', 'template_guide_what_is_wow_online_subtitle' => 'Online', 'template_guide_what_is_wow_online_desc' => '<p>Unlike most games, MMORPGs do not have an offline mode; you need to be connected to the Internet while you play. This doesn’t mean that you can’t enjoy these games alone; World of Warcraft offers plenty of content to players who want to go it solo. But since you share a virtual world with other players, you need to be connected to the Internet to join in the fun. Much of the game’s advanced content is geared towards groups of players working together to explore dangerous dungeons and defeat powerful monsters.</p>', 'template_guide_what_is_wow_role-playing_subtitle' => 'Role-Playing', 'template_guide_what_is_wow_role-playing_desc' => '<p>In World of Warcraft, each player character has a specific set of skills and abilities that define that character’s role. For example, mages are powerful spellcasters who use magic to inflict damage on their enemies from afar but are very vulnerable to attacks. These traits define the role of the mage: hang back, do a ton of damage, and hope to kill the monsters before they reach you.</p><p>In a group context, there are three main roles: tank, damage dealer, and healer. A warrior can choose to serve as a formidable ‘tank’, or protector. Tanks are resilient, and it’s their job to draw the enemy’s attention away from the more vulnerable members of the group. The aforementioned mages make excellent damage dealers. A priest specialized in healing powers may not do as much damage as other classes, but they can play a vital role, keeping the party alive with healing magic. It’s important to note that all classes, regardless of which role they perform, are able to play solo. Some classes are limited in the kind of role they can play: warlocks and rogues, for instance, are strictly damage dealers. Some character classes, like the druid, can capably fulfill all three roles. </p><p>Role-play also means that you play the role of a character living in the game’s fantasy world. How much or how little you role-play is up to you; some players construct entire background histories for their characters and adopt unique mannerisms when they’re ‘in character’. Immersing yourself completely in the fantasy can be a lot of fun, but tastes vary, and it’s perfectly alright if full immersion simply isn’t your style. This kind of role-play is purely optional, and we provide separate Role-Play realms for those who prefer to play in an immersive world.</p>', 'template_guide_what_is_wow_part1_subdesc2' => '<p>To summarize: In an MMORPG, you play the role of a unique character in a persistent online world shared by thousands of other players.</p>', 'template_guide_what_is_wow_part2_title' => '…set in the high-fantasy universe of Warcraft', 'template_guide_what_is_wow_part2_subdesc' => '<p>Before World of Warcraft, there was the Warcraft series of strategy games. World of Warcraft is set in the same high-fantasy universe as the previous Warcraft games, and it builds on and expands a legacy of more than fifteen years of epic storytelling.</p><p>Azeroth is a world of swords and sorcery. Its lands are home to a vast number of races and cultures, led by kings, chieftains, lords, ladies, archdruids, and everything in between. Some of Azeroth’s people share bonds of friendship reaching back thousands of years; others are sworn enemies with long histories of bitter hatred. Among all these different kingdoms, cultures, tribes, and territories, two major power blocs are locked in a struggle for dominance.</p>', 'template_guide_what_is_wow_part2_factions' => 'THE FACTIONS AND RACES OF WARCRAFT:', 'template_guide_what_is_wow_factions' => 'Alliance and Horde', 'template_guide_what_is_wow_alliance' => '<p>In Warcraft, there are two large, opposing factions. On one side is the noble Alliance, which comprises the valiant humans, the stalwart dwarves, the ingenious gnomes, the spiritual night elves, the mystical draenei, and the bestial worgen;</p>', 'template_guide_what_is_wow_horde' => '<p>on the other side is the mighty Horde, made up of the battle-hardened orcs, the cunning trolls, the hulking tauren, the cursed Forsaken, the extravagant  blood elves, and the devious goblins. Your character’s race will determine whose side you are on, so choose carefully.</p>', 'template_guide_what_is_wow_factions_desc' => '<p>Epic as they may be, these wars between the mortal races pale in comparison to the malevolent forces threatening Azeroth from within and without. Deep beneath the surface of Azeroth, the terrible Old Gods  mastermind the release of untold horrors upon the world; in the frozen wastes of the northern continent, a being of pure evil commands a vast army of undeath, ready to snuff out all life; and far across the stars, deep within the warped realm of the Twisting Nether,  an unstoppable force of chaos and destruction thirsts to lead its demonic legion to Azeroth and to put the world to the flame.</p><p>World of Warcraft thrusts you into a central role of an ever-changing story. You and your friends will be active participants in events that are steeped in the rich lore of this fantasy universe. Fight for either the Alliance or the Horde, and experience a fully-realized fantasy world.</p>', 'template_guide_what_is_wow_part3_title' => '…centered around persistent online personae', 'template_guide_what_is_wow_part3_subdesc' => '<p>In World of Warcraft, you play the role of a fantasy hero. Over the course of his or her life, your character will brave thousands of quests, learn new and powerful abilities, amass (and likely spend) vast fortunes of gold, and find hundreds of powerful weapons, enchanted rings, artifacts, suits of armor, and more.</p><p>In other words, your character progresses and gets stronger as you gain experience, new skills, and more powerful items and equipment. Your character’s progress is automatically stored online, which means that you always pick up right where you left off when you start the game again. In fact, your character’s data can be stored for as long as you want, so you can progress at whatever pace you feel most comfortable with. Some players blaze through the game’s content at record speed to reach the endgame as quickly as possible, while others prefer to take the time to stop and smell the roses. The choice is entirely up to you.</p><p>But what’s more, you are not limited to just one character. You can keep a roster of several different characters (currently up to 50), and each character will present you with an entirely different game experience depending on what race and class you choose for them.</p>', 'template_guide_what_is_wow_part3_classesraces' => 'CLASS AND RACE', 'template_guide_what_is_wow_part3_subtitle' => 'Defining Your Character', 'template_guide_what_is_wow_part3_subdesc2' => '<p>When you create your character, you must make two decisions that profoundly affect how you will play World of Warcraft. One of these is your race, the other is your class.</p><p>A character’s <b>race</b> determines his overall look and also his faction (Alliance or Horde). Faction is important because only characters of the same faction can talk and cooperate with each other; you will not be able to communicate or band together with members of the opposite faction. <b><i>Race is mostly a social choice.</i></b></p><p>Your class, on the other hand, determines what your character can and can’t do. Each class offers a vastly different gameplay experience, so the best way to find out which class is right for you is by creating a few different characters to get a glimpse of what each class feels like. And of course, there’s also the class guide on this website. <b><i>Class is mostly a gameplay choice.</i></b></p>', 'template_guide_what_is_wow_part4_title' => '…a world of magic, mystery, and limitless adventure', 'template_guide_what_is_wow_part4_subdesc' => '<p>Being a hero sounds great in theory, what with all the glory, fame, fortune, friendly faces in every town, and songs of your epic exploits around every campfire, but what do heroes actually do?</p><p>Essentially, the core gameplay of World of Warcraft revolves around fighting monsters and completing quests. You will encounter thousands of non-player characters (NPCs), computer-controlled characters who may need your help with tasks ranging from the mundane (such as delivering a letter) to the truly heroic (rescuing a dwarven princess from the evil Dark Iron Clan, for example). More often than not, these quests will put you right in harm’s way, and you’ll find yourself squaring off against deadly monsters. You will be able to deal with most monsters you encounter by yourself, but the true challenges and the big payoffs await in the world’s many dungeons and raids, which can only be conquered by groups of heroes working together as a team.</p><p>Another aspect of the life of a hero is the constant struggle between the Alliance and the Horde. Even though there are currently no all-out wars, tensions are high, and small skirmishes regularly take place all over Azeroth where players from both sides fight each other. This is called player-versus-player combat (PvP).</p>', 'template_guide_what_is_wow_dungeons' => 'Dungeons', 'template_guide_what_is_wow_dungeons_desc' => '<p>Dungeons are dangerous places where the monsters are much stronger and much smarter, making them difficult to kill. Dungeons are geared towards small groups of no more than 5 players and on average take about half an hour to fully explore. The loot found in dungeons is of higher quality than what you’d find out in the wild, but it is usually not as valuable or powerful as the loot that can be acquired in raids.</p>', 'template_guide_what_is_wow_raids' => 'Raids', 'template_guide_what_is_wow_raids_desc' => '<p>Raids are similar to dungeons, but they pose an even bigger challenge. Monsters are even tougher, the area to explore is usually much larger, and they require bigger groups of players to complete, usually 10 or 25. Due to the higher level of difficulty, raids may take longer to finish than dungeons, but the rewards are well worth the effort. The game’s most powerful items and artifacts can be found in raids.</p>', 'template_guide_what_is_wow_pvp' => 'Open-world PVP', 'template_guide_what_is_wow_pvp_desc' => '<p>Open-world PvP can happen anywhere in the world where players of opposing factions meet. These fights usually start as small one-on-one confrontations, but sometimes this type of PvP escalates to massive proportions, especially if an organized group of players decides to jump into the fray.</p>', 'template_guide_what_is_wow_bg' => 'Battlegrounds', 'template_guide_what_is_wow_bg_desc' => '<p>Battlegrounds are PvP battlefields where the two factions are engaged in constant battle over specific strategic targets. Two teams are pitted against each other and must achieve a set of objectives in order to win. These objectives can be simple (such as capturing the enemy flag) or complex (breaching an enemy stronghold and assassinating its commander, for example). You can earn powerful weapons and armor by participating in these battles.</p>', 'template_guide_what_is_wow_arena' => 'The Arena', 'template_guide_what_is_wow_arena_desc' => '<p>The Arena offers a slightly different PvP experience. In this more formal setting, organized teams of 2, 3, or 5 players square off in a bloody competition for fame and glory. There is only one objective – defeat every last member of the opposing team. Arena teams are ranked on a competitive ladder and can gain unique equipment that offers benefits optimized towards PvP gameplay.</p>', 'template_guide_what_is_wow_part5_title' => 'The Road Ahead', 'template_guide_what_is_wow_part5_subdesc' => '<p>World of Warcraft is a truly massive game. Between the original game, regular patches that add new content, and three full-fledged expansions – The Burning Crusade, Wrath of the Lich King, and Cataclysm – hundreds of hours of gameplay content await you. We’ve outlined the basics , but only scratched the surface of all that World of Warcraft has to offer. </p>', 'template_guide_getting_started_title' => '<h4>Chapter I<br />Getting Started</h4>', 'template_guide_getting_started_intro' => '<p>This section will walk you through your first steps towards discovering World of Warcraft’s vast range of mystery and adventure. You will learn all you need to know to dive right into the game, from character creation basics to a handy class selection guide.</p><p>Your character is your avatar in World of Warcraft. You’re not limited to one character, though; you’re free to create dozens of characters if you want to experience all the different race and class combinations. Many players refer to their most frequently played character as their ‘main’ and all other characters as their ‘alts’. Why create more than one character? Since each class plays differently, it’s fun to experiment with other styles of gameplay.</p>', 'template_guide_getting_started_step1_title' => 'Step 1: Choose your realm', 'template_guide_getting_started_step1_info' => '<p>World of Warcraft has millions of active players. If all these players were in the same game world at the same time, things would get more than a little crowded (plus which, the computers running the game would probably form a workers’ union and go on strike). To keep the gameplay experience stable, smooth, and consistent, World of Warcraft’s population is divided into several different realms. Each realm is an identical copy of the game world, but generally, players from the same realm can only play and interact with each other*. Think of each realm like its own parallel universe or mirror dimension, each home to thousands and thousands of unique player characters.</p>', 'template_guide_getting_started_step1_subdesc' => '<p>Realms come in four different flavors based on the kind of gameplay experience they offer:</p>', 'template_guide_getting_started_step1_realms' => '						<li>
							<span>Normal<em>Player Versus Enemies</em></span>						
							The standard. Role-play is optional, and all player-versus-player fights have to be consensual.
						</li>
						<li>
							<span>PvP<em>Player Versus Player</em></span>						
							For players who seek out a challenge. Role-play is still optional, but opposite faction players can attack you almost anywhere, and at all times. Be on your guard.
						</li>
						<li>
							<span>Normal-RP<em>Player Versus Enemies – Role Playing</em></span>						
							On this type of realm, role-play is practically mandatory, but player-versus-player combat still has to be agreed upon by both parties.
						</li>
						<li>
							<span>PvP-RP<em>Player Versus Player – Role Playing</em></span>						
							As with regular PvP realms, cross-faction combat is an ever-present threat, and role-play is the norm.
						</li>', 'template_guide_getting_started_step1_recruit' => 'Recruit a friend', 'template_guide_getting_started_step1_recruit_info' => '<p>If you are planning to play with a friend, make sure to create characters on the same realm so you can adventure together. The Recruit-A-Friend referral system provides considerable in-game bonuses to linked friends and family members. <a href="http://us.blizzard.com/support/article.xml?locale=en_US&amp;articleId=20588">Visit the Recruit-A-Friend page to learn more about this feature.</a></p>', 'template_guide_getting_started_step1_char_interface' => 'Character Creation Interface', 'template_guide_getting_started_step1_race' => 'Race selection', 'template_guide_getting_started_step1_gender' => 'Gender selection', 'template_guide_getting_started_step1_class' => 'Class selection', 'template_guide_getting_started_step1_custom' => 'Customization', 'template_guide_getting_started_step1_trans' => 'Transformation', 'template_guide_getting_started_step1_name' => 'Name creation', 'template_guide_getting_started_step1_racedesc' => 'Race description', 'template_guide_getting_started_step1_classdesc' => 'Class description', 'template_guide_getting_started_step2_title' => 'Step 2: Choose your race', 'template_guide_getting_started_step2_info' => '<p>The original World of Warcraft has eight races to choose from and subsequent expansions increase this number to twelve. Your character’s race determines your overall visual appearance, grants special benefits in the form of racial abilities, and also locks you into one of two factions: Alliance or Horde.</p><p>Which faction you choose is important because only characters of the same faction can communicate with each other. So, for example, if you created a night elf, that character would only be able to chat and play with the other Alliance characters in the realm. A tauren, on the other hand, could only play with the realm’s other Horde characters.</p>', 'template_guide_getting_started_step2_alliance' => 'Alliance Races', 'template_guide_getting_started_step2_worgen' => 'Worgen', 'template_guide_getting_started_step2_draenei' => 'Draenei', 'template_guide_getting_started_step2_dwarf' => 'Dwarf', 'template_guide_getting_started_step2_gnome' => 'Gnome', 'template_guide_getting_started_step2_human' => 'Human', 'template_guide_getting_started_step2_nightelf' => 'Night Elf', 'template_guide_getting_started_step2_horde' => 'Horde Races', 'template_guide_getting_started_step2_goblin' => 'Goblin', 'template_guide_getting_started_step2_blodelf' => 'Blood Elf', 'template_guide_getting_started_step2_orc' => 'Orc', 'template_guide_getting_started_step2_tauren' => 'Tauren', 'template_guide_getting_started_step2_troll' => 'Troll', 'template_guide_getting_started_step2_forsaken' => 'Forsaken', 'template_guide_getting_started_step2_more' => 'Learn more about the races', 'template_guide_getting_started_step3_title' => 'Step 3: Choose your class', 'template_guide_getting_started_step3_info' => '<p>Faction and race are mostly social choices: they determine what your character looks like and who you can interact with. Your choice of class is a gameplay decision: it determines what your character can and can’t do, and what kind of experience you will have playing that character.</p><p>Not all races can play as all classes; for example, dwarf characters cannot be druids. Generally speaking, your class has a much bigger impact on the way you will experience World of Warcraft, so if the choice comes down to either a specific race or a specific class, pick the class that you prefer.</p><p>Some classes are designed specifically for one role, while other classes can perform several. The best example for a ‘pure’ healer, for example, is the priest class (although shadow priests are a notable exception), while druids are a good example of a ‘hybrid’ class that can effortlessly fill the role of tank, healer, or damage dealer.</p>', 'template_guide_getting_started_step3_subtitle' => 'World of Warcraft Classes', 'template_guide_getting_started_step3_warrior' => 'Warrior', 'template_guide_getting_started_step3_paladin' => 'Paladin', 'template_guide_getting_started_step3_hunter' => 'Hunter', 'template_guide_getting_started_step3_rogue' => 'Rogue', 'template_guide_getting_started_step3_priest' => 'Priest', 'template_guide_getting_started_step3_deathknight' => 'Death Knight', 'template_guide_getting_started_step3_shaman' => 'Shaman', 'template_guide_getting_started_step3_mage' => 'Mage', 'template_guide_getting_started_step3_warlock' => 'Warlock', 'template_guide_getting_started_step3_druid' => 'Druid', 'template_guide_getting_started_step3_more' => 'Learn more about the classes', 'template_guide_getting_started_step3_class' => 'Main Class Roles', 'template_guide_getting_started_step3_tanks' => 'Tanks', 'template_guide_getting_started_step3_tanks_desc' => '<p>Tanks fight by outlasting their enemies. They are rugged, durable characters that can soak up a lot of damage before they go down. In groups, a tank’s role is to get the monsters to attack him instead of other, more vulnerable members of his group.</p>', 'template_guide_getting_started_step3_healers' => 'Healers', 'template_guide_getting_started_step3_healers_desc' => '<p>Healers have spells and abilities that allow them to quickly regenerate their own health and that of other players. They are especially useful in groups, because even though tanks are as tough as a brick wall, they need healers to keep them alive long enough for the damage dealers to finish the job.</p>', 'template_guide_getting_started_step3_damage' => 'Damage Dealers', 'template_guide_getting_started_step3_damage_desc' => '<p>Damage dealers excel at quickly inflicting a lot of damage. Where tanks are marathon runners, damage dealers are sprinters, trying to defeat their targets as quickly as possible while avoiding damage as best they can. </p>', 'template_guide_getting_started_step4_title' => 'Step 4: Lookin’ Good!', 'template_guide_getting_started_step4_info' => '<p>Once you’ve picked a race and a class, it’s time to make adjustments to your character’s appearance. Feel free to switch between male and female; the sexes are treated equally in every regard in World of Warcraft, so playing as a man or a woman is a purely cosmetic choice.</p><p>Each race has additional visual traits you can adjust, such as earrings, tattoos, hair style, and more. You can choose from several different ornate beard styles for a dwarf, for example, or choose between horns of varying lengths and shapes for a tauren character. If you’re in a hurry, you can use the ‘randomize’ button to have the game generate a few random configurations until you see one you like, or you can fine-tune your character’s appearance yourself.</p><p>Lastly, you need to pick a name for your character. Keep in mind that offensive names are not allowed; as a matter of etiquette, please choose an appropriate name. Some names will have already been taken by other players, so explore different name options until you find one you’re happy with.</p>', 'template_guide_getting_started_step5_title' => 'Step 5: Enter the World of Warcraft', 'template_guide_getting_started_step5_info' => '<p>Congratulations, you’ve created your first character! Review your choices, and if you’re happy with them, click the button to set foot in a world of mighty heroes and high adventure. Your journey is about to begin….</p>', 'template_guide_how_to_play_title' => '<h4>Chapter II<br />How To Play</h4>', 'template_guide_how_to_play_intro' => '<p>World of Warcraft follows one of Blizzard Entertainment’s primary design mantras: Easy to learn, difficult to master. The core gameplay concepts are intuitive and simple by design, so once you’ve picked up on the basics, you’ll be slaughtering monsters and saving princesses in no time. To help you get started, here’s a primer on World of Warcraft gameplay. </p>', 'template_guide_how_to_play_ui' => 'UI Overview', 'template_guide_how_to_play_uidesc' => '<p>This is the main user interface you’ll see while playing World of Warcraft. </p>', 'template_guide_how_to_play_ui_subtitle' => 'Main user interface', 'template_guide_how_to_play_ui_charportrait' => 'Your character’s portrait', 'template_guide_how_to_play_ui_charhealth' => 'Your character’s health', 'template_guide_how_to_play_ui_charresource' => 'Your resource <span>(for example: Mana, Energy)</span>', 'template_guide_how_to_play_ui_targethealth' => 'Your target’s health', 'template_guide_how_to_play_ui_targetresource' => 'Your target’s resource', 'template_guide_how_to_play_ui_targetportrait' => 'Your target’s portrait', 'template_guide_how_to_play_ui_map' => 'Mini-map', 'template_guide_how_to_play_ui_special' => 'Special actions', 'template_guide_how_to_play_ui_bar' => 'Action Bar', 'template_guide_how_to_play_ui_menu' => 'Menu', 'template_guide_how_to_play_ui_inv' => 'Inventory hotkeys', 'template_guide_how_to_play_ui_tip' => 'Tool tip', 'template_guide_how_to_play_abilities_title' => 'Your Character’s Abilities', 'template_guide_how_to_play_abilities_info' => '<p>In World of Warcraft, you can become a mighty paladin, smiting evil with righteous fury; a sly rogue, sneaking up on an unsuspecting enemy, dagger in hand and poised to strike from the shadows; a brilliant mage, unleashing torrents of destructive arcane energy to wipe out scores of monsters; or even a malevolent death knight, well-versed in the arts of swordplay and necromancy. Whatever class you choose to play, that class is defined by its abilities.</p><p>Your new character starts out with a few class abilities and you can learn many more over the course of your career. Every class has access to unique abilities that help define its role in the game and shape your experience.</p>', 'template_guide_how_to_play_abilities_subtitle' => 'USING ABILITIES', 'template_guide_how_to_play_abilities_desc' => '<p>In order to play your character well, you need to know when to use your class abilities. Two factors determine when you can use an ability: cost and cooldown.</p><p>Each class has a different resource to expend in order to pay the cost of abilities. For example, warriors fuel their abilities with rage, which builds up as they dish out and receive damage. Rogues, on the other hand, are acrobatic fighters and thus do not use rage; instead, they spend energy, which constantly regenerates but limits how quickly they can chain together combat moves. Priests use mana to cast their spells. Mana regenerates slowly while in combat, so priests need to pay attention to how quickly they are burning through their reserves.</p><p>If an ability has a cooldown, that means that a certain amount of time needs to pass before your character is ready to use that ability again. Cooldowns can last anywhere from a few seconds to half an hour. Abilities with a long cooldown are often very powerful. Used at the right moment, these abilities can be amazingly effective.</p>', 'template_guide_how_to_play_talents_title' => 'Talents and Glyphs', 'template_guide_how_to_play_talents_info' => '<p>Your character class determines what abilities your character can use, but World of Warcraft provides you with two ways to customize your abilities to create a character with unique strengths.</p><p>As characters grows stronger, they earn talent points. These points can be spent on talents that let your character specialize in one specific subset of his abilities; for example, mages have access to talent trees that enhance either their frost, fire, or arcane spells.</p><p>Glyphs provide another method of enhancing your abilities. Character learn and use glyphs (created by players with the Inscription profession) to make their abilities more powerful or even add new effects to abilities. A character can only equip a limited number of glyphs at a time, so choose carefully.</p>', 'template_guide_how_to_play_quests_title' => 'Quests', 'template_guide_how_to_play_quests_info' => '<p>Being a hero means performing heroic deeds, and there are plenty of opportunities to do so on Azeroth. Mad deities, rampaging dragons, demonic evils from 	beyond the stars… the world is under constant threat, and it’s up to you and your friends to defend your people against these dark, destructive forces. During your life 	as a hero, you will embark on a series of quests to right what is wrong, to defend the weak and punish the wicked, and to make the world a better, safer place.</p><p>There are several different ways to discover quests in World of Warcraft:</p>', 'template_guide_how_to_play_quests_givers' => 'Quest Givers', 'template_guide_how_to_play_quests_giversdesc' => 'Certain non-player characters (NPCs) have quests for you. Quest givers always have a big ‘!’ above their head, so they’re easy to spot.', 'template_guide_how_to_play_quests_items' => 'Quest Items', 'template_guide_how_to_play_quests_itemsdesc' => 'Sometimes you may come across items that begin a quest, like a hastily scribbled note found among the belongings of a highwayman or an old amulet recovered from the remains of a toxic oozeling. These items often have a history that forms the start of an interesting quest.', 'template_guide_how_to_play_quests_objects' => 'Quest Objects', 'template_guide_how_to_play_quests_objectsdesc' => 'You may also come across certain objects in the world that start a quest. Keep an eye out for unusual terrain, ‘wanted’ posters, or other landmarks that stand out; adventure may be waiting around the corner.', 'template_guide_how_to_play_quests_complete' => 'Completing Quests', 'template_guide_how_to_play_quests_completedesc' => 'You need to accomplish specific goals in order to complete quests. These objectives can be as simple as talking to a specific character or as complex as breaching a keep’s curtain wall, taking the courtyard, lowering the main gate, lighting the signal fire, and finally cornering the master of the keep.', 'template_guide_how_to_play_quests_subtitle' => 'Types of Quests', 'template_guide_how_to_play_quests_desc' => '<p>World of Warcraft offers vast potential for adventure, including access to thousands of different quests. Every quest is unique, but there are some broad categories that you can divide them into…</p>', 'template_guide_how_to_play_quests_normal' => 'Normal quest', 'template_guide_how_to_play_quests_normal_desc' => 'Normal quests are the most common. If your character is experienced enough, you will be able to complete these quests on your own, without the help of other players.', 'template_guide_how_to_play_quests_group' => 'Group quest', 'template_guide_how_to_play_quests_group_desc' => 'Group quests are more challenging than normal quests and usually require a group of heroes to band together, but also offer better rewards. Gather your friends and prepare for battle before attempting one of these quests.', 'template_guide_how_to_play_quests_dungeon' => 'Dungeon quest', 'template_guide_how_to_play_quests_dungeon_desc' => 'Dungeon quests require you to delve deep into the dungeons of World of Warcraft, where dangerous and fearsome monsters dwell. You will need a group to complete these quests.', 'template_guide_how_to_play_quests_heroic' => 'Heroic quest', 'template_guide_how_to_play_quests_heroic_desc' => 'Heroic quests are similar to dungeon quests, but you will have to overcome monsters that are even stronger and more deadly than those found in normal dungeons. Get ready for a tough fight!', 'template_guide_how_to_play_quests_raid' => 'Raid quest', 'template_guide_how_to_play_quests_raid_desc' => 'Raid quests are similar to dungeon quests, but you will have to brave the challenges that await in the world’s most perilous places. These quests require a large group (10 or 25 players) to complete.', 'template_guide_how_to_play_quests_pvp' => 'Player vS player quest', 'template_guide_how_to_play_quests_pvp_desc' => 'Player versus player quests will pit you against other players on the field of battle. Will you win glory, honor, and fame, or will you succumb to your enemies’ relentless attacks? There is only one way to find out….', 'template_guide_how_to_play_quests_daily' => 'Daily quest', 'template_guide_how_to_play_quests_daily_desc' => 'Daily quests are repeatable quests that you can complete once each day and usually serve to line your pockets with much-needed income and other resources.', 'template_guide_how_to_play_inventory_title' => 'Inventory', 'template_guide_how_to_play_inventory_info' => '<p>Just as King Arthur wielded Excalibur, as Roland bore Durandal, and as Achilles donned his god-forged armor, so will you come across magic weapons, armor, and other artifacts of great power. As a matter of fact, you will come across thousands of them; the monsters of Azeroth have a surprising tendency to carry potent magical trinkets with them, ready to be looted off their cooling corpses by aspiring adventurers. But even if the kobold you just sent to the great dark beyond doesn’t have any weapons or armor, he is still sure to carry other items that you can sell for profit. This collection of items you’re lugging around with you at any given time is called your inventory.</p>', 'template_guide_how_to_play_inventory_backpack' => 'Your Backpack and Bags', 'template_guide_how_to_play_inventory_backpackdesc' => 'Your character begins the game with a simple backpack. It can only hold a limited number of things, but you can significantly increase the number of items you can pick up by carrying additional bags.', 'template_guide_how_to_play_inventory_bank' => 'The Bank', 'template_guide_how_to_play_inventory_bankdesc' => 'Every major city in World of Warcraft also has a bank where you can store your items. If you run out of room in your backpack and bags, you can visit a bank and stash away any items you don’t need right now. Even better, all banks are magically connected, so you can store items in one bank and retrieve them at another!', 'template_guide_how_to_play_inventory_auction' => 'The Auction House', 'template_guide_how_to_play_inventory_auctiondesc' => 'Right across from most banks you’re likely to find an auction house. Players can buy and sell items from those auction houses, and some players even find ways to turn the auction house into a reliable source of income. Who says that the hero business can’t be profitable? You can put your own items up for auction, and you can browse what other auctions are currently going on. If you are looking for a specific item, or if you have a valuable item that you don’t need, the auction house should be your first stop.', 'template_guide_how_to_play_friends' => 'How To Make Friends And Influence People', 'template_guide_how_to_play_friends_comment' => 'with deepest apologies to Dale Carnegie', 'template_guide_how_to_play_friends_info' => '<p>At its core, what makes World of Warcraft such a fun game is that you share this world with thousands of other players at the same time. You can experience the majority of the game’s content by yourself if you wish, but chatting with other players, forming groups, joining guilds, and most importantly, making friends is essential if you want to get the most out of World of Warcraft.</p>', 'template_guide_how_to_play_friends_info2' => '<p>The above only scratches the surface of the rich social interactions World of Warcraft has to offer. Go to the next chapter to learn more about the intricacies of chat, Real ID Friends, groups, guilds, and more.</p>', 'template_guide_how_to_play_friends_chat' => 'Chat', 'template_guide_how_to_play_friends_chatdesc' => 'World of Warcraft aplicacion a sophisticated chat system that allows you to talk to other players either in writing or, if you are in a group with other players, via voice chat. You can manage all your chat channels via the game’s comprehensive chat interface. You can set up private channels if you want to talk to your friends only, or you can chat in the local/global chat channels if you want to reach a larger audience, and if you are in a guild you have access to your guild’s own chat channel. The only limitation to chat in World of Warcraft, really, is chat across factions; you cannot communicate with players of the opposite faction.', 'template_guide_how_to_play_friends_groups' => 'Groups', 'template_guide_how_to_play_friends_groupsdesc' => 'You will eventually want to band together with other players to tackle a difficult quest or venture into one of the world’s many dungeons. You can either form your own group by inviting other players, join someone else’s group upon request, or you can use the game’s Dungeon Finder tool to automatically join a group for a specific dungeon via the game’s matchmaking service. Groups are limited to five players, but you can also form a raid group, which can include up to 40 people.', 'template_guide_how_to_play_friends_guilds' => 'Guilds', 'template_guide_how_to_play_friends_guildsdesc' => 'Groups and raids are always temporary and cease to exist once all members leave or log off. Guilds, on the other hand, are permanent and much larger groups of players united under one banner to help each other and play the game together. Being in a guild has a few advantages; you have your own guild chat channel, you can use a shared guild bank, and guilds can earn a number of cool guild achievements and bonuses by braving certain challenges. You can either ask to join a guild, or you and your friends can form your own.', 'template_guide_how_to_play_friends_friends' => 'Friends', 'template_guide_how_to_play_friends_friendsdesc' => 'As you chat, form groups and raids, join guilds, and play together with others, you will meet other players who are genuinely good company and with whom you’d like to play more often. You should add those players to your Friends List, which allows you to keep track of your favorite players, see when they’re online, and where they are in World of Warcraft when they are logged in.', 'template_guide_playing_together_title' => '<h4>Chapter III <br/>Playing Together</h4>', 'template_guide_playing_together_intro' => '<p>In World of Warcraft,  interacting with other players is optional. You can reach the level cap without ever joining forces with another player, without even saying hello to anyone on your realm. But by going it alone, you won’t be able to master some of the game’s tougher challenges, you will likely take longer to reach the endgame, and you won’t have access to the game’s most powerful magical treasures. Most importantly, the other players on your realm will miss out on the pleasure of meeting you. Your paths will cross with thousands of other people who share similar goals, interests, likes, and dislikes with you; so speak up, it’s easy to make new friends in World of Warcraft.</p><p>This chapter takes you through the ins and outs of World of Warcraft’s many social play features.</p>', 'template_guide_playing_together_chat_title' => 'Chat', 'template_guide_playing_together_chat_intro' => 'Meeting new people in real-life is intimidating enough. How do you introduce yourself? How do you start a conversation? Thankfully, chatting in World of Warcraft is easier and more casual than anything you’d encounter in the real world. Usually, in-game chat is text-based. You will see other people’s public conversations scrolling down in the game’s chat window, and if you feel like it, you can jump in anytime and either add something to an ongoing discussion or start a conversation about a new topic.', 'template_guide_playing_together_chat_channels' => 'Chat Channels:<br />Filtering out the noise', 'template_guide_playing_together_chat_channels_sub' => 'The standard public chat channels are General, Trade, Local Defense, Looking For Group, and Guild Recruitment. You can join and leave these channels at will, and all players can chat there as well. These channels are mostly intended to provide players with proper channels for specific topics such as item trading or guild recruitment.<br/><br/>You can also create your own custom chat channels. The obvious advantage of a custom channel is privacy; only people in that channel will be able to read the conversations going on there. You can also moderate these channels, meaning that you can invite, remove, mute, or otherwise moderate chat in your channel if you want.', 'template_guide_playing_together_chat_voice' => 'Voice Chat', 'template_guide_playing_together_chat_voice_sub' => 'Instead of typing words to chat with other players, you can also use World of Warcraft’s built-in voice chat system to talk. All you need is a headset or a microphone and speakers. Talking is a much faster way to communicate than typing; in the heat of battle, you may not have time to type out what you want to say.<br /><br/>Voice chat channels: Voice chat only works in special channels set up as voice chat channels. Group and raid chat can use voice chat, as can all your custom channels, but the public chat channels do not support voice chat, nor is there any area voice chat.', 'template_guide_playing_together_chat_other' => 'Other Chat', 'template_guide_playing_together_chat_other_desc' => 'There are three notable types of chat you should be aware of: say, yell, and whisper.', 'template_guide_playing_together_chat_say' => 'Saying', 'template_guide_playing_together_chat_say_desc' => 'Saying something is the most basic, fundamental in-game communication tool. When you say something, your message is only visible to players in your character’s immediate vicinity. Conversations between strangers, role-playing in public places, a funny joke to share at the mailbox – these types of interaction are frequently said.', 'template_guide_playing_together_chat_yell' => 'Yelling', 'template_guide_playing_together_chat_yell_desc' => 'Yelling is for when you need to reach out to players just outside of your immediate vicinity; things you yell can be read by players who are quite some distance away from you, but many consider it rude, especially if overused. Players often use yell to bark out warnings to friendly players that may otherwise be just outside of earshot. Say and yell are both forms of area chat, meant for communicating to nearby players.', 'template_guide_playing_together_chat_whisp' => 'Whispering', 'template_guide_playing_together_chat_whisp_desc' => 'Whispering is World of Warcraft’s private communication tool. Whispers can only be heard by the specific player you target with your whisper. Better yet, whispers are not restricted to your immediate surroundings, so you can whisper any player of your own faction on your own realm, no matter where they are. (Yes, you can even ‘whisper’ to someone on a different continent. Best not to dwell on this for too long.)', 'template_guide_playing_together_groups_title' => 'Parties and Raids', 'template_guide_playing_together_groups_info' => 'If you want to take on the greatest challenges World of Warcraft has to offer, you will need allies to fight by your side against the tides of darkness. With parties and raids, you get to rally other players to join you on your quest and defeat whatever evil stands in your way.<br /><br/>Parties are groups of up to 5 players; you should bring a party if you want to clear most of World of Warcraft’s dungeons. Raids are larger than parties and are generally composed of 10 or 25 players; the toughest monsters of World of Warcraft can only be taken down by these large raid groups.', 'template_guide_playing_together_groups_party' => 'Forming Parties', 'template_guide_playing_together_groups_party_desc' => 'You can form your own party anytime and anywhere; all it takes is to invite another player to join your party. If he or she accepts the invitation, you’re now in a group. You can invite players via chat, through your friends list, or by clicking on their characters… inviting players and forming parties is easy.', 'template_guide_playing_together_groups_rules' => 'Group Rules', 'template_guide_playing_together_groups_rules_desc' => 'One of the reasons why you’ll want to form a party with other players is so you can take on more difficult monsters and get the superior loot they’re guarding. Of course, that raises the question of how to fairly divvy up the loot among your party. As group leader, you can choose one of five different loot rule sets:', 'template_guide_playing_together_groups_rules_ff' => 'Free For All', 'template_guide_playing_together_groups_rules_ff_desc' => '<p>Anyone in your party can search the bodies of monsters killed by your party for loot. Treasure distribution is essentially first-come, first-served, winner-take-all.</p>', 'template_guide_playing_together_groups_rules_rr' => 'Round Robin', 'template_guide_playing_together_groups_rules_rr_desc' => '<p>Everyone in your party takes turns looting.</p>', 'template_guide_playing_together_groups_rules_gl' => 'Group Loot', 'template_guide_playing_together_groups_rules_gl_desc' => '<p>Similar to Round Robin, with one key difference. Whenever the group finds special or rare items, everyone in the group can choose to roll dice, and the highest roll wins the item. If you choose to roll for an item, you can roll “need” if the item in question is suited to your character or “greed” if you want the item for other reasons.</p>', 'template_guide_playing_together_groups_rules_ml' => 'Master Looter', 'template_guide_playing_together_groups_rules_ml_desc' => '<p>The leader appoints one character in the party as the master looter. The master looter gets to search monsters first, and he is responsible for how the loot is distributed among the group.</p>', 'template_guide_playing_together_groups_rules_nbg' => 'Need Before Greed', 'template_guide_playing_together_groups_rules_nbg_desc' => '<p>This setting is similar to Group Loot, with the exception that characters who cannot use the item automatically pass.</p>', 'template_guide_playing_together_groups_leader' => 'Group Leader', 'template_guide_playing_together_groups_leader_desc' => 'If you create a group, you are that group’s leader by default. As leader, you can adjust some of the group’s rules (more on that later), add other players to the party, and you can also kick players out of your party if they get out of line. You can also promote another player to leader at any time; if a party’s leader leaves, another player is automatically promoted to leader.', 'template_guide_playing_together_guilds_title' => 'Guilds', 'template_guide_playing_together_guilds_info' => 'Parties and raids are temporary alliances, but guilds are persistent groups of characters who regularly play together and who generally prefer a similar gaming style. If you are a member of a guild, you will have easier access to other players with whom you can form parties and raids, but there are a wide range of other benefits to being in a guild.', 'template_guide_playing_together_guilds_tabart' => 'Guild Tabard<br />and Name', 'template_guide_playing_together_guilds_tabart_desc' => 'To show your support for your guild, you can have your character wear a tabard showing your guild’s colors and logo. The guild leader is responsible for making these design decisions; you have a wide range of icons and color combinations to choose from, so let your creativity run free and create a truly unique design that your friends will wear proudly! You also have to choose a name for the guild when you hand in the guild charter to register your new guild. This name will be displayed underneath every guild member’s name for the world to see, so choose wisely.', 'template_guide_playing_together_guilds_leadership' => 'Guild<br />Leadership', 'template_guide_playing_together_guilds_leadership_desc' => 'Just like with parties and raids, guilds have rules that their leaders can adjust and modify to give the guild structure and purpose. As a guild leader, you can:</p>', 'template_guide_playing_together_guilds_ranks' => 'Define Guild Ranks', 'template_guide_playing_together_guilds_ranks_desc' => '<p>You can create ranks with different titles and privileges within your guild. Some players prefer strict hierarchies, others like a more… freeform style of organization. The choice is entirely up to you.</p>	<span class="clear"><!-- --></span>', 'template_guide_playing_together_guilds_promote' => 'Promote / Demote Members', 'template_guide_playing_together_guilds_promote_desc' => '<p>You can assign the ranks you’ve defined earlier to the members of your guild, moving people up or down the totem pole depending on how they’re doing in your guild.</p>	<span class="clear"><!-- --></span>', 'template_guide_playing_together_guilds_members' => 'Manage Members', 'template_guide_playing_together_guilds_members_desc' => '<p>You’ll likely want your guild to grow and gain new members, but the day may come when you will have to assert your position as guild leader and remove players who are causing problems for your guild. As guild leader, you can add and remove players from your guild at any time.</p>	<span class="clear"><!-- --></span>', 'template_guide_playing_together_guilds_leader' => 'Assign new Guild Leader', 'template_guide_playing_together_guilds_leader_desc' => '<p>If you feel like your term as guild leader has come to an end, or if your guild members are calling for you to step down after that ‘unfortunate incident’, you can always pass the torch on to a new guild leader who will inherit all your powers and responsibilities.</p>	<span class="clear"><!-- --></span>', 'template_guide_playing_together_guild_guildbank_title' => 'Guild Bank', 'template_guide_playing_together_guild_guildbank_info' => 'One of the benefits of being in a guild is access to a guild bank. These banks work a lot like your character’s personal bank, except this bank is shared between all guild members with guild bank privileges (as set by the guild leader). Another important difference is that you can deposit gold in your guild bank; that way, all guild members can pool their resources and help each other out with repair bills and other expenses.', 'template_guide_playing_together_guild_guildchat_title' => 'Guild Chat', 'template_guide_playing_together_guild_guildchat_info' => 'Every guild has its own dedicated chat channels providing all its members with a convenient means to talk to each other. The two standard channels for each guild are called Guild Chat and Officer Chat; the guild leader can set different access rights for these chats depending on your guild rank. Guild Chat is used for regular guild communication, while Officer Chat is traditionally only available to the guild’s senior members.', 'template_guide_playing_together_guild_guildadvanced_title' => 'Guild Advancement', 'template_guide_playing_together_guild_guildadvanced_info' => '', 'template_guide_playing_together_friends_title' => 'Friends', 'template_guide_playing_together_friends_info' => 'Beyond parties, raids, and guilds, you will inevitably encounter other players who share some of the same interests, likes, and dislikes as you, people with whom you’ll end up chatting even when you’re not in a dungeon or on a quest; the kind of people where you don’t even notice the hours flying by as you swap stories, joke, and play together. In other words, you’ll make friends. Making friends and going on adventures with them is part of what makes World of Warcraft so much fun.', 'template_guide_playing_together_friends_list' => 'Friends List', 'template_guide_playing_together_friends_list_desc' => 'You can keep track of all your in-game friends via World of Warcraft’s Friends List interface. After you’ve added someone to your friends, this handy little frame lets you know when they are online and where they are currently hanging out. You can easily chat with your friends and even invite them to your group via the friends list.', 'template_guide_playing_together_friends_realid' => 'Real ID Friends', 'template_guide_playing_together_friends_realid_desc' => 'Prior to the release of StarCraft II: Wings of Liberty, we added a new feature called Real ID to our Battle.net online gaming service. In a nutshell, Real ID lets you stay in touch with friends even if they are playing different games on Battle.net. <br/><br/>For example, if one of your in-game friends were playing StarCraft II and you were playing World of Warcraft, you wouldn’t be able to chat with that friend; however, if you were both Real ID friends, you would both be able to see that the other is online, what they are doing, and you would be able to chat freely. Real ID is essentially a deeper level of friendship to connect players across all Battle.net games.', 'template_guide_playing_together_friends_realid_more' => 'Learn more about RealID', 'template_guide_late_game_title' => '<h4>Chapter IV <br/>The Late Game</h4>', 'template_guide_late_game_intro' => '<p>In World of Warcraft, the next adventure is always just around the corner. Together, you and your friends will take on and overcome challenges far beyond your wildest dreams and become the heroes Azeroth has been waiting for.</p><p>In this chapter, we will explore some of the more advanced gameplay elements that await you in World of Warcraft: dungeons, end-game raids, and player-vs.-player content.</p>', 'template_guide_late_game_dungeons_finder' => 'Dungeon Finder', 'template_guide_late_game_dungeons_finder_desc' => 'You can rally your friends to fight monsters together, or you can use World of Warcraft’s built-in Dungeon Finder to let the game automatically match you with other players. The Dungeon Finder will find a group for you based on whatever parameters you choose, and you can use it to fill out the last remaining slots in your group if you already have a few people together. The dungeon finder is useful when you’re just starting out and maybe don’t have that many in-game friends yet, and it remains an incredibly powerful tool throughout your career as it allows you to find a group for any dungeon easily and quickly. The Dungeon Finder is your friend!', 'template_guide_late_game_dungeons_instance' => 'Instancing', 'template_guide_late_game_dungeons_instance_desc' => 'All dungeons are instanced, which means that anytime you step through the dungeon’s entrance, World of Warcraft creates a new copy of the dungeon specifically for you and the members of your group. Think of it like a private adventure where you won’t be interrupted by other players.', 'template_guide_late_game_dungeons_boss' => 'Elite and Boss Monsters', 'template_guide_late_game_dungeons_boss_desc' => 'You will find the monsters that inhabit the dungeons of World of Warcraft to be much more dangerous than the ones you encounter out in the world. They hit harder, can soak up more damage, and may also have some additional tricks up their sleeves. In short, they’re out to ruin your day. But if you keep your wits about you, stay calm, and pay attention to their behavior, you will eventually see patterns that you and your friends can use to your advantage.', 'template_guide_late_game_dungeons_fire' => 'In Case Of Fire', 'template_guide_late_game_dungeons_fire_desc' => 'Sooner or later, even the most formidable heroes will meet their match and be defeated. If the entire group perishes, this is called a ’wipe.’ Wipes are a setback, but they are not the end of the world. You can return to the dungeon and try again, but beware: some of the minor monsters you and your group cleared earlier may have been replaced with fresh reinforcements, so watch your back.', 'template_guide_late_game_dungeons_glitt' => 'Glittering Prizes', 'template_guide_late_game_dungeons_glitt_desc' => 'Slaying dragons can be its own reward, but it’s always nice to walk away from your vanquished foes with a souvenir. Whether it’s a better weapon, a powerful new piece of armor, or a magical trinket pried off the cooling corpse of a boss monster, the loot you find in dungeons is of higher quality than what you normally encounter in the world. Boss monsters drop a variety of different treasures, giving you a good reason to re-visit dungeons even after you’ve already cleared them.', 'template_guide_late_game_dungeons' => 'Dungeons', 'template_guide_late_game_sungeons_sub' => 'World of Warcraft dungeons are home to some of the game’s toughest monsters, but they also guard great treasures. In a nutshell, dungeons are special challenges designed specifically for small groups of five players working together as a team. You progress through a dungeon by methodically eliminating the monsters within, gradually working your way up to the boss monsters  – your group will have to fight as one if you want to overcome the dungeon’s most dangerous challenges.', 'template_guide_late_game_raids' => 'Raids', 'template_guide_late_game_raids_sub' => 'World of Warcraft’s raid dungeons are even more challenging than its normal dungeons. You will likely visit many normal dungeons while your character is leveling up, but raid dungeons are the exclusive domain of high-level characters. Just like dungeons, raids come in various degrees of difficulty and different level ranges. You will need bigger groups of ten or even twenty-five players to bring down the monsters guarding these lairs.', 'template_guide_late_game_raids_chalenge' => 'The Ultimate<br />Challenge', 'template_guide_late_game_raids_chalenge_desc' => 'Max-level, endgame raids put your skills to the test like nothing else in World of Warcraft. Knowing how to play your class well is crucial, but being a good team player is even more important. Downing a raid boss takes skill, coordination, and perseverance. More often than not, raid bosses will throw your group a curveball with an unexpected twist; be on your guard!', 'template_guide_late_game_raids_exp' => 'The Ultimate<br />Experience', 'template_guide_late_game_raids_exp_desc' => 'While you are adventuring in Azeroth and beyond, you will become embroiled in epic storylines that tie into the overarching plot of World of Warcraft. Whether you are defending the kingdom of Stormwind against a terrible threat from within or fighting to contain an ancient and unspeakable horror deep within an ancient Titan stronghold, these stories will lead you to the raid dungeons of World of Warcraft where you will be able to see them through to their ultimate conclusion.', 'template_guide_late_game_raids_reward' => 'The Ultimate<br />Reward', 'template_guide_late_game_raids_reward_desc' => 'Raids are where you will earn World of Warcraft’s greatest treasures: powerful magical armor, the mightiest weapons, and mystical artifacts of unfathomable origin. If you want to get your hands on these items, you will have to defeat the most powerful beings in all of World of Warcraft. Wear them proudly to let everyone know that you have proved your worth.', 'template_guide_late_game_pvp' => 'Player-vs-Player Combat', 'template_guide_late_game_pvp_sub' => 'With tensions between the Alliance and the Horde at an all-time high, skirmishes between members of both factions are taking place everywhere. You can jump into the fray at any given time and fight for your faction, for fame and fortune, or for the simple thrill of battle.', 'template_guide_late_game_pvp_bg' => 'Battlegrounds', 'template_guide_late_game_pvp_bg_desc' => 'Battlegrounds offer a structured PvP experience. Battlegrounds are PvP instances where two teams of players meet on the field of battle and have to complete mission objectives to achieve victory. These objectives can be as simple as grabbing the enemy flag and taking it to your base, or they can be as complex as setting demolition charges, breaching the other team’s defenses, and capturing the defending team’s artifact. Each Battleground has a different objective, and they also vary by number of players per team. You can join Battlegrounds by yourself, in which case you will be on a team with other random players of your faction, or you can queue up as a group together with your friends.', 'template_guide_late_game_pvp_arena' => 'The Arena', 'template_guide_late_game_pvp_arena_desc' => 'Some say the Arena is the ultimate test of a player’s PvP prowess; others simply enjoy its straightforward deathmatch-style PvP and its team-based, competitive organization. In the Arena, two small teams fight each other until one team is eliminated. The team with the last player or players standing wins. Arena teams share one similarity with guilds in that they are persistent groups that exist for as long as there are players on the team’s roster. Winning Arena matches will improve your team’s rating and potentially your ranking on the Arena ladder, where the top teams across several realms compete for the top position. Successful gladiators also gain access to powerful weapons and armor specifically tailored to PvP combat.', 'template_guide_late_game_pvp_obj' => 'World Objectives', 'template_guide_late_game_pvp_obj_desc' => 'Beyond instanced Battlegrounds and the Arena, world objectives offer yet another spin on objective-based PvP in World of Warcraft. Some locations throughout the world can be conquered by players of either faction, and holding these strategic locations offers unique benefits to whichever faction is currently in control. These benefits can range from simple, zone-wide buffs to special item rewards and even exclusive access to new areas.', 'template_guide_late_game_pvp_duels' => 'Duels', 'template_guide_late_game_pvp_duels_desc' => 'Whether you want to defend your honor, settle a score, or simply see who is the better fighter, you can challenge players of your faction to a friendly duel. Duels are not fought to the death, and only the two players involved in the duel can harm each other. The duel ends when one player’s health drops close to zero, or if one of the players flees the duelling area.', 'template_guide_late_game_pvp_world' => 'World PvP', 'template_guide_late_game_pvp_world_desc' => 'The simplest form of Player-vs.-Player (PvP) combat in World of Warcraft is free-form, open world PvP. Anytime you run into another player of the opposite faction and you’re both flagged for PvP, either one of you can attack the other. Some areas are PvP hotbeds where players clash frequently, while other places are relatively quiet. On PvP realms, you will automatically be flagged for PvP almost everywhere you go, but on Normal realms you are safe from attacks by other players unless you willingly flag yourself for PvP.', 'template_guide_late_game_finale' => 'What’s Next?', 'template_guide_late_game_finale_desc' => 'We’ve barely scratched the surface of what World of Warcraft has to offer. From the sun-baked shores of Tanaris to the snow-capped mountains of Dun Morogh, from the shattered realm of Outland to the Light-forsaken depth of Icecrown glacier, there’s a whole universe out there for you to explore. Gather your allies. Hone your skills. Dive into a fantasy universe unlike any other.<br/><br/>The World of Warcraft awaits!', 'template_guide_nav_title' => 'What is World of Warcraft', 'template_guide_nav_i' => 'Chapter I: Getting Started', 'template_guide_nav_ii' => 'Chapter II: How to Play', 'template_guide_nav_iii' => 'Chapter III: Playing Together', 'template_guide_nav_iv' => 'Chapter IV: The Late Game', 'template_game_race_index' => 'Races', 'template_game_race_intro' => 'Azeroth is home to dozens of unique and interesting races. In this section, you will be able to learn more about the background of the game’s playable races, their homelands, and much more.', 'template_game_races_title' => 'Races of World of Warcraft', 'template_game_race_racial_traits' => '%s Racial Traits', 'template_game_race_classes' => 'Available Classes', 'template_game_race_classes_desc' => 'These are the classes available to %s player characters:', 'template_game_race_artwork' => 'Artwork', 'template_game_race_screenshots' => 'Screenshots', 'template_game_race_more' => 'MORE INFORMATION', 'template_game_race_more_desc' => 'Learn more about the Worgen on the following fansites.', 'template_game_race_viewall' => 'View all', 'template_game_race_worgen_info' => 'Behind the formidable Greymane Wall, a terrible curse has spread throughout the isolated human nation of Gilneas, transforming many of its stalwart citizens into nightmarish beasts known as worgen.', 'template_game_race_draenei_info' => 'Armed with their unshakable faith in the Light, the draenei ventured to their embattled former home as steadfast members of the Alliance and defeated their ancient demonic rivals.', 'template_game_race_dwarf_info' => 'The bold and courageous dwarves are an ancient race descended from the earthen-beings of living stone created by the titans when the world was young.', 'template_game_race_gnome_info' => 'The clever, spunky, and oftentimes eccentric gnomes present a unique paradox among the civilized races of Azeroth.', 'template_game_race_human_info' => 'Recent discoveries have shown that humans are descended from the barbaric vrykul, half-giant warriors who live in Northrend.', 'template_game_race_night-elf_info' => 'The ancient and reclusive night elves have played a pivotal role in shaping Azeroth’s fate throughout its history.', 'template_game_race_goblin_info' => 'Reforging old pacts with their colleagues’ one-time allies, the goblins of the Bilgewater Cartel have been welcomed into the Horde with open arms.', 'template_game_race_blood-elf_info' => 'Although some elves remain hesitant to abandon their dependence on arcane magic, others have embraced change for the betterment of Quel’Thalas.', 'template_game_race_orc_info' => 'Unlike the other races of the Horde, orcs are not native to Azeroth. Initially, they lived as shamanic clans on the lush world of Draenor.', 'template_game_race_tauren_info' => 'The peaceful tauren—known in their own tongue as the shu’halo—have long dwelled in Kalimdor, striving to preserve the balance of nature at the behest of their goddess, the Earth Mother.', 'template_game_race_troll_info' => 'The savage trolls of Azeroth are infamous for their cruelty, dark mysticism, and seething hatred for all other races.', 'template_game_race_forsaken_info' => 'When the Lich King’s grasp on his vast armies faltered after the Third War, a contingent of undead broke free of their master’s iron will.', 'template_game_race_location' => 'Location:', 'template_game_race_homecity' => 'Homecity:', 'template_game_race_mount' => 'Mount:', 'template_game_race_leader' => 'Leader:', 'template_game_race_homecity_location' => 'Location &amp; Homecity:', 'template_game_race_prev' => 'Prev. race: %s', 'template_game_race_next' => 'Next race: %s', 'template_class_role_melee' => 'Melee Damage Dealer', 'template_class_role_ranged' => 'Ranged Physical Damage Dealer', 'template_class_role_caster' => 'Ranged Magic Damage Dealer', 'template_class_role_healer' => 'Healer', 'template_class_role_tank' => 'Tank', 'template_game_class_index' => 'Classes', 'template_game_class_intro' => 'This new and improved class guide contains more information about each of World of Warcraft’s classes with a description of their abilities, playstyles, and history in the world of Azeroth.', 'template_game_classes_title' => 'Classes of World of Warcraft', 'template_game_class_information' => '%s Information', 'template_game_class_talents' => '%s Talents', 'template_game_class_features' => '%s Features', 'template_game_class_talent_trees' => '%s Talent Trees', 'template_game_class_races' => '%s Available Races', 'template_game_class_next' => 'Next Class: %s', 'template_game_class_prev' => 'Previous Class: %s', 'template_game_class_type' => 'Type', 'template_game_class_bars' => 'Standard Bars', 'template_game_class_armor' => 'Available Armor', 'template_game_class_weapons' => 'Available Weapons', 'template_game_class_warrior_info' => 'For as long as war has raged, heroes from every race have aimed to master the art of battle. Warriors combine strength, leadership, and a vast knowledge of arms and armor to wreak havoc in glorious combat.', 'template_game_class_paladin_info' => 'This is the call of the paladin: to protect the weak, to bring justice to the unjust, and to vanquish evil from the darkest corners of the world.', 'template_game_class_hunter_info' => 'From an early age the call of the wild draws some adventurers from the comfort of their homes into the unforgiving primal world outside. Those who endure become hunters.', 'template_game_class_rogue_info' => 'For rogues, the only code is the contract, and their honor is purchased in gold. Free from the constraints of a conscience, these mercenaries rely on brutal and efficient tactics.', 'template_game_class_priest_info' => 'Priests are devoted to the spiritual, and express their unwavering faith by serving the people. For millennia they have left behind the confines of their temples and the comfort of their shrines so they can support their allies in war-torn lands.', 'template_game_class_death-knight_info' => 'When the Lich King’s control of his death knights was broken, his former champions sought revenge for the horrors committed under his command.', 'template_game_class_shaman_info' => 'Shaman are the spiritual leaders of their tribes and clans. They are masters of the elements, using spells and totems that heal or enhance their allies in battle while unleashing the fury of the elements upon their foes.', 'template_game_class_mage_info' => 'Students gifted with a keen intellect and unwavering discipline may walk the path of the mage. The arcane magic available to magi is both great and dangerous, and thus is revealed only to the most devoted practitioners.', 'template_game_class_warlock_info' => 'In the face of demonic power, most heroes see death. Warlocks see only opportunity. Dominance is their aim, and they have found a path to it in the dark arts. These voracious spellcasters summon demonic minions to fight beside them.', 'template_game_class_druid_info' => 'Druids harness the vast powers of nature to preserve balance and protect life. As master shapeshifters, druids can take on the forms of a variety of beasts, morphing into a bear, cat, storm crow, or sea lion with ease.', 'template_game_class_artwork' => 'Artwork', 'template_game_class_screenshots' => 'Screenshots', 'template_game_class_more' => 'MORE INFORMATION', 'template_game_class_more_desc' => 'Learn more about the Warrior on the following fansites.', 'template_game_class_viewall' => 'View all', 'template_menu_game_factions' => 'Factions', 'template_menu_game_factions_intro' => 'Azeroth is a fractious and war-stricken world, and standing alone can be deadly. To survive and prosper, members of all races gather together along cultural and ideological lines. Each of these factions holds to a unique philosophy, and they often disagree with one another – violently. Yet, despite the danger, allegiance to a faction never goes unnoticed; those heroes who are willing to risk taking sides can expect handsome rewards.', 'template_menu_game_factions_' => '', 'template_account_password_reset_title' => 'Reset Your Password', 'template_account_password_reset_required_fields' => 'Required', 'template_account_password_reset_intro' => 'There are several reasons you might not be able to log in. Check below for more information and possible solutions.', 'template_account_password_reset_forgot_title' => 'I forgot my Battle.net account password, or am currently locked out of my account.', 'template_account_password_reset_hacked_title' => 'I think my account may have been hacked.', 'template_account_password_reset_next' => 'Continue', 'template_account_password_reset_back' => 'Back', 'template_account_password_reset_email' => 'E-mail Address:', 'template_account_password_reset_account' => 'Account Name:', 'template_account_password_reset_hacked_subtitle' => 'Here are some common signs:', 'template_account_password_reset_hacked_signs' => '<li class="signs">My password has been working fine until now</li>
Example #29
0
 public function main()
 {
     WoW_Template::SetTemplateTheme('wow');
     WoW_Template::SetPageData('body_class', WoW_Locale::GetLocale(LOCALE_DOUBLE));
     WoW_Template::SetMenuIndex('menu-forums');
     $url_data = WoW::GetUrlData('forum');
     $page = isset($_GET['page']) && preg_match('/([0-9]+)/i', $_GET['page']) ? $_GET['page'] : 1;
     WoW_Template::SetPageData('current_page', $page);
     // Clear category/thread values
     WoW_Forums::SetCategoryId(0);
     WoW_Forums::SetThreadId(0);
     // Check preview
     if (isset($url_data['action4'], $url_data['action5'], $url_data['action6']) && $url_data['action4'] . $url_data['action5'] . $url_data['action6'] == 'topicpostpreview') {
         $post_text = isset($_POST['post']) ? $_POST['post'] : null;
         if ($post_text == null) {
             //This can not be here, it causes error when preview blank post text
             //WoW_Template::ErrorPage(500);
         }
         // Convert BB codes to HTML
         WoW_Forums::BBCodesToHTML($post_text);
         // Output json
         header('Content-type: text/json');
         echo '{"detail":"' . $post_text . '"}';
         exit;
     }
     // Set values (if any)
     if ($url_data['category_id'] > 0) {
         if (!WoW_Forums::SetCategoryId($url_data['category_id'])) {
             WoW_Template::ErrorPage(404);
             exit;
         }
         if (isset($url_data['action5']) && $url_data['action5'] == 'topic' && WoW_Account::IsHaveActiveCharacter()) {
             // Check $_POST query
             if (isset($_POST['xstoken'])) {
                 $post_allowed = true;
                 $required_post_fields = array('xstoken', 'sessionPersist', 'subject', 'postCommand_detail');
                 foreach ($required_post_fields as $field) {
                     if (!isset($_POST[$field])) {
                         $post_allowed = false;
                     }
                 }
                 if ($post_allowed) {
                     $post_info = WoW_Forums::AddNewThread($url_data['category_id'], $_POST, false);
                     if (is_array($post_info)) {
                         header('Location: ' . WoW::GetWoWPath() . '/wow/' . WoW_Locale::GetLocale() . '/forum/topic/' . $post_info['thread_id']);
                         exit;
                     }
                 }
             }
             // Topic create
             WoW_Template::SetPageIndex('forum_new_topic');
             WoW_Template::SetPageData('page', 'forum_new_topic');
         } else {
             WoW_Template::SetPageIndex('forum_category');
             WoW_Template::SetPageData('page', 'forum_category');
         }
     } elseif ($url_data['thread_id'] > 0) {
         if (!WoW_Forums::SetThreadId($url_data['thread_id'])) {
             WoW_Template::ErrorPage(404);
             exit;
         }
         if (isset($url_data['action4']) && $url_data['action4'] == 'topic' && preg_match('/([0-9]+)/i', $url_data['action5']) && WoW_Account::IsHaveActiveCharacter()) {
             // Check $_POST query
             if (isset($_POST['xstoken'])) {
                 $post_allowed = true;
                 $required_post_fields = array('xstoken', 'sessionPersist', 'detail');
                 foreach ($required_post_fields as $field) {
                     if (!isset($_POST[$field])) {
                         $post_allowed = false;
                     }
                 }
                 if ($post_allowed) {
                     $post_info = WoW_Forums::AddNewPost(null, $url_data['thread_id'], $_POST);
                     if (is_array($post_info)) {
                         header('Location: ' . WoW::GetWoWPath() . '/wow/' . WoW_Locale::GetLocale() . '/forum/topic/' . $url_data['thread_id']);
                         exit;
                     }
                 }
             }
         }
         WoW_Template::SetPageIndex('forum_thread');
         WoW_Template::SetPageData('page', 'forum_thread');
     } elseif (isset($url_data['action4']) && $url_data['action4'] == 'topic' && isset($url_data['action5']) && $url_data['action5'] == 'post' && isset($url_data['action6']) && preg_match('/([0-9]+)/i', $url_data['action6'])) {
         if (isset($url_data['action7']) && WoW_Account::IsHaveActiveCharacter()) {
             switch ($url_data['action7']) {
                 case 'frag':
                     $Quote = WoW_Forums::QuotePost($url_data['action6']);
                     header('Content-type: text/json');
                     echo '{"detail":"' . $Quote['message'] . '","name":"' . $Quote['name'] . '"}';
                     exit;
                     break;
                 case 'edit':
                     if (isset($_POST['xstoken'])) {
                         $post_allowed = true;
                         $required_post_fields = array('xstoken', 'sessionPersist', 'postCommand_detail');
                         foreach ($required_post_fields as $field) {
                             if (!isset($_POST[$field])) {
                                 $post_allowed = false;
                             }
                         }
                         if ($post_allowed) {
                             $thread_id = WoW_Forums::EditPost($url_data['action6'], $_POST);
                             if ($thread_id) {
                                 header('Location: ' . WoW::GetWoWPath() . '/wow/' . WoW_Locale::GetLocale() . '/forum/topic/' . $thread_id);
                                 exit;
                             }
                         }
                     }
                     if ($post = WoW_Forums::GetPost($url_data['action6'])) {
                         if (!WoW_Forums::SetThreadId($post['thread_id'])) {
                             WoW_Template::ErrorPage(404);
                             exit;
                         }
                         WoW_Template::SetPageData('edit_text', $post['message']);
                         WoW_Template::SetPageIndex('forum_edit_post');
                         WoW_Template::SetPageData('page', 'forum_edit_post');
                     }
                     break;
             }
         }
     } elseif ($url_data['action4'] == 'blizztracker') {
         // Set Blizz tracker as active
         WoW_Forums::SetBlizzTrackerActive();
         // Init Blizz tracker!
         WoW_Forums::InitBlizzTracker(false, $page);
         WoW_Template::SetPageIndex('forum_blizztracker');
         WoW_Template::SetPageData('page', 'forum_blizztracker');
     } else {
         // Init Blizz tracker!
         WoW_Forums::InitBlizzTracker(true);
         WoW_Template::SetPageIndex('forum_index');
         WoW_Template::SetPageData('page', 'forum_index');
         WoW_Template::SetPageData('body_class', WoW_Locale::GetLocale(LOCALE_DOUBLE) . ' station-home');
     }
     // Init the forums!
     WoW_Forums::InitForums($page);
     WoW_Template::SetPageData('forum_category_title', WoW_Forums::GetCategoryTitle());
     WoW_Template::SetPageData('forum_thread_title', WoW_Forums::GetThreadTitle());
     WoW_Template::LoadTemplate('page_index');
 }
 public function main()
 {
     WoW_Template::SetPageData('body_class', WoW_Locale::GetLocale(LOCALE_DOUBLE));
     WoW_Template::SetTemplateTheme('wow');
     $url_data = WoW::GetUrlData('character');
     if (!$url_data) {
         WoW_Template::SetPageIndex('404');
         WoW_Template::SetPageData('page', '404');
         WoW_Template::SetPageData('errorProfile', 'template_404');
     } else {
         if ($url_data['action0'] == 'advanced') {
             // Set "wow.character.summary.view" cookie as "advanced"
             setcookie('wow.character.summary.view', 'advanced', strtotime('NEXT YEAR'), '/' . WoW::GetWoWPath() . '/character/');
         } elseif ($url_data['action0'] == null && (isset($url_data['name']) && isset($url_data['realmName']))) {
             WoW::RedirectToCorrectProfilePage('simple');
             //change to WoW::RedirectTo()?
         } elseif ($url_data['action0'] == 'simple') {
             // Set "wow.character.summary.view" cookie as "simple"
             setcookie('wow.character.summary.view', 'simple', strtotime('NEXT YEAR'), '/' . WoW::GetWoWPath() . '/character/');
         }
         $load_result = WoW_Characters::LoadCharacter($url_data['name'], WoW_Utils::GetRealmIDByName($url_data['realmName']), true, true);
         if (!WoW_Characters::IsCorrect() || $load_result != 3) {
             if ($url_data['action0'] == 'tooltip') {
                 exit;
             }
             if ($load_result == 2) {
                 WoW_Template::SetPageData('errorProfile', 'template_lowlevel');
             } else {
                 WoW_Template::SetPageData('errorProfile', 'template_404');
             }
             WoW_Template::SetPageIndex('404');
             WoW_Template::SetPageData('page', '404');
         } else {
             WoW_Achievements::Initialize();
             WoW_Template::SetPageData('characterName', WoW_Characters::GetName());
             WoW_Template::SetPageData('characterRealmName', WoW_Characters::GetRealmName());
             switch ($url_data['action0']) {
                 default:
                     WoW_Template::SetPageIndex('character_profile_simple');
                     WoW_Template::SetPageData('page', 'character_profile');
                     WoW_Characters::CalculateStats(true);
                     break;
                 case 'advanced':
                     WoW_Template::SetPageIndex('character_profile_advanced');
                     WoW_Template::SetPageData('page', 'character_profile');
                     WoW_Characters::CalculateStats(true);
                     break;
                     /*
                     case 'talent':
                         WoW_Template::SetPageIndex('character_talents');
                         WoW_Template::SetPageData('page', 'character_talents');
                         WoW_Template::SetPageData('talents', 'primary');
                         if($url_data['action1'] == 'secondary') {
                             WoW_Template::SetPageData('talents', 'secondary');
                         }
                         break;
                     */
                 /*
                 case 'talent':
                     WoW_Template::SetPageIndex('character_talents');
                     WoW_Template::SetPageData('page', 'character_talents');
                     WoW_Template::SetPageData('talents', 'primary');
                     if($url_data['action1'] == 'secondary') {
                         WoW_Template::SetPageData('talents', 'secondary');
                     }
                     break;
                 */
                 case 'tooltip':
                     WoW_Template::LoadTemplate('page_character_tooltip');
                     exit;
                     break;
                 case 'achievement':
                     for ($i = 2; $i > 0; $i--) {
                         if (isset($url_data['action' . $i]) && $url_data['action' . $i] != null) {
                             WoW_Achievements::SetCategoryForTemplate($url_data['action' . $i]);
                             WoW_Template::LoadTemplate('page_character_achievements');
                             exit;
                         }
                     }
                     WoW_Template::SetPageIndex('character_achievements');
                     WoW_Template::SetPageData('page', 'character_achievements');
                     break;
                 case 'reputation':
                     if (isset($url_data['action1']) && $url_data['action1'] == 'tabular') {
                         WoW_Template::SetPageIndex('character_reputation_tabular');
                     } else {
                         WoW_Template::SetPageIndex('character_reputation');
                     }
                     WoW_Template::SetPageData('page', 'character_reputation');
                     WoW_Reputation::InitReputation(WoW_Characters::GetGUID());
                     break;
                 case 'pvp':
                     WoW_Template::SetPageIndex('character_pvp');
                     WoW_Template::SetPageData('page', 'character_pvp');
                     WoW_Characters::InitPvP();
                     break;
                 case 'statistic':
                     for ($i = 2; $i > 0; $i--) {
                         if (isset($url_data['action' . $i]) && $url_data['action' . $i] != null) {
                             WoW_Achievements::SetCategoryForTemplate($url_data['action' . $i]);
                             WoW_Template::LoadTemplate('page_character_statistics');
                             exit;
                         }
                     }
                     WoW_Template::SetPageIndex('character_statistics');
                     WoW_Template::SetPageData('page', 'character_statistics');
                     break;
                 case 'feed':
                     WoW_Template::SetPageIndex('character_feed');
                     WoW_Template::SetPageData('page', 'character_feed');
                     break;
                 case 'companion':
                 case 'mount':
                     WoW_Template::SetPageIndex('character_companions_mounts');
                     WoW_Template::SetPageData('page', 'character_companions_mounts');
                     WoW_Template::SetPageData('category', $url_data['action0']);
                     WoW_Characters::InitMounts();
                     break;
             }
         }
     }
     WoW_Template::SetMenuIndex('menu-game');
     WoW_Template::LoadTemplate('page_index');
 }