Compare commits
59 Commits
v2.39.0dev
...
v2.39.3dev
| Author | SHA1 | Date | |
|---|---|---|---|
|
|
8cbe094ee6 | ||
|
|
2e11cbc5ae | ||
|
|
12f191d6d1 | ||
|
|
3918c4e3f9 | ||
|
|
779f1b476c | ||
|
|
61bb1ac225 | ||
|
|
c459cbbc92 | ||
|
|
66018642f7 | ||
|
|
4c6d171793 | ||
|
|
aa1ecd6bea | ||
|
|
be73ffd929 | ||
|
|
3024ccd176 | ||
|
|
d12128bc58 | ||
|
|
c295482055 | ||
|
|
b62260cd1f | ||
|
|
a61e3ebaad | ||
|
|
9ae78aab0d | ||
|
|
06b9f8fe08 | ||
|
|
60ab34f6a4 | ||
|
|
18255d324c | ||
|
|
51e43f6927 | ||
|
|
1208253110 | ||
|
|
af4ed86324 | ||
|
|
8b34566d72 | ||
|
|
5ab149d9f6 | ||
|
|
feaa52c36b | ||
|
|
a8e595b470 | ||
|
|
157e709208 | ||
|
|
ae4ec99308 | ||
|
|
aa7d3a1b7b | ||
|
|
a7c2f700b4 | ||
|
|
ce4b7f4f20 | ||
|
|
6c86aa95a3 | ||
|
|
b52df842d5 | ||
|
|
4ccc64c7c7 | ||
|
|
a0d2b13dd6 | ||
|
|
7873853f97 | ||
|
|
877990d486 | ||
|
|
1019c5f0cd | ||
|
|
b1b4284b6e | ||
|
|
e0377a084f | ||
|
|
dbf9875d25 | ||
|
|
5d66454e52 | ||
|
|
f5d18fd606 | ||
|
|
145e92b458 | ||
|
|
ca8a8f0785 | ||
|
|
dfdcf0a804 | ||
|
|
087284e048 | ||
|
|
65741ed03b | ||
|
|
ae3d7ade0f | ||
|
|
789df97017 | ||
|
|
7992ba43b2 | ||
|
|
3595e24ad8 | ||
|
|
6677435474 | ||
|
|
1561d9f581 | ||
|
|
dcb6439444 | ||
|
|
d09db832c3 | ||
|
|
6b444bfc63 | ||
|
|
1753d79bc1 |
37
db_update.py
37
db_update.py
@@ -27,7 +27,8 @@ import re
|
||||
import sqlite3
|
||||
import sys
|
||||
|
||||
from sqlalchemy import or_
|
||||
import sqlalchemy.orm
|
||||
from sqlalchemy import or_, and_
|
||||
|
||||
|
||||
# todo: need to set the EOS language to en, becasuse this assumes it's being run within an English context
|
||||
@@ -146,6 +147,7 @@ def update_db():
|
||||
# Nearly useless and clutter search results too much
|
||||
elif (
|
||||
row['typeName_en-us'].startswith('Limited Synth ') or
|
||||
row['typeName_en-us'].startswith('Expired ') or
|
||||
row['typeName_en-us'].endswith(' Filament') and (
|
||||
"'Needlejack'" not in row['typeName_en-us'] and
|
||||
"'Devana'" not in row['typeName_en-us'] and
|
||||
@@ -595,8 +597,14 @@ def update_db():
|
||||
attr.value = 4.0
|
||||
for item in eos.db.gamedata_session.query(eos.gamedata.Item).filter(or_(
|
||||
eos.gamedata.Item.name.like('%abyssal%'),
|
||||
eos.gamedata.Item.name.like('%mutated%')
|
||||
eos.gamedata.Item.name.like('%mutated%'),
|
||||
# Drifter weapons are published for some reason
|
||||
eos.gamedata.Item.name.in_(('Lux Kontos', 'Lux Xiphos'))
|
||||
)).all():
|
||||
if 'Asteroid Mining Crystal' in item.name:
|
||||
continue
|
||||
if 'Mutated Drone Specialization' in item.name:
|
||||
continue
|
||||
item.published = False
|
||||
|
||||
for x in [
|
||||
@@ -606,6 +614,31 @@ def update_db():
|
||||
print ('Removing Category: {}'.format(cat.name))
|
||||
eos.db.gamedata_session.delete(cat)
|
||||
|
||||
# Unused normally, can be useful for customizing items
|
||||
def _hardcodeAttribs(typeID, attrMap):
|
||||
for attrName, value in attrMap.items():
|
||||
try:
|
||||
attr = eos.db.gamedata_session.query(eos.gamedata.Attribute).filter(and_(
|
||||
eos.gamedata.Attribute.name == attrName, eos.gamedata.Attribute.typeID == typeID)).one()
|
||||
except sqlalchemy.orm.exc.NoResultFound:
|
||||
attrInfo = eos.db.gamedata_session.query(eos.gamedata.AttributeInfo).filter(eos.gamedata.AttributeInfo.name == attrName).one()
|
||||
attr = eos.gamedata.Attribute()
|
||||
attr.ID = attrInfo.ID
|
||||
attr.typeID = typeID
|
||||
attr.value = value
|
||||
eos.db.gamedata_session.add(attr)
|
||||
else:
|
||||
attr.value = value
|
||||
|
||||
def _hardcodeEffects(typeID, effectMap):
|
||||
item = eos.db.gamedata_session.query(eos.gamedata.Item).filter(eos.gamedata.Item.ID == typeID).one()
|
||||
item.effects.clear()
|
||||
for effectID, effectName in effectMap.items():
|
||||
effect = eos.gamedata.Effect()
|
||||
effect.effectID = effectID
|
||||
effect.effectName = effectName
|
||||
item.effects[effectName] = effect
|
||||
|
||||
eos.db.gamedata_session.commit()
|
||||
eos.db.gamedata_engine.execute('VACUUM')
|
||||
|
||||
|
||||
68
eos/db/migrations/upgrade46.py
Normal file
68
eos/db/migrations/upgrade46.py
Normal file
@@ -0,0 +1,68 @@
|
||||
"""
|
||||
Migration 46
|
||||
|
||||
- Mining crystal changes
|
||||
"""
|
||||
|
||||
CONVERSIONS = {
|
||||
60276: ( # Simple Asteroid Mining Crystal Type A I
|
||||
18066, # Veldspar Mining Crystal I
|
||||
18062, # Scordite Mining Crystal I
|
||||
18060, # Pyroxeres Mining Crystal I
|
||||
18058, # Plagioclase Mining Crystal I
|
||||
),
|
||||
60281: ( # Simple Asteroid Mining Crystal Type A II
|
||||
18618, # Veldspar Mining Crystal II
|
||||
18616, # Scordite Mining Crystal II
|
||||
18614, # Pyroxeres Mining Crystal II
|
||||
18612, # Plagioclase Mining Crystal II
|
||||
),
|
||||
60285: ( # Coherent Asteroid Mining Crystal Type A I
|
||||
18056, # Omber Mining Crystal I
|
||||
18052, # Kernite Mining Crystal I
|
||||
18050, # Jaspet Mining Crystal I
|
||||
18048, # Hemorphite Mining Crystal I
|
||||
18046, # Hedbergite Mining Crystal I
|
||||
),
|
||||
60288: ( # Coherent Asteroid Mining Crystal Type A II
|
||||
18610, # Omber Mining Crystal II
|
||||
18604, # Jaspet Mining Crystal II
|
||||
18606, # Kernite Mining Crystal II
|
||||
18600, # Hedbergite Mining Crystal II
|
||||
18602, # Hemorphite Mining Crystal II
|
||||
),
|
||||
60291: ( # Variegated Asteroid Mining Crystal Type A I
|
||||
18044, # Gneiss Mining Crystal I
|
||||
18042, # Dark Ochre Mining Crystal I
|
||||
18040, # Crokite Mining Crystal I
|
||||
),
|
||||
60294: ( # Variegated Asteroid Mining Crystal Type A II
|
||||
18598, # Gneiss Mining Crystal II
|
||||
18596, # Dark Ochre Mining Crystal II
|
||||
18594, # Crokite Mining Crystal II
|
||||
),
|
||||
60297: ( # Complex Asteroid Mining Crystal Type A I
|
||||
18038, # Bistot Mining Crystal I
|
||||
18036, # Arkonor Mining Crystal I
|
||||
18064, # Spodumain Mining Crystal I
|
||||
),
|
||||
60300: ( # Complex Asteroid Mining Crystal Type A II
|
||||
18592, # Bistot Mining Crystal II
|
||||
18590, # Arkonor Mining Crystal II
|
||||
18624, # Spodumain Mining Crystal II
|
||||
),
|
||||
}
|
||||
|
||||
|
||||
def upgrade(saveddata_engine):
|
||||
# Convert modules
|
||||
for replacement_item, list in CONVERSIONS.items():
|
||||
for retired_item in list:
|
||||
saveddata_engine.execute('UPDATE "modules" SET "itemID" = ? WHERE "itemID" = ?',
|
||||
(replacement_item, retired_item))
|
||||
saveddata_engine.execute('UPDATE "modules" SET "baseItemID" = ? WHERE "baseItemID" = ?',
|
||||
(replacement_item, retired_item))
|
||||
saveddata_engine.execute('UPDATE "modules" SET "chargeID" = ? WHERE "chargeID" = ?',
|
||||
(replacement_item, retired_item))
|
||||
saveddata_engine.execute('UPDATE "cargo" SET "itemID" = ? WHERE "itemID" = ?',
|
||||
(replacement_item, retired_item))
|
||||
617
eos/effects.py
617
eos/effects.py
File diff suppressed because it is too large
Load Diff
@@ -241,31 +241,33 @@ class Drone(HandledItem, HandledCharge, ItemAttrShortcut, ChargeAttrShortcut, Mu
|
||||
return None
|
||||
return CycleInfo(self.cycleTime, 0, math.inf, False)
|
||||
|
||||
@property
|
||||
def miningYPS(self):
|
||||
def getMiningYPS(self, ignoreState=False):
|
||||
if not ignoreState and self.amountActive <= 0:
|
||||
return 0
|
||||
if self.__miningYield is None:
|
||||
self.__miningYield, self.__miningWaste = self.__calculateMining()
|
||||
return self.__miningYield
|
||||
|
||||
@property
|
||||
def miningWPS(self):
|
||||
def getMiningWPS(self, ignoreState=False):
|
||||
if not ignoreState and self.amountActive <= 0:
|
||||
return 0
|
||||
if self.__miningWaste is None:
|
||||
self.__miningYield, self.__miningWaste = self.__calculateMining()
|
||||
return self.__miningWaste
|
||||
|
||||
def __calculateMining(self):
|
||||
if self.mines is True and self.amountActive > 0:
|
||||
if self.mines is True:
|
||||
getter = self.getModifiedItemAttr
|
||||
cycleParams = self.getCycleParameters()
|
||||
if cycleParams is None:
|
||||
yps = 0
|
||||
else:
|
||||
cycleTime = cycleParams.averageTime
|
||||
yield_ = sum([getter(d) for d in self.MINING_ATTRIBUTES]) * self.amountActive
|
||||
yield_ = sum([getter(d) for d in self.MINING_ATTRIBUTES]) * self.amount
|
||||
yps = yield_ / (cycleTime / 1000.0)
|
||||
wasteChance = max(0, min(1, self.getModifiedItemAttr("miningWasteProbability")))
|
||||
wasteChance = self.getModifiedItemAttr("miningWasteProbability")
|
||||
wasteMult = self.getModifiedItemAttr("miningWastedVolumeMultiplier")
|
||||
wps = yps * wasteChance * wasteMult
|
||||
wps = yps * max(0, min(1, wasteChance / 100)) * wasteMult
|
||||
return yps, wps
|
||||
else:
|
||||
return 0, 0
|
||||
@@ -274,10 +276,10 @@ class Drone(HandledItem, HandledCharge, ItemAttrShortcut, ChargeAttrShortcut, Mu
|
||||
def maxRange(self):
|
||||
attrs = ("shieldTransferRange", "powerTransferRange",
|
||||
"energyDestabilizationRange", "empFieldRange",
|
||||
"ecmBurstRange", "maxRange")
|
||||
"ecmBurstRange", "maxRange", "ECMRangeOptimal")
|
||||
for attr in attrs:
|
||||
maxRange = self.getModifiedItemAttr(attr, None)
|
||||
if maxRange is not None:
|
||||
maxRange = self.getModifiedItemAttr(attr)
|
||||
if maxRange:
|
||||
return maxRange
|
||||
if self.charge is not None:
|
||||
delay = self.getModifiedChargeAttr("explosionDelay")
|
||||
@@ -292,8 +294,8 @@ class Drone(HandledItem, HandledCharge, ItemAttrShortcut, ChargeAttrShortcut, Mu
|
||||
def falloff(self):
|
||||
attrs = ("falloff", "falloffEffectiveness")
|
||||
for attr in attrs:
|
||||
falloff = self.getModifiedItemAttr(attr, None)
|
||||
if falloff is not None:
|
||||
falloff = self.getModifiedItemAttr(attr)
|
||||
if falloff:
|
||||
return falloff
|
||||
|
||||
@validates("ID", "itemID", "chargeID", "amount", "amountActive")
|
||||
@@ -388,8 +390,8 @@ class Drone(HandledItem, HandledCharge, ItemAttrShortcut, ChargeAttrShortcut, Mu
|
||||
def fits(self, fit):
|
||||
fitDroneGroupLimits = set()
|
||||
for i in range(1, 3):
|
||||
groneGrp = fit.ship.getModifiedItemAttr("allowedDroneGroup%d" % i, None)
|
||||
if groneGrp is not None:
|
||||
groneGrp = fit.ship.getModifiedItemAttr("allowedDroneGroup%d" % i)
|
||||
if groneGrp:
|
||||
fitDroneGroupLimits.add(int(groneGrp))
|
||||
if len(fitDroneGroupLimits) == 0:
|
||||
return True
|
||||
|
||||
@@ -21,7 +21,7 @@ import datetime
|
||||
import time
|
||||
from copy import deepcopy
|
||||
from itertools import chain
|
||||
from math import floor, log, sqrt
|
||||
from math import ceil, log, sqrt
|
||||
|
||||
from logbook import Logger
|
||||
from sqlalchemy.orm import reconstructor, validates
|
||||
@@ -404,7 +404,7 @@ class Fit:
|
||||
def maxTargets(self):
|
||||
maxTargets = min(self.extraAttributes["maxTargetsLockedFromSkills"],
|
||||
self.ship.getModifiedItemAttr("maxLockedTargets"))
|
||||
return floor(floatUnerr(maxTargets))
|
||||
return ceil(floatUnerr(maxTargets))
|
||||
|
||||
@property
|
||||
def maxTargetRange(self):
|
||||
@@ -1656,11 +1656,11 @@ class Fit:
|
||||
droneWaste = 0
|
||||
|
||||
for mod in self.modules:
|
||||
minerYield += mod.miningYPS
|
||||
minerWaste += mod.miningWPS
|
||||
minerYield += mod.getMiningYPS()
|
||||
minerWaste += mod.getMiningWPS()
|
||||
for drone in self.drones:
|
||||
droneYield += drone.miningYPS
|
||||
droneWaste += drone.miningWPS
|
||||
droneYield += drone.getMiningYPS()
|
||||
droneWaste += drone.getMiningWPS()
|
||||
|
||||
self.__minerYield = minerYield
|
||||
self.__minerWaste = minerWaste
|
||||
|
||||
@@ -307,10 +307,10 @@ class Module(HandledItem, HandledCharge, ItemAttrShortcut, ChargeAttrShortcut, M
|
||||
"shipScanRange", "surveyScanRange")
|
||||
maxRange = None
|
||||
for attr in attrs:
|
||||
maxRange = self.getModifiedItemAttr(attr, None)
|
||||
if maxRange is not None:
|
||||
maxRange = self.getModifiedItemAttr(attr)
|
||||
if maxRange:
|
||||
break
|
||||
if maxRange is not None:
|
||||
if maxRange:
|
||||
if 'burst projector' in self.item.name.lower():
|
||||
maxRange -= self.owner.ship.getModifiedItemAttr("radius")
|
||||
return maxRange
|
||||
@@ -410,41 +410,38 @@ class Module(HandledItem, HandledCharge, ItemAttrShortcut, ChargeAttrShortcut, M
|
||||
|
||||
self.__itemModifiedAttributes.clear()
|
||||
|
||||
@property
|
||||
def miningYPS(self):
|
||||
def getMiningYPS(self, ignoreState=False):
|
||||
if self.isEmpty:
|
||||
return 0
|
||||
if not ignoreState and self.state < FittingModuleState.ACTIVE:
|
||||
return 0
|
||||
if self.__miningYield is None:
|
||||
self.__miningYield, self.__miningWaste = self.__calculateMining()
|
||||
return self.__miningYield
|
||||
|
||||
@property
|
||||
def miningWPS(self):
|
||||
def getMiningWPS(self, ignoreState=False):
|
||||
if self.isEmpty:
|
||||
return 0
|
||||
if not ignoreState and self.state < FittingModuleState.ACTIVE:
|
||||
return 0
|
||||
if self.__miningWaste is None:
|
||||
self.__miningYield, self.__miningWaste = self.__calculateMining()
|
||||
return self.__miningWaste
|
||||
|
||||
def __calculateMining(self):
|
||||
if self.isEmpty:
|
||||
return 0, 0
|
||||
if self.state >= FittingModuleState.ACTIVE:
|
||||
yield_ = self.getModifiedItemAttr("specialtyMiningAmount") or self.getModifiedItemAttr("miningAmount") or 0
|
||||
if yield_:
|
||||
cycleParams = self.getCycleParameters()
|
||||
if cycleParams is None:
|
||||
yps = 0
|
||||
else:
|
||||
cycleTime = cycleParams.averageTime
|
||||
yps = yield_ / (cycleTime / 1000.0)
|
||||
else:
|
||||
yield_ = self.getModifiedItemAttr("miningAmount")
|
||||
if yield_:
|
||||
cycleParams = self.getCycleParameters()
|
||||
if cycleParams is None:
|
||||
yps = 0
|
||||
else:
|
||||
cycleTime = cycleParams.averageTime
|
||||
yps = yield_ / (cycleTime / 1000.0)
|
||||
else:
|
||||
yps = 0
|
||||
wasteChance = self.getModifiedItemAttr("miningWasteProbability")
|
||||
wasteMult = self.getModifiedItemAttr("miningWastedVolumeMultiplier")
|
||||
if self.charge is not None:
|
||||
wasteChance += self.getModifiedChargeAttr("specializationCrystalMiningWasteProbabilityBonus", 0)
|
||||
wasteMult *= self.getModifiedChargeAttr("specializationCrystalMiningWastedVolumeMultiplierBonus", 1)
|
||||
wasteChance = max(0, min(1, wasteChance))
|
||||
wps = yps * wasteChance * wasteMult
|
||||
wps = yps * max(0, min(1, wasteChance / 100)) * wasteMult
|
||||
return yps, wps
|
||||
|
||||
def isDealingDamage(self, ignoreState=False):
|
||||
@@ -657,6 +654,8 @@ class Module(HandledItem, HandledCharge, ItemAttrShortcut, ChargeAttrShortcut, M
|
||||
"""
|
||||
|
||||
slot = self.slot
|
||||
if slot is None:
|
||||
return False
|
||||
if fit.getSlotsFree(slot) <= (0 if self.owner != fit else -1):
|
||||
return False
|
||||
|
||||
|
||||
@@ -28,10 +28,10 @@ class ChangeModuleAmmo(ContextMenuCombined):
|
||||
'kinetic': _t('Kinetic'),
|
||||
'mixed': _t('Mixed')}
|
||||
self.oreChargeCatTrans = OrderedDict([
|
||||
('a1', _t('Asteroid Common')),
|
||||
('a2', _t('Asteroid Uncommon')),
|
||||
('a3', _t('Asteroid Rare')),
|
||||
('a4', _t('Asteroid Premium')),
|
||||
('a1', _t('Asteroid Simple')),
|
||||
('a2', _t('Asteroid Coherent')),
|
||||
('a3', _t('Asteroid Variegated')),
|
||||
('a4', _t('Asteroid Complex')),
|
||||
('a5', _t('Asteroid Abyssal')),
|
||||
('a6', _t('Asteroid Mercoxit')),
|
||||
('r4', _t('Moon Ubiquitous')),
|
||||
|
||||
@@ -1,16 +1,19 @@
|
||||
import csv
|
||||
import config
|
||||
from enum import IntEnum
|
||||
|
||||
# noinspection PyPackageRequirements
|
||||
import wx
|
||||
import wx.lib.agw.hypertreelist
|
||||
|
||||
import config
|
||||
import gui
|
||||
from gui import globalEvents as GE
|
||||
from gui.bitmap_loader import BitmapLoader
|
||||
from gui.utils.numberFormatter import formatAmount, roundDec
|
||||
from enum import IntEnum
|
||||
from gui.builtinItemStatsViews.attributeGrouping import *
|
||||
from gui.utils.numberFormatter import formatAmount, roundDec
|
||||
from service.const import GuiAttrGroup
|
||||
|
||||
|
||||
_t = wx.GetTranslation
|
||||
|
||||
|
||||
@@ -25,6 +28,8 @@ class ItemParams(wx.Panel):
|
||||
wx.Panel.__init__(self, parent, size=(1000, 1000))
|
||||
self.SetBackgroundColour(wx.SystemSettings.GetColour(wx.SYS_COLOUR_BTNFACE))
|
||||
|
||||
self.mainFrame = gui.mainFrame.MainFrame.getInstance()
|
||||
|
||||
mainSizer = wx.BoxSizer(wx.VERTICAL)
|
||||
|
||||
self.paramList = wx.lib.agw.hypertreelist.HyperTreeList(self, wx.ID_ANY,
|
||||
@@ -37,6 +42,8 @@ class ItemParams(wx.Panel):
|
||||
self.toggleView = AttributeView.NORMAL
|
||||
self.stuff = stuff
|
||||
self.item = item
|
||||
self.isStuffItem = stuff is not None and item is not None and getattr(stuff, 'item', None) == item
|
||||
self.isStuffCharge = stuff is not None and item is not None and getattr(stuff, 'charge', None) == item
|
||||
self.attrInfo = {}
|
||||
self.attrValues = {}
|
||||
self._fetchValues()
|
||||
@@ -71,6 +78,10 @@ class ItemParams(wx.Panel):
|
||||
|
||||
self.toggleViewBtn.Bind(wx.EVT_TOGGLEBUTTON, self.ToggleViewMode)
|
||||
self.exportStatsBtn.Bind(wx.EVT_TOGGLEBUTTON, self.ExportItemStats)
|
||||
self.mainFrame.Bind(GE.ITEM_CHANGED_INPLACE, self.OnUpdateStuff)
|
||||
|
||||
def OnWindowClose(self):
|
||||
self.mainFrame.Unbind(GE.ITEM_CHANGED_INPLACE)
|
||||
|
||||
def _fetchValues(self):
|
||||
if self.stuff is None:
|
||||
@@ -78,12 +89,12 @@ class ItemParams(wx.Panel):
|
||||
self.attrValues.clear()
|
||||
self.attrInfo.update(self.item.attributes)
|
||||
self.attrValues.update(self.item.attributes)
|
||||
elif self.stuff.item == self.item:
|
||||
elif self.isStuffItem:
|
||||
self.attrInfo.clear()
|
||||
self.attrValues.clear()
|
||||
self.attrInfo.update(self.stuff.item.attributes)
|
||||
self.attrValues.update(self.stuff.itemModifiedAttributes)
|
||||
elif self.stuff.charge == self.item:
|
||||
elif self.isStuffCharge:
|
||||
self.attrInfo.clear()
|
||||
self.attrValues.clear()
|
||||
self.attrInfo.update(self.stuff.charge.attributes)
|
||||
@@ -171,6 +182,10 @@ class ItemParams(wx.Panel):
|
||||
]
|
||||
)
|
||||
|
||||
def OnUpdateStuff(self, event):
|
||||
if self.stuff is event.old:
|
||||
self.stuff = event.new
|
||||
|
||||
def SetupImageList(self):
|
||||
self.imageList.RemoveAll()
|
||||
|
||||
@@ -282,9 +297,9 @@ class ItemParams(wx.Panel):
|
||||
valDefault = getattr(info, "value", None) # Get default value from attribute
|
||||
if self.stuff is not None:
|
||||
# if it's a stuff, overwrite default (with fallback to current value)
|
||||
if self.stuff.item == self.item:
|
||||
if self.isStuffItem:
|
||||
valDefault = self.stuff.getItemBaseAttrValue(attr, valDefault)
|
||||
elif self.stuff.charge == self.item:
|
||||
elif self.isStuffCharge:
|
||||
valDefault = self.stuff.getChargeBaseAttrValue(attr, valDefault)
|
||||
|
||||
valueDefault = valDefault if valDefault is not None else att
|
||||
@@ -357,3 +372,4 @@ class ItemParams(wx.Panel):
|
||||
fvalue = value
|
||||
unitSuffix = f' {unit}' if unit is not None else ''
|
||||
return f'{fvalue}{unitSuffix}'
|
||||
|
||||
|
||||
@@ -537,12 +537,12 @@ class Miscellanea(ViewColumn):
|
||||
text = "{0}m".format(formatAmount(optimalSig, 3, 0, 3))
|
||||
tooltip = "Optimal signature radius"
|
||||
return text, tooltip
|
||||
elif itemGroup in ("Frequency Mining Laser", "Strip Miner", "Mining Laser", "Gas Cloud Harvester", "Mining Drone", "Gas Cloud Hoarders"):
|
||||
yps = stuff.miningYPS
|
||||
elif itemGroup in ("Frequency Mining Laser", "Strip Miner", "Mining Laser", "Gas Cloud Scoops", "Mining Drone", "Gas Cloud Harvesters"):
|
||||
yps = stuff.getMiningYPS(ignoreState=True)
|
||||
if not yps:
|
||||
return "", None
|
||||
yph = yps * 3600
|
||||
wps = stuff.miningWPS
|
||||
wps = stuff.getMiningWPS(ignoreState=True)
|
||||
wph = wps * 3600
|
||||
textParts = []
|
||||
textParts.append(formatAmount(yps, 3, 0, 3))
|
||||
@@ -553,7 +553,7 @@ class Miscellanea(ViewColumn):
|
||||
textParts.append(formatAmount(wps, 3, 0, 3))
|
||||
tipLines.append("{} m\u00B3 mining waste per second ({} m\u00B3 per hour)".format(
|
||||
formatAmount(wps, 3, 0, 3), formatAmount(wph, 3, 0, 3)))
|
||||
text = '{} m3/s'.format('+'.join(textParts))
|
||||
text = '{} m\u00B3/s'.format('+'.join(textParts))
|
||||
tooltip = '\n'.join(tipLines)
|
||||
return text, tooltip
|
||||
elif itemGroup == "Logistic Drone":
|
||||
@@ -689,7 +689,7 @@ class Miscellanea(ViewColumn):
|
||||
formatAmount(itemArmorResistanceShiftHardenerKin, 3, 0, 3),
|
||||
formatAmount(itemArmorResistanceShiftHardenerExp, 3, 0, 3),
|
||||
)
|
||||
tooltip = "Resistances Shifted to Damage Profile:\n{0}% EM | {1}% Therm | {2}% Kin | {3}% Exp".format(
|
||||
tooltip = "Resistances shifted to damage profile:\n{0}% EM | {1}% Therm | {2}% Kin | {3}% Exp".format(
|
||||
formatAmount(itemArmorResistanceShiftHardenerEM, 3, 0, 3),
|
||||
formatAmount(itemArmorResistanceShiftHardenerTherm, 3, 0, 3),
|
||||
formatAmount(itemArmorResistanceShiftHardenerKin, 3, 0, 3),
|
||||
@@ -703,6 +703,80 @@ class Miscellanea(ViewColumn):
|
||||
text = "{}s".format(formatAmount(duration / 1000, 3, 0, 0))
|
||||
tooltip = "Scan duration"
|
||||
return text, tooltip
|
||||
elif itemGroup == "Command Burst":
|
||||
textSections = []
|
||||
tooltipSections = []
|
||||
buffMap = {}
|
||||
for seq in (1, 2, 3, 4):
|
||||
buffId = stuff.getModifiedChargeAttr(f'warfareBuff{seq}ID')
|
||||
if not buffId:
|
||||
continue
|
||||
buffValue = stuff.getModifiedItemAttr(f'warfareBuff{seq}Value')
|
||||
buffMap[buffId] = buffValue
|
||||
if buffId == 10: # Shield Burst: Shield Harmonizing: Shield Resistance
|
||||
# minus buff value because ingame shows positive value
|
||||
textSections.append(f"{formatAmount(-buffValue, 3, 0, 3, forceSign=True)}%")
|
||||
tooltipSections.append("shield resistance")
|
||||
elif buffId == 11: # Shield Burst: Active Shielding: Repair Duration/Capacitor
|
||||
textSections.append(f"{formatAmount(buffValue, 3, 0, 3, forceSign=True)}%")
|
||||
tooltipSections.append("shield RR duration & capacictor use")
|
||||
elif buffId == 12: # Shield Burst: Shield Extension: Shield HP
|
||||
textSections.append(f"{formatAmount(buffValue, 3, 0, 3, forceSign=True)}%")
|
||||
tooltipSections.append("shield HP")
|
||||
elif buffId == 13: # Armor Burst: Armor Energizing: Armor Resistance
|
||||
# minus buff value because ingame shows positive value
|
||||
textSections.append(f"{formatAmount(-buffValue, 3, 0, 3, forceSign=True)}%")
|
||||
tooltipSections.append("armor resistance")
|
||||
elif buffId == 14: # Armor Burst: Rapid Repair: Repair Duration/Capacitor
|
||||
textSections.append(f"{formatAmount(buffValue, 3, 0, 3, forceSign=True)}%")
|
||||
tooltipSections.append("armor RR duration & capacitor use")
|
||||
elif buffId == 15: # Armor Burst: Armor Reinforcement: Armor HP
|
||||
textSections.append(f"{formatAmount(buffValue, 3, 0, 3, forceSign=True)}%")
|
||||
tooltipSections.append("armor HP")
|
||||
elif buffId == 16: # Information Burst: Sensor Optimization: Scan Resolution
|
||||
textSections.append(f"{formatAmount(buffValue, 3, 0, 3, forceSign=True)}%")
|
||||
tooltipSections.append("scan resolution")
|
||||
elif buffId == 26: # Information Burst: Sensor Optimization: Targeting Range
|
||||
textSections.append(f"{formatAmount(buffValue, 3, 0, 3, forceSign=True)}%")
|
||||
tooltipSections.append("targeting range")
|
||||
elif buffId == 17: # Information Burst: Electronic Superiority: EWAR Range and Strength
|
||||
textSections.append(f"{formatAmount(buffValue, 3, 0, 3, forceSign=True)}%")
|
||||
tooltipSections.append("electronic warfare modules range & strength")
|
||||
elif buffId == 18: # Information Burst: Electronic Hardening: Sensor Strength
|
||||
textSections.append(f"{formatAmount(buffValue, 3, 0, 3, forceSign=True)}%")
|
||||
tooltipSections.append("sensor strength")
|
||||
elif buffId == 19: # Information Burst: Electronic Hardening: RSD/RWD Resistance
|
||||
textSections.append(f"{formatAmount(-buffValue, 3, 0, 3, forceSign=True)}%")
|
||||
tooltipSections.append("sensor dampener & weapon disruption resistance")
|
||||
elif buffId == 20: # Skirmish Burst: Evasive Maneuvers: Signature Radius
|
||||
textSections.append(f"{formatAmount(buffValue, 3, 0, 3, forceSign=True)}%")
|
||||
tooltipSections.append("signature radius")
|
||||
elif buffId == 60: # Skirmish Burst: Evasive Maneuvers: Agility
|
||||
# minus the buff value because we want Agility as shown ingame, not inertia modifier
|
||||
textSections.append(f"{formatAmount(-buffValue, 3, 0, 3, forceSign=True)}%")
|
||||
tooltipSections.append("agility")
|
||||
elif buffId == 21: # Skirmish Burst: Interdiction Maneuvers: Tackle Range
|
||||
textSections.append(f"{formatAmount(buffValue, 3, 0, 3, forceSign=True)}%")
|
||||
tooltipSections.append("warp disruption & stasis web range")
|
||||
elif buffId == 22: # Skirmish Burst: Rapid Deployment: AB/MWD Speed Increase
|
||||
textSections.append(f"{formatAmount(buffValue, 3, 0, 3, forceSign=True)}%")
|
||||
tooltipSections.append("AB/MWD speed increase")
|
||||
elif buffId == 23: # Mining Burst: Mining Laser Field Enhancement: Mining/Survey Range
|
||||
textSections.append(f"{formatAmount(buffValue, 3, 0, 3, forceSign=True)}%")
|
||||
tooltipSections.append("mining/survey module range")
|
||||
elif buffId == 24: # Mining Burst: Mining Laser Optimization: Mining Capacitor/Duration
|
||||
textSections.append(f"{formatAmount(buffValue, 3, 0, 3, forceSign=True)}%")
|
||||
tooltipSections.append("mining module duration & capacitor use")
|
||||
elif buffId == 25: # Mining Burst: Mining Equipment Preservation: Crystal Volatility
|
||||
textSections.append(f"{formatAmount(buffValue, 3, 0, 3, forceSign=True)}%")
|
||||
tooltipSections.append("mining crystal volatility")
|
||||
if not textSections:
|
||||
return '', None
|
||||
text = ' | '.join(textSections)
|
||||
tooltip = '{} bonus'.format(' | '.join(tooltipSections))
|
||||
if tooltip:
|
||||
tooltip = tooltip[0].capitalize() + tooltip[1:]
|
||||
return text, tooltip
|
||||
elif stuff.charge is not None:
|
||||
chargeGroup = stuff.charge.group.name
|
||||
if chargeGroup.endswith("Rocket") or chargeGroup.endswith("Missile") or chargeGroup.endswith("Torpedo"):
|
||||
@@ -714,7 +788,7 @@ class Miscellanea(ViewColumn):
|
||||
formatAmount(aoeVelocity, 3, 0, 3), "m/s")
|
||||
tooltip = "Explosion radius and explosion velocity"
|
||||
return text, tooltip
|
||||
elif chargeGroup in ("Bomb", "Structure Guided Bomb"):
|
||||
elif chargeGroup in ("Bomb", "Guided Bomb"):
|
||||
cloudSize = stuff.getModifiedChargeAttr("aoeCloudSize")
|
||||
if not cloudSize:
|
||||
return "", None
|
||||
|
||||
@@ -71,7 +71,7 @@ class CalcReplaceLocalModuleCommand(wx.Command):
|
||||
# Remove if there was no module
|
||||
if self.oldModInfo is None:
|
||||
from .localRemove import CalcRemoveLocalModulesCommand
|
||||
cmd = CalcRemoveLocalModulesCommand(fitID=self.fitID, positions=[self.position], recalc=False)
|
||||
cmd = CalcRemoveLocalModulesCommand(fitID=self.fitID, positions=[self.position], recalc=self.recalc)
|
||||
if not cmd.Do():
|
||||
return False
|
||||
restoreCheckedStates(fit, self.savedStateCheckChanges)
|
||||
|
||||
@@ -16,6 +16,7 @@ class GuiChangeBoosterMetaCommand(wx.Command):
|
||||
self.fitID = fitID
|
||||
self.position = position
|
||||
self.newItemID = newItemID
|
||||
self.newPosition = None
|
||||
|
||||
def Do(self):
|
||||
sFit = Fit.getInstance()
|
||||
@@ -31,15 +32,24 @@ class GuiChangeBoosterMetaCommand(wx.Command):
|
||||
sFit.recalc(self.fitID)
|
||||
sFit.fill(self.fitID)
|
||||
eos.db.commit()
|
||||
wx.PostEvent(gui.mainFrame.MainFrame.getInstance(), GE.FitChanged(fitIDs=(self.fitID,)))
|
||||
self.newPosition = cmd.newPosition
|
||||
newBooster = fit.boosters[self.newPosition]
|
||||
mainFrame = gui.mainFrame.MainFrame.getInstance()
|
||||
wx.PostEvent(mainFrame, GE.FitChanged(fitIDs=(self.fitID,)))
|
||||
wx.PostEvent(mainFrame, GE.ItemChangedInplace(old=booster, new=newBooster))
|
||||
return success
|
||||
|
||||
def Undo(self):
|
||||
sFit = Fit.getInstance()
|
||||
fit = sFit.getFit(self.fitID)
|
||||
oldBooster = fit.boosters[self.newPosition]
|
||||
success = self.internalHistory.undoAll()
|
||||
eos.db.flush()
|
||||
sFit = Fit.getInstance()
|
||||
sFit.recalc(self.fitID)
|
||||
sFit.fill(self.fitID)
|
||||
eos.db.commit()
|
||||
wx.PostEvent(gui.mainFrame.MainFrame.getInstance(), GE.FitChanged(fitIDs=(self.fitID,)))
|
||||
newBooster = fit.boosters[self.position]
|
||||
mainFrame = gui.mainFrame.MainFrame.getInstance()
|
||||
wx.PostEvent(mainFrame, GE.FitChanged(fitIDs=(self.fitID,)))
|
||||
wx.PostEvent(mainFrame, GE.ItemChangedInplace(old=oldBooster, new=newBooster))
|
||||
return success
|
||||
|
||||
@@ -16,6 +16,7 @@ class GuiChangeImplantMetaCommand(wx.Command):
|
||||
self.fitID = fitID
|
||||
self.position = position
|
||||
self.newItemID = newItemID
|
||||
self.newPosition = None
|
||||
|
||||
def Do(self):
|
||||
sFit = Fit.getInstance()
|
||||
@@ -31,15 +32,25 @@ class GuiChangeImplantMetaCommand(wx.Command):
|
||||
sFit.recalc(self.fitID)
|
||||
sFit.fill(self.fitID)
|
||||
eos.db.commit()
|
||||
wx.PostEvent(gui.mainFrame.MainFrame.getInstance(), GE.FitChanged(fitIDs=(self.fitID,)))
|
||||
self.newPosition = cmd.newPosition
|
||||
newImplant = fit.implants[self.newPosition]
|
||||
mainFrame = gui.mainFrame.MainFrame.getInstance()
|
||||
wx.PostEvent(mainFrame, GE.FitChanged(fitIDs=(self.fitID,)))
|
||||
wx.PostEvent(mainFrame, GE.ItemChangedInplace(old=implant, new=newImplant))
|
||||
return success
|
||||
|
||||
def Undo(self):
|
||||
sFit = Fit.getInstance()
|
||||
fit = sFit.getFit(self.fitID)
|
||||
oldImplant = fit.implants[self.newPosition]
|
||||
success = self.internalHistory.undoAll()
|
||||
eos.db.flush()
|
||||
sFit = Fit.getInstance()
|
||||
sFit.recalc(self.fitID)
|
||||
sFit.fill(self.fitID)
|
||||
eos.db.commit()
|
||||
wx.PostEvent(gui.mainFrame.MainFrame.getInstance(), GE.FitChanged(fitIDs=(self.fitID,)))
|
||||
newImplant = fit.implants[self.position]
|
||||
mainFrame = gui.mainFrame.MainFrame.getInstance()
|
||||
wx.PostEvent(mainFrame, GE.FitChanged(fitIDs=(self.fitID,)))
|
||||
wx.PostEvent(mainFrame, GE.ItemChangedInplace(old=oldImplant, new=newImplant))
|
||||
return success
|
||||
|
||||
@@ -22,6 +22,7 @@ class GuiChangeLocalModuleMetasCommand(wx.Command):
|
||||
def Do(self):
|
||||
sFit = Fit.getInstance()
|
||||
fit = sFit.getFit(self.fitID)
|
||||
oldModMap = self._getPositionMap(fit)
|
||||
results = []
|
||||
self.replacedItemIDs = set()
|
||||
lastSuccessfulCmd = None
|
||||
@@ -49,6 +50,7 @@ class GuiChangeLocalModuleMetasCommand(wx.Command):
|
||||
sFit.recalc(self.fitID)
|
||||
self.savedRemovedDummies = sFit.fill(self.fitID)
|
||||
eos.db.commit()
|
||||
newModMap = self._getPositionMap(fit)
|
||||
events = []
|
||||
if success and self.replacedItemIDs:
|
||||
events.append(GE.FitChanged(fitIDs=(self.fitID,), action='moddel', typeID=self.replacedItemIDs))
|
||||
@@ -56,6 +58,12 @@ class GuiChangeLocalModuleMetasCommand(wx.Command):
|
||||
events.append(GE.FitChanged(fitIDs=(self.fitID,), action='modadd', typeID=self.newItemID))
|
||||
if not events:
|
||||
events.append(GE.FitChanged(fitIDs=(self.fitID,)))
|
||||
if success:
|
||||
for position in self.positions:
|
||||
oldMod = oldModMap.get(position)
|
||||
newMod = newModMap.get(position)
|
||||
if oldMod is not newMod:
|
||||
events.append(GE.ItemChangedInplace(old=oldMod, new=newMod))
|
||||
for event in events:
|
||||
wx.PostEvent(gui.mainFrame.MainFrame.getInstance(), event)
|
||||
return success
|
||||
@@ -63,12 +71,16 @@ class GuiChangeLocalModuleMetasCommand(wx.Command):
|
||||
def Undo(self):
|
||||
sFit = Fit.getInstance()
|
||||
fit = sFit.getFit(self.fitID)
|
||||
oldModMap = self._getPositionMap(fit)
|
||||
for position in self.positions:
|
||||
oldModMap[position] = fit.modules[position]
|
||||
restoreRemovedDummies(fit, self.savedRemovedDummies)
|
||||
success = self.internalHistory.undoAll()
|
||||
eos.db.flush()
|
||||
sFit.recalc(self.fitID)
|
||||
sFit.fill(self.fitID)
|
||||
eos.db.commit()
|
||||
newModMap = self._getPositionMap(fit)
|
||||
events = []
|
||||
if success:
|
||||
events.append(GE.FitChanged(fitIDs=(self.fitID,), action='moddel', typeID=self.newItemID))
|
||||
@@ -76,6 +88,18 @@ class GuiChangeLocalModuleMetasCommand(wx.Command):
|
||||
events.append(GE.FitChanged(fitIDs=(self.fitID,), action='modadd', typeID=self.replacedItemIDs))
|
||||
if not events:
|
||||
events.append(GE.FitChanged(fitIDs=(self.fitID,)))
|
||||
if success:
|
||||
for position in self.positions:
|
||||
oldMod = oldModMap.get(position)
|
||||
newMod = newModMap.get(position)
|
||||
if oldMod is not newMod:
|
||||
events.append(GE.ItemChangedInplace(fitID=self.fitID, old=oldMod, new=newMod))
|
||||
for event in events:
|
||||
wx.PostEvent(gui.mainFrame.MainFrame.getInstance(), event)
|
||||
return success
|
||||
|
||||
def _getPositionMap(self, fit):
|
||||
positionMap = {}
|
||||
for position in self.positions:
|
||||
positionMap[position] = fit.modules[position]
|
||||
return positionMap
|
||||
|
||||
@@ -57,41 +57,42 @@ class GuiLocalModuleToCargoCommand(wx.Command):
|
||||
commands.append(cmdReplace)
|
||||
# Submit batch now because we need to have updated info on fit to keep going
|
||||
success = self.internalHistory.submitBatch(*commands)
|
||||
newMod = fit.modules[self.srcModPosition]
|
||||
# Process charge changes if module is moved to proper slot
|
||||
if newMod.slot == srcModSlot:
|
||||
# If we had to unload charge, add it to cargo
|
||||
if cmdReplace.unloadedCharge and srcModChargeItemID is not None:
|
||||
cmdAddCargoCharge = CalcAddCargoCommand(
|
||||
fitID=self.fitID,
|
||||
cargoInfo=CargoInfo(itemID=srcModChargeItemID, amount=srcModChargeAmount))
|
||||
success = self.internalHistory.submit(cmdAddCargoCharge)
|
||||
# If we did not unload charge and there still was a charge, see if amount differs and process it
|
||||
elif not cmdReplace.unloadedCharge and srcModChargeItemID is not None:
|
||||
# How many extra charges do we need to take from cargo
|
||||
extraChargeAmount = newMod.numCharges - srcModChargeAmount
|
||||
if extraChargeAmount > 0:
|
||||
cmdRemoveCargoExtraCharge = CalcRemoveCargoCommand(
|
||||
if success:
|
||||
newMod = fit.modules[self.srcModPosition]
|
||||
# Process charge changes if module is moved to proper slot
|
||||
if newMod.slot == srcModSlot:
|
||||
# If we had to unload charge, add it to cargo
|
||||
if cmdReplace.unloadedCharge and srcModChargeItemID is not None:
|
||||
cmdAddCargoCharge = CalcAddCargoCommand(
|
||||
fitID=self.fitID,
|
||||
cargoInfo=CargoInfo(itemID=srcModChargeItemID, amount=extraChargeAmount))
|
||||
# Do not check if operation was successful or not, we're okay if we have no such
|
||||
# charges in cargo
|
||||
self.internalHistory.submit(cmdRemoveCargoExtraCharge)
|
||||
elif extraChargeAmount < 0:
|
||||
cmdAddCargoExtraCharge = CalcAddCargoCommand(
|
||||
fitID=self.fitID,
|
||||
cargoInfo=CargoInfo(itemID=srcModChargeItemID, amount=abs(extraChargeAmount)))
|
||||
success = self.internalHistory.submit(cmdAddCargoExtraCharge)
|
||||
if success:
|
||||
# Store info to properly send events later
|
||||
self.removedModItemID = srcModItemID
|
||||
self.addedModItemID = self.dstCargoItemID
|
||||
# If drag happened to module which cannot be fit into current slot - consider it as failure
|
||||
else:
|
||||
success = False
|
||||
# And in case of any failures, cancel everything to try to do move instead
|
||||
if not success:
|
||||
self.internalHistory.undoAll()
|
||||
cargoInfo=CargoInfo(itemID=srcModChargeItemID, amount=srcModChargeAmount))
|
||||
success = self.internalHistory.submit(cmdAddCargoCharge)
|
||||
# If we did not unload charge and there still was a charge, see if amount differs and process it
|
||||
elif not cmdReplace.unloadedCharge and srcModChargeItemID is not None:
|
||||
# How many extra charges do we need to take from cargo
|
||||
extraChargeAmount = newMod.numCharges - srcModChargeAmount
|
||||
if extraChargeAmount > 0:
|
||||
cmdRemoveCargoExtraCharge = CalcRemoveCargoCommand(
|
||||
fitID=self.fitID,
|
||||
cargoInfo=CargoInfo(itemID=srcModChargeItemID, amount=extraChargeAmount))
|
||||
# Do not check if operation was successful or not, we're okay if we have no such
|
||||
# charges in cargo
|
||||
self.internalHistory.submit(cmdRemoveCargoExtraCharge)
|
||||
elif extraChargeAmount < 0:
|
||||
cmdAddCargoExtraCharge = CalcAddCargoCommand(
|
||||
fitID=self.fitID,
|
||||
cargoInfo=CargoInfo(itemID=srcModChargeItemID, amount=abs(extraChargeAmount)))
|
||||
success = self.internalHistory.submit(cmdAddCargoExtraCharge)
|
||||
if success:
|
||||
# Store info to properly send events later
|
||||
self.removedModItemID = srcModItemID
|
||||
self.addedModItemID = self.dstCargoItemID
|
||||
# If drag happened to module which cannot be fit into current slot - consider it as failure
|
||||
else:
|
||||
success = False
|
||||
# And in case of any failures, cancel everything to try to do move instead
|
||||
if not success:
|
||||
self.internalHistory.undoAll()
|
||||
# Just dump module and its charges into cargo when copying or moving to cargo
|
||||
if not success:
|
||||
commands = []
|
||||
|
||||
@@ -11,6 +11,9 @@ GraphOptionChanged, GRAPH_OPTION_CHANGED = wx.lib.newevent.NewEvent()
|
||||
TargetProfileRenamed, TARGET_PROFILE_RENAMED = wx.lib.newevent.NewEvent()
|
||||
TargetProfileChanged, TARGET_PROFILE_CHANGED = wx.lib.newevent.NewEvent()
|
||||
TargetProfileRemoved, TARGET_PROFILE_REMOVED = wx.lib.newevent.NewEvent()
|
||||
# For events when item is actually replaced under the hood,
|
||||
# but from user's perspective it's supposed to change/mutate
|
||||
ItemChangedInplace, ITEM_CHANGED_INPLACE = wx.lib.newevent.NewEvent()
|
||||
|
||||
EffectiveHpToggled, EFFECTIVE_HP_TOGGLED = wx.lib.newevent.NewEvent()
|
||||
|
||||
|
||||
@@ -216,3 +216,4 @@ class ItemStatsContainer(wx.Panel):
|
||||
mutaPanel = getattr(self, 'mutator', None)
|
||||
if mutaPanel is not None:
|
||||
mutaPanel.OnWindowClose()
|
||||
self.params.OnWindowClose()
|
||||
|
||||
2
pyfa.py
2
pyfa.py
@@ -163,7 +163,7 @@ if __name__ == "__main__":
|
||||
import threading
|
||||
from utils.timer import CountdownTimer
|
||||
|
||||
timer = CountdownTimer(5)
|
||||
timer = CountdownTimer(1)
|
||||
stoppableThreads = []
|
||||
for t in threading.enumerate():
|
||||
if t is not threading.main_thread() and hasattr(t, 'stop'):
|
||||
|
||||
@@ -13,13 +13,39 @@ sys.path.append(os.path.realpath(os.path.join(path, "..")))
|
||||
# change to correct conversion
|
||||
|
||||
rename_phrase = " renamed to "
|
||||
conversion_phrase = " converted to "
|
||||
conversion_phrase = " -> "
|
||||
|
||||
text = """
|
||||
'Hypnos' Signal Distortion Amplifier I renamed to Hypnos Compact Signal Distortion Amplifier I
|
||||
Initiated Signal Distortion Amplifier I converted to Hypnos Compact Signal Distortion Amplifier I
|
||||
Induced Signal Distortion Amplifier I converted to Hypnos Compact Signal Distortion Amplifier I
|
||||
Compulsive Signal Distortion Amplifier I converted to Hypnos Compact Signal Distortion Amplifier I
|
||||
Veldspar Mining Crystal I -> Simple Asteroid Mining Crystal Type A I
|
||||
Scordite Mining Crystal I -> Simple Asteroid Mining Crystal Type A I
|
||||
Pyroxeres Mining Crystal I -> Simple Asteroid Mining Crystal Type A I
|
||||
Plagioclase Mining Crystal I -> Simple Asteroid Mining Crystal Type A I
|
||||
Veldspar Mining Crystal II -> Simple Asteroid Mining Crystal Type A II
|
||||
Scordite Mining Crystal II -> Simple Asteroid Mining Crystal Type A II
|
||||
Pyroxeres Mining Crystal II -> Simple Asteroid Mining Crystal Type A II
|
||||
Plagioclase Mining Crystal II -> Simple Asteroid Mining Crystal Type A II
|
||||
Omber Mining Crystal I -> Coherent Asteroid Mining Crystal Type A I
|
||||
Kernite Mining Crystal I -> Coherent Asteroid Mining Crystal Type A I
|
||||
Jaspet Mining Crystal I -> Coherent Asteroid Mining Crystal Type A I
|
||||
Hemorphite Mining Crystal I -> Coherent Asteroid Mining Crystal Type A I
|
||||
Hedbergite Mining Crystal I -> Coherent Asteroid Mining Crystal Type A I
|
||||
Omber Mining Crystal II -> Coherent Asteroid Mining Crystal Type A II
|
||||
Jaspet Mining Crystal II -> Coherent Asteroid Mining Crystal Type A II
|
||||
Kernite Mining Crystal II -> Coherent Asteroid Mining Crystal Type A II
|
||||
Hedbergite Mining Crystal II -> Coherent Asteroid Mining Crystal Type A II
|
||||
Hemorphite Mining Crystal II -> Coherent Asteroid Mining Crystal Type A II
|
||||
Gneiss Mining Crystal I -> Variegated Asteroid Mining Crystal Type A I
|
||||
Dark Ochre Mining Crystal I -> Variegated Asteroid Mining Crystal Type A I
|
||||
Crokite Mining Crystal I -> Variegated Asteroid Mining Crystal Type A I
|
||||
Gneiss Mining Crystal II -> Variegated Asteroid Mining Crystal Type A II
|
||||
Dark Ochre Mining Crystal II -> Variegated Asteroid Mining Crystal Type A II
|
||||
Crokite Mining Crystal II -> Variegated Asteroid Mining Crystal Type A II
|
||||
Bistot Mining Crystal I -> Complex Asteroid Mining Crystal Type A I
|
||||
Arkonor Mining Crystal I -> Complex Asteroid Mining Crystal Type A I
|
||||
Spodumain Mining Crystal I -> Complex Asteroid Mining Crystal Type A I
|
||||
Bistot Mining Crystal II -> Complex Asteroid Mining Crystal Type A II
|
||||
Arkonor Mining Crystal II -> Complex Asteroid Mining Crystal Type A II
|
||||
Spodumain Mining Crystal II -> Complex Asteroid Mining Crystal Type A II
|
||||
"""
|
||||
|
||||
def main(old, new):
|
||||
|
||||
@@ -181,7 +181,7 @@ class Ammo:
|
||||
|
||||
prelim = {}
|
||||
for charge in chargesFlat:
|
||||
oreTypeList = charge.getAttribute('specialisationAsteroidTypeList')
|
||||
oreTypeList = charge.getAttribute('specializationAsteroidTypeList')
|
||||
category = typeMap.get(oreTypeList, _t('Misc'))
|
||||
prelim.setdefault(category, set()).add(charge)
|
||||
|
||||
|
||||
@@ -1,17 +1,53 @@
|
||||
CONVERSIONS = {
|
||||
# Renamed items
|
||||
'Mercoxit Mining Crystal I': 'Mercoxit Asteroid Ore Mining Crystal Type A I',
|
||||
'Mercoxit Mining Crystal II': 'Mercoxit Asteroid Ore Mining Crystal Type A II',
|
||||
'Ubiquitous Moon Ore Mining Crystal I': 'Ubiquitous Moon Ore Mining Crystal Type A I',
|
||||
'Ubiquitous Moon Ore Mining Crystal II': 'Ubiquitous Moon Ore Mining Crystal Type A II',
|
||||
'Common Moon Ore Mining Crystal I': 'Common Moon Ore Mining Crystal Type A I',
|
||||
'Common Moon Ore Mining Crystal II': 'Common Moon Ore Mining Crystal Type A II',
|
||||
'Uncommon Moon Ore Mining Crystal I': 'Uncommon Moon Ore Mining Crystal Type A I',
|
||||
'Uncommon Moon Ore Mining Crystal II': 'Uncommon Moon Ore Mining Crystal Type A II',
|
||||
'Rare Moon Ore Mining Crystal I': 'Rare Moon Ore Mining Crystal Type A I',
|
||||
'Rare Moon Ore Mining Crystal II': 'Rare Moon Ore Mining Crystal Type A II',
|
||||
'Exceptional Moon Ore Mining Crystal I': 'Exceptional Moon Ore Mining Crystal Type A I',
|
||||
'Exceptional Moon Ore Mining Crystal II': 'Exceptional Moon Ore Mining Crystal Type A II',
|
||||
'Industrial Core I': 'Capital Industrial Core I',
|
||||
'Industrial Core II': 'Capital Industrial Core II',
|
||||
"Gas Cloud Harvester I": "Gas Cloud Scoop I",
|
||||
"Gas Cloud Harvester II": "Gas Cloud Scoop II",
|
||||
"'Crop' Gas Cloud Harvester": "'Crop' Gas Cloud Scoop",
|
||||
"'Plow' Gas Cloud Harvester": "'Plow' Gas Cloud Scoop",
|
||||
"Syndicate Gas Cloud Harvester": "Syndicate Gas Cloud Scoop",
|
||||
"Mercoxit Mining Crystal I": "Mercoxit Asteroid Mining Crystal Type A I",
|
||||
"Mercoxit Mining Crystal II": "Mercoxit Asteroid Mining Crystal Type A II",
|
||||
"Ubiquitous Moon Ore Mining Crystal I": "Ubiquitous Moon Mining Crystal Type A I",
|
||||
"Ubiquitous Moon Ore Mining Crystal II": "Ubiquitous Moon Mining Crystal Type A II",
|
||||
"Common Moon Ore Mining Crystal I": "Common Moon Mining Crystal Type A I",
|
||||
"Common Moon Ore Mining Crystal II": "Common Moon Mining Crystal Type A II",
|
||||
"Uncommon Moon Ore Mining Crystal I": "Uncommon Moon Mining Crystal Type A I",
|
||||
"Uncommon Moon Ore Mining Crystal II": "Uncommon Moon Mining Crystal Type A II",
|
||||
"Rare Moon Ore Mining Crystal I": "Rare Moon Mining Crystal Type A I",
|
||||
"Rare Moon Ore Mining Crystal II": "Rare Moon Mining Crystal Type A II",
|
||||
"Exceptional Moon Ore Mining Crystal I": "Exceptional Moon Mining Crystal Type A I",
|
||||
"Exceptional Moon Ore Mining Crystal II": "Exceptional Moon Mining Crystal Type A II",
|
||||
"Industrial Core I": "Capital Industrial Core I",
|
||||
"Industrial Core II": "Capital Industrial Core II",
|
||||
# Converted items
|
||||
"Veldspar Mining Crystal I": "Simple Asteroid Mining Crystal Type A I",
|
||||
"Scordite Mining Crystal I": "Simple Asteroid Mining Crystal Type A I",
|
||||
"Pyroxeres Mining Crystal I": "Simple Asteroid Mining Crystal Type A I",
|
||||
"Plagioclase Mining Crystal I": "Simple Asteroid Mining Crystal Type A I",
|
||||
"Veldspar Mining Crystal II": "Simple Asteroid Mining Crystal Type A II",
|
||||
"Scordite Mining Crystal II": "Simple Asteroid Mining Crystal Type A II",
|
||||
"Pyroxeres Mining Crystal II": "Simple Asteroid Mining Crystal Type A II",
|
||||
"Plagioclase Mining Crystal II": "Simple Asteroid Mining Crystal Type A II",
|
||||
"Omber Mining Crystal I": "Coherent Asteroid Mining Crystal Type A I",
|
||||
"Kernite Mining Crystal I": "Coherent Asteroid Mining Crystal Type A I",
|
||||
"Jaspet Mining Crystal I": "Coherent Asteroid Mining Crystal Type A I",
|
||||
"Hemorphite Mining Crystal I": "Coherent Asteroid Mining Crystal Type A I",
|
||||
"Hedbergite Mining Crystal I": "Coherent Asteroid Mining Crystal Type A I",
|
||||
"Omber Mining Crystal II": "Coherent Asteroid Mining Crystal Type A II",
|
||||
"Jaspet Mining Crystal II": "Coherent Asteroid Mining Crystal Type A II",
|
||||
"Kernite Mining Crystal II": "Coherent Asteroid Mining Crystal Type A II",
|
||||
"Hedbergite Mining Crystal II": "Coherent Asteroid Mining Crystal Type A II",
|
||||
"Hemorphite Mining Crystal II": "Coherent Asteroid Mining Crystal Type A II",
|
||||
"Gneiss Mining Crystal I": "Variegated Asteroid Mining Crystal Type A I",
|
||||
"Dark Ochre Mining Crystal I": "Variegated Asteroid Mining Crystal Type A I",
|
||||
"Crokite Mining Crystal I": "Variegated Asteroid Mining Crystal Type A I",
|
||||
"Gneiss Mining Crystal II": "Variegated Asteroid Mining Crystal Type A II",
|
||||
"Dark Ochre Mining Crystal II": "Variegated Asteroid Mining Crystal Type A II",
|
||||
"Crokite Mining Crystal II": "Variegated Asteroid Mining Crystal Type A II",
|
||||
"Bistot Mining Crystal I": "Complex Asteroid Mining Crystal Type A I",
|
||||
"Arkonor Mining Crystal I": "Complex Asteroid Mining Crystal Type A I",
|
||||
"Spodumain Mining Crystal I": "Complex Asteroid Mining Crystal Type A I",
|
||||
"Bistot Mining Crystal II": "Complex Asteroid Mining Crystal Type A II",
|
||||
"Arkonor Mining Crystal II": "Complex Asteroid Mining Crystal Type A II",
|
||||
"Spodumain Mining Crystal II": "Complex Asteroid Mining Crystal Type A II",
|
||||
}
|
||||
|
||||
File diff suppressed because it is too large
Load Diff
@@ -10673,10 +10673,9 @@
|
||||
"displayNameID": 109505,
|
||||
"effectCategory": 0,
|
||||
"effectID": 1200,
|
||||
"effectName": "miningInfoMultiplier",
|
||||
"effectName": "miningCrystalsMiningAtributesAdjustments",
|
||||
"electronicChance": 0,
|
||||
"guid": "",
|
||||
"iconID": 0,
|
||||
"isAssistance": 0,
|
||||
"isOffensive": 0,
|
||||
"isWarpSafe": 0,
|
||||
@@ -10684,9 +10683,23 @@
|
||||
{
|
||||
"domain": "otherID",
|
||||
"func": "ItemModifier",
|
||||
"modifiedAttributeID": 789,
|
||||
"modifiedAttributeID": 77,
|
||||
"modifyingAttributeID": 782,
|
||||
"operation": 0
|
||||
},
|
||||
{
|
||||
"domain": "otherID",
|
||||
"func": "ItemModifier",
|
||||
"modifiedAttributeID": 3153,
|
||||
"modifyingAttributeID": 3159,
|
||||
"operation": 2
|
||||
},
|
||||
{
|
||||
"domain": "otherID",
|
||||
"func": "ItemModifier",
|
||||
"modifiedAttributeID": 3154,
|
||||
"modifyingAttributeID": 3160,
|
||||
"operation": 2
|
||||
}
|
||||
],
|
||||
"propulsionChance": 0,
|
||||
@@ -15157,7 +15170,6 @@
|
||||
"effectName": "signatureRadiusBonus",
|
||||
"electronicChance": 0,
|
||||
"guid": "",
|
||||
"iconID": 0,
|
||||
"isAssistance": 0,
|
||||
"isOffensive": 0,
|
||||
"isWarpSafe": 0,
|
||||
@@ -86743,7 +86755,7 @@
|
||||
"modifiedAttributeID": 68,
|
||||
"modifyingAttributeID": 2607,
|
||||
"operation": 6,
|
||||
"skillTypeID": 21802
|
||||
"skillTypeID": 3416
|
||||
},
|
||||
{
|
||||
"domain": "shipID",
|
||||
@@ -86751,7 +86763,7 @@
|
||||
"modifiedAttributeID": 73,
|
||||
"modifyingAttributeID": 2606,
|
||||
"operation": 6,
|
||||
"skillTypeID": 21802
|
||||
"skillTypeID": 3416
|
||||
}
|
||||
],
|
||||
"propulsionChance": 0,
|
||||
@@ -87334,7 +87346,7 @@
|
||||
"disallowAutoRepeat": 0,
|
||||
"effectCategory": 0,
|
||||
"effectID": 8206,
|
||||
"effectName": "bonusSpecialisationAsteroidDurationMultiplierEffect",
|
||||
"effectName": "specializationAsteroidDurationMultiplierEffect",
|
||||
"electronicChance": 0,
|
||||
"isAssistance": 0,
|
||||
"isOffensive": 0,
|
||||
@@ -87669,15 +87681,15 @@
|
||||
"disallowAutoRepeat": 0,
|
||||
"effectCategory": 0,
|
||||
"effectID": 8221,
|
||||
"effectName": "shipRoleBonusOreMiningDroneCycleTime",
|
||||
"effectName": "shipRoleBonusDroneOreMiningCycleTime",
|
||||
"electronicChance": 0,
|
||||
"isAssistance": 0,
|
||||
"isOffensive": 0,
|
||||
"isWarpSafe": 0,
|
||||
"modifierInfo": [
|
||||
{
|
||||
"domain": "shipID",
|
||||
"func": "LocationRequiredSkillModifier",
|
||||
"domain": "charID",
|
||||
"func": "OwnerRequiredSkillModifier",
|
||||
"modifiedAttributeID": 73,
|
||||
"modifyingAttributeID": 3172,
|
||||
"operation": 6,
|
||||
@@ -87692,15 +87704,15 @@
|
||||
"disallowAutoRepeat": 0,
|
||||
"effectCategory": 0,
|
||||
"effectID": 8222,
|
||||
"effectName": "shipRoleBonusIceMiningDroneCycleTime",
|
||||
"effectName": "shipRoleBonusDroneIceMiningCycleTime",
|
||||
"electronicChance": 0,
|
||||
"isAssistance": 0,
|
||||
"isOffensive": 0,
|
||||
"isWarpSafe": 0,
|
||||
"modifierInfo": [
|
||||
{
|
||||
"domain": "shipID",
|
||||
"func": "LocationRequiredSkillModifier",
|
||||
"domain": "charID",
|
||||
"func": "OwnerRequiredSkillModifier",
|
||||
"modifiedAttributeID": 73,
|
||||
"modifyingAttributeID": 3173,
|
||||
"operation": 6,
|
||||
@@ -87738,7 +87750,7 @@
|
||||
"disallowAutoRepeat": 0,
|
||||
"effectCategory": 0,
|
||||
"effectID": 8224,
|
||||
"effectName": "shipRoleBonusIceMiningDuration",
|
||||
"effectName": "shipRoleBonusIceHarvestingDuration",
|
||||
"electronicChance": 0,
|
||||
"isAssistance": 0,
|
||||
"isOffensive": 0,
|
||||
@@ -87761,19 +87773,19 @@
|
||||
"disallowAutoRepeat": 0,
|
||||
"effectCategory": 0,
|
||||
"effectID": 8225,
|
||||
"effectName": "shipRoleBonusLightDroneDamage",
|
||||
"effectName": "shipRoleBonusDroneDamage",
|
||||
"electronicChance": 0,
|
||||
"isAssistance": 0,
|
||||
"isOffensive": 0,
|
||||
"isWarpSafe": 0,
|
||||
"modifierInfo": [
|
||||
{
|
||||
"domain": "shipID",
|
||||
"func": "LocationRequiredSkillModifier",
|
||||
"domain": "charID",
|
||||
"func": "OwnerRequiredSkillModifier",
|
||||
"modifiedAttributeID": 64,
|
||||
"modifyingAttributeID": 3179,
|
||||
"operation": 6,
|
||||
"skillTypeID": 24241
|
||||
"skillTypeID": 3436
|
||||
}
|
||||
],
|
||||
"propulsionChance": 0,
|
||||
@@ -87784,19 +87796,35 @@
|
||||
"disallowAutoRepeat": 0,
|
||||
"effectCategory": 0,
|
||||
"effectID": 8226,
|
||||
"effectName": "shipRoleBonusMediumDroneDamage",
|
||||
"effectName": "shipRoleBonusDroneHitPoints",
|
||||
"electronicChance": 0,
|
||||
"isAssistance": 0,
|
||||
"isOffensive": 0,
|
||||
"isWarpSafe": 0,
|
||||
"modifierInfo": [
|
||||
{
|
||||
"domain": "shipID",
|
||||
"func": "LocationRequiredSkillModifier",
|
||||
"modifiedAttributeID": 64,
|
||||
"domain": "charID",
|
||||
"func": "OwnerRequiredSkillModifier",
|
||||
"modifiedAttributeID": 9,
|
||||
"modifyingAttributeID": 3180,
|
||||
"operation": 6,
|
||||
"skillTypeID": 33699
|
||||
"skillTypeID": 3436
|
||||
},
|
||||
{
|
||||
"domain": "charID",
|
||||
"func": "OwnerRequiredSkillModifier",
|
||||
"modifiedAttributeID": 263,
|
||||
"modifyingAttributeID": 3180,
|
||||
"operation": 6,
|
||||
"skillTypeID": 3436
|
||||
},
|
||||
{
|
||||
"domain": "charID",
|
||||
"func": "OwnerRequiredSkillModifier",
|
||||
"modifiedAttributeID": 265,
|
||||
"modifyingAttributeID": 3180,
|
||||
"operation": 6,
|
||||
"skillTypeID": 3436
|
||||
}
|
||||
],
|
||||
"propulsionChance": 0,
|
||||
@@ -89512,7 +89540,7 @@
|
||||
"isWarpSafe": 0,
|
||||
"modifierInfo": [
|
||||
{
|
||||
"domain": "shipID",
|
||||
"domain": "itemID",
|
||||
"func": "ItemModifier",
|
||||
"modifiedAttributeID": 885,
|
||||
"modifyingAttributeID": 280,
|
||||
@@ -89666,5 +89694,418 @@
|
||||
"propulsionChance": 0,
|
||||
"published": 0,
|
||||
"rangeChance": 0
|
||||
},
|
||||
"8313": {
|
||||
"disallowAutoRepeat": 0,
|
||||
"effectCategory": 0,
|
||||
"effectID": 8313,
|
||||
"effectName": "miningFrigateBonusGasCloudHarvestingDuration",
|
||||
"electronicChance": 0,
|
||||
"isAssistance": 0,
|
||||
"isOffensive": 0,
|
||||
"isWarpSafe": 0,
|
||||
"modifierInfo": [
|
||||
{
|
||||
"domain": "shipID",
|
||||
"func": "LocationRequiredSkillModifier",
|
||||
"modifiedAttributeID": 73,
|
||||
"modifyingAttributeID": 3237,
|
||||
"operation": 6,
|
||||
"skillTypeID": 25544
|
||||
}
|
||||
],
|
||||
"propulsionChance": 0,
|
||||
"published": 0,
|
||||
"rangeChance": 0
|
||||
},
|
||||
"8314": {
|
||||
"disallowAutoRepeat": 0,
|
||||
"effectCategory": 0,
|
||||
"effectID": 8314,
|
||||
"effectName": "miningFrigateSkillLevelGasCloudHarvesting",
|
||||
"electronicChance": 0,
|
||||
"isAssistance": 0,
|
||||
"isOffensive": 0,
|
||||
"isWarpSafe": 0,
|
||||
"modifierInfo": [
|
||||
{
|
||||
"domain": "shipID",
|
||||
"func": "ItemModifier",
|
||||
"modifiedAttributeID": 3237,
|
||||
"modifyingAttributeID": 280,
|
||||
"operation": 4
|
||||
}
|
||||
],
|
||||
"propulsionChance": 0,
|
||||
"published": 0,
|
||||
"rangeChance": 0
|
||||
},
|
||||
"8315": {
|
||||
"disallowAutoRepeat": 0,
|
||||
"effectCategory": 0,
|
||||
"effectID": 8315,
|
||||
"effectName": "shipRoleBonusGasHarvestingYield",
|
||||
"electronicChance": 0,
|
||||
"isAssistance": 0,
|
||||
"isOffensive": 0,
|
||||
"isWarpSafe": 0,
|
||||
"modifierInfo": [
|
||||
{
|
||||
"domain": "shipID",
|
||||
"func": "LocationRequiredSkillModifier",
|
||||
"modifiedAttributeID": 77,
|
||||
"modifyingAttributeID": 3239,
|
||||
"operation": 6,
|
||||
"skillTypeID": 25544
|
||||
}
|
||||
],
|
||||
"propulsionChance": 0,
|
||||
"published": 0,
|
||||
"rangeChance": 0
|
||||
},
|
||||
"8316": {
|
||||
"disallowAutoRepeat": 0,
|
||||
"effectCategory": 0,
|
||||
"effectID": 8316,
|
||||
"effectName": "expeditionFrigateSkillLevelOreMiningYield",
|
||||
"electronicChance": 0,
|
||||
"isAssistance": 0,
|
||||
"isOffensive": 0,
|
||||
"isWarpSafe": 0,
|
||||
"modifierInfo": [
|
||||
{
|
||||
"domain": "shipID",
|
||||
"func": "ItemModifier",
|
||||
"modifiedAttributeID": 3191,
|
||||
"modifyingAttributeID": 280,
|
||||
"operation": 4
|
||||
}
|
||||
],
|
||||
"propulsionChance": 0,
|
||||
"published": 0,
|
||||
"rangeChance": 0
|
||||
},
|
||||
"8317": {
|
||||
"disallowAutoRepeat": 0,
|
||||
"effectCategory": 0,
|
||||
"effectID": 8317,
|
||||
"effectName": "miningFrigateBonusIceHarvestingDuration",
|
||||
"electronicChance": 0,
|
||||
"isAssistance": 0,
|
||||
"isOffensive": 0,
|
||||
"isWarpSafe": 0,
|
||||
"modifierInfo": [
|
||||
{
|
||||
"domain": "shipID",
|
||||
"func": "LocationRequiredSkillModifier",
|
||||
"modifiedAttributeID": 73,
|
||||
"modifyingAttributeID": 3240,
|
||||
"operation": 6,
|
||||
"skillTypeID": 16281
|
||||
}
|
||||
],
|
||||
"propulsionChance": 0,
|
||||
"published": 0,
|
||||
"rangeChance": 0
|
||||
},
|
||||
"8318": {
|
||||
"disallowAutoRepeat": 0,
|
||||
"effectCategory": 0,
|
||||
"effectID": 8318,
|
||||
"effectName": "miningFrigateSkillLevelIceHarvestingDuration",
|
||||
"electronicChance": 0,
|
||||
"isAssistance": 0,
|
||||
"isOffensive": 0,
|
||||
"isWarpSafe": 0,
|
||||
"modifierInfo": [
|
||||
{
|
||||
"domain": "shipID",
|
||||
"func": "ItemModifier",
|
||||
"modifiedAttributeID": 3240,
|
||||
"modifyingAttributeID": 280,
|
||||
"operation": 4
|
||||
}
|
||||
],
|
||||
"propulsionChance": 0,
|
||||
"published": 0,
|
||||
"rangeChance": 0
|
||||
},
|
||||
"8322": {
|
||||
"disallowAutoRepeat": 0,
|
||||
"effectCategory": 0,
|
||||
"effectID": 8322,
|
||||
"effectName": "gallenteIndustrialSkillLevelMiningHoldCapacity",
|
||||
"electronicChance": 0,
|
||||
"isAssistance": 0,
|
||||
"isOffensive": 0,
|
||||
"isWarpSafe": 0,
|
||||
"modifierInfo": [
|
||||
{
|
||||
"domain": "shipID",
|
||||
"func": "ItemModifier",
|
||||
"modifiedAttributeID": 3241,
|
||||
"modifyingAttributeID": 280,
|
||||
"operation": 0
|
||||
}
|
||||
],
|
||||
"propulsionChance": 0,
|
||||
"published": 0,
|
||||
"rangeChance": 0
|
||||
},
|
||||
"8323": {
|
||||
"disallowAutoRepeat": 0,
|
||||
"effectCategory": 0,
|
||||
"effectID": 8323,
|
||||
"effectName": "gallenteIndustrialBonusMiningHoldCapacity",
|
||||
"electronicChance": 0,
|
||||
"isAssistance": 0,
|
||||
"isOffensive": 0,
|
||||
"isWarpSafe": 0,
|
||||
"modifierInfo": [
|
||||
{
|
||||
"domain": "shipID",
|
||||
"func": "ItemModifier",
|
||||
"modifiedAttributeID": 1556,
|
||||
"modifyingAttributeID": 3241,
|
||||
"operation": 6
|
||||
}
|
||||
],
|
||||
"propulsionChance": 0,
|
||||
"published": 0,
|
||||
"rangeChance": 0
|
||||
},
|
||||
"8324": {
|
||||
"disallowAutoRepeat": 0,
|
||||
"effectCategory": 0,
|
||||
"effectID": 8324,
|
||||
"effectName": "shipRoleBonusDroneOreMiningYield",
|
||||
"electronicChance": 0,
|
||||
"isAssistance": 0,
|
||||
"isOffensive": 0,
|
||||
"isWarpSafe": 0,
|
||||
"modifierInfo": [
|
||||
{
|
||||
"domain": "charID",
|
||||
"func": "OwnerRequiredSkillModifier",
|
||||
"modifiedAttributeID": 77,
|
||||
"modifyingAttributeID": 3242,
|
||||
"operation": 6,
|
||||
"skillTypeID": 3438
|
||||
}
|
||||
],
|
||||
"propulsionChance": 0,
|
||||
"published": 0,
|
||||
"rangeChance": 0
|
||||
},
|
||||
"8327": {
|
||||
"disallowAutoRepeat": 0,
|
||||
"effectCategory": 0,
|
||||
"effectID": 8327,
|
||||
"effectName": "relicAnalyzerRangeBonusPassive",
|
||||
"electronicChance": 0,
|
||||
"isAssistance": 0,
|
||||
"isOffensive": 0,
|
||||
"isWarpSafe": 0,
|
||||
"modifierInfo": [
|
||||
{
|
||||
"domain": "shipID",
|
||||
"func": "LocationRequiredSkillModifier",
|
||||
"modifiedAttributeID": 54,
|
||||
"modifyingAttributeID": 294,
|
||||
"operation": 6,
|
||||
"skillTypeID": 13278
|
||||
}
|
||||
],
|
||||
"propulsionChance": 0,
|
||||
"published": 0,
|
||||
"rangeChance": 0
|
||||
},
|
||||
"8328": {
|
||||
"disallowAutoRepeat": 0,
|
||||
"effectCategory": 0,
|
||||
"effectID": 8328,
|
||||
"effectName": "relicVirusStrengthBonusPassive",
|
||||
"electronicChance": 0,
|
||||
"isAssistance": 0,
|
||||
"isOffensive": 0,
|
||||
"isWarpSafe": 0,
|
||||
"modifierInfo": [
|
||||
{
|
||||
"domain": "shipID",
|
||||
"func": "LocationRequiredSkillModifier",
|
||||
"modifiedAttributeID": 1910,
|
||||
"modifyingAttributeID": 1918,
|
||||
"operation": 2,
|
||||
"skillTypeID": 13278
|
||||
}
|
||||
],
|
||||
"propulsionChance": 0,
|
||||
"published": 0,
|
||||
"rangeChance": 0
|
||||
},
|
||||
"8329": {
|
||||
"disallowAutoRepeat": 0,
|
||||
"effectCategory": 0,
|
||||
"effectID": 8329,
|
||||
"effectName": "signatureRadiusBonusPassive",
|
||||
"electronicChance": 0,
|
||||
"isAssistance": 0,
|
||||
"isOffensive": 0,
|
||||
"isWarpSafe": 0,
|
||||
"modifierInfo": [
|
||||
{
|
||||
"domain": "shipID",
|
||||
"func": "ItemModifier",
|
||||
"modifiedAttributeID": 552,
|
||||
"modifyingAttributeID": 973,
|
||||
"operation": 6
|
||||
}
|
||||
],
|
||||
"propulsionChance": 0,
|
||||
"published": 0,
|
||||
"rangeChance": 0
|
||||
},
|
||||
"8360": {
|
||||
"disallowAutoRepeat": 0,
|
||||
"effectCategory": 0,
|
||||
"effectID": 8360,
|
||||
"effectName": "shipBonusMissileReloadTimeGC2",
|
||||
"electronicChance": 0,
|
||||
"isAssistance": 0,
|
||||
"isOffensive": 0,
|
||||
"isWarpSafe": 0,
|
||||
"modifierInfo": [
|
||||
{
|
||||
"domain": "shipID",
|
||||
"func": "LocationRequiredSkillModifier",
|
||||
"modifiedAttributeID": 1795,
|
||||
"modifyingAttributeID": 658,
|
||||
"operation": 6,
|
||||
"skillTypeID": 3319
|
||||
}
|
||||
],
|
||||
"propulsionChance": 0,
|
||||
"published": 0,
|
||||
"rangeChance": 0
|
||||
},
|
||||
"8362": {
|
||||
"disallowAutoRepeat": 0,
|
||||
"effectCategory": 0,
|
||||
"effectID": 8362,
|
||||
"effectName": "shipBonusWarpDisruptionFieldGeneratorSignatureRadius",
|
||||
"electronicChance": 0,
|
||||
"isAssistance": 0,
|
||||
"isOffensive": 0,
|
||||
"isWarpSafe": 0,
|
||||
"modifierInfo": [
|
||||
{
|
||||
"domain": "shipID",
|
||||
"func": "LocationGroupModifier",
|
||||
"groupID": 899,
|
||||
"modifiedAttributeID": 554,
|
||||
"modifyingAttributeID": 3250,
|
||||
"operation": 6
|
||||
}
|
||||
],
|
||||
"propulsionChance": 0,
|
||||
"published": 0,
|
||||
"rangeChance": 0
|
||||
},
|
||||
"8365": {
|
||||
"disallowAutoRepeat": 0,
|
||||
"effectCategory": 0,
|
||||
"effectID": 8365,
|
||||
"effectName": "mwdCapUseAndSigBonusPassive",
|
||||
"electronicChance": 0,
|
||||
"isAssistance": 0,
|
||||
"isOffensive": 0,
|
||||
"isWarpSafe": 0,
|
||||
"modifierInfo": [
|
||||
{
|
||||
"domain": "shipID",
|
||||
"func": "LocationRequiredSkillModifier",
|
||||
"modifiedAttributeID": 554,
|
||||
"modifyingAttributeID": 1803,
|
||||
"operation": 6,
|
||||
"skillTypeID": 3454
|
||||
},
|
||||
{
|
||||
"domain": "shipID",
|
||||
"func": "LocationRequiredSkillModifier",
|
||||
"modifiedAttributeID": 6,
|
||||
"modifyingAttributeID": 1803,
|
||||
"operation": 6,
|
||||
"skillTypeID": 3454
|
||||
}
|
||||
],
|
||||
"propulsionChance": 0,
|
||||
"published": 0,
|
||||
"rangeChance": 0
|
||||
},
|
||||
"8366": {
|
||||
"disallowAutoRepeat": 0,
|
||||
"effectCategory": 0,
|
||||
"effectID": 8366,
|
||||
"effectName": "modifyHullResonancePostPercentpassive",
|
||||
"electronicChance": 0,
|
||||
"isAssistance": 0,
|
||||
"isOffensive": 0,
|
||||
"isWarpSafe": 0,
|
||||
"modifierInfo": [
|
||||
{
|
||||
"domain": "shipID",
|
||||
"func": "ItemModifier",
|
||||
"modifiedAttributeID": 113,
|
||||
"modifyingAttributeID": 984,
|
||||
"operation": 6
|
||||
},
|
||||
{
|
||||
"domain": "shipID",
|
||||
"func": "ItemModifier",
|
||||
"modifiedAttributeID": 111,
|
||||
"modifyingAttributeID": 985,
|
||||
"operation": 6
|
||||
},
|
||||
{
|
||||
"domain": "shipID",
|
||||
"func": "ItemModifier",
|
||||
"modifiedAttributeID": 109,
|
||||
"modifyingAttributeID": 986,
|
||||
"operation": 6
|
||||
},
|
||||
{
|
||||
"domain": "shipID",
|
||||
"func": "ItemModifier",
|
||||
"modifiedAttributeID": 110,
|
||||
"modifyingAttributeID": 987,
|
||||
"operation": 6
|
||||
}
|
||||
],
|
||||
"propulsionChance": 0,
|
||||
"published": 0,
|
||||
"rangeChance": 0
|
||||
},
|
||||
"8367": {
|
||||
"disallowAutoRepeat": 0,
|
||||
"effectCategory": 0,
|
||||
"effectID": 8367,
|
||||
"effectName": "warpScramblerMaxRangeAddPassive",
|
||||
"electronicChance": 0,
|
||||
"isAssistance": 0,
|
||||
"isOffensive": 0,
|
||||
"isWarpSafe": 0,
|
||||
"modifierInfo": [
|
||||
{
|
||||
"domain": "shipID",
|
||||
"func": "LocationRequiredSkillModifier",
|
||||
"modifiedAttributeID": 54,
|
||||
"modifyingAttributeID": 3257,
|
||||
"operation": 2,
|
||||
"skillTypeID": 3449
|
||||
}
|
||||
],
|
||||
"propulsionChance": 0,
|
||||
"published": 0,
|
||||
"rangeChance": 0
|
||||
}
|
||||
}
|
||||
@@ -551,14 +551,14 @@
|
||||
"name": "Inverse Absolute Percent"
|
||||
},
|
||||
"109": {
|
||||
"description_de": "Für Multiplikatoren verwendet, um Prozent anzuzeigen.\r\n1,1 = +10%\r\n0,9 = -10%",
|
||||
"description_en-us": "Used for multipliers displayed as %\r\n1.1 = +10%\r\n0.9 = -10%",
|
||||
"description_es": "Used for multipliers displayed as %\r\n1.1 = +10%\r\n0.9 = -10%",
|
||||
"description_fr": "Utilisé pour les multiplicateurs affichés en % 1,1 = +10 % 0,9 = -10 %",
|
||||
"description_it": "Used for multipliers displayed as %\r\n1.1 = +10%\r\n0.9 = -10%",
|
||||
"description_ja": "% として表示される乗数で使用\n1.1 = +10%\r\n0.9 = -10%",
|
||||
"description_ko": "%로 나타낸 승수 표기에 사용됩니다.<br>1.1 = +10%<br>0.9 = -10%",
|
||||
"description_ru": "Используется для обозначения множителей, выражаемых в процентах\n1.1 = +10%\n0.9 = -10%",
|
||||
"description_de": "Für Multiplikatoren verwendet, um Prozent anzuzeigen.1,1 = +10%0,9 = -10%",
|
||||
"description_en-us": "Used for multipliers displayed as %1.1 = +10%0.9 = -10%",
|
||||
"description_es": "Used for multipliers displayed as %1.1 = +10%0.9 = -10%",
|
||||
"description_fr": "Utilisé pour les multiplicateurs affichés en %. 1,1 = +10 %, 0,9 = -10 %",
|
||||
"description_it": "Used for multipliers displayed as %1.1 = +10%0.9 = -10%",
|
||||
"description_ja": "% として表示される乗数で使用:1.1=+10%、0.9=-10%",
|
||||
"description_ko": "%로 나타낸 승수 표기에 사용됩니다. 1.1 = +10%, 0.9 = -10%",
|
||||
"description_ru": "Используется для множителей в виде %. 1,1 = +10%; 0,9 = -10%",
|
||||
"description_zh": "用于乘数,显示为 %\n1.1 = +10%\n0.9 = -10%",
|
||||
"descriptionID": 77986,
|
||||
"displayName_de": "%",
|
||||
@@ -1155,5 +1155,28 @@
|
||||
"displayName_zh": "AU/s",
|
||||
"displayNameID": 561537,
|
||||
"name": "Warp speed"
|
||||
},
|
||||
"205": {
|
||||
"description_de": "Bei in % angezeigten Multiplikatoren bedeutet 10 +10 %, -10 -10 % und 3,6 +3,6 %",
|
||||
"description_en-us": "Used for multipliers displayed as % 10 is +10% -10 is -10% 3.6 is +3.6%",
|
||||
"description_es": "Used for multipliers displayed as % 10 is +10% -10 is -10% 3.6 is +3.6%",
|
||||
"description_fr": "Utilisé pour les multiplicateurs affichés en %. 10 correspond à +10 %, -10 à -10 %, 3,6 à +3,6 %",
|
||||
"description_it": "Used for multipliers displayed as % 10 is +10% -10 is -10% 3.6 is +3.6%",
|
||||
"description_ja": "% として表示される乗数で使用:10=+10%、-10=-10%、3.6=+3.6%",
|
||||
"description_ko": "%로 나타낸 승수 표기에 사용됩니다. 10 = +10%, -10 = -10%, 3.6 = +3.6%",
|
||||
"description_ru": "Используется для множителей в виде %. 10 = +10%; -10 = -10%; 3,6 = +3,6%",
|
||||
"description_zh": "Used for multipliers displayed as % 10 is +10% -10 is -10% 3.6 is +3.6%",
|
||||
"descriptionID": 592242,
|
||||
"displayName_de": " %",
|
||||
"displayName_en-us": "%",
|
||||
"displayName_es": "%",
|
||||
"displayName_fr": " %",
|
||||
"displayName_it": "%",
|
||||
"displayName_ja": "%",
|
||||
"displayName_ko": "%",
|
||||
"displayName_ru": "%",
|
||||
"displayName_zh": "%",
|
||||
"displayNameID": 592243,
|
||||
"name": "modifier realPercent"
|
||||
}
|
||||
}
|
||||
@@ -8125,7 +8125,7 @@
|
||||
"description_ru": "Частотные кристаллы, специально созданные для добычи определенного вида руды.",
|
||||
"description_zh": "专为采集不同的矿石所定制的频率晶体",
|
||||
"descriptionID": 64766,
|
||||
"hasTypes": 1,
|
||||
"hasTypes": 0,
|
||||
"iconID": 24968,
|
||||
"name_de": "Bergbaukristalle",
|
||||
"name_en-us": "Mining Crystals",
|
||||
@@ -11675,7 +11675,7 @@
|
||||
"description_ru": "Чертежи кристаллов настройки экстрактора.",
|
||||
"description_zh": "采矿晶体蓝图。",
|
||||
"descriptionID": 64903,
|
||||
"hasTypes": 1,
|
||||
"hasTypes": 0,
|
||||
"iconID": 2703,
|
||||
"name_de": "Bergbaukristalle",
|
||||
"name_en-us": "Mining Crystals",
|
||||
@@ -17459,26 +17459,26 @@
|
||||
"parentGroupID": 475
|
||||
},
|
||||
"1037": {
|
||||
"description_de": "Gaswolken-Harvester-Designs.",
|
||||
"description_en-us": "Gas cloud harvester designs.",
|
||||
"description_es": "Gas cloud harvester designs.",
|
||||
"description_fr": "Modèles de collecteurs de nuages de gaz.",
|
||||
"description_it": "Gas cloud harvester designs.",
|
||||
"description_ja": "ガス雲採掘器設計図。",
|
||||
"description_ko": "가스 하베스터입니다.",
|
||||
"description_ru": "Чертежи экстракторов для газовых облаков.",
|
||||
"description_de": "Designs für Gaswolken-Schaufeln.",
|
||||
"description_en-us": "Gas cloud scoops designs.",
|
||||
"description_es": "Gas cloud scoops designs.",
|
||||
"description_fr": "Modèles de récupérateurs de nuages de gaz.",
|
||||
"description_it": "Gas cloud scoops designs.",
|
||||
"description_ja": "ガス雲スクープ設計図",
|
||||
"description_ko": "가스 수집기 모듈",
|
||||
"description_ru": "Газочерпатели.",
|
||||
"description_zh": "气云采集器设计",
|
||||
"descriptionID": 65108,
|
||||
"hasTypes": 1,
|
||||
"iconID": 3074,
|
||||
"name_de": "Gaswolken-Extraktoren",
|
||||
"name_en-us": "Gas Cloud Harvesters",
|
||||
"name_es": "Gas Cloud Harvesters",
|
||||
"name_fr": "Collecteurs de nuages de gaz",
|
||||
"name_it": "Gas Cloud Harvesters",
|
||||
"name_ja": "ガス雲採掘機",
|
||||
"name_ko": "가스 하베스터",
|
||||
"name_ru": "Установки для сбора газа",
|
||||
"name_de": "Gaswolken-Schaufeln",
|
||||
"name_en-us": "Gas Cloud Scoops",
|
||||
"name_es": "Gas Cloud Scoops",
|
||||
"name_fr": "Récupérateurs de nuages de gaz",
|
||||
"name_it": "Gas Cloud Scoops",
|
||||
"name_ja": "ガス雲スクープ",
|
||||
"name_ko": "가스 수집기",
|
||||
"name_ru": "Газочерпатели",
|
||||
"name_zh": "气云采集器",
|
||||
"nameID": 66182,
|
||||
"parentGroupID": 1713
|
||||
@@ -43717,17 +43717,17 @@
|
||||
"2795": {
|
||||
"hasTypes": 1,
|
||||
"iconID": 3074,
|
||||
"name_de": "Gas Cloud Hoarders",
|
||||
"name_en-us": "Gas Cloud Hoarders",
|
||||
"name_es": "Gas Cloud Hoarders",
|
||||
"name_fr": "Gas Cloud Hoarders",
|
||||
"name_it": "Gas Cloud Hoarders",
|
||||
"name_ja": "Gas Cloud Hoarders",
|
||||
"name_ko": "Gas Cloud Hoarders",
|
||||
"name_ru": "Gas Cloud Hoarders",
|
||||
"name_zh": "Gas Cloud Hoarders",
|
||||
"name_de": "Gaswolken-Extraktoren",
|
||||
"name_en-us": "Gas Cloud Harvesters",
|
||||
"name_es": "Gas Cloud Harvesters",
|
||||
"name_fr": "Collecteurs de nuages de gaz",
|
||||
"name_it": "Gas Cloud Harvesters",
|
||||
"name_ja": "ガス雲採掘機",
|
||||
"name_ko": "가스 하베스터",
|
||||
"name_ru": "Сборщики газовых облаков",
|
||||
"name_zh": "Gas Cloud Harvesters",
|
||||
"nameID": 587197,
|
||||
"parentGroupID": 1711
|
||||
"parentGroupID": 1713
|
||||
},
|
||||
"2797": {
|
||||
"description_de": "Blaupausen für Analysesignalfeuer",
|
||||
@@ -43823,5 +43823,85 @@
|
||||
"name_zh": "AEGIS Databases",
|
||||
"nameID": 589184,
|
||||
"parentGroupID": 19
|
||||
},
|
||||
"2804": {
|
||||
"description_de": "Frequenzkristalle, die auf verschiedene Asteroidenerz-Typen zugeschnitten sind",
|
||||
"description_en-us": "Frequency crystals custom-cut for different asteroid ore types",
|
||||
"description_es": "Frequency crystals custom-cut for different asteroid ore types",
|
||||
"description_fr": "Cristaux de fréquence taillés sur mesure pour différents types de minerais d'astéroïdes",
|
||||
"description_it": "Frequency crystals custom-cut for different asteroid ore types",
|
||||
"description_ja": "アステロイド鉱石のタイプに合わせてカスタムカットされたフリーケンシークリスタル。",
|
||||
"description_ko": "소행성 광물 채굴에 사용되는 프리퀀시 크리스탈입니다",
|
||||
"description_ru": "Высокочастотные кристаллы особой резки для разных видов руды с астероидов",
|
||||
"description_zh": "Frequency crystals custom-cut for different asteroid ore types",
|
||||
"descriptionID": 591666,
|
||||
"hasTypes": 1,
|
||||
"iconID": 24968,
|
||||
"name_de": "Asteroiden-Bergbaukristalle",
|
||||
"name_en-us": "Asteroid Mining Crystals",
|
||||
"name_es": "Asteroid Mining Crystals",
|
||||
"name_fr": "Cristaux d'extraction d'astéroïdes",
|
||||
"name_it": "Asteroid Mining Crystals",
|
||||
"name_ja": "アステロイド採掘用クリスタル",
|
||||
"name_ko": "소행성 채광용 크리스탈",
|
||||
"name_ru": "Буровые кристаллы для добычи руды с астероидов",
|
||||
"name_zh": "Asteroid Mining Crystals",
|
||||
"nameID": 591665,
|
||||
"parentGroupID": 593
|
||||
},
|
||||
"2805": {
|
||||
"description_de": "Frequenzkristalle, die auf verschiedene Monderz-Typen zugeschnitten sind",
|
||||
"description_en-us": "Frequency crystals custom-cut for different moon ore types",
|
||||
"description_es": "Frequency crystals custom-cut for different moon ore types",
|
||||
"description_fr": "Cristaux de fréquence taillés sur mesure pour différents types de minerais lunaires",
|
||||
"description_it": "Frequency crystals custom-cut for different moon ore types",
|
||||
"description_ja": "衛星鉱石のタイプに合わせてカスタムカットされたフリーケンシークリスタル。",
|
||||
"description_ko": "워성 광물 채굴에 사용되는 프리퀀시 크리스탈입니다",
|
||||
"description_ru": "Высокочастотные кристаллы особой резки для разных видов руды со спутников",
|
||||
"description_zh": "Frequency crystals custom-cut for different moon ore types",
|
||||
"descriptionID": 591668,
|
||||
"hasTypes": 1,
|
||||
"iconID": 25021,
|
||||
"name_de": "Mond-Bergbaukristalle",
|
||||
"name_en-us": "Moon Mining Crystals",
|
||||
"name_es": "Moon Mining Crystals",
|
||||
"name_fr": "Cristaux d'extraction lunaire",
|
||||
"name_it": "Moon Mining Crystals",
|
||||
"name_ja": "衛星採掘用クリスタル",
|
||||
"name_ko": "위성 채광용 크리스탈",
|
||||
"name_ru": "Буровые кристаллы для добычи руды со спутников",
|
||||
"name_zh": "Moon Mining Crystals",
|
||||
"nameID": 591667,
|
||||
"parentGroupID": 593
|
||||
},
|
||||
"2806": {
|
||||
"hasTypes": 1,
|
||||
"iconID": 2703,
|
||||
"name_de": "Asteroiden-Bergbaukristalle",
|
||||
"name_en-us": "Asteroid Mining Crystals",
|
||||
"name_es": "Asteroid Mining Crystals",
|
||||
"name_fr": "Cristaux d'extraction d'astéroïdes",
|
||||
"name_it": "Asteroid Mining Crystals",
|
||||
"name_ja": "アステロイド採掘用クリスタル",
|
||||
"name_ko": "소행성 채광용 크리스탈",
|
||||
"name_ru": "Буровые кристаллы для добычи руды с астероидов",
|
||||
"name_zh": "Asteroid Mining Crystals",
|
||||
"nameID": 591670,
|
||||
"parentGroupID": 753
|
||||
},
|
||||
"2807": {
|
||||
"hasTypes": 1,
|
||||
"iconID": 2703,
|
||||
"name_de": "Mond-Bergbaukristalle",
|
||||
"name_en-us": "Moon Mining Crystals",
|
||||
"name_es": "Moon Mining Crystals",
|
||||
"name_fr": "Cristaux d'extraction lunaire",
|
||||
"name_it": "Moon Mining Crystals",
|
||||
"name_ja": "衛星採掘用クリスタル",
|
||||
"name_ko": "위성 채광용 크리스탈",
|
||||
"name_ru": "Буровые кристаллы для добычи руды со спутников",
|
||||
"name_zh": "Moon Mining Crystals",
|
||||
"nameID": 591671,
|
||||
"parentGroupID": 753
|
||||
}
|
||||
}
|
||||
@@ -26585,33 +26585,6 @@
|
||||
"60410": {
|
||||
"21718": 1
|
||||
},
|
||||
"60422": {
|
||||
"3405": 1
|
||||
},
|
||||
"60423": {
|
||||
"3405": 1
|
||||
},
|
||||
"60424": {
|
||||
"3405": 1
|
||||
},
|
||||
"60425": {
|
||||
"3405": 1
|
||||
},
|
||||
"60426": {
|
||||
"3405": 1
|
||||
},
|
||||
"60427": {
|
||||
"3405": 1
|
||||
},
|
||||
"60428": {
|
||||
"3405": 1
|
||||
},
|
||||
"60429": {
|
||||
"3405": 1
|
||||
},
|
||||
"60430": {
|
||||
"3405": 1
|
||||
},
|
||||
"60438": {
|
||||
"21718": 1
|
||||
},
|
||||
@@ -26761,18 +26734,38 @@
|
||||
"3402": 1
|
||||
},
|
||||
"60764": {
|
||||
"3332": 2,
|
||||
"3334": 2
|
||||
"3332": 5,
|
||||
"3334": 5,
|
||||
"28609": 1
|
||||
},
|
||||
"60765": {
|
||||
"3328": 3,
|
||||
"3330": 3
|
||||
"3328": 5,
|
||||
"3330": 5,
|
||||
"28615": 1
|
||||
},
|
||||
"60766": {
|
||||
"3436": 5,
|
||||
"12487": 1,
|
||||
"33699": 5
|
||||
},
|
||||
"60850": {
|
||||
"13278": 1
|
||||
},
|
||||
"60851": {
|
||||
"13278": 1
|
||||
},
|
||||
"60852": {
|
||||
"13278": 1
|
||||
},
|
||||
"60853": {
|
||||
"13278": 1
|
||||
},
|
||||
"60854": {
|
||||
"13278": 1
|
||||
},
|
||||
"60855": {
|
||||
"13278": 1
|
||||
},
|
||||
"61083": {
|
||||
"3402": 1
|
||||
},
|
||||
@@ -26915,5 +26908,46 @@
|
||||
"61216": {
|
||||
"3386": 1,
|
||||
"46156": 4
|
||||
},
|
||||
"61658": {
|
||||
"13278": 1
|
||||
},
|
||||
"61659": {
|
||||
"13278": 1
|
||||
},
|
||||
"61666": {
|
||||
"3300": 1,
|
||||
"9955": 1
|
||||
},
|
||||
"62235": {
|
||||
"3402": 1
|
||||
},
|
||||
"62236": {
|
||||
"3402": 1
|
||||
},
|
||||
"62237": {
|
||||
"3402": 1
|
||||
},
|
||||
"62450": {
|
||||
"58956": 1
|
||||
},
|
||||
"62451": {
|
||||
"28585": 1,
|
||||
"62450": 4
|
||||
},
|
||||
"62452": {
|
||||
"62450": 3
|
||||
},
|
||||
"62453": {
|
||||
"22552": 3
|
||||
},
|
||||
"62595": {
|
||||
"3402": 1
|
||||
},
|
||||
"62596": {
|
||||
"3402": 1
|
||||
},
|
||||
"62597": {
|
||||
"3402": 1
|
||||
}
|
||||
}
|
||||
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
@@ -2669,5 +2669,238 @@
|
||||
],
|
||||
"operationName": "PostPercent",
|
||||
"showOutputValueInUI": "ShowNormal"
|
||||
},
|
||||
"2146": {
|
||||
"aggregateMode": "Maximum",
|
||||
"developerDescription": "Proving Afterburner Speed Bonus",
|
||||
"displayName_de": "Bonus auf die Nachbrenner-Geschwindigkeitserhöhung",
|
||||
"displayName_en-us": "AB speed increase bonus",
|
||||
"displayName_es": "AB speed increase bonus",
|
||||
"displayName_fr": "Bonus de vitesse PC",
|
||||
"displayName_it": "AB speed increase bonus",
|
||||
"displayName_ja": "AB速度増加ボーナス",
|
||||
"displayName_ko": "애프터버너 속도 증가 보너스",
|
||||
"displayName_ru": "Бонус к увеличению скорости форсажного ускорителя",
|
||||
"displayName_zh": "AB speed increase bonus",
|
||||
"displayNameID": 591759,
|
||||
"itemModifiers": [],
|
||||
"locationGroupModifiers": [],
|
||||
"locationModifiers": [],
|
||||
"locationRequiredSkillModifiers": [
|
||||
{
|
||||
"dogmaAttributeID": 20,
|
||||
"skillID": 3450
|
||||
}
|
||||
],
|
||||
"operationName": "PostPercent",
|
||||
"showOutputValueInUI": "ShowNormal"
|
||||
},
|
||||
"2147": {
|
||||
"aggregateMode": "Minimum",
|
||||
"developerDescription": "SpacetimeNexusVelocity",
|
||||
"displayName_de": "Schiffsgeschwindigkeit",
|
||||
"displayName_en-us": "Ship Velocity",
|
||||
"displayName_es": "Ship Velocity",
|
||||
"displayName_fr": "Vitesse du vaisseau",
|
||||
"displayName_it": "Ship Velocity",
|
||||
"displayName_ja": "航行速度",
|
||||
"displayName_ko": "함선 속도",
|
||||
"displayName_ru": "Скорость корабля",
|
||||
"displayName_zh": "Ship Velocity",
|
||||
"displayNameID": 592692,
|
||||
"itemModifiers": [
|
||||
{
|
||||
"dogmaAttributeID": 37
|
||||
}
|
||||
],
|
||||
"locationGroupModifiers": [],
|
||||
"locationModifiers": [],
|
||||
"locationRequiredSkillModifiers": [],
|
||||
"operationName": "PostPercent",
|
||||
"showOutputValueInUI": "ShowNormal"
|
||||
},
|
||||
"2148": {
|
||||
"aggregateMode": "Maximum",
|
||||
"developerDescription": "SpacetimeNexusInertia",
|
||||
"displayName_de": "Schiffsträgheit",
|
||||
"displayName_en-us": "Ship Inertia",
|
||||
"displayName_es": "Ship Inertia",
|
||||
"displayName_fr": "Inertie du vaisseau",
|
||||
"displayName_it": "Ship Inertia",
|
||||
"displayName_ja": "艦船の慣性",
|
||||
"displayName_ko": "관성 계수",
|
||||
"displayName_ru": "Инертность корабля",
|
||||
"displayName_zh": "Ship Inertia",
|
||||
"displayNameID": 592693,
|
||||
"itemModifiers": [
|
||||
{
|
||||
"dogmaAttributeID": 70
|
||||
}
|
||||
],
|
||||
"locationGroupModifiers": [],
|
||||
"locationModifiers": [],
|
||||
"locationRequiredSkillModifiers": [],
|
||||
"operationName": "PostPercent",
|
||||
"showOutputValueInUI": "ShowNormal"
|
||||
},
|
||||
"2149": {
|
||||
"aggregateMode": "Maximum",
|
||||
"developerDescription": "SpacetimeNexusRecharge",
|
||||
"displayName_de": "Schild- und Energiespeicherladezeit",
|
||||
"displayName_en-us": "Shield and Capacitor Recharge Rate",
|
||||
"displayName_es": "Shield and Capacitor Recharge Rate",
|
||||
"displayName_fr": "Vitesse de recharge du bouclier et du capaciteur",
|
||||
"displayName_it": "Shield and Capacitor Recharge Rate",
|
||||
"displayName_ja": "シールドとキャパシタの充電速度",
|
||||
"displayName_ko": "실드 및 캐패시터 충전 속도",
|
||||
"displayName_ru": "Скорость перезарядки щита и накопителя",
|
||||
"displayName_zh": "Shield and Capacitor Recharge Rate",
|
||||
"displayNameID": 592694,
|
||||
"itemModifiers": [
|
||||
{
|
||||
"dogmaAttributeID": 55
|
||||
},
|
||||
{
|
||||
"dogmaAttributeID": 479
|
||||
}
|
||||
],
|
||||
"locationGroupModifiers": [],
|
||||
"locationModifiers": [],
|
||||
"locationRequiredSkillModifiers": [],
|
||||
"operationName": "PostPercent",
|
||||
"showOutputValueInUI": "ShowInverted"
|
||||
},
|
||||
"2150": {
|
||||
"aggregateMode": "Maximum",
|
||||
"developerDescription": "SpacetimeNexusModuleCycle",
|
||||
"displayName_de": "Modulzyklus und Nachladegeschwindigkeit",
|
||||
"displayName_en-us": "Module Cycle and Reload Speed",
|
||||
"displayName_es": "Module Cycle and Reload Speed",
|
||||
"displayName_fr": "Cycle du module et vitesse de recharge",
|
||||
"displayName_it": "Module Cycle and Reload Speed",
|
||||
"displayName_ja": "モジュールのサイクルとリロード速度",
|
||||
"displayName_ko": "모듈 사이클 시간 및 재장전 속도",
|
||||
"displayName_ru": "Время и скорость перезарядки модуля",
|
||||
"displayName_zh": "Module Cycle and Reload Speed",
|
||||
"displayNameID": 592695,
|
||||
"itemModifiers": [],
|
||||
"locationGroupModifiers": [],
|
||||
"locationModifiers": [
|
||||
{
|
||||
"dogmaAttributeID": 51
|
||||
},
|
||||
{
|
||||
"dogmaAttributeID": 73
|
||||
},
|
||||
{
|
||||
"dogmaAttributeID": 1795
|
||||
}
|
||||
],
|
||||
"locationRequiredSkillModifiers": [],
|
||||
"operationName": "PostPercent",
|
||||
"showOutputValueInUI": "ShowInverted"
|
||||
},
|
||||
"2151": {
|
||||
"aggregateMode": "Minimum",
|
||||
"developerDescription": "SpacetimeNexusTracking",
|
||||
"displayName_de": "Geschützturm-Nachführung und Lenkwaffen-Explosionsgeschwindigkeit",
|
||||
"displayName_en-us": "Turret Tracking and Missile Explosion Velocity",
|
||||
"displayName_es": "Turret Tracking and Missile Explosion Velocity",
|
||||
"displayName_fr": "Poursuite des tourelles et vitesse d'explosion des missiles",
|
||||
"displayName_it": "Turret Tracking and Missile Explosion Velocity",
|
||||
"displayName_ja": "タレットの追跡速度とミサイルの爆発速度",
|
||||
"displayName_ko": "터렛 트래킹 및 미사일 폭발 속도",
|
||||
"displayName_ru": "Скорость наведения орудий и распространения взрыва ракет",
|
||||
"displayName_zh": "Turret Tracking and Missile Explosion Velocity",
|
||||
"displayNameID": 593084,
|
||||
"itemModifiers": [],
|
||||
"locationGroupModifiers": [],
|
||||
"locationModifiers": [],
|
||||
"locationRequiredSkillModifiers": [
|
||||
{
|
||||
"dogmaAttributeID": 160,
|
||||
"skillID": 3300
|
||||
},
|
||||
{
|
||||
"dogmaAttributeID": 653,
|
||||
"skillID": 3319
|
||||
}
|
||||
],
|
||||
"operationName": "PostPercent",
|
||||
"showOutputValueInUI": "ShowNormal"
|
||||
},
|
||||
"2152": {
|
||||
"aggregateMode": "Maximum",
|
||||
"developerDescription": "Proving HP Addition",
|
||||
"displayName_de": "Zusätzliche Basis-HP des Rumpfs",
|
||||
"displayName_en-us": "Additional Base Hull Hitpoints",
|
||||
"displayName_es": "Additional Base Hull Hitpoints",
|
||||
"displayName_fr": "Points de vie de la coque de base supplémentaires",
|
||||
"displayName_it": "Additional Base Hull Hitpoints",
|
||||
"displayName_ja": "追加ベース船体HP",
|
||||
"displayName_ko": "추가 선체 내구도",
|
||||
"displayName_ru": "Увеличение основного запаса прочности корпуса",
|
||||
"displayName_zh": "Additional Base Hull Hitpoints",
|
||||
"displayNameID": 594653,
|
||||
"itemModifiers": [
|
||||
{
|
||||
"dogmaAttributeID": 9
|
||||
}
|
||||
],
|
||||
"locationGroupModifiers": [],
|
||||
"locationModifiers": [],
|
||||
"locationRequiredSkillModifiers": [],
|
||||
"operationName": "ModAdd",
|
||||
"showOutputValueInUI": "ShowNormal"
|
||||
},
|
||||
"2153": {
|
||||
"aggregateMode": "Maximum",
|
||||
"developerDescription": "Proving Turret Tracking",
|
||||
"displayName_de": "Geschützturmnachführung",
|
||||
"displayName_en-us": "Turret Tracking",
|
||||
"displayName_es": "Turret Tracking",
|
||||
"displayName_fr": "Poursuite des tourelles",
|
||||
"displayName_it": "Turret Tracking",
|
||||
"displayName_ja": "タレットのトラッキング",
|
||||
"displayName_ko": "터렛 트래킹",
|
||||
"displayName_ru": "Скорость наведения турелей",
|
||||
"displayName_zh": "Turret Tracking",
|
||||
"displayNameID": 594691,
|
||||
"itemModifiers": [],
|
||||
"locationGroupModifiers": [],
|
||||
"locationModifiers": [],
|
||||
"locationRequiredSkillModifiers": [
|
||||
{
|
||||
"dogmaAttributeID": 160,
|
||||
"skillID": 3300
|
||||
}
|
||||
],
|
||||
"operationName": "PostPercent",
|
||||
"showOutputValueInUI": "ShowNormal"
|
||||
},
|
||||
"2154": {
|
||||
"aggregateMode": "Maximum",
|
||||
"developerDescription": "Proving Turret Falloff",
|
||||
"displayName_de": "Geschützturm-Präzisionsabfall",
|
||||
"displayName_en-us": "Turret Falloff",
|
||||
"displayName_es": "Turret Falloff",
|
||||
"displayName_fr": "Déperdition des tourelles",
|
||||
"displayName_it": "Turret Falloff",
|
||||
"displayName_ja": "タレットの精度低下範囲",
|
||||
"displayName_ko": "터렛 유효사거리",
|
||||
"displayName_ru": "Остаточная дальность орудий",
|
||||
"displayName_zh": "Turret Falloff",
|
||||
"displayNameID": 594692,
|
||||
"itemModifiers": [],
|
||||
"locationGroupModifiers": [],
|
||||
"locationModifiers": [],
|
||||
"locationRequiredSkillModifiers": [
|
||||
{
|
||||
"dogmaAttributeID": 158,
|
||||
"skillID": 3300
|
||||
}
|
||||
],
|
||||
"operationName": "PostPercent",
|
||||
"showOutputValueInUI": "ShowNormal"
|
||||
}
|
||||
}
|
||||
@@ -616,14 +616,14 @@
|
||||
},
|
||||
"2107": {
|
||||
"categoryID": 2107,
|
||||
"categoryName_de": "Mining",
|
||||
"categoryName_de": "Bergbau",
|
||||
"categoryName_en-us": "Mining",
|
||||
"categoryName_es": "Mining",
|
||||
"categoryName_fr": "Mining",
|
||||
"categoryName_fr": "Extraction",
|
||||
"categoryName_it": "Mining",
|
||||
"categoryName_ja": "Mining",
|
||||
"categoryName_ko": "Mining",
|
||||
"categoryName_ru": "Mining",
|
||||
"categoryName_ja": "採掘",
|
||||
"categoryName_ko": "채굴",
|
||||
"categoryName_ru": "Бурение",
|
||||
"categoryName_zh": "Mining",
|
||||
"categoryNameID": 587126,
|
||||
"published": false
|
||||
|
||||
@@ -11291,14 +11291,14 @@
|
||||
"categoryID": 7,
|
||||
"fittableNonSingleton": false,
|
||||
"groupID": 737,
|
||||
"groupName_de": "Gaswolken-Harvester",
|
||||
"groupName_en-us": "Gas Cloud Harvester",
|
||||
"groupName_es": "Gas Cloud Harvester",
|
||||
"groupName_fr": "Collecteur de nuages de gaz",
|
||||
"groupName_it": "Gas Cloud Harvester",
|
||||
"groupName_ja": "ガス雲採掘機",
|
||||
"groupName_ko": "가스 하베스터",
|
||||
"groupName_ru": "Установка для сбора газа",
|
||||
"groupName_de": "Gaswolken-Schaufeln",
|
||||
"groupName_en-us": "Gas Cloud Scoops",
|
||||
"groupName_es": "Gas Cloud Scoops",
|
||||
"groupName_fr": "Récupérateurs de nuages de gaz",
|
||||
"groupName_it": "Gas Cloud Scoops",
|
||||
"groupName_ja": "ガス雲スクープ",
|
||||
"groupName_ko": "가스 수집기",
|
||||
"groupName_ru": "Газочерпатели",
|
||||
"groupName_zh": "气云采集器",
|
||||
"groupNameID": 64127,
|
||||
"iconID": 0,
|
||||
@@ -20556,14 +20556,14 @@
|
||||
"categoryID": 8,
|
||||
"fittableNonSingleton": true,
|
||||
"groupID": 1548,
|
||||
"groupName_de": "Struktur: Lenkbombe",
|
||||
"groupName_en-us": "Structure Guided Bomb",
|
||||
"groupName_es": "Structure Guided Bomb",
|
||||
"groupName_fr": "Bombe guidée (Structure)",
|
||||
"groupName_it": "Structure Guided Bomb",
|
||||
"groupName_ja": "ストラクチャ ― 誘導爆弾",
|
||||
"groupName_ko": "구조물 유도 폭탄",
|
||||
"groupName_ru": "Бомбы сооружений с системами наведения",
|
||||
"groupName_de": "Lenkbombe",
|
||||
"groupName_en-us": "Guided Bomb",
|
||||
"groupName_es": "Guided Bomb",
|
||||
"groupName_fr": "Bombe ciblée",
|
||||
"groupName_it": "Guided Bomb",
|
||||
"groupName_ja": "誘導ボム",
|
||||
"groupName_ko": "유도 폭탄",
|
||||
"groupName_ru": "Направляемая бомба",
|
||||
"groupName_zh": "建筑制导炸弹",
|
||||
"groupNameID": 510637,
|
||||
"published": true,
|
||||
@@ -26294,14 +26294,14 @@
|
||||
"categoryID": 2,
|
||||
"fittableNonSingleton": false,
|
||||
"groupID": 1991,
|
||||
"groupName_de": "Abgrundspur",
|
||||
"groupName_en-us": "Abyssal Trace",
|
||||
"groupName_es": "Abyssal Trace",
|
||||
"groupName_fr": "Trace abyssale",
|
||||
"groupName_it": "Abyssal Trace",
|
||||
"groupName_ja": "アビサルトレース",
|
||||
"groupName_ko": "어비설 트레이스",
|
||||
"groupName_ru": "След бездны",
|
||||
"groupName_de": "Filamentspur",
|
||||
"groupName_en-us": "Filament Trace",
|
||||
"groupName_es": "Filament Trace",
|
||||
"groupName_fr": "Trace de filament",
|
||||
"groupName_it": "Filament Trace",
|
||||
"groupName_ja": "フィラメントの痕跡",
|
||||
"groupName_ko": "필라멘트 흔적",
|
||||
"groupName_ru": "След нити",
|
||||
"groupName_zh": "深渊痕迹",
|
||||
"groupNameID": 536427,
|
||||
"published": false,
|
||||
@@ -27843,15 +27843,15 @@
|
||||
"categoryID": 7,
|
||||
"fittableNonSingleton": false,
|
||||
"groupID": 4138,
|
||||
"groupName_de": "Gas Cloud Hoarders",
|
||||
"groupName_en-us": "Gas Cloud Hoarders",
|
||||
"groupName_es": "Gas Cloud Hoarders",
|
||||
"groupName_fr": "Gas Cloud Hoarders",
|
||||
"groupName_it": "Gas Cloud Hoarders",
|
||||
"groupName_ja": "Gas Cloud Hoarders",
|
||||
"groupName_ko": "Gas Cloud Hoarders",
|
||||
"groupName_ru": "Gas Cloud Hoarders",
|
||||
"groupName_zh": "Gas Cloud Hoarders",
|
||||
"groupName_de": "Gaswolken-Extraktoren",
|
||||
"groupName_en-us": "Gas Cloud Harvesters",
|
||||
"groupName_es": "Gas Cloud Harvesters",
|
||||
"groupName_fr": "Collecteurs de nuages de gaz",
|
||||
"groupName_it": "Gas Cloud Harvesters",
|
||||
"groupName_ja": "ガス雲採掘機",
|
||||
"groupName_ko": "가스 하베스터",
|
||||
"groupName_ru": "Сборщики газовых облаков",
|
||||
"groupName_zh": "Gas Cloud Harvesters",
|
||||
"groupNameID": 587196,
|
||||
"published": true,
|
||||
"useBasePrice": false
|
||||
@@ -27862,18 +27862,18 @@
|
||||
"categoryID": 9,
|
||||
"fittableNonSingleton": false,
|
||||
"groupID": 4139,
|
||||
"groupName_de": "",
|
||||
"groupName_en-us": "",
|
||||
"groupName_es": "",
|
||||
"groupName_fr": "",
|
||||
"groupName_it": "",
|
||||
"groupName_ja": "",
|
||||
"groupName_ko": "",
|
||||
"groupName_ru": "",
|
||||
"groupName_zh": "",
|
||||
"groupName_de": "Gas-Extraktor-Blaupause",
|
||||
"groupName_en-us": "Gas Harvester Blueprint",
|
||||
"groupName_es": "Gas Harvester Blueprint",
|
||||
"groupName_fr": "Plan de construction Collecteur de gaz",
|
||||
"groupName_it": "Gas Harvester Blueprint",
|
||||
"groupName_ja": "ガス採掘機設計図",
|
||||
"groupName_ko": "가스 하베스터 블루프린트",
|
||||
"groupName_ru": "Чертёж установки для сбора газа",
|
||||
"groupName_zh": "Gas Harvester Blueprint",
|
||||
"groupNameID": 587314,
|
||||
"published": true,
|
||||
"useBasePrice": false
|
||||
"useBasePrice": true
|
||||
},
|
||||
"4141": {
|
||||
"anchorable": false,
|
||||
@@ -27913,6 +27913,44 @@
|
||||
"published": true,
|
||||
"useBasePrice": true
|
||||
},
|
||||
"4145": {
|
||||
"anchorable": false,
|
||||
"anchored": false,
|
||||
"categoryID": 17,
|
||||
"fittableNonSingleton": false,
|
||||
"groupID": 4145,
|
||||
"groupName_de": "Warp-Matrix-Filamente",
|
||||
"groupName_en-us": "Warp Matrix Filaments",
|
||||
"groupName_es": "Warp Matrix Filaments",
|
||||
"groupName_fr": "Filaments de matrice de warp",
|
||||
"groupName_it": "Warp Matrix Filaments",
|
||||
"groupName_ja": "ワープマトリクス・フィラメント",
|
||||
"groupName_ko": "워프 매트릭스 필라멘트",
|
||||
"groupName_ru": "Варп-матричные нити",
|
||||
"groupName_zh": "Warp Matrix Filaments",
|
||||
"groupNameID": 588713,
|
||||
"published": true,
|
||||
"useBasePrice": true
|
||||
},
|
||||
"4165": {
|
||||
"anchorable": false,
|
||||
"anchored": false,
|
||||
"categoryID": 17,
|
||||
"fittableNonSingleton": false,
|
||||
"groupID": 4165,
|
||||
"groupName_de": "Eigenartige Materialien",
|
||||
"groupName_en-us": "Peculiar Materials",
|
||||
"groupName_es": "Peculiar Materials",
|
||||
"groupName_fr": "Matériaux étranges",
|
||||
"groupName_it": "Peculiar Materials",
|
||||
"groupName_ja": "奇妙な資源",
|
||||
"groupName_ko": "기묘한 재료",
|
||||
"groupName_ru": "Любопытные материалы",
|
||||
"groupName_zh": "Peculiar Materials",
|
||||
"groupNameID": 592992,
|
||||
"published": true,
|
||||
"useBasePrice": true
|
||||
},
|
||||
"350858": {
|
||||
"anchorable": false,
|
||||
"anchored": false,
|
||||
|
||||
@@ -58198,14 +58198,14 @@
|
||||
"3218": {
|
||||
"basePrice": 0.0,
|
||||
"capacity": 0.0,
|
||||
"description_de": "Einstmals die effizienteste Bergbaudrohne, die mit Geld erworben werden konnte, konnte die Sammel-Bergbaudrohne in den Jahren nach ihrer Einführung nicht mit der gestiegenen Innovationsbereitschaft in diesem Bereich mithalten. Mit der Zeit geriet diese einst prestigeträchtige Bergbauausrüstung schlichtweg außer Gebrauch.\n\nEin im Jahr YC 118 angelaufenes Revitalisierungsprogramm versah das altehrwürdige Sammeldrohnen-Design mit den innovativsten Neuerungen der Bergbaudrohnentechnologie. Ursprünglich nur für den Verkauf an Bergbauoperationen des Imperiums innerhalb des Clusters vorgesehen, gelangten die Blaupausen der Drohnen bald über die üblichen blutigen Wege in die Hände von Kapselpiloten und Piraten.",
|
||||
"description_en-us": "Once the most efficient mining drone money can buy, the Harvester Mining Drone failed to keep up with continued innovation in the years after its introduction. Over time this once prestigious piece of mining equipment fell into disuse.\n\nA revitalization project initiated in YC 118 updated the venerable Harvester designs with the latest in mining drone technology. Initially sold to empire-based mining operations across the cluster, blueprints eventually ended up in the hands of capsuleers and pirates through the usual bloody avenues.",
|
||||
"description_es": "Once the most efficient mining drone money can buy, the Harvester Mining Drone failed to keep up with continued innovation in the years after its introduction. Over time this once prestigious piece of mining equipment fell into disuse.\n\nA revitalization project initiated in YC 118 updated the venerable Harvester designs with the latest in mining drone technology. Initially sold to empire-based mining operations across the cluster, blueprints eventually ended up in the hands of capsuleers and pirates through the usual bloody avenues.",
|
||||
"description_fr": "Autrefois la plus performante de l'amas, la technologie minière des drones d'extraction 'Harvester' fut rapidement dépassée quelques années après sa mise sur le marché. Au fil du temps, cet équipement minier jadis prestigieux sombra dans l'oubli.\n\nUn projet de régénération technologique de pointe initié en CY 118 redonna cependant leurs lettres de noblesse aux 'Harvester'. D'abord exclusivement vendus aux expéditions minières des empires, les plans de construction des drones d'extraction finirent par tomber entre les mains de capsuliers et de pirates sans vergogne.",
|
||||
"description_it": "Once the most efficient mining drone money can buy, the Harvester Mining Drone failed to keep up with continued innovation in the years after its introduction. Over time this once prestigious piece of mining equipment fell into disuse.\n\nA revitalization project initiated in YC 118 updated the venerable Harvester designs with the latest in mining drone technology. Initially sold to empire-based mining operations across the cluster, blueprints eventually ended up in the hands of capsuleers and pirates through the usual bloody avenues.",
|
||||
"description_ja": "この「ハーベスター」採掘ドローンは、かつて市場において最も性能が高い採掘ドローンだったが、技術革新の歩みについていくことができなかった。一時は最高の採掘機器として扱われたものの、時間の経過とともに使われなくなっていったのである。\n\nしかし、YC118年に始まった再生プロジェクトにより、ハーベスターの古くさい設計は最新の採掘ドローン技術で一新されることになった。当初、生まれ変わったハーベスターは国家主導の採掘事業に投入されたが、やがていつも通りの血なまぐさい経緯を経て、そのブループリントはカプセラや海賊の手へ渡ったのだった。",
|
||||
"description_ko": "하베스터 채굴 드론은 한때 가장 뛰어난 효율성을 자랑했지만, 이후 출시되는 드론들의 성능을 따라잡지는 못했습니다. 이러한 현상 때문에 채굴 드론의 한 시대를 풍미했던 드론은 더 이상 사용되지 않았습니다. <br><br>하지만 YC 118년에 실행된 재개발 프로젝트의 일환으로 하베스터 디자인에 채굴 드론의 최신 기술을 접목시켰습니다. 초기에는 국가 기반의 채굴 작업장 대상으로 판매가 됐지만, 결국 캡슐리어와 해적들이 블루프린트를 강탈하는데 성공했습니다.",
|
||||
"description_ru": "Когда-то дроны-сборщики были самыми эффективными среди всех добывающих дронов; однако годы прогресса, прошедшие после их появления на рынке, оставили их далеко позади. Со временем бывшее когда-то престижным буровое оборудование погрузилось в забвение.\n\nПроект по актуализации прошлых решений, запущенный в 118 году от ю. с., обновил почтенный проект дронов-сборщиков, усилив их современными решениями в области добычи дронами. Когда-то чертежи продавались буровым корпорациям метрополии по всему кластеру; теперь, по привычно отмеченным кровью тропам, они оказались в руках капсулёров и пиратов.",
|
||||
"description_de": "Einstmals die effizienteste Bergbaudrohne, die mit Geld erworben werden konnte, konnte die Sammel-Bergbaudrohne in den Jahren nach ihrer Einführung nicht mit der gestiegenen Innovationsbereitschaft in diesem Bereich mithalten. Mit der Zeit geriet diese einst prestigeträchtige Bergbauausrüstung schlichtweg außer Gebrauch. Ein im Jahr YC 118 angelaufenes Revitalisierungsprogramm versah das altehrwürdige Sammeldrohnen-Design mit den innovativsten Neuerungen der Bergbaudrohnentechnologie. Ursprünglich nur für den Verkauf an Bergbauoperationen des Imperiums innerhalb des Clusters vorgesehen, gelangten die Blaupausen der Drohnen bald über die üblichen blutigen Wege in die Hände von Kapselpiloten und Piraten.",
|
||||
"description_en-us": "Once the most efficient mining drone money can buy, the Harvester Mining Drone failed to keep up with continued innovation in the years after its introduction. Over time this once prestigious piece of mining equipment fell into disuse.\r\n\r\nA revitalization project initiated in YC 118 updated the venerable Harvester designs with the latest in mining drone technology. Initially sold to empire-based mining operations across the cluster, blueprints eventually ended up in the hands of capsuleers and pirates through the usual bloody avenues.",
|
||||
"description_es": "Once the most efficient mining drone money can buy, the Harvester Mining Drone failed to keep up with continued innovation in the years after its introduction. Over time this once prestigious piece of mining equipment fell into disuse.\r\n\r\nA revitalization project initiated in YC 118 updated the venerable Harvester designs with the latest in mining drone technology. Initially sold to empire-based mining operations across the cluster, blueprints eventually ended up in the hands of capsuleers and pirates through the usual bloody avenues.",
|
||||
"description_fr": "Autrefois le modèle le plus efficace qui soit, le drone d'extraction collecteur n'a pas été en mesure de suivre le rythme de l'innovation au cours des années ayant suivi sa création. Avec le temps, cet outil d'extraction prestigieux est tombé en désuétude. Un projet de rénovation lancé en CY 118 a mis à jour les concepts du vénérable collecteur avec les toutes dernières technologies en matière de drones d'extraction. Initialement vendu aux exploitations minières de l'Empire dans toute la galaxie, les plans ont fini entre les mains des capsuliers et des pirates par le biais des méthodes sanglantes habituelles.",
|
||||
"description_it": "Once the most efficient mining drone money can buy, the Harvester Mining Drone failed to keep up with continued innovation in the years after its introduction. Over time this once prestigious piece of mining equipment fell into disuse.\r\n\r\nA revitalization project initiated in YC 118 updated the venerable Harvester designs with the latest in mining drone technology. Initially sold to empire-based mining operations across the cluster, blueprints eventually ended up in the hands of capsuleers and pirates through the usual bloody avenues.",
|
||||
"description_ja": "かつては最も効率的な採掘用ドローンとして活躍した採掘専門ドローンだが、導入後の技術革新に立ち遅れた。当時は一流だった採掘装備も、時が経つにつれ使用されなくなった。\n\n\n\nYC118年に始まった再生プロジェクトにより、時代がかった採掘用ドローンは最新技術を駆使した優れた設計へと刷新された。当初は星団を横断する帝国の採掘作業用に売却されていたが、最終的に設計図はいつもの血なまぐさい手段によってカプセラたちと海賊たちの手に渡った。",
|
||||
"description_ko": "한때 가장 효율적인 채굴 드론으로 이름을 날렸으나, 다른 모델에 밀리면서 점차 뒤쳐지기 시작했습니다. 결국 혁신을 이루지 못하면서 하베스터 드론은 한 시대를 풍미한 채 역사 속으로 사라졌습니다.<br><br>이후 YC 118년에 재개발 프로젝트가 진행되었으며, 하베스터 모델과 최첨단 드론 기술을 접목시키는 데 성공했습니다. 생산 초기에는 주로 4대 제국에 납품되었으나, 이후 암시장을 통해 설계도가 유출되면서 캡슐리어와 해적들도 널리 사용하기 시작했습니다.",
|
||||
"description_ru": "Некогда один из лучших буровых дронов на рынке, «Харвестер» устарел с развитием технологий. Со временем этот престижный буровой аппарат вышел из употребления. Запущенная в 118 г. от ю. с. программа по обновлению позволила освежить конструкцию почтенного «Харвестера», снабдив его последними разработками в области буровых технологий. Изначально чертежи закупались для буровых работ, проводимых в секторе державами, но в итоге они, как обычно, нелегальными путями оказались в руках капсулёров и пиратов.",
|
||||
"description_zh": "随着更加高效的采矿无人机的问世,收割者采矿无人机逐渐在技术革新中落伍了。久之,这种曾经一度风靡的采矿设备被束之高阁。\n\nYC118年的一个复兴计划更新了收割者设计的薄弱环节,使用了最新的采矿无人机科技。起初被出售用于帝国的开采活动,蓝图通过黑市交易流入了飞行员和海盗手中。",
|
||||
"descriptionID": 93567,
|
||||
"graphicID": 1009,
|
||||
@@ -137045,14 +137045,14 @@
|
||||
"11395": {
|
||||
"basePrice": 1000000.0,
|
||||
"capacity": 0.0,
|
||||
"description_de": "Skill zur Bedienung von Bergbaulasern, die den Skill \"Deep Core Mining\" erfordern. Verringert die Wahrscheinlichkeit der Bildung einer schädlichen Gaswolke beim Mercoxit-Abbau um 20% je Skillstufe.",
|
||||
"description_en-us": "Skill at operating mining lasers requiring Deep Core Mining. 10% reduction per skill level in the chance of a damage cloud forming while mining Mercoxit.",
|
||||
"description_es": "Skill at operating mining lasers requiring Deep Core Mining. 10% reduction per skill level in the chance of a damage cloud forming while mining Mercoxit.",
|
||||
"description_fr": "Compétence liée à l'utilisation des lasers d'extraction nécessitant l'extraction minière en profondeur. Réduit de 20 % par niveau de compétence la probabilité de formation d'un nuage de dégâts lors de l'extraction du mercoxit.",
|
||||
"description_it": "Skill at operating mining lasers requiring Deep Core Mining. 10% reduction per skill level in the chance of a damage cloud forming while mining Mercoxit.",
|
||||
"description_ja": "ディープコア採掘を必要とする採掘レーザーを操作するスキル。スキルレベル上昇ごとにメロコキサイトの採掘中にダメージを受ける確率が20%減少。",
|
||||
"description_ko": "딥코어 채굴 레이저를 운용하기 위한 스킬입니다. 매 레벨마다 메르코시트 채굴 시 유독성 구름 발생 확률 20% 감소",
|
||||
"description_ru": "Навык управления буровыми лазерами глубокого бурения, для работы с которыми требуется освоить навык глубокого бурения (Deep Core Mining). За каждую степень освоения навыка: на 20% снижается вероятность формирования вредоносного облака в ходе добычи меркоцита.",
|
||||
"description_de": "Skill zur Bedienung von Bergbaulasern, die den Skill \"Deep Core Mining\" erfordern. Verringert die Wahrscheinlichkeit der Bildung einer schädlichen Gaswolke beim Mercoxit-Abbau um 10% je Skillstufe.",
|
||||
"description_en-us": "Skill at operating mining lasers requiring Deep Core Mining. 10% reduction per skill level to the chance of a damage cloud forming while mining Mercoxit.",
|
||||
"description_es": "Skill at operating mining lasers requiring Deep Core Mining. 10% reduction per skill level to the chance of a damage cloud forming while mining Mercoxit.",
|
||||
"description_fr": "Compétence liée à l'utilisation des lasers d'extraction nécessitant l'extraction minière profonde. Réduit de 10 % par niveau de compétence la probabilité de formation d'un nuage de dégâts lors de l'extraction du mercoxit.",
|
||||
"description_it": "Skill at operating mining lasers requiring Deep Core Mining. 10% reduction per skill level to the chance of a damage cloud forming while mining Mercoxit.",
|
||||
"description_ja": "ディープコア採掘を必要とする採掘レーザーを操作するためのスキル。スキルレベル上昇ごとにメロコキサイトの採掘中にダメージを受ける確率が10%減少。",
|
||||
"description_ko": "딥코어 채굴 레이저를 운용하기 위한 스킬입니다. 매 레벨마다 메르코시트 채굴 시 유독성 구름이 발생할 확률이 10% 감소합니다.",
|
||||
"description_ru": "Навык управления буровыми лазерами, которые требуют знания технологии глубокого бурения. Сокращение шанса на появление опасного облака при бурении меркоцита на 10% за каждую степень освоения навыка.",
|
||||
"description_zh": "操作需要深核开采法研究的采矿激光器的技能。每升一级,当开采基腹断岩时,危险云团的形成几率减少20%。",
|
||||
"descriptionID": 87920,
|
||||
"groupID": 1218,
|
||||
@@ -151836,14 +151836,14 @@
|
||||
"12189": {
|
||||
"basePrice": 500000.0,
|
||||
"capacity": 0.0,
|
||||
"description_de": "Spezialisierung auf die Aufbereitung von Mercoxit. Ermöglicht es einer sachkundigen Person, Aufbereitungsanlagen mit wesentlich höherer Effizienz zu bedienen.\n\n\n\n2% Bonus auf den Aufbereitungsertrag von Mercoxit je Skillstufe.",
|
||||
"description_en-us": "Specialization in Mercoxit reprocessing. Allows a skilled individual to utilize reprocessing facilities at considerably greater efficiency.\r\n\r\n2% bonus to Mercoxit reprocessing yield per skill level.",
|
||||
"description_es": "Specialization in Mercoxit reprocessing. Allows a skilled individual to utilize reprocessing facilities at considerably greater efficiency.\r\n\r\n2% bonus to Mercoxit reprocessing yield per skill level.",
|
||||
"description_fr": "Spécialisation dans le retraitement du mercoxit. Permet à un individu compétent de tirer le meilleur parti d'installations de retraitement. Augmente de 2% le rendement du retraitement du mercoxit par niveau de compétence.",
|
||||
"description_it": "Specialization in Mercoxit reprocessing. Allows a skilled individual to utilize reprocessing facilities at considerably greater efficiency.\r\n\r\n2% bonus to Mercoxit reprocessing yield per skill level.",
|
||||
"description_ja": "メロコキサイトの再処理に特化している。このスキルがあれば、再処理施設を利用する際の生産性をいちじるしく上げることができる。\r\n\nスキルレベル上昇ごとに、メロコキサイトの再処理収率が2%増加。",
|
||||
"description_ko": "메르코시트 정제에 특화되었습니다. 정제시설의 효율성이 크게 증가합니다. <br><br>매 레벨마다 메르코시트 정제 산출량 2% 증가",
|
||||
"description_ru": "Специализация в переработке меркоцита. Позволяют опытным пилотам получать существенно более качественный результат в цехах переработки сырья.\n\n\n\nЗа каждую степень освоения навыка: на 2% увеличивается полезный выход ресурсов при переработке меркоцита.",
|
||||
"description_de": "Spezialisiert auf die Aufbereitung von Mercoxit-Erzen. Ermöglicht es einer sachkundigen Person, Aufbereitungsanlagen mit noch wesentlich höherer Effizienz zu bedienen. 2% Bonus auf den Aufbereitungsertrag von Mercoxit-Erz je Skillstufe.",
|
||||
"description_en-us": "Specialization in Mercoxit ore reprocessing. Allows a skilled individual to utilize reprocessing facilities at considerably greater efficiency.\r\n\r\n2% bonus to reprocessing yield per skill level for Mercoxit ore.",
|
||||
"description_es": "Specialization in Mercoxit ore reprocessing. Allows a skilled individual to utilize reprocessing facilities at considerably greater efficiency.\r\n\r\n2% bonus to reprocessing yield per skill level for Mercoxit ore.",
|
||||
"description_fr": "Spécialisation dans le retraitement du minerai mercoxit. Cette compétence permet d'améliorer considérablement l'efficacité des usines de retraitement. Pour chaque niveau de compétence, augmente de 2 % le rendement du retraitement du minerai mercoxit.",
|
||||
"description_it": "Specialization in Mercoxit ore reprocessing. Allows a skilled individual to utilize reprocessing facilities at considerably greater efficiency.\r\n\r\n2% bonus to reprocessing yield per skill level for Mercoxit ore.",
|
||||
"description_ja": "メロコキサイト鉱石の再処理に特化している。このスキルがあれば、再処理施設を利用する際の生産性をいちじるしく上げることができる。\n\n\n\nスキルレベル上昇ごとに、メロコキサイト鉱石の再処理収率が2%増加。",
|
||||
"description_ko": "메르코시트 정제에 특화되었습니다. 정제시설의 효율성이 크게 증가합니다.<br><br>매 스킬 레벨마다 메르코시트 정제 산출량 2% 증가",
|
||||
"description_ru": "Специализация в переработке меркоцита. Позволяет человеку, владеющему необходимым навыком, использовать цеха переработки с гораздо большей эффективностью. +2% к эффективности переработки меркоцита за каждую степень освоения навыка.",
|
||||
"description_zh": "提炼基腹断岩的专业技能。可以大大提高技能熟练者使用提炼设备时的效率。\n\n\n\n每升一级,基腹断岩提炼产出提高2%。",
|
||||
"descriptionID": 88060,
|
||||
"groupID": 1218,
|
||||
@@ -151855,14 +151855,14 @@
|
||||
"published": true,
|
||||
"radius": 1.0,
|
||||
"typeID": 12189,
|
||||
"typeName_de": "Mercoxit Processing",
|
||||
"typeName_en-us": "Mercoxit Processing",
|
||||
"typeName_es": "Mercoxit Processing",
|
||||
"typeName_fr": "Traitement du mercoxit",
|
||||
"typeName_it": "Mercoxit Processing",
|
||||
"typeName_ja": "メロコキサイト処理",
|
||||
"typeName_ko": "메르코시트 정제",
|
||||
"typeName_ru": "Переработка меркоцита",
|
||||
"typeName_de": "Mercoxit Ore Processing",
|
||||
"typeName_en-us": "Mercoxit Ore Processing",
|
||||
"typeName_es": "Mercoxit Ore Processing",
|
||||
"typeName_fr": "Traitement du minerai mercoxit",
|
||||
"typeName_it": "Mercoxit Ore Processing",
|
||||
"typeName_ja": "メロコキサイト鉱石処理",
|
||||
"typeName_ko": "메르코시트 광물 정제",
|
||||
"typeName_ru": "Mercoxit Ore Processing",
|
||||
"typeName_zh": "基腹断岩处理技术",
|
||||
"typeNameID": 77659,
|
||||
"volume": 0.01
|
||||
@@ -272036,7 +272036,7 @@
|
||||
"description_ru": "В основу конструкции модулируемого бурового лазера валовой выемки положена технология частотного модулирования с помощью кристаллов, позаимствованная у модулируемых лазеров глубокого бурения — к сожалению, без сопутствующей ей возможности вести добычу меркоцита. \n\nМожет быть установлен только на буровые корабли и тяжёлые буровые корабли.\n\nИспользует кристаллы настройки экстрактора. \n\nНе может использовать кристалл настройки экстрактора на меркоцит (Mercoxit Mining Crystal).",
|
||||
"description_zh": "调制型露天采矿器II拥有大量与调制型深层地核露天采矿器II一样的晶体调频技术,只是缺乏深层地核采矿能力。 \n\n只能装配在采矿驳船和采掘者舰船上。.\n\n此设备使用采矿晶体, \n\n但不能装配基腹断岩采集晶体。",
|
||||
"descriptionID": 94799,
|
||||
"graphicID": 11275,
|
||||
"graphicID": 11145,
|
||||
"groupID": 483,
|
||||
"iconID": 2527,
|
||||
"isDynamicType": false,
|
||||
@@ -275110,12 +275110,11 @@
|
||||
"groupID": 482,
|
||||
"iconID": 2645,
|
||||
"isDynamicType": false,
|
||||
"marketGroupID": 593,
|
||||
"mass": 1.0,
|
||||
"metaGroupID": 1,
|
||||
"metaLevel": 0,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"published": false,
|
||||
"radius": 1.0,
|
||||
"techLevel": 1,
|
||||
"typeID": 18036,
|
||||
@@ -275137,10 +275136,12 @@
|
||||
"graphicID": 1142,
|
||||
"groupID": 727,
|
||||
"iconID": 2645,
|
||||
"marketGroupID": 753,
|
||||
"mass": 0.0,
|
||||
"metaGroupID": 1,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"published": false,
|
||||
"radius": 1.0,
|
||||
"techLevel": 1,
|
||||
"typeID": 18037,
|
||||
"typeName_de": "Arkonor Mining Crystal I Blueprint",
|
||||
"typeName_en-us": "Arkonor Mining Crystal I Blueprint",
|
||||
@@ -275170,12 +275171,11 @@
|
||||
"groupID": 482,
|
||||
"iconID": 2646,
|
||||
"isDynamicType": false,
|
||||
"marketGroupID": 593,
|
||||
"mass": 1.0,
|
||||
"metaGroupID": 1,
|
||||
"metaLevel": 0,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"published": false,
|
||||
"radius": 1.0,
|
||||
"techLevel": 1,
|
||||
"typeID": 18038,
|
||||
@@ -275197,10 +275197,12 @@
|
||||
"graphicID": 1142,
|
||||
"groupID": 727,
|
||||
"iconID": 2646,
|
||||
"marketGroupID": 753,
|
||||
"mass": 0.0,
|
||||
"metaGroupID": 1,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"published": false,
|
||||
"radius": 1.0,
|
||||
"techLevel": 1,
|
||||
"typeID": 18039,
|
||||
"typeName_de": "Bistot Mining Crystal I Blueprint",
|
||||
"typeName_en-us": "Bistot Mining Crystal I Blueprint",
|
||||
@@ -275230,12 +275232,11 @@
|
||||
"groupID": 482,
|
||||
"iconID": 2647,
|
||||
"isDynamicType": false,
|
||||
"marketGroupID": 593,
|
||||
"mass": 1.0,
|
||||
"metaGroupID": 1,
|
||||
"metaLevel": 0,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"published": false,
|
||||
"radius": 1.0,
|
||||
"techLevel": 1,
|
||||
"typeID": 18040,
|
||||
@@ -275257,10 +275258,12 @@
|
||||
"graphicID": 1142,
|
||||
"groupID": 727,
|
||||
"iconID": 2647,
|
||||
"marketGroupID": 753,
|
||||
"mass": 0.0,
|
||||
"metaGroupID": 1,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"published": false,
|
||||
"radius": 1.0,
|
||||
"techLevel": 1,
|
||||
"typeID": 18041,
|
||||
"typeName_de": "Crokite Mining Crystal I Blueprint",
|
||||
"typeName_en-us": "Crokite Mining Crystal I Blueprint",
|
||||
@@ -275290,12 +275293,11 @@
|
||||
"groupID": 482,
|
||||
"iconID": 2648,
|
||||
"isDynamicType": false,
|
||||
"marketGroupID": 593,
|
||||
"mass": 1.0,
|
||||
"metaGroupID": 1,
|
||||
"metaLevel": 0,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"published": false,
|
||||
"radius": 1.0,
|
||||
"techLevel": 1,
|
||||
"typeID": 18042,
|
||||
@@ -275317,10 +275319,12 @@
|
||||
"graphicID": 1142,
|
||||
"groupID": 727,
|
||||
"iconID": 2648,
|
||||
"marketGroupID": 753,
|
||||
"mass": 0.0,
|
||||
"metaGroupID": 1,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"published": false,
|
||||
"radius": 1.0,
|
||||
"techLevel": 1,
|
||||
"typeID": 18043,
|
||||
"typeName_de": "Dark Ochre Mining Crystal I Blueprint",
|
||||
"typeName_en-us": "Dark Ochre Mining Crystal I Blueprint",
|
||||
@@ -275350,12 +275354,11 @@
|
||||
"groupID": 482,
|
||||
"iconID": 2649,
|
||||
"isDynamicType": false,
|
||||
"marketGroupID": 593,
|
||||
"mass": 1.0,
|
||||
"metaGroupID": 1,
|
||||
"metaLevel": 0,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"published": false,
|
||||
"radius": 1.0,
|
||||
"techLevel": 1,
|
||||
"typeID": 18044,
|
||||
@@ -275377,10 +275380,12 @@
|
||||
"graphicID": 1142,
|
||||
"groupID": 727,
|
||||
"iconID": 2649,
|
||||
"marketGroupID": 753,
|
||||
"mass": 0.0,
|
||||
"metaGroupID": 1,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"published": false,
|
||||
"radius": 1.0,
|
||||
"techLevel": 1,
|
||||
"typeID": 18045,
|
||||
"typeName_de": "Gneiss Mining Crystal I Blueprint",
|
||||
"typeName_en-us": "Gneiss Mining Crystal I Blueprint",
|
||||
@@ -275410,12 +275415,11 @@
|
||||
"groupID": 482,
|
||||
"iconID": 2650,
|
||||
"isDynamicType": false,
|
||||
"marketGroupID": 593,
|
||||
"mass": 1.0,
|
||||
"metaGroupID": 1,
|
||||
"metaLevel": 0,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"published": false,
|
||||
"radius": 1.0,
|
||||
"techLevel": 1,
|
||||
"typeID": 18046,
|
||||
@@ -275437,10 +275441,12 @@
|
||||
"graphicID": 1142,
|
||||
"groupID": 727,
|
||||
"iconID": 2650,
|
||||
"marketGroupID": 753,
|
||||
"mass": 0.0,
|
||||
"metaGroupID": 1,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"published": false,
|
||||
"radius": 1.0,
|
||||
"techLevel": 1,
|
||||
"typeID": 18047,
|
||||
"typeName_de": "Hedbergite Mining Crystal I Blueprint",
|
||||
"typeName_en-us": "Hedbergite Mining Crystal I Blueprint",
|
||||
@@ -275470,12 +275476,11 @@
|
||||
"groupID": 482,
|
||||
"iconID": 2651,
|
||||
"isDynamicType": false,
|
||||
"marketGroupID": 593,
|
||||
"mass": 1.0,
|
||||
"metaGroupID": 1,
|
||||
"metaLevel": 0,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"published": false,
|
||||
"radius": 1.0,
|
||||
"techLevel": 1,
|
||||
"typeID": 18048,
|
||||
@@ -275497,10 +275502,12 @@
|
||||
"graphicID": 1142,
|
||||
"groupID": 727,
|
||||
"iconID": 2651,
|
||||
"marketGroupID": 753,
|
||||
"mass": 0.0,
|
||||
"metaGroupID": 1,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"published": false,
|
||||
"radius": 1.0,
|
||||
"techLevel": 1,
|
||||
"typeID": 18049,
|
||||
"typeName_de": "Hemorphite Mining Crystal I Blueprint",
|
||||
"typeName_en-us": "Hemorphite Mining Crystal I Blueprint",
|
||||
@@ -275530,12 +275537,11 @@
|
||||
"groupID": 482,
|
||||
"iconID": 2652,
|
||||
"isDynamicType": false,
|
||||
"marketGroupID": 593,
|
||||
"mass": 1.0,
|
||||
"metaGroupID": 1,
|
||||
"metaLevel": 0,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"published": false,
|
||||
"radius": 1.0,
|
||||
"techLevel": 1,
|
||||
"typeID": 18050,
|
||||
@@ -275557,10 +275563,12 @@
|
||||
"graphicID": 1142,
|
||||
"groupID": 727,
|
||||
"iconID": 2652,
|
||||
"marketGroupID": 753,
|
||||
"mass": 0.0,
|
||||
"metaGroupID": 1,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"published": false,
|
||||
"radius": 1.0,
|
||||
"techLevel": 1,
|
||||
"typeID": 18051,
|
||||
"typeName_de": "Jaspet Mining Crystal I Blueprint",
|
||||
"typeName_en-us": "Jaspet Mining Crystal I Blueprint",
|
||||
@@ -275590,12 +275598,11 @@
|
||||
"groupID": 482,
|
||||
"iconID": 2653,
|
||||
"isDynamicType": false,
|
||||
"marketGroupID": 593,
|
||||
"mass": 1.0,
|
||||
"metaGroupID": 1,
|
||||
"metaLevel": 0,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"published": false,
|
||||
"radius": 1.0,
|
||||
"techLevel": 1,
|
||||
"typeID": 18052,
|
||||
@@ -275617,10 +275624,12 @@
|
||||
"graphicID": 1142,
|
||||
"groupID": 727,
|
||||
"iconID": 2653,
|
||||
"marketGroupID": 753,
|
||||
"mass": 0.0,
|
||||
"metaGroupID": 1,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"published": false,
|
||||
"radius": 1.0,
|
||||
"techLevel": 1,
|
||||
"typeID": 18053,
|
||||
"typeName_de": "Kernite Mining Crystal I Blueprint",
|
||||
"typeName_en-us": "Kernite Mining Crystal I Blueprint",
|
||||
@@ -275637,21 +275646,21 @@
|
||||
"18054": {
|
||||
"basePrice": 1400000.0,
|
||||
"capacity": 0.0,
|
||||
"description_de": "Ein maßgefertigter Frequenzkristall, dessen Brechungsqualitäten speziell für das Steigern von Mercoxit-Erträgen geeignet ist. Aufgrund seiner molekularen Struktur und der Stärke des modulierten Bergbau-Strahls werden diese Kristalle durch vermehrten Gebrauch verschlissen. Kann nur in einen modulierten Bergbaulaser eingesetzt werden.",
|
||||
"description_en-us": "A custom-cut frequency crystal whose refractive qualities are specifically suited to boosting Mercoxit yield. Due to their molecular make-up and the strength of the modulated miner's beam, these crystals will deteriorate through extended use. Can be loaded into modulated mining lasers only.",
|
||||
"description_es": "A custom-cut frequency crystal whose refractive qualities are specifically suited to boosting Mercoxit yield. Due to their molecular make-up and the strength of the modulated miner's beam, these crystals will deteriorate through extended use. Can be loaded into modulated mining lasers only.",
|
||||
"description_fr": "Un cristal de fréquence taillé sur mesure dont les qualités de réfraction conviennent particulièrement à l'augmentation du rendement du mercoxit. En raison de leur composition moléculaire et de la puissance du rayon du système d'extraction modulé, ces cristaux se détériorent en cas d'utilisation prolongée. Ne peuvent être installés que sur des lasers d'extraction modulés.",
|
||||
"description_it": "A custom-cut frequency crystal whose refractive qualities are specifically suited to boosting Mercoxit yield. Due to their molecular make-up and the strength of the modulated miner's beam, these crystals will deteriorate through extended use. Can be loaded into modulated mining lasers only.",
|
||||
"description_ja": "屈折特性が特にメロコキサイトの採掘率向上に適したカスタムカットのフリーケンシークリスタル。その分子構造と、改良型採掘用のビームの強さのために、使用と共に性能は劣化する。使用には改良型採掘レーザーが必要。",
|
||||
"description_ko": "커스텀 제작된 프리퀀시 크리스탈로 채광에 적합한 굴절 특성을 지녀 메르코시트 채굴 효율을 높입니다. 크리스탈 분자구조 및 변조된 레이저의 출력으로 인해 장시간 사용 시 크리스탈이 변질됩니다. 보정된 채굴 레이저에만 장착이 가능합니다.",
|
||||
"description_ru": "Специально разработанный частотный кристалл, чьи рефракционные качества подобраны особым образом для увеличения объема добычи Mercoxit. Из-за своего молекулярного состава и воздействия луча модулированного экстрактора, эти кристаллы разрушаются в ходе длительного использования. Могут использоваться только в модулированных экстракторах (Modulated Mining Laser).",
|
||||
"description_de": "Ein maßgefertigter Frequenzkristall, dessen Brechungsqualitäten speziell für das Steigern von Mercoxit-Erträgen geeignet ist. Durch ihren molekularen Aufbau und die Stärke des modulierten Bergbaulasers verfallen diese Kristalle bei andauernder Nutzung. Sie können nur in modulierte Bergbaulaser geladen werden. Kristalle vom Typ A werden mit modulierter Bergbauausrüstung verwendet und erzielen konstante Ausbeute mit wenig Rückständen und hoher Zuverlässigkeit. Ein Kristall für methodischen Bergbau, der den Fokus auf effiziente Rohstoffnutzung anstatt auf Zeit legt.",
|
||||
"description_en-us": "A custom-cut frequency crystal whose refractive qualities are specifically suited to boosting Mercoxit yield.\r\n\r\nDue to their molecular make-up and the strength of the modulated miner's beam, these crystals will deteriorate through extended use. Can be loaded into modulated mining lasers only.\r\n\r\nType A crystals are used with modulated mining equipment and provide steady yields, with low residues and high reliability. A crystal choice for methodical mining operations prioritizing resource utilization over time.",
|
||||
"description_es": "A custom-cut frequency crystal whose refractive qualities are specifically suited to boosting Mercoxit yield.\r\n\r\nDue to their molecular make-up and the strength of the modulated miner's beam, these crystals will deteriorate through extended use. Can be loaded into modulated mining lasers only.\r\n\r\nType A crystals are used with modulated mining equipment and provide steady yields, with low residues and high reliability. A crystal choice for methodical mining operations prioritizing resource utilization over time.",
|
||||
"description_fr": "Un cristal de fréquence taillé sur mesure dont les qualités de réfraction conviennent particulièrement à l'augmentation du rendement du mercoxit. En raison de leur composition moléculaire et de la puissance du rayon du système d'extraction modulé, ces cristaux se détériorent en cas d'utilisation prolongée. Ne peuvent être installés que sur des lasers d'extraction modulés. Les cristaux de type A servent sur l'équipement minier modulé, et ont un rendement constant, avec une faible quantité de résidus et une fiabilité élevée. Un choix de cristal pour une extraction méthodique privilégiant l'utilisation de ressources au détriment de la vitesse.",
|
||||
"description_it": "A custom-cut frequency crystal whose refractive qualities are specifically suited to boosting Mercoxit yield.\r\n\r\nDue to their molecular make-up and the strength of the modulated miner's beam, these crystals will deteriorate through extended use. Can be loaded into modulated mining lasers only.\r\n\r\nType A crystals are used with modulated mining equipment and provide steady yields, with low residues and high reliability. A crystal choice for methodical mining operations prioritizing resource utilization over time.",
|
||||
"description_ja": "屈折特性が特にメロコキサイトの採掘率向上に適したカスタムカットのフリーケンシークリスタル。\n\n\n\nその分子構造と、改良型採掘用のビームの強さのために、使用と共に性能は劣化する。使用には改良型採掘レーザーが必要。\n\n\n\nタイプAのクリスタルは、改良型採掘装備で使用される。残留物率が小さく、高い信頼性で安定した採掘量を実現する。時間をかけて資源を活用することを優先する、几帳面な採掘作業に適したクリスタルである。",
|
||||
"description_ko": "커스텀 제작된 프리퀀시 크리스탈로 채광에 최적화된 굴절 특성을 활용하여 메르코시트의 채굴 효율을 높입니다.<br><br>크리스탈 분자구조 및 변조된 레이저의 출력으로 인해 장시간 사용 시 크리스탈이 변질됩니다. 개조된 채굴 레이저에만 장착이 가능합니다.<br><br>개조된 채굴 모듈에 사용되는 타입 A 크리스탈로 꾸준한 채굴이 가능하며 자원 손실률이 낮고 안정성이 뛰어납니다. 느리지만 체계적인 채굴 작전을 선호하는 파일럿들을 위해 제작되었습니다.",
|
||||
"description_ru": "Благодаря специальной резке и преломляющим свойствам высокочастотные кристаллы способны увеличивать объём добычи меркоцита. Из-за своей молекулярной структуры и высочайшей мощности луча модулированного бурового лазера кристаллы со временем приходят в негодность. Используются только в модулированных буровых лазерах. Кристаллы типа A используются с модулированным буровым оборудованием, обеспечивают умеренную добычу руды с небольшим количеством отходов и имеют долгий срок службы. Эти кристаллы подойдут тем, кто хочет вести качественную и планомерную добычу руды.",
|
||||
"description_zh": "一种特制的频率晶体,它的折射性能特别有助于提高基腹断岩的产量。由于其原子构成以及调节后的采矿激光的强度原因,这些晶体在长期使用过程中会衰减。只能配置在改造后的采矿激光器上。",
|
||||
"descriptionID": 89222,
|
||||
"graphicID": 25153,
|
||||
"groupID": 663,
|
||||
"iconID": 24969,
|
||||
"isDynamicType": false,
|
||||
"marketGroupID": 593,
|
||||
"marketGroupID": 2804,
|
||||
"mass": 1.0,
|
||||
"metaGroupID": 1,
|
||||
"portionSize": 1,
|
||||
@@ -275659,14 +275668,14 @@
|
||||
"radius": 1.0,
|
||||
"techLevel": 1,
|
||||
"typeID": 18054,
|
||||
"typeName_de": "Mercoxit Mining Crystal I",
|
||||
"typeName_en-us": "Mercoxit Asteroid Ore Mining Crystal Type A I",
|
||||
"typeName_es": "Mercoxit Asteroid Ore Mining Crystal Type A I",
|
||||
"typeName_fr": "Cristal d'extraction de mercoxit I",
|
||||
"typeName_it": "Mercoxit Asteroid Ore Mining Crystal Type A I",
|
||||
"typeName_ja": "メロコキサイト採掘クリスタルI",
|
||||
"typeName_ko": "메르코시트 채광용 크리스탈 I",
|
||||
"typeName_ru": "Mercoxit Mining Crystal I",
|
||||
"typeName_de": "Mercoxit Asteroid Mining Crystal Type A I",
|
||||
"typeName_en-us": "Mercoxit Asteroid Mining Crystal Type A I",
|
||||
"typeName_es": "Mercoxit Asteroid Mining Crystal Type A I",
|
||||
"typeName_fr": "Cristal d'extraction de mercoxit d'astéroïde - Type A I",
|
||||
"typeName_it": "Mercoxit Asteroid Mining Crystal Type A I",
|
||||
"typeName_ja": "メロコキサイトアステロイド採掘クリスタル タイプA I",
|
||||
"typeName_ko": "메르코시트 소행성 채광용 크리스탈 타입 A I",
|
||||
"typeName_ru": "Mercoxit Asteroid Mining Crystal Type A I",
|
||||
"typeName_zh": "基腹断岩采集晶体 I",
|
||||
"typeNameID": 98428,
|
||||
"volume": 6.0
|
||||
@@ -275677,7 +275686,7 @@
|
||||
"graphicID": 1142,
|
||||
"groupID": 727,
|
||||
"iconID": 24969,
|
||||
"marketGroupID": 753,
|
||||
"marketGroupID": 2806,
|
||||
"mass": 0.0,
|
||||
"metaGroupID": 1,
|
||||
"portionSize": 1,
|
||||
@@ -275685,14 +275694,14 @@
|
||||
"radius": 1.0,
|
||||
"techLevel": 1,
|
||||
"typeID": 18055,
|
||||
"typeName_de": "Mercoxit Mining Crystal I Blueprint",
|
||||
"typeName_en-us": "Mercoxit Asteroid Ore Mining Crystal Type A I Blueprint",
|
||||
"typeName_es": "Mercoxit Asteroid Ore Mining Crystal Type A I Blueprint",
|
||||
"typeName_fr": "Plan de construction Cristal d'extraction de mercoxit I",
|
||||
"typeName_it": "Mercoxit Asteroid Ore Mining Crystal Type A I Blueprint",
|
||||
"typeName_ja": "メロコキサイト採掘クリスタルIブループリント",
|
||||
"typeName_ko": "메르코시트 채광용 크리스탈 I 블루프린트",
|
||||
"typeName_ru": "Mercoxit Mining Crystal I Blueprint",
|
||||
"typeName_de": "Mercoxit Asteroid Mining Crystal Type A I Blueprint",
|
||||
"typeName_en-us": "Mercoxit Asteroid Mining Crystal Type A I Blueprint",
|
||||
"typeName_es": "Mercoxit Asteroid Mining Crystal Type A I Blueprint",
|
||||
"typeName_fr": "Plan de construction Cristal d'extraction de mercoxit d'astéroïde - Type A I",
|
||||
"typeName_it": "Mercoxit Asteroid Mining Crystal Type A I Blueprint",
|
||||
"typeName_ja": "メロコキサイトアステロイド採掘クリスタル タイプA I設計図",
|
||||
"typeName_ko": "메르코시트 소행성 채광용 크리스탈 타입 A I 블루프린트",
|
||||
"typeName_ru": "Mercoxit Asteroid Mining Crystal Type A I Blueprint",
|
||||
"typeName_zh": "基腹断岩采集晶体蓝图 I",
|
||||
"typeNameID": 69381,
|
||||
"volume": 0.01
|
||||
@@ -275713,12 +275722,11 @@
|
||||
"groupID": 482,
|
||||
"iconID": 2655,
|
||||
"isDynamicType": false,
|
||||
"marketGroupID": 593,
|
||||
"mass": 1.0,
|
||||
"metaGroupID": 1,
|
||||
"metaLevel": 0,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"published": false,
|
||||
"radius": 1.0,
|
||||
"techLevel": 1,
|
||||
"typeID": 18056,
|
||||
@@ -275740,10 +275748,12 @@
|
||||
"graphicID": 1142,
|
||||
"groupID": 727,
|
||||
"iconID": 2655,
|
||||
"marketGroupID": 753,
|
||||
"mass": 0.0,
|
||||
"metaGroupID": 1,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"published": false,
|
||||
"radius": 1.0,
|
||||
"techLevel": 1,
|
||||
"typeID": 18057,
|
||||
"typeName_de": "Omber Mining Crystal I Blueprint",
|
||||
"typeName_en-us": "Omber Mining Crystal I Blueprint",
|
||||
@@ -275773,12 +275783,11 @@
|
||||
"groupID": 482,
|
||||
"iconID": 2656,
|
||||
"isDynamicType": false,
|
||||
"marketGroupID": 593,
|
||||
"mass": 1.0,
|
||||
"metaGroupID": 1,
|
||||
"metaLevel": 0,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"published": false,
|
||||
"radius": 1.0,
|
||||
"techLevel": 1,
|
||||
"typeID": 18058,
|
||||
@@ -275800,10 +275809,12 @@
|
||||
"graphicID": 1142,
|
||||
"groupID": 727,
|
||||
"iconID": 2656,
|
||||
"marketGroupID": 753,
|
||||
"mass": 0.0,
|
||||
"metaGroupID": 1,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"published": false,
|
||||
"radius": 1.0,
|
||||
"techLevel": 1,
|
||||
"typeID": 18059,
|
||||
"typeName_de": "Plagioclase Mining Crystal I Blueprint",
|
||||
"typeName_en-us": "Plagioclase Mining Crystal I Blueprint",
|
||||
@@ -275833,12 +275844,11 @@
|
||||
"groupID": 482,
|
||||
"iconID": 2657,
|
||||
"isDynamicType": false,
|
||||
"marketGroupID": 593,
|
||||
"mass": 1.0,
|
||||
"metaGroupID": 1,
|
||||
"metaLevel": 0,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"published": false,
|
||||
"radius": 1.0,
|
||||
"techLevel": 1,
|
||||
"typeID": 18060,
|
||||
@@ -275860,10 +275870,12 @@
|
||||
"graphicID": 1142,
|
||||
"groupID": 727,
|
||||
"iconID": 2657,
|
||||
"marketGroupID": 753,
|
||||
"mass": 0.0,
|
||||
"metaGroupID": 1,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"published": false,
|
||||
"radius": 1.0,
|
||||
"techLevel": 1,
|
||||
"typeID": 18061,
|
||||
"typeName_de": "Pyroxeres Mining Crystal I Blueprint",
|
||||
"typeName_en-us": "Pyroxeres Mining Crystal I Blueprint",
|
||||
@@ -275893,12 +275905,11 @@
|
||||
"groupID": 482,
|
||||
"iconID": 2658,
|
||||
"isDynamicType": false,
|
||||
"marketGroupID": 593,
|
||||
"mass": 1.0,
|
||||
"metaGroupID": 1,
|
||||
"metaLevel": 0,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"published": false,
|
||||
"radius": 1.0,
|
||||
"techLevel": 1,
|
||||
"typeID": 18062,
|
||||
@@ -275920,10 +275931,12 @@
|
||||
"graphicID": 1142,
|
||||
"groupID": 727,
|
||||
"iconID": 2658,
|
||||
"marketGroupID": 753,
|
||||
"mass": 0.0,
|
||||
"metaGroupID": 1,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"published": false,
|
||||
"radius": 1.0,
|
||||
"techLevel": 1,
|
||||
"typeID": 18063,
|
||||
"typeName_de": "Scordite Mining Crystal I Blueprint",
|
||||
"typeName_en-us": "Scordite Mining Crystal I Blueprint",
|
||||
@@ -275953,12 +275966,11 @@
|
||||
"groupID": 482,
|
||||
"iconID": 2659,
|
||||
"isDynamicType": false,
|
||||
"marketGroupID": 593,
|
||||
"mass": 1.0,
|
||||
"metaGroupID": 1,
|
||||
"metaLevel": 0,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"published": false,
|
||||
"radius": 1.0,
|
||||
"techLevel": 1,
|
||||
"typeID": 18064,
|
||||
@@ -275980,10 +275992,12 @@
|
||||
"graphicID": 1142,
|
||||
"groupID": 727,
|
||||
"iconID": 2659,
|
||||
"marketGroupID": 753,
|
||||
"mass": 0.0,
|
||||
"metaGroupID": 1,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"published": false,
|
||||
"radius": 1.0,
|
||||
"techLevel": 1,
|
||||
"typeID": 18065,
|
||||
"typeName_de": "Spodumain Mining Crystal I Blueprint",
|
||||
"typeName_en-us": "Spodumain Mining Crystal I Blueprint",
|
||||
@@ -276013,12 +276027,11 @@
|
||||
"groupID": 482,
|
||||
"iconID": 2660,
|
||||
"isDynamicType": false,
|
||||
"marketGroupID": 593,
|
||||
"mass": 1.0,
|
||||
"metaGroupID": 1,
|
||||
"metaLevel": 0,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"published": false,
|
||||
"radius": 1.0,
|
||||
"techLevel": 1,
|
||||
"typeID": 18066,
|
||||
@@ -276040,10 +276053,12 @@
|
||||
"graphicID": 1142,
|
||||
"groupID": 727,
|
||||
"iconID": 2660,
|
||||
"marketGroupID": 753,
|
||||
"mass": 0.0,
|
||||
"metaGroupID": 1,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"published": false,
|
||||
"radius": 1.0,
|
||||
"techLevel": 1,
|
||||
"typeID": 18067,
|
||||
"typeName_de": "Veldspar Mining Crystal I Blueprint",
|
||||
"typeName_en-us": "Veldspar Mining Crystal I Blueprint",
|
||||
@@ -277522,12 +277537,11 @@
|
||||
"groupID": 482,
|
||||
"iconID": 2645,
|
||||
"isDynamicType": false,
|
||||
"marketGroupID": 593,
|
||||
"mass": 1.0,
|
||||
"metaGroupID": 2,
|
||||
"metaLevel": 5,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"published": false,
|
||||
"radius": 1.0,
|
||||
"techLevel": 2,
|
||||
"typeID": 18590,
|
||||
@@ -277553,7 +277567,7 @@
|
||||
"mass": 0.0,
|
||||
"metaGroupID": 2,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"published": false,
|
||||
"techLevel": 2,
|
||||
"typeID": 18591,
|
||||
"typeName_de": "Arkonor Mining Crystal II Blueprint",
|
||||
@@ -277584,12 +277598,11 @@
|
||||
"groupID": 482,
|
||||
"iconID": 2646,
|
||||
"isDynamicType": false,
|
||||
"marketGroupID": 593,
|
||||
"mass": 1.0,
|
||||
"metaGroupID": 2,
|
||||
"metaLevel": 5,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"published": false,
|
||||
"radius": 1.0,
|
||||
"techLevel": 2,
|
||||
"typeID": 18592,
|
||||
@@ -277615,7 +277628,7 @@
|
||||
"mass": 0.0,
|
||||
"metaGroupID": 2,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"published": false,
|
||||
"techLevel": 2,
|
||||
"typeID": 18593,
|
||||
"typeName_de": "Bistot Mining Crystal II Blueprint",
|
||||
@@ -277646,12 +277659,11 @@
|
||||
"groupID": 482,
|
||||
"iconID": 2647,
|
||||
"isDynamicType": false,
|
||||
"marketGroupID": 593,
|
||||
"mass": 1.0,
|
||||
"metaGroupID": 2,
|
||||
"metaLevel": 5,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"published": false,
|
||||
"radius": 1.0,
|
||||
"techLevel": 2,
|
||||
"typeID": 18594,
|
||||
@@ -277677,7 +277689,7 @@
|
||||
"mass": 0.0,
|
||||
"metaGroupID": 2,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"published": false,
|
||||
"techLevel": 2,
|
||||
"typeID": 18595,
|
||||
"typeName_de": "Crokite Mining Crystal II Blueprint",
|
||||
@@ -277708,12 +277720,11 @@
|
||||
"groupID": 482,
|
||||
"iconID": 2648,
|
||||
"isDynamicType": false,
|
||||
"marketGroupID": 593,
|
||||
"mass": 1.0,
|
||||
"metaGroupID": 2,
|
||||
"metaLevel": 5,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"published": false,
|
||||
"radius": 1.0,
|
||||
"techLevel": 2,
|
||||
"typeID": 18596,
|
||||
@@ -277739,7 +277750,7 @@
|
||||
"mass": 0.0,
|
||||
"metaGroupID": 2,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"published": false,
|
||||
"techLevel": 2,
|
||||
"typeID": 18597,
|
||||
"typeName_de": "Dark Ochre Mining Crystal II Blueprint",
|
||||
@@ -277770,12 +277781,11 @@
|
||||
"groupID": 482,
|
||||
"iconID": 2649,
|
||||
"isDynamicType": false,
|
||||
"marketGroupID": 593,
|
||||
"mass": 1.0,
|
||||
"metaGroupID": 2,
|
||||
"metaLevel": 5,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"published": false,
|
||||
"radius": 1.0,
|
||||
"techLevel": 2,
|
||||
"typeID": 18598,
|
||||
@@ -277801,7 +277811,7 @@
|
||||
"mass": 0.0,
|
||||
"metaGroupID": 2,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"published": false,
|
||||
"techLevel": 2,
|
||||
"typeID": 18599,
|
||||
"typeName_de": "Gneiss Mining Crystal II Blueprint",
|
||||
@@ -277832,12 +277842,11 @@
|
||||
"groupID": 482,
|
||||
"iconID": 2650,
|
||||
"isDynamicType": false,
|
||||
"marketGroupID": 593,
|
||||
"mass": 1.0,
|
||||
"metaGroupID": 2,
|
||||
"metaLevel": 5,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"published": false,
|
||||
"radius": 1.0,
|
||||
"techLevel": 2,
|
||||
"typeID": 18600,
|
||||
@@ -277863,7 +277872,7 @@
|
||||
"mass": 0.0,
|
||||
"metaGroupID": 2,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"published": false,
|
||||
"techLevel": 2,
|
||||
"typeID": 18601,
|
||||
"typeName_de": "Hedbergite Mining Crystal II Blueprint",
|
||||
@@ -277894,12 +277903,11 @@
|
||||
"groupID": 482,
|
||||
"iconID": 2651,
|
||||
"isDynamicType": false,
|
||||
"marketGroupID": 593,
|
||||
"mass": 1.0,
|
||||
"metaGroupID": 2,
|
||||
"metaLevel": 5,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"published": false,
|
||||
"radius": 1.0,
|
||||
"techLevel": 2,
|
||||
"typeID": 18602,
|
||||
@@ -277925,7 +277933,7 @@
|
||||
"mass": 0.0,
|
||||
"metaGroupID": 2,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"published": false,
|
||||
"techLevel": 2,
|
||||
"typeID": 18603,
|
||||
"typeName_de": "Hemorphite Mining Crystal II Blueprint",
|
||||
@@ -277956,12 +277964,11 @@
|
||||
"groupID": 482,
|
||||
"iconID": 2652,
|
||||
"isDynamicType": false,
|
||||
"marketGroupID": 593,
|
||||
"mass": 1.0,
|
||||
"metaGroupID": 2,
|
||||
"metaLevel": 5,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"published": false,
|
||||
"radius": 1.0,
|
||||
"techLevel": 2,
|
||||
"typeID": 18604,
|
||||
@@ -277987,7 +277994,7 @@
|
||||
"mass": 0.0,
|
||||
"metaGroupID": 2,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"published": false,
|
||||
"techLevel": 2,
|
||||
"typeID": 18605,
|
||||
"typeName_de": "Jaspet Mining Crystal II Blueprint",
|
||||
@@ -278018,12 +278025,11 @@
|
||||
"groupID": 482,
|
||||
"iconID": 2653,
|
||||
"isDynamicType": false,
|
||||
"marketGroupID": 593,
|
||||
"mass": 1.0,
|
||||
"metaGroupID": 2,
|
||||
"metaLevel": 5,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"published": false,
|
||||
"radius": 1.0,
|
||||
"techLevel": 2,
|
||||
"typeID": 18606,
|
||||
@@ -278049,7 +278055,7 @@
|
||||
"mass": 0.0,
|
||||
"metaGroupID": 2,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"published": false,
|
||||
"techLevel": 2,
|
||||
"typeID": 18607,
|
||||
"typeName_de": "Kernite Mining Crystal II Blueprint",
|
||||
@@ -278067,21 +278073,21 @@
|
||||
"18608": {
|
||||
"basePrice": 3360000.0,
|
||||
"capacity": 0.0,
|
||||
"description_de": "Ein maßgefertigter Frequenzkristall, dessen Brechungsqualitäten speziell für das Steigern von Mercoxit-Erträgen geeignet ist. Aufgrund seiner molekularen Struktur und der Stärke des modulierten Bergbau-Strahls werden diese Kristalle durch vermehrten Gebrauch verschlissen. Kann nur in einen modulierten Bergbaulaser eingesetzt werden.",
|
||||
"description_en-us": "A custom-cut frequency crystal whose refractive qualities are specifically suited to boosting Mercoxit yield. Due to their molecular make-up and the strength of the modulated miner's beam, these crystals will deteriorate through extended use. Can be loaded into modulated mining lasers only.",
|
||||
"description_es": "A custom-cut frequency crystal whose refractive qualities are specifically suited to boosting Mercoxit yield. Due to their molecular make-up and the strength of the modulated miner's beam, these crystals will deteriorate through extended use. Can be loaded into modulated mining lasers only.",
|
||||
"description_fr": "Un cristal de fréquence taillé sur mesure dont les qualités de réfraction conviennent particulièrement à l'augmentation du rendement du mercoxit. En raison de leur composition moléculaire et de la puissance du rayon du système d'extraction modulé, ces cristaux se détériorent en cas d'utilisation prolongée. Ne peuvent être installés que sur des lasers d'extraction modulés.",
|
||||
"description_it": "A custom-cut frequency crystal whose refractive qualities are specifically suited to boosting Mercoxit yield. Due to their molecular make-up and the strength of the modulated miner's beam, these crystals will deteriorate through extended use. Can be loaded into modulated mining lasers only.",
|
||||
"description_ja": "屈折特性が特にメロコキサイトの採掘率向上に適したカスタムカットのフリーケンシークリスタル。その分子構造と、改良型採掘用のビームの強さのために、使用と共に性能は劣化する。使用には改良型採掘レーザーが必要。",
|
||||
"description_ko": "커스텀 제작된 프리퀀시 크리스탈로 채광에 적합한 굴절 특성을 지녀 메르코시트 채굴 효율을 높입니다. 크리스탈 분자구조 및 변조된 레이저의 출력으로 인해 장시간 사용 시 크리스탈이 변질됩니다. 보정된 채굴 레이저에만 장착이 가능합니다.",
|
||||
"description_ru": "Специально разработанный частотный кристалл, чьи рефракционные качества подобраны особым образом для увеличения объема добычи Mercoxit. Из-за своего молекулярного состава и воздействия луча модулированного экстрактора, эти кристаллы разрушаются в ходе длительного использования. Могут использоваться только в модулированных экстракторах (Modulated Mining Laser).",
|
||||
"description_de": "Ein fortschrittlicher maßgefertigter Frequenzkristall, dessen Brechungsqualitäten speziell für das Steigern von Mercoxit-Erträgen geeignet ist. Durch ihren molekularen Aufbau und die Stärke des modulierten Bergbaulasers verfallen diese Kristalle bei andauernder Nutzung. Sie können nur in modulierte Bergbaulaser geladen werden. Kristalle vom Typ A werden mit modulierter Bergbauausrüstung verwendet und erzielen konstante Ausbeute mit wenig Rückständen und hoher Zuverlässigkeit. Ein Kristall für methodischen Bergbau, der den Fokus auf effiziente Rohstoffnutzung anstatt auf Zeit legt.",
|
||||
"description_en-us": "An advanced custom-cut frequency crystal whose refractive qualities are specifically suited to boosting Mercoxit yield.\r\n\r\nDue to their molecular make-up and the strength of the modulated miner's beam, these crystals will deteriorate through extended use. Can be loaded into modulated mining lasers only.\r\n\r\nType A crystals are used with modulated mining equipment and provide steady yields, with low residues and high reliability. A crystal choice for methodical mining operations prioritizing resource utilization over time.",
|
||||
"description_es": "An advanced custom-cut frequency crystal whose refractive qualities are specifically suited to boosting Mercoxit yield.\r\n\r\nDue to their molecular make-up and the strength of the modulated miner's beam, these crystals will deteriorate through extended use. Can be loaded into modulated mining lasers only.\r\n\r\nType A crystals are used with modulated mining equipment and provide steady yields, with low residues and high reliability. A crystal choice for methodical mining operations prioritizing resource utilization over time.",
|
||||
"description_fr": "Un cristal de fréquence avancé taillé sur mesure dont les qualités de réfraction conviennent particulièrement à l'augmentation du rendement du mercoxit. En raison de leur composition moléculaire et de la puissance du rayon du système d'extraction modulé, ces cristaux se détériorent en cas d'utilisation prolongée. Ne peuvent être installés que sur des lasers d'extraction modulés. Les cristaux de type A servent sur l'équipement minier modulé, et ont un rendement constant, avec une faible quantité de résidus et une fiabilité élevée. Un choix de cristal pour une extraction méthodique privilégiant l'utilisation de ressources au détriment de la vitesse.",
|
||||
"description_it": "An advanced custom-cut frequency crystal whose refractive qualities are specifically suited to boosting Mercoxit yield.\r\n\r\nDue to their molecular make-up and the strength of the modulated miner's beam, these crystals will deteriorate through extended use. Can be loaded into modulated mining lasers only.\r\n\r\nType A crystals are used with modulated mining equipment and provide steady yields, with low residues and high reliability. A crystal choice for methodical mining operations prioritizing resource utilization over time.",
|
||||
"description_ja": "屈折特性が特にメロコキサイトの採掘率向上に適したカスタムカットの高性能フリーケンシークリスタル。\n\n\n\nその分子構造と、改良型採掘用のビームの強さのために、使用と共に性能は劣化する。使用には改良型採掘レーザーが必要。\n\n\n\nタイプAのクリスタルは、改良型採掘装備で使用される。残留物率が小さく、高い信頼性で安定した採掘量を実現する。時間をかけて資源を活用することを優先する、几帳面な採掘作業に適したクリスタルである。",
|
||||
"description_ko": "커스텀 제작된 상급 프리퀀시 크리스탈로 채광에 최적화된 굴절 특성을 활용하여 메르코시트의 채굴 효율을 높입니다.<br><br>크리스탈 분자구조 및 변조된 레이저의 출력으로 인해 장시간 사용 시 크리스탈이 변질됩니다. 개조된 채굴 레이저에만 장착이 가능합니다.<br><br>개조된 채굴 모듈에 사용되는 타입 A 크리스탈로 꾸준한 채굴이 가능하며 자원 손실률이 낮고 안정성이 뛰어납니다. 느리지만 체계적인 채굴 작전을 선호하는 파일럿들을 위해 제작되었습니다.",
|
||||
"description_ru": "Благодаря специальной резке и преломляющим свойствам улучшенные высокочастотные кристаллы способны увеличивать объём добычи меркоцита. Из-за своей молекулярной структуры и высочайшей мощности луча модулированного бурового лазера кристаллы со временем приходят в негодность. Используются только в модулированных буровых лазерах. Кристаллы типа A используются с модулированным буровым оборудованием, обеспечивают умеренную добычу руды с небольшим количеством отходов и имеют долгий срок службы. Эти кристаллы подойдут тем, кто хочет вести качественную и планомерную добычу руды.",
|
||||
"description_zh": "一种特制的频率晶体,它的折射性能特别有助于提高基腹断岩的产量。由于其原子构成以及调节后的采矿激光的强度原因,这些晶体在长期使用过程中会衰减。只能配置在改造后的采矿激光器上。",
|
||||
"descriptionID": 89315,
|
||||
"graphicID": 25153,
|
||||
"groupID": 663,
|
||||
"iconID": 24975,
|
||||
"isDynamicType": false,
|
||||
"marketGroupID": 593,
|
||||
"marketGroupID": 2804,
|
||||
"mass": 1.0,
|
||||
"metaGroupID": 2,
|
||||
"metaLevel": 5,
|
||||
@@ -278090,14 +278096,14 @@
|
||||
"radius": 1.0,
|
||||
"techLevel": 2,
|
||||
"typeID": 18608,
|
||||
"typeName_de": "Mercoxit Mining Crystal II",
|
||||
"typeName_en-us": "Mercoxit Asteroid Ore Mining Crystal Type A II",
|
||||
"typeName_es": "Mercoxit Asteroid Ore Mining Crystal Type A II",
|
||||
"typeName_fr": "Cristal d'extraction de mercoxit II",
|
||||
"typeName_it": "Mercoxit Asteroid Ore Mining Crystal Type A II",
|
||||
"typeName_ja": "メロコキサイト採掘クリスタルII",
|
||||
"typeName_ko": "메르코시트 채광용 크리스탈 II",
|
||||
"typeName_ru": "Mercoxit Mining Crystal II",
|
||||
"typeName_de": "Mercoxit Asteroid Mining Crystal Type A II",
|
||||
"typeName_en-us": "Mercoxit Asteroid Mining Crystal Type A II",
|
||||
"typeName_es": "Mercoxit Asteroid Mining Crystal Type A II",
|
||||
"typeName_fr": "Cristal d'extraction de mercoxit d'astéroïde - Type A II",
|
||||
"typeName_it": "Mercoxit Asteroid Mining Crystal Type A II",
|
||||
"typeName_ja": "メロコキサイトアステロイド採掘クリスタル タイプA II",
|
||||
"typeName_ko": "메르코시트 소행성 채광용 크리스탈 타입 A II",
|
||||
"typeName_ru": "Mercoxit Asteroid Mining Crystal Type A II",
|
||||
"typeName_zh": "基腹断岩采集晶体 II",
|
||||
"typeNameID": 98521,
|
||||
"variationParentTypeID": 18054,
|
||||
@@ -278116,14 +278122,14 @@
|
||||
"radius": 1.0,
|
||||
"techLevel": 2,
|
||||
"typeID": 18609,
|
||||
"typeName_de": "Mercoxit Mining Crystal II Blueprint",
|
||||
"typeName_en-us": "Mercoxit Asteroid Ore Mining Crystal Type A II Blueprint",
|
||||
"typeName_es": "Mercoxit Asteroid Ore Mining Crystal Type A II Blueprint",
|
||||
"typeName_fr": "Plan de construction Cristal d'extraction de mercoxit II",
|
||||
"typeName_it": "Mercoxit Asteroid Ore Mining Crystal Type A II Blueprint",
|
||||
"typeName_ja": "メロコキサイト採掘クリスタルIIブループリント",
|
||||
"typeName_ko": "메르코시트 채광용 크리스탈 II 블루프린트",
|
||||
"typeName_ru": "Mercoxit Mining Crystal II Blueprint",
|
||||
"typeName_de": "Mercoxit Asteroid Mining Crystal Type A II Blueprint",
|
||||
"typeName_en-us": "Mercoxit Asteroid Mining Crystal Type A II Blueprint",
|
||||
"typeName_es": "Mercoxit Asteroid Mining Crystal Type A II Blueprint",
|
||||
"typeName_fr": "Plan de construction Cristal d'extraction de mercoxit d'astéroïde - Type A II",
|
||||
"typeName_it": "Mercoxit Asteroid Mining Crystal Type A II Blueprint",
|
||||
"typeName_ja": "メロコキサイトアステロイド採掘クリスタル タイプA II設計図",
|
||||
"typeName_ko": "메르코시트 소행성 채광용 크리스탈 타입 A II 블루프린트",
|
||||
"typeName_ru": "Mercoxit Asteroid Mining Crystal Type A II Blueprint",
|
||||
"typeName_zh": "基腹断岩采集晶体蓝图 II",
|
||||
"typeNameID": 69407,
|
||||
"volume": 0.01
|
||||
@@ -278144,12 +278150,11 @@
|
||||
"groupID": 482,
|
||||
"iconID": 2655,
|
||||
"isDynamicType": false,
|
||||
"marketGroupID": 593,
|
||||
"mass": 1.0,
|
||||
"metaGroupID": 2,
|
||||
"metaLevel": 5,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"published": false,
|
||||
"radius": 1.0,
|
||||
"techLevel": 2,
|
||||
"typeID": 18610,
|
||||
@@ -278175,7 +278180,7 @@
|
||||
"mass": 0.0,
|
||||
"metaGroupID": 2,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"published": false,
|
||||
"techLevel": 2,
|
||||
"typeID": 18611,
|
||||
"typeName_de": "Omber Mining Crystal II Blueprint",
|
||||
@@ -278206,12 +278211,11 @@
|
||||
"groupID": 482,
|
||||
"iconID": 2656,
|
||||
"isDynamicType": false,
|
||||
"marketGroupID": 593,
|
||||
"mass": 1.0,
|
||||
"metaGroupID": 2,
|
||||
"metaLevel": 5,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"published": false,
|
||||
"radius": 1.0,
|
||||
"techLevel": 2,
|
||||
"typeID": 18612,
|
||||
@@ -278237,7 +278241,7 @@
|
||||
"mass": 0.0,
|
||||
"metaGroupID": 2,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"published": false,
|
||||
"techLevel": 2,
|
||||
"typeID": 18613,
|
||||
"typeName_de": "Plagioclase Mining Crystal II Blueprint",
|
||||
@@ -278268,12 +278272,11 @@
|
||||
"groupID": 482,
|
||||
"iconID": 2657,
|
||||
"isDynamicType": false,
|
||||
"marketGroupID": 593,
|
||||
"mass": 1.0,
|
||||
"metaGroupID": 2,
|
||||
"metaLevel": 5,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"published": false,
|
||||
"radius": 1.0,
|
||||
"techLevel": 2,
|
||||
"typeID": 18614,
|
||||
@@ -278299,7 +278302,7 @@
|
||||
"mass": 0.0,
|
||||
"metaGroupID": 2,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"published": false,
|
||||
"techLevel": 2,
|
||||
"typeID": 18615,
|
||||
"typeName_de": "Pyroxeres Mining Crystal II Blueprint",
|
||||
@@ -278330,12 +278333,11 @@
|
||||
"groupID": 482,
|
||||
"iconID": 2658,
|
||||
"isDynamicType": false,
|
||||
"marketGroupID": 593,
|
||||
"mass": 1.0,
|
||||
"metaGroupID": 2,
|
||||
"metaLevel": 5,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"published": false,
|
||||
"radius": 1.0,
|
||||
"techLevel": 2,
|
||||
"typeID": 18616,
|
||||
@@ -278361,7 +278363,7 @@
|
||||
"mass": 0.0,
|
||||
"metaGroupID": 2,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"published": false,
|
||||
"techLevel": 2,
|
||||
"typeID": 18617,
|
||||
"typeName_de": "Scordite Mining Crystal II Blueprint",
|
||||
@@ -278392,12 +278394,11 @@
|
||||
"groupID": 482,
|
||||
"iconID": 2660,
|
||||
"isDynamicType": false,
|
||||
"marketGroupID": 593,
|
||||
"mass": 1.0,
|
||||
"metaGroupID": 2,
|
||||
"metaLevel": 5,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"published": false,
|
||||
"radius": 1.0,
|
||||
"techLevel": 2,
|
||||
"typeID": 18618,
|
||||
@@ -278423,7 +278424,7 @@
|
||||
"mass": 0.0,
|
||||
"metaGroupID": 2,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"published": false,
|
||||
"techLevel": 2,
|
||||
"typeID": 18619,
|
||||
"typeName_de": "Veldspar Mining Crystal II Blueprint",
|
||||
@@ -278454,12 +278455,11 @@
|
||||
"groupID": 482,
|
||||
"iconID": 2659,
|
||||
"isDynamicType": false,
|
||||
"marketGroupID": 593,
|
||||
"mass": 1.0,
|
||||
"metaGroupID": 2,
|
||||
"metaLevel": 5,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"published": false,
|
||||
"radius": 1.0,
|
||||
"techLevel": 2,
|
||||
"typeID": 18624,
|
||||
@@ -278485,7 +278485,7 @@
|
||||
"mass": 0.0,
|
||||
"metaGroupID": 2,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"published": false,
|
||||
"techLevel": 2,
|
||||
"typeID": 18625,
|
||||
"typeName_de": "Spodumain Mining Crystal II Blueprint",
|
||||
|
||||
@@ -98181,14 +98181,14 @@
|
||||
"25266": {
|
||||
"basePrice": 9272.0,
|
||||
"capacity": 0.0,
|
||||
"description_de": "Die Gas Harvestern zugrunde liegende Technologie wurde bereits vor Jahrhunderten entwickelt - in einer Zeit, in der die Gewinnung von Materialien aus dem All noch ein blühender Industriezweig war. Asteroiden-Bergleute hatten erstmals die Traktorstrahlen und katalytischen Umwandlungsprozesse im Weltraum, die heutzutage von modernen Gas Harvestern genutzt werden, entdeckt und für vielversprechende neue Methoden zur Gewinnung von Erz im All gehalten. Nach zahlreichen fruchtlosen Experimenten entschied sich die Industrie dazu, ihren Fokus wieder auf Lasertechnologie zu richten, die über die Zeit so weit entwickelt wurde, dass sie auch heute noch eine entscheidene Rolle im Bergbau spielt.\r\n\r\nAls die ersten interstellaren Gaswolken entdeckt wurden, stellten diese im Hinblick auf den Abbau von Rohstoffen eine besondere Herausforderung für Industrielle dar. Verschiedene Methoden kamen zum Einsatz, und obwohl der erfolgreiche Abbau stets gewährleistet war, bestand dennoch Bedarf an einer verbesserten Ausbeute. Dieses Problem konnte allerdings erst gelöst werden, als sich die Bergbauindustrie wieder lange zuvor vernachlässigten Projekten zuwandte. Seit diesem Zeitpunkt haben sich die Technologien zum Gasabbau stetig verbessert und dabei neue Industrien und Wirtschaftszweige geschaffen.",
|
||||
"description_en-us": "The core technology employed by Gas Harvesters dates back centuries, to a time when the extraction of material in space was still a growing industry. Originally, asteroid miners had seen the tractor beams and in-space catalytic conversions used by today's Gas Harvesters as a promising new method for extracting spacebound ore. After many unsuccessful research projects and years of fruitless experiments however, the industry decided to return its focus to laser technology, which was eventually mastered to a level that has sustained the mining profession to this day.\r\n\r\nWhen the first interstellar Gas Clouds were discovered, they proved particularly challenging for industrialists to extract raw materials from. Many methods were tried, and although successful acquisition was always guaranteed, there was a need for much greater efficiency. It was not until the mining industry returned to long-abandoned projects that a solution was found. Since that time, Gas harvesting technology has slowly moved forward, giving birth to new industries and economies in the process. \r\n",
|
||||
"description_es": "The core technology employed by Gas Harvesters dates back centuries, to a time when the extraction of material in space was still a growing industry. Originally, asteroid miners had seen the tractor beams and in-space catalytic conversions used by today's Gas Harvesters as a promising new method for extracting spacebound ore. After many unsuccessful research projects and years of fruitless experiments however, the industry decided to return its focus to laser technology, which was eventually mastered to a level that has sustained the mining profession to this day.\r\n\r\nWhen the first interstellar Gas Clouds were discovered, they proved particularly challenging for industrialists to extract raw materials from. Many methods were tried, and although successful acquisition was always guaranteed, there was a need for much greater efficiency. It was not until the mining industry returned to long-abandoned projects that a solution was found. Since that time, Gas harvesting technology has slowly moved forward, giving birth to new industries and economies in the process. \r\n",
|
||||
"description_fr": "La technologie de base usitée par les collecteurs de gaz date de plusieurs siècles, à l'époque où l'extraction des matériaux dans l'espace était encore une entreprise en pleine expansion. À l'origine, les mineurs d'astéroïde considéraient les rayons de tractage et les conversions catalytiques spatiales utilisées par les collecteurs de gaz actuels comme une nouvelle méthode prometteuse visant à extraire des minerais de l'espace. Toutefois, après de nombreux projets de recherche infructueux et des années d'expériences stériles, l'industrie décida de se concentrer sur la technologie au laser, dont le niveau de maîtrise permettait finalement de subvenir aux besoins de la profession.\n\nQuand les premiers nuages de gaz interstellaires furent découverts, les industriels éprouvèrent toutes les peines du monde à en extraire des matières premières. De nombreuses méthodes furent testées et, bien que l'acquisition de ces matières fût toujours garantie, il était devenu grand temps d'améliorer l'efficacité de ces méthodes d'extraction. Ce n'est que lorsque l'industrie de l'extraction minière revint à ses projets abandonnés de longue date qu'une solution fut enfin trouvée. Depuis lors, la technologie de collecte de gaz a lentement évolué, donnant naissance à de nouvelles industries et autres économies par l'intermédiaire de ce processus. \n",
|
||||
"description_it": "The core technology employed by Gas Harvesters dates back centuries, to a time when the extraction of material in space was still a growing industry. Originally, asteroid miners had seen the tractor beams and in-space catalytic conversions used by today's Gas Harvesters as a promising new method for extracting spacebound ore. After many unsuccessful research projects and years of fruitless experiments however, the industry decided to return its focus to laser technology, which was eventually mastered to a level that has sustained the mining profession to this day.\r\n\r\nWhen the first interstellar Gas Clouds were discovered, they proved particularly challenging for industrialists to extract raw materials from. Many methods were tried, and although successful acquisition was always guaranteed, there was a need for much greater efficiency. It was not until the mining industry returned to long-abandoned projects that a solution was found. Since that time, Gas harvesting technology has slowly moved forward, giving birth to new industries and economies in the process. \r\n",
|
||||
"description_ja": "ガス採掘機に用いられている中核技術は数世紀前、宙域での資源採集がまだ成長産業だった時代のものである。現在のガス採掘機が採用している、トラクタービームと宙域での触媒転換の組み合わせは、当時の小惑星採鉱業者が有望な次世代採掘技術として着目していたものなのだ。しかし度重なる研究プロジェクトの失敗と成果のあがらない実験に明け暮れる年月の果てに、業界はふたたびレーザー採掘技術へと関心を戻し、これが後に進歩して今日の採掘業を支えるまでに達したわけだ。 最初の星間ガス雲が発見された時、そこから資源を採集するのは非常に困難だということが判明した。数多くの方法が試され、一定の成功は常に見込めるようになったが、まだまだ効率向上が課題となっていた。ここに至ってようやく、放棄されて久しいプロジェクトがふたたび脚光を浴び、問題解決の糸口が見つかったのだった。以来、ガス採掘技術は新たな産業と経済を生み出しながら、ゆるやかに進歩を続けてきた。",
|
||||
"description_ko": "가스 추출기의 핵심 기술은 수 세기 전 우주 자원 채취 사업 초창기로 거슬러 올라갑니다. 당시 소행성 채굴자들은 가스 추출기에서 사용되는 트랙터빔 및 촉매변환장치를 이용한 새로운 광물 추출법을 발명하기 위해 노력을 기울였습니다. 그러나 연구가 실패를 거듭하자 기존에 활용하던 레이저 기술로 회귀할 수밖에 없었고, 그 결과 레이저 기술은 채굴 업계를 지탱하는 핵심 기술로 자리를 잡게 되었습니다. <br><br>성간 가스 성운 발견 초기 추출 작업에 많은 어려움이 존재했습니다. 그 당시 다양한 추출법이 등장하였으며 대부분 성공을 거뒀음에도 불구하고 효율성에 대한 이야기는 계속해서 제기되었습니다. 결국 채굴 업계는 과거 프로젝트로 눈을 돌렸고 그 곳에서 해답을 찾는데 성공했습니다. 그 이후로 가스 추출 기술은 꾸준히 발전하였으며 그 결과 신규 사업과 시장이 개척되었습니다. \n\n",
|
||||
"description_ru": " \nКлючевая технология, которая используется в экстракторах для газовых облаков, была разработана много веков назад, когда добыча материалов в космосе была еще сравнительно новым занятием. Первоначально, астероидные шахтеры рассматривали гравитационные лучи и космические конверторы-катализаторы, используемые в современных экстракторах для газовых облаков, как многообещающий новый метод добычи руды в космосе. Тем не менее, после множества безуспешных исследовательских проектов и бесплодных экспериментов, было решено вернуться к лазерным технологиям. Со временем они были усовершенствованы до такой степени, что шахтерская профессия процветает и по сей день.\n\nКогда были открыты первые межзвездные газовые облака, добыча сырья в них оказалась особенно сложной задачей. Были испробованы самые разнообразные методы: хотя какое-то количество материалов в облаке получить можно всегда, эффективность добычи оставалась крайне низкой. Решение было найдено только тогда, когда добывающая отрасль вернулась к старым и почти забытым технологиям. С того времени технология добычи в газовых облаках постепенно развивалась, между делом давая толчок к развитию новых отраслей и сфер деятельности.",
|
||||
"description_de": "Die Gas-Extraktoren zugrunde liegende Technologie wurde bereits vor Jahrhunderten entwickelt - in einer Zeit, in der die Gewinnung von Materialien aus dem All noch ein blühender Industriezweig war. Asteroiden-Bergleute hielten die Traktorstrahlen und katalytische Umwandlungsprozesse im Weltraum, die heutzutage von modernen Gas-Extraktoren genutzt werden, für vielversprechende neue Methoden zur Gewinnung von Erzen im All. Nach zahlreichen fruchtlosen Experimenten entschied sich die Industrie dazu, ihren Fokus wieder auf Lasertechnologie zu richten, die über die Zeit so weit entwickelt wurde, dass sie auch heute noch eine entscheidende Rolle im Bergbau spielt. Als die ersten interstellaren Gaswolken entdeckt wurden, stellten diese im Hinblick auf den Abbau von Rohmaterial eine besondere Herausforderung für Industrielle dar. Verschiedene Methoden kamen zum Einsatz, und obwohl der erfolgreiche Abbau stets gewährleistet war, bestand dennoch Bedarf an größerer Abbaueffizienz. Dieses Problem konnte allerdings erst gelöst werden, als sich die Bergbauindustrie wieder lange zuvor vernachlässigten Projekten zuwandte. Seit diesem Zeitpunkt haben sich die Technologien zum Gasabbau stetig verbessert und dabei neue Industrien und Wirtschaftszweige geschaffen.",
|
||||
"description_en-us": "The core technology employed by Gas Scoops dates back centuries, to a time when the extraction of material in space was still a growing industry. Originally, asteroid miners had seen the tractor beams and in-space catalytic conversions used by today's Gas Scoops as a promising new method for extracting spaceborne ore. After many unsuccessful research projects and years of fruitless experiments however, the industry decided to return its focus to laser technology, which was eventually mastered to a level that has sustained the mining profession to this day.\r\n\r\nWhen the first interstellar Gas Clouds were discovered, they proved particularly challenging for industrialists to extract raw materials from. Many methods were tried, and although successful acquisition was always guaranteed, there was a need for much greater efficiency. It was not until the mining industry returned to long-abandoned projects that a solution was found. Since that time, Gas harvesting technology has slowly moved forward, giving birth to new industries and economies in the process.",
|
||||
"description_es": "The core technology employed by Gas Scoops dates back centuries, to a time when the extraction of material in space was still a growing industry. Originally, asteroid miners had seen the tractor beams and in-space catalytic conversions used by today's Gas Scoops as a promising new method for extracting spaceborne ore. After many unsuccessful research projects and years of fruitless experiments however, the industry decided to return its focus to laser technology, which was eventually mastered to a level that has sustained the mining profession to this day.\r\n\r\nWhen the first interstellar Gas Clouds were discovered, they proved particularly challenging for industrialists to extract raw materials from. Many methods were tried, and although successful acquisition was always guaranteed, there was a need for much greater efficiency. It was not until the mining industry returned to long-abandoned projects that a solution was found. Since that time, Gas harvesting technology has slowly moved forward, giving birth to new industries and economies in the process.",
|
||||
"description_fr": "La technologie de base utilisée par les récupérateurs à gaz date de plusieurs siècles, à l'époque où l'extraction des matériaux dans l'espace était encore une entreprise en pleine expansion. À l'origine, les mineurs d'astéroïde considéraient les rayons de tractage et les conversions catalytiques spatiales utilisées par les récupérateurs de gaz actuels comme une nouvelle méthode prometteuse visant à extraire des minerais de l'espace. Toutefois, après de nombreux projets de recherche infructueux et des années d'expériences stériles, l'industrie décida de se concentrer sur la technologie au laser, dont le niveau de maîtrise permettait finalement de subvenir aux besoins de la profession. Quand les premiers nuages de gaz interstellaires ont été découverts, les industriels ont éprouvé toutes les peines du monde à en extraire des matières premières. De nombreuses méthodes ont été testées et, bien que l'acquisition de ces matières était toujours garantie, il y avait un besoin réel d'améliorer l'efficacité de ces méthodes d'extraction. Ce n'est que lorsque l'industrie de l'extraction minière a repris ses projets abandonnés de longue date qu'une solution a enfin été trouvée. Depuis lors, la technologie de collecte de gaz a lentement évolué, donnant naissance à de nouvelles industries et autres économies par l'intermédiaire de ce processus.",
|
||||
"description_it": "The core technology employed by Gas Scoops dates back centuries, to a time when the extraction of material in space was still a growing industry. Originally, asteroid miners had seen the tractor beams and in-space catalytic conversions used by today's Gas Scoops as a promising new method for extracting spaceborne ore. After many unsuccessful research projects and years of fruitless experiments however, the industry decided to return its focus to laser technology, which was eventually mastered to a level that has sustained the mining profession to this day.\r\n\r\nWhen the first interstellar Gas Clouds were discovered, they proved particularly challenging for industrialists to extract raw materials from. Many methods were tried, and although successful acquisition was always guaranteed, there was a need for much greater efficiency. It was not until the mining industry returned to long-abandoned projects that a solution was found. Since that time, Gas harvesting technology has slowly moved forward, giving birth to new industries and economies in the process.",
|
||||
"description_ja": "ガススクープで中心となる技術は、宇宙空間での物質の採掘がまだ成長産業であった数世紀前にさかのぼるものである。現在のガススクープが採用している、トラクタービームと宙域での触媒転換の組み合わせは、当時のアステロイド採掘者が有望な次世代採掘技術として着目していたものだ。しかし度重なる研究プロジェクトの失敗と成果のあがらない実験に明け暮れる年月の果てに、業界はふたたびレーザー採掘技術へと関心を戻し、これが後に進歩して現在の採掘業を支えるまでに達した。\n\n\n\n最初の惑星間ガス雲が発見された当時、そこから資源を採掘するのは非常に困難だということが判明した。数多くの方法が試され、毎回抽出には成功していたものの、効率を大幅に上げる必要があった。その後ある解決法が見つかり、ようやく放棄されて久しいプロジェクトがふたたび脚光を浴びる。以来、ガス採集技術は新たな産業と経済を生み出しながら、ゆるやかに進歩を続けてきた。",
|
||||
"description_ko": "가스 수집기의 핵심 기술은 수 세기 전 우주 자원 채취 사업 초창기로 거슬러 올라갑니다. 당시 소행성 채굴자들은 가스 수집기에서 사용되는 인양 장치와 촉매변환기를 이용한 새로운 광물 추출법을 발명하기 위해 노력을 기울였습니다. 그러나 연구가 실패를 거듭하자 기존에 활용하던 레이저 기술로 회귀할 수밖에 없었고, 그 결과 레이저 기술은 채굴 업계를 지탱하는 핵심 기술로 자리를 잡게 되었습니다. <br><br>가스 성운이 처음 발견되었을 당시 추출 작업에 많은 어려움이 존재했습니다. 당시 수많은 추출법이 등장하였고, 대부분은 성공을 거뒀으나 효율성에 대한 논란은 지속적으로 제기되었습니다. 결국 채굴 업계는 과거의 프로젝트로 눈을 돌렸고 그 곳에서 해답을 찾는데 성공했습니다. 그 이후로 가스 추출 기술은 꾸준히 발전하였으며, 그 결과 새로운 사업과 시장이 개척되었습니다.",
|
||||
"description_ru": "Ключевая технология газочерпателей была разработана сотни лет назад, когда добыча материалов в космосе только набирала обороты. Изначально шахтёры астероидов рассматривали сочетание гравизахвата и полевой каталитической переработки, используемое в современных газочерпателях, как многообещающий новый метод добычи космических руд. однако после череды провальных исследований и многолетних безрезультатных экспериментов промышленники решили вернуться к лазерной технологии, которая в итоге достигла высочайшего уровня развития и стала незаменимой в бурении. После открытия первых межзвёздных газовых облаков выяснилось, что добывать сырьё из них — весьма непростая задача. Промышленники перепробовали множество методов добычи, которые позволяли получить нужные ресурсы, однако были недостаточно эффективны. Подходящее решение удалось найти лишь после того, как представители добывающей промышленности вернулись к давно забытым проектам. С того времени технология добычи газа медленно, но верно развивается, попутно порождая новые индустрии и экономические системы.",
|
||||
"description_zh": "气云采集器所使用的核心技术已经有数百年的历史,空间开采技术在那时还处于发展的阶段。最初,小行星采矿人就认为今天使用在气云采集器中的牵引光束技术和空间晶体转换技术将会带来新的空间采矿革命。在经历了无数失败的研究和实验过后,小行星矿产业又把重心重新转回到了激光技术上,最终引导了激光技术的完全成熟并持续使用至今。在第一个星际气云带被发现之后,如何从中提取原始材料成为工业界最大的难题。很多种不同的方法都被用以实验,尽管成功提取的案例很多,但还没有找到真正高效的采集方式。直到人们重新拾起那个曾经被放弃的研发项目,一个真正的解决方案才就此诞生。此后,气云采集技术不停地缓慢地向前发展,在这个过程中它也不断推动着新工业和新经济的产生。",
|
||||
"descriptionID": 94803,
|
||||
"graphicID": 11143,
|
||||
@@ -98204,14 +98204,14 @@
|
||||
"radius": 25.0,
|
||||
"techLevel": 1,
|
||||
"typeID": 25266,
|
||||
"typeName_de": "Gas Cloud Harvester I",
|
||||
"typeName_en-us": "Gas Cloud Harvester I",
|
||||
"typeName_es": "Gas Cloud Harvester I",
|
||||
"typeName_fr": "Collecteur de nuages de gaz I",
|
||||
"typeName_it": "Gas Cloud Harvester I",
|
||||
"typeName_ja": "ガス雲採掘機I",
|
||||
"typeName_ko": "가스 하베스터 I",
|
||||
"typeName_ru": "Gas Cloud Harvester I",
|
||||
"typeName_de": "Gas Cloud Scoop I",
|
||||
"typeName_en-us": "Gas Cloud Scoop I",
|
||||
"typeName_es": "Gas Cloud Scoop I",
|
||||
"typeName_fr": "Récupérateur de nuages de gaz I",
|
||||
"typeName_it": "Gas Cloud Scoop I",
|
||||
"typeName_ja": "ガス雲スクープI",
|
||||
"typeName_ko": "가스 수집기 I",
|
||||
"typeName_ru": "Gas Cloud Scoop I",
|
||||
"typeName_zh": "气云采集器 I",
|
||||
"typeNameID": 106331,
|
||||
"volume": 5.0
|
||||
@@ -98226,14 +98226,14 @@
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"typeID": 25267,
|
||||
"typeName_de": "Gas Cloud Harvester I Blueprint",
|
||||
"typeName_en-us": "Gas Cloud Harvester I Blueprint",
|
||||
"typeName_es": "Gas Cloud Harvester I Blueprint",
|
||||
"typeName_fr": "Plan de construction Collecteur de nuages de gaz I",
|
||||
"typeName_it": "Gas Cloud Harvester I Blueprint",
|
||||
"typeName_ja": "ガス雲採掘機Iブループリント",
|
||||
"typeName_ko": "가스 하베스터 I 블루프린트",
|
||||
"typeName_ru": "Gas Cloud Harvester I Blueprint",
|
||||
"typeName_de": "Gas Cloud Scoop I Blueprint",
|
||||
"typeName_en-us": "Gas Cloud Scoop I Blueprint",
|
||||
"typeName_es": "Gas Cloud Scoop I Blueprint",
|
||||
"typeName_fr": "Plan de construction Récupérateur de nuages de gaz I",
|
||||
"typeName_it": "Gas Cloud Scoop I Blueprint",
|
||||
"typeName_ja": "ガス雲スクープI設計図",
|
||||
"typeName_ko": "가스 수집기 I 블루프린트",
|
||||
"typeName_ru": "Gas Cloud Scoop I Blueprint",
|
||||
"typeName_zh": "气云采集器蓝图 I",
|
||||
"typeNameID": 72516,
|
||||
"volume": 0.01
|
||||
@@ -104114,14 +104114,14 @@
|
||||
"25540": {
|
||||
"basePrice": 9272.0,
|
||||
"capacity": 0.0,
|
||||
"description_de": "Ursprünglich von den Piratenorganisationen in New Eden entwickelt und vertrieben, verkörperten die 'Crop' und 'Plow' Gaswolken-Extraktoren (Gas Cloud Harvesters) einst die fortschrittlichste Technik im Bereich der Abbau-Ausrüstung. Obwohl sie nicht zur Erhöhung der Abbau-Ausbeute beitrugen, konnte dennoch die erzielte Entlastung der CPU viele begeistern, die zuvor Probleme damit hatten, einen kompletten Satz Abbau-Ausrüstung in einem Schiff der Kreuzerklasse zu betreiben. Diese scheinbar geringfügige Verbesserung führte dazu, dass diese beiden Extraktoren den gängigen Standard, eine Tech I Variante, über viele Jahre hinweg übertrafen. \n\nDies sollte sich jedoch schnell mit dem Aufkommen neuer stabiler Wurmlöcher ändern, denn mit deren Entdeckung traten auch riesige Gaswolkentaschen in Erscheinung, die über die noch unbekannten Systeme erreicht werden konnten. Innerhalb eines einzigen Tages explodierte die Nachfrage nach Tech II Gaswolken-Extraktoren (Tech II Gas Cloud Harvesters) buchstäblich. Forschungsprojekte wurden aus dem Boden gestampft und panisch Zuschüsse an jedes Unternehmen vergeben, das versprach, ein neues Modell zu entwickeln. Ein Durchbruch stand kurz bevor, der die mächtigen Modelle 'Crop' und 'Plow' vom Thron stoßen und ihren überlegenen Tech II Nachfolger aufgrund der stark verbesserten Abbau-Ausbeute zu Ruhm verhelfen sollte. ",
|
||||
"description_en-us": "Originally invented and supplied by the pirate organizations of New Eden, the 'Crop' and ‘Plow' Gas Cloud Harvesters once stood as the most advanced pieces of harvesting equipment available. Although they did not offer any improvement in their harvesting yield, the CPU reduction was valued by many who otherwise struggled to fit a full rack of harvesters to cruiser-class vessels. This one small improvement set the two harvesters above the standard, Tech I variant for many years. \r\n\r\nAll that changed however when new, stable wormholes began proliferating across the cluster. As soon as the wormholes were discovered, so too, were the giant gas cloud pockets within the unknown systems they linked to. In a single day, the demand for Tech II Gas Cloud Harvested exploded. Research projects were hastily established and grants hurriedly thrown out to the most promising firms pursuing a redesign. It was only a few days before a breakthrough was made, and the mighty ‘Crop' and ‘Plow' variants soon took second place to a superior Tech II counterpart that vastly increased the harvesting yield. ",
|
||||
"description_es": "Originally invented and supplied by the pirate organizations of New Eden, the 'Crop' and ‘Plow' Gas Cloud Harvesters once stood as the most advanced pieces of harvesting equipment available. Although they did not offer any improvement in their harvesting yield, the CPU reduction was valued by many who otherwise struggled to fit a full rack of harvesters to cruiser-class vessels. This one small improvement set the two harvesters above the standard, Tech I variant for many years. \r\n\r\nAll that changed however when new, stable wormholes began proliferating across the cluster. As soon as the wormholes were discovered, so too, were the giant gas cloud pockets within the unknown systems they linked to. In a single day, the demand for Tech II Gas Cloud Harvested exploded. Research projects were hastily established and grants hurriedly thrown out to the most promising firms pursuing a redesign. It was only a few days before a breakthrough was made, and the mighty ‘Crop' and ‘Plow' variants soon took second place to a superior Tech II counterpart that vastly increased the harvesting yield. ",
|
||||
"description_fr": "Originellement inventés et approvisionnés par les organisations pirates de New Eden, les collecteurs de nuages de gaz « Crop » et « Plow » constituaient autrefois les équipements de collecte les plus sophistiqués du marché. Grâce à leur consommation de CPU réduite, ces modules, bien qu'identiques en termes de rendement, étaient largement plébiscités par les pilotes de croiseur soucieux d'équiper la totalité de leurs emplacements supérieurs. C'est cette légère amélioration qui a permis aux deux collecteurs d'éclipser la version Tech I pendant de nombreuses années. \n\nToutefois, l'émergence de nouveaux trous de ver stables à travers toute la galaxie, et de titanesques poches de gaz préservées au cœur des systèmes inconnus enfouis par-delà changea complètement la donne. Ainsi, en l'espace d'un seul jour, la demande en collecteurs de nuages de gaz Tech II explosa. Des projets de recherche furent conçus à la hâte, et des subventions promptement accordées aux entreprises les plus prometteuses qui s'engageaient dans une refonte des techniques de collecte. Quelques jours seulement suffirent aux ingénieurs pour réaliser une avancée majeure, qui relégua rapidement au second plan les variantes « Crop » et « Plow », au profit d'un module Tech II au rendement bien supérieur. ",
|
||||
"description_it": "Originally invented and supplied by the pirate organizations of New Eden, the 'Crop' and ‘Plow' Gas Cloud Harvesters once stood as the most advanced pieces of harvesting equipment available. Although they did not offer any improvement in their harvesting yield, the CPU reduction was valued by many who otherwise struggled to fit a full rack of harvesters to cruiser-class vessels. This one small improvement set the two harvesters above the standard, Tech I variant for many years. \r\n\r\nAll that changed however when new, stable wormholes began proliferating across the cluster. As soon as the wormholes were discovered, so too, were the giant gas cloud pockets within the unknown systems they linked to. In a single day, the demand for Tech II Gas Cloud Harvested exploded. Research projects were hastily established and grants hurriedly thrown out to the most promising firms pursuing a redesign. It was only a few days before a breakthrough was made, and the mighty ‘Crop' and ‘Plow' variants soon took second place to a superior Tech II counterpart that vastly increased the harvesting yield. ",
|
||||
"description_ja": "当初はニューエデンの海賊団体に発明され供給されていた「クロップ」と「プロウ」と呼ばれるガス雲採集器は、かつては最も先進的な採集器具として知られていた。それらに採集能力の向上はみられないが、CPUの削減により、巡洋艦級の艦船にハーベスター一式を搭載しようと苦心していた人々に重宝された。このわずかな改良点が、2つの採集機をTech1の亜種としての地位から標準以上に押し上げたのだった。しかしながら、新しく安定したワームホールが星団のいたるところに急増し始めたときに全てが変わっていしまった。ワームホールが発見されるや否や、同時に未知の星系につながる巨大なガスポケットも発見された。わずか1日のうちに、Tech2ガス雲採集機の開発を要望する動きが爆発的に巻き起こった。これを受け研究プロジェクトが早急に立ち上げられ、新設計を追求していた有望な企業へ助成金が急いで投下された。それからわずか数日の間に技術的な突破口が発見され、偉大な「クロップ」と「プロウ」は一気に旧世代のものへと降格され、採集能力が大幅に向上したTech2の機器にその座を明け渡すことになった。",
|
||||
"description_ko": "뉴에덴 해적 단체가 개발한 '크롭'과 '플라우' 가스 하베스터는 과거 뉴에덴에서 가장 발전된 형태의 하베스팅 장비였습니다. 산출량 차이는 없었지만 상대적으로 CPU 점유율이 낮았던 덕분에 크루저급 함선에 하베스터를 장착하는데 어려움을 겪고 있던 파일럿들에게는 마른 하늘의 단비와도 같은 존재였습니다. CPU 점유율을 토대로 '크롭'과 '플라우'는 일반적인 테크 I 하베스터보다 시장에서 우위에 설 수 있었습니다. <br><br>그러나 안정화된 웜홀이 발견되면서 가스 추출에 대한 연구가 다시 진행되었고 웜홀과 연결된 미개척 항성계에 거대 가스 성운이 존재한다는 사실이 드러나자 테크II 가스추출기에 대한 수요는 폭발적으로 증가하였습니다. 수요가 공급을 뛰어넘자 유명 추출사에 대한 대대적인 투자가 진행되었으며 채 몇 일이 지나기도 전, 기존 가스 추출법을 뛰어넘는 신규 기술이 탄생하였습니다. ",
|
||||
"description_ru": "Изначально разработанные и реализуемые пиратскими организациями Нового Эдема, установки для сбора газа «Кроп» и «Плоу» некогда были самыми эффективными устройствами в своем классе. Хотя они не отличались повышенным объемом добычи, их низкие требования к процессорным мощностям особенно ценились теми, кто хотел использовать большое число подобных установок на кораблях крейсерского класса. Из-за этого многие годы они считались лучше стандартной модели первой техкатегории. \n\nСитуация в корне изменилась, когда по всей галактике начали распространяться новые стабильные червоточины. Как только эти червоточины были открыты, в системах, с которыми они соединяли наш космос, были открыты гигантские газовые облака. Буквально за один день спрос на установки для сбора газа второй техкатегории взлетел до небес. Спешно было запущено несколько исследовательских проектов; в перспективные компании, которые пытались разработать усовершенствованную модель, вкладывались огромные средства. И всего через несколько дней состоялся прорыв, в результате которого установка второй техкатегории, позволяющая значительно увеличить объем добычи, вытеснила некогда драгоценные «Кроп» и «Плоу» на второе место. ",
|
||||
"description_de": "Ursprünglich von den Piratenorganisationen in New Eden entwickelt und vertrieben, verkörperten die 'Crop' und 'Plow' Gaswolken-Extraktoren einst die fortschrittlichste Technik im Bereich der Gasabbau-Ausrüstung. Obwohl sie nicht zur Erhöhung des Abbauertrags beitrugen, konnte dennoch die durch sie erzielte Entlastung der CPU viele begeistern, die zuvor Probleme damit hatten, einen kompletten Satz Abbau-Ausrüstung in einem Schiff der Kreuzerklasse zu betreiben. Diese scheinbar geringfügige Verbesserung führte dazu, dass diese beiden Extraktoren den gängigen Standard, eine Tech-I-Variante, über viele Jahre hinweg übertrafen. Dies sollte sich jedoch schnell mit dem Aufkommen neuer stabiler Wurmlöcher ändern, denn mit deren Entdeckung traten auch riesige Ansammlungen von Gaswolken in Erscheinung, die über die noch unbekannten Systeme erreicht werden konnten. Innerhalb eines einzigen Tages explodierte die Nachfrage nach Tech-II-Gaswolken-Extraktoren buchstäblich. Forschungsprojekte wurden aus dem Boden gestampft und panisch Zuschüsse an jedes Unternehmen vergeben, das versprach, ein neues Modell zu entwickeln. Ein Durchbruch stand kurz bevor, der die mächtigen Modelle 'Crop' und 'Plow' vom Thron stoßen und ihren überlegenen Tech II Nachfolger aufgrund der stark verbesserten Abbau-Ausbeute zu Ruhm verhelfen sollte.",
|
||||
"description_en-us": "Originally invented and supplied by the pirate organizations of New Eden, the 'Crop' and ‘Plow' Gas Cloud Scoops once stood as the most advanced pieces of gas harvesting equipment available. Although they did not offer any improvement in their harvesting yield, the CPU reduction was valued by many who otherwise struggled to fit a full rack of scoops to cruiser-class vessels. This one small improvement set the two scoops above the standard, Tech I variant for many years.\r\n\r\nAll that changed however when new, stable wormholes began proliferating across the cluster. As soon as the wormholes were discovered, so too, were the giant gas cloud pockets within the unknown systems they linked to. In a single day, the demand for Tech II Gas Cloud Scoop exploded. Research projects were hastily established and grants hurriedly thrown out to the most promising firms pursuing a redesign. It was only a few days before a breakthrough was made, and the mighty ‘Crop' and ‘Plow' variants soon took second place to a superior Tech II counterpart that vastly increased the harvesting yield.",
|
||||
"description_es": "Originally invented and supplied by the pirate organizations of New Eden, the 'Crop' and ‘Plow' Gas Cloud Scoops once stood as the most advanced pieces of gas harvesting equipment available. Although they did not offer any improvement in their harvesting yield, the CPU reduction was valued by many who otherwise struggled to fit a full rack of scoops to cruiser-class vessels. This one small improvement set the two scoops above the standard, Tech I variant for many years.\r\n\r\nAll that changed however when new, stable wormholes began proliferating across the cluster. As soon as the wormholes were discovered, so too, were the giant gas cloud pockets within the unknown systems they linked to. In a single day, the demand for Tech II Gas Cloud Scoop exploded. Research projects were hastily established and grants hurriedly thrown out to the most promising firms pursuing a redesign. It was only a few days before a breakthrough was made, and the mighty ‘Crop' and ‘Plow' variants soon took second place to a superior Tech II counterpart that vastly increased the harvesting yield.",
|
||||
"description_fr": "Inventés et approvisionnés par les organisations pirates de New Eden, les récupérateurs de nuages de gaz 'Moisson' et 'Sarcloir' représentaient autrefois les meilleurs équipements de récupération disponibles. Bien qu'ils n'apportaient aucune amélioration en termes de rendement, la réduction du CPU était largement appréciée par ceux qui éprouvaient des difficultés à équiper des récupérateurs à des vaisseaux de classe croiseur. Cette légère amélioration plaça les deux collecteurs au-dessus du standard Tech I pendant de nombreuses années. Toutefois, tout cela changea quand de nouveaux trous de ver stables commencèrent à proliférer dans toute la galaxie. Dès lors que ces trous de ver furent découverts, on découvrit également d'immenses poches de nuages de gaz au sein des systèmes inconnus auxquels ils étaient reliés. En l'espace d'un seul jour, la demande en récupérateurs de nuages de gaz Tech II avait littéralement explosé. Des projets de recherche furent établis à la hâte et des subventions furent précipitamment accordées aux entreprises les plus prometteuses dans ce domaine. Ce n'est que quelques jours plus tard qu'une avancée majeure fut accomplie, reléguant au second plan les puissantes variantes 'Moisson' et 'Sarcloir' au profit de Tech II, dont le rendement était largement supérieur à ses homologues.",
|
||||
"description_it": "Originally invented and supplied by the pirate organizations of New Eden, the 'Crop' and ‘Plow' Gas Cloud Scoops once stood as the most advanced pieces of gas harvesting equipment available. Although they did not offer any improvement in their harvesting yield, the CPU reduction was valued by many who otherwise struggled to fit a full rack of scoops to cruiser-class vessels. This one small improvement set the two scoops above the standard, Tech I variant for many years.\r\n\r\nAll that changed however when new, stable wormholes began proliferating across the cluster. As soon as the wormholes were discovered, so too, were the giant gas cloud pockets within the unknown systems they linked to. In a single day, the demand for Tech II Gas Cloud Scoop exploded. Research projects were hastily established and grants hurriedly thrown out to the most promising firms pursuing a redesign. It was only a few days before a breakthrough was made, and the mighty ‘Crop' and ‘Plow' variants soon took second place to a superior Tech II counterpart that vastly increased the harvesting yield.",
|
||||
"description_ja": "当初はニューエデンの海賊組織に発明され供給されていた「クロップ」と「プロー」と呼ばれるガス雲スクープは、かつては最も先進的な採掘機具として知られていた。それらに採掘能力の向上はみられないが、CPUの削減により、巡洋艦級の艦船にハーベスター一式を搭載しようと苦心していた人々に重宝された。この小さな改良ゆえに、両採掘機は長年にわたって標準的なT1バージョンの上位機種の座を保ち続けてきたのである。\n\n\n\nしかしながら、新しく安定したワームホールが星団のいたるところに急増し始め、全てが変わってしまった。ワームホールが発見されるや否や、同時に未知の星系につながる巨大なガス雲ポケットも発見された。わずか1日のうちに、T2ガス雲スクープの開発を要望する動きが爆発的に巻き起こった。これを受け研究プロジェクトが早急に立ち上げられ、新設計を追求していた有望な企業へ助成金が急いで投下された。それからわずか数日の間に技術的な突破口が発見され、偉大な「クロップ」と「プロー」は一気に旧世代のものへと降格され、採掘能力が大幅に向上したT2の機器にその座を明け渡すことになった。",
|
||||
"description_ko": "해적들이 개발한 '크롭'과 '플라우' 가스 수집기는 과거 뉴에덴에서 가장 발전된 형태의 가스 추출 장비 중 하나였습니다. 산출량의 차이는 없었지만 상대적으로 CPU 점유율이 낮았던 덕분에 크루저급 함선에 수집기를 장착하는데 어려움을 겪고 있던 파일럿들에게는 마른 하늘의 단비와도 같은 존재였습니다. CPU 점유율을 토대로 '크롭'과 '플라우'는 일반적인 테크 I 수집기보다 시장에서 우위에 설 수 있었습니다.<br><br>그러나 안정화된 웜홀이 발견되면서 가스 추출에 대한 연구가 다시 진행되었고, 웜홀과 연결된 미개척 항성계에 대규모 가스 성운이 존재한다는 사실이 드러나자 테크 II 가스 수집기에 대한 수요가 폭발적으로 증가하였습니다. 이후 수요가 공급을 뛰어넘자 추출기 생산 기업에 대한 대대적인 투자가 진행되었으며, 얼마 후 기존의 가스 추출법을 뛰어넘는 새로운 기술이 탄생하였습니다.",
|
||||
"description_ru": "Изначально разработкой и продажей газочерпателей «Кроп» и «Плау» занимались пиратские организации Нового Эдема. В своё время эти установки считались самым передовым оборудованием для добычи газа. Они не увеличивали объёмы добычи, однако меньше нагружали центральный процессор, и потому их высоко ценили владельцы крейсеров, на которых не хватало мощностей для полноценных газочерпателей. Одно небольшое улучшение обеспечило успех обоим газочерпателям первого техноуровня на многие годы. Всё изменилось, когда в секторе стали появляться новые, более стабильные червоточины. Вскоре после их открытия были обнаружены и гигантские скопления газовых облаков, находящихся в неизведанных системах по ту сторону червоточин. В тот же день спрос на газочерпатели второго техноуровня взлетел до небес. Стремительно возникали всё новые исследовательские проекты, а денежные гранты разлетались по самым перспективным компаниям, которые собирались наладить производство новых газочерпателей. Спустя несколько дней в сфере добычи газа произошёл прорыв, поэтому вскоре «Кроп» и «Плау» уступили место продвинутому газочерпателю второго техноуровня, который значительно увеличивал объёмы добычи.",
|
||||
"description_zh": "“丰收”和“除雪机”两种气云采集器最早是由新伊甸世界里的海盗组织所研制和销售,它们曾经是最先进的开采设备。尽管它们不能提供产量上的提升,但在CPU上需求的降低就足以让那些想在巡洋舰上装满采集器的飞行员趋之若鹜。很多年来,就是这么一个简单的优势使这两种采集器胜过各种一级科技的标准型号采集器。 \n\n当更多新的稳定的虫洞发开始出现在星系的各个角落的时候,这种情况就发生了改变。虫洞出现后不久,其接通大量的大型气云区域也被发现。市场对二级科技气云采集器的需求在一夜之间暴增。各种相关研究项目匆匆上马,大量的资金援助被疯狂地抛向有希望在这一竞争中出线的组织和企业。新的技术突破只是在短短几天时间里就发生了,很快,“丰收”和“除雪机”就被更加先进,采集量更加巨大的二级科技变体所取代。 ",
|
||||
"descriptionID": 94805,
|
||||
"graphicID": 11143,
|
||||
@@ -104137,14 +104137,14 @@
|
||||
"radius": 25.0,
|
||||
"techLevel": 1,
|
||||
"typeID": 25540,
|
||||
"typeName_de": "'Crop' Gas Cloud Harvester",
|
||||
"typeName_en-us": "'Crop' Gas Cloud Harvester",
|
||||
"typeName_es": "'Crop' Gas Cloud Harvester",
|
||||
"typeName_fr": "Collecteur de nuages de gaz 'Moisson'",
|
||||
"typeName_it": "'Crop' Gas Cloud Harvester",
|
||||
"typeName_ja": "「クロップ」ガス雲採掘機",
|
||||
"typeName_ko": "'크롭' 가스 하베스터",
|
||||
"typeName_ru": "'Crop' Gas Cloud Harvester",
|
||||
"typeName_de": "'Crop' Gas Cloud Scoop ",
|
||||
"typeName_en-us": "'Crop' Gas Cloud Scoop ",
|
||||
"typeName_es": "'Crop' Gas Cloud Scoop ",
|
||||
"typeName_fr": "Récupérateur de nuages de gaz 'Moisson' ",
|
||||
"typeName_it": "'Crop' Gas Cloud Scoop ",
|
||||
"typeName_ja": "「クロップ」ガス雲スクープ ",
|
||||
"typeName_ko": "'크롭' 가스 수집기 ",
|
||||
"typeName_ru": "'Crop' Gas Cloud Scoop ",
|
||||
"typeName_zh": "丰收气云采集器",
|
||||
"typeNameID": 106333,
|
||||
"variationParentTypeID": 25266,
|
||||
@@ -104160,14 +104160,14 @@
|
||||
"portionSize": 1,
|
||||
"published": false,
|
||||
"typeID": 25541,
|
||||
"typeName_de": "'Crop' Gas Cloud Harvester Blueprint",
|
||||
"typeName_en-us": "'Crop' Gas Cloud Harvester Blueprint",
|
||||
"typeName_es": "'Crop' Gas Cloud Harvester Blueprint",
|
||||
"typeName_fr": "Plan de construction Collecteur de nuages de gaz 'Moisson'",
|
||||
"typeName_it": "'Crop' Gas Cloud Harvester Blueprint",
|
||||
"typeName_ja": "「クロップ」ガス雲採掘機ブループリント",
|
||||
"typeName_ko": "'크롭' 가스 하베스터 블루프린트",
|
||||
"typeName_ru": "'Crop' Gas Cloud Harvester Blueprint",
|
||||
"typeName_de": "'Crop' Gas Cloud Scoop Blueprint",
|
||||
"typeName_en-us": "'Crop' Gas Cloud Scoop Blueprint",
|
||||
"typeName_es": "'Crop' Gas Cloud Scoop Blueprint",
|
||||
"typeName_fr": "Plan de construction Récupérateur de nuages de gaz 'Moisson'",
|
||||
"typeName_it": "'Crop' Gas Cloud Scoop Blueprint",
|
||||
"typeName_ja": "「クロップ」ガス雲スクープ設計図",
|
||||
"typeName_ko": "'크롭' 가스 수집기 블루프린트",
|
||||
"typeName_ru": "'Crop' Gas Cloud Scoop Blueprint",
|
||||
"typeName_zh": "丰收气云采集器蓝图",
|
||||
"typeNameID": 70853,
|
||||
"volume": 0.01
|
||||
@@ -104175,14 +104175,14 @@
|
||||
"25542": {
|
||||
"basePrice": 9272.0,
|
||||
"capacity": 0.0,
|
||||
"description_de": "Ursprünglich von den Piratenorganisationen in New Eden entwickelt und vertrieben, verkörperten die 'Crop' und 'Plow' Gaswolken-Extraktoren (Gas Cloud Harvesters) einst die fortschrittlichste Technik im Bereich der Abbau-Ausrüstung. Obwohl sie nicht zur Erhöhung der Abbau-Ausbeute beitrugen, konnte dennoch die erzielte Entlastung der CPU viele begeistern, die zuvor Probleme damit hatten, einen kompletten Satz Abbau-Ausrüstung in einem Schiff der Kreuzerklasse zu betreiben. Diese scheinbar geringfügige Verbesserung führte dazu, dass diese beiden Extraktoren den gängigen Standard, eine Tech I Variante, über viele Jahre hinweg übertrafen. \n\nDies sollte sich jedoch schnell mit dem Aufkommen neuer stabiler Wurmlöcher ändern, denn mit deren Entdeckung traten auch riesige Gaswolkentaschen in Erscheinung, die über die noch unbekannten Systeme erreicht werden konnten. Innerhalb eines einzigen Tages explodierte die Nachfrage nach Tech II Gaswolken-Extraktoren (Tech II Gas Cloud Harvesters) buchstäblich. Forschungsprojekte wurden aus dem Boden gestampft und panisch Zuschüsse an jedes Unternehmen vergeben, das versprach, ein neues Modell zu entwickeln. Ein Durchbruch stand kurz bevor, der die mächtigen Modelle 'Crop' und 'Plow' vom Thron stoßen und ihren überlegenen Tech II Nachfolger aufgrund der stark verbesserten Abbau-Ausbeute zu Ruhm verhelfen sollte. ",
|
||||
"description_en-us": "Originally invented and supplied by the pirate organizations of New Eden, the 'Crop' and ‘Plow' Gas Cloud Harvesters once stood as the most advanced pieces of harvesting equipment available. Although they did not offer any improvement in their harvesting yield, the CPU reduction was valued by many who otherwise struggled to fit a full rack of harvesters to cruiser-class vessels. This one small improvement set the two harvesters above the standard, Tech I variant for many years. \r\n\r\nAll that changed however when new, stable wormholes began proliferating across the cluster. As soon as the wormholes were discovered, so too, were the giant gas cloud pockets within the unknown systems they linked to. In a single day, the demand for Tech II Gas Cloud Harvested exploded. Research projects were hastily established and grants hurriedly thrown out to the most promising firms pursuing a redesign. It was only a few days before a breakthrough was made, and the mighty ‘Crop' and ‘Plow' variants soon took second place to a superior Tech II counterpart that vastly increased the harvesting yield. ",
|
||||
"description_es": "Originally invented and supplied by the pirate organizations of New Eden, the 'Crop' and ‘Plow' Gas Cloud Harvesters once stood as the most advanced pieces of harvesting equipment available. Although they did not offer any improvement in their harvesting yield, the CPU reduction was valued by many who otherwise struggled to fit a full rack of harvesters to cruiser-class vessels. This one small improvement set the two harvesters above the standard, Tech I variant for many years. \r\n\r\nAll that changed however when new, stable wormholes began proliferating across the cluster. As soon as the wormholes were discovered, so too, were the giant gas cloud pockets within the unknown systems they linked to. In a single day, the demand for Tech II Gas Cloud Harvested exploded. Research projects were hastily established and grants hurriedly thrown out to the most promising firms pursuing a redesign. It was only a few days before a breakthrough was made, and the mighty ‘Crop' and ‘Plow' variants soon took second place to a superior Tech II counterpart that vastly increased the harvesting yield. ",
|
||||
"description_fr": "Originellement inventés et approvisionnés par les organisations pirates de New Eden, les collecteurs de nuages de gaz « Crop » et « Plow » constituaient autrefois les équipements de collecte les plus sophistiqués du marché. Grâce à leur consommation de CPU réduite, ces modules, bien qu'identiques en termes de rendement, étaient largement plébiscités par les pilotes de croiseur soucieux d'équiper la totalité de leurs emplacements supérieurs. C'est cette légère amélioration qui a permis aux deux collecteurs d'éclipser la version Tech I pendant de nombreuses années. \n\nToutefois, l'émergence de nouveaux trous de ver stables à travers toute la galaxie, et de titanesques poches de gaz préservées au cœur des systèmes inconnus enfouis par-delà changea complètement la donne. Ainsi, en l'espace d'un seul jour, la demande en collecteurs de nuages de gaz Tech II explosa. Des projets de recherche furent conçus à la hâte, et des subventions promptement accordées aux entreprises les plus prometteuses qui s'engageaient dans une refonte des techniques de collecte. Quelques jours seulement suffirent aux ingénieurs pour réaliser une avancée majeure, qui relégua rapidement au second plan les variantes « Crop » et « Plow », au profit d'un module Tech II au rendement bien supérieur. ",
|
||||
"description_it": "Originally invented and supplied by the pirate organizations of New Eden, the 'Crop' and ‘Plow' Gas Cloud Harvesters once stood as the most advanced pieces of harvesting equipment available. Although they did not offer any improvement in their harvesting yield, the CPU reduction was valued by many who otherwise struggled to fit a full rack of harvesters to cruiser-class vessels. This one small improvement set the two harvesters above the standard, Tech I variant for many years. \r\n\r\nAll that changed however when new, stable wormholes began proliferating across the cluster. As soon as the wormholes were discovered, so too, were the giant gas cloud pockets within the unknown systems they linked to. In a single day, the demand for Tech II Gas Cloud Harvested exploded. Research projects were hastily established and grants hurriedly thrown out to the most promising firms pursuing a redesign. It was only a few days before a breakthrough was made, and the mighty ‘Crop' and ‘Plow' variants soon took second place to a superior Tech II counterpart that vastly increased the harvesting yield. ",
|
||||
"description_ja": "当初はニューエデンの海賊団体に発明され供給されていた「クロップ」と「プロウ」と呼ばれるガス雲採集器は、かつては最も先進的な採集器具として知られていた。それらに採集能力の向上はみられないが、CPUの削減により、巡洋艦級の艦船にハーベスター一式を搭載しようと苦心していた人々に重宝された。このわずかな改良点が、2つの採集機をTech1の亜種としての地位から標準以上に押し上げたのだった。しかしながら、新しく安定したワームホールが星団のいたるところに急増し始めたときに全てが変わっていしまった。ワームホールが発見されるや否や、同時に未知の星系につながる巨大なガスポケットも発見された。わずか1日のうちに、Tech2ガス雲採集機の開発を要望する動きが爆発的に巻き起こった。これを受け研究プロジェクトが早急に立ち上げられ、新設計を追求していた有望な企業へ助成金が急いで投下された。それからわずか数日の間に技術的な突破口が発見され、偉大な「クロップ」と「プロウ」は一気に旧世代のものへと降格され、採集能力が大幅に向上したTech2の機器にその座を明け渡すことになった。",
|
||||
"description_ko": "뉴에덴 해적 단체가 개발한 '크롭'과 '플라우' 가스 하베스터는 과거 뉴에덴에서 가장 발전된 형태의 하베스팅 장비였습니다. 산출량 차이는 없었지만 상대적으로 CPU 점유율이 낮았던 덕분에 크루저급 함선에 하베스터를 장착하는데 어려움을 겪고 있던 파일럿들에게는 마른 하늘의 단비와도 같은 존재였습니다. CPU 점유율을 토대로 '크롭'과 '플라우'는 일반적인 테크 I 하베스터보다 시장에서 우위에 설 수 있었습니다. <br><br>그러나 안정화된 웜홀이 발견되면서 가스 추출에 대한 연구가 다시 진행되었고 웜홀과 연결된 미개척 항성계에 거대 가스 성운이 존재한다는 사실이 드러나자 테크II 가스추출기에 대한 수요는 폭발적으로 증가하였습니다. 수요가 공급을 뛰어넘자 유명 추출사에 대한 대대적인 투자가 진행되었으며 채 몇 일이 지나기도 전, 기존 가스 추출법을 뛰어넘는 신규 기술이 탄생하였습니다. ",
|
||||
"description_ru": "Изначально разработанные и реализуемые пиратскими организациями Нового Эдема, установки для сбора газа «Кроп» и «Плоу» некогда были самыми эффективными устройствами в своем классе. Хотя они не отличались повышенным объемом добычи, их низкие требования к процессорным мощностям особенно ценились теми, кто хотел использовать большое число подобных установок на кораблях крейсерского класса. Из-за этого многие годы они считались лучше стандартной модели первой техкатегории. \n\nСитуация в корне изменилась, когда по всей галактике начали распространяться новые стабильные червоточины. Как только эти червоточины были открыты, в системах, с которыми они соединяли наш космос, были открыты гигантские газовые облака. Буквально за один день спрос на установки для сбора газа второй техкатегории взлетел до небес. Спешно было запущено несколько исследовательских проектов; в перспективные компании, которые пытались разработать усовершенствованную модель, вкладывались огромные средства. И всего через несколько дней состоялся прорыв, в результате которого установка второй техкатегории, позволяющая значительно увеличить объем добычи, вытеснила некогда драгоценные «Кроп» и «Плоу» на второе место. ",
|
||||
"description_de": "Ursprünglich von den Piratenorganisationen in New Eden entwickelt und vertrieben, verkörperten die 'Crop' und 'Plow' Gaswolken-Extraktoren einst die fortschrittlichste Technik im Bereich der Gasabbau-Ausrüstung. Obwohl sie nicht zur Erhöhung des Abbauertrags beitrugen, konnte dennoch die durch sie erzielte Entlastung der CPU viele begeistern, die zuvor Probleme damit hatten, einen kompletten Satz Abbau-Ausrüstung in einem Schiff der Kreuzerklasse zu betreiben. Diese scheinbar geringfügige Verbesserung führte dazu, dass diese beiden Extraktoren den gängigen Standard, eine Tech-I-Variante, über viele Jahre hinweg übertrafen. Dies sollte sich jedoch schnell mit dem Aufkommen neuer stabiler Wurmlöcher ändern, denn mit deren Entdeckung traten auch riesige Ansammlungen von Gaswolken in Erscheinung, die über die noch unbekannten Systeme erreicht werden konnten. Innerhalb eines einzigen Tages explodierte die Nachfrage nach Tech-II-Gaswolken-Extraktoren buchstäblich. Forschungsprojekte wurden aus dem Boden gestampft und panisch Zuschüsse an jedes Unternehmen vergeben, das versprach, ein neues Modell zu entwickeln. Ein Durchbruch stand kurz bevor, der die mächtigen Modelle 'Crop' und 'Plow' vom Thron stoßen und ihren überlegenen Tech II Nachfolger aufgrund der stark verbesserten Abbau-Ausbeute zu Ruhm verhelfen sollte.",
|
||||
"description_en-us": "Originally invented and supplied by the pirate organizations of New Eden, the 'Crop' and ‘Plow' Gas Cloud Scoops once stood as the most advanced pieces of gas harvesting equipment available. Although they did not offer any improvement in their harvesting yield, the CPU reduction was valued by many who otherwise struggled to fit a full rack of scoops to cruiser-class vessels. This one small improvement set the two scoops above the standard, Tech I variant for many years.\r\n\r\nAll that changed however when new, stable wormholes began proliferating across the cluster. As soon as the wormholes were discovered, so too, were the giant gas cloud pockets within the unknown systems they linked to. In a single day, the demand for Tech II Gas Cloud Scoop exploded. Research projects were hastily established and grants hurriedly thrown out to the most promising firms pursuing a redesign. It was only a few days before a breakthrough was made, and the mighty ‘Crop' and ‘Plow' variants soon took second place to a superior Tech II counterpart that vastly increased the harvesting yield.",
|
||||
"description_es": "Originally invented and supplied by the pirate organizations of New Eden, the 'Crop' and ‘Plow' Gas Cloud Scoops once stood as the most advanced pieces of gas harvesting equipment available. Although they did not offer any improvement in their harvesting yield, the CPU reduction was valued by many who otherwise struggled to fit a full rack of scoops to cruiser-class vessels. This one small improvement set the two scoops above the standard, Tech I variant for many years.\r\n\r\nAll that changed however when new, stable wormholes began proliferating across the cluster. As soon as the wormholes were discovered, so too, were the giant gas cloud pockets within the unknown systems they linked to. In a single day, the demand for Tech II Gas Cloud Scoop exploded. Research projects were hastily established and grants hurriedly thrown out to the most promising firms pursuing a redesign. It was only a few days before a breakthrough was made, and the mighty ‘Crop' and ‘Plow' variants soon took second place to a superior Tech II counterpart that vastly increased the harvesting yield.",
|
||||
"description_fr": "Inventés et approvisionnés par les organisations pirates de New Eden, les récupérateurs de nuages de gaz 'Moisson' et 'Sarcloir' représentaient autrefois les meilleurs équipements de récupération disponibles. Bien qu'ils n'apportaient aucune amélioration en termes de rendement, la réduction du CPU était largement appréciée par ceux qui éprouvaient des difficultés à équiper des récupérateurs à des vaisseaux de classe croiseur. Cette légère amélioration plaça les deux collecteurs au-dessus du standard Tech I pendant de nombreuses années. Toutefois, tout cela changea quand de nouveaux trous de ver stables commencèrent à proliférer dans toute la galaxie. Dès lors que ces trous de ver furent découverts, on découvrit également d'immenses poches de nuages de gaz au sein des systèmes inconnus auxquels ils étaient reliés. En l'espace d'un seul jour, la demande en récupérateurs de nuages de gaz Tech II avait littéralement explosé. Des projets de recherche furent établis à la hâte et des subventions furent précipitamment accordées aux entreprises les plus prometteuses dans ce domaine. Ce n'est que quelques jours plus tard qu'une avancée majeure fut accomplie, reléguant au second plan les puissantes variantes 'Moisson' et 'Sarcloir' au profit de Tech II, dont le rendement était largement supérieur à ses homologues.",
|
||||
"description_it": "Originally invented and supplied by the pirate organizations of New Eden, the 'Crop' and ‘Plow' Gas Cloud Scoops once stood as the most advanced pieces of gas harvesting equipment available. Although they did not offer any improvement in their harvesting yield, the CPU reduction was valued by many who otherwise struggled to fit a full rack of scoops to cruiser-class vessels. This one small improvement set the two scoops above the standard, Tech I variant for many years.\r\n\r\nAll that changed however when new, stable wormholes began proliferating across the cluster. As soon as the wormholes were discovered, so too, were the giant gas cloud pockets within the unknown systems they linked to. In a single day, the demand for Tech II Gas Cloud Scoop exploded. Research projects were hastily established and grants hurriedly thrown out to the most promising firms pursuing a redesign. It was only a few days before a breakthrough was made, and the mighty ‘Crop' and ‘Plow' variants soon took second place to a superior Tech II counterpart that vastly increased the harvesting yield.",
|
||||
"description_ja": "当初はニューエデンの海賊組織に発明され供給されていた「クロップ」と「プロー」と呼ばれるガス雲スクープは、かつては最も先進的な採掘機具として知られていた。それらに採掘能力の向上はみられないが、CPUの削減により、巡洋艦級の艦船にハーベスター一式を搭載しようと苦心していた人々に重宝された。この小さな改良ゆえに、両採掘機は長年にわたって標準的なT1バージョンの上位機種の座を保ち続けてきたのである。\n\n\n\nしかしながら、新しく安定したワームホールが星団のいたるところに急増し始め、全てが変わってしまった。ワームホールが発見されるや否や、同時に未知の星系につながる巨大なガス雲ポケットも発見された。わずか1日のうちに、T2ガス雲スクープの開発を要望する動きが爆発的に巻き起こった。これを受け研究プロジェクトが早急に立ち上げられ、新設計を追求していた有望な企業へ助成金が急いで投下された。それからわずか数日の間に技術的な突破口が発見され、偉大な「クロップ」と「プロー」は一気に旧世代のものへと降格され、採掘能力が大幅に向上したT2の機器にその座を明け渡すことになった。",
|
||||
"description_ko": "해적들이 개발한 '크롭'과 '플라우' 가스 수집기는 과거 뉴에덴에서 가장 발전된 형태의 가스 추출 장비 중 하나였습니다. 산출량의 차이는 없었지만 상대적으로 CPU 점유율이 낮았던 덕분에 크루저급 함선에 수집기를 장착하는데 어려움을 겪고 있던 파일럿들에게는 마른 하늘의 단비와도 같은 존재였습니다. CPU 점유율을 토대로 '크롭'과 '플라우'는 일반적인 테크 I 수집기보다 시장에서 우위에 설 수 있었습니다.<br><br>그러나 안정화된 웜홀이 발견되면서 가스 추출에 대한 연구가 다시 진행되었고, 웜홀과 연결된 미개척 항성계에 대규모 가스 성운이 존재한다는 사실이 드러나자 테크 II 가스 수집기에 대한 수요가 폭발적으로 증가하였습니다. 이후 수요가 공급을 뛰어넘자 추출기 생산 기업에 대한 대대적인 투자가 진행되었으며, 얼마 후 기존의 가스 추출법을 뛰어넘는 새로운 기술이 탄생하였습니다.",
|
||||
"description_ru": "Изначально разработкой и продажей газочерпателей «Кроп» и «Плау» занимались пиратские организации Нового Эдема. В своё время эти установки считались самым передовым оборудованием для добычи газа. Они не увеличивали объёмы добычи, однако меньше нагружали центральный процессор, и потому их высоко ценили владельцы крейсеров, на которых не хватало мощностей для полноценных газочерпателей. Одно небольшое улучшение обеспечило успех обоим газочерпателям первого техноуровня на многие годы. Всё изменилось, когда в секторе стали появляться новые, более стабильные червоточины. Вскоре после их открытия были обнаружены и гигантские скопления газовых облаков, находящихся в неизведанных системах по ту сторону червоточин. В тот же день спрос на газочерпатели второго техноуровня взлетел до небес. Стремительно возникали всё новые исследовательские проекты, а денежные гранты разлетались по самым перспективным компаниям, которые собирались наладить производство новых газочерпателей. Спустя несколько дней в сфере добычи газа произошёл прорыв, поэтому вскоре «Кроп» и «Плау» уступили место продвинутому газочерпателю второго техноуровня, который значительно увеличивал объёмы добычи.",
|
||||
"description_zh": "“丰收”和“除雪机”两种气云采集器最早是由新伊甸世界里的海盗组织所研制和销售,它们曾经是最先进的开采设备。尽管它们不能提供产量上的提升,但在CPU上需求的降低就足以让那些想在巡洋舰上装满采集器的飞行员趋之若鹜。很多年来,就是这么一个简单的优势使这两种采集器胜过各种一级科技的标准型号采集器。 \n\n当更多新的稳定的虫洞发开始出现在星系的各个角落的时候,这种情况就发生了改变。虫洞出现后不久,其接通大量的大型气云区域也被发现。市场对二级科技气云采集器的需求在一夜之间暴增。各种相关研究项目匆匆上马,大量的资金援助被疯狂地抛向有希望在这一竞争中出线的组织和企业。新的技术突破只是在短短几天时间里就发生了,很快,“丰收”和“除雪机”就被更加先进,采集量更加巨大的二级科技变体所取代。 ",
|
||||
"descriptionID": 94804,
|
||||
"graphicID": 11143,
|
||||
@@ -104198,14 +104198,14 @@
|
||||
"radius": 25.0,
|
||||
"techLevel": 1,
|
||||
"typeID": 25542,
|
||||
"typeName_de": "'Plow' Gas Cloud Harvester",
|
||||
"typeName_en-us": "'Plow' Gas Cloud Harvester",
|
||||
"typeName_es": "'Plow' Gas Cloud Harvester",
|
||||
"typeName_fr": "Collecteur de nuages de gaz 'Sarcloir'",
|
||||
"typeName_it": "'Plow' Gas Cloud Harvester",
|
||||
"typeName_ja": "「プロー」ガス雲採掘機",
|
||||
"typeName_ko": "'프로우' 가스 하베스터",
|
||||
"typeName_ru": "'Plow' Gas Cloud Harvester",
|
||||
"typeName_de": "'Plow' Gas Cloud Scoop ",
|
||||
"typeName_en-us": "'Plow' Gas Cloud Scoop ",
|
||||
"typeName_es": "'Plow' Gas Cloud Scoop ",
|
||||
"typeName_fr": "Récupérateur de nuages de gaz 'Sarcloir' ",
|
||||
"typeName_it": "'Plow' Gas Cloud Scoop ",
|
||||
"typeName_ja": "「プロー」ガス雲スクープ ",
|
||||
"typeName_ko": "'프로우' 가스 수집기 ",
|
||||
"typeName_ru": "'Plow' Gas Cloud Scoop ",
|
||||
"typeName_zh": "除雪机气云采集器",
|
||||
"typeNameID": 106332,
|
||||
"variationParentTypeID": 25266,
|
||||
@@ -104221,14 +104221,14 @@
|
||||
"portionSize": 1,
|
||||
"published": false,
|
||||
"typeID": 25543,
|
||||
"typeName_de": "'Plow' Gas Cloud Harvester Blueprint",
|
||||
"typeName_en-us": "'Plow' Gas Cloud Harvester Blueprint",
|
||||
"typeName_es": "'Plow' Gas Cloud Harvester Blueprint",
|
||||
"typeName_fr": "Plan de construction Collecteur de nuages de gaz 'Sarcloir'",
|
||||
"typeName_it": "'Plow' Gas Cloud Harvester Blueprint",
|
||||
"typeName_ja": "「プロー」ガス雲採掘機ブループリント",
|
||||
"typeName_ko": "'프로우' 가스 하베스터 블루프린트",
|
||||
"typeName_ru": "'Plow' Gas Cloud Harvester Blueprint",
|
||||
"typeName_de": "'Plow' Gas Cloud Scoop Blueprint",
|
||||
"typeName_en-us": "'Plow' Gas Cloud Scoop Blueprint",
|
||||
"typeName_es": "'Plow' Gas Cloud Scoop Blueprint",
|
||||
"typeName_fr": "Plan de construction Récupérateur de nuages de gaz 'Sarcloir'",
|
||||
"typeName_it": "'Plow' Gas Cloud Scoop Blueprint",
|
||||
"typeName_ja": "「プロ-」ガス雲スクープ設計図",
|
||||
"typeName_ko": "'프로우' 가스 수집기 블루프린트",
|
||||
"typeName_ru": "'Plow' Gas Cloud Scoop Blueprint",
|
||||
"typeName_zh": "除雪机气云采集器蓝图",
|
||||
"typeNameID": 70854,
|
||||
"volume": 0.01
|
||||
@@ -104236,14 +104236,14 @@
|
||||
"25544": {
|
||||
"basePrice": 30000000.0,
|
||||
"capacity": 0.0,
|
||||
"description_de": "Skill zur Gaswolken-Extraktion. Ermöglicht den Einsatz eines Moduls zur Gaswolken-Extraktion je Skillstufe.",
|
||||
"description_en-us": "Skill at harvesting gas clouds. Allows use of one gas cloud harvester per level.",
|
||||
"description_es": "Skill at harvesting gas clouds. Allows use of one gas cloud harvester per level.",
|
||||
"description_fr": "Compétence permettant la collecte de nuages de gaz. Permet d'utiliser un collecteur de nuages de gaz par niveau.",
|
||||
"description_it": "Skill at harvesting gas clouds. Allows use of one gas cloud harvester per level.",
|
||||
"description_ja": "ガス雲の採集スキル。レベル上昇ごとに一つのガス雲採掘機を使うことができる。",
|
||||
"description_ko": "가스 성운 추출을 위한 스킬입니다. 매 레벨마다 가스 하베스터 가동 대수 +1",
|
||||
"description_ru": "Навык эксплуатации установок для сбора газа. За каждую степень освоения навыка: на 1 увеличивается количество параллельно действующих на пилотируемом корабле установок для сбора газа.",
|
||||
"description_de": "Fertigkeit, Gaswolken abbauen zu können. Ermöglicht den Einsatz eines Gaswolken-Extraktors je Skillstufe.",
|
||||
"description_en-us": "Skill at harvesting gas clouds. \r\nAllows use of one Gas Cloud Scoop per level.",
|
||||
"description_es": "Skill at harvesting gas clouds. \r\nAllows use of one Gas Cloud Scoop per level.",
|
||||
"description_fr": "Compétence permettant la collecte de nuages de gaz. Permet d'utiliser un récupérateur de nuages de gaz par niveau.",
|
||||
"description_it": "Skill at harvesting gas clouds. \r\nAllows use of one Gas Cloud Scoop per level.",
|
||||
"description_ja": "ガス雲の採集スキル。 \n\nレベル上昇ごとに一つのガス雲スクープを使うことができる。",
|
||||
"description_ko": "가스 추출에 사용되는 스킬입니다.<br><br>매 스킬 레벨마다 사용 가능한 가스 수집기 +1",
|
||||
"description_ru": "Навык добычи газа из газовых облаков. Позволяет использовать один газочерпатель за каждую степень освоения навыка.",
|
||||
"description_zh": "采集气云的技能。每升一级,可同时多使用一个气云采集器。",
|
||||
"descriptionID": 90437,
|
||||
"groupID": 1218,
|
||||
@@ -110533,14 +110533,14 @@
|
||||
"25812": {
|
||||
"basePrice": 9272.0,
|
||||
"capacity": 0.0,
|
||||
"description_de": "Die Gas-Extraktoren zugrunde liegende Technologie wurde bereits vor Jahrhunderten entwickelt - in einer Zeit, in der die Gewinnung von Materialien aus dem All noch ein blühender Industriezweig war. Asteroiden-Bergleute hatten erstmals die Traktorstrahlen und katalytischen Umwandlungsprozesse im Weltraum, die heutzutage von modernen Gas-Extraktoren genutzt werden, entdeckt und für vielversprechende neue Methoden zur Gewinnung von Erz im All gehalten. Nach zahlreichen fruchtlosen Experimenten entschied sich die Industrie dazu, ihren Fokus wieder auf Lasertechnologie zu richten, die über die Zeit so weit entwickelt wurde, dass sie auch heute noch eine entscheidende Rolle im Bergbau spielt.\n\nAls die ersten interstellaren Gaswolken entdeckt wurden, stellten diese im Hinblick auf den Abbau von Rohstoffen eine besondere Herausforderung für Industrielle dar. Verschiedene Methoden kamen zum Einsatz, und obwohl der erfolgreiche Abbau stets gewährleistet war, bestand dennoch Bedarf an einer verbesserten Ausbeute. Dieses Problem konnte allerdings erst gelöst werden, als sich die Bergbauindustrie wieder lange zuvor vernachlässigten Projekten zuwandte. Seit diesem Zeitpunkt haben sich die Technologien zum Gasabbau stetig verbessert und dabei neue Industrien und Wirtschaftszweige geschaffen. \n\nDas Interesse der Wissenschaft an Gas-Extraktor-Technologie wurde mit dem Aufkommen neuer stabiler Wurmlöcher wieder geweckt, denn mit deren Entdeckung traten auch riesige Gaswolkentaschen in Erscheinung, die über die noch unbekannten Systeme erreicht werden konnten. Innerhalb eines einzigen Tages explodierte die Nachfrage nach Tech II Gaswolken-Extraktoren (Tech II Gas Cloud Harvesters) buchstäblich. Forschungsprojekte wurden aus dem Boden gestampft und panisch Zuschüsse an jedes Unternehmen vergeben, das versprach, ein neues Modell zu entwickeln. Ein Durchbruch stand kurz bevor, der die mächtigen Modelle von einst nun auf den zweiten Platz verweisen sollte. ",
|
||||
"description_en-us": "The core technology employed by Gas Harvesters dates back centuries, to a time when the extraction of material in space was still a growing industry. Originally, asteroid miners had seen the tractor beams and in-space catalytic conversions used by today's Gas Harvesters as a promising new method for extracting spacebound ore. After many unsuccessful research projects and years of fruitless experiments however, the industry decided to return its focus to laser technology, which was eventually mastered to a level that has sustained the mining profession to this day.\r\n\r\nWhen the first interstellar Gas Clouds were discovered, they proved particularly challenging for industrialists to extract raw materials from. Many methods were tried, and although successful acquisition was always guaranteed, there was a need for much greater efficiency. It was not until the mining industry returned to long-abandoned projects that a solution was found. Since that time, Gas harvesting technology has slowly moved forward, giving birth to new industries and economies in the process. \r\n\r\nResearch interest picked back up in Gas Harvesting technology when new, stable wormholes began proliferating across the cluster. As soon as the wormholes were discovered, so too, were the giant gas cloud pockets within the unknown systems they linked to. In a single day, the demand for Tech II Gas Cloud Harvester exploded. Research projects were hastily established and grants hurriedly thrown out to the most promising firms pursuing a redesign. It was only a few days before a breakthrough was made, and all the harvesting technology that had come before was quickly relegated to second place. ",
|
||||
"description_es": "The core technology employed by Gas Harvesters dates back centuries, to a time when the extraction of material in space was still a growing industry. Originally, asteroid miners had seen the tractor beams and in-space catalytic conversions used by today's Gas Harvesters as a promising new method for extracting spacebound ore. After many unsuccessful research projects and years of fruitless experiments however, the industry decided to return its focus to laser technology, which was eventually mastered to a level that has sustained the mining profession to this day.\r\n\r\nWhen the first interstellar Gas Clouds were discovered, they proved particularly challenging for industrialists to extract raw materials from. Many methods were tried, and although successful acquisition was always guaranteed, there was a need for much greater efficiency. It was not until the mining industry returned to long-abandoned projects that a solution was found. Since that time, Gas harvesting technology has slowly moved forward, giving birth to new industries and economies in the process. \r\n\r\nResearch interest picked back up in Gas Harvesting technology when new, stable wormholes began proliferating across the cluster. As soon as the wormholes were discovered, so too, were the giant gas cloud pockets within the unknown systems they linked to. In a single day, the demand for Tech II Gas Cloud Harvester exploded. Research projects were hastily established and grants hurriedly thrown out to the most promising firms pursuing a redesign. It was only a few days before a breakthrough was made, and all the harvesting technology that had come before was quickly relegated to second place. ",
|
||||
"description_fr": "La technologie de base exploitée par les collecteurs de gaz remonte à l'époque lointaine où l'extraction des ressources spatiales était encore un secteur industriel en pleine expansion. À l'origine, les mineurs d'astéroïde espéraient transférer les technologies des rayons de tractage et des conversions catalytiques spatiales, utilisées par les collecteurs de gaz de nos jours, au domaine de l'extraction minérale. Néanmoins, l'industrie minière, découragée par les échecs successifs d'innombrables projets de recherche et les années d'expérimentations stériles, opéra un retour aux sources pour se focaliser sur le développement la technologie laser, si bien qu'à ce jour, la profession repose encore sur cette technique.\n\nLa découverte des premiers nuages de gaz interstellaires représenta un véritable défi pour la branche industrielle : malgré les trésors d'ingéniosité déployés, aucune des méthodes préconisées d'extraction des matières premières ne se révéla assez efficace. Ce n'est que lorsque l'industrie minière revint à des projets abandonnés de longue date que le secret de la collecte productive fut percé. Depuis lors, la technologie de collecte de gaz évolue lentement, semant dans sa croissance les germes de nouvelles industries et d'économies.modernes. \n\nLa recherche gazière connut toutefois un regain d'intérêt notable avec l'émergence de nouveaux trous de ver stables à travers toute la galaxie, et de titanesques poches de gaz préservées au cœur des systèmes inconnus enfouis par-delà. Ainsi, en l'espace d'un seul jour, la demande en collecteurs de nuages de gaz Tech II explosa. Des projets de recherche furent conçus à la hâte, et des subventions promptement accordées aux entreprises les plus prometteuses qui s'engageaient dans une refonte des techniques de collecte. Quelques jours seulement suffirent aux ingénieurs pour réaliser une avancée majeure, qui relégua rapidement au second plan toutes les technologies d'extraction précédentes. ",
|
||||
"description_it": "The core technology employed by Gas Harvesters dates back centuries, to a time when the extraction of material in space was still a growing industry. Originally, asteroid miners had seen the tractor beams and in-space catalytic conversions used by today's Gas Harvesters as a promising new method for extracting spacebound ore. After many unsuccessful research projects and years of fruitless experiments however, the industry decided to return its focus to laser technology, which was eventually mastered to a level that has sustained the mining profession to this day.\r\n\r\nWhen the first interstellar Gas Clouds were discovered, they proved particularly challenging for industrialists to extract raw materials from. Many methods were tried, and although successful acquisition was always guaranteed, there was a need for much greater efficiency. It was not until the mining industry returned to long-abandoned projects that a solution was found. Since that time, Gas harvesting technology has slowly moved forward, giving birth to new industries and economies in the process. \r\n\r\nResearch interest picked back up in Gas Harvesting technology when new, stable wormholes began proliferating across the cluster. As soon as the wormholes were discovered, so too, were the giant gas cloud pockets within the unknown systems they linked to. In a single day, the demand for Tech II Gas Cloud Harvester exploded. Research projects were hastily established and grants hurriedly thrown out to the most promising firms pursuing a redesign. It was only a few days before a breakthrough was made, and all the harvesting technology that had come before was quickly relegated to second place. ",
|
||||
"description_ja": "ガス採掘者の使用する技術の中核は、宇宙資源の採掘がまだ成長産業であった何世紀も前のものだ。もともと、アステロイド採掘者たちは今日のガス採掘者の使っているトラクタービームや宙域用の改造版は、以前、宇宙域の鉱石採取のための有望な新技術として過去に目にしたことがあるものだった。失敗に終わった数々の研究プロジェクトと実りのない実験を何年も経たのちに、採掘産業は再度レーザー技術に焦点を当てた。のちに極められたレーザー技術は採掘産業を今日まで存続させる原動力となった。星間ガスが初めて発見された当時、実業家たちにとって星間ガスから原料を抽出する作業は困難を極めた。多くの手法が試みに移され、毎回抽出には成功していたものの、効率を大幅に上げる必要があった。採掘産業が長い間見捨てられていたプロジェクトに立ち返ったときに初めて、その解決方法が見つかったのだった。それ以来、ガス採集技術は新しい産業や経済活動を生み出しながらゆっくりと進歩を続けてきた。星団の至るところに新しく安定したワームホールが急増したときに、ガス採集技術は注目を集めたのだった。ワームホールが発見されるや否や、同時に未知の星系につながる巨大なガスポケットも発見された。わずか1日のうちに、Tech2ガス雲採集機の開発を要望する動きが爆発的に巻き起こった。これを受け研究プロジェクトが早急に立ち上げられ、新設計を追求していた有望な企業へ助成金が急いで投下された。それからわずか数日の間に技術的な突破口が発見され、それまで利用されていた採集技術は一気に旧世代のものへと降格されたのだ。",
|
||||
"description_ko": "가스 추출기의 핵심 기술은 수 세기 전 우주 자원 채취 사업 초창기로 거슬러 올라갑니다. 당시 소행성 채굴자들은 가스 추출기에서 사용되는 트랙터빔 및 촉매변환장치를 이용한 새로운 광물 추출법을 발명하기 위해 노력을 기울였습니다. 그러나 연구가 실패를 거듭하자 기존에 활용하던 레이저 기술로 회귀할 수밖에 없었고, 그 결과 레이저 기술은 채굴 업계를 지탱하는 핵심 기술로 자리를 잡게 되었습니다. <br><br>성간 가스 성운 발견 초기 추출 작업에 많은 어려움이 존재했습니다. 그 당시 다양한 추출법이 등장하였으며 대부분 성공을 거뒀음에도 불구하고 효율성에 대한 이야기는 계속해서 제기되었습니다. 결국 채굴 업계는 과거 프로젝트로 눈을 돌렸고 그 곳에서 해답을 찾는데 성공했습니다. 그 이후로 가스 추출 기술은 꾸준히 발전하였으며 그 결과 신규 사업과 시장이 개척되었습니다. <br><br>이후 안정된 웜홀이 발견되면서 가스 추출에 대한 연구는 다시금 주목을 받게 되었고 웜홀과 연결된 미개척 항성계에 거대 가스 성운이 존재한다는 사실이 드러나자 테크II 가스 하베스터에 대한 수요는 폭발적으로 증가하였습니다. 수요가 공급을 뛰어넘자 유명 추출사에 대한 대대적인 투자가 진행되었으며 채 몇 일이 지나기도 전, 기존 가스 추출법을 뛰어넘는 신규 기술이 탄생하였습니다. ",
|
||||
"description_ru": "Ключевая технология, которая используется в установках для сбора газа, была разработана много веков назад, когда добыча материалов в космосе была еще сравнительно новым занятием. Первоначально астероидные шахтеры рассматривали гравитационные манипуляторы и космические конвертеры-катализаторы, используемые в современных установках для сбора газа, как новый, многообещающий метод добычи руды в космосе. Тем не менее, после множества безуспешных исследовательских проектов и бесплодных экспериментов, было решено вернуться к лазерным технологиям. Со временем они были усовершенствованы до такой степени, что шахтерская профессия процветает и по сей день.\n\nКогда были открыты первые межзвездные газовые облака, добыча сырья в них оказалась особенно сложной задачей. Были испробованы самые разнообразные методы: хотя какое-то количество материалов в облаке получить можно всегда, эффективность добычи оставалась крайне низкой. Решение было найдено только тогда, когда добывающая отрасль вернулась к старым и почти забытым технологиям. С того времени технология сбора газа постепенно развивалась, между делом давая толчок к развитию новых отраслей и сфер деятельности. \n\nИнтерес исследовательских компаний к технологии сбора газа снова возрос после того, как по всей галактике начали распространяться новые стабильные червоточины. Как только эти червоточины были открыты, в системах, с которыми они соединяли наш космос, были открыты гигантские газовые облака. Буквально за один день спрос на установки для сбора газа второй техкатегории взлетел до небес. Спешно было запущено несколько исследовательских проектов; в перспективные компании, которые пытались разработать усовершенствованную модель, вкладывались огромные средства. И всего через несколько дней состоялся прорыв, в результате которого прежние технологии были отброшены на второе место. ",
|
||||
"description_de": "Die Gas-Extraktoren zugrunde liegende Technologie wurde bereits vor Jahrhunderten entwickelt - in einer Zeit, in der die Gewinnung von Materialien aus dem All noch ein blühender Industriezweig war. Asteroiden-Bergleute hielten die Traktorstrahlen und katalytische Umwandlungsprozesse im Weltraum, die heutzutage von modernen Gas-Extraktoren genutzt werden, für vielversprechende neue Methoden zur Gewinnung von Erzen im All. Nach zahlreichen fruchtlosen Experimenten entschied sich die Industrie dazu, ihren Fokus wieder auf Lasertechnologie zu richten, die über die Zeit so weit entwickelt wurde, dass sie auch heute noch eine entscheidende Rolle im Bergbau spielt. Als die ersten interstellaren Gaswolken entdeckt wurden, stellten diese im Hinblick auf den Abbau von Rohmaterial eine besondere Herausforderung für Industrielle dar. Verschiedene Methoden kamen zum Einsatz, und obwohl der erfolgreiche Abbau stets gewährleistet war, bestand dennoch Bedarf an größerer Abbaueffizienz. Dieses Problem konnte allerdings erst gelöst werden, als sich die Bergbauindustrie wieder lange zuvor vernachlässigten Projekten zuwandte. Seit diesem Zeitpunkt haben sich die Technologien zum Gasabbau stetig verbessert und dabei neue Industrien und Wirtschaftszweige geschaffen. Das Interesse der Wissenschaft an Gas-Extraktor-Technologie wurde mit dem Aufkommen neuer stabiler Wurmlöcher wieder geweckt. denn mit deren Entdeckung traten auch riesige Ansammlungen von Gaswolken in Erscheinung, die über die noch unbekannten Systeme erreicht werden konnten. Innerhalb eines einzigen Tages explodierte die Nachfrage nach Tech-II-Gaswolken-Extraktoren buchstäblich. Forschungsprojekte wurden aus dem Boden gestampft und panisch Zuschüsse an jedes Unternehmen vergeben, das versprach, ein neues Modell zu entwickeln. Ein Durchbruch stand kurz bevor, der die mächtigen Modelle von einst nun auf den zweiten Platz verweisen sollte.",
|
||||
"description_en-us": "The core technology employed by Gas Scoops dates back centuries, to a time when the extraction of material in space was still a growing industry. Originally, asteroid miners had seen the tractor beams and in-space catalytic conversions used by today's Gas Scoops as a promising new method for extracting spaceborne ores. After many unsuccessful research projects and years of fruitless experiments however, the industry decided to return its focus to laser technology, which was eventually mastered to a level that has sustained the mining profession to this day.\r\n\r\nWhen the first interstellar Gas Clouds were discovered, they proved particularly challenging for industrialists to extract raw materials from. Many methods were tried, and although successful acquisition was always guaranteed, there was a need for much greater efficiency. It was not until the mining industry returned to long-abandoned projects that a solution was found. Since that time, Gas harvesting technology has slowly moved forward, giving birth to new industries and economies in the process.\r\n\r\nResearch interest picked back up in Gas harvesting technology when new, stable wormholes began proliferating across the cluster. As soon as the wormholes were discovered, so too, were the giant gas cloud pockets within the unknown systems they linked to. In a single day, the demand for Tech II Gas Cloud Scoop exploded. Research projects were hastily established and grants hurriedly thrown out to the most promising firms pursuing a redesign. It was only a few days before a breakthrough was made, and all the harvesting technology that had come before was quickly relegated to second place.",
|
||||
"description_es": "The core technology employed by Gas Scoops dates back centuries, to a time when the extraction of material in space was still a growing industry. Originally, asteroid miners had seen the tractor beams and in-space catalytic conversions used by today's Gas Scoops as a promising new method for extracting spaceborne ores. After many unsuccessful research projects and years of fruitless experiments however, the industry decided to return its focus to laser technology, which was eventually mastered to a level that has sustained the mining profession to this day.\r\n\r\nWhen the first interstellar Gas Clouds were discovered, they proved particularly challenging for industrialists to extract raw materials from. Many methods were tried, and although successful acquisition was always guaranteed, there was a need for much greater efficiency. It was not until the mining industry returned to long-abandoned projects that a solution was found. Since that time, Gas harvesting technology has slowly moved forward, giving birth to new industries and economies in the process.\r\n\r\nResearch interest picked back up in Gas harvesting technology when new, stable wormholes began proliferating across the cluster. As soon as the wormholes were discovered, so too, were the giant gas cloud pockets within the unknown systems they linked to. In a single day, the demand for Tech II Gas Cloud Scoop exploded. Research projects were hastily established and grants hurriedly thrown out to the most promising firms pursuing a redesign. It was only a few days before a breakthrough was made, and all the harvesting technology that had come before was quickly relegated to second place.",
|
||||
"description_fr": "La technologie de base utilisée par les récupérateurs à gaz date de plusieurs siècles, à l'époque où l'extraction des matériaux dans l'espace était encore une entreprise en pleine expansion. À l'origine, les mineurs d'astéroïde considéraient les rayons de tractage et les conversions catalytiques spatiales utilisées par les récupérateurs de gaz actuels comme une nouvelle méthode prometteuse visant à extraire des minerais de l'espace. Toutefois, après de nombreux projets de recherche infructueux et des années d'expériences stériles, l'industrie décida de se concentrer sur la technologie au laser, dont le niveau de maîtrise permettait finalement de subvenir aux besoins de la profession. Quand les premiers nuages de gaz interstellaires ont été découverts, les industriels ont éprouvé toutes les peines du monde à en extraire des matières premières. De nombreuses méthodes ont été testées et, bien que l'acquisition de ces matières était toujours garantie, il y avait un besoin réel d'améliorer l'efficacité de ces méthodes d'extraction. Ce n'est que lorsque l'industrie de l'extraction minière a repris ses projets abandonnés de longue date qu'une solution a enfin été trouvée. Depuis lors, la technologie de collecte de gaz a lentement évolué, donnant naissance à de nouvelles industries et autres économies par l'intermédiaire de ce processus. La technologie de collecte de gaz connut un regain d'intérêt quand de nouveaux trous de ver stables commencèrent à proliférer dans toute la galaxie. Dès lors que ces trous de ver furent découverts, on découvrit également d'immenses poches de nuages de gaz au sein des systèmes inconnus auxquels ils étaient reliés. En l'espace d'un seul jour, la demande en récupérateurs de nuages de gaz Tech II avait littéralement explosé. Des projets de recherche furent établis à la hâte et des subventions furent précipitamment accordées aux entreprises les plus prometteuses dans ce domaine. Ce n'est que quelques jours plus tard qu'une avancée majeure fut accomplie, reléguant au second plan toutes les technologies d'extraction qui avaient été mises au point jusque-là.",
|
||||
"description_it": "The core technology employed by Gas Scoops dates back centuries, to a time when the extraction of material in space was still a growing industry. Originally, asteroid miners had seen the tractor beams and in-space catalytic conversions used by today's Gas Scoops as a promising new method for extracting spaceborne ores. After many unsuccessful research projects and years of fruitless experiments however, the industry decided to return its focus to laser technology, which was eventually mastered to a level that has sustained the mining profession to this day.\r\n\r\nWhen the first interstellar Gas Clouds were discovered, they proved particularly challenging for industrialists to extract raw materials from. Many methods were tried, and although successful acquisition was always guaranteed, there was a need for much greater efficiency. It was not until the mining industry returned to long-abandoned projects that a solution was found. Since that time, Gas harvesting technology has slowly moved forward, giving birth to new industries and economies in the process.\r\n\r\nResearch interest picked back up in Gas harvesting technology when new, stable wormholes began proliferating across the cluster. As soon as the wormholes were discovered, so too, were the giant gas cloud pockets within the unknown systems they linked to. In a single day, the demand for Tech II Gas Cloud Scoop exploded. Research projects were hastily established and grants hurriedly thrown out to the most promising firms pursuing a redesign. It was only a few days before a breakthrough was made, and all the harvesting technology that had come before was quickly relegated to second place.",
|
||||
"description_ja": "ガススクープで中心となる技術は、宇宙空間での物質の採掘がまだ成長産業であった数世紀前にさかのぼるものである。現在のガススクープが採用している、トラクタービームと宙域での触媒転換の組み合わせは、当時のアステロイド採掘者が有望な次世代採掘技術として着目していたものだ。しかし度重なる研究プロジェクトの失敗と成果のあがらない実験に明け暮れる年月の果てに、業界はふたたびレーザー採掘技術へと関心を戻し、これが後に進歩して現在の採掘業を支えるまでに達した。\n\n\n\n最初の惑星間ガス雲が発見された当時、そこから資源を採掘するのは非常に困難だということが判明した。数多くの方法が試され、毎回抽出には成功していたものの、効率を大幅に上げる必要があった。その後ある解決法が見つかり、ようやく放棄されて久しいプロジェクトがふたたび脚光を浴びる。以来、ガス採集技術は新たな産業と経済を生み出しながら、ゆるやかに進歩を続けてきた。\n\n\n\n星団の至るところに新しく安定したワームホールが急増したときに、ガス採集技術は再度注目を集めた。ワームホールが発見されるや否や、同時に未知の星系につながる巨大なガスポケットも発見された。その日のうちに、T2ガス雲採掘機を求める声が爆発的に巻き起こった。これを受け研究プロジェクトが早急に立ち上げられ、新設計を追求していた有望な企業へ助成金が急いで投下された。それからわずか数日の間に技術的な突破口が発見され、それまで利用されていた採集技術は一気に旧世代のものへと降格されたのだ。",
|
||||
"description_ko": "가스 수집기의 핵심 기술은 수 세기 전 우주 자원 채취 사업 초창기로 거슬러 올라갑니다. 당시 소행성 채굴자들은 가스 수집기에서 사용되는 인양 장치와 촉매변환기를 이용한 새로운 광물 추출법을 발명하기 위해 노력을 기울였습니다. 그러나 연구가 실패를 거듭하자 기존에 활용하던 레이저 기술로 회귀할 수밖에 없었고, 그 결과 레이저 기술은 채굴 업계를 지탱하는 핵심 기술로 자리를 잡게 되었습니다. <br><br>가스 성운이 처음 발견되었을 당시 추출 작업에 많은 어려움이 존재했습니다. 당시 수많은 추출법이 등장하였고, 대부분은 성공을 거뒀으나 효율성에 대한 논란은 지속적으로 제기되었습니다. 결국 채굴 업계는 과거의 프로젝트로 눈을 돌렸고 그 곳에서 해답을 찾는데 성공했습니다. 그 이후로 가스 추출 기술은 꾸준히 발전하였으며, 그 결과 새로운 사업과 시장이 개척되었습니다. <br><br>이후 안정화된 웜홀이 발견되면서 가스 추출에 관한 연구가 다시금 주목을 받게 되었습니다. 추후 웜홀과 연결된 미개척 항성계에 대규모 가스 성운이 존재한다는 사실이 밝혀지자 테크 II 가스 수집기에 대한 수요가 폭발적으로 증가했습니다. 이후 수요가 공급을 뛰어넘자 추출기 생산 기업에 대한 대대적인 투자가 진행되었으며, 얼마 후 기존의 가스 추출법을 뛰어넘는 새로운 기술이 탄생하였습니다.",
|
||||
"description_ru": "Ключевая технология газочерпателей была разработана сотни лет назад, когда добыча материалов в космосе только набирала обороты. Изначально шахтёры астероидов рассматривали сочетание гравизахвата и полевой каталитической переработки, используемых в современных газочерпателях, как многообещающий новый метод добычи космических руд, однако после череды провальных исследований и многолетних безрезультатных экспериментов промышленники решили вернуться к лазерной технологии, которая в итоге достигла высочайшего уровня развития и стала незаменимой в бурении. После открытия первых межзвёздных газовых облаков выяснилось, что добывать сырьё из них — весьма непростая задача. Промышленники перепробовали множество методов добычи, которые позволяли получить нужные ресурсы, однако были недостаточно эффективны. Подходящее решение удалось найти лишь после того, как представители добывающей промышленности вернулись к давно забытым проектам. С того времени технология добычи газа медленно, но верно развивается, попутно порождая новые индустрии и экономические системы. Исследователи решили ещё раз обратиться к технологии добычи газа, когда в секторе стали появляться новые, более стабильные червоточины. Вскоре после их открытия были обнаружены и гигантские скопления газовых облаков, находящихся в неизведанных системах по ту сторону червоточин. В тот же день спрос на газочерпатели второго техноуровня взлетел до небес. Стремительно возникали всё новые исследовательские проекты, а денежные гранты разлетались по самым перспективным компаниям, которые собирались наладить производство новых газочерпателей. Спустя несколько дней в сфере добычи газа произошёл прорыв, и все ранее существующие технологии мгновенно устарели.",
|
||||
"description_zh": "气云采集器所使用的核心技术已经有数百年的历史,空间开采技术在那时还处于发展的阶段。最初,小行星采矿人就认为今天使用在气云采集器中的牵引光束技术和空间晶体转换技术将会带来新的空间采矿革命。在经历了无数失败的研究和实验过后,小行星矿产业又把重心重新转回到了激光技术上,最终引导了激光技术的完全成熟并持续使用至今。\n\n在第一个星际气云带被发现之后,如何从中提取原始材料成为工业界最大的难题。很多种不同的方法都被用以实验,尽管成功提取的案例很多,但还没有找到真正高效的采集方式。直到人们重新拾起那个曾经被放弃的研发项目,一个真正的解决方案才就此诞生。此后,气云采集技术不停地缓慢地向前发展,在这个过程中它也不断推动着新工业和新经济的产生。 \n\n当更多更稳定的虫洞开始出现在星系的各个角落,其中的大型气云区域让工业研发的目光又一次回到气云采集技术的革新项目上。虫洞出现后不久,其接通大量的大型气云区域也被发现。市场对二级科技气云采集器的需求在一夜之间暴增。各种相关研究项目匆匆上马,大量的资金援助被疯狂地抛向有希望在这一竞争中出线的组织和企业。新的技术突破只是在短短几天时间里就发生了,很快,旧有的气云采集技术就被更加先进,采集量更加巨大的二级科技变体所取代。 ",
|
||||
"descriptionID": 94801,
|
||||
"graphicID": 11267,
|
||||
@@ -110556,14 +110556,14 @@
|
||||
"radius": 25.0,
|
||||
"techLevel": 2,
|
||||
"typeID": 25812,
|
||||
"typeName_de": "Gas Cloud Harvester II",
|
||||
"typeName_en-us": "Gas Cloud Harvester II",
|
||||
"typeName_es": "Gas Cloud Harvester II",
|
||||
"typeName_fr": "Collecteur de nuages de gaz II",
|
||||
"typeName_it": "Gas Cloud Harvester II",
|
||||
"typeName_ja": "ガス雲採掘機II",
|
||||
"typeName_ko": "가스 하베스터 II",
|
||||
"typeName_ru": "Gas Cloud Harvester II",
|
||||
"typeName_de": "Gas Cloud Scoop II",
|
||||
"typeName_en-us": "Gas Cloud Scoop II",
|
||||
"typeName_es": "Gas Cloud Scoop II",
|
||||
"typeName_fr": "Récupérateur de nuages de gaz II",
|
||||
"typeName_it": "Gas Cloud Scoop II",
|
||||
"typeName_ja": "ガス雲スクープII",
|
||||
"typeName_ko": "가스 수집기 II",
|
||||
"typeName_ru": "Gas Cloud Scoop II",
|
||||
"typeName_zh": "气云采集器 II",
|
||||
"typeNameID": 106329,
|
||||
"variationParentTypeID": 25266,
|
||||
@@ -110580,14 +110580,14 @@
|
||||
"published": true,
|
||||
"techLevel": 2,
|
||||
"typeID": 25813,
|
||||
"typeName_de": "Gas Cloud Harvester II Blueprint",
|
||||
"typeName_en-us": "Gas Cloud Harvester II Blueprint",
|
||||
"typeName_es": "Gas Cloud Harvester II Blueprint",
|
||||
"typeName_fr": "Plan de construction Collecteur de nuages de gaz II",
|
||||
"typeName_it": "Gas Cloud Harvester II Blueprint",
|
||||
"typeName_ja": "ガス雲採掘機IIブループリント",
|
||||
"typeName_ko": "가스 하베스터 II 블루프린트",
|
||||
"typeName_ru": "Gas Cloud Harvester II Blueprint",
|
||||
"typeName_de": "Gas Cloud Scoop II Blueprint",
|
||||
"typeName_en-us": "Gas Cloud Scoop II Blueprint",
|
||||
"typeName_es": "Gas Cloud Scoop II Blueprint",
|
||||
"typeName_fr": "Plan de construction Récupérateur de nuages de gaz II",
|
||||
"typeName_it": "Gas Cloud Scoop II Blueprint",
|
||||
"typeName_ja": "ガス雲スクープII設計図",
|
||||
"typeName_ko": "가스 수집기 II 블루프린트",
|
||||
"typeName_ru": "Gas Cloud Scoop II Blueprint",
|
||||
"typeName_zh": "气云采集器蓝图 II",
|
||||
"typeNameID": 72517,
|
||||
"volume": 0.01
|
||||
@@ -179617,14 +179617,14 @@
|
||||
"28583": {
|
||||
"basePrice": 80000000.0,
|
||||
"capacity": 0.0,
|
||||
"description_de": "Ein elektronisches Interface, das entwickelt wurde, um die Stationierung der Rorqual in ihrem Industrie-Modus zu erleichtern. Während sie stationiert ist, wird die Energie aus den Triebwerken der Rorqual in mächtige Schilde, verbesserte Bergbauvorarbeiterstrahlen und eine deutlich verbesserte Koordination von Bergbaudrohnen umgeleitet. Stationierte Rorquals erhalten zudem Zugriff auf eine einzigartige Maschinerie, mit der Asteroiden-Erz und Eis verdichtet werden kann. Die Vorteile der Nutzung dieses Moduls zusammen mit ähnlichen Modulen, die sich auf dieselben Attribute auswirken, werden mit sinkenden Erträgen einhergehen. Hinweis: Kann nur in das Rorqual ORE Capital-Schiff eingebaut werden.",
|
||||
"description_en-us": "An electronic interface designed to facilitate the deployment of the Rorqual into its industrial configuration. Whilst in the deployed configuration, energy from the Rorqual's engines is channeled into incredible shield defenses, improved mining foreman bursts and significantly enhanced mining drone coordination. Deployed Rorquals also gain access to special assembly lines which can compress asteroid ore and ice.\r\n\r\nBenefits of using this module alongside other modules that affect the same attributes will be subject to diminishing returns.\r\nNote: Can only be fitted to the Rorqual ORE capital ship.",
|
||||
"description_es": "An electronic interface designed to facilitate the deployment of the Rorqual into its industrial configuration. Whilst in the deployed configuration, energy from the Rorqual's engines is channeled into incredible shield defenses, improved mining foreman bursts and significantly enhanced mining drone coordination. Deployed Rorquals also gain access to special assembly lines which can compress asteroid ore and ice.\r\n\r\nBenefits of using this module alongside other modules that affect the same attributes will be subject to diminishing returns.\r\nNote: Can only be fitted to the Rorqual ORE capital ship.",
|
||||
"description_fr": "Interface électronique conçue pour faciliter le déploiement du Rorqual en configuration industrielle. En configuration industrielle, l'énergie produite par les moteurs du Rorqual alimente efficacement les gigantesques boucliers défensifs, les salves de contremaîtrise minière et la plateforme de coordination des drones d'extraction. Les Rorqual déployés ont également accès à des chaînes d'assemblage spécialisées, dédiées à la compression des minerais d'astéroïde et de la glace. Les bénéfices de l'utilisation de ce module en complément d'autres modules influant sur les mêmes attributs seront soumis à un rendement décroissant. Remarque : réservé au vaisseau capital de classe Rorqual conçu par l'ORE.",
|
||||
"description_it": "An electronic interface designed to facilitate the deployment of the Rorqual into its industrial configuration. Whilst in the deployed configuration, energy from the Rorqual's engines is channeled into incredible shield defenses, improved mining foreman bursts and significantly enhanced mining drone coordination. Deployed Rorquals also gain access to special assembly lines which can compress asteroid ore and ice.\r\n\r\nBenefits of using this module alongside other modules that affect the same attributes will be subject to diminishing returns.\r\nNote: Can only be fitted to the Rorqual ORE capital ship.",
|
||||
"description_ja": "ロークアルを輸送艦として使用するための電子インターフェイス。展開形態になると、ロークアルから出力したエンジンのエネルギーは、驚異的なシールド防御、採掘支援バーストの改善、採掘専門ドローンの連携の大幅強化に注ぎ込まれる。展開したロークアルは、アステロイドの鉱石や氷を圧縮することができる特別な組み立てラインにもアクセス可能だ。\n\n\n\nこのモジュールは同属性の効果がある別のモジュールと併用すると、リターン減少の対象となる。\n\n注:ロークウォル鉱石母艦にのみ搭載可能。",
|
||||
"description_ko": "로퀄의 산업 모드 설정을 위한 전자 인터페이스입니다. 모드 활성화 시 엔진에 가용 중인 전력이 실드로 전환되며 채광 버스트 및 채굴 드론의 기능이 향상됩니다. 추가로 광물 및 아이스 압착을 위한 특수 생산라인을 가동할 수 있습니다.<br><br>함선에 동일한 속성의 모듈을 함께 장착할 경우 페널티가 부여됩니다.<br><br>참고: 로퀄 ORE 캐피탈 함선에만 장착할 수 있습니다.",
|
||||
"description_ru": "Электронный интерфейс, предназначенный для перенаправления мощностей в промышленном корабле типа «Рорквал» В развёрнутом состоянии энергия двигательной установки направляется на мощнейшие щиты корабля, на усиление импульсных систем координации добычи сырья и на значительное улучшение координации буровых дронов. Кроме того, в этом состоянии возможна работа особых сборочных линий, которые могут сжимать добываемую в астероидах руду и лёд. Установка двух и более модулей, влияющих на одну и ту же характеристику, приведёт к снижению эффективности их действия. Примечание: может устанавливаться только на промышленных кораблях корпорации ОРЭ типа «Рорквал».",
|
||||
"description_de": "Ein elektronisches Interface, das entwickelt wurde, um die Stationierung der Rorqual in ihrem Industrie-Modus zu erleichtern. Während sie stationiert ist, wird die Energie aus den Triebwerken der Rorqual in mächtige Schilde, verbesserte Bergbauvorarbeiterstrahlen und eine deutlich verbesserte Koordination von Bergbaudrohnen umgeleitet. Stationierte Rorquals erhalten zudem Zugriff auf eine einzigartige Maschinerie, mit der Asteroiden-Erz und Eis verdichtet werden kann. Die Vorteile der Nutzung dieses Moduls zusammen mit ähnlichen Modulen, die sich auf dieselben Attribute auswirken, werden mit sinkenden Erträgen einhergehen. Hinweis: Kann nur in das Capital-Industrieschiff Rorqual eingebaut werden.",
|
||||
"description_en-us": "An electronic interface designed to facilitate the deployment of the Rorqual into its industrial configuration. Whilst in the deployed configuration, energy from the Rorqual's engines is channeled into incredible shield defenses, improved mining foreman bursts and significantly enhanced mining drone coordination. Deployed Rorquals also gain access to special assembly lines which can compress asteroid ore and ice.\r\n\r\nBenefits of using this module alongside other modules that affect the same attributes will be subject to diminishing returns.\r\n\r\nNote: Can only be fitted to the Rorqual industrial capital ship.",
|
||||
"description_es": "An electronic interface designed to facilitate the deployment of the Rorqual into its industrial configuration. Whilst in the deployed configuration, energy from the Rorqual's engines is channeled into incredible shield defenses, improved mining foreman bursts and significantly enhanced mining drone coordination. Deployed Rorquals also gain access to special assembly lines which can compress asteroid ore and ice.\r\n\r\nBenefits of using this module alongside other modules that affect the same attributes will be subject to diminishing returns.\r\n\r\nNote: Can only be fitted to the Rorqual industrial capital ship.",
|
||||
"description_fr": "Interface électronique conçue pour faciliter le déploiement du Rorqual en configuration industrielle. En configuration industrielle, l'énergie produite par les moteurs du Rorqual alimente efficacement les gigantesques boucliers défensifs, les salves de contremaîtrise minière et la plateforme de coordination des drones d'extraction. Les Rorqual déployés ont également accès à des chaînes d'assemblage spécialisées, dédiées à la compression des minerais d'astéroïde et de la glace. Les bénéfices de l'utilisation de ce module en complément d'autres modules influant sur les mêmes attributs seront soumis à un rendement décroissant. Remarque : réservé aux vaisseaux capitaux industrielx de classe Rorqual.",
|
||||
"description_it": "An electronic interface designed to facilitate the deployment of the Rorqual into its industrial configuration. Whilst in the deployed configuration, energy from the Rorqual's engines is channeled into incredible shield defenses, improved mining foreman bursts and significantly enhanced mining drone coordination. Deployed Rorquals also gain access to special assembly lines which can compress asteroid ore and ice.\r\n\r\nBenefits of using this module alongside other modules that affect the same attributes will be subject to diminishing returns.\r\n\r\nNote: Can only be fitted to the Rorqual industrial capital ship.",
|
||||
"description_ja": "ロークアルを輸送艦として使用するための電子インターフェイス。展開形態になると、ロークアルから出力したエンジンのエネルギーは、驚異的なシールド防御、採掘支援バーストの改善、採掘専門ドローンの連携の大幅強化に注ぎ込まれる。展開したロークアルは、アステロイドの鉱石やアイスを圧縮することができる特別な作業ラインにもアクセスできるようになる。\n\n\n\nこのモジュールは同属性の効果がある別のモジュールと併用すると、リターン減少の対象となる。\n\n\n\n注:ロークアル採掘支援主力艦にのみ搭載可能。",
|
||||
"description_ko": "로퀄의 산업 모드 설정을 위한 전자 인터페이스입니다. 모드 활성화 시 엔진에 가용 중인 전력이 실드로 전환되며 채광 버스트 및 채굴 드론의 기능이 향상됩니다. 추가로 광물 및 아이스 압착을 위한 특수 생산라인을 가동할 수 있습니다.<br><br>함선에 동일한 속성의 모듈을 함께 장착할 경우 페널티가 부여됩니다.<br><br>참고: 로퀄에만 장착할 수 있습니다.",
|
||||
"description_ru": "Электронный интерфейс, предназначенный для перенаправления мощностей в промышленном корабле типа «Рорквал» В развёрнутом состоянии энергия двигательной установки направляется на мощнейшие щиты корабля, на усиление импульсных систем координации добычи сырья и на значительное улучшение координации буровых дронов. Кроме того, в этом состоянии возможна работа особых сборочных линий, которые могут сжимать добываемую в астероидах руду и лёд. Установка двух и более модулей, влияющих на одну и ту же характеристику, приведёт к снижению эффективности их действия. Примечание: может устанавливаться только на промышленных кораблях большого тоннажа типа «Рорквал».",
|
||||
"description_zh": "一种方便长须鲸级进入其工业配置的电子接口。在部署配置后,长须鲸级引擎的能量被转移到强大的护盾防御体系中,提高开采先锋模块效果,并极大提升采矿无人机的协调性。部署后的长须鲸级还可提供特殊的装配线,用来压缩小行星矿和冰矿。\n\n\n\n在一个建筑上使用多个这种装备或类似装备提供同种增益将削弱实际使用效果。\n\n注:只能装配在长须鲸级上。",
|
||||
"descriptionID": 90845,
|
||||
"groupID": 515,
|
||||
@@ -179639,14 +179639,14 @@
|
||||
"radius": 1.0,
|
||||
"techLevel": 1,
|
||||
"typeID": 28583,
|
||||
"typeName_de": "Industrial Core I",
|
||||
"typeName_de": "Capital Industrial Core I",
|
||||
"typeName_en-us": "Capital Industrial Core I",
|
||||
"typeName_es": "Capital Industrial Core I",
|
||||
"typeName_fr": "Cellule industrielle I",
|
||||
"typeName_fr": "Cellule industrielle capitale I",
|
||||
"typeName_it": "Capital Industrial Core I",
|
||||
"typeName_ja": "インダストリアルコアI",
|
||||
"typeName_ko": "인더스트리얼 코어 I",
|
||||
"typeName_ru": "Industrial Core I",
|
||||
"typeName_ja": "キャピタル工業コアI",
|
||||
"typeName_ko": "캐피탈 인더스트리얼 코어 I",
|
||||
"typeName_ru": "Capital Industrial Core I",
|
||||
"typeName_zh": "工业核心 I",
|
||||
"typeNameID": 100615,
|
||||
"volume": 4000.0
|
||||
@@ -179664,14 +179664,14 @@
|
||||
"radius": 1.0,
|
||||
"techLevel": 1,
|
||||
"typeID": 28584,
|
||||
"typeName_de": "Industrial Core I Blueprint",
|
||||
"typeName_de": "Capital Industrial Core I Blueprint",
|
||||
"typeName_en-us": "Capital Industrial Core I Blueprint",
|
||||
"typeName_es": "Capital Industrial Core I Blueprint",
|
||||
"typeName_fr": "Plan de construction Cellule industrielle I",
|
||||
"typeName_fr": "Plan de construction Cellule industrielle capitale I",
|
||||
"typeName_it": "Capital Industrial Core I Blueprint",
|
||||
"typeName_ja": "インダストリアルコアIブループリント",
|
||||
"typeName_ko": "인더스트리얼 코어 I 블루프린트",
|
||||
"typeName_ru": "Industrial Core I Blueprint",
|
||||
"typeName_ja": "キャピタル工業コアI設計図",
|
||||
"typeName_ko": "캐피탈 인더스트리얼 코어 I 블루프린트",
|
||||
"typeName_ru": "Capital Industrial Core I Blueprint",
|
||||
"typeName_zh": "工业核心蓝图 I",
|
||||
"typeNameID": 104345,
|
||||
"volume": 0.01
|
||||
@@ -179679,14 +179679,14 @@
|
||||
"28585": {
|
||||
"basePrice": 30000000.0,
|
||||
"capacity": 0.0,
|
||||
"description_de": "Fertigkeit Industrial Core-Module einsetzen zu können. Pro Skillstufe wird der Verbrauch von schwerem Wasser bei der Aktivierung eines solchen Moduls um 50 Einheiten reduziert.",
|
||||
"description_en-us": "Skill at the operation of industrial core modules. 50-unit reduction in heavy water consumption amount for module activation per skill level.",
|
||||
"description_es": "Skill at the operation of industrial core modules. 50-unit reduction in heavy water consumption amount for module activation per skill level.",
|
||||
"description_fr": "Compétence liée à l'utilisation des modules de cellule industrielle. Réduit de 50 unités la consommation d'eau lourde pour l'activation des modules par niveau de compétence.",
|
||||
"description_it": "Skill at the operation of industrial core modules. 50-unit reduction in heavy water consumption amount for module activation per skill level.",
|
||||
"description_ja": "インダストリアルコアモジュールを操作するためのスキル。スキルレベル上昇ごとにモジュール起動時の重水消費量が50ユニット減少する。",
|
||||
"description_ko": "산업용 코어 모듈 사용을 위한 스킬입니다. 매 레벨마다 모듈 활성화 시 소모되는 중수 50-유닛 감소",
|
||||
"description_ru": "Навык эксплуатации реконфигураторов промышленного профиля. За каждую степень освоения навыка: на 50 единиц сокращается потребление тяжёлой воды при включении реконфигуратора промышленного профиля.",
|
||||
"description_de": "Skill zur Bedienung von Capital-Industriekernmodulen. Pro Skillstufe wird der Verbrauch von schwerem Wasser bei der Aktivierung eines solchen Moduls um 50 Einheiten reduziert.",
|
||||
"description_en-us": "Skill at the operation of capital industrial core modules.\r\n50-unit reduction in heavy water consumption amount for module activation per skill level.",
|
||||
"description_es": "Skill at the operation of capital industrial core modules.\r\n50-unit reduction in heavy water consumption amount for module activation per skill level.",
|
||||
"description_fr": "Compétence liée à l'utilisation des modules de cellules industrielles capitales. Réduit de 50 unités la consommation d'eau lourde pour l'activation des modules par niveau de compétence.",
|
||||
"description_it": "Skill at the operation of capital industrial core modules.\r\n50-unit reduction in heavy water consumption amount for module activation per skill level.",
|
||||
"description_ja": "キャピタル工業コアモジュールを操作するためのスキル。\n\nスキルレベル上昇ごとにモジュール起動時の重水消費量が50ユニット減少する。",
|
||||
"description_ko": "캐피탈 인더스트리얼 코어 모듈을 사용하기 위해 필요한 스킬입니다.<br><br>매 레벨마다 소모되는 중수의 양이 50 유닛 감소합니다.",
|
||||
"description_ru": "Навык управления модулями промышленных ядер КБТ. Сокращение расхода тяжёлой воды для активации модуля на 50 ед. за каждую степень освоения навыка.",
|
||||
"description_zh": "操控工业核心的技能。每升一级,该模块激活时的重水消耗量减少50个单位。",
|
||||
"descriptionID": 90722,
|
||||
"groupID": 1218,
|
||||
@@ -179698,14 +179698,14 @@
|
||||
"published": true,
|
||||
"radius": 1.0,
|
||||
"typeID": 28585,
|
||||
"typeName_de": "Industrial Reconfiguration",
|
||||
"typeName_de": "Capital Industrial Reconfiguration",
|
||||
"typeName_en-us": "Capital Industrial Reconfiguration",
|
||||
"typeName_es": "Capital Industrial Reconfiguration",
|
||||
"typeName_fr": "Reconfiguration industrielle",
|
||||
"typeName_fr": "Reconfiguration industrielle capitale",
|
||||
"typeName_it": "Capital Industrial Reconfiguration",
|
||||
"typeName_ja": "工業レコンフィグレーション",
|
||||
"typeName_ko": "인더스트리얼 모듈 구조 변경",
|
||||
"typeName_ru": "Реконфигураторы промышленного профиля",
|
||||
"typeName_ja": "キャピタル工業レコンフィグレーション",
|
||||
"typeName_ko": "캐피탈 인더스트리얼 모듈 구조 변경",
|
||||
"typeName_ru": "Capital Industrial Reconfiguration",
|
||||
"typeName_zh": "工业重配置技术",
|
||||
"typeNameID": 100456,
|
||||
"volume": 0.01
|
||||
@@ -180415,6 +180415,7 @@
|
||||
"mass": 1000.0,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"radius": 1.0,
|
||||
"typeID": 28628,
|
||||
"typeName_de": "Crystalline Icicle",
|
||||
"typeName_en-us": "Crystalline Icicle",
|
||||
@@ -180444,6 +180445,7 @@
|
||||
"graphicID": 3225,
|
||||
"groupID": 711,
|
||||
"iconID": 3225,
|
||||
"isDynamicType": false,
|
||||
"mass": 0.0,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
@@ -180477,6 +180479,7 @@
|
||||
"graphicID": 3219,
|
||||
"groupID": 711,
|
||||
"iconID": 3219,
|
||||
"isDynamicType": false,
|
||||
"mass": 0.0,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
@@ -183826,14 +183829,14 @@
|
||||
"28788": {
|
||||
"basePrice": 9272.0,
|
||||
"capacity": 0.0,
|
||||
"description_de": "Der Syndicate Harvester entsprang einem gemeinsamen Forschungsprojekt Dutzender Stationsbesitzer der Region. Die Anwohner und Industriellen des Syndikats wussten im Gegensatz zu vielen anderen das in der Boosterindustrie des Untergrunds schlummernde Potenzial sehr zu schätzen. Zwar brachten ihre angepassten Harvester keine Verbesserung der Ausbeute mit sich, aber sie waren für neue Piloten einfach zu handhaben. Ihr Engagement für erschwinglichere Harvesting-Technologie machte sich bezahlt, als die Imperien einen stillen Rückzieher machten und die Produktion sowie den Verkauf von Synth Boostern legalisierten.",
|
||||
"description_en-us": "The Syndicate harvester arose out of a joint research project undertaken by dozens of Station owners across the region. The residents and industrialists of Syndicate appreciated, more than most, the latent potential of the underground booster industry. Although their modified harvesters offered no improvements in yield, they were easier for newer pilots to fit. Their investment in more accessible harvesting technology paid off, when eventually the empires quietly backpedalled and legalized the production and sale of Synth boosters. ",
|
||||
"description_es": "The Syndicate harvester arose out of a joint research project undertaken by dozens of Station owners across the region. The residents and industrialists of Syndicate appreciated, more than most, the latent potential of the underground booster industry. Although their modified harvesters offered no improvements in yield, they were easier for newer pilots to fit. Their investment in more accessible harvesting technology paid off, when eventually the empires quietly backpedalled and legalized the production and sale of Synth boosters. ",
|
||||
"description_fr": "Le Syndicate naquit d'un projet de recherche commun mis en œuvre par des dizaines de gérants de stations situées dans la région. Les résidents et les industriels du Syndicate apprécièrent plus que tout le potentiel latent de cette industrie de boosters. Bien que leurs collectes modifiées n'apportaient aucune amélioration en termes de rendement, il était plus facile pour les nouveaux pilotes de s'adapter. Leur investissement dans une technologie d'extraction plus accessible s'avéra payant quand les empires finirent par faire marche arrière en légalisant la production et la vente de boosters de synthèse. ",
|
||||
"description_it": "The Syndicate harvester arose out of a joint research project undertaken by dozens of Station owners across the region. The residents and industrialists of Syndicate appreciated, more than most, the latent potential of the underground booster industry. Although their modified harvesters offered no improvements in yield, they were easier for newer pilots to fit. Their investment in more accessible harvesting technology paid off, when eventually the empires quietly backpedalled and legalized the production and sale of Synth boosters. ",
|
||||
"description_ja": " シンジケート採掘機は、リージョン内のステーション所有者数十人による共同研究プロジェクトの産物である。シンジケートの住民や製造業者は、何にもまして、ブースター密造業の発展に期待したのだった。この改造採掘機は、採掘性能こそ代わり映えしないが、経験の浅いパイロットにも扱いやすくなっている。より扱いやすい採掘装置への投資は、のちに帝国諸国が密かに方針転換しシンセブースターの生産販売を合法化したことで報われた形になった。",
|
||||
"description_ko": "신디케이트 하베스터는 수십 개에 달하는 지역 정거장이 모여서 진행한 공동 연구 프로젝트의 산물입니다. 신디케이트 소속 사업가들은 부스터 시장의 숨겨진 잠재력을 눈 여겨 보고 있었습니다. 개량된 하베스터는 직접적인 생산량 증가를 가져오지는 못했으나 하베스팅 업계에 대한 진입 장벽을 낮추는데 크게 일조했습니다. 이러한 접근성 개선에 대한 노력은 빛을 보게 되었으며, 제국은 결국 기존 입장을 철회하며 신스 부스터의 생산을 합법화하기에 이르렀습니다. ",
|
||||
"description_ru": " Экстрактор Syndicate явился детищем коллективной исследовательской работы, проведенной десятками владельцев станций во всем регионе. Жители и предприниматели из Syndicate с энтузиазмом отнеслись к потенциалу подпольной индустрии производства бустеров. Хотя эти модифицированные экстракторы не отличаются увеличенным объемом добычи, их легче использовать малоопытным пилотам. Инвестиции в более доступные технологии добычи окупились, когда в какой-то момент империи без лишнего шума пошли на попятную и легализовали производство и торговлю Synth-бустерами. ",
|
||||
"description_de": "Der Gaswolken-Extraktor des Syndicate ist durch ein gemeinsames Forschungsprojekt dutzender Stationseigentümer in der Region entstanden. Die Bewohner und Industriellen des Syndicate wussten das Potenzial der Untergrund-Boosterindustrie mehr zu schätzen als andere. Obwohl ihre modifizierten Extraktoren nicht zu höheren Erträgen führten, konnten sie von neuen Piloten leichter ausgerüstet werden. Ihr Investment in leichter zugängliche Abbautechnologie zahlte sich aus, als die Imperien schließlich still und leise ihren Kurs änderten und die Produktion und den Verkauf von Synthboostern legalisierten. ",
|
||||
"description_en-us": "The Syndicate Gas Cloud Scoop arose out of a joint research project undertaken by dozens of station owners across the region. The residents and industrialists of Syndicate appreciated, more than most, the latent potential of the underground booster industry. Although their modified scoops offered no improvements in yield, they were easier for newer pilots to fit. Their investment in more accessible harvesting technology paid off, when eventually the empires quietly reversed course and legalized the production and sale of synth boosters. ",
|
||||
"description_es": "The Syndicate Gas Cloud Scoop arose out of a joint research project undertaken by dozens of station owners across the region. The residents and industrialists of Syndicate appreciated, more than most, the latent potential of the underground booster industry. Although their modified scoops offered no improvements in yield, they were easier for newer pilots to fit. Their investment in more accessible harvesting technology paid off, when eventually the empires quietly reversed course and legalized the production and sale of synth boosters. ",
|
||||
"description_fr": "Le récupérateur de nuages de gaz du Syndicate naquit d'un projet de recherche commun mis en œuvre par des dizaines de gérants de stations situées dans la région. Les résidents et les industriels du Syndicate apprécièrent plus que tout le potentiel latent de cette industrie de boosters. Bien que ces récupérateurs modifiés n'apportaient aucune amélioration en termes de rendement, ils étaient plus faciles à installer pour les pilotes moins expérimentés. Leur investissement dans une technologie d'extraction plus accessible s'avéra payant quand les empires finirent par faire marche arrière en légalisant la production et la vente de boosters de synthèse. ",
|
||||
"description_it": "The Syndicate Gas Cloud Scoop arose out of a joint research project undertaken by dozens of station owners across the region. The residents and industrialists of Syndicate appreciated, more than most, the latent potential of the underground booster industry. Although their modified scoops offered no improvements in yield, they were easier for newer pilots to fit. Their investment in more accessible harvesting technology paid off, when eventually the empires quietly reversed course and legalized the production and sale of synth boosters. ",
|
||||
"description_ja": "「シンジケートガス雲スクープ」は、リージョン内のステーション所有者数十人による共同研究プロジェクトの産物である。シンジケートの住民や製造業者は、何にもまして、ブースター密造業の発展に期待したのだった。この改造採掘機は、採掘性能こそ代わり映えしないが、経験の浅いパイロットにも扱いやすくなっていた。より扱いやすい採掘技術への投資は、のちに帝国諸国が密かに方針転換しシンセブースターの生産販売を合法化したことで報われた形になった。 ",
|
||||
"description_ko": "신디케이트 가스 수집기는 수십 개의 정거장이 함께 진행한 연구 프로젝트의 산물입니다. 신디케이트 소속 사업가들은 부스터 시장의 숨겨진 잠재력을 오래전부터 눈 여겨 보고 있었습니다. 새로운 가스 수집기의 도입은 직접적인 생산량 증가로 이어지지는 않았으나, 업계에 대한 진입 장벽을 낮추는데는 크게 일조했습니다. 접근성 개선에 대한 노력은 결국 빛을 보게 되었고, 제국은 자신들의 결정을 번복하여 신스 부스터의 생산을 합법화하기에 이르렀습니다. ",
|
||||
"description_ru": "Газочерпатель Интакийского синдиката был создан в ходе совместного исследовательского проекта, в котором приняли участие десятки владельцев станций по всему сектору. Прежде всего жители и промышленники сектора ценили скрытый потенциал подпольной индустрии стимуляторов. Их обновлённые газочерпатели не обеспечивали повышенную добычу газа, но были более удобны для молодых пилотов. Их инвестиции в доступную технологию добычи газа с лихвой окупились, когда империи изменили политику и легализовали производство и продажу синтетических стимуляторов. ",
|
||||
"description_zh": "辛迪加气云采集器是辛迪加星域里多个空间站所有者共同进行的联合开发项目的产物。辛迪加星域的居民和工业者对此都十分支持,而潜力巨大的地下增效剂产业对此更是相当的欢迎。尽管他们所研发的这款采集器在产量上并没有提高,但是它对于较初级的飞行员来说更容易安装和使用。各个大国让合成增效剂生产贩售成为合法的产业后,使得投资者在研发可利用人群更广的气云采集器上的付出得到了回报。",
|
||||
"descriptionID": 94802,
|
||||
"graphicID": 11266,
|
||||
@@ -183849,14 +183852,14 @@
|
||||
"radius": 25.0,
|
||||
"techLevel": 1,
|
||||
"typeID": 28788,
|
||||
"typeName_de": "Syndicate Gas Cloud Harvester",
|
||||
"typeName_en-us": "Syndicate Gas Cloud Harvester",
|
||||
"typeName_es": "Syndicate Gas Cloud Harvester",
|
||||
"typeName_fr": "Collecteur de nuages de gaz du Syndicate",
|
||||
"typeName_it": "Syndicate Gas Cloud Harvester",
|
||||
"typeName_ja": "シンジケートガス雲採掘機",
|
||||
"typeName_ko": "신디케이트 가스 하베스터",
|
||||
"typeName_ru": "Syndicate Gas Cloud Harvester",
|
||||
"typeName_de": "Syndicate Gas Cloud Scoop ",
|
||||
"typeName_en-us": "Syndicate Gas Cloud Scoop ",
|
||||
"typeName_es": "Syndicate Gas Cloud Scoop ",
|
||||
"typeName_fr": "Récupérateur de nuages de gaz du syndicat ",
|
||||
"typeName_it": "Syndicate Gas Cloud Scoop ",
|
||||
"typeName_ja": "シンジケートガス雲スクープ ",
|
||||
"typeName_ko": "신디케이트 가스 수집기 ",
|
||||
"typeName_ru": "Syndicate Gas Cloud Scoop ",
|
||||
"typeName_zh": "辛迪加气云采集器",
|
||||
"typeNameID": 106330,
|
||||
"variationParentTypeID": 25266,
|
||||
@@ -183872,14 +183875,14 @@
|
||||
"portionSize": 1,
|
||||
"published": false,
|
||||
"typeID": 28789,
|
||||
"typeName_de": "Syndicate Gas Cloud Harvester Blueprint",
|
||||
"typeName_en-us": "Syndicate Gas Cloud Harvester Blueprint",
|
||||
"typeName_es": "Syndicate Gas Cloud Harvester Blueprint",
|
||||
"typeName_fr": "Plan de construction Collecteur de nuages de gaz du Syndicate",
|
||||
"typeName_it": "Syndicate Gas Cloud Harvester Blueprint",
|
||||
"typeName_ja": "シンジケートガス雲採掘機ブループリント",
|
||||
"typeName_ko": "신디케이트 가스 하베스터 블루프린트",
|
||||
"typeName_ru": "Syndicate Gas Cloud Harvester Blueprint",
|
||||
"typeName_de": "Syndicate Gas Cloud Scoop Blueprint",
|
||||
"typeName_en-us": "Syndicate Gas Cloud Scoop Blueprint",
|
||||
"typeName_es": "Syndicate Gas Cloud Scoop Blueprint",
|
||||
"typeName_fr": "Plan de construction Récupérateur de nuages de gaz du syndicat",
|
||||
"typeName_it": "Syndicate Gas Cloud Scoop Blueprint",
|
||||
"typeName_ja": "シンジケートガス雲スクープ設計図",
|
||||
"typeName_ko": "신디케이트 가스 수집기 블루프린트",
|
||||
"typeName_ru": "Syndicate Gas Cloud Scoop Blueprint",
|
||||
"typeName_zh": "辛迪加气云采集器蓝图",
|
||||
"typeNameID": 71734,
|
||||
"volume": 0.01
|
||||
@@ -281181,11 +281184,13 @@
|
||||
"descriptionID": 286330,
|
||||
"groupID": 1199,
|
||||
"iconID": 80,
|
||||
"isDynamicType": false,
|
||||
"marketGroupID": 1049,
|
||||
"mass": 500.0,
|
||||
"metaLevel": 0,
|
||||
"metaLevel": 1,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"radius": 1.0,
|
||||
"techLevel": 1,
|
||||
"typeID": 33076,
|
||||
"typeName_de": "Small Ancillary Armor Repairer",
|
||||
@@ -281822,11 +281827,13 @@
|
||||
"descriptionID": 286725,
|
||||
"groupID": 1199,
|
||||
"iconID": 80,
|
||||
"isDynamicType": false,
|
||||
"marketGroupID": 1050,
|
||||
"mass": 500.0,
|
||||
"metaLevel": 0,
|
||||
"metaLevel": 1,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"radius": 1.0,
|
||||
"techLevel": 1,
|
||||
"typeID": 33101,
|
||||
"typeName_de": "Medium Ancillary Armor Repairer",
|
||||
@@ -281878,11 +281885,13 @@
|
||||
"descriptionID": 286728,
|
||||
"groupID": 1199,
|
||||
"iconID": 80,
|
||||
"isDynamicType": false,
|
||||
"marketGroupID": 1051,
|
||||
"mass": 500.0,
|
||||
"metaLevel": 0,
|
||||
"metaLevel": 1,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"radius": 1.0,
|
||||
"techLevel": 1,
|
||||
"typeID": 33103,
|
||||
"typeName_de": "Large Ancillary Armor Repairer",
|
||||
|
||||
@@ -9603,14 +9603,14 @@
|
||||
"raceID": 8,
|
||||
"radius": 1.0,
|
||||
"typeID": 34718,
|
||||
"typeName_de": "Federation Navy Comet Federal Police SKIN",
|
||||
"typeName_de": "Federation Navy Comet Police SKIN",
|
||||
"typeName_en-us": "Federation Navy Comet Police SKIN",
|
||||
"typeName_es": "Federation Navy Comet Police SKIN",
|
||||
"typeName_fr": "SKIN Comet modèle Federation Navy édition Police fédérale",
|
||||
"typeName_fr": "SKIN Comet de la Federation Navy, édition Police",
|
||||
"typeName_it": "Federation Navy Comet Police SKIN",
|
||||
"typeName_ja": "連邦海軍コメット 警察仕様のSKIN",
|
||||
"typeName_ko": "연방 해군 코멧 '연방 경찰' SKIN",
|
||||
"typeName_ru": "Federation Navy Comet Federal Police SKIN",
|
||||
"typeName_ja": "SKIN Comet de la Federation Navy, édition Police",
|
||||
"typeName_ko": "연방 해군 코멧 '경찰' SKIN",
|
||||
"typeName_ru": "Federation Navy Comet Police SKIN",
|
||||
"typeName_zh": "联邦海军彗星级联邦警察涂装",
|
||||
"typeNameID": 305660,
|
||||
"volume": 0.01
|
||||
@@ -52096,7 +52096,7 @@
|
||||
},
|
||||
"37135": {
|
||||
"basePrice": 12700000.0,
|
||||
"capacity": 150.0,
|
||||
"capacity": 200.0,
|
||||
"certificateTemplate": 200,
|
||||
"description_de": "Nach dem Erfolg der Venture-Bergbaufregatte verwandelte ORE ihre wachsenden Erkundungs- Erschließungs- und Technologieabteilungen in neue Zweigunternehmen. Eines der ersten Projekte des brandneuen ORE-Konglomerats war die Entwicklung einer neuen Serie von Expeditionsfregatten, um den Bedarf für die riskantesten und lukrativsten Bergbauoperationen zu decken.\n\n\n\nDie Endurance wurde unter OREs ‘Frostline’-Marke herausgegeben und kombiniert verbesserte Eisabbausysteme mit dem erprobten Bergbaufregatten-Unterbau, der sich so gut als Basis der Venture und Prospect bewährt hat. Einzigartige Subsysteme und Ausstattungen, gemeinsam mit einem neuen kompaktem Design für Eis-Bergbaulaser, verleihen der Endurance die einzigartige Fähigkeit, Eis mit einer Fregatte abzubauen. Außerdem ist es den Herstellern der Endurance gelungen, vieles von der Tarntechnologie beizubehalten, für die Expeditionsfregatten bekannt wurden.\n\n",
|
||||
"description_en-us": "After the success of the Venture mining frigate, ORE spun their growing frontier exploration, exploitation and technology divisions into new subsidiaries. One of the first projects undertaken by the newly configured ORE conglomerate was the development of a new line of Expedition frigates, designed to meet the needs of the riskiest and most lucrative harvesting operations.\r\n\r\nThe Endurance is being released under ORE’s ‘Frostline’ branding and combines improved ice mining systems with the well-proven mining frigate frame that served so well as the basis of the Venture and Prospect classes. Unique subsystems and fittings, coupled with a new compact ice mining laser design, give the Endurance the unique ability to harvest ice from a frigate class hull. In addition to this, the creators of the Endurance managed to retain much of the stealth technology that Expedition frigates have become known for.\r\n",
|
||||
@@ -52114,7 +52114,7 @@
|
||||
"isDynamicType": false,
|
||||
"isisGroupID": 48,
|
||||
"marketGroupID": 1924,
|
||||
"mass": 2000000.0,
|
||||
"mass": 1600000.0,
|
||||
"metaGroupID": 2,
|
||||
"metaLevel": 5,
|
||||
"portionSize": 1,
|
||||
@@ -153739,7 +153739,7 @@
|
||||
"volume": 4000
|
||||
},
|
||||
"41476": {
|
||||
"basePrice": 4996,
|
||||
"basePrice": 4996.0,
|
||||
"capacity": 0.08,
|
||||
"description_de": "Dieses Modul verwendet Nano-Reparaturbots, um Schäden an der Panzerung des Zielschiffes zu beheben. Optional kann das Modul Nanobot-Reparaturpaste verwenden, um die Effektivität von Reparaturen zu erhöhen. Wenn Sie das Modul deaktivieren, während keine Nanobot-Reparaturpaste geladen ist, wird Nanobot-Reparaturpaste aus dem Laderaum nachgeladen, sofern welche vorhanden ist. \n\n\n\nHinweis: Kann Nanobot-Reparaturpaste als Treibstoff verwenden. Die Nachladezeit beträgt 60 Sekunden. Inferno-Modul-Prototyp.",
|
||||
"description_en-us": "This module uses nano-assemblers to repair damage done to the armor of the Target ship. The module can optionally use Nanite Repair Paste to increase repair effectiveness. Deactivating the module while it has no Nanite Repair Paste loaded starts reloading, if there is Nanite Repair Paste available in cargo hold. \r\n\r\nNote: Can use Nanite Repair Paste as fuel. Reloading time is 60 seconds. Prototype Inferno Module.",
|
||||
@@ -153753,12 +153753,13 @@
|
||||
"descriptionID": 516032,
|
||||
"groupID": 1698,
|
||||
"iconID": 21426,
|
||||
"isDynamicType": false,
|
||||
"marketGroupID": 1059,
|
||||
"mass": 20,
|
||||
"metaLevel": 0,
|
||||
"mass": 20.0,
|
||||
"metaLevel": 1,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"radius": 1,
|
||||
"radius": 1.0,
|
||||
"techLevel": 1,
|
||||
"typeID": 41476,
|
||||
"typeName_de": "Small Ancillary Remote Armor Repairer",
|
||||
@@ -153771,10 +153772,10 @@
|
||||
"typeName_ru": "Small Ancillary Remote Armor Repairer",
|
||||
"typeName_zh": "小型辅助远程装甲维修器",
|
||||
"typeNameID": 516031,
|
||||
"volume": 5
|
||||
"volume": 5.0
|
||||
},
|
||||
"41477": {
|
||||
"basePrice": 12470,
|
||||
"basePrice": 12470.0,
|
||||
"capacity": 0.32,
|
||||
"description_de": "Dieses Modul verwendet Nano-Reparaturbots, um Schäden an der Panzerung des Zielschiffes zu beheben. Optional kann das Modul Nanobot-Reparaturpaste verwenden, um die Effektivität von Reparaturen zu erhöhen. Wenn Sie das Modul deaktivieren, während keine Nanobot-Reparaturpaste geladen ist, wird Nanobot-Reparaturpaste aus dem Laderaum nachgeladen, sofern welche vorhanden ist. \n\n\n\nHinweis: Kann Nanobot-Reparaturpaste als Treibstoff verwenden. Die Nachladezeit beträgt 60 Sekunden. Inferno-Modul-Prototyp.",
|
||||
"description_en-us": "This module uses nano-assemblers to repair damage done to the armor of the Target ship. The module can optionally use Nanite Repair Paste to increase repair effectiveness. Deactivating the module while it has no Nanite Repair Paste loaded starts reloading, if there is Nanite Repair Paste available in cargo hold. \r\n\r\nNote: Can use Nanite Repair Paste as fuel. Reloading time is 60 seconds. Prototype Inferno Module.",
|
||||
@@ -153788,12 +153789,13 @@
|
||||
"descriptionID": 516034,
|
||||
"groupID": 1698,
|
||||
"iconID": 21426,
|
||||
"isDynamicType": false,
|
||||
"marketGroupID": 1058,
|
||||
"mass": 20,
|
||||
"metaLevel": 0,
|
||||
"mass": 20.0,
|
||||
"metaLevel": 1,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"radius": 1,
|
||||
"radius": 1.0,
|
||||
"techLevel": 1,
|
||||
"typeID": 41477,
|
||||
"typeName_de": "Medium Ancillary Remote Armor Repairer",
|
||||
@@ -153806,10 +153808,10 @@
|
||||
"typeName_ru": "Medium Ancillary Remote Armor Repairer",
|
||||
"typeName_zh": "中型辅助远程装甲维修器",
|
||||
"typeNameID": 516033,
|
||||
"volume": 10
|
||||
"volume": 10.0
|
||||
},
|
||||
"41478": {
|
||||
"basePrice": 31244,
|
||||
"basePrice": 31244.0,
|
||||
"capacity": 0.64,
|
||||
"description_de": "Dieses Modul verwendet Nano-Reparaturbots, um Schäden an der Panzerung des Zielschiffes zu beheben. Optional kann das Modul Nanobot-Reparaturpaste verwenden, um die Effektivität von Reparaturen zu erhöhen. Wenn Sie das Modul deaktivieren, während keine Nanobot-Reparaturpaste geladen ist, wird Nanobot-Reparaturpaste aus dem Laderaum nachgeladen, sofern welche vorhanden ist. \n\n\n\nHinweis: Kann Nanobot-Reparaturpaste als Treibstoff verwenden. Die Nachladezeit beträgt 60 Sekunden. Inferno-Modul-Prototyp.",
|
||||
"description_en-us": "This module uses nano-assemblers to repair damage done to the armor of the Target ship. The module can optionally use Nanite Repair Paste to increase repair effectiveness. Deactivating the module while it has no Nanite Repair Paste loaded starts reloading, if there is Nanite Repair Paste available in cargo hold. \r\n\r\nNote: Can use Nanite Repair Paste as fuel. Reloading time is 60 seconds. Prototype Inferno Module.",
|
||||
@@ -153823,12 +153825,13 @@
|
||||
"descriptionID": 516036,
|
||||
"groupID": 1698,
|
||||
"iconID": 21426,
|
||||
"isDynamicType": false,
|
||||
"marketGroupID": 1057,
|
||||
"mass": 20,
|
||||
"metaLevel": 0,
|
||||
"mass": 20.0,
|
||||
"metaLevel": 1,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"radius": 1,
|
||||
"radius": 1.0,
|
||||
"techLevel": 1,
|
||||
"typeID": 41478,
|
||||
"typeName_de": "Large Ancillary Remote Armor Repairer",
|
||||
@@ -153841,10 +153844,10 @@
|
||||
"typeName_ru": "Large Ancillary Remote Armor Repairer",
|
||||
"typeName_zh": "大型辅助远程装甲维修器",
|
||||
"typeNameID": 516035,
|
||||
"volume": 25
|
||||
"volume": 25.0
|
||||
},
|
||||
"41479": {
|
||||
"basePrice": 24200788,
|
||||
"basePrice": 24200788.0,
|
||||
"capacity": 1.28,
|
||||
"description_de": "Dieses Modul verwendet Nano-Reparaturbots, um Schäden an der Panzerung des Zielschiffes zu beheben. Optional kann das Modul Nanobot-Reparaturpaste verwenden, um die Effektivität von Reparaturen zu erhöhen. Wenn Sie das Modul deaktivieren, während keine Nanobot-Reparaturpaste geladen ist, wird Nanobot-Reparaturpaste aus dem Laderaum nachgeladen, sofern welche vorhanden ist. \n\n\n\nHinweis: Kann Nanobot-Reparaturpaste als Treibstoff verwenden. Die Nachladezeit beträgt 60 Sekunden. Inferno-Modul-Prototyp. Kann nur in Schiffe der Capital-Klasse eingebaut werden.",
|
||||
"description_en-us": "This module uses nano-assemblers to repair damage done to the armor of the Target ship. The module can optionally use Nanite Repair Paste to increase repair effectiveness. Deactivating the module while it has no Nanite Repair Paste loaded starts reloading, if there is Nanite Repair Paste available in cargo hold. \r\n\r\nNote: Can use Nanite Repair Paste as fuel. Reloading time is 60 seconds. Prototype Inferno Module. May only be fitted to capital class ships.",
|
||||
@@ -153858,13 +153861,14 @@
|
||||
"descriptionID": 516038,
|
||||
"groupID": 1698,
|
||||
"iconID": 21426,
|
||||
"isDynamicType": false,
|
||||
"marketGroupID": 1056,
|
||||
"mass": 20,
|
||||
"metaLevel": 0,
|
||||
"mass": 20.0,
|
||||
"metaLevel": 1,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"raceID": 4,
|
||||
"radius": 1,
|
||||
"radius": 1.0,
|
||||
"techLevel": 1,
|
||||
"typeID": 41479,
|
||||
"typeName_de": "Capital Ancillary Remote Armor Repairer",
|
||||
@@ -153877,11 +153881,11 @@
|
||||
"typeName_ru": "Capital Ancillary Remote Armor Repairer",
|
||||
"typeName_zh": "旗舰级辅助远程装甲维修器",
|
||||
"typeNameID": 516037,
|
||||
"volume": 4000
|
||||
"volume": 4000.0
|
||||
},
|
||||
"41480": {
|
||||
"basePrice": 4996,
|
||||
"capacity": 7,
|
||||
"basePrice": 4996.0,
|
||||
"capacity": 7.0,
|
||||
"description_de": "Überträgt die Schildenergie hinüber auf das Zielschiff, um dessen Verteidigung zu verstärken. Das Modul nutzt Cap Booster Ladungen und wird den schiffseigenen Energiespeicher verbrauchen, nachdem die Ladungen zur Neige gegangen sind. Wenn Sie das Modul deaktivieren, während keine Cap Booster geladen sind, werden Cap Booster aus dem Laderaum nachgeladen, sofern welche vorhanden sind.\n\n\n\nHinweis: Kann Cap Booster 25 als Treibstoff verwenden. Die Nachladezeit beträgt 60 Sekunden. Inferno-Modul-Prototyp.",
|
||||
"description_en-us": "Transfers shield power over to the target ship, aiding in its defense. The module takes Cap Booster charges and will start consuming the ship's capacitor upon the charges running out. Deactivating the module while it has no cap boosters loaded starts reloading, if there are cap boosters available in cargo hold.\r\n\r\nNote: Can use Cap Booster 25 as fuel. Reloading time is 60 seconds. Prototype Inferno Module.",
|
||||
"description_es": "Transfers shield power over to the target ship, aiding in its defense. The module takes Cap Booster charges and will start consuming the ship's capacitor upon the charges running out. Deactivating the module while it has no cap boosters loaded starts reloading, if there are cap boosters available in cargo hold.\r\n\r\nNote: Can use Cap Booster 25 as fuel. Reloading time is 60 seconds. Prototype Inferno Module.",
|
||||
@@ -153894,12 +153898,13 @@
|
||||
"descriptionID": 516040,
|
||||
"groupID": 1697,
|
||||
"iconID": 86,
|
||||
"isDynamicType": false,
|
||||
"marketGroupID": 603,
|
||||
"mass": 0.0,
|
||||
"metaLevel": 0,
|
||||
"metaLevel": 1,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"radius": 1,
|
||||
"radius": 1.0,
|
||||
"techLevel": 1,
|
||||
"typeID": 41480,
|
||||
"typeName_de": "Small Ancillary Remote Shield Booster",
|
||||
@@ -153912,11 +153917,11 @@
|
||||
"typeName_ru": "Small Ancillary Remote Shield Booster",
|
||||
"typeName_zh": "小型辅助远程护盾回充增量器",
|
||||
"typeNameID": 516039,
|
||||
"volume": 5
|
||||
"volume": 5.0
|
||||
},
|
||||
"41481": {
|
||||
"basePrice": 12470,
|
||||
"capacity": 14,
|
||||
"basePrice": 12470.0,
|
||||
"capacity": 14.0,
|
||||
"description_de": "Überträgt die Schildenergie hinüber auf das Zielschiff, um dessen Verteidigung zu verstärken. Das Modul nutzt Cap Booster Ladungen und wird den schiffseigenen Energiespeicher verbrauchen, nachdem die Ladungen zur Neige gegangen sind. Wenn Sie das Modul deaktivieren, während keine Cap Booster geladen sind, werden Cap Booster aus dem Laderaum nachgeladen, sofern welche vorhanden sind.\n\n\n\nHinweis: Kann Cap Booster 50, 75 und 100 als Treibstoff verwenden. Die Nachladezeit beträgt 60 Sekunden. Inferno-Modul-Prototyp.",
|
||||
"description_en-us": "Transfers shield power over to the target ship, aiding in its defense. The module takes Cap Booster charges and will start consuming the ship's capacitor upon the charges running out. Deactivating the module while it has no cap boosters loaded starts reloading, if there are cap boosters available in cargo hold.\r\n\r\nNote: Can use Cap Booster 50, 75 and 100 as fuel. Reloading time is 60 seconds. Prototype Inferno Module.",
|
||||
"description_es": "Transfers shield power over to the target ship, aiding in its defense. The module takes Cap Booster charges and will start consuming the ship's capacitor upon the charges running out. Deactivating the module while it has no cap boosters loaded starts reloading, if there are cap boosters available in cargo hold.\r\n\r\nNote: Can use Cap Booster 50, 75 and 100 as fuel. Reloading time is 60 seconds. Prototype Inferno Module.",
|
||||
@@ -153929,12 +153934,13 @@
|
||||
"descriptionID": 516043,
|
||||
"groupID": 1697,
|
||||
"iconID": 86,
|
||||
"isDynamicType": false,
|
||||
"marketGroupID": 602,
|
||||
"mass": 0.0,
|
||||
"metaLevel": 0,
|
||||
"metaLevel": 1,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"radius": 1,
|
||||
"radius": 1.0,
|
||||
"techLevel": 1,
|
||||
"typeID": 41481,
|
||||
"typeName_de": "Medium Ancillary Remote Shield Booster",
|
||||
@@ -153947,11 +153953,11 @@
|
||||
"typeName_ru": "Medium Ancillary Remote Shield Booster",
|
||||
"typeName_zh": "中型辅助远程护盾回充增量器",
|
||||
"typeNameID": 516042,
|
||||
"volume": 10
|
||||
"volume": 10.0
|
||||
},
|
||||
"41482": {
|
||||
"basePrice": 31244,
|
||||
"capacity": 42,
|
||||
"basePrice": 31244.0,
|
||||
"capacity": 42.0,
|
||||
"description_de": "Überträgt die Schildenergie hinüber auf das Zielschiff, um dessen Verteidigung zu verstärken. Das Modul nutzt Cap Booster Ladungen und wird den schiffseigenen Energiespeicher verbrauchen, nachdem die Ladungen zur Neige gegangen sind. Wenn Sie das Modul deaktivieren, während keine Cap Booster geladen sind, werden Cap Booster aus dem Laderaum nachgeladen, sofern welche vorhanden sind.\n\n\n\nHinweis: Kann Cap Booster 150 und 200 als Treibstoff verwenden. Die Nachladezeit beträgt 60 Sekunden. Inferno-Modul-Prototyp.",
|
||||
"description_en-us": "Transfers shield power over to the target ship, aiding in its defense. The module takes Cap Booster charges and will start consuming the ship's capacitor upon the charges running out. Deactivating the module while it has no cap boosters loaded starts reloading, if there are cap boosters available in cargo hold.\r\n\r\nNote: Can use Cap Booster 150 and 200 as fuel. Reloading time is 60 seconds. Prototype Inferno Module.",
|
||||
"description_es": "Transfers shield power over to the target ship, aiding in its defense. The module takes Cap Booster charges and will start consuming the ship's capacitor upon the charges running out. Deactivating the module while it has no cap boosters loaded starts reloading, if there are cap boosters available in cargo hold.\r\n\r\nNote: Can use Cap Booster 150 and 200 as fuel. Reloading time is 60 seconds. Prototype Inferno Module.",
|
||||
@@ -153964,12 +153970,13 @@
|
||||
"descriptionID": 516045,
|
||||
"groupID": 1697,
|
||||
"iconID": 86,
|
||||
"isDynamicType": false,
|
||||
"marketGroupID": 601,
|
||||
"mass": 0.0,
|
||||
"metaLevel": 0,
|
||||
"metaLevel": 1,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"radius": 1,
|
||||
"radius": 1.0,
|
||||
"techLevel": 1,
|
||||
"typeID": 41482,
|
||||
"typeName_de": "Large Ancillary Remote Shield Booster",
|
||||
@@ -153982,11 +153989,11 @@
|
||||
"typeName_ru": "Large Ancillary Remote Shield Booster",
|
||||
"typeName_zh": "大型辅助护盾远程回充增量器",
|
||||
"typeNameID": 516044,
|
||||
"volume": 25
|
||||
"volume": 25.0
|
||||
},
|
||||
"41483": {
|
||||
"basePrice": 24659510,
|
||||
"capacity": 900,
|
||||
"basePrice": 24659510.0,
|
||||
"capacity": 900.0,
|
||||
"description_de": "Überträgt die Schildenergie hinüber auf das Zielschiff, um dessen Verteidigung zu verstärken. Das Modul nutzt Cap Booster Ladungen und wird den schiffseigenen Energiespeicher verbrauchen, nachdem die Ladungen zur Neige gegangen sind. Wenn Sie das Modul deaktivieren, während keine Cap Booster geladen sind, werden Cap Booster aus dem Laderaum nachgeladen, sofern welche vorhanden sind.\n\n\n\nHinweis: Kann Cap Booster 3200 als Treibstoff verwenden. Die Nachladezeit beträgt 60 Sekunden. Inferno-Modul-Prototyp. Kann nur in Schiffe der Capital-Klasse eingebaut werden.",
|
||||
"description_en-us": "Transfers shield power over to the target ship, aiding in its defense. The module takes Cap Booster charges and will start consuming the ship's capacitor upon the charges running out. Deactivating the module while it has no cap boosters loaded starts reloading, if there are cap boosters available in cargo hold.\r\n\r\nNote: Can use Cap Booster 3200 as fuel. Reloading time is 60 seconds. Prototype Inferno Module. May only be fitted to capital class ships.",
|
||||
"description_es": "Transfers shield power over to the target ship, aiding in its defense. The module takes Cap Booster charges and will start consuming the ship's capacitor upon the charges running out. Deactivating the module while it has no cap boosters loaded starts reloading, if there are cap boosters available in cargo hold.\r\n\r\nNote: Can use Cap Booster 3200 as fuel. Reloading time is 60 seconds. Prototype Inferno Module. May only be fitted to capital class ships.",
|
||||
@@ -153999,13 +154006,14 @@
|
||||
"descriptionID": 516047,
|
||||
"groupID": 1697,
|
||||
"iconID": 86,
|
||||
"isDynamicType": false,
|
||||
"marketGroupID": 600,
|
||||
"mass": 0.0,
|
||||
"metaLevel": 0,
|
||||
"metaLevel": 1,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"raceID": 4,
|
||||
"radius": 1,
|
||||
"radius": 1.0,
|
||||
"techLevel": 1,
|
||||
"typeID": 41483,
|
||||
"typeName_de": "Capital Ancillary Remote Shield Booster",
|
||||
@@ -154018,7 +154026,7 @@
|
||||
"typeName_ru": "Capital Ancillary Remote Shield Booster",
|
||||
"typeName_zh": "旗舰级辅助远程护盾回充增量器",
|
||||
"typeNameID": 516046,
|
||||
"volume": 4000
|
||||
"volume": 4000.0
|
||||
},
|
||||
"41484": {
|
||||
"basePrice": 0.0,
|
||||
@@ -154712,12 +154720,13 @@
|
||||
"descriptionID": 516087,
|
||||
"groupID": 1199,
|
||||
"iconID": 80,
|
||||
"isDynamicType": false,
|
||||
"marketGroupID": 1052,
|
||||
"mass": 500,
|
||||
"metaLevel": 0,
|
||||
"mass": 500.0,
|
||||
"metaLevel": 1,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"radius": 1,
|
||||
"radius": 1.0,
|
||||
"techLevel": 1,
|
||||
"typeID": 41503,
|
||||
"typeName_de": "Capital Ancillary Armor Repairer",
|
||||
@@ -154730,11 +154739,11 @@
|
||||
"typeName_ru": "Capital Ancillary Armor Repairer",
|
||||
"typeName_zh": "旗舰级辅助装甲维修器",
|
||||
"typeNameID": 516086,
|
||||
"volume": 4000
|
||||
"volume": 4000.0
|
||||
},
|
||||
"41504": {
|
||||
"basePrice": 0.0,
|
||||
"capacity": 900,
|
||||
"capacity": 900.0,
|
||||
"description_de": "Bietet eine schnelle Steigerung der Schildstärke. Das Modul nutzt Cap Booster Ladungen und wird den schiffseigenen Energiespeicher verbrauchen, nachdem die Ladungen zur Neige gegangen sind. Wenn Sie das Modul deaktivieren, während keine Cap Booster geladen sind, werden Cap Booster aus dem Laderaum nachgeladen, sofern welche vorhanden sind.\n\n\n\nHinweis: Kann Cap Booster 3200 als Treibstoff verwenden. Die Nachladezeit beträgt 60 Sekunden. Inferno-Modul-Prototyp. Kann nur in Schiffe der Capital-Klasse eingebaut werden.",
|
||||
"description_en-us": "Provides a quick boost in shield strength. The module takes Cap Booster charges and will start consuming the ship's capacitor upon the charges running out. Deactivating the module while it has no cap boosters loaded starts reloading, if there are cap boosters available in cargo hold.\r\n\r\nNote: Can use Cap Booster 3200 as fuel. Reloading time is 60 seconds. Prototype Inferno Module. May only be fitted to capital class ships.",
|
||||
"description_es": "Provides a quick boost in shield strength. The module takes Cap Booster charges and will start consuming the ship's capacitor upon the charges running out. Deactivating the module while it has no cap boosters loaded starts reloading, if there are cap boosters available in cargo hold.\r\n\r\nNote: Can use Cap Booster 3200 as fuel. Reloading time is 60 seconds. Prototype Inferno Module. May only be fitted to capital class ships.",
|
||||
@@ -154747,12 +154756,13 @@
|
||||
"descriptionID": 516089,
|
||||
"groupID": 1156,
|
||||
"iconID": 10935,
|
||||
"isDynamicType": false,
|
||||
"marketGroupID": 778,
|
||||
"mass": 0.0,
|
||||
"metaLevel": 0,
|
||||
"metaLevel": 1,
|
||||
"portionSize": 1,
|
||||
"published": true,
|
||||
"radius": 500,
|
||||
"radius": 500.0,
|
||||
"techLevel": 1,
|
||||
"typeID": 41504,
|
||||
"typeName_de": "Capital Ancillary Shield Booster",
|
||||
@@ -154765,7 +154775,7 @@
|
||||
"typeName_ru": "Capital Ancillary Shield Booster",
|
||||
"typeName_zh": "旗舰级辅助护盾回充增量器",
|
||||
"typeNameID": 516088,
|
||||
"volume": 4000
|
||||
"volume": 4000.0
|
||||
},
|
||||
"41505": {
|
||||
"basePrice": 0.0,
|
||||
@@ -168263,11 +168273,12 @@
|
||||
"basePrice": 0.0,
|
||||
"capacity": 0.0,
|
||||
"groupID": 1950,
|
||||
"marketGroupID": 2372,
|
||||
"mass": 0.0,
|
||||
"portionSize": 1,
|
||||
"published": false,
|
||||
"published": true,
|
||||
"raceID": 8,
|
||||
"radius": 1,
|
||||
"radius": 1.0,
|
||||
"typeID": 42176,
|
||||
"typeName_de": "Proteus Serpentis SKIN",
|
||||
"typeName_en-us": "Proteus Serpentis SKIN",
|
||||
@@ -185240,14 +185251,14 @@
|
||||
"42890": {
|
||||
"basePrice": 208000000.0,
|
||||
"capacity": 0.0,
|
||||
"description_de": "Ein elektronisches Interface, das entwickelt wurde, um die Stationierung der Rorqual in ihrem Industrie-Modus zu erleichtern. Während sie stationiert ist, wird die Energie aus den Triebwerken der Rorqual in mächtige Schilde, verbesserte Bergbauvorarbeiterstrahlen und eine deutlich verbesserte Koordination von Bergbaudrohnen umgeleitet. Stationierte Rorquals erhalten zudem Zugriff auf eine einzigartige Maschinerie, mit der Asteroiden-Erz und Eis verdichtet werden kann. Die Vorteile der Nutzung dieses Moduls zusammen mit ähnlichen Modulen, die sich auf dieselben Attribute auswirken, werden mit sinkenden Erträgen einhergehen. Hinweis: Kann nur in das Rorqual ORE Capital-Schiff eingebaut werden.",
|
||||
"description_en-us": "An electronic interface designed to facilitate the deployment of the Rorqual into its industrial configuration. Whilst in the deployed configuration, energy from the Rorqual's engines is channeled into incredible shield defenses, improved mining foreman bursts and significantly enhanced mining drone coordination. Deployed Rorquals also gain access to special assembly lines which can compress asteroid ore and ice.\r\n\r\nBenefits of using this module alongside other modules that affect the same attributes will be subject to diminishing returns.\r\nNote: Can only be fitted to the Rorqual ORE capital ship.",
|
||||
"description_es": "An electronic interface designed to facilitate the deployment of the Rorqual into its industrial configuration. Whilst in the deployed configuration, energy from the Rorqual's engines is channeled into incredible shield defenses, improved mining foreman bursts and significantly enhanced mining drone coordination. Deployed Rorquals also gain access to special assembly lines which can compress asteroid ore and ice.\r\n\r\nBenefits of using this module alongside other modules that affect the same attributes will be subject to diminishing returns.\r\nNote: Can only be fitted to the Rorqual ORE capital ship.",
|
||||
"description_fr": "Interface électronique conçue pour faciliter le déploiement du Rorqual en configuration industrielle. En configuration industrielle, l'énergie produite par les moteurs du Rorqual alimente efficacement les gigantesques boucliers défensifs, les salves de contremaîtrise minière et la plateforme de coordination des drones d'extraction. Les Rorqual déployés ont également accès à des chaînes d'assemblage spécialisées, dédiées à la compression des minerais d'astéroïde et de la glace. Les bénéfices de l'utilisation de ce module en complément d'autres modules influant sur les mêmes attributs seront soumis à un rendement décroissant. Remarque : réservé au vaisseau capital de classe Rorqual conçu par l'ORE.",
|
||||
"description_it": "An electronic interface designed to facilitate the deployment of the Rorqual into its industrial configuration. Whilst in the deployed configuration, energy from the Rorqual's engines is channeled into incredible shield defenses, improved mining foreman bursts and significantly enhanced mining drone coordination. Deployed Rorquals also gain access to special assembly lines which can compress asteroid ore and ice.\r\n\r\nBenefits of using this module alongside other modules that affect the same attributes will be subject to diminishing returns.\r\nNote: Can only be fitted to the Rorqual ORE capital ship.",
|
||||
"description_ja": "ロークアルを輸送艦として使用するための電子インターフェイス。展開された状態では、ロークアルのエンジンからのエネルギーは、驚異的なシールド防御、改善された採掘支援バースト、大幅に強化された採掘専門ドローンの連携に注ぎ込まれる。展開されたロークアルは、小惑星の鉱石や氷を圧縮することができる特別な組み立てラインにもアクセスすることができる。\n\n\n\n同じ属性に影響を与える他のモジュールと並べて使用するメリットは、リターンの減少の対象となる。\n\n注:ロークウォル鉱石母艦にのみ搭載可能。",
|
||||
"description_ko": "로퀄의 산업 모드 설정을 위한 전자 인터페이스입니다. 모드 활성화 시 엔진에 가용 중인 전력이 실드로 전환되며 채광 버스트 및 채굴 드론의 기능이 향상됩니다. 추가로 광물 및 아이스 압착을 위한 특수 생산라인을 가동할 수 있습니다.<br><br>함선에 동일한 속성의 모듈을 함께 장착할 경우 페널티가 부여됩니다.<br><br>참고: 로퀄 ORE 캐피탈 함선에만 장착할 수 있습니다.",
|
||||
"description_ru": "Электронный интерфейс, предназначенный для перенаправления мощностей в промышленном корабле типа «Рорквал» В развёрнутом состоянии энергия двигательной установки направляется на мощнейшие щиты корабля, на усиление импульсных систем координации добычи сырья и на значительное улучшение координации буровых дронов. Кроме того, в этом состоянии возможна работа особых сборочных линий, которые могут сжимать добываемую в астероидах руду и лёд. Установка двух и более модулей, влияющих на одну и ту же характеристику, приведёт к снижению эффективности их действия. Примечание: может устанавливаться только на промышленных кораблях корпорации ОРЭ типа «Рорквал».",
|
||||
"description_de": "Ein elektronisches Interface, das entwickelt wurde, um die Stationierung der Rorqual in ihrem Industrie-Modus zu erleichtern. Während sie stationiert ist, wird die Energie aus den Triebwerken der Rorqual in mächtige Schilde, verbesserte Bergbauvorarbeiterstrahlen und eine deutlich verbesserte Koordination von Bergbaudrohnen umgeleitet. Stationierte Rorquals erhalten zudem Zugriff auf eine einzigartige Maschinerie, mit der Asteroiden-Erz und Eis verdichtet werden kann. Die Vorteile der Nutzung dieses Moduls zusammen mit ähnlichen Modulen, die sich auf dieselben Attribute auswirken, werden mit sinkenden Erträgen einhergehen. Hinweis: Kann nur in das Capital-Industrieschiff Rorqual eingebaut werden.",
|
||||
"description_en-us": "An electronic interface designed to facilitate the deployment of the Rorqual into its industrial configuration. Whilst in the deployed configuration, energy from the Rorqual's engines is channeled into incredible shield defenses, improved mining foreman bursts and significantly enhanced mining drone coordination. Deployed Rorquals also gain access to special assembly lines which can compress asteroid ore and ice.\r\n\r\nBenefits of using this module alongside other modules that affect the same attributes will be subject to diminishing returns.\r\n\r\nNote: Can only be fitted to the Rorqual industrial capital ship.",
|
||||
"description_es": "An electronic interface designed to facilitate the deployment of the Rorqual into its industrial configuration. Whilst in the deployed configuration, energy from the Rorqual's engines is channeled into incredible shield defenses, improved mining foreman bursts and significantly enhanced mining drone coordination. Deployed Rorquals also gain access to special assembly lines which can compress asteroid ore and ice.\r\n\r\nBenefits of using this module alongside other modules that affect the same attributes will be subject to diminishing returns.\r\n\r\nNote: Can only be fitted to the Rorqual industrial capital ship.",
|
||||
"description_fr": "Interface électronique conçue pour faciliter le déploiement du Rorqual en configuration industrielle. En configuration industrielle, l'énergie produite par les moteurs du Rorqual alimente efficacement les gigantesques boucliers défensifs, les salves de contremaîtrise minière et la plateforme de coordination des drones d'extraction. Les Rorqual déployés ont également accès à des chaînes d'assemblage spécialisées, dédiées à la compression des minerais d'astéroïde et de la glace. Les bénéfices de l'utilisation de ce module en complément d'autres modules influant sur les mêmes attributs seront soumis à un rendement décroissant. Remarque : réservé aux vaisseaux capitaux industrielx de classe Rorqual.",
|
||||
"description_it": "An electronic interface designed to facilitate the deployment of the Rorqual into its industrial configuration. Whilst in the deployed configuration, energy from the Rorqual's engines is channeled into incredible shield defenses, improved mining foreman bursts and significantly enhanced mining drone coordination. Deployed Rorquals also gain access to special assembly lines which can compress asteroid ore and ice.\r\n\r\nBenefits of using this module alongside other modules that affect the same attributes will be subject to diminishing returns.\r\n\r\nNote: Can only be fitted to the Rorqual industrial capital ship.",
|
||||
"description_ja": "ロークアルを輸送艦として使用するための電子インターフェイス。展開形態になると、ロークアルから出力したエンジンのエネルギーは、驚異的なシールド防御、採掘支援バーストの改善、採掘専門ドローンの連携の大幅強化に注ぎ込まれる。展開したロークアルは、アステロイドの鉱石やアイスを圧縮することができる特別な作業ラインにもアクセスできるようになる。\n\n\n\nこのモジュールは同属性の効果がある別のモジュールと併用すると、リターン減少の対象となる。\n\n\n\n注:ロークアル採掘支援主力艦にのみ搭載可能。",
|
||||
"description_ko": "로퀄의 산업 모드 설정을 위한 전자 인터페이스입니다. 모드 활성화 시 엔진에 가용 중인 전력이 실드로 전환되며 채광 버스트 및 채굴 드론의 기능이 향상됩니다. 추가로 광물 및 아이스 압착을 위한 특수 생산라인을 가동할 수 있습니다.<br><br>함선에 동일한 속성의 모듈을 함께 장착할 경우 페널티가 부여됩니다.<br><br>참고: 로퀄에만 장착할 수 있습니다.",
|
||||
"description_ru": "Электронный интерфейс, предназначенный для перенаправления мощностей в промышленном корабле типа «Рорквал» В развёрнутом состоянии энергия двигательной установки направляется на мощнейшие щиты корабля, на усиление импульсных систем координации добычи сырья и на значительное улучшение координации буровых дронов. Кроме того, в этом состоянии возможна работа особых сборочных линий, которые могут сжимать добываемую в астероидах руду и лёд. Установка двух и более модулей, влияющих на одну и ту же характеристику, приведёт к снижению эффективности их действия. Примечание: может устанавливаться только на промышленных кораблях большого тоннажа типа «Рорквал».",
|
||||
"description_zh": "一种方便长须鲸级进入其工业配置的电子接口。在部署配置后,长须鲸级引擎的能量被转移到强大的护盾防御体系中,提高开采先锋模块效果,并极大提升采矿无人机的协调性。部署后的长须鲸级还可提供特殊的装配线,用来压缩小行星矿和冰矿。\n\n\n\n在一个建筑上使用多个这种装备或类似装备提供同种增益将削弱实际使用效果。\n\n注:只能装配在长须鲸级上。",
|
||||
"descriptionID": 519265,
|
||||
"groupID": 515,
|
||||
@@ -185262,14 +185273,14 @@
|
||||
"radius": 1.0,
|
||||
"techLevel": 2,
|
||||
"typeID": 42890,
|
||||
"typeName_de": "Industrial Core II",
|
||||
"typeName_de": "Capital Industrial Core II",
|
||||
"typeName_en-us": "Capital Industrial Core II",
|
||||
"typeName_es": "Capital Industrial Core II",
|
||||
"typeName_fr": "Industrial Core II",
|
||||
"typeName_fr": "Cellule industrielle capitale II",
|
||||
"typeName_it": "Capital Industrial Core II",
|
||||
"typeName_ja": "インダストリアルコアII",
|
||||
"typeName_ko": "인더스트리얼 코어 II",
|
||||
"typeName_ru": "Industrial Core II",
|
||||
"typeName_ja": "キャピタル工業コアII",
|
||||
"typeName_ko": "캐피탈 인더스트리얼 코어 II",
|
||||
"typeName_ru": "Capital Industrial Core II",
|
||||
"typeName_zh": "工业核心 II",
|
||||
"typeNameID": 519264,
|
||||
"variationParentTypeID": 28583,
|
||||
@@ -185287,14 +185298,14 @@
|
||||
"radius": 1.0,
|
||||
"techLevel": 2,
|
||||
"typeID": 42891,
|
||||
"typeName_de": "Industrial Core II Blueprint",
|
||||
"typeName_de": "Capital Industrial Core II Blueprint",
|
||||
"typeName_en-us": "Capital Industrial Core II Blueprint",
|
||||
"typeName_es": "Capital Industrial Core II Blueprint",
|
||||
"typeName_fr": "Industrial Core II Blueprint",
|
||||
"typeName_fr": "Plan de construction Cellule industrielle capitale II",
|
||||
"typeName_it": "Capital Industrial Core II Blueprint",
|
||||
"typeName_ja": "インダストリアルコアIIブループリント",
|
||||
"typeName_ko": "인더스트리얼 코어 II 블루프린트",
|
||||
"typeName_ru": "Industrial Core II Blueprint",
|
||||
"typeName_ja": "キャピタル工業コアII設計図",
|
||||
"typeName_ko": "캐피탈 인더스트리얼 코어 II 블루프린트",
|
||||
"typeName_ru": "Capital Industrial Core II Blueprint",
|
||||
"typeName_zh": "工业核心蓝图 II",
|
||||
"typeNameID": 519266,
|
||||
"volume": 0.01
|
||||
@@ -232245,14 +232256,14 @@
|
||||
"45490": {
|
||||
"basePrice": 1500.0,
|
||||
"capacity": 0.0,
|
||||
"description_de": "Zeolith ist ein verbreitetes Erz, das auf Monden kommerziell abgebaut wird. Es ist nützlich, da es reich an eingeschlossenen <a href=showinfo:16634>atmosphärischen Gasen</a> ist, die als Grundelement einiger fortschrittlicher Materialien dienen. Zeolith-Erze enthalten außerdem <a href=showinfo:36>Mexallon</a> and <a href=showinfo:35>Pyerite</a>.",
|
||||
"description_en-us": "A ubiquitous ore commercially mined from moons, Zeolites are useful as they yield good quantities of trapped <a href=showinfo:16634>Atmospheric Gases</a> used as basic elements of some advanced materials. Zeolites ores will also yield <a href=showinfo:3683>Oxygen</a>.",
|
||||
"description_es": "A ubiquitous ore commercially mined from moons, Zeolites are useful as they yield good quantities of trapped <a href=showinfo:16634>Atmospheric Gases</a> used as basic elements of some advanced materials. Zeolites ores will also yield <a href=showinfo:3683>Oxygen</a>.",
|
||||
"description_fr": "La zéolite est un minerai très commun, extrait sur les lunes à des fins commerciales, et dont l'utilité réside dans sa capacité à piéger d'importantes quantités de <a href=showinfo:16634>gaz atmosphériques</a> pouvant servir de composants de base à la fabrication de matériaux avancés. Le minerai de zéolite génère aussi du <a href=showinfo:36>mexallon</a> et de la <a href=showinfo:35>pyérite</a>.",
|
||||
"description_it": "A ubiquitous ore commercially mined from moons, Zeolites are useful as they yield good quantities of trapped <a href=showinfo:16634>Atmospheric Gases</a> used as basic elements of some advanced materials. Zeolites ores will also yield <a href=showinfo:3683>Oxygen</a>.",
|
||||
"description_ja": "ゼオライトは、衛星を対象とした商業採掘において非常によく見かける鉱石である。内部にかなりの量の<a href=showinfo:16634>大気ガス</a>を貯め込んでおり、一部の先進素材の基礎材料として使われるそのガスを取り出すことができる。ゼオライト鉱石からは、他にも<a href=showinfo:36>メクサロン</a>や<a href=showinfo:35>パイライト</a>が手に入る。",
|
||||
"description_ko": "제오라이트는 위성에서 채굴되는 저급 광석으로, 상급 재료를 제작하는데 사용되는 물질인 <a href=showinfo:16634>대기 가스</a>를 다량 함유하고 있습니다. 정제 과정에서 <a href=showinfo:36>멕살론</a>과 <a href=showinfo:35>파이어라이트</a> 또한 함께 산출됩니다.",
|
||||
"description_ru": "Зеолит — широко распространённая руда, добываемая в промышленных количествах на спутниках. Её ценность заключается в высоком содержании <a href=showinfo:16634>атмосферных газов</a>, использующихся в качестве базового элемента для некоторых сложных материалов. Зеолитовые руды также содержат <a href=showinfo:36>мексаллон</a> и <a href=showinfo:35>пирит</a>.",
|
||||
"description_de": "Zeolith ist ein verbreitetes Erz, das auf Monden kommerziell abgebaut wird. Es ist nützlich, da es reich an eingeschlossenen <a href=showinfo:16634>atmosphärischen Gasen</a> ist, die als Grundelement einiger fortschrittlicher Materialien dienen. Zeolith-Erze enthalten außerdem <a href=showinfo:35>Pyerite</a> und <a href=showinfo:36>Mexallon</a>.",
|
||||
"description_en-us": "A ubiquitous ore commercially mined from moons, Zeolites are useful as they yield good quantities of trapped <a href=showinfo:16634>Atmospheric Gases</a> used as basic elements of some advanced materials. Zeolites ores will also yield <a href=showinfo:35>Pyerite</a> and <a href=showinfo:36>Mexallon</a> .",
|
||||
"description_es": "A ubiquitous ore commercially mined from moons, Zeolites are useful as they yield good quantities of trapped <a href=showinfo:16634>Atmospheric Gases</a> used as basic elements of some advanced materials. Zeolites ores will also yield <a href=showinfo:35>Pyerite</a> and <a href=showinfo:36>Mexallon</a> .",
|
||||
"description_fr": "La zéolite est un minerai très commun, extrait sur les lunes à des fins commerciales, et dont l'utilité réside dans sa capacité à piéger d'importantes quantités de <a href=showinfo:16634>gaz atmosphériques</a> pouvant servir de composants de base à la fabrication de matériaux avancés. Le minerai de zéolite contient aussi de la <a href=showinfo:35>pyérite</a> et du <a href=showinfo:36>mexallon</a>.",
|
||||
"description_it": "A ubiquitous ore commercially mined from moons, Zeolites are useful as they yield good quantities of trapped <a href=showinfo:16634>Atmospheric Gases</a> used as basic elements of some advanced materials. Zeolites ores will also yield <a href=showinfo:35>Pyerite</a> and <a href=showinfo:36>Mexallon</a> .",
|
||||
"description_ja": "ゼオライトは衛星から商業的に採掘される遍在する鉱石である。内部にかなりの量の<a href=showinfo:16634>大気ガス</a>があり、一部の高性能素材の基礎材料として使われる。ゼオライト鉱石からは、他にも<a href=showinfo:35>パイライト</a>と<a href=showinfo:36>メクサロン</a>が手に入る。",
|
||||
"description_ko": "제오라이트는 위성에서 채굴되는 저급 광석으로, 상급 재료를 제작하는데 사용되는 물질인 <a href=showinfo:16634>대기 가스</a>를 다량 함유하고 있습니다. 정제 과정에서 <a href=showinfo:35>파이어라이트</a>와 <a href=showinfo:36>멕살론</a> 또한 함께 산출됩니다.",
|
||||
"description_ru": "Зеолит — широко распространённая руда, добываемая в промышленных количествах на спутниках. Её ценность заключается в высоком содержании <a href=showinfo:16634>атмосферных газов</a>, использующихся в качестве базового элемента для некоторых сложных материалов. Зеолитовые руды также содержат <a href=showinfo:35>пирит</a> и <a href=showinfo:36>мексаллон</a>.",
|
||||
"description_zh": "沸石是卫星中开采出的一种常见矿石,它用处很大,能够提炼出丰富的捕获的<a href=showinfo:16634>标准大气</a>,可作为某些高级矿物的基础元素。沸石矿石还会产出<a href=showinfo:36>类银超金属</a>和<a href=showinfo:35>类晶体胶矿</a>。",
|
||||
"descriptionID": 529121,
|
||||
"groupID": 1884,
|
||||
@@ -232279,14 +232290,14 @@
|
||||
"45491": {
|
||||
"basePrice": 1500.0,
|
||||
"capacity": 0.0,
|
||||
"description_de": "Sylvin ist ein verbreitetes Erz, das auf Monden kommerziell abgebaut wird. Es ist sehr nützlich, da es reich an <a href=showinfo:16635>Evaporit-Ablagerungen</a> ist, die als Grundelement einiger fortschrittlicher Materialien dienen. Sylvin-Erze enthalten außerdem <a href=showinfo:36>Mexallon</a> and <a href=showinfo:35>Pyerite</a>.",
|
||||
"description_en-us": "A ubiquitous ore commercially mined from moons, Sylvite is very useful as it yields good quantities of <a href=showinfo:16635>Evaporite Deposits</a> used as basic elements of some advanced materials. Sylvite ores will also yield <a href=showinfo:3645>Water</a>.",
|
||||
"description_es": "A ubiquitous ore commercially mined from moons, Sylvite is very useful as it yields good quantities of <a href=showinfo:16635>Evaporite Deposits</a> used as basic elements of some advanced materials. Sylvite ores will also yield <a href=showinfo:3645>Water</a>.",
|
||||
"description_fr": "La sylvine est un minerai très commun, extrait sur les lunes à des fins commerciales, et dont l'utilité réside dans sa richesse en <a href=showinfo:16635>gisements volatiles</a> pouvant servir de composants de base à la fabrication de matériaux avancés. Le minerai de sylvine génère aussi du <a href=showinfo:36>mexallon</a> et de la <a href=showinfo:35>pyérite</a>.",
|
||||
"description_it": "A ubiquitous ore commercially mined from moons, Sylvite is very useful as it yields good quantities of <a href=showinfo:16635>Evaporite Deposits</a> used as basic elements of some advanced materials. Sylvite ores will also yield <a href=showinfo:3645>Water</a>.",
|
||||
"description_ja": "シルバイトは衛星から商業的に採掘される遍在する鉱石である。内部にかなりの量の<a href=showinfo:16635>エバポライトディポジット</a>があり、高性能素材の基礎材料として使われる。シルバイト鉱石からは、他にも<a href=showinfo:36>メクサロン</a>や<a href=showinfo:35>パイライト</a>が手に入る。",
|
||||
"description_ko": "실바이트는 위성에서 채굴되는 저급 광석으로, 상급 재료를 제작하는데 사용되는 물질인 <a href=showinfo:16635>이베포라이트</a>를 다량 함유하고 있습니다. 정제 과정에서 <a href=showinfo:36>멕살론</a>과 <a href=showinfo:35>파이어라이트</a> 또한 함께 산출됩니다.",
|
||||
"description_ru": "Сильвин — широко распространённая руда, добываемая в промышленных количествах на спутниках. Её ценность заключается в высоком содержании <a href=showinfo:16635>эвапорита</a>, используемого в качестве базового элемента для некоторых сложных материалов. Сильвиновые руды также содержат <a href=showinfo:36>мексаллон</a> и <a href=showinfo:35>пирит</a>.",
|
||||
"description_de": "Sylvin ist ein verbreitetes Erz, das auf Monden kommerziell abgebaut wird. Es ist sehr nützlich, da es reich an <a href=showinfo:16635>Evaporit-Ablagerungen</a> ist, die als Grundelement einiger fortschrittlicher Materialien dienen. Sylvin-Erze enthalten außerdem <a href=showinfo:35>Pyerite</a> und <a href=showinfo:36>Mexallon</a>.",
|
||||
"description_en-us": "A ubiquitous ore commercially mined from moons, Sylvite is very useful as it yields good quantities of <a href=showinfo:16635>Evaporite Deposits</a> used as basic elements of some advanced materials. Sylvite ores will also yield <a href=showinfo:35>Pyerite</a> and <a href=showinfo:36>Mexallon</a> .",
|
||||
"description_es": "A ubiquitous ore commercially mined from moons, Sylvite is very useful as it yields good quantities of <a href=showinfo:16635>Evaporite Deposits</a> used as basic elements of some advanced materials. Sylvite ores will also yield <a href=showinfo:35>Pyerite</a> and <a href=showinfo:36>Mexallon</a> .",
|
||||
"description_fr": "La sylvine est un minerai très commun, extrait sur les lunes à des fins commerciales, et dont l'utilité réside dans sa richesse en <a href=showinfo:16635>gisements volatils</a> pouvant servir de composants de base à la fabrication de matériaux avancés. Le minerai de sylvine génère aussi de la <a href=showinfo:35>pyérite</a> et du <a href=showinfo:36>mexallon</a>.",
|
||||
"description_it": "A ubiquitous ore commercially mined from moons, Sylvite is very useful as it yields good quantities of <a href=showinfo:16635>Evaporite Deposits</a> used as basic elements of some advanced materials. Sylvite ores will also yield <a href=showinfo:35>Pyerite</a> and <a href=showinfo:36>Mexallon</a> .",
|
||||
"description_ja": "シルバイトは衛星から商業的に採掘される遍在する鉱石である。内部にかなりの量の<a href=showinfo:16635>エバポライトディポジット</a>があり、高性能素材の基礎材料として使われる。シルバイト鉱石からは、他にも<a href=showinfo:35>パイライト</a>と<a href=showinfo:36>メクサロン</a>が手に入る。",
|
||||
"description_ko": "실바이트는 위성에서 채굴되는 저급 광석으로, 상급 재료를 제작하는데 사용되는 물질인 <a href=showinfo:16635>이베포라이트</a>를 다량 함유하고 있습니다. 정제 과정에서 <a href=showinfo:35>파이어라이트</a>와 <a href=showinfo:36>멕살론</a> 또한 함께 산출됩니다.",
|
||||
"description_ru": "Сильвин — широко распространённая руда, добываемая в промышленных количествах на спутниках. Её ценность заключается в высоком содержании <a href=showinfo:16635>эвапорита</a>, используемого в качестве базового элемента для некоторых сложных материалов. Сильвиновые руды также содержат <a href=showinfo:35>пирит</a> и <a href=showinfo:36>мексаллон</a>.",
|
||||
"description_zh": "钾盐是卫星中开采出的一种常见矿石,它用处很大,能够提炼出丰富的<a href=showinfo:16635>蒸发岩沉积物</a>,可作为某些高级矿物的基础元素。钾盐矿石还会产出<a href=showinfo:36>类银超金属</a>和<a href=showinfo:35>类晶体胶矿</a>。",
|
||||
"descriptionID": 529122,
|
||||
"groupID": 1884,
|
||||
@@ -232313,14 +232324,14 @@
|
||||
"45492": {
|
||||
"basePrice": 1500.0,
|
||||
"capacity": 0.0,
|
||||
"description_de": "Bitumen ist ein verbreitetes Erz, das auf Monden kommerziell abgebaut wird. Es ist sehr nützlich, da es reich an <a href=showinfo:16633>Kohlenwasserstoffen</a> ist, die als Grundelement einiger fortschrittlicher Materialien dienen. Bitumen-Erze enthalten außerdem <a href=showinfo:36>Mexallon</a> und <a href=showinfo:35>Pyerite</a>.",
|
||||
"description_en-us": "A ubiquitous ore commercially mined from moons, Bitumens are very useful as they yield good quantities of <a href=showinfo:16633>Hydrocarbons</a> used as basic elements of some advanced materials. Bitumen ores will also yield <a href=showinfo:2395>Proteins</a> .",
|
||||
"description_es": "A ubiquitous ore commercially mined from moons, Bitumens are very useful as they yield good quantities of <a href=showinfo:16633>Hydrocarbons</a> used as basic elements of some advanced materials. Bitumen ores will also yield <a href=showinfo:2395>Proteins</a> .",
|
||||
"description_fr": "Le bitume est un minerai très commun, extrait sur les lunes à des fins commerciales, et dont l'utilité réside dans son potentiel <a href=showinfo:16633>hydrocarboné</a>, pouvant servir de composant de base à la fabrication de matériaux avancés. Le minerai de bitume génère aussi du <a href=showinfo:36>mexallon</a> et de la <a href=showinfo:35>pyérite</a>.",
|
||||
"description_it": "A ubiquitous ore commercially mined from moons, Bitumens are very useful as they yield good quantities of <a href=showinfo:16633>Hydrocarbons</a> used as basic elements of some advanced materials. Bitumen ores will also yield <a href=showinfo:2395>Proteins</a> .",
|
||||
"description_ja": "ビチューメンは、衛星に対して行われる商業採掘において非常によく見かける鉱石である。かなりの量の<a href=showinfo:16633>炭化水素</a>を貯め込んでおり、一部の先進素材の基礎材料として使われるそのガスを取り出すことができる。ビチューメン鉱石からは、他にも<a href=showinfo:36>メクサロン</a>や<a href=showinfo:35>パイライト</a>が手に入る。",
|
||||
"description_ko": "비투멘은 위성에서 채굴되는 저급 광석으로, 상급 재료를 제작하는데 사용되는 물질인 <a href=showinfo:16633>탄화수소</a>를 다량 함유하고 있습니다. 정제 과정에서 <a href=showinfo:36>멕살론</a>과 <a href=showinfo:35>파이어라이트</a> 또한 함께 산출됩니다.",
|
||||
"description_ru": "Битум — широко распространённая руда, добываемая в промышленных количествах на спутниках. Её ценность заключается в высоком содержании <a href=showinfo:16633>углеводородов</a>, используемых в качестве базового элемента для некоторых сложных материалов. Битумные руды также содержат <a href=showinfo:36>мексаллон</a> и <a href=showinfo:35>пирит</a>.",
|
||||
"description_de": "Bitumen ist ein verbreitetes Erz, das auf Monden kommerziell abgebaut wird. Es ist sehr nützlich, da es reich an <a href=showinfo:16633>Kohlenwasserstoffen</a> ist, die als Grundelement einiger fortschrittlicher Materialien dienen. Bitumen-Erze enthalten außerdem <a href=showinfo:35>Pyerite</a> und <a href=showinfo:36>Mexallon</a>.",
|
||||
"description_en-us": "A ubiquitous ore commercially mined from moons, Bitumens are very useful as they yield good quantities of <a href=showinfo:16633>Hydrocarbons</a> used as basic elements of some advanced materials. Bitumen ores will also yield <a href=showinfo:35>Pyerite</a> and <a href=showinfo:36>Mexallon</a> .",
|
||||
"description_es": "A ubiquitous ore commercially mined from moons, Bitumens are very useful as they yield good quantities of <a href=showinfo:16633>Hydrocarbons</a> used as basic elements of some advanced materials. Bitumen ores will also yield <a href=showinfo:35>Pyerite</a> and <a href=showinfo:36>Mexallon</a> .",
|
||||
"description_fr": "Le bitume est un minerai très commun, extrait sur les lunes à des fins commerciales, et dont l'utilité réside dans les grandes quantités <a href=showinfo:16633>d'hydrocarbure</a> pouvant être contenues, pouvant servir de composant de base à la fabrication de matériaux avancés. Le minerai de bitume génère aussi de la <a href=showinfo:35>pyérite</a> et du <a href=showinfo:36>mexallon</a>.",
|
||||
"description_it": "A ubiquitous ore commercially mined from moons, Bitumens are very useful as they yield good quantities of <a href=showinfo:16633>Hydrocarbons</a> used as basic elements of some advanced materials. Bitumen ores will also yield <a href=showinfo:35>Pyerite</a> and <a href=showinfo:36>Mexallon</a> .",
|
||||
"description_ja": "ビチューメンは、衛星を対象とした商業採掘において非常によく見かける鉱石である。内部にかなりの量の<a href=showinfo:16633>炭化水素</a>があり、一部の高性能素材の基礎材料として使われる。ビチューメン鉱石からは、他にも<a href=showinfo:35>パイライト</a>と<a href=showinfo:36>メクサロン</a>が手に入る。",
|
||||
"description_ko": "비투멘은 위성에서 채굴되는 저급 광석으로, 상급 재료를 제작하는데 사용되는 물질인 <a href=showinfo:16633>탄화수소</a>를 다량 함유하고 있습니다. 정제 과정에서 <a href=showinfo:35>파이어라이트</a>와 <a href=showinfo:36>멕살론</a> 또한 함께 산출됩니다.",
|
||||
"description_ru": "Битум — широко распространённая руда, добываемая в промышленных количествах на спутниках. Её ценность заключается в высоком содержании <a href=showinfo:16633>углеводородов</a>, используемых в качестве базового элемента для некоторых сложных материалов. Битумные руды также содержат <a href=showinfo:35>пирит</a> и <a href=showinfo:36>мексаллон</a>.",
|
||||
"description_zh": "沥青是卫星中开采出的一种常见矿石,它用处很大,能够提炼出丰富的<a href=showinfo:16633>烃类</a>,可作为某些高级矿物的基础元素。沥青矿石还会产出<a href=showinfo:36>类银超金属</a>和<a href=showinfo:35>类晶体胶矿</a>。",
|
||||
"descriptionID": 529123,
|
||||
"groupID": 1884,
|
||||
@@ -232347,14 +232358,14 @@
|
||||
"45493": {
|
||||
"basePrice": 1500.0,
|
||||
"capacity": 0.0,
|
||||
"description_de": "Coesit ist ein verbreitetes Erz, das auf Monden kommerziell abgebaut wird. Es ist sehr nützlich, da es reich an <a href=showinfo:16636>Silikaten</a> ist, die als Grundelement einiger fortschrittlicher Materialien dienen. Coesit-Erze enthalten außerdem <a href=showinfo:36>Mexallon</a> and <a href=showinfo:35>Pyerite</a>.",
|
||||
"description_en-us": "A ubiquitous ore commercially mined from moons, Coesite is very useful as it yields good quantities of <a href=showinfo:16636>Silicates</a> used as basic elements of some advanced materials. Coesite ores will also yield <a href=showinfo:2393>Bacteria</a>.",
|
||||
"description_es": "A ubiquitous ore commercially mined from moons, Coesite is very useful as it yields good quantities of <a href=showinfo:16636>Silicates</a> used as basic elements of some advanced materials. Coesite ores will also yield <a href=showinfo:2393>Bacteria</a>.",
|
||||
"description_fr": "La coésite est un minerai très commun, extrait sur les lunes à des fins commerciales, et dont l'utilité réside dans sa richesse en <a href=showinfo:16636>silicates</a> pouvant servir à la fabrication de matériaux avancés. Le minerai de coésite génère aussi du <a href=showinfo:36>mexallon</a> et de la <a href=showinfo:35>pyérite</a>.",
|
||||
"description_it": "A ubiquitous ore commercially mined from moons, Coesite is very useful as it yields good quantities of <a href=showinfo:16636>Silicates</a> used as basic elements of some advanced materials. Coesite ores will also yield <a href=showinfo:2393>Bacteria</a>.",
|
||||
"description_ja": "コーサイトは衛星から商業的に採掘される遍在する鉱石である。内部にかなりの量の<a href=showinfo:16636>ケイ酸塩</a>があり、一部の高性能素材の基礎材料として使われる。コーサイト鉱石からは、他にも<a href=showinfo:36>メクサロン</a>や<a href=showinfo:35>パイライト</a>が手に入る。",
|
||||
"description_ko": "코사이트는 위성에서 채굴되는 저급 광석으로, 상급 재료를 제작하는데 사용되는 물질인 <a href=showinfo:16636>규산염</a>을 다량 함유하고 있습니다. 정제 과정에서 <a href=showinfo:36>멕살론</a>과 <a href=showinfo:35>파이어라이트</a> 또한 함께 산출됩니다.",
|
||||
"description_ru": "Коэсит — широко распространённый вид руды, добываемый в промышленных количествах на спутниках. Его ценность заключается в высоком содержании <a href=showinfo:16636>силикатов</a>, используемых в качестве базового элемента для некоторых сложных материалов. Коэситовые руды также содержат <a href=showinfo:36>мексаллон</a> и <a href=showinfo:35>пирит</a>.",
|
||||
"description_de": "Coesit ist ein verbreitetes Erz, das auf Monden kommerziell abgebaut wird. Es ist sehr nützlich, da es reich an <a href=showinfo:16636>Silikaten</a> ist, die als Grundelement einiger fortschrittlicher Materialien dienen. Coesit-Erze enthalten außerdem <a href=showinfo:35>Pyerite</a> und <a href=showinfo:36>Mexallon</a>.",
|
||||
"description_en-us": "A ubiquitous ore commercially mined from moons, Coesite is very useful as it yields good quantities of <a href=showinfo:16636>Silicates</a> used as basic elements of some advanced materials. Coesite ores will also yield <a href=showinfo:35>Pyerite</a> and <a href=showinfo:36>Mexallon</a> .",
|
||||
"description_es": "A ubiquitous ore commercially mined from moons, Coesite is very useful as it yields good quantities of <a href=showinfo:16636>Silicates</a> used as basic elements of some advanced materials. Coesite ores will also yield <a href=showinfo:35>Pyerite</a> and <a href=showinfo:36>Mexallon</a> .",
|
||||
"description_fr": "La coésite est un minerai très commun, extrait sur les lunes à des fins commerciales, et dont l'utilité réside dans sa richesse en <a href=showinfo:16636>silicates</a> pouvant servir à la fabrication de matériaux avancés. Le minerai de coésite génère aussi de la <a href=showinfo:35>pyérite</a> et du <a href=showinfo:36>mexallon</a>.",
|
||||
"description_it": "A ubiquitous ore commercially mined from moons, Coesite is very useful as it yields good quantities of <a href=showinfo:16636>Silicates</a> used as basic elements of some advanced materials. Coesite ores will also yield <a href=showinfo:35>Pyerite</a> and <a href=showinfo:36>Mexallon</a> .",
|
||||
"description_ja": "コーサイトは衛星から商業的に採掘される遍在する鉱石である。内部にかなりの量の<a href=showinfo:16636>ケイ酸塩</a>があり、一部の高性能素材の基礎材料として使われる。コーサイト鉱石からは、他にも<a href=showinfo:35>パイライト</a>と<a href=showinfo:36>メクサロン</a>が手に入る。",
|
||||
"description_ko": "코사이트는 위성에서 채굴되는 저급 광석으로, 상급 재료를 제작하는데 사용되는 물질인 <a href=showinfo:16636>규산염</a>을 다량 함유하고 있습니다. 정제 과정에서 <a href=showinfo:35>파이어라이트</a>와 <a href=showinfo:36>멕살론</a> 또한 함께 산출됩니다.",
|
||||
"description_ru": "Коэсит — широко распространённый вид руды, добываемый в промышленных количествах на спутниках. Его ценность заключается в высоком содержании <a href=showinfo:16636>силикатов</a>, используемых в качестве базового элемента для некоторых сложных материалов. Коэситовые руды также содержат <a href=showinfo:35>пирит</a> и <a href=showinfo:36>мексаллон</a>.",
|
||||
"description_zh": "柯石英是卫星中开采出的一种常见矿石,它用处很大,能够提炼出丰富的<a href=showinfo:16636>硅酸盐</a>,可作为某些高级矿物的基础元素。柯石英矿石还会产出<a href=showinfo:36>类银超金属</a>和<a href=showinfo:35>类晶体胶矿</a>。",
|
||||
"descriptionID": 529124,
|
||||
"groupID": 1884,
|
||||
|
||||
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
@@ -1,10 +1,10 @@
|
||||
[
|
||||
{
|
||||
"field_name": "client_build",
|
||||
"field_value": 1971319
|
||||
"field_value": 1998655
|
||||
},
|
||||
{
|
||||
"field_name": "dump_time",
|
||||
"field_value": 1637863425
|
||||
"field_value": 1644022579
|
||||
}
|
||||
]
|
||||
File diff suppressed because it is too large
Load Diff
@@ -1 +1 @@
|
||||
version: v2.39.0dev1
|
||||
version: v2.39.3dev1
|
||||
|
||||
Reference in New Issue
Block a user