Как запустить mindustry на линукс

Обновлено: 02.07.2024

Mindustry mods are simply directories of assets. There are many ways to use the modding API, depending on exactly what you want to do, and how far you're willing to go to do it.

You could just resprite existing game content, you can create new game content with the simpler Json API (which is the main focus of this documentation), you can add custom sounds (or reuse existing ones). It's possible to add maps to campaign mode, and add scripts to program special behavior into your mod, like custom effects.

Sharing your mod is as simple as giving someone your project directory; mods are also cross platfrom to any platform that supports them. You'll want to use GitHub (or a similar service) for hosting your source code. To make mods all you really need is any computer with a text editor.

Directory Structure

Your project directory should look something like this:

  • mod.hjson (required) metadata file for your mod,
  • content/* directories for game Content,
  • maps/ directory for in-game maps,
  • bundles/ directory for Bundles,
  • sounds/ directory for Sound files,
  • schematics/ directory for Schematic files,
  • scripts/ directory for Scripts,
  • sprites-override/ Sprites directory for overriding ingame content,
  • sprites/ Sprites directory for your content,

Every platform has a different user application data directory, and this is where your mods should be placed:

Note that your filenames should be lowercased and hyphen separated:

  • correct: my-custom-block.json
  • incorrect: My Custom Block.json

Hjson

mod.hjson

At the root of your project directory, you must have a mod.json which defines the basic metadata for your project. This file can also be (optionally) named mod.hjson to potentially help your text editor pick better syntax highlighting.

  • name will be used to reference to your mod, so name it carefully;
  • displayName this will be used as a display name for the UI, which you can use to add formatting to said name;
  • description of the mod will be rendered in the ingame mod manager, so keep it short and to the point;
  • dependencies is optional, if you want to know more about that, go to the dependencies section;
  • minGameVersion is the minimum build version of the game. This is required to be a number greater than 105.
  • hidden is whether or not this mod is essential for multiplayer, false by default. Texture packs, JS plugins, etc. should use this as to not cause conflicts with servers and clients respectively. As a rule of thumb, if your mod creates content it shouldn't be hidden.

Content

At the root of your project directory you can have a content/ directory, this is where all the Json/Hjson data goes. Inside of content/ you have subdirectories for the various kinds of content, these are the current common ones:

  • content/items/ for items, like copper and surge-alloy ;
  • content/blocks/ for blocks, like turrets and floors;
  • content/liquids/ for liquids, like water and slag ;
  • content/units/ for flying or ground units, like eclipse and dagger ;

Note that each one of these subdirectories needs a specific content type. The filenames of these files is important, because the stem name of your path (filename without the extension) is used to reference it.

Furthermore the files within these content/<content-type>/* directories may be arbitrarly nested into other sub-directories of any name, to help you organize them further, for example:

  • content/items/metals/iron.hjson , which would respectively create an item named iron .

The content of these files will tend to look something like this:

field type notes
type String Content type of this object.
name String Displayed name of content.
description String Displayed description of content.

Other fields included will be the fields of the type itself.

Types

Types have numerous fields, but the important one is type ; this is a special field used by the content parser, that changes which type your object is. A Router type can't be a Turret type, as they're just completely different.

Types extend each other, so if MissileBulletType extends BasicBulletType , you'll have access to all the fields of BasicBulletType inside of MissileBulletType like damage , lifetime and speed . Fields are case sensitive: hitSize =/= hitsize .

What you can expect a field to do is up to the specific type, some types do absolutely nothing with their fields, and work mostly as a base types will extend from. One such type is Block .

In this unit example, the type of the unit is flying . The type of the bullet is BulletType , so you can use MissileBulletType , because MissileBulletType extends BulletType .

One could also use mech , legs , naval or payload as the unit type here.

As of build 125.1 , types can also be the fully-qualified class name of a Java class.

For example, to specify a block as a MendProjector , you may write type: mindustry.world.blocks.defense.MendProjector instead of type: MendProjector .

While not particularly useful for vanilla types, this can be used to load block types from other Java mods as dependencies.

Tech Tree

Much like type there exist another magical field known as research which can go at the root of any block object to put it in the techtree.

This would put your block after duo in the techtree, and to put it after your own mods block you would write your <block-name> , a mod name prefix is only required if you're using the content from another mod.

type cost notes
blocks requirements ^ 1.1 * 20 * researchCostMultiplier researchCostMultiplier is a stat that can be set on blocks
units requirements ^ 1.1 * 50 ---

The cost is then rounded down to the nearest 10, 100, 1k, 10k, or 100k depending on how expensive the cost is.

requirements is the cost of the block or unit. Units use their build cost/upgrade cost for the calculations.

If you want to set custom research requirements use this object in place of just a name:

This can be used to override block or unit costs, or make resources need to be researched instead of just having to produce it.

Sprites

All you need to make sprites, is an image editor that supports transparency (aka: not paint). Block sprites should be 32 * size , so a 2x2 block would require a 64x64 image. Images must be PNG files with a 32-bit RGBA pixel format. Any other pixel format, such as 16-bit RGBA, may cause Mindustry to crash with a "Pixmap decode error". You can use the command-line tool file to print information about your sprites:

If any of them are not 32-bit RGBA formatted, fix them.

Sprites can simply be dropped in the sprites/ subdirectory. The content parser will look through it recursively. Images are packed into an "atlas" for efficient for rendering. The first directory in sprites/ , e.g. sprites/blocks , determines the page in this atlas that sprites are put in. Putting a block's sprite in the units page is likely to cause lots of lag; thus, you should try to organize things similarly to how the vanilla game does.

Content is going to look for sprites relative to it's own name. content/blocks/my-hail.json has the name my-hail and similarly sprites/my-hail.jpg has the name my-hail , so it'll be used by this content.

Content may look for multiple sprites. my-hail could be a turret, and it could look for the suffix <name>-heat and what this means is it'll look for my-hail-heat .

Another thing to know about sprites is that some of them are modified by the game. Turrets specifically have a black border added to them, so you must account for that while making your sprites, leaving transparent space around turrets for example: Ripple

To override ingame content sprites, you can simply put them in sprites-override/ . This removes the <modname>- prefix to their id, which allows them to override sprites from vanilla and even other mods. You can also use this to create sprites with nice short names like cat for easy use with scripts, just beware of name collisions with other mods.

Sound

Custom sounds can be added through the modding system by dropping them in the sounds/ subdirectory. It doesn't matter where you put them after that. Two formats are supported: ogg and mp3 . Note that mp3 files cannot loop seamlessly, so try to use ogg whenever possible.

Just like any other assets, you reference them by the stem of your filenames, so pewpew.ogg and pewpew.mp3 can be referenced with pewpew from a field of type Sound .

Here's a list of built-in sounds:

artillery back bang beam bigshot boom breaks build buttonClick click combustion conveyor corexplode cutter door drill explosion explosionbig fire flame flame2 grinding hum laser laserbig laserblast lasercharge lasercharge2 lasershoot machine message mineDeploy minebeam missile mud noammo pew place plantBreak plasmaboom plasmadrop press pulse railgun rain release respawn respawning rockBreak sap shield shoot shootBig shootSnap shotgun smelter spark splash spray steam swish techloop thruster tractorbeam unlock wave wind wind2 wind3 windhowl windowHide none

Dependencies

You can add dependencies to your mod by simple adding other mods name in your mod.json :

The name of dependencies are lower-cased and spaces are replaced with - hyphens, for example Other MOD NamE becomes other-mod-name .

To reference the other mods assets, you must prefix the asset with the other mods name:

  • other-mod-name-not-copper would reference not-copper in other-mod-name
  • other-mod-name-angry-dagger would reference angry-dagger in other-mod-name
  • not-a-mod-angry-dagger would reference angry-dagger in not-a-mod

Bundles

An optional addition to your mod is called bundles. The main use of bundles are give translations of your content, but there's no reason you couldn't use them in English. These are plaintext files which go in the bundles/ subdirectory, and they should be named something like bundle_ru.properties (for Russian).

The contents of this file is very simple:

If you've read the first few sections of this guide, you'll spot it right away:

  • <content type>.<mod name>-<content name>.name
  • <content type>.<mod name>-<content name>.description

With your own custom bundle lines for use in scripts you can use whatever key you like:

  • message.egg = Eat your eggs
  • randomline = Random Line
  • mod/content names are lowercased and hyphen separated.

List of content types:

item block bullet liquid status unit weather sector error planet

List of bundle suffixes relative to languages:

en pt_PT fi fil sr it uk_UA nl ja eu bg ro pl ru de lt zh_TW nl_BE pt_BR be vi tr da tk th in_ID ko cs sv hu et zh_CN fr es

GitHub

Once you have a mod of some kind, you'll want to actually share it, and you may even want to work with other people on it, and to do that you can use GitHub. If you don't know what Git (or GitHub) is at all, then you should look into GitHub Desktop, otherwise simply use your favorite command line tool or text editor plugin.

All you need understand is how to open repositories on GitHub, stage and commit changes in your local repository, and push changes to the GitHub repository. Once your project is on GitHub, there are three ways to share it:

Содержание

Краткое описание всех способов

Название способа Сложность Стоимость Доступ к панели администратора маршрутизатора Доступность
С помощью ddns Выше средней Бесплатно Требуется Все платформы
Открытие портов Тяжёлая Бесплатно Требуется Все платформы
Виртуальный хостинг Тяжёлая Платно (зависит от поставщика) Не требуется Все платформы
Игра на каком-то сервере Очень лёгкая Бесплатно Не требуется Все платформы
Hamachi(VPN) Средняя Бесплатно(до 5 человек) Не требуется Все платформы
Локальная сеть Лёгкая Бесплатно Не требуется Все платформы
Steam Лёгкая Платно(только покупка игры) Не требуется Все платформы(только при задействовании других способов)
[ЭКСЛЮЗИВ]OpenVPN/PPTP Средняя Бесплатно Не требуется Все платформы

Открытие порта/ddns

Очень настоятельно рекомендуем к просмотру это видео

Как открыть порт?

Нужный порт: 6567 (TCP/UDP)
Сначала нужно узнать модель маршрутизатора(роутера). Как узнать? Переходим по этой ссылке
Нужно открыть порт 6567 (TCP/UDP). Как открыть? Переходим по этой ссылке
Если в общем то вам надо:

  1. Зайти в настройки роутера. Пример:192.168.1.1, 192.168.1.0.
  2. Ввести логин и пароль, стандартный логин и пароль: admin.
  3. Найти Дополнительные настройки > NAT > Виртуальные серверы.
  4. Выбрать "Пользовательский сервис", можете написать название, это НЕ название сервера, это просто название.
  5. Записать нужные вам порты в строках "Внешний порт (начало)" и "Внешний порт (конец)". Пример: Внешний порт (начало) 2000 Внешний порт (конец) 3000, это значит что вы открыли все порты с 2000 по 3000. Не забудьте сделать еще одну такую же строку для UDP!
  6. В строке "Ip-адрес сервера" указать свой локальный ip.
  7. Отключить брандмауэр windows или настроить его так чтобы он не блокировал входящие подключения.
  8. Узнать свой ip на сайте 2ip.ua
  9. Запустить игру и нажать на кнопку "Многопользовательский режим" в мире.

Примеры внутренних IP адресов:

  • 10.0.0.0 — 10.255.255.255
  • 100.64.0.0 — 100.127.255.255
  • 172.16.0.0 — 172.31.255.255
  • 192.168.0.0 — 192.168.255.255

Игра на каком-то сервере

Самый просто способ, ведь серверов много. Чтобы узнать как подключаться и какие есть сервера, переходите по этой ссылке.

Hamachi

Servers are a large part of Mindustry in that they offer the ability to play the game with other people. There are two main types of servers; dedicated servers and local LAN servers.

Dedicated Servers

Dedicated servers are standalone, headless versions of the game that are focused only on providing a means for people to play Multiplayer. They are usually run on a computer as a separate program rather than in-game, and are operated from the terminal. These are usually stronger than a local LAN server as they have more resources available to them to support more than two or three players, and can be run 24/7. They are also more versatile and powerful in that they have many commands to provide the administrator with more control over it, and they can easily be modded to fit the administrator's needs.

You can connect to one using the "Join Game" button under the "Play" menu. Unlike local LAN servers, you will have to enter the host's IP address and port. Also unlike local LAN servers, once you add a server, it will automatically show up on your server list when you open it, and the game will automatically check the server's status.

To establish a dedicated server, a dedicated Linux or Windows machine is highly recommended.

  1. If you haven't already, install at least JRE and JDK 8.
  2. Download the desired server release from itch.io, or compile one yourself.
  3. Open a terminal or TTY session then change cd to the directory the JAR is placed in.
  4. Run java -jar server.jar using Command Prompt (on Windows) or your favorite terminal (on Linux and Mac). The commands are explained in the help command.
  5. Start hosting a map with host <mapname> [mode] after you configured your server.
  6. If you are using Windows to run your server, use your favorite search engine to look up how to add rules to your Windows Firewall, as it blocks that port most of the time. Make sure to allow port 6567 TCP and UDP.

Unless you have already enabled port forwarding, your dedicated server can only be connected to by clients within your local network. If you want to make your server globally available, read below.

What is an IP and how do I find out what mine is?

In simplified terms, an IP address is a number that identifies your computer on the internet. You can connect to someone's Mindustry server if you know their IP address. There are two types; a public and a local address.

  • For a local IP, when for example you would like to play with a friend on the same network as yours, each device has its own way of showing it. You can Google how to do it for your device, e.g. "find local ip on Mac".
  • For a public IP, you can simply Google "what is my ip".

Running A Dedicated Server At Home

Most of the time, this is what you should remember; never share your public IP with the public if you're hosting from your home, unless you acknowledge the implications of doing so! Your public IP is tied to your household, and if it falls into the wrong hands, and when put into the wrong hands, can open up your network to vulnerabilities and dangers. Exercise caution, do your research, and use a VPN or webhost if possible.

It is also recommended and that you use a domain name or DNS service to mask your IP for public servers for ease of use, or even better, use a cloud service e.g. Amazon AWS or a dedicated server/VM from a hosting provider such as Linode or DigitalOcean, which is much safer. Do your research, and determine which option best fits your needs.

  1. Find the make/model of your router. This is usually on a sticker on the bottom or back of the router.
  2. Use your favorite search engine to search "port forward ASUS RT-ACRH17" and use the guide to foward port 6567 TCP and UDP. These instructions are different for every router, so be sure to read your guide thoroughly!
  3. You can use a service such as You Get Signal to check if you have done your portforwarding correctly.

Local LAN & Steam Servers

A local LAN or Steam server is a server that is built into the game, and can be started using the "Host Multiplayer Game" button in the in-game menu. It is meant to be simple and straightforward, for sessions between a few players under a LAN network (aka in your household's WiFi network). It is not really meant for several players, as it takes more and more resources from your device to be able to use it that way; for that you will need a dedicated server mentioned above. It can only run when the game is open, and is immediately terminated when it is closed.

You can connect to one using the "Join Game" button under the "Play" menu. Unlike dedicated servers, your device will automatically find the host device and it will ususally appear in the server list without you having to enter the host's IP address in.

Требования Mindustry

На этой странице вы найдете системные требования для Mindustry на ПК (Windows, Mac и Linux). Мы регулярно следим за актуальностью и обновляем данные.

Требования Mindustry, представленные ниже, разделены по операционным системам и содержат информацию о процессоре, видео карте, оперативной памяти и необходимом месте на диске, чтобы играть в Mindustry.

Содержание страницы

  • Пойдет ли игра Mindustry на моем ПК?
  • Требования для Windows
  • Требования для Mac
  • Требования для Linux
  • Об игре
  • Вопросы
  • Купить Mindustry Дешево

Пойдет ли игра Mindustry на моем ПК?

Согласно нашим тестам, 91% людей могут запустить эту игру на своем ПК.
Показать последние тесты.

Проверьте параметры ПК для Mindustry

Требования Mindustry

💡Для Про: установите наше расширение Chrome, чтобы узнавать о скидках на игры прямо в Steam.

Проверьте, можете ли вы запускать и эти популярные игры!

Требования Counter-Strike: Global Offensive

Требования New World

Требования Satisfactory

Требования Euro Truck Simulator 2

Требования FINAL FANTASY XIV Online

Требования OUTRIDERS

Требования The Elder Scrolls V: Skyrim Special Edition

Требования Hearts of Iron IV

Требования World of Warships

Требования Path of Exile

Требования Grand Theft Auto V

Требования Warframe

Требования Destiny 2

Требования Black Desert

Требования Rust

Требования Dead by Daylight

Требования The Elder Scrolls® Online

Требования Arma 3

Требования War Thunder

Требования The Riftbreaker

Требования American Truck Simulator

Требования Hunt: Showdown

Требования PUBG: BATTLEGROUNDS

Вы можете купить Mindustry напрямую в Steam или на одном из маркетплейсов ниже. Обычно, игры на маркетплейсах дешевле, и вы можете сэкономить до 80%! Проверьте цены ниже:

игры: 46365
Главные регионы: Global, Europe, United States, North America, CIS игры: 36928
Главные регионы: Global, Europe, United States, Argentina, North America игры: 21736
Главные регионы: Global, Europe, United States, CIS, North America игры: 19013
Главные регионы: Global, Europe, United States, South America, United Kingdom

Kinguin

HRKgame

игры: 10586
Главные регионы: Global, Europe, United States, CIS, EMEA

Fanatical

игры: 9561
Главные регионы: China, Turkey, United States, India, Brazil игры: 6998
Главные регионы: Global, United Kingdom, Europe, United States, Spain

Difmark

игры: 6987
Главные регионы: Global, Europe, United Kingdom, United States, Spain

Gamesplanet FR

Gamesplanet DE

Gamesplanet UK

Gamesplanet US

GameBillet

игры: 1715
Главные регионы: Global, Europe, CIS, North America, United States

eTail Market EU

eTail Market UK

eTail Market MENA

eTail Market US

Требования для Windows

Встроить на сайт

Вы можете вставить таблицу требований выше на свой сайт или блог, скопировав адрес изображения ниже.

Минимальные требования Mindustry на Windows подразумевают операционную систему Windows 7/8/10. Минимальный размера оперативной памяти — 1 GB. Что касается видеокарты, то это должна быть как минимум Graphics. Вам так же необходимо иметь 100 MB свободного дискового пространства.

Требования для Mac

Встроить на сайт

Вы можете вставить таблицу требований выше на свой сайт или блог, скопировав адрес изображения ниже.

Если у вас Мак, то требования Mindustry начинаются с такой операционной системы: Mac OSX 10.9+. Минимум 1 GB оперативной памяти. Подходящая видеокарта — Anything with OpenGL 2.0 Support. Наконец, игра требует 100 MB свободного места на диске.

Требования для Linux

Встроить на сайт

Вы можете вставить таблицу требований выше на свой сайт или блог, скопировав адрес изображения ниже.

Что касается оперативной памяти, то вам нужно 1 GB или больше. Видео карта должна быть Anything with OpenGL 2.0 Support или лучше. Понадобится минимум 100 MB свободного места на диске.

Об игре

Безграничная игра в жанре «башенная защита» с упором на управление ресурсами.

Источник: Steam
Дата релиза 26 сентября, 2021 Категории Для одного игрока, Для нескольких игроков, Игрок против игрока, Игрок против игрока по сети, Совместная игра, Совместная игра по сети, Кроссплатформенная многопользовательская игра Жанр Стратегия Поддерживаемые языки Английский, Испанский - Испаний, Японский, Португальский, Китайский (упрощенный), Китайский (традиционный), Французский, Немецкий, Корейский, Польский, Португальский - Бразилий, Русский, Украинский, Итальянский
* языки с полной языковой поддержкой

Вопросы

Какие требования у игры Mindustry?

Вы сможете играть в Mindustry на вашем ПК, если он подходит под минимальные требования ниже. Советуем воспользоваться нашим бесплатным инструментом, чтобы это проверить.

Минимальные требования для Windows такие:

  • Операционная система: Windows 7/8/10
  • Оперативная память: 1 GB
  • Видео карта: Any card with OpenGL 2.0 support and the framebuffer_object extension
  • Диск: 100 MB

Минимальные требования для Mac такие:

  • Операционная система: Mac OSX 10.9+
  • Оперативная память: 1 GB
  • Видео карта: Anything with OpenGL 2.0 Support
  • Диск: 100 MB

Минимальные требования для Linux такие:

  • Оперативная память: 1 GB
  • Видео карта: Anything with OpenGL 2.0 Support
  • Диск: 100 MB

Хватит ли 1 GB оперативной памяти для Mindustry?

Да, 1 GB оперативной памяти будет достаточно для Mindustry.

Сколько оперативной памяти нужно для Mindustry?

Вам необходимо как минимум 1 GB оперативной памяти (RAM), чтобы играть в Mindustry на ПК.

На Маке будет нужно хотя бы 1 GB.

А на Linux/SteamOS: 1 GB это минимум.

Сколько места на диске нужно для игры Mindustry?

Вам необходимо как минимум 100 MB свободного места на диске, чтобы установить Mindustry.

Какая видео карта нужна для Mindustry?

Вам нужна Any card with OpenGL 2.0 support and the framebuffer_object extension или более мощная видео карта.

Какие версии Windows поддерживает игра Mindustry?

Можно ли играть в Mindustry на ноутбуке?

Если ваш ноутбук соответствует минимальным требованиям, то да.

Можно ли играть в Mindustry на Маке?

Да, Mindustry можно запустить на Маке, если система соответствует следующим минимальным требованиям:

  • Операционная система: Mac OSX 10.9+
  • Оперативная память: 1 GB
  • Видео карта: Anything with OpenGL 2.0 Support
  • Диск: 100 MB

Можно ли запустить Mindustry на Linux/SteamOS?

Да, игра поддерживает эту операционную систему. Смотрите минимальные требования для Linux выше.

Когда выходит игра Mindustry?

Дата выхода: 26 сентября, 2021.

Последние тесты

  • Процессор:INTEL Pentium G4400 @ 3.30GHz
  • Видео карта: INTEL HD Graphics 620
  • Оперативная память: 4 GB
  • Операционная система: Windows 10 64bit
  • Процессор:INTEL Core i5-7300HQ @ 2.50GHz
  • Видео карта:NVIDIA GeForce GTX 1050
  • Оперативная память: 12 GB
  • Операционная система: Windows 10 64bit
  • Процессор:INTEL Pentium 4 1.70GHz
  • Видео карта:INTEL HD 3000
  • Оперативная память: 1 GB
  • Операционная система: Windows 7 32bit
  • Процессор:INTEL Core i5-2400 @ 3.10GHz
  • Видео карта:INTEL HD 4000
  • Оперативная память: 8 GB
  • Операционная система: Windows 10 32bit
  • Процессор:INTEL Core Solo T1300 @ 1.66GHz
  • Видео карта:NVIDIA GeForce 7300 SE/7200 GS
  • Оперативная память: 512 MB
  • Операционная система: Windows XP 64bit
  • Процессор:AMD Ryzen 3 3250U
  • Видео карта: AMD Ryzen 3 PRO 4300U with Radeon Graphics
  • Оперативная память: 1 GB
  • Операционная система: Windows 10 64bit
  • Процессор:INTEL Core i7-4790 @ 3.60GHz
  • Видео карта:INTEL HD 4600
  • Оперативная память: 16 GB
  • Операционная система: Windows 10 64bit
  • Процессор:INTEL Core i9-11900H @ 2.50GHz
  • Видео карта:NVIDIA GeForce RTX 3050 Ti Laptop GPU
  • Оперативная память: 32 GB
  • Операционная система: Windows 10 64bit
  • Процессор:AMD Athlon 64 3500+
  • Видео карта:NVIDIA GeForce 8400 GS
  • Оперативная память: 2 GB
  • Операционная система: Windows 7 32bit
  • Процессор: INTEL Core i5-7440HQ @ 2.80GHz
  • Видео карта:INTEL HD 630
  • Оперативная память: 16 GB
  • Операционная система: Windows 10 64bit

Похожие игры

Требования Arma 3

Требования Cities: Skylines

Требования 7 Days to Die

Требования Civilization VI

Требования Hearts of Iron IV

Требования Divinity: Original Sin 2 - Definitive Edition

Требования Civilization V

Требования Bloons TD 6

Требования Factorio

Требования RimWorld

Требования Insurgency

Buy cheap games
  • Counter-Strike: Global Offensive
  • New World
  • Satisfactory
  • Euro Truck Simulator 2
  • FINAL FANTASY XIV Online
  • OUTRIDERS
  • The Elder Scrolls V: Skyrim Special Edition
  • Hearts of Iron IV
  • Grand Theft Auto V
  • Destiny 2
Can your PC run it?
  • Counter-Strike: Global Offensive
  • New World
  • Satisfactory
  • Euro Truck Simulator 2
  • FINAL FANTASY XIV Online
  • OUTRIDERS
  • The Elder Scrolls V: Skyrim Special Edition
  • Hearts of Iron IV
  • World of Warships
  • Path of Exile
Information
Change language

All product names, trademarks and registered trademarks are property of their respective owners.

This site is protected by reCAPTCHA and the Google Privacy Policy and Terms of Service apply.

Читайте также: